From 8b0588deaff36bffe41be0aafebab0481a1bc6d3 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Thu, 2 May 2019 14:59:44 +0530 Subject: [PATCH 001/132] feat: Init call summary popup --- .../crm/call_summary/call_summary_utils.py | 10 ++++++++ erpnext/public/build.json | 3 ++- erpnext/public/js/call_summary_dialog.js | 24 +++++++++++++++++++ 3 files changed, 36 insertions(+), 1 deletion(-) create mode 100644 erpnext/crm/call_summary/call_summary_utils.py create mode 100644 erpnext/public/js/call_summary_dialog.js diff --git a/erpnext/crm/call_summary/call_summary_utils.py b/erpnext/crm/call_summary/call_summary_utils.py new file mode 100644 index 0000000000..822fb3e038 --- /dev/null +++ b/erpnext/crm/call_summary/call_summary_utils.py @@ -0,0 +1,10 @@ +import frappe + +@frappe.whitelist() +def get_contact_doc(phone_number): + contacts = frappe.get_all('Contact', filters={ + 'phone': phone_number + }, fields=['*']) + + if contacts: + return contacts[0] \ No newline at end of file diff --git a/erpnext/public/build.json b/erpnext/public/build.json index 45de6eb294..25fe0d61a3 100644 --- a/erpnext/public/build.json +++ b/erpnext/public/build.json @@ -48,7 +48,8 @@ "public/js/utils/customer_quick_entry.js", "public/js/education/student_button.html", "public/js/education/assessment_result_tool.html", - "public/js/hub/hub_factory.js" + "public/js/hub/hub_factory.js", + "public/js/call_summary_dialog.js" ], "js/item-dashboard.min.js": [ "stock/dashboard/item_dashboard.html", diff --git a/erpnext/public/js/call_summary_dialog.js b/erpnext/public/js/call_summary_dialog.js new file mode 100644 index 0000000000..c4c6d483eb --- /dev/null +++ b/erpnext/public/js/call_summary_dialog.js @@ -0,0 +1,24 @@ +frappe.call_summary_dialog = class { + constructor(opts) { + this.number = '+91234444444'; + this.make(); + } + + make() { + var d = new frappe.ui.Dialog(); + this.$modal_body = $(d.body); + this.call_summary_dialog = d; + $(d.header).html(`
Incoming Call: ${this.number}
`); + frappe.xcall('erpnext.crm.call_summary.call_summary_utils.get_contact_doc', { + phone_number: this.number + }).then(res => { + if (!res) { + this.$modal_body.html('Unknown Contact'); + } else { + this.$modal_body.html(`${res.first_name}`); + } + }); + d.show(); + } + +}; \ No newline at end of file From 03c3bd5f4a2f61361a0ae6511ae01e5a01cdf7bf Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Thu, 16 May 2019 13:39:50 +0530 Subject: [PATCH 002/132] feat: Open modal in realtime for incoming call --- erpnext/crm/call_summary/call_summary_utils.py | 6 ++++-- erpnext/crm/call_summary/exotel_call_handler.py | 12 ++++++++++++ erpnext/public/js/call_summary_dialog.js | 16 ++++++++++++---- 3 files changed, 28 insertions(+), 6 deletions(-) create mode 100644 erpnext/crm/call_summary/exotel_call_handler.py diff --git a/erpnext/crm/call_summary/call_summary_utils.py b/erpnext/crm/call_summary/call_summary_utils.py index 822fb3e038..0b6131ffd8 100644 --- a/erpnext/crm/call_summary/call_summary_utils.py +++ b/erpnext/crm/call_summary/call_summary_utils.py @@ -2,8 +2,10 @@ import frappe @frappe.whitelist() def get_contact_doc(phone_number): - contacts = frappe.get_all('Contact', filters={ - 'phone': phone_number + phone_number = phone_number[-10:] + contacts = frappe.get_all('Contact', or_filters={ + 'phone': ['like', '%{}%'.format(phone_number)], + 'mobile_no': ['like', '%{}%'.format(phone_number)] }, fields=['*']) if contacts: diff --git a/erpnext/crm/call_summary/exotel_call_handler.py b/erpnext/crm/call_summary/exotel_call_handler.py new file mode 100644 index 0000000000..82c925de06 --- /dev/null +++ b/erpnext/crm/call_summary/exotel_call_handler.py @@ -0,0 +1,12 @@ +import frappe + +@frappe.whitelist(allow_guest=True) +def handle_request(*args, **kwargs): + r = frappe.request + + payload = r.get_data() + + print(r.args.to_dict()) + print(payload) + + frappe.publish_realtime('incoming_call', r.args.to_dict()) \ No newline at end of file diff --git a/erpnext/public/js/call_summary_dialog.js b/erpnext/public/js/call_summary_dialog.js index c4c6d483eb..17bf7b9766 100644 --- a/erpnext/public/js/call_summary_dialog.js +++ b/erpnext/public/js/call_summary_dialog.js @@ -1,6 +1,6 @@ -frappe.call_summary_dialog = class { +class CallSummaryDialog { constructor(opts) { - this.number = '+91234444444'; + this.number = opts.number; this.make(); } @@ -15,10 +15,18 @@ frappe.call_summary_dialog = class { if (!res) { this.$modal_body.html('Unknown Contact'); } else { - this.$modal_body.html(`${res.first_name}`); + this.$modal_body.append(`${frappe.utils.get_form_link('Contact', res.name, true)}`) } }); d.show(); } +} -}; \ No newline at end of file +$(document).on('app_ready', function() { + frappe.realtime.on('incoming_call', data => { + const number = data.CallFrom; + frappe.call_summary_dialog = new CallSummaryDialog({ + number + }); + }); +}); From dd6b70c7cdf0f323ee8b61df8795bdae942853a8 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Thu, 16 May 2019 23:55:35 +0530 Subject: [PATCH 003/132] feat: Show contact on incoming call --- .../crm/call_summary/call_summary_utils.py | 12 ++- erpnext/public/build.json | 6 +- .../js/call_popup/call_summary_dialog.js | 101 ++++++++++++++++++ erpnext/public/js/call_summary_dialog.js | 32 ------ erpnext/public/less/call_summary.less | 6 ++ 5 files changed, 120 insertions(+), 37 deletions(-) create mode 100644 erpnext/public/js/call_popup/call_summary_dialog.js delete mode 100644 erpnext/public/js/call_summary_dialog.js create mode 100644 erpnext/public/less/call_summary.less diff --git a/erpnext/crm/call_summary/call_summary_utils.py b/erpnext/crm/call_summary/call_summary_utils.py index 0b6131ffd8..5814e2b97b 100644 --- a/erpnext/crm/call_summary/call_summary_utils.py +++ b/erpnext/crm/call_summary/call_summary_utils.py @@ -4,9 +4,15 @@ import frappe def get_contact_doc(phone_number): phone_number = phone_number[-10:] contacts = frappe.get_all('Contact', or_filters={ - 'phone': ['like', '%{}%'.format(phone_number)], - 'mobile_no': ['like', '%{}%'.format(phone_number)] + 'phone': ['like', '%{}'.format(phone_number)], + 'mobile_no': ['like', '%{}'.format(phone_number)] }, fields=['*']) if contacts: - return contacts[0] \ No newline at end of file + return contacts[0] + +@frappe.whitelist() +def get_last_communication(phone_number, customer=None): + # find last communication through phone_number + # find last issues, opportunity, lead + pass \ No newline at end of file diff --git a/erpnext/public/build.json b/erpnext/public/build.json index 25fe0d61a3..3f55d0737d 100644 --- a/erpnext/public/build.json +++ b/erpnext/public/build.json @@ -1,7 +1,8 @@ { "css/erpnext.css": [ "public/less/erpnext.less", - "public/less/hub.less" + "public/less/hub.less", + "public/less/call_summary.less" ], "css/marketplace.css": [ "public/less/hub.less" @@ -49,7 +50,8 @@ "public/js/education/student_button.html", "public/js/education/assessment_result_tool.html", "public/js/hub/hub_factory.js", - "public/js/call_summary_dialog.js" + "public/js/call_popup/call_summary_dialog.js", + "public/js/call_popup/call_summary.html" ], "js/item-dashboard.min.js": [ "stock/dashboard/item_dashboard.html", diff --git a/erpnext/public/js/call_popup/call_summary_dialog.js b/erpnext/public/js/call_popup/call_summary_dialog.js new file mode 100644 index 0000000000..9909b709c9 --- /dev/null +++ b/erpnext/public/js/call_popup/call_summary_dialog.js @@ -0,0 +1,101 @@ +class CallSummaryDialog { + constructor(opts) { + this.number = opts.number; + this.make(); + } + + make() { + var d = new frappe.ui.Dialog({ + 'title': `Incoming Call: ${this.number}`, + 'fields': [{ + 'fieldname': 'customer_info', + 'fieldtype': 'HTML' + }, { + 'fieldtype': 'Section Break' + }, { + 'fieldtype': 'Text', + 'label': "Last Communication", + 'fieldname': 'last_communication', + 'default': 'This is not working please helpppp', + 'placeholder': __("Select or add new customer"), + 'readonly': true + }, { + 'fieldtype': 'Column Break' + }, { + 'fieldtype': 'Text', + 'label': 'Call Summary', + 'fieldname': 'call_communication', + 'default': 'This is not working please helpppp', + "placeholder": __("Select or add new customer") + }] + }); + // this.body.html(this.get_dialog_skeleton()); + frappe.xcall('erpnext.crm.call_summary.call_summary_utils.get_contact_doc', { + phone_number: this.number + }).then(res => { + this.make_customer_contact(res, d.fields_dict["customer_info"].$wrapper); + // this.make_last_communication_section(); + }); + d.show(); + } + + get_dialog_skeleton() { + return ` +
+
+
+
+
+
+
+
+
+
+
+
+
+ `; + } + make_customer_contact(res, wrapper) { + if (!res) { + wrapper.append('Unknown Contact'); + } else { + wrapper.append(` + +
+ ${res.first_name} ${res.last_name} + ${res.mobile_no} + Customer: Some Enterprise +
+ `); + } + } + + make_last_communication_section() { + const last_communication_section = this.body.find('.last-communication'); + const last_communication = frappe.ui.form.make_control({ + parent: last_communication_section, + df: { + fieldtype: "Text", + label: "Last Communication", + fieldname: "last_communication", + 'default': 'This is not working please helpppp', + "placeholder": __("Select or add new customer") + }, + }); + last_communication.set_value('This is not working please helpppp'); + } + + make_summary_section() { + // + } +} + +$(document).on('app_ready', function() { + frappe.realtime.on('incoming_call', data => { + const number = data.CallFrom; + frappe.call_summary_dialog = new CallSummaryDialog({ + number + }); + }); +}); diff --git a/erpnext/public/js/call_summary_dialog.js b/erpnext/public/js/call_summary_dialog.js deleted file mode 100644 index 17bf7b9766..0000000000 --- a/erpnext/public/js/call_summary_dialog.js +++ /dev/null @@ -1,32 +0,0 @@ -class CallSummaryDialog { - constructor(opts) { - this.number = opts.number; - this.make(); - } - - make() { - var d = new frappe.ui.Dialog(); - this.$modal_body = $(d.body); - this.call_summary_dialog = d; - $(d.header).html(`
Incoming Call: ${this.number}
`); - frappe.xcall('erpnext.crm.call_summary.call_summary_utils.get_contact_doc', { - phone_number: this.number - }).then(res => { - if (!res) { - this.$modal_body.html('Unknown Contact'); - } else { - this.$modal_body.append(`${frappe.utils.get_form_link('Contact', res.name, true)}`) - } - }); - d.show(); - } -} - -$(document).on('app_ready', function() { - frappe.realtime.on('incoming_call', data => { - const number = data.CallFrom; - frappe.call_summary_dialog = new CallSummaryDialog({ - number - }); - }); -}); diff --git a/erpnext/public/less/call_summary.less b/erpnext/public/less/call_summary.less new file mode 100644 index 0000000000..73f6fd4f77 --- /dev/null +++ b/erpnext/public/less/call_summary.less @@ -0,0 +1,6 @@ +.customer-info { + img { + width: auto; + height: 100px; + } +} \ No newline at end of file From 8a178d6f300e066a9187500f73ed058203fc7806 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Sat, 18 May 2019 16:11:29 +0530 Subject: [PATCH 004/132] fix: Update call summary dialog --- .../crm/call_summary/call_summary_utils.py | 4 +- .../crm/call_summary/exotel_call_handler.py | 41 ++++++++++-- .../js/call_popup/call_summary_dialog.js | 66 +++++++++++-------- erpnext/public/less/call_summary.less | 1 + 4 files changed, 76 insertions(+), 36 deletions(-) diff --git a/erpnext/crm/call_summary/call_summary_utils.py b/erpnext/crm/call_summary/call_summary_utils.py index 5814e2b97b..49491d5a4a 100644 --- a/erpnext/crm/call_summary/call_summary_utils.py +++ b/erpnext/crm/call_summary/call_summary_utils.py @@ -6,10 +6,10 @@ def get_contact_doc(phone_number): contacts = frappe.get_all('Contact', or_filters={ 'phone': ['like', '%{}'.format(phone_number)], 'mobile_no': ['like', '%{}'.format(phone_number)] - }, fields=['*']) + }, fields=['name']) if contacts: - return contacts[0] + return frappe.get_doc(contacts[0].name) @frappe.whitelist() def get_last_communication(phone_number, customer=None): diff --git a/erpnext/crm/call_summary/exotel_call_handler.py b/erpnext/crm/call_summary/exotel_call_handler.py index 82c925de06..a0c3b7d5ea 100644 --- a/erpnext/crm/call_summary/exotel_call_handler.py +++ b/erpnext/crm/call_summary/exotel_call_handler.py @@ -2,11 +2,42 @@ import frappe @frappe.whitelist(allow_guest=True) def handle_request(*args, **kwargs): - r = frappe.request + # r = frappe.request - payload = r.get_data() + # print(r.args.to_dict(), args, kwargs) - print(r.args.to_dict()) - print(payload) + incoming_phone_number = kwargs.get('CallFrom') + contact = get_contact_doc(incoming_phone_number) + last_communication = get_last_communication(incoming_phone_number, contact) - frappe.publish_realtime('incoming_call', r.args.to_dict()) \ No newline at end of file + data = { + 'contact': contact, + 'call_payload': kwargs, + 'last_communication': last_communication + } + + frappe.publish_realtime('incoming_call', data) + + +def get_contact_doc(phone_number): + phone_number = phone_number[-10:] + number_filter = { + 'phone': ['like', '%{}'.format(phone_number)], + 'mobile_no': ['like', '%{}'.format(phone_number)] + } + contacts = frappe.get_all('Contact', or_filters=number_filter, + fields=['name'], limit=1) + + if contacts: + return frappe.get_doc('Contact', contacts[0].name) + + leads = frappe.get_all('Leads', or_filters=number_filter, + fields=['name'], limit=1) + + if leads: + return frappe.get_doc('Lead', leads[0].name) + + +def get_last_communication(phone_number, contact): + # frappe.get_all('Communication', filter={}) + return {} diff --git a/erpnext/public/js/call_popup/call_summary_dialog.js b/erpnext/public/js/call_popup/call_summary_dialog.js index 9909b709c9..e9823eeeef 100644 --- a/erpnext/public/js/call_popup/call_summary_dialog.js +++ b/erpnext/public/js/call_popup/call_summary_dialog.js @@ -1,42 +1,46 @@ class CallSummaryDialog { - constructor(opts) { - this.number = opts.number; + constructor({ contact, call_payload, last_communication }) { + this.number = call_payload.CallFrom; + this.contact = contact; + this.last_communication = last_communication; this.make(); } make() { - var d = new frappe.ui.Dialog({ - 'title': `Incoming Call: ${this.number}`, + this.dialog = new frappe.ui.Dialog({ + 'title': __(`Incoming call from ${this.contact ? this.contact.name : 'Unknown Number'}`), + 'static': true, + 'minimizable': true, 'fields': [{ 'fieldname': 'customer_info', 'fieldtype': 'HTML' }, { 'fieldtype': 'Section Break' }, { - 'fieldtype': 'Text', + 'fieldtype': 'Small Text', 'label': "Last Communication", 'fieldname': 'last_communication', - 'default': 'This is not working please helpppp', - 'placeholder': __("Select or add new customer"), - 'readonly': true + 'read_only': true }, { 'fieldtype': 'Column Break' }, { - 'fieldtype': 'Text', + 'fieldtype': 'Small Text', 'label': 'Call Summary', 'fieldname': 'call_communication', 'default': 'This is not working please helpppp', "placeholder": __("Select or add new customer") + }, { + 'fieldtype': 'Button', + 'label': 'Submit', + 'click': () => { + frappe.xcall() + } }] }); - // this.body.html(this.get_dialog_skeleton()); - frappe.xcall('erpnext.crm.call_summary.call_summary_utils.get_contact_doc', { - phone_number: this.number - }).then(res => { - this.make_customer_contact(res, d.fields_dict["customer_info"].$wrapper); - // this.make_last_communication_section(); - }); - d.show(); + this.make_customer_contact(); + this.dialog.show(); + this.dialog.get_close_btn().show(); + this.dialog.header.find('.indicator').removeClass('hidden').addClass('blue'); } get_dialog_skeleton() { @@ -56,16 +60,23 @@ class CallSummaryDialog { `; } - make_customer_contact(res, wrapper) { - if (!res) { + + make_customer_contact() { + const wrapper = this.dialog.fields_dict["customer_info"].$wrapper; + const contact = this.contact; + const customer = this.contact.links ? this.contact.links[0] : null; + const customer_link = customer ? frappe.utils.get_form_link(customer.link_doctype, customer.link_name, true): ''; + if (!contact) { wrapper.append('Unknown Contact'); } else { wrapper.append(` - -
- ${res.first_name} ${res.last_name} - ${res.mobile_no} - Customer: Some Enterprise +
+ +
+ ${contact.first_name} ${contact.last_name} + ${contact.mobile_no} + ${customer_link} +
`); } @@ -91,11 +102,8 @@ class CallSummaryDialog { } } -$(document).on('app_ready', function() { +$(document).on('app_ready', function () { frappe.realtime.on('incoming_call', data => { - const number = data.CallFrom; - frappe.call_summary_dialog = new CallSummaryDialog({ - number - }); + frappe.call_summary_dialog = new CallSummaryDialog(data); }); }); diff --git a/erpnext/public/less/call_summary.less b/erpnext/public/less/call_summary.less index 73f6fd4f77..0ec2066105 100644 --- a/erpnext/public/less/call_summary.less +++ b/erpnext/public/less/call_summary.less @@ -2,5 +2,6 @@ img { width: auto; height: 100px; + margin-right: 15px; } } \ No newline at end of file From 863b93c32d088ab5616b9265c898641b8762039d Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Tue, 21 May 2019 07:57:06 +0530 Subject: [PATCH 005/132] refator: Rename files and move code --- .../crm/call_summary/call_summary_utils.py | 18 ------- .../crm/call_summary/exotel_call_handler.py | 43 ---------------- erpnext/crm/doctype/utils.py | 20 ++++++++ .../exotel_integration.py | 41 +++++++++++++++ .../{call_summary_dialog.js => call_popup.js} | 50 +++++++++---------- 5 files changed, 86 insertions(+), 86 deletions(-) delete mode 100644 erpnext/crm/call_summary/call_summary_utils.py delete mode 100644 erpnext/crm/call_summary/exotel_call_handler.py create mode 100644 erpnext/crm/doctype/utils.py create mode 100644 erpnext/erpnext_integrations/exotel_integration.py rename erpnext/public/js/call_popup/{call_summary_dialog.js => call_popup.js} (75%) diff --git a/erpnext/crm/call_summary/call_summary_utils.py b/erpnext/crm/call_summary/call_summary_utils.py deleted file mode 100644 index 49491d5a4a..0000000000 --- a/erpnext/crm/call_summary/call_summary_utils.py +++ /dev/null @@ -1,18 +0,0 @@ -import frappe - -@frappe.whitelist() -def get_contact_doc(phone_number): - phone_number = phone_number[-10:] - contacts = frappe.get_all('Contact', or_filters={ - 'phone': ['like', '%{}'.format(phone_number)], - 'mobile_no': ['like', '%{}'.format(phone_number)] - }, fields=['name']) - - if contacts: - return frappe.get_doc(contacts[0].name) - -@frappe.whitelist() -def get_last_communication(phone_number, customer=None): - # find last communication through phone_number - # find last issues, opportunity, lead - pass \ No newline at end of file diff --git a/erpnext/crm/call_summary/exotel_call_handler.py b/erpnext/crm/call_summary/exotel_call_handler.py deleted file mode 100644 index a0c3b7d5ea..0000000000 --- a/erpnext/crm/call_summary/exotel_call_handler.py +++ /dev/null @@ -1,43 +0,0 @@ -import frappe - -@frappe.whitelist(allow_guest=True) -def handle_request(*args, **kwargs): - # r = frappe.request - - # print(r.args.to_dict(), args, kwargs) - - incoming_phone_number = kwargs.get('CallFrom') - contact = get_contact_doc(incoming_phone_number) - last_communication = get_last_communication(incoming_phone_number, contact) - - data = { - 'contact': contact, - 'call_payload': kwargs, - 'last_communication': last_communication - } - - frappe.publish_realtime('incoming_call', data) - - -def get_contact_doc(phone_number): - phone_number = phone_number[-10:] - number_filter = { - 'phone': ['like', '%{}'.format(phone_number)], - 'mobile_no': ['like', '%{}'.format(phone_number)] - } - contacts = frappe.get_all('Contact', or_filters=number_filter, - fields=['name'], limit=1) - - if contacts: - return frappe.get_doc('Contact', contacts[0].name) - - leads = frappe.get_all('Leads', or_filters=number_filter, - fields=['name'], limit=1) - - if leads: - return frappe.get_doc('Lead', leads[0].name) - - -def get_last_communication(phone_number, contact): - # frappe.get_all('Communication', filter={}) - return {} diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py new file mode 100644 index 0000000000..3bd92462e3 --- /dev/null +++ b/erpnext/crm/doctype/utils.py @@ -0,0 +1,20 @@ +import frappe + +def get_document_with_phone_number(number): + # finds contacts and leads + number = number[-10:] + number_filter = { + 'phone': ['like', '%{}'.format(number)], + 'mobile_no': ['like', '%{}'.format(number)] + } + contacts = frappe.get_all('Contact', or_filters=number_filter, + fields=['name'], limit=1) + + if contacts: + return frappe.get_doc('Contact', contacts[0].name) + + leads = frappe.get_all('Leads', or_filters=number_filter, + fields=['name'], limit=1) + + if leads: + return frappe.get_doc('Lead', leads[0].name) \ No newline at end of file diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py new file mode 100644 index 0000000000..f8b605a2d1 --- /dev/null +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -0,0 +1,41 @@ +import frappe +from erpnext.crm.doctype.utils import get_document_with_phone_number + +@frappe.whitelist(allow_guest=True) +def handle_incoming_call(*args, **kwargs): + incoming_phone_number = kwargs.get('CallFrom') + + contact = get_document_with_phone_number(incoming_phone_number) + last_communication = get_last_communication(incoming_phone_number, contact) + call_log = create_call_log(kwargs) + data = { + 'contact': contact, + 'call_payload': kwargs, + 'last_communication': last_communication, + 'call_log': call_log + } + + frappe.publish_realtime('incoming_call', data) + + +def get_last_communication(phone_number, contact): + # frappe.get_all('Communication', filter={}) + return {} + +def create_call_log(call_payload): + communication = frappe.new_doc('Communication') + communication.subject = frappe._('Call from {}').format(call_payload.get("CallFrom")) + communication.communication_medium = 'Phone' + communication.send_email = 0 + communication.phone_no = call_payload.get("CallFrom") + communication.comment_type = 'Info' + communication.communication_type = 'Communication' + communication.status = 'Open' + communication.sent_or_received = 'Received' + communication.content = 'call_payload' + communication.communication_date = call_payload.get('StartTime') + # communication.sid = call_payload.get('CallSid') + # communication.exophone = call_payload.get('CallTo') + # communication.call_receiver = call_payload.get('DialWhomNumber') + communication.save(ignore_permissions=True) + return communication diff --git a/erpnext/public/js/call_popup/call_summary_dialog.js b/erpnext/public/js/call_popup/call_popup.js similarity index 75% rename from erpnext/public/js/call_popup/call_summary_dialog.js rename to erpnext/public/js/call_popup/call_popup.js index e9823eeeef..99c2ca38b1 100644 --- a/erpnext/public/js/call_popup/call_summary_dialog.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -1,4 +1,4 @@ -class CallSummaryDialog { +class CallPopup { constructor({ contact, call_payload, last_communication }) { this.number = call_payload.CallFrom; this.contact = contact; @@ -8,7 +8,6 @@ class CallSummaryDialog { make() { this.dialog = new frappe.ui.Dialog({ - 'title': __(`Incoming call from ${this.contact ? this.contact.name : 'Unknown Number'}`), 'static': true, 'minimizable': true, 'fields': [{ @@ -27,40 +26,21 @@ class CallSummaryDialog { 'fieldtype': 'Small Text', 'label': 'Call Summary', 'fieldname': 'call_communication', - 'default': 'This is not working please helpppp', - "placeholder": __("Select or add new customer") }, { 'fieldtype': 'Button', 'label': 'Submit', 'click': () => { - frappe.xcall() + this.dialog.get_value(); } }] }); + this.set_call_status(); this.make_customer_contact(); this.dialog.show(); this.dialog.get_close_btn().show(); this.dialog.header.find('.indicator').removeClass('hidden').addClass('blue'); } - get_dialog_skeleton() { - return ` -
-
-
-
-
-
-
-
-
-
-
-
-
- `; - } - make_customer_contact() { const wrapper = this.dialog.fields_dict["customer_info"].$wrapper; const contact = this.contact; @@ -100,10 +80,30 @@ class CallSummaryDialog { make_summary_section() { // } + + set_call_status(status) { + let title = ''; + if (status === 'incoming') { + if (this.contact) { + title = __('Incoming call from {0}', [this.contact.name]); + } else { + title = __('Incoming call from unknown number'); + } + } + this.dialog.set_title(title); + } + + update(data) { + // pass + } } $(document).on('app_ready', function () { - frappe.realtime.on('incoming_call', data => { - frappe.call_summary_dialog = new CallSummaryDialog(data); + frappe.realtime.on('call_update', data => { + if (!erpnext.call_popup) { + erpnext.call_popup = new CallPopup(data); + } else { + erpnext.call_popup.update(data); + } }); }); From 57bab84198612be61339bc862874cbf4f8ba938f Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Wed, 22 May 2019 06:25:45 +0530 Subject: [PATCH 006/132] feat: Add exotel settings --- .../doctype/exotel_settings/__init__.py | 0 .../exotel_settings/exotel_settings.js | 8 +++ .../exotel_settings/exotel_settings.json | 61 +++++++++++++++++++ .../exotel_settings/exotel_settings.py | 21 +++++++ .../exotel_settings/test_exotel_settings.py | 10 +++ 5 files changed, 100 insertions(+) create mode 100644 erpnext/erpnext_integrations/doctype/exotel_settings/__init__.py create mode 100644 erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.js create mode 100644 erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.json create mode 100644 erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py create mode 100644 erpnext/erpnext_integrations/doctype/exotel_settings/test_exotel_settings.py diff --git a/erpnext/erpnext_integrations/doctype/exotel_settings/__init__.py b/erpnext/erpnext_integrations/doctype/exotel_settings/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.js b/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.js new file mode 100644 index 0000000000..bfed491d4b --- /dev/null +++ b/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.js @@ -0,0 +1,8 @@ +// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +// For license information, please see license.txt + +frappe.ui.form.on('Exotel Settings', { + // refresh: function(frm) { + + // } +}); diff --git a/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.json b/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.json new file mode 100644 index 0000000000..72f47b53ec --- /dev/null +++ b/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.json @@ -0,0 +1,61 @@ +{ + "creation": "2019-05-21 07:41:53.536536", + "doctype": "DocType", + "engine": "InnoDB", + "field_order": [ + "enabled", + "section_break_2", + "account_sid", + "api_key", + "api_token" + ], + "fields": [ + { + "fieldname": "enabled", + "fieldtype": "Check", + "label": "Enabled" + }, + { + "depends_on": "enabled", + "fieldname": "section_break_2", + "fieldtype": "Section Break" + }, + { + "fieldname": "account_sid", + "fieldtype": "Data", + "label": "Account SID" + }, + { + "fieldname": "api_token", + "fieldtype": "Data", + "label": "API Token" + }, + { + "fieldname": "api_key", + "fieldtype": "Data", + "label": "API Key" + } + ], + "issingle": 1, + "modified": "2019-05-22 06:25:18.026997", + "modified_by": "Administrator", + "module": "ERPNext Integrations", + "name": "Exotel Settings", + "owner": "Administrator", + "permissions": [ + { + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "role": "System Manager", + "share": 1, + "write": 1 + } + ], + "quick_entry": 1, + "sort_field": "modified", + "sort_order": "ASC", + "track_changes": 1 +} \ No newline at end of file diff --git a/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py b/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py new file mode 100644 index 0000000000..763bea0e07 --- /dev/null +++ b/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py @@ -0,0 +1,21 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +# import frappe +from frappe.model.document import Document +import requests +import frappe +from frappe import _ + +class ExotelSettings(Document): + def validate(self): + self.verify_credentials() + + def verify_credentials(self): + if self.enabled: + response = requests.get('https://api.exotel.com/v1/Accounts/{sid}' + .format(sid = self.account_sid), auth=(self.account_sid, self.api_token)) + if response.status_code != 200: + frappe.throw(_("Invalid credentials")) \ No newline at end of file diff --git a/erpnext/erpnext_integrations/doctype/exotel_settings/test_exotel_settings.py b/erpnext/erpnext_integrations/doctype/exotel_settings/test_exotel_settings.py new file mode 100644 index 0000000000..5d85615c27 --- /dev/null +++ b/erpnext/erpnext_integrations/doctype/exotel_settings/test_exotel_settings.py @@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors +# See license.txt +from __future__ import unicode_literals + +# import frappe +import unittest + +class TestExotelSettings(unittest.TestCase): + pass From 1eeb89fb778b99411468af25274665f4b4724c83 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Wed, 22 May 2019 06:37:43 +0530 Subject: [PATCH 007/132] feat: Add get_call status & make a call function --- .../exotel_settings/exotel_settings.py | 2 +- .../exotel_integration.py | 63 +++++++++++++++---- 2 files changed, 52 insertions(+), 13 deletions(-) diff --git a/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py b/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py index 763bea0e07..77de84ce5c 100644 --- a/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py +++ b/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.py @@ -16,6 +16,6 @@ class ExotelSettings(Document): def verify_credentials(self): if self.enabled: response = requests.get('https://api.exotel.com/v1/Accounts/{sid}' - .format(sid = self.account_sid), auth=(self.account_sid, self.api_token)) + .format(sid = self.account_sid), auth=(self.api_key, self.api_token)) if response.status_code != 200: frappe.throw(_("Invalid credentials")) \ No newline at end of file diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index f8b605a2d1..3a922f747b 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -1,21 +1,24 @@ import frappe from erpnext.crm.doctype.utils import get_document_with_phone_number +import requests + +# api/method/erpnext.erpnext_integrations.exotel_integration.handle_incoming_call @frappe.whitelist(allow_guest=True) def handle_incoming_call(*args, **kwargs): - incoming_phone_number = kwargs.get('CallFrom') + # incoming_phone_number = kwargs.get('CallFrom') - contact = get_document_with_phone_number(incoming_phone_number) - last_communication = get_last_communication(incoming_phone_number, contact) + # contact = get_document_with_phone_number(incoming_phone_number) + # last_communication = get_last_communication(incoming_phone_number, contact) call_log = create_call_log(kwargs) - data = { - 'contact': contact, - 'call_payload': kwargs, - 'last_communication': last_communication, + data = frappe._dict({ + 'call_from': kwargs.get('CallFrom'), + 'agent_email': kwargs.get('AgentEmail'), + 'call_type': kwargs.get('Direction'), 'call_log': call_log - } + }) - frappe.publish_realtime('incoming_call', data) + frappe.publish_realtime('show_call_popup', data, user=data.agent_email) def get_last_communication(phone_number, contact): @@ -23,6 +26,17 @@ def get_last_communication(phone_number, contact): return {} def create_call_log(call_payload): + communication = frappe.get_all('Communication', { + 'communication_medium': 'Phone', + 'call_id': call_payload.get('CallSid'), + }, limit=1) + + if communication: + log = frappe.get_doc('Communication', communication[0].name) + log.call_status = 'Connected' + log.save(ignore_permissions=True) + return log + communication = frappe.new_doc('Communication') communication.subject = frappe._('Call from {}').format(call_payload.get("CallFrom")) communication.communication_medium = 'Phone' @@ -33,9 +47,34 @@ def create_call_log(call_payload): communication.status = 'Open' communication.sent_or_received = 'Received' communication.content = 'call_payload' + communication.call_status = 'Incoming' communication.communication_date = call_payload.get('StartTime') - # communication.sid = call_payload.get('CallSid') - # communication.exophone = call_payload.get('CallTo') - # communication.call_receiver = call_payload.get('DialWhomNumber') + communication.call_id = call_payload.get('CallSid') communication.save(ignore_permissions=True) return communication + +def get_call_status(call_id): + settings = get_exotel_settings() + response = requests.get('https://{api_key}:{api_token}@api.exotel.com/v1/Accounts/erpnext/{sid}/{call_id}.json'.format( + api_key=settings.api_key, + api_token=settings.api_token, + call_id=call_id + )) + return response.json() + +@frappe.whitelist(allow_guest=True) +def make_a_call(from_number, to_number, caller_id): + settings = get_exotel_settings() + response = requests.post('https://{api_key}:{api_token}@api.exotel.com/v1/Accounts/{sid}/Calls/connect.json'.format( + api_key=settings.api_key, + api_token=settings.api_token, + ), data={ + 'From': from_number, + 'To': to_number, + 'CallerId': caller_id + }) + + return response.json() + +def get_exotel_settings(): + return frappe.get_single('Exotel Settings') \ No newline at end of file From fb1964aa18192a6c1091e4a80656f8bd71ce9f82 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Wed, 22 May 2019 06:38:25 +0530 Subject: [PATCH 008/132] fix: Changes to fix popup --- erpnext/public/build.json | 5 ++- erpnext/public/js/call_popup/call_popup.js | 36 +++++++------------ .../{call_summary.less => call_popup.less} | 0 3 files changed, 14 insertions(+), 27 deletions(-) rename erpnext/public/less/{call_summary.less => call_popup.less} (100%) diff --git a/erpnext/public/build.json b/erpnext/public/build.json index 3f55d0737d..818f336d9c 100644 --- a/erpnext/public/build.json +++ b/erpnext/public/build.json @@ -2,7 +2,7 @@ "css/erpnext.css": [ "public/less/erpnext.less", "public/less/hub.less", - "public/less/call_summary.less" + "public/less/call_popup.less" ], "css/marketplace.css": [ "public/less/hub.less" @@ -50,8 +50,7 @@ "public/js/education/student_button.html", "public/js/education/assessment_result_tool.html", "public/js/hub/hub_factory.js", - "public/js/call_popup/call_summary_dialog.js", - "public/js/call_popup/call_summary.html" + "public/js/call_popup/call_popup.js" ], "js/item-dashboard.min.js": [ "stock/dashboard/item_dashboard.html", diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 99c2ca38b1..2d95c5db72 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -1,8 +1,7 @@ class CallPopup { - constructor({ contact, call_payload, last_communication }) { - this.number = call_payload.CallFrom; - this.contact = contact; - this.last_communication = last_communication; + constructor({ call_from, call_log }) { + this.number = call_from; + this.call_log = call_log; this.make(); } @@ -34,7 +33,7 @@ class CallPopup { } }] }); - this.set_call_status(); + this.set_call_status(this.call_log.call_status); this.make_customer_contact(); this.dialog.show(); this.dialog.get_close_btn().show(); @@ -62,48 +61,37 @@ class CallPopup { } } - make_last_communication_section() { - const last_communication_section = this.body.find('.last-communication'); - const last_communication = frappe.ui.form.make_control({ - parent: last_communication_section, - df: { - fieldtype: "Text", - label: "Last Communication", - fieldname: "last_communication", - 'default': 'This is not working please helpppp', - "placeholder": __("Select or add new customer") - }, - }); - last_communication.set_value('This is not working please helpppp'); - } - make_summary_section() { // } - set_call_status(status) { + set_call_status() { let title = ''; - if (status === 'incoming') { + if (this.call_log.call_status === 'Incoming') { if (this.contact) { title = __('Incoming call from {0}', [this.contact.name]); } else { title = __('Incoming call from unknown number'); } + } else { + title = __('Call Connected'); } this.dialog.set_title(title); } update(data) { - // pass + this.call_log = data.call_log; + this.set_call_status(); } } $(document).on('app_ready', function () { - frappe.realtime.on('call_update', data => { + frappe.realtime.on('show_call_popup', data => { if (!erpnext.call_popup) { erpnext.call_popup = new CallPopup(data); } else { erpnext.call_popup.update(data); + erpnext.call_popup.dialog.show(); } }); }); diff --git a/erpnext/public/less/call_summary.less b/erpnext/public/less/call_popup.less similarity index 100% rename from erpnext/public/less/call_summary.less rename to erpnext/public/less/call_popup.less From 07fe299628106d00ac7d5e53778d9431d846ad23 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Wed, 22 May 2019 15:48:57 +0530 Subject: [PATCH 009/132] fix: Make changes to fix call flow and popup trigger --- erpnext/crm/doctype/utils.py | 15 ++- .../exotel_integration.py | 69 +++++++----- erpnext/public/js/call_popup/call_popup.js | 104 ++++++++++++------ 3 files changed, 121 insertions(+), 67 deletions(-) diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py index 3bd92462e3..5c338174bc 100644 --- a/erpnext/crm/doctype/utils.py +++ b/erpnext/crm/doctype/utils.py @@ -1,20 +1,25 @@ import frappe +@frappe.whitelist() def get_document_with_phone_number(number): # finds contacts and leads + if not number: return number = number[-10:] number_filter = { 'phone': ['like', '%{}'.format(number)], 'mobile_no': ['like', '%{}'.format(number)] } - contacts = frappe.get_all('Contact', or_filters=number_filter, - fields=['name'], limit=1) + contacts = frappe.get_all('Contact', or_filters=number_filter, limit=1) if contacts: return frappe.get_doc('Contact', contacts[0].name) - leads = frappe.get_all('Leads', or_filters=number_filter, - fields=['name'], limit=1) + leads = frappe.get_all('Lead', or_filters=number_filter, limit=1) if leads: - return frappe.get_doc('Lead', leads[0].name) \ No newline at end of file + return frappe.get_doc('Lead', leads[0].name) + + +def get_customer_last_interaction(contact_doc): + # + pass \ No newline at end of file diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index 3a922f747b..c45945fc4d 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -6,66 +6,77 @@ import requests @frappe.whitelist(allow_guest=True) def handle_incoming_call(*args, **kwargs): - # incoming_phone_number = kwargs.get('CallFrom') + exotel_settings = get_exotel_settings() + if not exotel_settings.enabled: return + + employee_email = kwargs.get('AgentEmail') + status = kwargs.get('Status') + + if status == 'free' and get_call_status(kwargs.get('CallSid')) == ['ringing', 'in-progress']: + # redirected to other agent number + frappe.publish_realtime('terminate_call_popup', user=employee_email) + return + + call_log = get_call_log(kwargs) - # contact = get_document_with_phone_number(incoming_phone_number) - # last_communication = get_last_communication(incoming_phone_number, contact) - call_log = create_call_log(kwargs) data = frappe._dict({ 'call_from': kwargs.get('CallFrom'), 'agent_email': kwargs.get('AgentEmail'), 'call_type': kwargs.get('Direction'), - 'call_log': call_log + 'call_log': call_log, + 'call_status_method': 'erpnext.erpnext_integrations.exotel_integration.get_call_status' }) - - frappe.publish_realtime('show_call_popup', data, user=data.agent_email) - + if call_log.call_status in ['ringing', 'in-progress']: + frappe.publish_realtime('show_call_popup', data, user=data.agent_email) def get_last_communication(phone_number, contact): # frappe.get_all('Communication', filter={}) return {} -def create_call_log(call_payload): +def get_call_log(call_payload): communication = frappe.get_all('Communication', { 'communication_medium': 'Phone', 'call_id': call_payload.get('CallSid'), }, limit=1) if communication: - log = frappe.get_doc('Communication', communication[0].name) - log.call_status = 'Connected' - log.save(ignore_permissions=True) - return log + communication = frappe.get_doc('Communication', communication[0].name) + else: + communication = frappe.new_doc('Communication') + communication.subject = frappe._('Call from {}').format(call_payload.get("CallFrom")) + communication.communication_medium = 'Phone' + communication.phone_no = call_payload.get("CallFrom") + communication.comment_type = 'Info' + communication.communication_type = 'Communication' + communication.sent_or_received = 'Received' + communication.communication_date = call_payload.get('StartTime') + communication.call_id = call_payload.get('CallSid') - communication = frappe.new_doc('Communication') - communication.subject = frappe._('Call from {}').format(call_payload.get("CallFrom")) - communication.communication_medium = 'Phone' - communication.send_email = 0 - communication.phone_no = call_payload.get("CallFrom") - communication.comment_type = 'Info' - communication.communication_type = 'Communication' - communication.status = 'Open' - communication.sent_or_received = 'Received' + status = get_call_status(communication.call_id) + communication.call_status = status or 'failed' + communication.status = 'Closed' if status in ['completed', 'failed', 'no-answer'] else 'Open' + communication.call_duration = call_payload.get('Duration') if status in ['completed', 'failed', 'no-answer'] else 0 communication.content = 'call_payload' - communication.call_status = 'Incoming' - communication.communication_date = call_payload.get('StartTime') - communication.call_id = call_payload.get('CallSid') communication.save(ignore_permissions=True) + frappe.db.commit() return communication +@frappe.whitelist() def get_call_status(call_id): + print(call_id) settings = get_exotel_settings() - response = requests.get('https://{api_key}:{api_token}@api.exotel.com/v1/Accounts/erpnext/{sid}/{call_id}.json'.format( + response = requests.get('https://{api_key}:{api_token}@api.exotel.com/v1/Accounts/erpnext/Calls/{call_id}.json'.format( api_key=settings.api_key, api_token=settings.api_token, call_id=call_id )) - return response.json() + status = response.json().get('Call', {}).get('Status') + return status -@frappe.whitelist(allow_guest=True) +@frappe.whitelist() def make_a_call(from_number, to_number, caller_id): settings = get_exotel_settings() - response = requests.post('https://{api_key}:{api_token}@api.exotel.com/v1/Accounts/{sid}/Calls/connect.json'.format( + response = requests.post('https://{api_key}:{api_token}@api.exotel.com/v1/Accounts/{sid}/Calls/connect.json?details=true'.format( api_key=settings.api_key, api_token=settings.api_token, ), data={ diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 2d95c5db72..7236f9e828 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -1,8 +1,11 @@ class CallPopup { - constructor({ call_from, call_log }) { + constructor({ call_from, call_log, call_status_method }) { this.number = call_from; this.call_log = call_log; + this.call_status_method = call_status_method; this.make(); + this.make_customer_contact(); + this.setup_call_status_updater(); } make() { @@ -34,47 +37,54 @@ class CallPopup { }] }); this.set_call_status(this.call_log.call_status); - this.make_customer_contact(); this.dialog.show(); this.dialog.get_close_btn().show(); - this.dialog.header.find('.indicator').removeClass('hidden').addClass('blue'); } make_customer_contact() { const wrapper = this.dialog.fields_dict["customer_info"].$wrapper; - const contact = this.contact; - const customer = this.contact.links ? this.contact.links[0] : null; - const customer_link = customer ? frappe.utils.get_form_link(customer.link_doctype, customer.link_name, true): ''; - if (!contact) { - wrapper.append('Unknown Contact'); - } else { - wrapper.append(` -
- -
- ${contact.first_name} ${contact.last_name} - ${contact.mobile_no} - ${customer_link} -
-
- `); - } - } - - make_summary_section() { - // - } - - set_call_status() { - let title = ''; - if (this.call_log.call_status === 'Incoming') { - if (this.contact) { - title = __('Incoming call from {0}', [this.contact.name]); + wrapper.append('
Loading...
'); + frappe.xcall('erpnext.crm.doctype.utils.get_document_with_phone_number', { + 'number': this.number + }).then(contact_doc => { + wrapper.empty(); + const contact = contact_doc; + if (!contact) { + wrapper.append('
Unknown Contact
'); + wrapper.append(`${__('Make New Contact')}`); } else { - title = __('Incoming call from unknown number'); + const link = contact.links ? contact.links[0] : null; + const contact_link = link ? frappe.utils.get_form_link(link.link_doctype, link.link_name, true): ''; + wrapper.append(` +
+ +
+ ${contact.first_name} ${contact.last_name} + ${contact.mobile_no} + ${contact_link} +
+
+ `); } - } else { + }); + } + + set_indicator(color) { + this.dialog.header.find('.indicator').removeClass('hidden').addClass('blink').addClass(color); + } + + set_call_status(call_status) { + let title = ''; + call_status = this.call_log.call_status; + if (call_status === 'busy') { + title = __('Incoming call'); + this.set_indicator('blue'); + } else if (call_status === 'in-progress') { title = __('Call Connected'); + this.set_indicator('yellow'); + } else if (call_status === 'missed') { + this.set_indicator('red'); + title = __('Call Missed'); } this.dialog.set_title(title); } @@ -83,6 +93,27 @@ class CallPopup { this.call_log = data.call_log; this.set_call_status(); } + + setup_call_status_updater() { + this.updater = setInterval(this.get_call_status.bind(this), 2000); + } + + get_call_status() { + frappe.xcall(this.call_status_method, { + 'call_id': this.call_log.call_id + }).then((call_status) => { + if (call_status === 'completed') { + clearInterval(this.updater); + } + }); + } + + terminate_popup() { + clearInterval(this.updater); + this.dialog.hide(); + delete erpnext.call_popup; + frappe.msgprint('Call Forwarded'); + } } $(document).on('app_ready', function () { @@ -90,8 +121,15 @@ $(document).on('app_ready', function () { if (!erpnext.call_popup) { erpnext.call_popup = new CallPopup(data); } else { + console.log(data); erpnext.call_popup.update(data); erpnext.call_popup.dialog.show(); } }); + + frappe.realtime.on('terminate_call_popup', () => { + if (erpnext.call_popup) { + erpnext.call_popup.terminate_popup(); + } + }); }); From 591ad3789454b096b8d37ac65e5bed4dbda4152d Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Fri, 24 May 2019 10:11:48 +0530 Subject: [PATCH 010/132] fix: call popup [wip] --- erpnext/crm/doctype/utils.py | 49 ++++++++++- erpnext/public/js/call_popup/call_popup.js | 94 +++++++++++++++++++--- erpnext/public/less/call_popup.less | 3 + 3 files changed, 131 insertions(+), 15 deletions(-) diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py index 5c338174bc..36cb0c1f23 100644 --- a/erpnext/crm/doctype/utils.py +++ b/erpnext/crm/doctype/utils.py @@ -1,4 +1,5 @@ import frappe +import json @frappe.whitelist() def get_document_with_phone_number(number): @@ -19,7 +20,49 @@ def get_document_with_phone_number(number): if leads: return frappe.get_doc('Lead', leads[0].name) +@frappe.whitelist() +def get_last_interaction(number, reference_doc): + reference_doc = json.loads(reference_doc) if reference_doc else get_document_with_phone_number(number) -def get_customer_last_interaction(contact_doc): - # - pass \ No newline at end of file + if not reference_doc: return + + reference_doc = frappe._dict(reference_doc) + + last_communication = {} + last_issue = {} + if reference_doc.doctype == 'Contact': + customer_name = '' + query_condition = '' + for link in reference_doc.links: + link = frappe._dict(link) + if link.link_doctype == 'Customer': + customer_name = link.link_name + query_condition += "(`reference_doctype`='{}' AND `reference_name`='{}') OR".format(link.link_doctype, link.link_name) + + if query_condition: + query_condition = query_condition[:-2] + + last_communication = frappe.db.sql(""" + SELECT `name`, `content` + FROM `tabCommunication` + WHERE {} + ORDER BY `modified` + LIMIT 1 + """.format(query_condition)) + + if customer_name: + last_issue = frappe.get_all('Issue', { + 'customer': customer_name + }, ['name', 'subject'], limit=1) + + elif reference_doc.doctype == 'Lead': + last_communication = frappe.get_all('Communication', { + 'reference_doctype': reference_doc.doctype, + 'reference_name': reference_doc.name, + 'sent_or_received': 'Received' + }, fields=['name', 'content'], limit=1) + + return { + 'last_communication': last_communication[0] if last_communication else None, + 'last_issue': last_issue[0] if last_issue else None + } \ No newline at end of file diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 7236f9e828..38464785db 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -4,8 +4,6 @@ class CallPopup { this.call_log = call_log; this.call_status_method = call_status_method; this.make(); - this.make_customer_contact(); - this.setup_call_status_updater(); } make() { @@ -16,29 +14,68 @@ class CallPopup { 'fieldname': 'customer_info', 'fieldtype': 'HTML' }, { - 'fieldtype': 'Section Break' + 'label': 'Last Interaction', + 'fielname': 'last_interaction', + 'fieldtype': 'Section Break', + // 'hidden': true }, { 'fieldtype': 'Small Text', 'label': "Last Communication", 'fieldname': 'last_communication', - 'read_only': true }, { - 'fieldtype': 'Column Break' + 'fieldname': 'last_communication_link', + 'fieldtype': 'HTML', + }, { + 'fieldtype': 'Small Text', + 'label': "Last Issue", + 'fieldname': 'last_issue', + }, { + 'fieldname': 'last_issue_link', + 'fieldtype': 'HTML', + }, { + 'label': 'Enter Call Summary', + 'fieldtype': 'Section Break', }, { 'fieldtype': 'Small Text', 'label': 'Call Summary', - 'fieldname': 'call_communication', + 'fieldname': 'call_summary', + }, { + 'label': 'Append To', + 'fieldtype': 'Select', + 'fieldname': 'doctype', + 'options': ['Issue', 'Lead', 'Communication'], + 'default': this.call_log.doctype + }, { + 'label': 'Document', + 'fieldtype': 'Dynamic Link', + 'fieldname': 'docname', + 'options': 'doctype', + 'default': this.call_log.name }, { 'fieldtype': 'Button', 'label': 'Submit', 'click': () => { - this.dialog.get_value(); + const values = this.dialog.get_values(); + frappe.xcall('frappe.desk.form.utils.add_comment', { + 'reference_doctype': values.doctype, + 'reference_name': values.docname, + 'content': `${__('Call Summary')}: ${values.call_summary}`, + 'comment_email': frappe.session.user + }).then(() => { + this.dialog.set_value('call_summary', ''); + }); } }] }); this.set_call_status(this.call_log.call_status); - this.dialog.show(); + this.make_customer_contact(); this.dialog.get_close_btn().show(); + this.setup_call_status_updater(); + this.dialog.set_secondary_action(() => { + clearInterval(this.updater); + this.dialog.hide(); + }); + this.dialog.show(); } make_customer_contact() { @@ -48,10 +85,16 @@ class CallPopup { 'number': this.number }).then(contact_doc => { wrapper.empty(); - const contact = contact_doc; + const contact = this.contact = contact_doc; if (!contact) { - wrapper.append('
Unknown Contact
'); - wrapper.append(`${__('Make New Contact')}`); + wrapper.append(` +
+
Unknown Number: ${this.number}
+ + ${__('Create New Contact')} + +
+ `); } else { const link = contact.links ? contact.links[0] : null; const contact_link = link ? frappe.utils.get_form_link(link.link_doctype, link.link_name, true): ''; @@ -65,6 +108,7 @@ class CallPopup {
`); + this.make_last_interaction_section(); } }); } @@ -85,6 +129,9 @@ class CallPopup { } else if (call_status === 'missed') { this.set_indicator('red'); title = __('Call Missed'); + } else { + this.set_indicator('blue'); + title = call_status; } this.dialog.set_title(title); } @@ -95,7 +142,7 @@ class CallPopup { } setup_call_status_updater() { - this.updater = setInterval(this.get_call_status.bind(this), 2000); + this.updater = setInterval(this.get_call_status.bind(this), 20000); } get_call_status() { @@ -114,6 +161,29 @@ class CallPopup { delete erpnext.call_popup; frappe.msgprint('Call Forwarded'); } + + make_last_interaction_section() { + frappe.xcall('erpnext.crm.doctype.utils.get_last_interaction', { + 'number': this.number, + 'reference_doc': this.contact + }).then(data => { + if (data.last_communication) { + const comm = data.last_communication; + // this.dialog.set_df_property('last_interaction', 'hidden', false); + const comm_field = this.dialog.fields_dict["last_communication"]; + comm_field.set_value(comm.content); + comm_field.$wrapper.append(frappe.utils.get_form_link('Communication', comm.name)); + } + + if (data.last_issue) { + const issue = data.last_issue; + // this.dialog.set_df_property('last_interaction', 'hidden', false); + const issue_field = this.dialog.fields_dict["last_issue"]; + issue_field.set_value(issue.subject); + issue_field.$wrapper.append(frappe.utils.get_form_link('Issue', issue.name, true)); + } + }); + } } $(document).on('app_ready', function () { diff --git a/erpnext/public/less/call_popup.less b/erpnext/public/less/call_popup.less index 0ec2066105..6ec2db9cd8 100644 --- a/erpnext/public/less/call_popup.less +++ b/erpnext/public/less/call_popup.less @@ -4,4 +4,7 @@ height: 100px; margin-right: 15px; } + a:hover { + text-decoration: underline; + } } \ No newline at end of file From 39a4d59cf60a8b624221787f4c0c9812779de675 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Mon, 27 May 2019 10:38:43 +0530 Subject: [PATCH 011/132] fix: Call popup modal --- .../exotel_integration.py | 10 ++- erpnext/public/js/call_popup/call_popup.js | 65 ++++++++++--------- erpnext/public/less/call_popup.less | 5 +- 3 files changed, 43 insertions(+), 37 deletions(-) diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index c45945fc4d..39d43b368f 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -12,9 +12,10 @@ def handle_incoming_call(*args, **kwargs): employee_email = kwargs.get('AgentEmail') status = kwargs.get('Status') - if status == 'free' and get_call_status(kwargs.get('CallSid')) == ['ringing', 'in-progress']: - # redirected to other agent number - frappe.publish_realtime('terminate_call_popup', user=employee_email) + if status == 'free': + # call disconnected for agent + # "and get_call_status(kwargs.get('CallSid')) in ['in-progress']" - additional check to ensure if the call was redirected + frappe.publish_realtime('call_disconnected', user=employee_email) return call_log = get_call_log(kwargs) @@ -29,9 +30,6 @@ def handle_incoming_call(*args, **kwargs): if call_log.call_status in ['ringing', 'in-progress']: frappe.publish_realtime('show_call_popup', data, user=data.agent_email) -def get_last_communication(phone_number, contact): - # frappe.get_all('Communication', filter={}) - return {} def get_call_log(call_payload): communication = frappe.get_all('Communication', { diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 38464785db..f203c8e855 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -1,6 +1,6 @@ class CallPopup { constructor({ call_from, call_log, call_status_method }) { - this.number = call_from; + this.caller_number = call_from; this.call_log = call_log; this.call_status_method = call_status_method; this.make(); @@ -11,17 +11,16 @@ class CallPopup { 'static': true, 'minimizable': true, 'fields': [{ - 'fieldname': 'customer_info', + 'fieldname': 'caller_info', 'fieldtype': 'HTML' }, { - 'label': 'Last Interaction', 'fielname': 'last_interaction', 'fieldtype': 'Section Break', - // 'hidden': true }, { 'fieldtype': 'Small Text', 'label': "Last Communication", 'fieldname': 'last_communication', + 'read_only': true }, { 'fieldname': 'last_communication_link', 'fieldtype': 'HTML', @@ -29,12 +28,12 @@ class CallPopup { 'fieldtype': 'Small Text', 'label': "Last Issue", 'fieldname': 'last_issue', + 'read_only': true }, { 'fieldname': 'last_issue_link', 'fieldtype': 'HTML', }, { - 'label': 'Enter Call Summary', - 'fieldtype': 'Section Break', + 'fieldtype': 'Column Break', }, { 'fieldtype': 'Small Text', 'label': 'Call Summary', @@ -65,10 +64,13 @@ class CallPopup { this.dialog.set_value('call_summary', ''); }); } - }] + }], + on_minimize_toggle: () => { + this.set_call_status(); + } }); this.set_call_status(this.call_log.call_status); - this.make_customer_contact(); + this.make_caller_info_section(); this.dialog.get_close_btn().show(); this.setup_call_status_updater(); this.dialog.set_secondary_action(() => { @@ -78,19 +80,19 @@ class CallPopup { this.dialog.show(); } - make_customer_contact() { - const wrapper = this.dialog.fields_dict["customer_info"].$wrapper; + make_caller_info_section() { + const wrapper = this.dialog.fields_dict['caller_info'].$wrapper; wrapper.append('
Loading...
'); frappe.xcall('erpnext.crm.doctype.utils.get_document_with_phone_number', { - 'number': this.number + 'number': this.caller_number }).then(contact_doc => { wrapper.empty(); const contact = this.contact = contact_doc; if (!contact) { wrapper.append(` -
-
Unknown Number: ${this.number}
- + @@ -99,7 +101,7 @@ class CallPopup { const link = contact.links ? contact.links[0] : null; const contact_link = link ? frappe.utils.get_form_link(link.link_doctype, link.link_name, true): ''; wrapper.append(` -
+
${contact.first_name} ${contact.last_name} @@ -108,27 +110,32 @@ class CallPopup {
`); + this.set_call_status(); this.make_last_interaction_section(); } }); } - set_indicator(color) { - this.dialog.header.find('.indicator').removeClass('hidden').addClass('blink').addClass(color); + set_indicator(color, blink=false) { + this.dialog.header.find('.indicator').removeClass('hidden').toggleClass('blink', blink).addClass(color); } set_call_status(call_status) { let title = ''; - call_status = this.call_log.call_status; - if (call_status === 'busy') { - title = __('Incoming call'); - this.set_indicator('blue'); + call_status = call_status || this.call_log.call_status; + if (['busy', 'completed'].includes(call_status)) { + title = __('Incoming call from {0}', + [this.contact ? `${this.contact.first_name} ${this.contact.last_name}` : this.caller_number]); + this.set_indicator('blue', true); } else if (call_status === 'in-progress') { title = __('Call Connected'); this.set_indicator('yellow'); } else if (call_status === 'missed') { this.set_indicator('red'); title = __('Call Missed'); + } else if (call_status === 'disconnected') { + this.set_indicator('red'); + title = __('Call Disconnected'); } else { this.set_indicator('blue'); title = call_status; @@ -155,16 +162,14 @@ class CallPopup { }); } - terminate_popup() { + disconnect_call() { + this.set_call_status('disconnected'); clearInterval(this.updater); - this.dialog.hide(); - delete erpnext.call_popup; - frappe.msgprint('Call Forwarded'); } make_last_interaction_section() { frappe.xcall('erpnext.crm.doctype.utils.get_last_interaction', { - 'number': this.number, + 'number': this.caller_number, 'reference_doc': this.contact }).then(data => { if (data.last_communication) { @@ -180,7 +185,8 @@ class CallPopup { // this.dialog.set_df_property('last_interaction', 'hidden', false); const issue_field = this.dialog.fields_dict["last_issue"]; issue_field.set_value(issue.subject); - issue_field.$wrapper.append(frappe.utils.get_form_link('Issue', issue.name, true)); + issue_field.$wrapper + .append(`View ${issue.name}`); } }); } @@ -191,15 +197,14 @@ $(document).on('app_ready', function () { if (!erpnext.call_popup) { erpnext.call_popup = new CallPopup(data); } else { - console.log(data); erpnext.call_popup.update(data); erpnext.call_popup.dialog.show(); } }); - frappe.realtime.on('terminate_call_popup', () => { + frappe.realtime.on('call_disconnected', () => { if (erpnext.call_popup) { - erpnext.call_popup.terminate_popup(); + erpnext.call_popup.disconnect_call(); } }); }); diff --git a/erpnext/public/less/call_popup.less b/erpnext/public/less/call_popup.less index 6ec2db9cd8..3f4ffef3c0 100644 --- a/erpnext/public/less/call_popup.less +++ b/erpnext/public/less/call_popup.less @@ -1,4 +1,7 @@ -.customer-info { +.call-popup { + .caller-info { + padding: 0 15px; + } img { width: auto; height: 100px; From bd03a51e8fe9b2027b1e1bbb3ab6fccc3a858fa3 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Mon, 27 May 2019 15:30:41 +0530 Subject: [PATCH 012/132] fix: Handle end call --- .../exotel_integration.py | 31 +++++++++++-------- erpnext/public/js/call_popup/call_popup.js | 3 +- 2 files changed, 20 insertions(+), 14 deletions(-) diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index 39d43b368f..5b24e7c138 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -27,11 +27,19 @@ def handle_incoming_call(*args, **kwargs): 'call_log': call_log, 'call_status_method': 'erpnext.erpnext_integrations.exotel_integration.get_call_status' }) - if call_log.call_status in ['ringing', 'in-progress']: - frappe.publish_realtime('show_call_popup', data, user=data.agent_email) + + frappe.publish_realtime('show_call_popup', data, user=data.agent_email) + +@frappe.whitelist(allow_guest=True) +def handle_end_call(*args, **kwargs): + call_log = get_call_log(kwargs) + if call_log: + call_log.status = 'Closed' + call_log.save(ignore_permissions=True) + frappe.db.commit() -def get_call_log(call_payload): +def get_call_log(call_payload, create_new_if_not_found=True): communication = frappe.get_all('Communication', { 'communication_medium': 'Phone', 'call_id': call_payload.get('CallSid'), @@ -39,7 +47,8 @@ def get_call_log(call_payload): if communication: communication = frappe.get_doc('Communication', communication[0].name) - else: + return communication + elif create_new_if_not_found: communication = frappe.new_doc('Communication') communication.subject = frappe._('Call from {}').format(call_payload.get("CallFrom")) communication.communication_medium = 'Phone' @@ -49,15 +58,11 @@ def get_call_log(call_payload): communication.sent_or_received = 'Received' communication.communication_date = call_payload.get('StartTime') communication.call_id = call_payload.get('CallSid') - - status = get_call_status(communication.call_id) - communication.call_status = status or 'failed' - communication.status = 'Closed' if status in ['completed', 'failed', 'no-answer'] else 'Open' - communication.call_duration = call_payload.get('Duration') if status in ['completed', 'failed', 'no-answer'] else 0 - communication.content = 'call_payload' - communication.save(ignore_permissions=True) - frappe.db.commit() - return communication + communication.status = 'Open' + communication.content = frappe._('Call from {}').format(call_payload.get("CallFrom")) + communication.save(ignore_permissions=True) + frappe.db.commit() + return communication @frappe.whitelist() def get_call_status(call_id): diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index f203c8e855..3fa5fa63c6 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -73,6 +73,7 @@ class CallPopup { this.make_caller_info_section(); this.dialog.get_close_btn().show(); this.setup_call_status_updater(); + this.dialog.$body.addClass('call-popup'); this.dialog.set_secondary_action(() => { clearInterval(this.updater); this.dialog.hide(); @@ -123,7 +124,7 @@ class CallPopup { set_call_status(call_status) { let title = ''; call_status = call_status || this.call_log.call_status; - if (['busy', 'completed'].includes(call_status)) { + if (['busy', 'completed'].includes(call_status) || !call_status) { title = __('Incoming call from {0}', [this.contact ? `${this.contact.first_name} ${this.contact.last_name}` : this.caller_number]); this.set_indicator('blue', true); From b1a55a2af5b3f2767bc5ea22ed32952a1648af14 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Mon, 27 May 2019 16:18:50 +0530 Subject: [PATCH 013/132] fix: Add call summary --- erpnext/crm/doctype/utils.py | 12 +++++++++++- erpnext/public/js/call_popup/call_popup.js | 20 +++----------------- 2 files changed, 14 insertions(+), 18 deletions(-) diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py index 36cb0c1f23..9399fba40f 100644 --- a/erpnext/crm/doctype/utils.py +++ b/erpnext/crm/doctype/utils.py @@ -65,4 +65,14 @@ def get_last_interaction(number, reference_doc): return { 'last_communication': last_communication[0] if last_communication else None, 'last_issue': last_issue[0] if last_issue else None - } \ No newline at end of file + } + +@frappe.whitelist() +def add_call_summary(docname, summary): + communication = frappe.get_doc('Communication', docname) + communication.content = 'Call Summary by {user}: {summary}'.format({ + 'user': frappe.utils.get_fullname(frappe.session.user), + 'summary': summary + }) + communication.save(ignore_permissions=True) + diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 3fa5fa63c6..2410684429 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -38,28 +38,14 @@ class CallPopup { 'fieldtype': 'Small Text', 'label': 'Call Summary', 'fieldname': 'call_summary', - }, { - 'label': 'Append To', - 'fieldtype': 'Select', - 'fieldname': 'doctype', - 'options': ['Issue', 'Lead', 'Communication'], - 'default': this.call_log.doctype - }, { - 'label': 'Document', - 'fieldtype': 'Dynamic Link', - 'fieldname': 'docname', - 'options': 'doctype', - 'default': this.call_log.name }, { 'fieldtype': 'Button', 'label': 'Submit', 'click': () => { const values = this.dialog.get_values(); - frappe.xcall('frappe.desk.form.utils.add_comment', { - 'reference_doctype': values.doctype, - 'reference_name': values.docname, - 'content': `${__('Call Summary')}: ${values.call_summary}`, - 'comment_email': frappe.session.user + frappe.xcall('erpnext.crm.doctype.utils.add_call_summary', { + 'docname': this.call_log.name, + 'summary': `${__('Call Summary')}: ${values.call_summary}`, }).then(() => { this.dialog.set_value('call_summary', ''); }); From 893a0c24bbdb64173fa27d125e22270c61c9fba3 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Fri, 31 May 2019 13:42:22 +0530 Subject: [PATCH 014/132] fix: Add call summary --- erpnext/crm/doctype/utils.py | 12 +++++++++++- erpnext/public/js/call_popup/call_popup.js | 20 +++----------------- 2 files changed, 14 insertions(+), 18 deletions(-) diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py index 36cb0c1f23..9399fba40f 100644 --- a/erpnext/crm/doctype/utils.py +++ b/erpnext/crm/doctype/utils.py @@ -65,4 +65,14 @@ def get_last_interaction(number, reference_doc): return { 'last_communication': last_communication[0] if last_communication else None, 'last_issue': last_issue[0] if last_issue else None - } \ No newline at end of file + } + +@frappe.whitelist() +def add_call_summary(docname, summary): + communication = frappe.get_doc('Communication', docname) + communication.content = 'Call Summary by {user}: {summary}'.format({ + 'user': frappe.utils.get_fullname(frappe.session.user), + 'summary': summary + }) + communication.save(ignore_permissions=True) + diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 3fa5fa63c6..2410684429 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -38,28 +38,14 @@ class CallPopup { 'fieldtype': 'Small Text', 'label': 'Call Summary', 'fieldname': 'call_summary', - }, { - 'label': 'Append To', - 'fieldtype': 'Select', - 'fieldname': 'doctype', - 'options': ['Issue', 'Lead', 'Communication'], - 'default': this.call_log.doctype - }, { - 'label': 'Document', - 'fieldtype': 'Dynamic Link', - 'fieldname': 'docname', - 'options': 'doctype', - 'default': this.call_log.name }, { 'fieldtype': 'Button', 'label': 'Submit', 'click': () => { const values = this.dialog.get_values(); - frappe.xcall('frappe.desk.form.utils.add_comment', { - 'reference_doctype': values.doctype, - 'reference_name': values.docname, - 'content': `${__('Call Summary')}: ${values.call_summary}`, - 'comment_email': frappe.session.user + frappe.xcall('erpnext.crm.doctype.utils.add_call_summary', { + 'docname': this.call_log.name, + 'summary': `${__('Call Summary')}: ${values.call_summary}`, }).then(() => { this.dialog.set_value('call_summary', ''); }); From e9bfecf4052353934c2193e1779e5c9e536c4935 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Mon, 3 Jun 2019 12:27:02 +0530 Subject: [PATCH 015/132] fix: Add code to update call summary --- erpnext/crm/doctype/utils.py | 13 +++++--- .../exotel_integration.py | 32 +++++++++++++++++-- erpnext/public/js/call_popup/call_popup.js | 6 ++-- 3 files changed, 42 insertions(+), 9 deletions(-) diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py index 9399fba40f..26cb2981d8 100644 --- a/erpnext/crm/doctype/utils.py +++ b/erpnext/crm/doctype/utils.py @@ -1,4 +1,5 @@ import frappe +from frappe import _ import json @frappe.whitelist() @@ -53,7 +54,7 @@ def get_last_interaction(number, reference_doc): if customer_name: last_issue = frappe.get_all('Issue', { 'customer': customer_name - }, ['name', 'subject'], limit=1) + }, ['name', 'subject', 'customer'], limit=1) elif reference_doc.doctype == 'Lead': last_communication = frappe.get_all('Communication', { @@ -70,9 +71,11 @@ def get_last_interaction(number, reference_doc): @frappe.whitelist() def add_call_summary(docname, summary): communication = frappe.get_doc('Communication', docname) - communication.content = 'Call Summary by {user}: {summary}'.format({ - 'user': frappe.utils.get_fullname(frappe.session.user), - 'summary': summary - }) + content = _('Call Summary by {0}: {1}').format( + frappe.utils.get_fullname(frappe.session.user), summary) + if not communication.content: + communication.content = content + else: + communication.content += '\n' + content communication.save(ignore_permissions=True) diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index 5b24e7c138..c70b0948ae 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -32,7 +32,14 @@ def handle_incoming_call(*args, **kwargs): @frappe.whitelist(allow_guest=True) def handle_end_call(*args, **kwargs): - call_log = get_call_log(kwargs) + close_call_log(kwargs) + +@frappe.whitelist(allow_guest=True) +def handle_missed_call(*args, **kwargs): + close_call_log(kwargs) + +def close_call_log(call_payload): + call_log = get_call_log(call_payload) if call_log: call_log.status = 'Closed' call_log.save(ignore_permissions=True) @@ -82,6 +89,7 @@ def make_a_call(from_number, to_number, caller_id): response = requests.post('https://{api_key}:{api_token}@api.exotel.com/v1/Accounts/{sid}/Calls/connect.json?details=true'.format( api_key=settings.api_key, api_token=settings.api_token, + sid=settings.account_sid ), data={ 'From': from_number, 'To': to_number, @@ -91,4 +99,24 @@ def make_a_call(from_number, to_number, caller_id): return response.json() def get_exotel_settings(): - return frappe.get_single('Exotel Settings') \ No newline at end of file + return frappe.get_single('Exotel Settings') + +@frappe.whitelist(allow_guest=True) +def get_phone_numbers(): + numbers = 'some number' + whitelist_numbers(numbers, 'for number') + return numbers + +def whitelist_numbers(numbers, caller_id): + settings = get_exotel_settings() + query = 'https://{api_key}:{api_token}@api.exotel.com/v1/Accounts/{sid}/CustomerWhitelist'.format( + api_key=settings.api_key, + api_token=settings.api_token, + sid=settings.account_sid + ) + response = requests.post(query, data={ + 'VirtualNumber': caller_id, + 'Number': numbers, + }) + + return response \ No newline at end of file diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 2410684429..5693ff0677 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -43,9 +43,10 @@ class CallPopup { 'label': 'Submit', 'click': () => { const values = this.dialog.get_values(); + if (!values.call_summary) return frappe.xcall('erpnext.crm.doctype.utils.add_call_summary', { 'docname': this.call_log.name, - 'summary': `${__('Call Summary')}: ${values.call_summary}`, + 'summary': values.call_summary, }).then(() => { this.dialog.set_value('call_summary', ''); }); @@ -62,6 +63,7 @@ class CallPopup { this.dialog.$body.addClass('call-popup'); this.dialog.set_secondary_action(() => { clearInterval(this.updater); + delete erpnext.call_popup; this.dialog.hide(); }); this.dialog.show(); @@ -173,7 +175,7 @@ class CallPopup { const issue_field = this.dialog.fields_dict["last_issue"]; issue_field.set_value(issue.subject); issue_field.$wrapper - .append(`View ${issue.name}`); + .append(`View all issues from ${issue.customer}`); } }); } From cf270845f2790eaa37adf6a579786522ed3cf194 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Wed, 5 Jun 2019 10:04:51 +0530 Subject: [PATCH 016/132] fix: Indicator toggler --- erpnext/public/js/call_popup/call_popup.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 5693ff0677..9ae9fd1eab 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -106,7 +106,8 @@ class CallPopup { } set_indicator(color, blink=false) { - this.dialog.header.find('.indicator').removeClass('hidden').toggleClass('blink', blink).addClass(color); + let classes = `indicator ${color} ${blink ? 'blink': ''}`; + this.dialog.header.find('.indicator').attr('class', classes); } set_call_status(call_status) { From bf1195e0b9fa2b99c95b87fe8768ea47ba3dd230 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Wed, 5 Jun 2019 12:23:30 +0530 Subject: [PATCH 017/132] feat: Introduce communication module --- erpnext/communication/__init__.py | 0 erpnext/communication/doctype/__init__.py | 0 erpnext/modules.txt | 3 ++- 3 files changed, 2 insertions(+), 1 deletion(-) create mode 100644 erpnext/communication/__init__.py create mode 100644 erpnext/communication/doctype/__init__.py diff --git a/erpnext/communication/__init__.py b/erpnext/communication/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/communication/doctype/__init__.py b/erpnext/communication/doctype/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/modules.txt b/erpnext/modules.txt index 9ef8937ee5..316d6de20e 100644 --- a/erpnext/modules.txt +++ b/erpnext/modules.txt @@ -22,4 +22,5 @@ ERPNext Integrations Non Profit Hotels Hub Node -Quality Management \ No newline at end of file +Quality Management +Communication \ No newline at end of file From 0d64343ec02170c8cbb32d7b1a8a7ba1ccaa1503 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Wed, 5 Jun 2019 12:25:17 +0530 Subject: [PATCH 018/132] feat: Add Call Log, Communication Medium, Communication Medium Timeslot doctype --- .../doctype/call_log/__init__.py | 0 .../doctype/call_log/call_log.js | 8 ++ .../doctype/call_log/call_log.json | 86 +++++++++++++++++++ .../doctype/call_log/call_log.py | 10 +++ .../doctype/call_log/test_call_log.py | 10 +++ .../doctype/communication_medium/__init__.py | 0 .../communication_medium.js | 8 ++ .../communication_medium.json | 81 +++++++++++++++++ .../communication_medium.py | 10 +++ .../test_communication_medium.py | 10 +++ .../communication_medium_timeslot/__init__.py | 0 .../communication_medium_timeslot.json | 56 ++++++++++++ .../communication_medium_timeslot.py | 10 +++ 13 files changed, 289 insertions(+) create mode 100644 erpnext/communication/doctype/call_log/__init__.py create mode 100644 erpnext/communication/doctype/call_log/call_log.js create mode 100644 erpnext/communication/doctype/call_log/call_log.json create mode 100644 erpnext/communication/doctype/call_log/call_log.py create mode 100644 erpnext/communication/doctype/call_log/test_call_log.py create mode 100644 erpnext/communication/doctype/communication_medium/__init__.py create mode 100644 erpnext/communication/doctype/communication_medium/communication_medium.js create mode 100644 erpnext/communication/doctype/communication_medium/communication_medium.json create mode 100644 erpnext/communication/doctype/communication_medium/communication_medium.py create mode 100644 erpnext/communication/doctype/communication_medium/test_communication_medium.py create mode 100644 erpnext/communication/doctype/communication_medium_timeslot/__init__.py create mode 100644 erpnext/communication/doctype/communication_medium_timeslot/communication_medium_timeslot.json create mode 100644 erpnext/communication/doctype/communication_medium_timeslot/communication_medium_timeslot.py diff --git a/erpnext/communication/doctype/call_log/__init__.py b/erpnext/communication/doctype/call_log/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/communication/doctype/call_log/call_log.js b/erpnext/communication/doctype/call_log/call_log.js new file mode 100644 index 0000000000..0018516ec0 --- /dev/null +++ b/erpnext/communication/doctype/call_log/call_log.js @@ -0,0 +1,8 @@ +// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +// For license information, please see license.txt + +frappe.ui.form.on('Call Log', { + // refresh: function(frm) { + + // } +}); diff --git a/erpnext/communication/doctype/call_log/call_log.json b/erpnext/communication/doctype/call_log/call_log.json new file mode 100644 index 0000000000..0da5970137 --- /dev/null +++ b/erpnext/communication/doctype/call_log/call_log.json @@ -0,0 +1,86 @@ +{ + "autoname": "call_id", + "creation": "2019-06-05 12:07:02.634534", + "doctype": "DocType", + "engine": "InnoDB", + "field_order": [ + "call_id", + "call_from", + "column_break_3", + "received_by", + "section_break_5", + "call_status", + "call_duration", + "call_summary" + ], + "fields": [ + { + "fieldname": "call_id", + "fieldtype": "Data", + "label": "Call ID", + "read_only": 1 + }, + { + "fieldname": "call_from", + "fieldtype": "Data", + "label": "Call From", + "read_only": 1 + }, + { + "fieldname": "column_break_3", + "fieldtype": "Column Break" + }, + { + "fieldname": "received_by", + "fieldtype": "Data", + "label": "Received By", + "read_only": 1 + }, + { + "fieldname": "section_break_5", + "fieldtype": "Section Break" + }, + { + "fieldname": "call_status", + "fieldtype": "Select", + "label": "Call Status", + "options": "Ringing\nIn Progress\nMissed", + "read_only": 1 + }, + { + "description": "Call Duration in seconds", + "fieldname": "call_duration", + "fieldtype": "Int", + "label": "Call Duration", + "read_only": 1 + }, + { + "fieldname": "call_summary", + "fieldtype": "Data", + "label": "Call Summary", + "read_only": 1 + } + ], + "modified": "2019-06-05 12:08:55.527178", + "modified_by": "Administrator", + "module": "Communication", + "name": "Call Log", + "owner": "Administrator", + "permissions": [ + { + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "share": 1, + "write": 1 + } + ], + "sort_field": "modified", + "sort_order": "ASC", + "track_changes": 1 +} \ No newline at end of file diff --git a/erpnext/communication/doctype/call_log/call_log.py b/erpnext/communication/doctype/call_log/call_log.py new file mode 100644 index 0000000000..fcca0e4b49 --- /dev/null +++ b/erpnext/communication/doctype/call_log/call_log.py @@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +# import frappe +from frappe.model.document import Document + +class CallLog(Document): + pass diff --git a/erpnext/communication/doctype/call_log/test_call_log.py b/erpnext/communication/doctype/call_log/test_call_log.py new file mode 100644 index 0000000000..dcc982c000 --- /dev/null +++ b/erpnext/communication/doctype/call_log/test_call_log.py @@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors +# See license.txt +from __future__ import unicode_literals + +# import frappe +import unittest + +class TestCallLog(unittest.TestCase): + pass diff --git a/erpnext/communication/doctype/communication_medium/__init__.py b/erpnext/communication/doctype/communication_medium/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/communication/doctype/communication_medium/communication_medium.js b/erpnext/communication/doctype/communication_medium/communication_medium.js new file mode 100644 index 0000000000..e37cd5b454 --- /dev/null +++ b/erpnext/communication/doctype/communication_medium/communication_medium.js @@ -0,0 +1,8 @@ +// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +// For license information, please see license.txt + +frappe.ui.form.on('Communication Medium', { + // refresh: function(frm) { + + // } +}); diff --git a/erpnext/communication/doctype/communication_medium/communication_medium.json b/erpnext/communication/doctype/communication_medium/communication_medium.json new file mode 100644 index 0000000000..f009b38877 --- /dev/null +++ b/erpnext/communication/doctype/communication_medium/communication_medium.json @@ -0,0 +1,81 @@ +{ + "autoname": "Prompt", + "creation": "2019-06-05 11:48:30.572795", + "doctype": "DocType", + "engine": "InnoDB", + "field_order": [ + "communication_medium_type", + "catch_all", + "column_break_3", + "provider", + "disabled", + "timeslots_section", + "timeslots" + ], + "fields": [ + { + "fieldname": "communication_medium_type", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Communication Medium Type", + "options": "Voice\nEmail\nChat", + "reqd": 1 + }, + { + "description": "If there is no assigned timeslot, then communication will be handled by this group", + "fieldname": "catch_all", + "fieldtype": "Link", + "label": "Catch All", + "options": "Employee Group" + }, + { + "fieldname": "column_break_3", + "fieldtype": "Column Break" + }, + { + "fieldname": "provider", + "fieldtype": "Link", + "label": "Provider", + "options": "Supplier" + }, + { + "default": "0", + "fieldname": "disabled", + "fieldtype": "Check", + "label": "Disabled" + }, + { + "fieldname": "timeslots_section", + "fieldtype": "Section Break", + "label": "Timeslots" + }, + { + "fieldname": "timeslots", + "fieldtype": "Table", + "label": "Timeslots", + "options": "Communication Medium Timeslot" + } + ], + "modified": "2019-06-05 11:49:30.769006", + "modified_by": "Administrator", + "module": "Communication", + "name": "Communication Medium", + "owner": "Administrator", + "permissions": [ + { + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "share": 1, + "write": 1 + } + ], + "sort_field": "modified", + "sort_order": "ASC", + "track_changes": 1 +} \ No newline at end of file diff --git a/erpnext/communication/doctype/communication_medium/communication_medium.py b/erpnext/communication/doctype/communication_medium/communication_medium.py new file mode 100644 index 0000000000..f233da07d5 --- /dev/null +++ b/erpnext/communication/doctype/communication_medium/communication_medium.py @@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +# import frappe +from frappe.model.document import Document + +class CommunicationMedium(Document): + pass diff --git a/erpnext/communication/doctype/communication_medium/test_communication_medium.py b/erpnext/communication/doctype/communication_medium/test_communication_medium.py new file mode 100644 index 0000000000..fc5754fe98 --- /dev/null +++ b/erpnext/communication/doctype/communication_medium/test_communication_medium.py @@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors +# See license.txt +from __future__ import unicode_literals + +# import frappe +import unittest + +class TestCommunicationMedium(unittest.TestCase): + pass diff --git a/erpnext/communication/doctype/communication_medium_timeslot/__init__.py b/erpnext/communication/doctype/communication_medium_timeslot/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/communication/doctype/communication_medium_timeslot/communication_medium_timeslot.json b/erpnext/communication/doctype/communication_medium_timeslot/communication_medium_timeslot.json new file mode 100644 index 0000000000..b278ca08f5 --- /dev/null +++ b/erpnext/communication/doctype/communication_medium_timeslot/communication_medium_timeslot.json @@ -0,0 +1,56 @@ +{ + "creation": "2019-06-05 11:43:38.897272", + "doctype": "DocType", + "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "day_of_week", + "from_time", + "to_time", + "employee_group" + ], + "fields": [ + { + "fieldname": "day_of_week", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Day of Week", + "options": "Monday\nTuesday\nWednesday\nThursday\nFriday\nSaturday\nSunday", + "reqd": 1 + }, + { + "columns": 2, + "fieldname": "from_time", + "fieldtype": "Time", + "in_list_view": 1, + "label": "From Time", + "reqd": 1 + }, + { + "columns": 2, + "fieldname": "to_time", + "fieldtype": "Time", + "in_list_view": 1, + "label": "To Time", + "reqd": 1 + }, + { + "fieldname": "employee_group", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Employee Group", + "options": "Employee Group", + "reqd": 1 + } + ], + "istable": 1, + "modified": "2019-06-05 12:19:59.994979", + "modified_by": "Administrator", + "module": "Communication", + "name": "Communication Medium Timeslot", + "owner": "Administrator", + "permissions": [], + "sort_field": "modified", + "sort_order": "ASC", + "track_changes": 1 +} \ No newline at end of file diff --git a/erpnext/communication/doctype/communication_medium_timeslot/communication_medium_timeslot.py b/erpnext/communication/doctype/communication_medium_timeslot/communication_medium_timeslot.py new file mode 100644 index 0000000000..d68d2d67a7 --- /dev/null +++ b/erpnext/communication/doctype/communication_medium_timeslot/communication_medium_timeslot.py @@ -0,0 +1,10 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +# import frappe +from frappe.model.document import Document + +class CommunicationMediumTimeslot(Document): + pass From 27234ff907c109b05d34911cf1bafe5e294dc689 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Thu, 6 Jun 2019 10:57:13 +0530 Subject: [PATCH 019/132] fix: Update call log doctype --- .../communication/doctype/call_log/call_log.json | 13 +++++++++---- 1 file changed, 9 insertions(+), 4 deletions(-) diff --git a/erpnext/communication/doctype/call_log/call_log.json b/erpnext/communication/doctype/call_log/call_log.json index 0da5970137..fe87ae9737 100644 --- a/erpnext/communication/doctype/call_log/call_log.json +++ b/erpnext/communication/doctype/call_log/call_log.json @@ -1,5 +1,5 @@ { - "autoname": "call_id", + "autoname": "field:call_id", "creation": "2019-06-05 12:07:02.634534", "doctype": "DocType", "engine": "InnoDB", @@ -18,11 +18,13 @@ "fieldname": "call_id", "fieldtype": "Data", "label": "Call ID", - "read_only": 1 + "read_only": 1, + "unique": 1 }, { "fieldname": "call_from", "fieldtype": "Data", + "in_list_view": 1, "label": "Call From", "read_only": 1 }, @@ -43,14 +45,16 @@ { "fieldname": "call_status", "fieldtype": "Select", + "in_list_view": 1, "label": "Call Status", - "options": "Ringing\nIn Progress\nMissed", + "options": "Ringing\nIn Progress\nCompleted\nMissed", "read_only": 1 }, { "description": "Call Duration in seconds", "fieldname": "call_duration", "fieldtype": "Int", + "in_list_view": 1, "label": "Call Duration", "read_only": 1 }, @@ -61,7 +65,7 @@ "read_only": 1 } ], - "modified": "2019-06-05 12:08:55.527178", + "modified": "2019-06-06 07:41:26.208109", "modified_by": "Administrator", "module": "Communication", "name": "Call Log", @@ -82,5 +86,6 @@ ], "sort_field": "modified", "sort_order": "ASC", + "title_field": "call_from", "track_changes": 1 } \ No newline at end of file From 44c0e9d54901c80b4fe780453e6dc4a7eac24eff Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Thu, 6 Jun 2019 11:18:16 +0530 Subject: [PATCH 020/132] fix: Create call log instead of communication --- erpnext/crm/doctype/utils.py | 11 ++++---- .../exotel_integration.py | 27 +++++++------------ 2 files changed, 15 insertions(+), 23 deletions(-) diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py index 26cb2981d8..93d440cccb 100644 --- a/erpnext/crm/doctype/utils.py +++ b/erpnext/crm/doctype/utils.py @@ -70,12 +70,13 @@ def get_last_interaction(number, reference_doc): @frappe.whitelist() def add_call_summary(docname, summary): - communication = frappe.get_doc('Communication', docname) + call_log = frappe.get_doc('Call Log', docname) content = _('Call Summary by {0}: {1}').format( frappe.utils.get_fullname(frappe.session.user), summary) - if not communication.content: - communication.content = content + if not call_log.call_summary: + call_log.call_summary = content else: - communication.content += '\n' + content - communication.save(ignore_permissions=True) + call_log.call_summary += '
' + content + call_log.save(ignore_permissions=True) + diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index c70b0948ae..358eb3be0c 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -47,29 +47,20 @@ def close_call_log(call_payload): def get_call_log(call_payload, create_new_if_not_found=True): - communication = frappe.get_all('Communication', { - 'communication_medium': 'Phone', + call_log = frappe.get_all('Call Log', { 'call_id': call_payload.get('CallSid'), }, limit=1) - if communication: - communication = frappe.get_doc('Communication', communication[0].name) - return communication + if call_log: + return frappe.get_doc('Call Log', call_log[0].name) elif create_new_if_not_found: - communication = frappe.new_doc('Communication') - communication.subject = frappe._('Call from {}').format(call_payload.get("CallFrom")) - communication.communication_medium = 'Phone' - communication.phone_no = call_payload.get("CallFrom") - communication.comment_type = 'Info' - communication.communication_type = 'Communication' - communication.sent_or_received = 'Received' - communication.communication_date = call_payload.get('StartTime') - communication.call_id = call_payload.get('CallSid') - communication.status = 'Open' - communication.content = frappe._('Call from {}').format(call_payload.get("CallFrom")) - communication.save(ignore_permissions=True) + call_log = frappe.new_doc('Call Log') + call_log.call_id = call_payload.get('CallSid') + call_log.call_from = call_payload.get('CallFrom') + call_log.status = 'Ringing' + call_log.save(ignore_permissions=True) frappe.db.commit() - return communication + return call_log @frappe.whitelist() def get_call_status(call_id): From 87645e98ad3a562ee0ccbb5245dc44d03ae6a7b8 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Thu, 6 Jun 2019 11:24:31 +0530 Subject: [PATCH 021/132] fix: Get available employees from communication medium --- erpnext/crm/doctype/utils.py | 14 +++++++++ .../exotel_integration.py | 29 ++++++++----------- 2 files changed, 26 insertions(+), 17 deletions(-) diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py index 93d440cccb..93ad0932eb 100644 --- a/erpnext/crm/doctype/utils.py +++ b/erpnext/crm/doctype/utils.py @@ -79,4 +79,18 @@ def add_call_summary(docname, summary): call_log.call_summary += '
' + content call_log.save(ignore_permissions=True) +def get_employee_emails_for_popup(): + employee_emails = [] + now_time = frappe.utils.nowtime() + weekday = frappe.utils.get_weekday() + available_employee_groups = frappe.db.sql("""SELECT `parent`, `employee_group` + FROM `tabCommunication Medium Timeslot` + WHERE `day_of_week` = %s AND + %s BETWEEN `from_time` AND `to_time` + """, (weekday, now_time), as_dict=1) + + for group in available_employee_groups: + employee_emails += [e.user_id for e in frappe.get_doc('Employee Group', group.employee_group).employee_list] + + return employee_emails diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index 358eb3be0c..41f8c26252 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -1,5 +1,5 @@ import frappe -from erpnext.crm.doctype.utils import get_document_with_phone_number +from erpnext.crm.doctype.utils import get_document_with_phone_number, get_employee_emails_for_popup import requests # api/method/erpnext.erpnext_integrations.exotel_integration.handle_incoming_call @@ -9,39 +9,34 @@ def handle_incoming_call(*args, **kwargs): exotel_settings = get_exotel_settings() if not exotel_settings.enabled: return - employee_email = kwargs.get('AgentEmail') status = kwargs.get('Status') if status == 'free': # call disconnected for agent # "and get_call_status(kwargs.get('CallSid')) in ['in-progress']" - additional check to ensure if the call was redirected - frappe.publish_realtime('call_disconnected', user=employee_email) return call_log = get_call_log(kwargs) - data = frappe._dict({ - 'call_from': kwargs.get('CallFrom'), - 'agent_email': kwargs.get('AgentEmail'), - 'call_type': kwargs.get('Direction'), - 'call_log': call_log, - 'call_status_method': 'erpnext.erpnext_integrations.exotel_integration.get_call_status' - }) - - frappe.publish_realtime('show_call_popup', data, user=data.agent_email) + employee_emails = get_employee_emails_for_popup() + for email in employee_emails: + frappe.publish_realtime('show_call_popup', call_log, user=email) @frappe.whitelist(allow_guest=True) def handle_end_call(*args, **kwargs): - close_call_log(kwargs) + frappe.publish_realtime('call_disconnected', data=kwargs.get('CallSid')) + update_call_log(kwargs, 'Completed') @frappe.whitelist(allow_guest=True) def handle_missed_call(*args, **kwargs): - close_call_log(kwargs) + frappe.publish_realtime('call_disconnected', data=kwargs.get('CallSid')) + update_call_log(kwargs, 'Missed') -def close_call_log(call_payload): - call_log = get_call_log(call_payload) +def update_call_log(call_payload, status): + call_log = get_call_log(call_payload, False) if call_log: - call_log.status = 'Closed' + call_log.call_status = status + call_log.call_duration = call_payload.get('DialCallDuration') or 0 call_log.save(ignore_permissions=True) frappe.db.commit() From c0a640c4626d117052388dd40163576606d7264b Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Thu, 6 Jun 2019 14:47:40 +0530 Subject: [PATCH 022/132] feat: Add user_id of employee to employee group --- .../employee_group_table.json | 142 +++++------------- 1 file changed, 39 insertions(+), 103 deletions(-) diff --git a/erpnext/hr/doctype/employee_group_table/employee_group_table.json b/erpnext/hr/doctype/employee_group_table/employee_group_table.json index f2e77700b8..4e0045cdeb 100644 --- a/erpnext/hr/doctype/employee_group_table/employee_group_table.json +++ b/erpnext/hr/doctype/employee_group_table/employee_group_table.json @@ -1,109 +1,45 @@ { - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, - "allow_import": 0, - "allow_rename": 0, - "beta": 0, - "creation": "2018-11-19 12:39:46.153061", - "custom": 0, - "docstatus": 0, - "doctype": "DocType", - "document_type": "", - "editable_grid": 1, - "engine": "InnoDB", + "creation": "2018-11-19 12:39:46.153061", + "doctype": "DocType", + "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "employee", + "employee_name", + "user_id" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "employee", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "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": "employee", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Employee", + "options": "Employee" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_from": "employee.first_name", - "fieldname": "employee_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": "Employee Name", - "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 + "fetch_from": "employee.first_name", + "fieldname": "employee_name", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Employee Name" + }, + { + "fetch_from": "employee.user_id", + "fieldname": "user_id", + "fieldtype": "Data", + "label": "ERPNext User ID", + "read_only": 1 } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "idx": 0, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 1, - "max_attachments": 0, - "modified": "2018-11-19 13:18:17.281656", - "modified_by": "Administrator", - "module": "HR", - "name": "Employee Group Table", - "name_case": "", - "owner": "Administrator", - "permissions": [], - "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, - "show_name_in_global_search": 0, - "sort_field": "modified", - "sort_order": "DESC", - "track_changes": 1, - "track_seen": 0, - "track_views": 0 + ], + "istable": 1, + "modified": "2019-06-06 10:41:20.313756", + "modified_by": "Administrator", + "module": "HR", + "name": "Employee Group Table", + "owner": "Administrator", + "permissions": [], + "quick_entry": 1, + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1 } \ No newline at end of file From 97780613ad49212d1e4b24ee65a4fe2998ed21be Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Thu, 6 Jun 2019 14:48:37 +0530 Subject: [PATCH 023/132] fix: Improve call popup UI --- erpnext/crm/doctype/utils.py | 15 +++-- .../exotel_integration.py | 4 +- erpnext/public/js/call_popup/call_popup.js | 62 +++++++------------ erpnext/public/less/call_popup.less | 8 --- 4 files changed, 32 insertions(+), 57 deletions(-) diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py index 93ad0932eb..75562dd3b6 100644 --- a/erpnext/crm/doctype/utils.py +++ b/erpnext/crm/doctype/utils.py @@ -42,14 +42,13 @@ def get_last_interaction(number, reference_doc): if query_condition: query_condition = query_condition[:-2] - - last_communication = frappe.db.sql(""" - SELECT `name`, `content` - FROM `tabCommunication` - WHERE {} - ORDER BY `modified` - LIMIT 1 - """.format(query_condition)) + last_communication = frappe.db.sql(""" + SELECT `name`, `content` + FROM `tabCommunication` + WHERE {} + ORDER BY `modified` + LIMIT 1 + """.format(query_condition)) if customer_name: last_issue = frappe.get_all('Issue', { diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index 41f8c26252..57cba78bdb 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -24,13 +24,13 @@ def handle_incoming_call(*args, **kwargs): @frappe.whitelist(allow_guest=True) def handle_end_call(*args, **kwargs): - frappe.publish_realtime('call_disconnected', data=kwargs.get('CallSid')) update_call_log(kwargs, 'Completed') + frappe.publish_realtime('call_disconnected', kwargs.get('CallSid')) @frappe.whitelist(allow_guest=True) def handle_missed_call(*args, **kwargs): - frappe.publish_realtime('call_disconnected', data=kwargs.get('CallSid')) update_call_log(kwargs, 'Missed') + frappe.publish_realtime('call_disconnected', kwargs.get('CallSid')) def update_call_log(call_payload, status): call_log = get_call_log(call_payload, False) diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 9ae9fd1eab..c8c4e8b280 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -1,8 +1,7 @@ class CallPopup { - constructor({ call_from, call_log, call_status_method }) { - this.caller_number = call_from; + constructor(call_log) { + this.caller_number = call_log.call_from; this.call_log = call_log; - this.call_status_method = call_status_method; this.make(); } @@ -45,7 +44,7 @@ class CallPopup { const values = this.dialog.get_values(); if (!values.call_summary) return frappe.xcall('erpnext.crm.doctype.utils.add_call_summary', { - 'docname': this.call_log.name, + 'docname': this.call_log.call_id, 'summary': values.call_summary, }).then(() => { this.dialog.set_value('call_summary', ''); @@ -56,10 +55,9 @@ class CallPopup { this.set_call_status(); } }); - this.set_call_status(this.call_log.call_status); + this.set_call_status(); this.make_caller_info_section(); this.dialog.get_close_btn().show(); - this.setup_call_status_updater(); this.dialog.$body.addClass('call-popup'); this.dialog.set_secondary_action(() => { clearInterval(this.updater); @@ -81,7 +79,7 @@ class CallPopup { wrapper.append(`
Unknown Number: ${this.caller_number}
- + ${__('Create New Contact')}
@@ -89,12 +87,14 @@ class CallPopup { } else { const link = contact.links ? contact.links[0] : null; const contact_link = link ? frappe.utils.get_form_link(link.link_doctype, link.link_name, true): ''; + const contact_name = `${contact.first_name || ''} ${contact.last_name || ''}` wrapper.append(`
- -
- ${contact.first_name} ${contact.last_name} - ${contact.mobile_no} + ${frappe.avatar(null, 'avatar-xl', contact_name, contact.image)} +
+
${contact_name}
+
${contact.mobile_no || ''}
+
${contact.phone_no || ''}
${contact_link}
@@ -113,17 +113,17 @@ class CallPopup { set_call_status(call_status) { let title = ''; call_status = call_status || this.call_log.call_status; - if (['busy', 'completed'].includes(call_status) || !call_status) { + if (['Ringing'].includes(call_status) || !call_status) { title = __('Incoming call from {0}', - [this.contact ? `${this.contact.first_name} ${this.contact.last_name}` : this.caller_number]); + [this.contact ? `${this.contact.first_name || ''} ${this.contact.last_name || ''}` : this.caller_number]); this.set_indicator('blue', true); - } else if (call_status === 'in-progress') { + } else if (call_status === 'In Progress') { title = __('Call Connected'); this.set_indicator('yellow'); } else if (call_status === 'missed') { this.set_indicator('red'); title = __('Call Missed'); - } else if (call_status === 'disconnected') { + } else if (['Completed', 'Disconnected'].includes(call_status)) { this.set_indicator('red'); title = __('Call Disconnected'); } else { @@ -133,27 +133,12 @@ class CallPopup { this.dialog.set_title(title); } - update(data) { - this.call_log = data.call_log; + update_call_log(call_log) { + this.call_log = call_log; this.set_call_status(); } - - setup_call_status_updater() { - this.updater = setInterval(this.get_call_status.bind(this), 20000); - } - - get_call_status() { - frappe.xcall(this.call_status_method, { - 'call_id': this.call_log.call_id - }).then((call_status) => { - if (call_status === 'completed') { - clearInterval(this.updater); - } - }); - } - disconnect_call() { - this.set_call_status('disconnected'); + this.set_call_status('Disconnected'); clearInterval(this.updater); } @@ -183,17 +168,16 @@ class CallPopup { } $(document).on('app_ready', function () { - frappe.realtime.on('show_call_popup', data => { + frappe.realtime.on('show_call_popup', call_log => { if (!erpnext.call_popup) { - erpnext.call_popup = new CallPopup(data); + erpnext.call_popup = new CallPopup(call_log); } else { - erpnext.call_popup.update(data); + erpnext.call_popup.update_call_log(call_log); erpnext.call_popup.dialog.show(); } }); - - frappe.realtime.on('call_disconnected', () => { - if (erpnext.call_popup) { + frappe.realtime.on('call_disconnected', id => { + if (erpnext.call_popup && erpnext.call_popup.call_log.call_id === id) { erpnext.call_popup.disconnect_call(); } }); diff --git a/erpnext/public/less/call_popup.less b/erpnext/public/less/call_popup.less index 3f4ffef3c0..4b2ddfa9b4 100644 --- a/erpnext/public/less/call_popup.less +++ b/erpnext/public/less/call_popup.less @@ -1,12 +1,4 @@ .call-popup { - .caller-info { - padding: 0 15px; - } - img { - width: auto; - height: 100px; - margin-right: 15px; - } a:hover { text-decoration: underline; } From c8c17422f7ac78467bf6a02fc880380ee37dce05 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Fri, 7 Jun 2019 10:22:50 +0530 Subject: [PATCH 024/132] fix: Change call log fieldname and some cleanups --- .../doctype/call_log/call_log.json | 70 +++++++++---------- erpnext/crm/doctype/utils.py | 10 +-- .../exotel_integration.py | 24 ++++--- erpnext/public/js/call_popup/call_popup.js | 36 ++++------ 4 files changed, 69 insertions(+), 71 deletions(-) diff --git a/erpnext/communication/doctype/call_log/call_log.json b/erpnext/communication/doctype/call_log/call_log.json index fe87ae9737..bb428757e5 100644 --- a/erpnext/communication/doctype/call_log/call_log.json +++ b/erpnext/communication/doctype/call_log/call_log.json @@ -1,71 +1,71 @@ { - "autoname": "field:call_id", + "autoname": "field:id", "creation": "2019-06-05 12:07:02.634534", "doctype": "DocType", "engine": "InnoDB", "field_order": [ - "call_id", - "call_from", + "id", + "from", "column_break_3", - "received_by", + "to", "section_break_5", - "call_status", - "call_duration", - "call_summary" + "status", + "duration", + "summary" ], "fields": [ - { - "fieldname": "call_id", - "fieldtype": "Data", - "label": "Call ID", - "read_only": 1, - "unique": 1 - }, - { - "fieldname": "call_from", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Call From", - "read_only": 1 - }, { "fieldname": "column_break_3", "fieldtype": "Column Break" }, - { - "fieldname": "received_by", - "fieldtype": "Data", - "label": "Received By", - "read_only": 1 - }, { "fieldname": "section_break_5", "fieldtype": "Section Break" }, { - "fieldname": "call_status", + "fieldname": "id", + "fieldtype": "Data", + "label": "ID", + "read_only": 1, + "unique": 1 + }, + { + "fieldname": "from", + "fieldtype": "Data", + "in_list_view": 1, + "label": "From", + "read_only": 1 + }, + { + "fieldname": "to", + "fieldtype": "Data", + "label": "To", + "read_only": 1 + }, + { + "fieldname": "status", "fieldtype": "Select", "in_list_view": 1, - "label": "Call Status", + "label": "Status", "options": "Ringing\nIn Progress\nCompleted\nMissed", "read_only": 1 }, { "description": "Call Duration in seconds", - "fieldname": "call_duration", + "fieldname": "duration", "fieldtype": "Int", "in_list_view": 1, - "label": "Call Duration", + "label": "Duration", "read_only": 1 }, { - "fieldname": "call_summary", + "fieldname": "summary", "fieldtype": "Data", - "label": "Call Summary", + "label": "Summary", "read_only": 1 } ], - "modified": "2019-06-06 07:41:26.208109", + "modified": "2019-06-07 09:49:07.623814", "modified_by": "Administrator", "module": "Communication", "name": "Call Log", @@ -86,6 +86,6 @@ ], "sort_field": "modified", "sort_order": "ASC", - "title_field": "call_from", + "title_field": "from", "track_changes": 1 } \ No newline at end of file diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py index 75562dd3b6..5781e39634 100644 --- a/erpnext/crm/doctype/utils.py +++ b/erpnext/crm/doctype/utils.py @@ -78,17 +78,17 @@ def add_call_summary(docname, summary): call_log.call_summary += '
' + content call_log.save(ignore_permissions=True) -def get_employee_emails_for_popup(): +def get_employee_emails_for_popup(communication_medium): employee_emails = [] now_time = frappe.utils.nowtime() weekday = frappe.utils.get_weekday() available_employee_groups = frappe.db.sql("""SELECT `parent`, `employee_group` FROM `tabCommunication Medium Timeslot` - WHERE `day_of_week` = %s AND - %s BETWEEN `from_time` AND `to_time` - """, (weekday, now_time), as_dict=1) - + WHERE `day_of_week` = %s + AND `parent` = %s + AND %s BETWEEN `from_time` AND `to_time` + """, (weekday, communication_medium, now_time), as_dict=1) for group in available_employee_groups: employee_emails += [e.user_id for e in frappe.get_doc('Employee Group', group.employee_group).employee_list] diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index 57cba78bdb..bace40ff62 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -3,6 +3,8 @@ from erpnext.crm.doctype.utils import get_document_with_phone_number, get_employ import requests # api/method/erpnext.erpnext_integrations.exotel_integration.handle_incoming_call +# api/method/erpnext.erpnext_integrations.exotel_integration.handle_end_call +# api/method/erpnext.erpnext_integrations.exotel_integration.handle_missed_call @frappe.whitelist(allow_guest=True) def handle_incoming_call(*args, **kwargs): @@ -18,41 +20,43 @@ def handle_incoming_call(*args, **kwargs): call_log = get_call_log(kwargs) - employee_emails = get_employee_emails_for_popup() + employee_emails = get_employee_emails_for_popup(kwargs.get('To')) for email in employee_emails: frappe.publish_realtime('show_call_popup', call_log, user=email) @frappe.whitelist(allow_guest=True) def handle_end_call(*args, **kwargs): - update_call_log(kwargs, 'Completed') - frappe.publish_realtime('call_disconnected', kwargs.get('CallSid')) + call_log = update_call_log(kwargs, 'Completed') + frappe.publish_realtime('call_disconnected', call_log) @frappe.whitelist(allow_guest=True) def handle_missed_call(*args, **kwargs): - update_call_log(kwargs, 'Missed') - frappe.publish_realtime('call_disconnected', kwargs.get('CallSid')) + call_log = update_call_log(kwargs, 'Missed') + frappe.publish_realtime('call_disconnected', call_log) def update_call_log(call_payload, status): call_log = get_call_log(call_payload, False) if call_log: - call_log.call_status = status - call_log.call_duration = call_payload.get('DialCallDuration') or 0 + call_log.status = status + call_log.duration = call_payload.get('DialCallDuration') or 0 call_log.save(ignore_permissions=True) frappe.db.commit() + return call_log def get_call_log(call_payload, create_new_if_not_found=True): call_log = frappe.get_all('Call Log', { - 'call_id': call_payload.get('CallSid'), + 'id': call_payload.get('CallSid'), }, limit=1) if call_log: return frappe.get_doc('Call Log', call_log[0].name) elif create_new_if_not_found: call_log = frappe.new_doc('Call Log') - call_log.call_id = call_payload.get('CallSid') - call_log.call_from = call_payload.get('CallFrom') + call_log.id = call_payload.get('CallSid') + call_log.to = call_payload.get('To') call_log.status = 'Ringing' + setattr(call_log, 'from', call_payload.get('CallFrom')) call_log.save(ignore_permissions=True) frappe.db.commit() return call_log diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index c8c4e8b280..501299c0a8 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -1,6 +1,6 @@ class CallPopup { constructor(call_log) { - this.caller_number = call_log.call_from; + this.caller_number = call_log.from; this.call_log = call_log; this.make(); } @@ -20,17 +20,11 @@ class CallPopup { 'label': "Last Communication", 'fieldname': 'last_communication', 'read_only': true - }, { - 'fieldname': 'last_communication_link', - 'fieldtype': 'HTML', }, { 'fieldtype': 'Small Text', 'label': "Last Issue", 'fieldname': 'last_issue', 'read_only': true - }, { - 'fieldname': 'last_issue_link', - 'fieldtype': 'HTML', }, { 'fieldtype': 'Column Break', }, { @@ -44,26 +38,23 @@ class CallPopup { const values = this.dialog.get_values(); if (!values.call_summary) return frappe.xcall('erpnext.crm.doctype.utils.add_call_summary', { - 'docname': this.call_log.call_id, + 'docname': this.call_log.id, 'summary': values.call_summary, }).then(() => { this.dialog.set_value('call_summary', ''); }); } }], - on_minimize_toggle: () => { - this.set_call_status(); - } }); this.set_call_status(); this.make_caller_info_section(); this.dialog.get_close_btn().show(); this.dialog.$body.addClass('call-popup'); this.dialog.set_secondary_action(() => { - clearInterval(this.updater); delete erpnext.call_popup; this.dialog.hide(); }); + frappe.utils.play_sound("incoming_call"); this.dialog.show(); } @@ -112,7 +103,7 @@ class CallPopup { set_call_status(call_status) { let title = ''; - call_status = call_status || this.call_log.call_status; + call_status = call_status || this.call_log.status; if (['Ringing'].includes(call_status) || !call_status) { title = __('Incoming call from {0}', [this.contact ? `${this.contact.first_name || ''} ${this.contact.last_name || ''}` : this.caller_number]); @@ -120,7 +111,7 @@ class CallPopup { } else if (call_status === 'In Progress') { title = __('Call Connected'); this.set_indicator('yellow'); - } else if (call_status === 'missed') { + } else if (call_status === 'Missed') { this.set_indicator('red'); title = __('Call Missed'); } else if (['Completed', 'Disconnected'].includes(call_status)) { @@ -137,9 +128,10 @@ class CallPopup { this.call_log = call_log; this.set_call_status(); } - disconnect_call() { - this.set_call_status('Disconnected'); - clearInterval(this.updater); + + call_disconnected(call_log) { + frappe.utils.play_sound("call_disconnect"); + this.update_call_log(call_log); } make_last_interaction_section() { @@ -147,12 +139,14 @@ class CallPopup { 'number': this.caller_number, 'reference_doc': this.contact }).then(data => { + const comm_field = this.dialog.fields_dict["last_communication"]; if (data.last_communication) { const comm = data.last_communication; // this.dialog.set_df_property('last_interaction', 'hidden', false); - const comm_field = this.dialog.fields_dict["last_communication"]; comm_field.set_value(comm.content); comm_field.$wrapper.append(frappe.utils.get_form_link('Communication', comm.name)); + } else { + comm_field.$wrapper.hide(); } if (data.last_issue) { @@ -176,9 +170,9 @@ $(document).on('app_ready', function () { erpnext.call_popup.dialog.show(); } }); - frappe.realtime.on('call_disconnected', id => { - if (erpnext.call_popup && erpnext.call_popup.call_log.call_id === id) { - erpnext.call_popup.disconnect_call(); + frappe.realtime.on('call_disconnected', call_log => { + if (erpnext.call_popup && erpnext.call_popup.call_log.id === call_log.id) { + erpnext.call_popup.call_disconnected(call_log); } }); }); From 6a87e3338b5b18413fdde207ca25a49db53f8f05 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Fri, 7 Jun 2019 11:52:39 +0530 Subject: [PATCH 025/132] fix: Call popup UI --- erpnext/public/js/call_popup/call_popup.js | 20 +++++++++++--------- erpnext/public/less/call_popup.less | 4 ++++ 2 files changed, 15 insertions(+), 9 deletions(-) diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 501299c0a8..6510a0f862 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -19,12 +19,14 @@ class CallPopup { 'fieldtype': 'Small Text', 'label': "Last Communication", 'fieldname': 'last_communication', - 'read_only': true + 'read_only': true, + 'default': `${__('No communication found.')}` }, { 'fieldtype': 'Small Text', 'label': "Last Issue", 'fieldname': 'last_issue', - 'read_only': true + 'read_only': true, + 'default': `${__('No issue raised by the customer.')}` }, { 'fieldtype': 'Column Break', }, { @@ -76,12 +78,12 @@ class CallPopup {
`); } else { + const contact_name = frappe.utils.get_form_link('Contact', contact.name, true); const link = contact.links ? contact.links[0] : null; - const contact_link = link ? frappe.utils.get_form_link(link.link_doctype, link.link_name, true): ''; - const contact_name = `${contact.first_name || ''} ${contact.last_name || ''}` + let contact_link = link ? frappe.utils.get_form_link(link.link_doctype, link.link_name, true): ''; wrapper.append(`
- ${frappe.avatar(null, 'avatar-xl', contact_name, contact.image)} + ${frappe.avatar(null, 'avatar-xl', contact.name, contact.image)}
${contact_name}
${contact.mobile_no || ''}
@@ -132,6 +134,7 @@ class CallPopup { call_disconnected(call_log) { frappe.utils.play_sound("call_disconnect"); this.update_call_log(call_log); + setTimeout(this.get_close_btn().click, 10000); } make_last_interaction_section() { @@ -145,8 +148,6 @@ class CallPopup { // this.dialog.set_df_property('last_interaction', 'hidden', false); comm_field.set_value(comm.content); comm_field.$wrapper.append(frappe.utils.get_form_link('Communication', comm.name)); - } else { - comm_field.$wrapper.hide(); } if (data.last_issue) { @@ -154,8 +155,9 @@ class CallPopup { // this.dialog.set_df_property('last_interaction', 'hidden', false); const issue_field = this.dialog.fields_dict["last_issue"]; issue_field.set_value(issue.subject); - issue_field.$wrapper - .append(`View all issues from ${issue.customer}`); + issue_field.$wrapper.append(` + View all issues from ${issue.customer} + `); } }); } diff --git a/erpnext/public/less/call_popup.less b/erpnext/public/less/call_popup.less index 4b2ddfa9b4..32e85ce16d 100644 --- a/erpnext/public/less/call_popup.less +++ b/erpnext/public/less/call_popup.less @@ -2,4 +2,8 @@ a:hover { text-decoration: underline; } + .for-description { + max-height: 250px; + overflow: scroll; + } } \ No newline at end of file From f1ffdb3c12c679dec923c57f67bc8aa23e753196 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Fri, 7 Jun 2019 12:48:13 +0530 Subject: [PATCH 026/132] feat: Add call sound effects --- erpnext/hooks.py | 5 +++++ erpnext/public/js/call_popup/call_popup.js | 4 ++-- erpnext/public/sounds/call-disconnect.mp3 | Bin 0 -> 18324 bytes erpnext/public/sounds/incoming-call.mp3 | Bin 0 -> 59075 bytes 4 files changed, 7 insertions(+), 2 deletions(-) create mode 100644 erpnext/public/sounds/call-disconnect.mp3 create mode 100644 erpnext/public/sounds/incoming-call.mp3 diff --git a/erpnext/hooks.py b/erpnext/hooks.py index 53da013f8d..34b7d2a2f6 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -170,6 +170,11 @@ default_roles = [ {'role': 'Student', 'doctype':'Student', 'email_field': 'student_email_id'}, ] +sounds = [ + {"name": "incoming-call", "src": "/assets/erpnext/sounds/incoming-call.mp3", "volume": 0.2}, + {"name": "call-disconnect", "src": "/assets/erpnext/sounds/call-disconnect.mp3", "volume": 0.2}, +] + has_website_permission = { "Sales Order": "erpnext.controllers.website_list_for_contact.has_website_permission", "Quotation": "erpnext.controllers.website_list_for_contact.has_website_permission", diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 6510a0f862..d3c9c0ce41 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -56,7 +56,7 @@ class CallPopup { delete erpnext.call_popup; this.dialog.hide(); }); - frappe.utils.play_sound("incoming_call"); + frappe.utils.play_sound("incoming-call"); this.dialog.show(); } @@ -132,7 +132,7 @@ class CallPopup { } call_disconnected(call_log) { - frappe.utils.play_sound("call_disconnect"); + frappe.utils.play_sound("call-disconnect"); this.update_call_log(call_log); setTimeout(this.get_close_btn().click, 10000); } diff --git a/erpnext/public/sounds/call-disconnect.mp3 b/erpnext/public/sounds/call-disconnect.mp3 new file mode 100644 index 0000000000000000000000000000000000000000..1202273dfe53da883e0ef51fffeeb4b0ed087947 GIT binary patch literal 18324 zcmeIaXIN8B+wZ-SP(n3;Kqx9*kYeavLhsU%D!q3EEP#aGkxoLB-a8^iQM&XZ(gdUl zD7}gZk{z%6x!>dcvcEn1+1I|0>wo0PT3NH!q$jQSU5at*7cOnxm(Z<8g)5^!m z+STq~S3mmea$FVyZk|H?fWDrdBJL}$;m*{s^0OBf;}a0&<3|YKj{RHMi@JaB{%^Oc z?)DzIL|iriBLFDl0TdJz^f7EZWQ8Ch9bIpO5(?d^|KSXfv* zPU$%1=H`~-R99Emic?ot*APyVI4vwJtmCw|w|9mU7K{C349;d7oXx`ge?I(MY>+$u z+EvE8$EW@H--rL%{=ZTKIO1%9YX<<}gtHh50Ax(Ky8-tq!hOW;3ZVc1PeWEyQ4mKe z!r;F}|IOL`x7hSgCjVnKfW2t=pC-=WALRbW-1~R@qJNP4J9_0m+NOVy`;T_--?4E2 zAoq9l%73&?{~-4t?cTp*;r>DH@935PXq)~)?mybSf5*c8gWTWIEC10p{ogHpwlqJfFQ8_I#6GVU#9+n%Q5rZ{>+t+?3v3~qHed;0`&{d;dn8?vuW6kJj-5$b- z!IG$!R&R^-*``yG2o#HC$iYroE~vQGSs~9>1Rm3~M?Hx zc1&riaP>pKFYDN+*Z}XLA#+V(4VWt^u)R zphvuszq}qErB_$db2k&}^}JBu_7Z;PfIW2n+&FTR?Xck8v-33lH1)iRm?k@YHvsrR z2x8$!YH)VLT_oKohF3GXWhStoK6m z@7h-P&)rpim}iE&tHMq~%ktJ22P?JBKTCK19<$lPxg10+V3p@}^p z&EPFK)Ls@H{x(vVLX#!y6QY&mr!k6uLi59WU4D2FWB8Yum7ntwbz3>UW0Ibi-F2gk zQIFtm{gL9cp+@F$D>ZyS-pi0mCaKrA2C^ZhX(;%qSv3OGuk88%AcqYjuysp~UU`mk zkOvvNWYx0?w{#1~0mLgJv$?q)AhhDFIcz<)Zb3#-%e}~&pQoGjr6PiF#T({jrf&3% zoJ}4U$)EPdC5On8i3zl0X@}*-Jo)s6Fe_tl@%7C-=bV{9svD&PaO)jw@~@4a-RC^Z zPnWHBGyoX8fz5~1gQe1e*%n%S2y3r(J*hU;*iv^Whzb3q{V9(+<-mr=L{Jq1fuO_- zX3D+d5o03)%OZw{)d^O`(t{YlMiJ~OovqSAb?t#y_J4HN8-hC)?XW+>kytJpq0KEBrwmC-#LdqDL_T7cA>@6uC~YfB zu0Gz?z??Oxrv+k&s4-xJT#%dc;tAX!gd%MGHoQM(C8W$}zRc~kepjF`R0pmxZ{6#a z&zv6C2cgY`lG_wUqk-4^E6dESG4fUblP98QLy=QJm6KR@%&e=W1Kx!yIq5+{fN%|6 z5fTzLQVzzODb$aeYaVrUH!?(aEn6ZIJ3)Y_XAjGYwpX-*0(g=jG!9_L%^jXyJ^@Ud zI0%T!lEvWKfR(HmC&CKmX~txgsBI*VI{~|1WSVdxtLS$rMvxnQ5YdN6f@UJM%xgga zFcxqa1P_U-{c{>NgQCglz4%47h6DAcls6l)&J`V4`44Z7&382ax{U5_$Kp zld;%WKVENt6cX!UT0Fp0ZL+<`4pam9{I;su8jdKKk&!C7b z>efYHF@a#jv>+xaVyKEhe>LSn{#373SH1$Hq}mrOPhxl)gLI*JjOuzZ0%p+wlitXBzQgpeKMC9ZvZ z1-`75c1j9PPfBsd?`q0mv8V7{6+FOHr!0B{61)LGzIHMP=XJ&lCauLAM;ptg*PUms zc%`qdMC07%^Q-RFY-r~8)8%~ehfE|^V)9wTVIp^`zUi?s>N?{O6Fe#w)O*K600~zY zN`EynGScvHul$gB)*+PI#h3r`D$sJ%ng0_Ved3=#YWSVOFY)& zs&cdDknY4Xs{{0U5rl#&Yjn_whnYBab?1d_^it)bD=|50x)s#q(;0#B8=_k?8$qeX z9@y_Q*#4ULxGES8+I{N5QYhHA6^Ctf?XSIz+4&*CERZiO2{TI0^EgQZ8Cn8lXnY_T z)j^CVK~01rdC@P^l0H1mK(FU{^}|!qYS8ltI1El0{2gUP07bDo^Gwe@uNKAlBfOai zRR18yL^?HRF-SFb!`fl^+qfrzE8SE)iTdD{rf_Eerws| z7a2kj^@y99Sr45AnZi{2pq(h%nB%ZT=G@2aC%F6azM>jgXB9)C|;j%=f1z z{RAK^On5Z-$B;Z8#BFFJ99R&>`2u~nnGdFp%RTl|He|MZp6&`UXf(fNWwazCR`Otl`_@MLg%M)q2 z!gp~Q#;Dy~RS%buvc2We&eD$^!}hc2QEs!X%wd_x4_hk?7FPg!?s>0P6j9Vo4A#FU z;Mu(Ii^IUcCCRbreBDo`a~+zs4KyXcJj_Bi0>(Y476^^w*ECg~V?^yjw# z$Oe=ML%<=EU>H4u2_gvge9o`HPt_v7ig^B<%GrAZQG|C)je3Zn2Q8z_!6*pw!JR+I z(I*&eJE*3N-9*|Bx172XxEcq>vs|-$G!WFtMwUlit|ykK&CR0RBcl2`AoQAzgxcna zpwY9@L^i?8H;O2FqXGR99-2am{+#k?mg-w6)oYJL&7{2cNE0nL?;gf~z7?8j^0~S` z$3?tYrtfZLu6EipEG@yzV!g^S+o4DNN#yOlmoH@ph{yetbj3`;TpD5do~tSOK1{NB zN?}oi9fh0SI`QsN(&UZ+6Nk*8DZL8^AAKNe73L^=G|1xULILYq&g*!S`u$nRaJK)9 z(H$=_s|b71KaD%)uJL;Y(erHEpas=^UgD?X`){_`s$RP!`)~Na553H5IJTf`+dS8d zseNs8vTZLdqXa|ap=Qf&!$8r&dHitsi0@I2l8nVdPZNBOvzh4+L%*TvZi8B*qTq09 zl(ADB9*X+99Ev_sRi7FN&I22MC5QyU7^m6w#a$Ah1C{ZMJv1G{udK zYMHfpTLXr~-+v5G@ci&-BdA$Si&%Uq_zM+x)wR}zxW)>9WSEur)my2tqX|p1K`?ur zpQn-m$qg_{8foGF@?rix7L#T69xPRpZX1JMk2EriE+uozu*7Gh?aofsqUcn=qgXU4rwi+SX$AWJv;SYozE79S4C zT4^)j0kcQ~_%&2;NZuWEOS;t>oevt4MYI7kha1H)M{1j;5=cZe_m_|Z3Xf$sB3w!g(%E;VqrAunvUH$H({hMumy3Y;VuL_kF z)d6}Wjg`DoVafU=UYA@B6T*mZo^slYzUdD*e>}#p+V8{H-&rr|ZUoqWUTmz`+?2tF znNi1X&j6XDO%_q3r*CZ@pY^7u9wEId5>dOgw|{ew>C(!Tv27>{3_IFO)`*$Kc_FQ- zQ@c$fqL^TLD1ejUVUxs6nCzoaLio-@cV~VF99Ar10Q4(q)Ji8;+im$pxyBG{=7cho zTuAdv>{Ttrbpp;v@gxRUU)gAPSt)%wq@G@Ax9tH@PEj=UZFlffbMq4JZ^;8~v9Qaq&W&4j7QMDQ+c{&R75oo3`FO|Ydg_$l+xj}&w2$(>ZITn5bP zt(3E2?7L0YyazW_?gv#|W{vUgKee*%rD^=_A~}0?>jhSPpqYVVdNe2}4|&)eQQK}o zG1}MkyOrX$4YMAe4|BNCcL%eS%brO!0_{$xNN@6KT3CU@k^O*iSGTFJElU$m7K#=V zweY+mQ0bTQ7#6$MhQBzXPw|n^IA4R03r#W2i%Q%e;F^%Z{t%emupGSBHZ8k| zkqznp=)(~g!na3`w%KNdYj>q78t8G;3+BgufN{c#`^?6Keuhm-|V0GX(`-~pF@H-p2J6GH%bMl4%@N8dyitg&F zCERA|Sy1sl_CiO|<~uwfQeGo_K2BeH^JT(C{2^uG19`}>iKgwBT_4&;$a(82QJRoBy zXwXePCqv?VcPZ_H-}uK;o6*uyE4#JnzGSKEmD;{|$wayI4nryd28COB1~!!OgZr!m z8&QcGs{QoVx$EX2gWW=LZzcFpaA_$Rv<|Mv3Y)93JiAjlsHi&X`Lm@Fi_!8y$4Gyb zFQ0=B$+weM`8`lH;Md-AgX&ywOv^lKjf>g|XDMKXb#}OrQON@p^@-OgL5G%Ph`T^2 z0l>_!NK=?~h!NnWD9jnBL3EL);Ei)KLmB}XlmxgF!ffp%UEPKe-_C9w{Da(0ywfuW zwUja8ac7PGBUb|F8RImbeW|JF@J80oI_7%v9KvG?e+kS`g(rc^!;6$y5~^-DNCJzd%mjT^OSUUaGsHGP^8{$oC?N>c46FJ;YE zu}G&048R-4I?K(&3ou78>S&Rp78acsL0Ig?xkB?I z;*FoiIdg2jd`=+gLpnTq^fJh}o%hV;9G1y*@l2cT-p@XGSsNA$!!Q$;#wDe*YA5Tf z*~h*2^8J3iwy@~Imu1y7S5W%OqeoKavwh#Xo~h(Jp09h9Y)!iEq}nF}#62}1t}N`z zEpUZbv3sOeUuJ{+;#5gTbjMw#l<=jB(3)}ADi9=W@#{fX;B2o$(p^R^>2@vy8ejic zLh6F`yt&$?qBgT>USw{ubF?vOX;-%cqG02P0cjxM&NM!->_`bGM)iQ>m3AkD2W_ zAf9!FC$>E#pXJ-U`cpt3m<`XOE83HzBFjA5;2{??*=_EJl&n zNlv31wRqioA(ve@-P?X)-D1%CR9#$e=xE=cFC)nDJXfkRtzwc7ulfZp0`imVbrp6K z^mWx@vD$^o4LT)An}QJd`Id`(%CJG4v17@ji-h5 zRa|SZClDR>oRFf_om3pPLCs(C>6&rK9*hZ(Qh2nMYO?cwW3g8vb=`7LB3yEXK{9^>ja!~ek;oa4gxpqi&J=zYL%ERXZPvyJZQw&~P6v+Sb1z^UBzFMf*_ zO)n*1Ai7PvTb`S5G$~(RSkxRd3MZUlbI*S7j&(no+{dB~wg3=r?Q${~^0?5(s*B_# z@qS23(B{#t(erF9%Vy2fb@73(a*df5Z>O_%P@CWOgQOcUtpU?XzUAiwS+?4fvD1Bw zn7I%zOkr+EfD-R(9)}bZr0CfphoA#_wom{dDIRJ7--DmbIFu@qUd)yI5t(Nce=tN_ zyNe7oB#Q^I3dx_{z&D7u$Y6F01Bi1VC?X|kqz*Nxk8PEWSvJ#?G--p)CXqQ5uPz;S zqDsEJu37lv>+$TguYfO!Rl>$%45FpSwPyq!F_N|Zf&45dU~`&r^7lx?8wJ53Do+&b z%OU%~ZsBy${z0rm>xYBk`P8sH)#@J^3@_?=ANp}q3%FXtN~nC%Sg+?@E{8hObf49Z_4$vyukk6vd;c)Cw87JP(n$rGe6cg@#FXR zfk5{huk~G?7-L!)Uf-RHT5HL>EE7f*2>-Is7Ua{Iua)r48w!32f;F<+P;l7>w@Z=2`Xq)cJ%AfX%UF9#aKZfXehBI za&`z1lShh#tNdh^r7+ezL6^rZF1>K6EqYjK9h}SE(89-#*fC6$(W}p#8{}da*PNfa zQQ11vRC#Xo_}ZH`KO$23*6GbBPQl?ClG!!BEqXz-mCs7b1;&4We}K{)5$Wh9okn9nx661yf@NN{2_9BugrcpUVSlhw9i(Q1rt?e z_zWZ&C-UgaYLJQL6uSmNhjxc0#W1*YxuaiEhz5L6HUI*j@3V2U023G=z@VOhqX>}rcUAHnp~*r;5+z%$cA;uT z6p4;J=YDlUcI3n-rqSKJk?Zy7*u`h*GTvF73Dp7bdbh*}Ur}aB^^GK~Rc3INi>p3j zFl?xQOrqJRKYqA$WtEiu=G^$%Va6PG2-E8SXm_@oCe!}*=lG$n+^e9)OzvjxHUgK% zi@t4zJzEK*p%>nU22Dj~`%g<oTOs$p-_BWCCUf-F@6LEd{cyXhsp@5ZPuwfAvP*pR*eKSwT86;PXqJbP( z;uC?zLlGc&PlW2cQ8JxCHf9Rm2@fDp4H+i`fJ-D89|^IbxIS2a*X3G(fW=>tU`7D{ zqrKXnu-yH)fqfiuG}IWunzxe!A`P3T2(Wg+;&26f{jk7ey-)Go^ zwlOTlZU46}4C6h4c>IKNr(eF>pK&~~`?}sD%CuZgaXo%ZNyU^^P6 z-T1j_SlyBTi5Y&AoESpDx1y^1k=Y=%OpE?lz%3m3I7_XlUE4cC--N<5Aq3SNZ<8PN8>-3%VyH;6m+ZeWP$$pJ_J zfS|5b);DE}M?I9T=#At#9(<#`TE0?&;)aEskWzAerk$UuhsDf^&*koF`#?1uL*I|F z|FWffhbt{0A+il!sw*B5%W0G3*C3uxRL@7 zP7-b@i$pWydP|UwDun3+sNKux&Fknb=Pfa32jU03TfZNufq$vQMzb@3C6N6gtD-OL zWbZQb&wt1kpW{dyJn@?RHe93Ac$4=qXU(hLyf5Okk>n|6M~lsXdp9|+u5m6{!U#tFIoBighIdNOHj{RgEY?Yk z>?`i4EDSd=+RD8e{?-^zNU1=qPaj`F4l}U=2yj1MqHqs+_+Eev)**iV+FAAUf|w99 zmo|a9Vk{ zB=SMht7EV4SHf>x;9t0}DC@>}ura~(0sfOZnEJQ6(?u4-MFA9BHKoz=`r;Y1F9g@7 zlt)yVR;_&AbE+?73#7zAm%B?<`11f50Fd{(k=BeV$lg*}Ci!*y?gL%9EaRg^u1c!-aMjux3RoU5`>DYW>ImnzZNbsf&CHMdnaf^ z@rUKsN5^Q4gZ6sOi((N;*Vv;6_&G7O-oM=A4Cr;b2O(OP+LR!mo01vy2=LTKIEx8N ztR)~Kj0zd8i4cNdLCSG3<+U&Zu`RAZOREo8j1^bxlZtu|iUF;Hy@dD5I*2G6*kr#u ztzBmFs^Lp_z5K7)--dox35C*0O>*p{r8`oGqP2J{_jpbhf-LyF%mYl&(_Wzo^o0`V zD}sk@r@cuc*dRMUv&Yz@t><$=4#r0u`+I^ljW4$w#5ZL&)RzNuh9U&azrON<>pf^q zbIJ?LTRO@lp^%f{Rk+*ZlVjI)Jb&ff?YJ$FBxz4TX59JR_JP7Y_VQ8FQhr*FPC%IO z6vtzO&yzW%)dfBRT*kd`%bfc2!bVrsrsM=JRq+fG!2r1MzC4gf2m*c?qlp1funGxU z3z}b@ScJYsmsBtt6b07r(tt51Gts(~$J6;e$e#C&64&h`FMfnSTTfH@{iHzSn`nHw z-u~y*e!1ctwGrxarLebtpVqUaLPeOhzRP6#&kPYCpl@v$&A;P)S!E&o>qkg3Y7Kir zZHm45tjXhYe}MV;ivF?m{Gi!~?Yt5zTZTr==DIY#WDJM8MsS~NzijBRMQ%TNQz7k2 zwiR{6aZJ2$*oyY(Id)cWVH0X2#rnfX&GpS`+^-T`&4R+uK{!@M}smTH5M!RU-@IjAPko-VMq!-kU&y;}|Y!!@#hN7aM6&L7# zcG20q>qbe_TkL~xd72^kgXL=~CuwM6ZU+7!e~w9WYMb%aM+vjNrw7~3);v(H+yUXU zOb>$;0T+0YwAQl=lb4qs--(=qUj7bK#%9(ozO?w|=K6cm^VrJ+E_|UtmHbzx%{1qZ_LNiBItvoyEmR znQnD}0T7F>;TAEd;47REr5X&QfE&e>SC)0bqcB7TWo2+FkjjBiFu>NFSeoCAqP@{i z!ws|M``FQ*V7f^ivZmAW=8R0f_AR%TufscTp5n;wh2C8AH2j-O=}XO$_VQ_&F4LOv zqj@fT7`i-~9*E>(o$Kzd@K@g}9{(1?h8BO_SVS?}}!133KmOA;XDT@mj}wqa=6j0VYOE zQheNo(~^nM9-I%ef_vB(MEY0(Z%YKim@Ko2Lly2=YJh=d1G)9E`@(={(H;9qwo`Lu z-YBj&d*)E~!jacdw+b1)Y-p)gkYr?`s|xNsel@@LUXP3ausI@)`ePg)3 zP&5h$48IP`$Dxex-{EjY&455L%Bh^7ee6|~o73wV(`GJ=x)L;GTpib^95HLuAY-Bv zSA-|B=?tT`PYk|PRr6jcY8UPBW0Xg7^0}%SdG|AL) z-#&5u&Q%z*S^`tgJ~O)fD+dyP+nMBGj*KFHGm~zPLZ8%u*3dF>m(Nf7sa;Go4O|~%LT`Dz{@lm(GsnogcRP*O z{bZq0!r#CAcYB-W84tJnX~N^cH?QVGZw2kkSetF`l`_KLhDvQ~J-iC~gWPNsex?18 z;26&VE=baD3x3L2jk$U47^>>kXuFBYC}6|b@5@DQz_g+Ns7L#Zxc}B-Nj5+V^w4oAf)vXiGJz(u^Wa6$ zd@IvAyWHcq*k9~}4+@Tx#;wV65?PLD3_O&u*hx%i9ACvI&(z}Ql*T%id}Uvj2G4?G zei$kt5RREJMoxUL(Vgarn{tqaRDd@R;h=mbZAfqjpJf1X9|PNhGKT?jDy=u_!EIKk=O%2Sv{{ zzH#^{$z4Z0voI032i*+D$%SRPS^7i_d`|AO_HM~``;n$Qc-&3e_+sUgyNYgzXgieXDQ?zuL_86iAu>~5EZ6k zP$kvP_KLS-cG4zc(yjXtMi(XlAdykHVQhyNWTERbBeFAyD6XsbmS;yB-aX&Yg0Vqpo(bglLA~M`iJ5HiVYl&xG$@!igc|&5oc!TQ>!6S9lSZ9U zDmsPMq;I!X8!O!$x06&hg-V>@Pcx)QmxV+-nQf|sYu?rH`1v=c_>|pSl^kH!AMZ?VTFAVtPjA?3`11bN7qPY4 zzbg9QZv}gBmuuaaSwd{Z69r@W4j7&Y5&$@9K@iew@MY&;yq;eu-56Rsl3Gy0MYHp$ zNm@OXfmaS79=&D@o}scGUXAI^!W>WnIC z;(QzMTq`BWXRe6N{IxZ1PSW{xxRdUy9O?MSl72zhtNOk_$SnZG#7{qn1R;Ugp=g?s zDuC+7vt{#i6m%mz>jjz#upk)LpFJ)<>3hA-?ahlc)4K?|x&eR=@;6R41(&(BckJ^V z(ZpP(d7QmWL-6-%^p?b6YBK9!VZaz5M+wRO;tvTR(SG=XoO#$?OrfVvHQ1epYPp@< zc7W1AapNv+Y~N_KPum7ZmF>evl-uYGV^xU>A05S8-wNW{Fsd@DcT{Dt1+iPI+e)uY zPjr;8V)fJ5$_fV6O1D(zQj=9(l*?}$NBfl5WeHJtD%;|w`%QNCju4!=>K31{4aUB B;CKK4 literal 0 HcmV?d00001 diff --git a/erpnext/public/sounds/incoming-call.mp3 b/erpnext/public/sounds/incoming-call.mp3 new file mode 100644 index 0000000000000000000000000000000000000000..60431e30884144b60a74c882600c4fa43e36eea0 GIT binary patch literal 59075 zcmeFZXH-*9yYRhJ=%KgJLzPbGRSmr>y$KR}??q9OP^GC9fzSk`NL7k-fl#G{jv!4z zkg9+PBB12KbKd*o`|Ygr+|RxKv$8UiJ$ui-_FTWYW?xgHt04^qE(3_z%*x8@GC>Cb z5FZCmzd(D(KnGuEz$3`d2l)T;=>O(<_+I9Px&#J!`1t~|l2ZT5L|kS%`T6)e1baAo zyZranLH~96Wf4+7{xXt)nW?GfFwti7;@)cctlieeB$Gj^o$H_Zhm2LS$Wl~x`w9K*7nZszJVe9*yPOI{L<2=&+D5z zU-u7>PtN`j{t9y`v(u%_vXXy){44N*C;mIRA-z9xyYyd&|B3%!sew!4oB`?s0Pwh! zm=pjg5tpsu@>6p8^D-%e0RX6hs-dRzC8)NT-^VNO#c+}zg7c;^ZNg7;>`a+ z?te|a|Bg5M2f2Sot^7yJ^bd0X(dzwoe7Jv*`*+mJf3!^hAom}w-hao3`v|2L3RiZoY#(5ztWF0HbLG>ep!4VDWlQeGy$R_J?m zqDVR1Q!!0K%3KnHbU_eHdsj_e_TO27QRMg#_eEnxvE? zOSEW!sx&7fuLMR)s+dHbyKq@@lwpm_p;@YwZB3z@L*^>@hgRfU8FDzUasWY^RkWB# zIt+=us?NIBFC8S=Yw&_zHWiv~m!d2i2am3o8XE@W(8)OeXz=rC?JafT7cMfAjB7V= zKV|Yjy(k*A^j)%aWGboD1xt{kS@zDkSt1KO)FYOdJfef`b7%)!#SOQ4lHZo z*YK$Eg)+O;k9TS5Dn4A(EyXy+4olOZ4F;Kh+ld@fRuUEsAYN~n$R;a-orCL>s=O4l++OW3rT+M2569IEuDA#h{2q}DCM>32^`I!;2tn zRBhkUZ~0WiQSu&}8)cx-lY13Tfe9{;H*eltNNo-8!hc@{k&dFua;5THpSL}i&E2dB z$gFskox`fwhjlt+WPfkFg_#v>qx#$gB9Gsw{CN4Y*_iO?+b#_G`)g3xjxjth zH;^l7=IG~f9Lq)R#*c40OI`6rybA{53#pM4NAE!41mz1VN~{@cmJaMT3c-yTdYYOrFhItL4Mr=l zY+mpBeIE<~`LjI4vqCJ^{W%4(3N{9sNOx>7)M4TvUYbyFo$$w;VpZ)KQGw-3VVf_v zYGgNNV*YUyF%umY$>30nG?Q_t<;Fn%{8w#502UFFP!n+`c8C>GIff*|4z43kN&-g+ zprDr#jDd;*0M*n*0bK?Ebv~i(hq&$eQ%Oaqu<0*xXG{QM7trD_XU%k_P*SA&sD}R#xad;7pQD zxq)ar!5}EkIkU- zoJ8yAU#CJ;flsrGE^8FgEXG9unNg+K#gpRb!@+IPkAbC7-*CH zxcFo+34SqN!5g3R3zp)asK`to2@<8>l`QcG-mt|W7#M(qayVQlCNQjTh-p#2(BQV`61TgJmS+PKCdEr~Fw7zG&JUrtvJ0Z;f4+R`wP}d0JbmB(c;QxF z>#5Vnp!2bZ1nh&64zK)A?0E!&G3Wk|PlVl*xbu$i+fIZC+l{@=S9jP$mVb2p`ExUE}C*m;Wtw2@2EoOJ=}w7f&~H+7aepomX{)Rh90p2ZNeS+S zu1F&bC?E`=B6(x;pbXi4DP|hPDlJkRq7KG+A={yAf01K?#<{ub($9MZ+IQB+Q^M^~?q#bsVT26K z5qc3`BbmbTBJ=f??MKxpn!+Npn8>kyVC%!s~QL85I6`(z_?R^)$zl(LdX1#k=;jd9RQ|q+0346V3u@V@JAiP zp$sMu_lB|j7#LozPYN`sShi8mX$>EkCg;puqD+tFgS&YnpAYTi9y@Enj z?7Eo~NK4kS1A(n<|PF z0d>qTs)Hhmc9}CeDK4vpaQuld@rb`arZ-Volvc*TWKVTZ!OYg0%7JB5XqwQJb?Zae zQc(}1HU;-1MVQH~l$nh&Re7AIrLk^QY-S znDu>cSsN7m73)5{@(g>822+@V>_#xOiQSW0nK9bO=4<0H2! z8~!`?f84zEDg-ix@w8DP^xLHHX0DpcmP$RFmT_pRo6EF7*=(;To}!rQH^g`chEX1E zCLDkG!-Tqhb7>3!z`lEt{!kJCi37@T0DZEFHD(l>Gyv4qRwhNE1wirM-6`wKQ>{Hn zO5n<=h2{q}`sp&A@#6kr51pNxw-WBLu`0y~Wsua)slAle_FT<*T~@Fw`91%0%Nxq3 z^GXq)PfGW#Pp%dF%3OU0GuPtGyl6aW6X<$EK_gbPhC-vBM9 z0I4yihq3U$AXm|(N8Mb6i-o#$=H#09G(|IyPb*VTMs?ksv$x;sHvRl_>T$|vg@^&$ zrjf#k&{TNh394imj@^K^Rskkd_zu7EM#M1I*vsH%iY%3Tu+%i7oBoGFRWdYA3h}lF z9rOx5o-g_KCcS!j%*u#@=YVQ%BlqLvEt5H-c*+StSx!Kskwtv~RaeQbqVW!j)aoPZ zbGo4NTzcz$_jq>Sb`^nj7vi>Y&mi*McJ_HFLLTJCpb5)q~DW;5508?gURk$ zcV`RiyHpM3yeQg!+U;hgY0$^==Y>-peJ zr8P>&YdBgMyp~V=G?RD|p*c&}+5{L0spovhGcL z=2Y%g&8AJ($dtG9G*!5lgn7U5P0i)mZKK*TIVma*_6mOW(&lQK^AGaRs>;)}X0CK( z#F3x0>c#etlW4Y3VkG;7UjfgAh$^ezXCYs_pcr;;3h{X?VPgL_K}GaB0g*~Lp1P@% z89g91Q@aBfnOcIYKd_@_Z_be`4b({;RE(k9q_UqUDjk8>Tl3s?8X5pLQjpAWGQcB> zlpHPt+D<4>Wz*6AzKA4d;Rl7q>M&!OqTw>UY`r?nf01KMo+UNXO`pGa=#1By@F%`! zeKl3k?-Dsb38z>bWqk@cDKr3x3w|er5W+j;6{%V$$nrn;g%(F;@e3k=!bEg-dEqmO zHby}-B5I5tKK6x5O{pYDO|#tTV6p4UXxBi@kDfORC67B9QY^`{zVlvtDtg$PNhN>r z<=xS#0eeQLEarN|xz|hUu|IyvPD&j$9TsPEGwdeW=bd-{$mZ|voDk^MT~ypxUftL~ zyH9A7mDJ54VWRK!(vkuA^CE;PlA`j|QJOII4lN?}%u9QB>f+0{*g5FzI^@2#bpO%f z5|@i>>mTMF0>Qh9@V0rmCARyf{KNL^OO;-Ifr4AJtwi~KvZP`Ke6lYuo_!r}`O(@g zHtel#j0YGfONikBMiFBKz*!?bVhV4weE0@R_}qx~h>^qylE6tK5oQpBE8Rf#Q8@*j zlA|%Z3-FQ-*n|@c-5naVM>`nMO}l8pzQa-&GzMi&#Q~F{wr+qwYXylk;hrh4mp}}I zbAIbVpP1S_DlO*=mx0ZC4wXbDYTfWoVmF~Tb!M_d%E_vPX|B1BY;3F<qVXHm^ z-*4O9tJD=p_uel*)Ha&kt_WWCs^J|lZ_7#h7_KZP;9@;9!;p4UZ@6Z5=IKjjL?Tfr z_h%zejE-x{W{x<_h~M>qjYk6Sx{Ig~Fba%!j|>CM z8gjJ!m?i3FaTf;zQGDb>VE zXAsk=FfGFXl!OTS2u4*%<_Tu%M`U>W+ujv^Q@xWfb($Rjaa^rfA0?B?+wov~fo?Jp zzG>IvtysR`;<@vSLeopnoBwI%*vn}7#u2E4e32f<2IrXU4%M2RH-$=hlAndSp`MRVgM)2soG}iV6 zLvcFqrU``69+eq;yNS$7_vWIswy*fUZ~f-|nO_ENf6iW&q$k7@^#54}KT{$#2Zt4IIIMOmAG!HqXR)+*G0suDdbS~~vW#A++a#GfX zdTygbEXZ%U|3M;A7KDF}ipiE3dHL$|78N#<46D zKI)|yTG=0-wBKP}R0(XwoLn}~GhyXA9ld=QL2WtMex1;3^BQD1c24)@Etb0JrJok&*_Px8F__hy-&vJ=)?Jm};z2hO4klxD(~eG$j0fdFRI^h{O$68@-!j;t zXx|NH1Ir5f=?85uu#9H?c&u|*N|@VzK=TSDdRRB9x#lbcQ*i|Xb@yD zGF)DdpiJ_?SDN<^PEh?&KCUtVr6L94!5yL1AUL#CVu^>6f%grlLS*!fQh{5{f4=Bs zJp-BaJm$MQr69^;#z4b&L&sz#`9pT7%q&x)i*)EMJh;_r7V$xi&wL$78(!)Iwr)mg`%553o&HP0}n&HowQ zZ5HW1j{zt=X43)00q;{VsRCOvUnIlmw-rN$VMN~%EuIFz;t(+KiX1uy0s^ z4{cr9SC`%cSzQnam*8Gon3BZt^sT?fwYFszvypv>!=qfx_osu=)o;@DXygQdh% zgePj$pb81_E5jTerQ@-178wv}Kh-Q5EqRe<${(+hce10dYxrzgFHDoD zeD+6|=NEBvpF39#?K7=AhT2CTTXCygm_Fq$8}4#(nJqhOegDmF>2=i%^Buoy2IFhT z@>$n6ye!W%>KmOx13Iz<5b1PQ{%?!7lB@9*5& ziErpS(kw2oOH|@9GA%|tYA~iLZq%o^f6z?{25yOfNUbOw5c&p82LiCTm_1k;=!d}- zoKiB(hzU<-#EU0JizL$+agBV0FX-=XyWG&&XRo2~W!<$y?J4b%X!n~4e*QE8za(Ao z1o|^c&Ljjh)_DwV$h=rIxxuv=_E9!lsEh8XLt=eY^7z3ovrnI9Jq*1R(pw2veOyK@ z+kg1_U_@zF5$;8yCA5LRa(o|p2BH<@+Sngamg|ZAIG(hPG0Zn|<9+R;hq?OiUPleRS^!Oky8ZhHd)1#-xL;r3F1MqEcDP%Cjh7TaAXFK;gi1@J z65;-w2jLKb6bG#V0Gu045BQUlV<2Q!wMtR(C_#6?-Yv|lm?u`fYLA;C_hc&ti&StF>WR5et@QKPS)k}e^H(O_QKQ{`^U27S;DYEnkRMo+1D55HUC^x5V0 zEvR$G03+uGME8`m-!ON9q+%sA^V#!)FWmPRoF6i3-DoaRM|o?}S_M125Q2_k05Tq* z#``QY&aT2bE+q8@Dw3ZFJ8xR?HryQU;}LI)YQJ3}T+6rjU(pNV$w&;gY7C8XURYPg zzE))F_t39XtkmN zNa-&5-C}J*XpT3qLC{*?YeFEkSd7%!-#`@;`#yr0%$_)|_`I}Ply$DIxy70oRzX@V zE29pu+&xJ1Xf9gt&C(xQ%iO?bFnl%M)O-2Y$|*uMvCamj^EQF{vDu(Y0VgVuJOBu zJM40=AAjw-UpkHa*gEg?vroSB+2?aoT48!7`@)s5A~`Ke<>**a0;sm%DQopp)w8@i zg}iq?|D;Z_O0`t?v2B)f}RsX;e=u17`iz&Eo>Uqb_Y-$XxS zhs;gGr0M`!o*ffivp1ZH9#tkaO8fdy2xQe+ zy!ZMy-^(t`WvZTR>2(ve?mQ=bgcC{RbDeVR4TQq?R~kd%NlhY4iJ%{=XmSAXM}sa+ zXH@xBmSvl|XRNl^YoOF2lNp-@Ge- za=IAsYO3hIeu}6{>RKjjw{bD%B|WetKT6+hYj0Y(X~Qw~bIP~> zNbQI)b({W0=9ZQNK+~snTA&`2gyitYNPAgNwnz=;&!dDtiUkx zkr1&PqDHX0@gdsg{=wOr*CLVD7z zP$tu2KH$9R42S^q3~fEUP&xns2vO3bhYd5!=W$`G6>ytWV^}Ro*!w+mg)Ow?Q+@<$>&VOcH9jf0YL{l6hl=_G3lb-pTz$_kV z>DpR_69%zg$qAaWn+spUr1!(S9P_~+|GWqE4SY>_K#q7g2xA<1Ad{^(P*Ko50w<4h zN04GrXe#(uU|1+CQkCbfp61@w+Czx?V^SmkKtY&VEdmKb*N+OY9TW(&*PGNhOmp{H z(WyRLe%wMM!?WSe{Uor8ZU10foA0_$_uX?U@|Ki4ls(A-tBoW1>d~*S7N`x#=E`;3 zaUBs33nES#+Am#)f$x47(s?Rl7a|?5*y;%O%u40*-`W;Nz1K9qD-BU-1&Qf#-!Vz;LDEH!&3g$+v#ot zaRJFfvTweZd%OUk-F_$Og&_b?Hl&wuis;pr=mmw!~n>u{?lvG@JZx{6~$tr$d;5odBr%wF=59w zeKOg(Zt112bsCK-B}}Q9Ksan~P03I>St>EtbaUd7o@bu-43W)V8my_evy#v*cdY@P z7eWEhom`_9K%m?ffB_g4+yjba;|#>8N*JCLg>4sla=9-QHpNJ z>c%luOVH;SP;K3NGl^pBhi^))G3i6xZ9b~2Pm-TBq3?Gk-uBs$m`SmJcVf9KHW$$t z?ge(6?vH#*VeH^UyBxujhgCt*G5?_6BWU2dFqSjWS_ejf--(%FdXwtO-LfOc?#o>P!kS$-d6MzJP3fYmm zP-%*lpVEI!dA;dTl96Pl-`rQFWMtKhSa^nIE=t>j^a|a>Ja3csqP}h?^6B*yDT>gQ zQf+f)eRIgEGC2|(JhN6C+SB5l@ zysMWE>utu*zxsIw1O-z4Cm9?0YVIIPCK&|As{=_JvP>mfLz}!5k7OluT9oyDS^}Pa z2+ho|nv*U}m&`D)NmYIRQZ?0tT2)u>r)G_fZe6mEANiY;-NBH>XzD+QDKwmv{hTYc zq`e4fw8{;m0uUVtCkwICl!)7w{zLfH`}E>T#a&(n8fYoE{xN}YtmVk~!i+wxHD6FI z?fo76;FGqFc3JcJ(BdlTW2K+K2#Z%z?yHnH+7S59oS{0L3K(;tI zH8F-=4IIaa`YNcykk>6BsjEg4sm4Z&6WS>6j%2k`a`PaDN~#V4(>_|rb5-ZM@()1UdnQ2_1T?0bx~~eyYHgXe3X>B(t!yTk^X6#BsQ*% zY&Conp(d^r!7M5Z*^`CWidL#Z+@QzrE6#Mp!zn73v!NL_RW8!J?-$w@jwYmJE*11qAH~l89u5|yU_FadHwMR{`kG&f~m>zkNaCTw6CMzaI z_vILlD^fyvubc+dNg6&njSZ5{UHMW!C$3@JDOPA>RJ86|4lvW}JOioWjL=FD0WuuU zA&T4eDLI|D)sqdeZuS88vWG9+M~H`6o!2C1yin?@GH;jGzf++wu`r_J;Ift&;Yv~C zJ;6gu`AX91MPr8q&@DRSt6UlPa?;7Gi*I2oZiXJ`>$$haaXCrshXi))-X9nUeLdg0 zBz_EBX)BZZW(0`Q4_pEpn4y% zz#yy_ak9GX+)Rf@^*;23!Ste;XYiQ{>3B+HGVFHQ*T+@HCwLwtYb=TbNrf_D2R*~} zLq)k$^L3mX^CVFuf>RHYa~#XiMbQsH0#|5a!jix)vDgC=_Q``#FOnQBI%g4#6WQ?FonU1)VUF*&ff^cQqe6JeU$oT^W{-Pl9SNzRpA7^uWG9wZ*}RK zs)+BsZ$D{`Fc(sey|y>KSY!Vbo=mbvsEs_`y||Y7VQTYJSEu!6$k_^#I#T8_>V|gKcjV z^lT7^4I@sCT``60#Uwmh;o?*uzKvAq&N5ij*gC8cc*x5D6LrmEFV{tU&_@{wav&ID zL9r8ba4>20<*<0raWIk$4GVDOD}PST7t{9~3CWwyS(hEQ+*MfUgbIAPA2oe-b+j}q zU2&JCMCVSXtVq%tQ6##^lf6M0)_m?I=Sc89K4 zI}a5y)}`>vUm&Vwd<*7m=6-!5-0%FnW;wQNXY#B=vf54la%@cLQyHN{p!zIYKA*LN z`t+f=ENWpJ5xMQ9UJ|#U>ND<0-`~eT>(u6}HrMRb)vwmu!^^RF-lb_F{>+8mB-eGi z3yZs_zf;}UI1F!DP>9}b=*%7ueQYH*ZFzlzNLu_#1i_QeDjRQ-OhYxM){X0*tfbApz#8u z^Vpp;q^3JHk03-TrH_QGx8PzWUx$*~*dskC20ggRYho_keBlYJ*u;)kWE*V+Rg(BH z=8lxkE~gsGri|I?J$7ZC&2;VonC5Eq{ZXW71x|FWyQ4KY&`HawG|?GV>(HWxF6TrS zGB{dEfyqDQ-S)M*C0PjSdr?}V|BDi}wbbZmA>dD>x%rOIG}uwm9Yz8M*ioQ?0QvJc06l)HfwhH7rAxVz_R0i4U!mCdC*;YtPB~^GQM?Y*Emj%2aO^tEc@~+ME+3(VI^Nqsp#ZtoC~jrEP=3P zMye=#ywd3#8liiGrokWe=&j!Tm-3|A^S3kkel^EeDQ9aKfDgEDAa9&46oLCh;w&iI zovND>a3ajGohVFW9kUKwjoKn!%@5oJD`S7lDXAmx8jL>*;)IMMDr9PLD{j$B{P+(# zKEbY&^O^7Bh?A&Y@tpq1L$f(xnmHp`R9BL0LXD1r5Bv7Of zv9bPQIq5{3v9v&0zOtA7Bhph3_tYiwoIl;@AW^iXixElNy8R%_;AC&4;`E-ZMVhN? z-@5p*?~gRU4U775B~KfL$Jq-%oy@nsOxc-zX}9Tm*5;U=*7Eq zkl?d}xnL9g<+00f5m?!E!SLYEk8I`ZHunkcx^1_3rW z#6m^Ur;#!+n13~`*E3c*zMIJ?Ogzyya%wTS%uumbpiN{_ZKPQlR65a_n3CAm2>?eL zko_Pg;+)}@&_E@pR+I@;iq1FwMeYKo%kQQU{d?Ho(SUR!nAqDUUlDQh(#l;CEIY=K zz42#DUW4gKUyU1*h{XDMd(C6M6N(pS@uqY4XC<{-8npL=Kcqe!l@VTIq%HidY9iw& zZ6DHqO_0DiyQ-e4DF9j1ws^lL$Y8+Tq&AZnH|}M_mCifI^BeX1<_-n`SG&ox;e1MPhF9mnJNfb@DH?;v7?)L?@ z7lB<}(LgcRkjIGeBowj-v?h>xNF^6?Yg*VOkW$TqJa9!r>&@1IkFs2(FDDruHN9D8 z23EmjJs8F8DW6*n3@v3IE2;r!Blo@DaX8&Cxw^r2(f96U3ZGB(vSx%fziL2PL}4p| za6Mw2VAbdC^|^Jlp?PlLT19ol-bvV_nps1A86}^w#3wsjx)ACxkU6;H)E-}yyBAiO`K z`hi`ym~BffNL|lovXK3$RqH~TW`s1cFccLtot(Ms52J)4F$gSQ^n5g64#%Yrjnzj! z-})F9&kevS<8-42rLgMY?u2*;EIM)_=`qAaKTKNz$IU$7tHMo;X86X(kz~C}I-0WGq%Ku!>bi+01y0qgbEn zHP-kw6LIaFOkD`&(ZTjrvA@VoC2Lu^4ztbQ^ViwY<+-$S?4Sfr36F0H61*H>&4PRP<;VN3hDVe?SIOu^JF(6vIR!L7-Z{MQ*wpD& zZuQ=aU*zVA_kAbUPh)oo;~$%EnOY=1>wifLfCYGOgv@J@FesKkWrX$y^3yg=4MZG6 zNQIccZv9l-x;G>8K%TJed7kpwmdxta4~`6m)elNQb-~iHh#}+bhScjlLiet3Ngm;I zA#fSocE3`BaD`AR0I@|M8-?tVq374skiOD}W{iw%~tSMTZ>H%-!CU zN_o~`I*qlL_3YmyB+lJ7Dji{Uo_O#=WvJkz&NhGWZW;b#tD;479FONTO^nDW?xqP* z@KHL4=IEF0=>+C6$E@zikmeN$nQ}Z$;VButsy!bA9Kwm?0X^`dYj;bOn`=CJ zWaO+SpX2aMR`Cxg)ZGFb{vx*k{o?9oxI3U#Xqa#+>JPqWyP7ZH=d#h}Jrc<2$Yj&<4BnhjrKVvW+ z*@uG93kFx{-g$jByGzCR>W}$bCAzgLmO*|7BY_EK0wJaMtrTlI*d>_Ty2R3<8PS2o z&d*^H9}^zmT?WHD)spgg)H%HH`&;2iA`CB*1IR?eP{l}4q!bdS!HgWV(3ks0&X4Q{ zVUc{@sz_;E1o8^T1gVINx`sAPNe5Lk2K#%wJ^&B8t+RcPV~;c@d#p2Tg|My+VyO|( z0i_EX0OY~5klS%@58;?77JqP0a&!P|udpOL1t!ilWye#Pe-~WK<~M`R>9s~kn(~{e zVABjf;5(fgDs>J;@eTA0ELv_R`o?8;TsSTrlGHo^GCMO%CIs28tHB#}kZ5b_luoO3 zm_4bXuP*g;nR1?Mo8Qcq<#M*3ZF4V)st(^(Yd5Hu!~p<_e~C`i)~zV*40RZj``2+W z$-Fc2{B1)%p~9n`Rtp@jP~1|Nulf0LfZ>fhmwx-CK`32Njh4_@r7C#oHCuCFHkI+K z@4-WAvUkl)Pj=?7PoLa5!vcV0g7sZIi7Jg6qzr^fMmKS~2K7D(IEyJGTV+7Al57Bl zoM;)aE9Ht7SEw+1nl_v&fIK@o6A3K}?SnhMet|9)GC|dgsxY)YpEuA&(!F<*nIZz! zPP4p7MBza>*TxLn&F-(<2oqSYeN-n&&a3l8Kq#iTPUOYo9K~i}+4PmZ>Ez&8?q;t_iclK3j0TQJ5YqdhLiaow zzBwccQRO{k;v(#Jbl|5`mX{fauW_>#Y?CMT7koqb;EfEbS_nUq_m--%)87drDN#tI zAh5^|iN{?f(ZB&rK%c)a?vu1C(91$@JEd7W1x}fgR#}bFm_U8#HQMS!uJk2wx`$nl z?0UZG%2JU`iiYKRxz>Sg*d^nzMbDnF21D_E)RLu!sOI4QI2w!w&e&9gVO&=QWSHHi^X0dYq!yoFho6(OJ+Iq-V(0s3dF{5f|f9`cg5>s7QTSoOw z!csG#>8ow|^&h9{#Nvd2FG|#Ef8U}kPpX4*2A;p$7j6CJJ9oK=e9Y>bx5P<{^}Fkv zVVR*m%QY5%uEB5DwPiNU-rM-`yRJQga5y&heeY|;e4X>?eR`v&Auz3Z(MEZIp2AyFf-eJGnG6F7^T24Kx$r!Y;J%fJv8t1^8&yY-nESh+`$k z`@Q3^Y4#wQz2sQ)dvx;WENR6&f|+(0ND-J40B{lj;&NIKhm!_Bz_bO8>^B>KPIk;Pp`>u|_5JUC-j%|s;&qtcI z9{}JAkM7v)9Zt!$E6yVwo$s?w2xoguJI-H&DpJ%;sWpYd2}j66Z0%jMqMN_bgo2$} zZ9AfYl^V^nC)b`&OudYlUtW3QdhHY8Dv}(d`V5RpM?ydA#+|P)MAe?F%+UPVI(b8{tN}c z<53Jkh;A2G(Fvo(V)9HuZ|81STB!CUqN6WCEk;u{9b$Etw%oLHLTH`*3ORq&O#AvP>hCK7`8zs`@;`cvoKQ7+!GbdbvB9v*5rJ|E@~C`L zK_PM`mWd(>0s)tpIL#~aDcA${A(Hr6ApA*!lJzyKv2Y=OjzK+->cr6=_IRM2P5^*k z7Re4mz_BEN7Mv1Mi2bBSm(#)%g;hXU!@&T30w9W}0yxp8ksAV}vy5_ACO;6%3}a-( zC~=TtQE`Sa$w?j;H3|g*sDoB~CwVlo1k`P)ON;3L1Wn|oArj4BL0nE>4LTZ;4~Ysx zE*Hr#Gz{aXMa*(AYYNRGAI;A{u!fu8YTF%p-nVxa$x->teEh*!$awy$MZ2XGh5Ev2 zC7s^>>0jj5VOjwO@1oD54sRr~bhv|k*gUj({I++8EToFNC&=nxiX2VE{gTbAcEp6{Y%$V_o$dknop39(+h$Cz!AS!345Et%~xLp2S>%{Q^+5(S=1@0i0Gas^<pApas?zOb=m*Dha{+eAK?HrOuvMq`PKv`h{@ z>f4A@gzf|NS2@gOOOgJ6kt0rRdjINbXk>Eyec9~rS3mKIbA%&DqbcZpE|H>jsW=5h z&*78PZuA3c71wB*&mTn5eQFSWR{l_KN-+4H-kV{rJUTvG1jko^2+YS0v|@rm0T?*A z4ig8OkA#ytJY7IazQM9d#=t@G6Rbl!XgbVg?SY|y)a^<3cm<-RB^DVf&3qmqsWqvi z9y1~lB&wgBEl68`e$7e-`obZd{Dep=iPtD#os>$n?oE`RHUpefILg1Jw)O?SEt#lQ zcfp&8imo_H<-W_2z@5zEsb9Uukde*Neozs5iQC`A3|fO z|1OtXPu9ABbC6;oI?%ARqQe>N!@e4h_=}ttAMfZTa_1i4IRYWK^Yjtpl8Wvw-}PLD z1+KBp#vofulY74wmMgB^Npd_rTu2FeytZ!-e?&5{yxG~96O8uk28;jzOI;zi3|`Sq z*UcX1?xB0pFfm*|y-1iCJXR&vQjj5j+0AEU9jR%A_9Z2p)ff+cA+-HWpB?UDJ|?^6 zAK3R~-2Ulu<3f)(*&7>g0xJk0t63-`h10=_2G!9HnJ(AW+`gy*EXgFqYQSNwQK2g* zC?`4s+&KTh;tAhOQBy8=oKZQ?QktS!(Ab^KnKof_*7r-r@1`K=!sOt2Ft;`qH?0eB<08=Mk+t^???)x)S%NX%-Hdr z8*jvpr|bz+_!Ev_rX2;{Oy}0`Nq1kLn!o3~C97Gm?)!Ky=WD^)18G_Bt8q;_Xo@(B zcv*qu)J3<6EjcZ|a%L@3BvcE8fejD|QkIdWXt_OvyJ@>Vh6nxHG&Ex}lSwmGqm{w& zUPDT@IF$vE-IFm2LQ%?V;uI&Lf}s`ZBJkEhUC>=}?tyAU+jUr)u%NelnI4bmiW4br zb6Q(b+_(&qo#OP63Z!OQHg9py`SnZd>{f~~5l_0su7kzzhFqnMi2Me()L#$9v~RK4 z@7?;j6U6dum*u5KZzSiZxlu4_3CD%18er8$AnYq=%6~df8P#t-_~atHW@;KNwQTj* z$gRX5tveaEUv9S1CvPS420w84lh1Iu(xUrm-P+~OhnAW3`WgW)o3Y@Ze)bI`Cl#+x zl57wm9TCvJXj7IkKb+eY(U#>Fn;7PEfuF1TaxNF#ttv#A`lo;cGd-L?H@BT(MlC-jD7!8&!Wc117i_! z3ShM@sgQ8s{wYEp)szSSy1yRZ5I@7~MEemvNgfj|OqNWJYq8=?CRM}YP-X`7qZ9aB zdz4bucYE%J7?6T#x>sN@0o;dvccRE1a$%xjBbvLS6H!Dp0%#f_M&^~I2FiG_UXVeL zOk>jLis}ck)EBs-m+;9oRT>00V$8_e!ltgto;K!|Swftcp0C!P>Q9#=OP?F7hEF}x z#rf>7z{Z}zN9lHj2i}<42no^CYYNmOgDAoQk(>(ebs@fwx$K(0&l{X9Wm;!-UEQ;# zu=BdlRf)!x%Yv7cD;Oqf)RgtQzkg$=i%jLQ#>G21dnTK2mQr(ZdD6>e?BKNy~{`7eGeFe!ZTr*Yo*&u>nJ9dZkIUSOiH*`0c7pziu|# zUb%t>)T>Hs9tH=whJS;=ggJ{qD6+gQ0tD;~2{NV-+>c%c2o}op!!a_~pMvabCVr<0 z%YV6lyC?E)-3NTA9u%daT5elLV;A#0bsG`dA`eA}7L|d+dUmQ+qCj?x$Ax#Oz-h2>xBLNPFE6?O-gU117yb7|!1wzJWJv<)tSq^}K7wLQ zjgnLHX3w!dKaF&5R(<`ITjINQlu`@W`#;mSm3kR$mj;@DhVr^6Kx#R)LDLX8l*q0P z_d>z(pu>sC6t4sp#5HX&3K5~J4izM{NUU|d8zf{`X&kJGQ>3AbR! z;eBbrNkXAwrm6r#{XfXq#ph!&C8^c?0lejVu95~UEQl35q|X%OQddrv5zo= ztvYPX%LfYW91=BiWhKkmumXn##cUBb^yqZvam+?D3s_OlPHVT{vVXHz1#-3OEBzLm z7iv6ywU4FznLW@wIqQp4p4Ch=sTxS{pR0rnQ1*wWw!CktnETnScq_I96^o6jrhnRf z{vso|kZa^dE+$-9n!};2RR6PYQPQw(lC2uo6F&XfvY`3a0=XquP_sPr?ZGgy$vQFTbPfJuMD-Vb&OWYF8| z9ao#pTwdq$OBi(f?zN@WpL6-?{Y1GT5M)_ODD76lDR)?(3~YQtGLI3&(=xYI`HuA^ zDMY}4d)*MR=W)(qZAn_Ke>)R&s_7@GDA3 z<|bM+v6+cAs(2(7?phLQ!y-V5m%;OR$)R9^Ru4xaIN0vt!n5rGP2v9lIJnU{hcGij zW7```EphjYaaBWEP~)J#tLO)@-}m${Nm;pyTbE>d4vE@7^M6!bB{K#WB0YM2lln*_ zWXA=o>SOwHL+&5sRudM597ocoxV~Ylut+cP6Yi4dTvw0Om7MB|LZ>-eM2Ef{B($cdIpD&U_M7VT-LGSu);|o5klR4=9lD)j`JGq1}ui+cz??TA!lJAeh z8k5Yk2kc4jTe~?zdT;1hXR~aiwN*6Oynp;CIwYg&K-Yh(J=?3gJCNSE0#uj=!t0=+ zkZ>@{5`C98oU&I}T4}xE-J-En591aj-w@3V>Z8Qy^D%8Tskg-u5xp$ez?gsqK0rTT zzZVY}N3nrrg?Uc_k;o+%MEbyQ+NiPjn>~UQO@^#Yk?(zeh=qUtqR;jb^kI+ZS?z^@ z(_Ilc%5SwJ0oNMY-nJcGw+I@l-s7=WkM2+jwcBp!zRY{l9e2w_{%LT?$(IDr<`UG< z)PSqyz`&7E=f%^yyaN|q#qlw*q{oRicjQUPKP11wx+)U#t5BjAKMDXa0F#@LpMQ~X zSp@p7>@}w3rW)4lPv(m5xjQ74i|YkO?!SNN941BJ_(`se{ZYb_mud41OPMsmM)tAU zO=HHgP1mWn9;E}bDJUjkh%J%<2?6#ZTXZ?!N?^BxuOhERx`tvHDDYNh^a-M2{XKXH z1bD&)Exi@>Tf;4kUq?mX>rIaeg8_2{mwvja29v6L*b9LX&hYB#I)S_KaC=EU-d8c> z!mf@;l)?iCQKJ)Q!&ZkHuA>|6eR-tnI~9TscZX#*Pl z-hk))<-N521nU16R`{TY%?R^y&?YttD^8w~a9~q}bRDaEL{M8jMAkZy3X5ATsV5R5 zmF0J39Cq8QDNNcW{U`G)X#UHz?yX-O| zldfRp^zLU!j?jDVZu4cNEr+L@uwEg(NXXw-k=)d@t(OD$w?Y?FYUyjzo3l*bZ$EeF zYo@j#!H<5$0jY+79|!_M!eoF(%07@VT?6=|P!SC^J-OfuALW z34v+o9cLr>Xu&GVAKAIkR&2AG74N+_2>n+7UExu4EUt)!KufmlDN+Z%eK_S1ffx&< z=GZw@%=^tihOi$3M5O6J715WY18EIUG^(#_&YTK8tfnZOOsfcUYS23HY@BFIQ=>Fo z>B&qxJZ!dFl`9Mre`PON4ar86b$w7Re#`TXSG5}vqrcK#ru4;6RI${G^YAoeo{{Fq zL}_V^o9gu4D&4PsA+_B^>L3MKcI?}iRpW}i2R<4a8&ws#nH@|C_oH#KS^ctSLPyDf z-3(3~%@5;;9HRjDU~_S_H5ZBH;%sx1zADXS2de{bK4*je68jq({W>}tcgt$8Eap44Rr{xHB)|JU1v5T) z=41R&w>$SABg2($@iEpz5=wH41+8Sh;#Fr|F3+U+;+zi zyV}B7-onp2Vq}{An4PgDp7ps-_b(xNCHh4cKf~x@Qi*!PbRW)Bftsaz02M?)9O^`YHFw|>nOnX9t)#sl{KF-=C3ev_^2hmZZxcRQF6Ly1eh;?e3bfqGe4-XhKkw}peth@m z>64I_t)QhZt0AMx54$h?ga25#yKkS>yqa{b3txIWwn2#@{Wu7|a2`8Xd5XPN>7@OG zNUos(wRS=bjiDTUau`xTsSPN7z~i@4azwgS8q7$6NSl^4y(D^_MCx9PE7bbDxZ_@* z%Mm5UF&R_iCo+5n&mm9@v31;QYDyY-HY>oO&W<<2jj{}0?xnHcRMx0r=X?72ThtAe z+c+PNC#4U&sf=B zZa4|@W&rMKiI)_0#zEe+DlB^QFZupM!-P9_KoEABnEpmQgu_J5esn;1cq5>)V)}mB zrx>~S-FL*E`#aA3{+5zm?o}dRQq_esbx4*{?eFjmgFokz$7;%7J61F12Fq&~Hp|f# zYMy_?O4I*?+@}P!pK93WOTh-ZG&i1lP(0!B&gNur(;4~4Scx1hPTl&|8cx(xi<9w} zWi8TlAZ2;ktflJeZ_KgR{5#pPSM=-C8)SUh3|zH!U;18?!>qb%FH03E{}5<1W{irY z;=g`rX4d|zL1(O}9$wnt;M32a`qv)Fut~F*{G6*KcfsVJpCr<)#ei?4th^gj6JpP2 zlioXhRHF9w3iwfUzwvV{|2&pTk(n`RM@Et-Jv+hl(+?~4DuU=fu$in!M>a2G@w=Ch zmm#g;$bMv@U(e~+c;qoe6Qc_Qs)$zX3Cy5cVhb?#1`NtC>oY|tl%%RpG&`zfsTW+D ztAh8@twCg>h=s9uBP+8`=7DV=Ea?OUx7e0vl9QH?dgSYO?n{R{VpN zJ`d1l+#0LY**zV-Ro7kC@@?_gyuYZ@nB_TcokT5jhcsuNXWZ1Fb8d07PVRbK@%*1#Ee4?5p5D%(Wkip2gd* zJzk8L^hu9G%J=pxGRa>ek=D;(yeV*}#d?{v%E!s@yZz zhuMGrUs!=bVZ)I$GURlIU8%|R!6=vG`n{5t5j3v=mb_v;DrTu=gk52A%;j?pOXo%v zeCme))_Zp?bWBa&-ub?)S)*G-4U3|&jah9Z?N2f_KIJyr?^}Ms&ON}!SxDJpqT@Vu zq14tIa)6iYj$a~o>==+-&@>K2K!k(vU!iy}0x+ zVdwk0J8Wl*#i>_tpcwrkKosz)9jaty728M?5b6g|Vym4T;pRD~gLnY{2%xdz0VZ0WVe@oFuB<@~0rHTNsBpACr1vVB_gZGGYSW$Rbh zGQUcOe&9_EyZ_VE5##Hmzf-cNUw)WQxaQSdRts9D#I84K|AENPsa4sS!2XOy-Fz~b zDD>dGo>*B~yL?)_cJf?3nDAd?JdJz*xY@f{x8V=HJ-&yl+2%$DQtS6`$x|>l z7T%K}CusflDAHA+c7$kWZUUZ@*GOx^ie)^q1BQ*or((ywUjJqIdBm*Dij?{X-`LNkb2Jn zsZ*zrovyMM3DrT507Zb8E;^E~hyhSU$AKDa&@7<*!3Y_iV_-qB7GjnbP1q2)$2hk# z?=grP6i-OyHAYcyS@_XQlaaKA<`2rI{1r7yBK>ucvq5i;o+wZl?ZynI~#*^p30ofsc zUzd4TT`YBc`}O>6Le66|qtyHKm_cE|T|8(!=txN#0)6hCtrd#&qVB2S9LL6nqs^#a zWbLi(gmjZgpLaJp&`P$D5q2LjJLj~BFs;-A7WKXC#^W}m}^?@b#d@B8fwC0R+`L3Sq*@R+V z(A`Is$X@c|;;%YT9LJj8lqHoq$n^n--?(&)OdJU8CXKZj?ZV~;`S{khRbQ}VkB~?o zE>A^ULBOT~`T_jjba_o#5li2OTqG_TkQ%=JT_gRuOv>kEMc;-pQ=*}07pN~yZIo0x zhv7?Rp&KGGbE5hzOzeFC&I_$h?aP2xN9%y?!6L5Mxk7k9VO`-yL!A6V0{u8gjt_apC9k;3>$^itemou%SWzjxokUF zf#gBKYt{Ria=JPuoq?0@}4WzN}m5U|AX8{LX@+f zX4-GJZ+A=f{%Myi1EW#84!$F1{KbMq)?=gA)rRha#4FpRwmxCl`>czX>8XW3Qei37 z88r;jwT6E82WX33Byz{iuKY^=gZgjIe>aBgedL2ER@VdCdW=NNX5w@hzZR zcI6^S!S$qJKJHoGC4N=a?q8~yU&k}N-agW_yqq!RD=>iGbUAO-+mi2{J8B$PTd0L<8N z6VQ8*b%}C2!dpfK)<_J$=SKl~&Y_7qpfG+#5m+Tj*H6c3yT+izjZ_dH%;w{A%HrRv zq_^wIew05mC@kMx;1Fs^31mAblmGUy09~A+Uxy;}+%7Ab%f6AA|5RW^`Wv-SPQp0d zzLaH?TGHfW?Ne!-rWQjL$ZtJOO~>U{o8^ojqj{&gr0ar?meye-+n03#pibqM-K3&V zE-KvjcH?S9nirTyIYjGeMP3-jyAS6tsuwi~`_|Enf6R%#nG|Jq-32H~10#gcoKRnA ztpGZPa*kDB_Id{#k`t*dZ3H`^@nS?XL({;?G3XjfLnunnnU5GJZSR&49+rrt91dz= zv45;&n81->#DQ;9)`6)rxr!R~*KZ>Fm62PtY?cO%848u9an$PCj1jdX^YbgiilViO zJEFhL6M8)MzQ1IVzxt5DN9nXb;OzOO34ewij#B1+PKmBJ6#J&Z|F=GDCQvq850ix? zU-iXZ$Zi`?PDXoyf3KVzZ}D+H_3@0$@6x@zs{MBh61hi*IbC8W0cS&RSEXzc{@5T( z9tT@q?`mSwO`QFPU*`JbZYV_^vXT0a??cint_NWz6L?SF+&ufjq`h49tYSaQ{_Ln! zcZLI+B;Ykn!&p%i0b3{iWjrjaY+$E6I(SXR`r)zC)t8gLkx$I%yKS*keKzErqcmkR z0VNvy2nXVID!pEI`=v=ro+mx`!NMm4vXwd}5FdH?Q!e7HlITRCOqclbON@^=p#ik0 zTNbtwZt`4TnWcpH-ZFj=^#Sj!JWbbnB8=n%#XGUyv`vDo#IiyOXqPcjX%~!a8%8fb zIW_&ETax>!Bk|>+HOHSoeOz6yTuufv_3i%tK78NZ(QVMqpp|vE^)<1( zd(|!U<-0zcu8SviK1T<1hs|E2c^wyS7u`We3w?wm#o%p|8msENx}(2M*S$YI@yhx8 z!JsQ>=^LW(H%9%)zg>rN}hId+p&QE&_rhoA(=RhJjMAqeC9rf3MsQoJ!kSli6lE z*+@KQ!w=%g?ieWk@aALeHHj;oDC*P9oZ|Hfw_vXqh|&xr{*-Gq$&)9qWQb5xnXqxB&;agkaAi7;l##_)1Z7Up2jxY z%XSb#t3tOW6}Dvk&a*Y@mGykrK zu}z76T?K}Er%dVNP949J1&1->4E6{ce&9ozY-r9f3{$%`*BC)xZQq)F3th0A6{afx zusfU!sapysk-qYsfvAK865OJ}j?I@ozbe`}9Nb;4{gADdpu!mjZZtEE(^rWXvfb{B zYuALg5g0-l@npx$6?{)*J}2RI^f57Po=1gYCY{JbFb^{i-IWPfMzTPPwb8Yrvz!ST ztpo#m>J$KAMMCR|C2iBj-d7kzv=&DlvsO$T;{7rb^@T0$55L&IF@!sT){|; zaXD{Q^ON?^2@Csnwi8A7NA~**-5pO&IcjX2B;?}vjeBwl{~&h&ABuF=Nc$7?)f_JT zfebmM+8qI1+k;r_Rr>)VU2EVs{Fl}X+2I)yDTJf{4ioFiiO1I2mlt*XZ zea?!=Iwl+Pf9tP#TWw)mL0chxUnP%TuOP{LkpksE-f!~sCBm6!?^@hsfXP38-RlV8 z$T5U~nD!Q61)2lJaBVSIXB08vo-u=s=r>xRWK}f*0^A^6Lg@opp_aL+eQT_GPQ2#m zQDukOehpmj4TPdVx-+3>j#-vP4;e$OM2DFqm!~10(0m*dmT~O4k|0Z&YL`xM3(CI!69HoqT=N1 zWYnw;K_&C&I>};C%ENAc=+~R0?x6c23GSQ&#T^XC&w|}$Yr3wV)9EA$28Y!xkN5me zJ{RaE5<#XuTC?Dd7-_6@qNLVypDZ&oP?~$*L0#F9x{7`c$L4+_iS*r7KHBF+yy=Sw zp@#FDS&pVgUauca2sJzUtKLo+;U2N>NIA%-Vot#W+C*6hoCbhGSqG6lOs3w%ABY z_-SB5w2HsL>Uy+ZBtwanD(@ClbSPGXW>H+Y?(wDJp3;D<+)VmS3y-b!ojd+(GPGmr zvm~%kp$nDh*337yx#Q=im)W~y^4j`KuXoNd=@1rPulEMfi6%2SlH{%!;Tzdg zXhv-;{?K)A>Cf@ATiBMhcendeL{JbKL9RDE zcKP{Rjc@Kme2W-3oL!DcqV5YhFf!3Z_aN#^tY*OqY-EFo+eIXAa#n_hli*sMdAy?I z#pfg}jdUi~>>O zV0cg56}%*_3b-8r!`o+=Qt`^l>zt|-r5a}7Kl+Vv{7x)$LQ=vy4>gX|2BJD63P~@ z)Meh8(3rNv^2HXU(Ir02pl!F)sQxBpZvC(nO3B+j88~Jbyy_&hA{a^#H!BWo z{Ns`g@&z$UzCUJ1d*zS+Rguo?g-kiHa@!q?hn!ZGm}nRl7_aDPzZJ{i)~rd;B_%N` z{l0I?DBSW$)LR{fOtJ;>%ZL~}a!aoHCVJNdU3Y`!DZljMnECg)Kh+v3=N^e*`lYt*dvi!eG$ zJV556VrW`G0L_O9M&Aq#kg_skl2#fPLqEb)plJYc03U#30S0k+JOW3Dhbn+wkQCuY z_R(89Di-#)45bixcdPtW^}pT&Qj`n9-ypcCPe#uO3@oYIQ0x%CSdcOjB=ZV*@q$Pg zE|Gd?Q$nI*!aHgA^UujRD4ixwrBVpCYd@pk^q$T3TNTh@X`6PI({B^f@Nd@|B1ZA& z7Y*h^j4u^PLi-ma4hIh#8PV5O$A<^Xa*B)m-i7vwNl*x6wq?6Jsr`IqIPJi;UszJT z%G#+_ZlPs;*RnMR21+re>GVXi0?2o70A5Z1_V^ygUYFp(bT-Q!0&d&K=MX;Xm*ZpewbUGxB5T1+y;F#ozpPwZ+DzdB=t3NI5mgs0~CW}5E>R_mS(p|c@z0E(#`KuwRT*^_sjW>39qhtJmW|HBLbkhe0tIaSE0lO#NKHo)9=uye(!vUzs0n)Q8vX zaR76vMDJNa8Sihm6uU2qx>%pS2wJD}pWu9Z^7!fdmNetG*U?_@ zjs3YvYAeRN)lmlgDfh{$L14G+UCeqXG(!pgFnP3RmPQGyqGL%SnQcw|wK+A?Fx~Gi zA(H}M>GvW@UV3|m@BIvmH(B-d>h)z(uRF#4h6eAHZ=U+}b_Wd$VrW>IK*B^T;4=#q zM<@}H3jYBpWpX7b5l|`|QRh@2LO033H=r27i$jjX?oqg|7lIM4hS8jGGtV5b3I{-p zLZuGkH<`xEWjnMC(Ppv2(AY|vn|iYtm#7pBGAu(d(4~hr!AHdl0i!d_?9e3QzoHOc z>btQ?9gi-DE-$UGQM^R|%KTh8nKDVc;2qoc;Y4ChYs>|azt-kpVwXHcOuo|}JPCD| zU!2WSont#8rKWej94fY$_*Yjqp=u*0ES`NFZ+iVR-pW&!=G;QueY>snGcf9dXZbC*FJ(^p9~h*8S^lRG4G5cm0W(w7nyXwML!G6kh$C%1FtZg_Wj z*IR`5&coACVw961bg^rmvQ9Z63_ir?jgA z2VnA1=*u8xD9%Ib)%`w|V@D7upL65n*Q(!MUd@;@>fw!bxp&{eRx-Y(Ouhht`Yw2h31P2@B%BHJz{+LK~FW$Te z=`s6gx;?%#VIuH>3^@S0|DY`KS*pAfr57N3X^8hbD0UiOYk-{-nj=(S=G=|A*aenSq`cl?Nf9%$JrrL7yWu zfBwvq9b9vN*Ax}?+-d|xnDK<+l7-K`3fF%!^!wGhoD3)Gq2Xx$3?l1+efLho!Sox?vNU4J!$ehrAy@g4(OM z#+vaMK%6HT?O%pN@b=3`c}Wm9Si%pgZJEAwx8_|Zso|ozGSDsMriYq2~$I1+fS?QXKD!4`7G^adHeDU+>8lkIlwbPp1eF+Gia* zmU@Jp|9VuDq-v`ZNR%OK*DwD$B3%UUyZe##4v)qZY1iTqS@~x<@761=rz};&=Q9L- zMscSc*U4@g0C0CmDcBi31WfbIk5&v)kNio0Z;d+g(EHRku`oxgp!aawnB8^K4<-H& z(T3WQ(hA9BwVO#{m%{_rPQC}J38R)GK!A^^98A@zE;;4zGDID25T60l1W{a9-r&}jT? z=y@^MpFY3ipPv8O@muISnR-4(el8Vz-?&hpCeGVFP!GW9LnzcB z(siFz0THj1!TS9gZQHn6!Bl!2lK`JOK@}g0W@M4adgHV~_KxsxvM%B=M z)EO(}Th*+?e5t+j(R_nIW(g{crrTQUU3t_SYazGvx%z*l7XVVPrH)E@rra9$pUx0x zx|}gO#D+q$3lupuDS8dj>rS0)Q|& zB+I5jR6?dsbTXPAk@8T+C=R^4r~XM!`fp@tbKl$4rbySHG1bks&V^ES2c!L|kA)>~ zT(D+G{VS~RlGN=T$=W4%AA^LEY8UWBj%q`Je}q+{q{NlHV*PvP+*tQ7il?so>{rRf zYbqPB*Dv1vocvqfVbH}ul52#!hg`Z4#O;`@oUKb-{E*O*P45i#uXq7~o?}a_!)@Bq zqn4U|$gl_W>&bF_%fCyr-E>B#R((dhrZs=i-9o z!MxGa;U`(kMR@DKv!JvMJUdz(q5_@1jQ)?BpE2c3uJ+x@r@|v?FFFBa& z>dO8Sl5l4V}1sfp6&4p1&ht1CEaK8k5B0JkK5LM(yx=!i6z%xU+}pRo-6+TvmR>g zl$m<-ALO>7gT@YI$dR>6W4~elM8Qv=i|9HYgx(`7G|6K*>j~3ik%S%AXsf~SXFn76 zLxO_mNXG{`Pv?HUujxF=J=$Mb_?Rk)4V(8G@8|=ixt-}`Q|c^weZK9&L2tPk9%D-% z#;idxy$j#Fv+(Wxzs7A-!rN~;enRlEZjxWcOZU4h-o9eTST%iRdRFPB&w|N({r0Y{ zuu^BhBn5|H0iQt0+retuIhMkE*Wx$&zBM^Xk1_c&tyx9Db;6^^BE60?;1DXHHv#7Tp`ri5X0co^L>b_fO${%nB z9~CX-UbTBeR%W)}{Mo&+&mK?Rq*~jY6AYE+6pF2eEcSIE4kA^nF0T&CXVqAAa}IK2 z}Wtraj`0b zX4SX?x(Cnehh}>Pz1~W9%D=l<%Wk(6clLUGP4-~!K|`g05VMJYOYlO&M#~8f+MeT*hX3Cv!ZtY#}44VO7 z4LLiAJ*K9}4$rO-DjSZ$|6JQ221mEwr}uuK(j_H$lKZsp*P?f4K>I}TyblToCAS=d zs`CaNla_rEwZ<~d*M-#NI}b@?cmI1$%6HW0CY_l+lDy`g?r_W3sy~_qGWVb4RwW1egU>A)2wJTU-H|kgqs?(Lw17EnC8;V zs*ItN>c}VUsE>pm76avc?cn4%gYhEhIn-lUSU|XGyPoP$`MqqSjWS#fz&s)jW?>_-e7}#h%I^4j_bd zc0N3%u9Y66ES+*!&Md}7fIn!zDl<&UBJy%Y^@SV5G`HtpnNAf-HBg*`g@J4-rRJ5v zTZL_djj_~1G-Z5H6q10*r=jyJF2WZdncQ@~W4Ena~1DKnSnovH9Gz;?#LWcJ_0F%!#cCzR=C$SL3mmkFSfAtz%@nryX}ghMb3Pb?nSTcH4{?OOx-6kS&E3g3ftWT|a`)x})9gYyNgm z-TXRPo$GtG(x!Xdzx~?o)rBT(lo9FYUitB4mSXqV%HQ=xE4j)=Tij2&>3nVatYJ>? zFp$&SNnWUt%@UX*Fg_M_bZ2^MKf^Fgrsee>nXY=ac$FcBKPrU$0KFh8@F*jW1v)%AoA4(Au2op*T%MuQdM=IQqvHrad5aT zQp(w5hMQ&>q{GdEk>Rs=V_p6N1wPti0{>^aY0~j>sog{{~gL5zKKCl3dlGRW&E$vPk|~VvaDS zMMXUn+~w5!H=&R3kXVH;y|-yuE??XI^C4tsfepASg22<0eVb4a7S9D{429E*B=BUK zSB*=42v3JlOt2*xk~eh;9mG9}tUQkfC@^e~q9 zdi4d6d-5>9>13v`kqA9)BCZ`#wgp$6&XiN4C_!#~4seNAld_{twNyW1xXLn}HXb3x zl3@5+$>HI3pEH-`<(UK*|HTpuJ>9_f*M?|jg1XFV?zs*nX=078w6C8df=Nwuw;ui< za?nqQnE&h0?@}%Qvp!f)WT2+VubkUed-9!;R?@}8DC@;*A~9=ikvjY0E{nxv7~&5NA>qp0jW3iz}7ljq&n|9)C8zH~E@d>uDS^EnN2Y~k!cLQum2TVvP3ggJJL&f?MW_o-mm4AYy7vHIt-4S6plFS zs8dS(Zq>k#SB=f?(RMaWnp$omDd@`$(fi{e&+JEew~sveahZMv`gqA zrJT$u=TcW?+)=<&cU!`sdDCCKOZWGl?V}LVNgU~-Ip{E?`Y33y+GA&LXQ1xI+S~QD zBP|{F;1x3#)9Gf&-yF_;XWxtfLg_Xah=CWr`8adq*|LHXwu zynK#B48qdDTj|x1t9?x16a{xwL^i91^T_7$joZUHo&47wM`V$qM*WfsqPQ)O|?3ow6w>kY(f85 z{#`k8g{f~1tG<8n&v!M>D$a4qzN|TsnQ?F8eYHoN(RD|meT5b*URa-YPx!ttwEtmU zXIKF7SRTyVeOytjrw|<{yp3-0b7|Ep$2M>0J9uRrjcRh@dq%_)&p{oI*RyZg7x zZj=hfTi4`{1)Ib6O#Mvep8_T-Kr#X?LtzL3tkA)9a}2#!*AkOZ9Yo}C;*BW04N?KZ z8@|L(NP?tKZ(6YqeAU0XObD?$~vHEr8BJQH&$3$bvZ&kkM(-=?F%OTB{E z7BO}#(+X1ReWZa$CPz|}KOUnNZKJ(1r*o+upEZ5BIF&3^CrAy1poqWHcE3@x(b|-9 z%HxxTE2|*##U;<7m}J*h{}*$JYd=_SeAqXeAD=c*;`QpVc7Xo>m4mC>+|x`W+gP!& z=AAh3L#u&|f4y9f`Bk#Pi>@`KRk~D2MwxW}OYh*4-(t4Z<#!9sFZ0@L+t)*`gtJdo zsZ`75n$D6BvAn%ja$I#}Sz6w{nYrq`X6qa{QQ+x=({kMOw9h|IW2{?7QAglt!lVaz z#_id^76+(O^tf>KEj}6K=h9)hGL}a=*WFR(d%l(N*^$LmqDjQD#|AfYPm{y_LcMM; zS(eS!Tuwa{t1g3dV5Ej(QYolZ!015q6GjNar}DaX?un1WYbhaa2%Xm$`T^A(4N6bS zkg9>EmJZDcwuc~Os6FTbZ@k%fmcDqeE&U+12c9OfHi7a!9b&+!N5HHRs+BX>qGKy+ z2g1MrqG-Y}MLfZb8Bjiy%D!p+D_Epd=!?PAYbA<>mADUm4$lPK;^w5pFY)?cc5?8r zby(`s5V%*)g1m$vTak3&t=5yGZy#2Y)WaNy$cy z1sQz0`>rD*6{Q@ttR0L}BB=T$$0A2mgV!66w7Yz%*Gi`rM-9@$@^l2a({tb@lB;W; z<2%#uK0CR&I+)W+>?>)anm@PSaoaa}^a}&BsOhT9(VgSAl*e787Hh_eUIYq07PV3A zEKBF(Eh`l+i#`wCAi#TVd$d+2q*p~3UzNw!jDM>iH*(XP?GjxX)zh^L9AUWQDxt+NQh7t?}dH`Qq`>>ku=;Ptt>*Bu{u7{%_uO%q(WU09akqV+o)TEy8U%j3Fc8xuu z=MQw6_#6x;x`QH!ELme^f(%?cl>G4PUNEymw9cBQufzD z{|_(zbB!U?tFx3D@fHr=2AE<-qgcSIu>LSPY9o+Yf}V0%)R(Z}_DMgrwl2iUNcqy# zQ!%fP^JlldPgz`TQ+jzjr?bvod~*4kJCzsL!?r8R|6Vz=LNk&qBv}qNxHn!NYGHvN;+%+4xzS87TOod? znS68i1Mj-x1wv77lzNtDgQzX-n03MbWFB=w-lJ%i74*4sak9&co8=@WF}>q3oKwz& zh-5@Wfi%ICU`^Um;1^q{p5Zu!*Df5VI!D)4AD(Pbm29dJ7I4!#&rviOg;LpL+m(GH{o^DZ%PG7KAl?qEngGx8v zw?1wU(1@bl!tY&~%O=u`CLv+ds< zimN^sH>c>FtNbS~{zuYTM>YMvZ~VP6MhzI{XOqW>o=zLs7+(>U4CRb9~K9 zc_^w_!lCsKaq(m|QApR!Zip(BcuHN-w81mVs`X#;Vmz^y@0}oqfUaC*w7;F7)_$%^ z(^UC^6MfsM&QZ!$sVeeI2O40xSiaXkZpp4if*~QWON`rRW+nd`Zp0J~P{|M!gaL=Q z|NI&+$~x1I7IL0|+3I~aO#Jx!gCJ~g4109{=SuR-$X?5zSN1<-;-Zo?sjSZT`ELjJ zh0dJ0j!7i8eQUJM&(wE38s|tLy;v=qMSWf<1x`8!V4Hd{&oSivejl7sK+ zs5sD$BJJrnEAm5anF29p3?)T-OqIO56(Hm8?W0_F^bp3;GAj5pR8i(xQrYAXboc1% z8<&-&BB%+WDC9LYx2G6*KbZhA+5I2+Ux#|duMXn1QTZYWcGE24<(IPRS#`rCR4MWe zFh-OX;Ve8vdfn4DQLnnK+b@SFo&Hbd1_N(M()ZH)S(`t8J|6UWw<0=vaCX$>%VROa zL;y;2az4o#OfG7V@c|1CdE>6>9-rmCi;|aq|8xC%{(9x-;tx0Jplp%l|0M;lMnT%; z4DKxG`0Be2k2?}PLp{r;7du17=S!4DPcj|WUVOGP*HM)G`811G>U{m3eZQOjJ-3#@ zv%pOQhg9*aRFUXL zQ-5vlJ6xoDd3?!|lIh3OQ?cjx8SD?|v@^}JV!3JNyy2&e^2EOd2OSrty&d{2CNos8 z*E^j}A38i=e`NJ(;c)(ezQ)F$#pi!lAAqgangNuRqLzyWXc);N&r>;!@;Oq@BidN0 z0r&i9N+mZ6HqYw!j3enlXkf?jYkKEp6Q!TeT3)9U3&_%!`67_FUur3`)kUA7B%{i`Kei7ww( zxJ#la%kSh?^gTb6qA}ThR__&$2jD0=Xke?^QEre=BvqlrOsJOkw!BQRg>z`_JM3x*UX% zQ&rz%5npnz7VBLJpFJARWu$m+KkVJ&5RRogod5Mnb}Z%-RMY8BwpoBVZdu^o$pN-*)=<|i+e8Q z`BUNba<<2~>vJevYvY@`P*x0UWpMnx9ie0op)wav+MS+JQ^A_FLGyO%Bzuw?g~Fsk z2l0mt=14Q7PJK3uT9Civ?PO|zLEV!X0I+O$^Et|u6GKJBk!Ou!YoKY0QRYtsf>BT^ zFjWMC7iwfzN(%Q!fHWeJU${w_=%O8fHg*2^0-FCk-_k3P5QD^-LVd}BX=`_ux5hl( z>MFXVbBQ}zWU@u&ImmApBNOJ8)#vJeHY{ouo}3o^5t2V9%I6PX4w-Q9^>TW zf)SnfKh_F|^@3S0apaZ<+ED`Yq~GDrPCZN!DqV0N&3msf4z^}lU28##NpFwUv?*h^ z9rCmsA27b&_H8ooday1n>6e~bs?3pvMU(V{@wh%tJ$&Y9cjIUMyMJwVB^LB<#~gM` z3F}d*yqB|qsVTR0pMav2nH3@Y{zB~P;+W73XacRGl1X!9J5>R9&$v8+Jh5~S#Sk9$ zXWB$}0%hc{O=~dZ9nmoR*+N0Z>ekJj7c{f@T5G?*qFI3JOgn0PKj^40lXq-VUy{l5 zT%Vw_;mwrww6>J(s$lGqR%T2EO$8dX87irwlksWaIB!PQNz`+wntHD=A@hF|Yf^NP z$|%dC^>5RpMG#(x&Y~U8Zs;sB98|ZliU*DGbTTqnWg=AQ@=Hhc`7{c-T8k@Q*B3p@ zdL!*t{)Ta=?UJt|3lIPRMbcn@ITG*-*rK&OnNQzWX=g7Q8&-0Mcjs%*_fB|)1&b$6 zsR034%4^~8Y7+0m%ic0a<4W)Rh*|P?Y|s9DamQulhek2VS?GsaE7Np?oTs|+{I9CQ zu9xmGP%#WcfP!E^%G{C4{~?5W7$jI=i?ZfwL5N)CJOn2I;3GEK5fEh;1bH_PJQF;o zsF6bAK*K$0Ak7t%8(zj^oc-9v5fg!4KyvKH@T&3)o6V4ke@o&}fq#kEngYFKcP7Gi z$Hmexp?Ch8v)e)81ypP*3UWgBGi~*v$q}Bj2^fZ9KVP}--#%-o;Mv9&Kl^?94F4HN zDwE_@N&E8vQ+PLRj(a1Vh5MI}`l#35qWhVAbw;57;=ab?>{VT*cRI(s8rRlkiibSj z`SziX*_4L{?D!=v9dwHm6djKo&$_)3MFF}u=k=OIrt5Ni&U2nqfU1h)oj?3X4g2;J zUMfmLTv>ss&8w}Z^rWh~s(?J_`{kRDUuoLEp|+{&WGpwC7NQ=Gf)b*%Q16MiKqbN` zDeg*I-b44h1IXmJ3#cl|jc|W%nizT%zkL+J78Uj}ikqMeyCa1O!2X(Gk1LkW1%q`M z(Ga3^m}j39f}3hzD_+bF6JHSTtulrM0kXbE&>Tmuo*ZJ^UOte)V>jy_p~bWrgUJab zd;5QutJ&6tf9#el-;9s_axE+@d>+t|?l@p?r+*62p3jI&aJ}13HnsYv(A=Vcb{lCX z;xjZ&NinB*Pa#vh7yG|Rk~_C6Pt!<#%n(-M(@OQo$#b6Nw9x9)7rIt6kHgjUJ)8tC zU>USCYK}Sa?TS$Bg-_9sN2j zhgH|AD36gH6jj4YCqdxdxP(yP8n0?`X6+M^KT6Fgix3aY-9pz4#1{)tRS3eX2I1g2 zal?UpLE4w5eAebgW(_9|(y+Pwl~9v?r^kl+ydP@kU(dCUp9x>my{hcem8DN`Nw)m4 zTu#BDe|gmt@h){Wqu8PghqGE8Ig`G;`MtTeF@7L?*}1SCyYOP8VPA9um(zJBXpQ@H z|2*aR)6Ilj;F`kaoy~oE#I~TH@ay|)xR*AroH;Ey%G`vxLl=cTEY)}JQRy#=;Lq}| zFQBT9fQ`N}rYdhbHF!4Z2-)?0TuKoB<=3X+NumYa{g?h{Yc}6EI8sbHbCk_T(#rmt zLNJ_t4=N0<@D(Rp#Y2vFK4_CQRS@#-Th4Jglz9M|e;1JZp-ZPsoF8*L_;ZE# z1Pz>j?Q(ZiE6m%bt8kk;nWzYM^6ps+w+aL~i7d{@Qi@`UJS)w^B)&?(+n%J|XQKYC zFj!ThmqXF|X@2JyD<>vKWksl&MJTKM2{=uT4|lA&Uveu^$JX;=%9LY~zb#zdgN#nN z6zj8I`YpK4jnoLQJ*zO0IHExJutcDZuvg4u=Xt^>+(|H5l`QNb5gvA^<BHvo`g(kR^)UPl`e#Hj&4NofQ%l!zX_I!mh#8_1xxx6<%14Op|qAJY)j z&J!kXfQvMcJJ4x*d@os2Qk&&tM#i@OpF}!q9PG%ZC=tl~@_au?qU_YLJqu-s_udy*tFuuZokAB+i7*IT!gY;(75 zCn5>`7QFEIRCuEsoTMjd4pmJgS~`l;RIKOO9-B{3QurUFhdNE%-6HfB#67 zOO!D;Q@?sle@5ct6KQTe6F#`{RIy-Wjk^OosUJh#PIvnL|6r`^XsD;@$jlPnY%|!7 zS7<)6Ud;brld}}~{%=QOjdUwcKo00A#5bMRTJv*zX448eS2zc-zg=__S=4c2uOV~# zEL}XJFR-;gZz?(VZ)yXZ(}ihIp;Xz=qc@$GAECpim`wAsyjqKnyI@2hQsqI7C+Z$a z3in?2^uEO5-t%{_^kwDvN%F~yI8|uXk9}C(Jt|>RWp-!{JiR8|H{oq<-2u`x8L>nF z-Zrh(2-||N!=d*=Dv+JZom*shw+FzEe@JWuRf5q3NC+`C62Oqe0F8uO030;v%I=t) zuSP9dAw>%j4h z-*j`B>&~{@BW}!^NZ$oS$%|Ix*FKgr72?UcYlB_sXde(|xvecNpd;tA!74A#h^@~z zyk!LDIFaE0PggPY%_7ej{jBZ2$;o~-w?)}!&ICSklRyFg3~lWXF6pYvyqyxuWgf*H zXFD%%5$L+SaJ7NDx(r{KDs$X{JYl||wp)HqCCR;#`11_;@b7(*OB^meS?11b^GjUr zgPQb&Z~dj?F1J2=b})CsVAB{ojrZo&Uo&IyUR8HgGcW+f&Y_lWLzxIm-BL$hr8HVN z^zh-onSe?l7$C;x*>wP#p71Zn^u)}xy@}%836d!h?6mZZW9dKIR8)o<)#0j;fd~rX zs96h(+4V{!N2y_pzc8BLp1=qeIRMzjaQB%Qz_L~A%s!rpmOZ{hODyf%x;M6UOgDG! zb}Qu3!#A^M?^*XLz05;$zUqcTl{~I!Ip%TCul{wp@35F1ry-hi4<8)?xkDd<$5zt1 zoOpoOqF{xi9hT(CVlmYg@6KdHg*kUAz4RZrHz3{dRHdu0y*xB}kLV-rqExnM?b%1g zax7Uq+GteAVg`tW{gjdacE}#FY}Bq3LF4iAlPZC)nz32SyPNA;oQ9jRwc|b0_a=Hy zSrg_?9cHEV%cW~1TaDj~)_>Wa`B**3#&h8;5S(Zu1Q}KiA%pftcqyApKBV7}!;C8- z{_7TzC`}vhb|40m*W1Y%F_N;0t9Z7@&_Q#>%TeJ7Zg%)XaYpVz{iCd=6is$))!%f@ zfob`5MXy9mX)Qks@%hBPDZL0&lQ%&8lC|Y)%o zd&yx9ejnzTJgi&%Y$^xu%x3;MepjQn@2?C4K-7B*)ix-A+WD!G&$JAbf-%f?MWppY z^!Tp85D#1{NNDrSh#-LKE3h6f4rudAL(B2qf^bs1%hCzf=MY2;CjfU$;GwSwg zML7}qytmA-jMj%VL~mmL8=WX|0M&&2{!7BH7oH_SsgxMN5)ny6h0m>0CV;8j4*b%0 zE7x|YpQEHbEJt}^k(PopzCC#1t6-opLc7MP8gI5~cKn&7#p{A3xSEW~liO#f{8oSe%KK#`7KqeIO1)9`V6sTyI z1ysJFER(V-d)vxpI@ijZ$eHnLUR$Bgb^8zHky0KSzplE^^5}P+^NS%q(;uhTPtCo~ zt|1(GTy9Lm3I&L-_}BgF#+bN8RVS3IJe^5R@n?6lyXI7$-{pzjTV&FL+6-bN$DGK+ zF0ui;G=K<$$7rC7;TW0l?pQ2qe#2_|Ux!`%=e8&#LWsp21#eMgZ6lUa zXZ(nCW9H=OHp4$j z$6^doA&j)j1kq?E1OxC2A&6yC(jpLs*>qyJr=-?=#4}d=)kqP<_&|7KVOnEx?Y2x| zI!DH-TO^c>D1NEpq)b{`7?EH`g7t$&Wo1>4t`IRSgX7`dgBaJdH`cuu4h~Cx)IXac zM9Kc>8_h}Pinq<(*8wMeZXNFpdvac0y!_uLcs&VP;y8pSWB%4j(AM-Mc+B*ShtqI# ze^}(DV-uF-kP3Ixdi2b3Zns^i-o@(gU~I>?))W&axJ1pNaP$2B(@3xN!!1eOs5|p? zKL27Nz;#qW$^4>}I!CXR7WtSBG4uNw5x22~&GYA_H32+Tv1T0gINYDm2nTRS)ns-C zwBLT%rdET6o0Nh)OM>9ulF!-jU@U$FPHLnEVhEH&DZpG1fCf=dP-e1SD?9&SgAhF| z7>;5m8a1<%BH{bCr2vX$Cp7B=Q)6m8rQ2ThEV?>qwSG?!{R@XGwWgilN>tA(>yBr( zX4Kj-_+6^uOmkbD(oFb58tC^NaG|iZ=dBrsY989Se}9?tOW3I3u)<-kW;~ci_G`4| zFzyl^l)2NM_=DRTH}qdKUSJxIk2$x0>eR&?OF;7w;)M;;f7hZk@J-1=?n<#-4spy= z>UJ!2-?vZbe(U{Z=85w0Qq{y~-@>qcE?AwMp2h;H8;P&%Ul;ube`Ule>-`CFjsoWf z{Fva5WKuU&HK&eNwEfN%h}))xR8@T&L4D~I&*&a>ulnvZi`o=e3lQC_xNXXcbn>du z^ye@x)7TCak|(Vche=Pu;Rq(I6yAvFh+xI0A^5{>5iY$e;uA$OvZ>KY(NUe ze5i+l+oAooCQ=Jj$!e7`E^Shs85q3GCYC@+d!a6+tg3yB_-^4Vf=o`=XSDiOpG36et4p0z^|L&4J3r8Im$NxuvNT0D z%{tdtOL=H4rDs3`q_;C4a7OAcJxxIXjCQ==3`ny<1Y3NA1yNuqrA&*#XrXA!TF~bZ ztw3WPA61)jTB8(1%R3lJ*QLkjw4rfM{hgtwiWhoMrD)~IpckhA%63u?_ zgiZ>=@h6Y$Q!_7-_Fz3q0Hz0-cr-=9Uo&Jt#>BF@uleIt zV%~uOb=3mrkN=AD_HpcHa!^ zy`4M2^|7l2aY*~tkO_!mJzKo!C%V;NY0EC=BN^aW!OY`vxE#cT+8&a)PSp24uI#P`x^OW25p_CT9G>{mh(E z4u#Ar@tn~HH9KLCr;NLeL+%pnGB)E>rV3eki84wQcNoZRCi8@g^Jc7*AOG6=9$)fz zg+e$mbA`z5Pi34xgyyCnlJaR~veET_Yq=$K-=)g9Y4zh$qdEZ)zRTUZ&Sf^-)9+3d zEBhyxD-fHYfxZ&do8mmLPRx@pz)t8hvTBvu`?Q6)u^YSdi_}P|n88ESO~#D;s=0?> zP_B8h(x?g6u>)h|R7t9N$v+rjHh`JP%gPf;*vepcm5@HSuI{QM^@;8?#&rJ|fAenR zj|_TD6I1MeP(O~Wqh$|;(3daVz2?1EllsS`lE1tpR%&>syV{=f;^t#YsK=bB@C(`s zfKXK(D@*`lmqCRRLP^jmb{FIWBZlAXdd3F?RRU2NAT*W^A708u%uaqc)lQ(sBQ7V# zGuoeqJ~bR^P-B?%r3}*F{D|uzmqsy@o&asy0&T{Y+V@+2+cTRyqt+0JE1Z+p&NX3% z!|YSt&&&QE%lD5=QrQzeE06fEtP(iAITA?OQ#g*6XWRqoDbINsu^3L~?MF zQ!BAZYbaEcH#Z<0_-ylyck?%VYSiY%jd*$L>bi)>$!Ats z5~}xkPN+eeQH{@3h5nmcF0UL)`^%pTMUp?y!j%bK>0EZ~3*k|H#qlz%WoppBF1G^f-_z30|M$civ-_{)ta5V&y`8p)J;b@9 zC&`<5$u(PkKJCqE6id4HIM}{6eLB#xkI8+t-tTqH-UMKnz4HaZc+Y_zUxWT4TO`pR z*Iz<{{#d$Gd@`mOPCQVbxHneF9xQR}(}KJD=~t(@L*io(hgS#}q)q&A-k;WtZptj< zFl7AFmpK8q7!NfLSY$#~`b2&PN=?CN0fa36CZ|Q=}YqS!__lYGOA+Pz}-abcElD#U$;mi z)f&M^GTeXYg8>geNiqa6vb+eXhGJ;4IFcGsgWUMo0~r0 z1>S1GC4wdiM~%49!Ck>HVt@((LaQMl01=*y?2ZrwH6iNFt|fQXvk++IWCRC3 zZXX21;eSRGA%;eX>qb`QejCs(gMv$>)o6*Qnm|-C&f}~!yyfg^RlXcCGFG(~`ua~X zB?EdYSyEE0!5M$7s>Zf<`(W6pYZ*Q;JP8_K@T^vir>6kT<- zCgy`58ahn0`(5})mKax%pp*v_+d;US1Dt%#9#*b6jkuwTUz#{ZoK(Cka3Z6>z z)dvEG;TOIyDiue}MY2L|o3xyBV>;5Vnws9{65(Ug7QHNlHFTJ{bMO}C0QTm4`Lc6T z*ViximMi`8RwvxgYu+Wze^TW4QIb6Vwj}xY(EYti>H2eyf@8nO1oO9Xe}|(r*KSjj z|Glex$JMVvc!cGZZGe#-bT*x0g4UGRY~_Tq`=f#nByE`^#H!MT_cPV}!({`rigYL3 zsUXmGoy^t3E|KMOU(K`IVEy9JRh@4PwL_Y=O*u4tul$+OoJG-(P)NtEwfTXjag_4q zY-B<2^S^+=F4`SzRK>xI7w4DbFn*ez%#(i(1eJJl91m`3>amW!gZfH*QW4M#QcKfYKu|!Q+s7p_ z4Js>tiB@slk_oSJl=}f!d%3A@!J;exlgWH$yUPrpyzIrzl`uwP< zB)7@o9QVk)W^Hqc*xmVG$$bahnlfu&14PA+zBzQYBmxuh67xY)%<7`t87nWlz515AjL1qfYBo4c?B*K}`wdT;;+Tf$d#l7aAUPNl87Q;J!9-i6e|2!7&wUtTLMxG&nL;>X7gtHnrc(* zBEDr*X~qZPvF%tr2B{mz8H zL&sXMX2g2(SuSC9-ny4*wE|Q$L07*pLlRTBz1aP(neP$yE*gY}LZYxH^otKM#NywL z@@K!KyPx?l{@%@+ad?fp627nSd@jqR^(qdBOWp`=8o#AcO(Dn`)A`{@{*i!hEos4b zkMdl&iiO>LLeBg-f`m3B3b;Wr0TL)CbR9|({0Eg$&*?am{1@dPo`;eHSW$F98(t!O zixn!+A8v}=ir43KDsxcyggGOEH(%ay7 z{6T0&s&dw4Vci)J%`HfL)zJDYUtd`X&pXMqEd<+(T6z4Tto#MiikUCwoHzSsIx@9W zO4IEHol?STy)OQ?r6z}?Gd|V}kY}Cq zeg5H9L}$_YjRt^>BtTFjFa(od!H6Yb=9W*ILa;2&*~SmaKu{)SqX&Y6%nt-KBT&#o zF5Z{O5Vu?IQGVrQX0voo$ubbv+NLBq8yZMosxD0$T_Xw&o^?0%CxCqM6%f1a!Zl3L zz*&HFF9aJ>@uExTr7HHF1CARtv~&Cj%x6kWUBCn zQvDTg3S0CY0{7C5Y?T4Q4*Jq_0dom{Zlfa7qr@*h6=@)MOk{j7-01gZmjoBGh*dlp8)No_Imt?fGtUPTm{O z(<`r<*yFyRRntR8W)cIV3Sdwd!{Jsbn}#moLw)I^UGgN1QLT;|M5={meW5M4E(824 z5AxFG5nu=@9t|gmj#2;_(Gp1l!3N zT~E=`j0l4Go~GDsrcOXi`*oC;o;$#*yF~x0H?4Rs#vqg8JBL7o9zDNpnVvc}T3m~q zHnUO+Qm!?b&H>I;D#q}mxEXW@3@eZNG&wv|Ulg^pAynQTuuvep^ro$vl3fN?Y{u7q zCLedI=l%b|y0wQ7G+azLw9I@x)$k6^*8xR4`azT9W%+&Fd?Mn(v__yL9zlm?CD zo~qOXu#%04NdRgK^UnBvq z=htbi9p1~_s>^giiS%Jpyk_gnb1v{*J!w1dY7r1(wG#R{afUQ2devUigB8`nw_hdKzMGuyz z`e8F7()0+I_L=^*P)?=LebZKoKj|cF?IYW>R!yaJ$_Oc4JRoQ+CsM|CJN#AF6L(^*@AZnz*&EV}ve>=v#gW17xXq8+*^=UeIG9Eeo zSYs`|S&}n&I(_-X_#+2yBfvFN$aY6iVAW*4UPpsDDWO3#O=ZZmP+rPCsUy9|+=F$` z?rgqU=_j2AD2WWqjVA+*F=Nwu8wtlk{}GQ6l$VK76Fb~VI;ynYo3K<)Gxzu`8uxGlBE)=A2 zzl9xISE;zkO87_n@xs43{omU9bshXilad#IynUE?R&@7C;^32AsTb zAoqKJYvB8Mg6hMza>F>e4;A^A6Cwo;!5@RpUh3nlM-9joN36aG-6apIqEV<`bvvPM z1G2>3{Olfm`C{4`d-u;b$5xaF`FNlT(_V%B!KH9fN`3Ete|AEa>N;%+Tm0>LW@{w) zn`sXy2H|SCI^}88?Xxu^7Z($9%PEA#Ksvr~3DBhUfGPrljYhCU7$BCuW=Uk}-bUD} za3WxMR5vF8M*zyE2n#Iry*)k45{+$+Db_L!>nNXGOROR0H!@_=nea`nIP|a@1Gqh7 zOhfwEMXEYu(kbCs%`zjSpEVNUMzj2^_!HjjC^MM0rDAUBld@*TX-y9xsdxSY{J$=@8MUQv zfG1;y{?@6f=JW(Vz7?O(iuV+Dhc<2Cmn3axTUxkbhRfg?)r`DI(T4}V?zd#MU%P#4 zG`Y1g_f#>J<=XqXTuA%Jro#CHg@LX5<7et`Yvb=tw7fsBOm0TYUp=l(W9G!Px8^w- zL148hI%Qf`Ohtp6k6ReD3O+{teECW`|Mg4!o}@}n_Q=i_y1wzKoy~pz!=lnYr;vE@ zDN8-wW7AWm`>W?IFaG$sG#TGhd?8^r;w^31@K6xHs>17<5J5mD5sDbm0-|BYQpsC6 zwM@LRkfbE@qg4Kgkb#zg52F#jkc|iIg5SBrO=UFPxw{qBW7vTy;g1eb=59tLKOztX zPsBWmpjLN&yW_7D{R$pt41voXHVnx{M3G26A=iHO$xEt;^lWPVfH_q$griw{&#Qk{ zjK_D8GU(HQ*YSIYdw0XS`aVUYIYOUVQ3hQH;Z|<~Y@Z*UeYkdzopZCEQ+(I@Gtb=; z9$@Z-G5t$B6|%?yWtqjr-Y-QHWhK?bu)U#l_ZfvOCfAQYuKg zJf)s8xQ+WA+DeSYW9krgfCqvWdkaCN%!Q!DLJ*Q@N9Zt@Aci+;I9ktpEI$oN z8`4ATq!$$jnilU)iW^*zTet&aIA%Bd_>DvP`#`IBBDE@f5X1Z*?JfHypcsR#AHq_J zbBx8sdP$Dztgy5sih5b)du^ubZqfcXbb5T@z!*;;UliJHAAPgl{d@oGzb>~(F(7F1 zugiVWA39HVB@AO;6#w7Esv^Pl&)`){lEFCK^;ac8w%6)|H}2wct?4M$eeZKc*I?e+ z+}5fe@6oMT#lP)Tk(ryWJ{c`UGxi&wAphiLc<5k-841-zBahe?@lhelUAtfZ!UQ8xvHF{iNOV<$QxK$CtzFB$UpMV*h42gTAGu(BCj z`v>EAX)QnQPx*B#!@T};{l^0YQ<7WmdSm^%`JCY&Tcv)wE02XyMP37591C{j!Z(8{ z&4ol0l?nW%JLP#ATQWh#zVi(k*%ChzPOAg>+=WbX{=DtTy_KpIG6_&rJ8Umgp8~Q7 zgL9rB3KN|TM(@A2QNCeMJoP3A@BC?r`1c>V!h^gW=W3luUoP0ZiAb1Yl9Ym(6NkyO zK^BQ3q&t7EU5m+(#(@gDcl0SuuP`Mw(FQiKH=p8p3o7!HyNN z%LXv5$vpkPZ#IVr2+68wIN3YYfRTLpI6blO$(WBEomoY^Iv7jpEN~A?rkd7x@(k{n0qi*m1q}CS!ZyuQ}o$FZ_f3grA3oObpXBiMM zbe0xqeVotIG+ZD(VcYdF@U`cj++hAs+zu;W*TgVwpwJ_dgB$!_uJK=N>uqOky!GKw zPp3W7mEiG1!t8(0xOj`#l+hxb*-jWo9mw__C@TXS7gWS z);ut0Pq*(WK0od)+_DU!upNX21l{uMy3^mQtc)Qlk6FY^zXXxIHH1;vL~qJ&W6K5` zT=n&{)`guAraPq^rBngAj4yE~ru>m4V>@+rK*E9IFUdO+->2OC9?lkOS(l_ybAVQ@ zYj0cFMLtig1~Ssnga|$YE(nSnkq9=WD@Mp3q?x+X3romS(vT^KB0QlEgp-B{EMcz@ zI}k;X&l{1U7Xcp?c6iId+PkvMK0>=0H7q5sQrE++3>0H~&{|4_*E-Yt!m6{x;k?P$ zL4}9m;F1Z%dG4?}i}hl7ScbkvgN?#AwTNEUt;+9_&9yRqbkfM>YE6Yn&Zw*D1#W}r zS=N>xkrvtX+JO(}RcPx&vqtp`_O#eDJ-Zs|UHxs*v-VRy_e_VHr!JOzxm4+?m- zFSytvsiW2dcuxL4_;g*)^WUQF*tWT|L@9-%i#V&CJnYW%y+1hPx+v$~8m8YJ)n4tS zV=eX;4|_ZWUN625Z74joeZ)*stPFPjQ1>?t+|AC5QY1tY+l4xa5b_SI0d@u87$`~< z#S5wgVfn#81d2M0YL*=!M7ssZZYo2OywovqrMZGjlf1=>NouSw$RRuJ3@w%fQy?oY zWIo0tEtCI)q+FB!oyV(f5?+xo6OD+8KX;ybm?aG}b{SvNGWn$*eVL!XclDLGD*wUR z?T(3Irx zzp%IjwxqAUFs&hSaR+?@HPi}0|6b!;3*C+Jdr|Ym)Z<;>&Uog=r&bj z-t&^KGMv^`6s>$*xQ_8s{WN6$<#^l;>@~( zISkZp`;RM9esc}8a2!10_|u{C;>juK$D!AYyr-TYUH+ze{7mpk?TA)P!?ymp;3Zl) zdU7p}IsM>Q=OX`^V_9Lq<$Q49v~%O$^~U96RKTVIp}?#e?-{&yb5?Bgt`P(x4#0EF z((YJ_FqIcWpZQ{3fppKGF&tr(4O6b(gGs^XT+V;jaiiv(Yza|Pl5I6>OC8xspWM4} zSC%CNlxHUgaEyJdSw8eTY(A(ms`7C?$Aar+X7!NZ7|<6blqVEP$?5JmF3iUj zzGh!X1|=&tK-oi`@wW$hKmvVRogE9c*E*G{h~wi0%q^5d{l#5d9{LzTX57{=*8b&^ zrnXok@O^z^JZcm2PNP}m2|I|y;DMH)#k6wRDzi4n^x4|as+z%r?{>2XoF*5s1=j}~ z_^rtOZJj{=jyZoWaj#>+ynDyj2ZkHPrv`eTpZs0zeE6^Ac9NiP4gWVi+#iW&@Zt1i zAi0N!K7^2{S8Pj{5f2qc)1OXCd~TQQI!1lW(db#%R;N7kO#@ijftUJwt)u6L!U$1P z&DV#Klv$_Wh{vnH&;Pl?;mS@(zf%a$`9#}4h{x!~IaH$(`QL*$ z^f0aEjQ+&I5Hywo0Ri;`AhH;K;C-@2o{mi%B~b%{wW#~ESFN{k`oX;E^caj(=7Qf| zJH+E{b$M+4+vk~C4`i>o2~UI{hh@S-H?G~<+fOTt$T{ZMw6a&fjY_}WpjvS^?g*v| zGCMgrvTNJ?mQh4ssyTD{@Z#lxao759^)<`IH2+L`hL?fjA~29KKaj>B}qb?7+|J+(){A2EHe|sskV-eaIu`7HHHBBM)f` zR2rx+wa$DQRWtzF6*dct=5Y{`crl_b zGW^WPe9MN5TUqjMGRruKLU3Of+Hm!o1f!_M9&BlTf3ihBN1;&9W0d9=o3TWVRQLnp zKD8Pt|Ecf4_MY#S0CI`=dsV42H7XcDl7G2DeYx%Y_UV72TAz?CAPYMiS|phY9K}fh zWk54J2|w=fgZo8TJLoB6lBuIq^SoJ!a=Fo3GBi?Jx@C+;0d_$GPwdRBL4j0!RRK}uBmy%Y`TW(I4-AsPV zs2?)PAvdxNOME2}V0z(3LH0p1Qzh}*^(aTHF!}Wt*YA@S3-XID-dvui%tiXGOjv8R zob5Z%!xHSFTU?+2{zjLFDQ*!ckiLoDq6J z3#+sdqeP5nMmPrTC52=kNkM!e>wCyk&lc;U)*|-9CA(trSY)rsjaxBOwE{E2?RYo6 zP&7|LlPOawYzP@ce3YKcsTI-8K$GIgS|Z48z(nb=L;0`dPGQJN8x6d6>5KWUwyh)A zL)N>|5HYvtcpnwkId$qsrxytxm-hS-z8rBDUvFd zGW)gPF;}>~`%-h4wMv$O_W`AP$(#e^e&;e3o5}shy!IMe8(FKY*G@Z2n#l>7Y9z)7 z8tR`&@rLid zuqSJ(!tW*EKT&W3HjXr^h+#=7dU6^UMSBRgyM;10e8efPe&>)=h}$b&`j7f#qZ!YG z+}1doraMXO&c7?ajj=p6i~yM|e){i;Nye|7&kLeCFvF-a@nO`j2Xc1Z7+ALSackk8=$lVi9rL?#{wHrv zevJL}`#lp?VZOKIBoGG&AQB7GihBP1vl5?rVGGc)qp(?`X{I?ND{{{bxyRi52>Lnm z=jMGDI)nQppF{#HW(oG1%j+KT5(;GN5sgjxuIL#|4ZYR(DDhFfbK9V7>xF8CuenT- z5P{P-(&*8KV|kIgjY9Bj3Ql3uI23oQRc;g{i#)1Ao3af255}s#m9**SbeAUnzH*87 zHrfwnV@iejqTkdqP06yH{8p)|xQlBZr!Ew}!oumh&z(~A{NEIhTd$9$@&NeRX(guF zL2kKBc^s})>4la>vmr?gAmXH1OJdGMQf?6J7Fm|OMe(_`7ITif@K~2`_m3pHDd%05M2~rxYakBGqST{mqH#H9=hq{)OoJyNn1mKm-s(rNxbiH5bRhcC5`CzQ(%zFEsLj>Qu9;jzxRVi5sH|` zTj6DA2x&+GOnCLnawuDLbkbNjVh#DezJ|3d>BEn71H&H6jI72SpZyQ1ehHnK*%DdW zu^kx~>5JS9fDYM2|IOUskvI-_d~G#t^jkTDd_r{ITEyj#e-I_tFrcgQOB%v1NE;h| zHFRt@R66?ldfdOSckzG!BU~*J+NeooFPwPH`61g=B9W%(han=FiVqM|&Pnhi6C}i~ z!QGAE9Z@hdVt`zSkO4&gT;M>rRD4M{P;9MLSK27V-|WGEZ#6Vr1Y4Q~pW{|a)hH$g z@HV4##cmtpzTb1jUPIqPW;m<$zTQYPaQ*wGAV@Dl`e)vO)Xr*{q<0Y+{%&%G&{>Q| zsL}IE(z0etzwtJaf_Bazto-I>EK5bDP0S;ueCY=y_T~#ETJs$x$7Z@^?h;1He4MzE zx?Io_=fP-5B+ybzE|2rw6AaiG_ZPUsOU0Gfk|!hQK*Kk+ECV()r8oU05l+#*|7ng2Zuzn7T@4M&0L=*cw*Rl%DjHaB)hXx%p!~S)-1+oAp$C^kF(H?Kj|J&4! z8Eba%FK|*@|9gVt8xFUr@4r;sjh~S}TVU3TzG|sE%X?;dIO|JJdssbF;y|KAfuhHZ zZA%#>-gU^$m~f(a#>Ha+lH7~0&G>pqR^rq{gBi;kmP$-e;G9u?V9%WA){<{RWe)w2 z Date: Mon, 10 Jun 2019 09:52:53 +0530 Subject: [PATCH 027/132] fix: Codacy --- erpnext/crm/doctype/utils.py | 2 +- erpnext/public/js/call_popup/call_popup.js | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py index 5781e39634..acb074a16a 100644 --- a/erpnext/crm/doctype/utils.py +++ b/erpnext/crm/doctype/utils.py @@ -48,7 +48,7 @@ def get_last_interaction(number, reference_doc): WHERE {} ORDER BY `modified` LIMIT 1 - """.format(query_condition)) + """.format(query_condition)) # nosec if customer_name: last_issue = frappe.get_all('Issue', { diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index d3c9c0ce41..a15c37c85d 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -38,7 +38,7 @@ class CallPopup { 'label': 'Submit', 'click': () => { const values = this.dialog.get_values(); - if (!values.call_summary) return + if (!values.call_summary) return; frappe.xcall('erpnext.crm.doctype.utils.add_call_summary', { 'docname': this.call_log.id, 'summary': values.call_summary, From 77302b39286f7666609c0bb0a660daefb9aca673 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Tue, 11 Jun 2019 08:01:18 +0530 Subject: [PATCH 028/132] fix: Save summary to right field --- erpnext/crm/doctype/utils.py | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py index acb074a16a..68b5d1fd18 100644 --- a/erpnext/crm/doctype/utils.py +++ b/erpnext/crm/doctype/utils.py @@ -70,12 +70,12 @@ def get_last_interaction(number, reference_doc): @frappe.whitelist() def add_call_summary(docname, summary): call_log = frappe.get_doc('Call Log', docname) - content = _('Call Summary by {0}: {1}').format( + summary = _('Call Summary by {0}: {1}').format( frappe.utils.get_fullname(frappe.session.user), summary) - if not call_log.call_summary: - call_log.call_summary = content + if not call_log.summary: + call_log.summary = summary else: - call_log.call_summary += '
' + content + call_log.summary += '
' + summary call_log.save(ignore_permissions=True) def get_employee_emails_for_popup(communication_medium): From 6013375fbb4c9430b864205d998838e647143221 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Tue, 11 Jun 2019 08:03:55 +0530 Subject: [PATCH 029/132] fix: Improve call popup UX - Close modal after 10 secs if user is has not entered any call summary - Show alert once the summary was saved --- .pylintrc | 1 - erpnext/crm/doctype/lead/lead.js | 9 ++++++ erpnext/public/js/call_popup/call_popup.js | 34 +++++++++++++--------- 3 files changed, 30 insertions(+), 14 deletions(-) delete mode 100644 .pylintrc diff --git a/.pylintrc b/.pylintrc deleted file mode 100644 index 4b2ea0a564..0000000000 --- a/.pylintrc +++ /dev/null @@ -1 +0,0 @@ -disable=access-member-before-definition \ No newline at end of file diff --git a/erpnext/crm/doctype/lead/lead.js b/erpnext/crm/doctype/lead/lead.js index 8c1ab2f38f..d2e907d162 100644 --- a/erpnext/crm/doctype/lead/lead.js +++ b/erpnext/crm/doctype/lead/lead.js @@ -33,6 +33,7 @@ erpnext.LeadController = frappe.ui.form.Controller.extend({ frappe.dynamic_link = { doc: doc, fieldname: 'name', doctype: 'Lead' } if(!doc.__islocal && doc.__onload && !doc.__onload.is_customer) { + this.frm.add_custom_button(__("Call"), this.call); this.frm.add_custom_button(__("Customer"), this.create_customer, __('Create')); this.frm.add_custom_button(__("Opportunity"), this.create_opportunity, __('Create')); this.frm.add_custom_button(__("Quotation"), this.make_quotation, __('Create')); @@ -52,6 +53,14 @@ erpnext.LeadController = frappe.ui.form.Controller.extend({ }) }, + call: () => { + frappe.xcall('erpnext.erpnext_integrations.exotel_integration.make_a_call', { + 'to_number': this.frm.doc.phone, + 'from_number': '', + 'caller_id': '09513886363' + }).then(console.log) + }, + create_opportunity: function () { frappe.model.open_mapped_doc({ method: "erpnext.crm.doctype.lead.lead.make_opportunity", diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index a15c37c85d..4fd3a5539f 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -35,15 +35,19 @@ class CallPopup { 'fieldname': 'call_summary', }, { 'fieldtype': 'Button', - 'label': 'Submit', + 'label': 'Save', 'click': () => { - const values = this.dialog.get_values(); - if (!values.call_summary) return; + const call_summary = this.dialog.get_value('call_summary'); + if (!call_summary) return; frappe.xcall('erpnext.crm.doctype.utils.add_call_summary', { 'docname': this.call_log.id, - 'summary': values.call_summary, + 'summary': call_summary, }).then(() => { - this.dialog.set_value('call_summary', ''); + this.close_modal(); + frappe.show_alert({ + message: `${__('Call Summary Saved')}
${__('View call log')}`, + indicator: 'green' + }); }); } }], @@ -52,10 +56,7 @@ class CallPopup { this.make_caller_info_section(); this.dialog.get_close_btn().show(); this.dialog.$body.addClass('call-popup'); - this.dialog.set_secondary_action(() => { - delete erpnext.call_popup; - this.dialog.hide(); - }); + this.dialog.set_secondary_action(this.close_modal); frappe.utils.play_sound("incoming-call"); this.dialog.show(); } @@ -71,7 +72,7 @@ class CallPopup { if (!contact) { wrapper.append(`
-
Unknown Number: ${this.caller_number}
+
${__('Unknown Number')}: ${this.caller_number}
${__('Create New Contact')} @@ -131,10 +132,19 @@ class CallPopup { this.set_call_status(); } + close_modal() { + delete erpnext.call_popup; + this.dialog.hide(); + } + call_disconnected(call_log) { frappe.utils.play_sound("call-disconnect"); this.update_call_log(call_log); - setTimeout(this.get_close_btn().click, 10000); + setTimeout(() => { + if (!this.dialog.get_value('call_summary')) { + this.close_modal(); + } + }, 10000); } make_last_interaction_section() { @@ -145,14 +155,12 @@ class CallPopup { const comm_field = this.dialog.fields_dict["last_communication"]; if (data.last_communication) { const comm = data.last_communication; - // this.dialog.set_df_property('last_interaction', 'hidden', false); comm_field.set_value(comm.content); comm_field.$wrapper.append(frappe.utils.get_form_link('Communication', comm.name)); } if (data.last_issue) { const issue = data.last_issue; - // this.dialog.set_df_property('last_interaction', 'hidden', false); const issue_field = this.dialog.fields_dict["last_issue"]; issue_field.set_value(issue.subject); issue_field.$wrapper.append(` From 28f7c3ca3fe8b9e848bf6fef14eac3aeaf046eaf Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Tue, 11 Jun 2019 12:21:30 +0530 Subject: [PATCH 030/132] fix: Add Make contact button --- erpnext/public/js/call_popup/call_popup.js | 67 ++++++++++++++-------- 1 file changed, 43 insertions(+), 24 deletions(-) diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 4fd3a5539f..960f00515c 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -56,7 +56,7 @@ class CallPopup { this.make_caller_info_section(); this.dialog.get_close_btn().show(); this.dialog.$body.addClass('call-popup'); - this.dialog.set_secondary_action(this.close_modal); + this.dialog.set_secondary_action(this.close_modal.bind(this)); frappe.utils.play_sound("incoming-call"); this.dialog.show(); } @@ -70,35 +70,54 @@ class CallPopup { wrapper.empty(); const contact = this.contact = contact_doc; if (!contact) { - wrapper.append(` - - `); + this.setup_unknown_caller(wrapper); } else { - const contact_name = frappe.utils.get_form_link('Contact', contact.name, true); - const link = contact.links ? contact.links[0] : null; - let contact_link = link ? frappe.utils.get_form_link(link.link_doctype, link.link_name, true): ''; - wrapper.append(` -
- ${frappe.avatar(null, 'avatar-xl', contact.name, contact.image)} -
-
${contact_name}
-
${contact.mobile_no || ''}
-
${contact.phone_no || ''}
- ${contact_link} -
-
- `); + this.setup_known_caller(wrapper); this.set_call_status(); this.make_last_interaction_section(); } }); } + setup_unknown_caller(wrapper) { + wrapper.append(` +
+ ${__('Unknown Number')}: ${this.caller_number} + +
+ `).find('button').click( + () => frappe.set_route(`Form/Contact/New Contact?phone=${this.caller_number}`) + ); + } + + setup_known_caller(wrapper) { + const contact = this.contact; + const contact_name = frappe.utils.get_form_link('Contact', contact.name, true); + const links = contact.links ? contact.links : []; + + let contact_links = ''; + + links.forEach(link => { + contact_links += `
${link.link_doctype}: ${frappe.utils.get_form_link(link.link_doctype, link.link_name, true)}
`; + }); + wrapper.append(` +
+ ${frappe.avatar(null, 'avatar-xl', contact.name, contact.image)} +
+
${contact_name}
+
${contact.mobile_no || ''}
+
${contact.phone_no || ''}
+ ${contact_links} +
+
+ `); + } + set_indicator(color, blink=false) { let classes = `indicator ${color} ${blink ? 'blink': ''}`; this.dialog.header.find('.indicator').attr('class', classes); @@ -133,8 +152,8 @@ class CallPopup { } close_modal() { - delete erpnext.call_popup; this.dialog.hide(); + delete erpnext.call_popup; } call_disconnected(call_log) { From 7ff124db954e2462651b869323e9616900ae4c34 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Tue, 11 Jun 2019 14:21:48 +0530 Subject: [PATCH 031/132] fix: Show lead name when the lead calls --- erpnext/public/js/call_popup/call_popup.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 960f00515c..f994b772a7 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -97,7 +97,7 @@ class CallPopup { setup_known_caller(wrapper) { const contact = this.contact; - const contact_name = frappe.utils.get_form_link('Contact', contact.name, true); + const contact_name = frappe.utils.get_form_link(contact.doctype, contact.name, true, contact.lead_name); const links = contact.links ? contact.links : []; let contact_links = ''; From 2f847796670a3863a95b51e2f7095e285082d7b4 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Wed, 12 Jun 2019 10:31:07 +0530 Subject: [PATCH 032/132] fix: Last Communication for lead - Remove unused code - Remove unused import --- erpnext/crm/doctype/lead/lead.js | 9 --------- erpnext/crm/doctype/utils.py | 2 +- erpnext/erpnext_integrations/exotel_integration.py | 2 +- erpnext/public/js/call_popup/call_popup.js | 3 +-- 4 files changed, 3 insertions(+), 13 deletions(-) diff --git a/erpnext/crm/doctype/lead/lead.js b/erpnext/crm/doctype/lead/lead.js index d2e907d162..8c1ab2f38f 100644 --- a/erpnext/crm/doctype/lead/lead.js +++ b/erpnext/crm/doctype/lead/lead.js @@ -33,7 +33,6 @@ erpnext.LeadController = frappe.ui.form.Controller.extend({ frappe.dynamic_link = { doc: doc, fieldname: 'name', doctype: 'Lead' } if(!doc.__islocal && doc.__onload && !doc.__onload.is_customer) { - this.frm.add_custom_button(__("Call"), this.call); this.frm.add_custom_button(__("Customer"), this.create_customer, __('Create')); this.frm.add_custom_button(__("Opportunity"), this.create_opportunity, __('Create')); this.frm.add_custom_button(__("Quotation"), this.make_quotation, __('Create')); @@ -53,14 +52,6 @@ erpnext.LeadController = frappe.ui.form.Controller.extend({ }) }, - call: () => { - frappe.xcall('erpnext.erpnext_integrations.exotel_integration.make_a_call', { - 'to_number': this.frm.doc.phone, - 'from_number': '', - 'caller_id': '09513886363' - }).then(console.log) - }, - create_opportunity: function () { frappe.model.open_mapped_doc({ method: "erpnext.crm.doctype.lead.lead.make_opportunity", diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py index 68b5d1fd18..b424ac3878 100644 --- a/erpnext/crm/doctype/utils.py +++ b/erpnext/crm/doctype/utils.py @@ -56,7 +56,7 @@ def get_last_interaction(number, reference_doc): }, ['name', 'subject', 'customer'], limit=1) elif reference_doc.doctype == 'Lead': - last_communication = frappe.get_all('Communication', { + last_communication = frappe.get_all('Communication', filters={ 'reference_doctype': reference_doc.doctype, 'reference_name': reference_doc.name, 'sent_or_received': 'Received' diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index bace40ff62..4e88c5b03a 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -1,5 +1,5 @@ import frappe -from erpnext.crm.doctype.utils import get_document_with_phone_number, get_employee_emails_for_popup +from erpnext.crm.doctype.utils import get_employee_emails_for_popup import requests # api/method/erpnext.erpnext_integrations.exotel_integration.handle_incoming_call diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index f994b772a7..4df2321d18 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -175,7 +175,6 @@ class CallPopup { if (data.last_communication) { const comm = data.last_communication; comm_field.set_value(comm.content); - comm_field.$wrapper.append(frappe.utils.get_form_link('Communication', comm.name)); } if (data.last_issue) { @@ -183,7 +182,7 @@ class CallPopup { const issue_field = this.dialog.fields_dict["last_issue"]; issue_field.set_value(issue.subject); issue_field.$wrapper.append(` - View all issues from ${issue.customer} + ${__('View all issues from {0}', [issue.customer])} `); } }); From 06f80345426f26ca65e789ffa1485407b5130234 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Thu, 13 Jun 2019 17:13:54 +0530 Subject: [PATCH 033/132] refactor: Remove redundant code --- .../exotel_integration.py | 42 +++++++++---------- 1 file changed, 21 insertions(+), 21 deletions(-) diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index 4e88c5b03a..a0e8295886 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -63,24 +63,15 @@ def get_call_log(call_payload, create_new_if_not_found=True): @frappe.whitelist() def get_call_status(call_id): - print(call_id) - settings = get_exotel_settings() - response = requests.get('https://{api_key}:{api_token}@api.exotel.com/v1/Accounts/erpnext/Calls/{call_id}.json'.format( - api_key=settings.api_key, - api_token=settings.api_token, - call_id=call_id - )) + endpoint = get_exotel_endpoint('Calls/{call_id}.json'.format(call_id=call_id)) + response = requests.get(endpoint) status = response.json().get('Call', {}).get('Status') return status @frappe.whitelist() def make_a_call(from_number, to_number, caller_id): - settings = get_exotel_settings() - response = requests.post('https://{api_key}:{api_token}@api.exotel.com/v1/Accounts/{sid}/Calls/connect.json?details=true'.format( - api_key=settings.api_key, - api_token=settings.api_token, - sid=settings.account_sid - ), data={ + endpoint = get_exotel_endpoint('Calls/connect.json?details=true') + response = requests.post(endpoint, data={ 'From': from_number, 'To': to_number, 'CallerId': caller_id @@ -98,15 +89,24 @@ def get_phone_numbers(): return numbers def whitelist_numbers(numbers, caller_id): - settings = get_exotel_settings() - query = 'https://{api_key}:{api_token}@api.exotel.com/v1/Accounts/{sid}/CustomerWhitelist'.format( - api_key=settings.api_key, - api_token=settings.api_token, - sid=settings.account_sid - ) - response = requests.post(query, data={ + endpoint = get_exotel_endpoint('CustomerWhitelist') + response = requests.post(endpoint, data={ 'VirtualNumber': caller_id, 'Number': numbers, }) - return response \ No newline at end of file + return response + +def get_all_exophones(): + endpoint = get_exotel_endpoint('IncomingPhoneNumbers') + response = requests.post(endpoint) + return response + +def get_exotel_endpoint(action): + settings = get_exotel_settings() + return 'https://{api_key}:{api_token}@api.exotel.com/v1/Accounts/{sid}/{action}'.format( + api_key=settings.api_key, + api_token=settings.api_token, + sid=settings.account_sid, + action=action + ) \ No newline at end of file From be1dddd596f7136b376d83d1acfd7417e49d3aa0 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Mon, 17 Jun 2019 08:06:14 +0530 Subject: [PATCH 034/132] feat: Add call recording URL field to call log --- erpnext/communication/doctype/call_log/call_log.json | 9 ++++++++- erpnext/erpnext_integrations/exotel_integration.py | 1 + 2 files changed, 9 insertions(+), 1 deletion(-) diff --git a/erpnext/communication/doctype/call_log/call_log.json b/erpnext/communication/doctype/call_log/call_log.json index bb428757e5..23c876d904 100644 --- a/erpnext/communication/doctype/call_log/call_log.json +++ b/erpnext/communication/doctype/call_log/call_log.json @@ -11,6 +11,7 @@ "section_break_5", "status", "duration", + "recording_url", "summary" ], "fields": [ @@ -63,9 +64,15 @@ "fieldtype": "Data", "label": "Summary", "read_only": 1 + }, + { + "fieldname": "recording_url", + "fieldtype": "Data", + "label": "Recording URL", + "read_only": 1 } ], - "modified": "2019-06-07 09:49:07.623814", + "modified": "2019-06-17 08:01:46.881008", "modified_by": "Administrator", "module": "Communication", "name": "Call Log", diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index a0e8295886..a22eb6073b 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -39,6 +39,7 @@ def update_call_log(call_payload, status): if call_log: call_log.status = status call_log.duration = call_payload.get('DialCallDuration') or 0 + call_log.recording_url = call_payload.get('RecordingUrl') call_log.save(ignore_permissions=True) frappe.db.commit() return call_log From 3fdeffff7adc833d8bc4d45bed32374c0251d87e Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Mon, 17 Jun 2019 08:27:00 +0530 Subject: [PATCH 035/132] feat: Add medium field in call log doctype --- erpnext/communication/doctype/call_log/call_log.json | 10 ++++++++-- erpnext/erpnext_integrations/exotel_integration.py | 6 ++---- 2 files changed, 10 insertions(+), 6 deletions(-) diff --git a/erpnext/communication/doctype/call_log/call_log.json b/erpnext/communication/doctype/call_log/call_log.json index 23c876d904..3bc8dbaa0a 100644 --- a/erpnext/communication/doctype/call_log/call_log.json +++ b/erpnext/communication/doctype/call_log/call_log.json @@ -6,8 +6,9 @@ "field_order": [ "id", "from", - "column_break_3", "to", + "column_break_3", + "medium", "section_break_5", "status", "duration", @@ -70,9 +71,14 @@ "fieldtype": "Data", "label": "Recording URL", "read_only": 1 + }, + { + "fieldname": "medium", + "fieldtype": "Data", + "label": "Medium" } ], - "modified": "2019-06-17 08:01:46.881008", + "modified": "2019-06-17 08:21:20.665441", "modified_by": "Administrator", "module": "Communication", "name": "Call Log", diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index a22eb6073b..32602d6311 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -12,10 +12,7 @@ def handle_incoming_call(*args, **kwargs): if not exotel_settings.enabled: return status = kwargs.get('Status') - if status == 'free': - # call disconnected for agent - # "and get_call_status(kwargs.get('CallSid')) in ['in-progress']" - additional check to ensure if the call was redirected return call_log = get_call_log(kwargs) @@ -55,7 +52,8 @@ def get_call_log(call_payload, create_new_if_not_found=True): elif create_new_if_not_found: call_log = frappe.new_doc('Call Log') call_log.id = call_payload.get('CallSid') - call_log.to = call_payload.get('To') + call_log.to = call_payload.get('CallTo') + call_log.medium = call_payload.get('To') call_log.status = 'Ringing' setattr(call_log, 'from', call_payload.get('CallFrom')) call_log.save(ignore_permissions=True) From 5ea6a5e33ada5b5d1bd6b6d7c5328ed812ec7725 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Mon, 17 Jun 2019 08:46:38 +0530 Subject: [PATCH 036/132] fix: Decouple call popup from exotel --- erpnext/communication/doctype/call_log/call_log.py | 13 +++++++++++-- erpnext/erpnext_integrations/exotel_integration.py | 6 ------ erpnext/public/js/call_popup/call_popup.js | 13 ++++++++----- 3 files changed, 19 insertions(+), 13 deletions(-) diff --git a/erpnext/communication/doctype/call_log/call_log.py b/erpnext/communication/doctype/call_log/call_log.py index fcca0e4b49..053470687b 100644 --- a/erpnext/communication/doctype/call_log/call_log.py +++ b/erpnext/communication/doctype/call_log/call_log.py @@ -3,8 +3,17 @@ # For license information, please see license.txt from __future__ import unicode_literals -# import frappe +import frappe from frappe.model.document import Document +from erpnext.crm.doctype.utils import get_employee_emails_for_popup class CallLog(Document): - pass + def after_insert(self): + employee_emails = get_employee_emails_for_popup(self.medium) + for email in employee_emails: + frappe.publish_realtime('show_call_popup', self, user=email) + + def on_update(self): + doc_before_save = self.get_doc_before_save() + if doc_before_save.status in ['Ringing'] and self.status in ['Missed', 'Completed']: + frappe.publish_realtime('call_{id}_disconnected'.format(id=self.id), self) diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index 32602d6311..f91f757673 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -1,5 +1,4 @@ import frappe -from erpnext.crm.doctype.utils import get_employee_emails_for_popup import requests # api/method/erpnext.erpnext_integrations.exotel_integration.handle_incoming_call @@ -17,14 +16,9 @@ def handle_incoming_call(*args, **kwargs): call_log = get_call_log(kwargs) - employee_emails = get_employee_emails_for_popup(kwargs.get('To')) - for email in employee_emails: - frappe.publish_realtime('show_call_popup', call_log, user=email) - @frappe.whitelist(allow_guest=True) def handle_end_call(*args, **kwargs): call_log = update_call_log(kwargs, 'Completed') - frappe.publish_realtime('call_disconnected', call_log) @frappe.whitelist(allow_guest=True) def handle_missed_call(*args, **kwargs): diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 4df2321d18..8748980f51 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -2,6 +2,7 @@ class CallPopup { constructor(call_log) { this.caller_number = call_log.from; this.call_log = call_log; + this.setup_listener(); this.make(); } @@ -187,6 +188,13 @@ class CallPopup { } }); } + setup_listener() { + frappe.realtime.on(`call_${this.call_log.id}_disconnected`, call_log => { + this.call_disconnected(call_log); + // Remove call disconnect listener after the call is disconnected + frappe.realtime.off(`call_${this.call_log.id}_disconnected`); + }); + } } $(document).on('app_ready', function () { @@ -198,9 +206,4 @@ $(document).on('app_ready', function () { erpnext.call_popup.dialog.show(); } }); - frappe.realtime.on('call_disconnected', call_log => { - if (erpnext.call_popup && erpnext.call_popup.call_log.id === call_log.id) { - erpnext.call_popup.call_disconnected(call_log); - } - }); }); From eb0ca67cedeb5706a8424d51458c98480cd8cc5e Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Mon, 17 Jun 2019 08:59:12 +0530 Subject: [PATCH 037/132] fix: Caller name in call popup --- erpnext/public/js/call_popup/call_popup.js | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 8748980f51..4117b6c00c 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -98,7 +98,7 @@ class CallPopup { setup_known_caller(wrapper) { const contact = this.contact; - const contact_name = frappe.utils.get_form_link(contact.doctype, contact.name, true, contact.lead_name); + const contact_name = frappe.utils.get_form_link(contact.doctype, contact.name, true, this.get_caller_name()); const links = contact.links ? contact.links : []; let contact_links = ''; @@ -128,8 +128,7 @@ class CallPopup { let title = ''; call_status = call_status || this.call_log.status; if (['Ringing'].includes(call_status) || !call_status) { - title = __('Incoming call from {0}', - [this.contact ? `${this.contact.first_name || ''} ${this.contact.last_name || ''}` : this.caller_number]); + title = __('Incoming call from {0}', [this.get_caller_name()]); this.set_indicator('blue', true); } else if (call_status === 'In Progress') { title = __('Call Connected'); @@ -188,6 +187,9 @@ class CallPopup { } }); } + get_caller_name() { + return this.contact ? this.contact.lead_name || this.contact.name || '' : this.caller_number; + } setup_listener() { frappe.realtime.on(`call_${this.call_log.id}_disconnected`, call_log => { this.call_disconnected(call_log); From a86a07ef37b3ccdbf4e10f0d6a2310705dfc87b8 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Mon, 17 Jun 2019 09:29:46 +0530 Subject: [PATCH 038/132] fix: Add additional check to ensure doc_before save exists --- erpnext/communication/doctype/call_log/call_log.json | 5 +++-- erpnext/communication/doctype/call_log/call_log.py | 2 +- 2 files changed, 4 insertions(+), 3 deletions(-) diff --git a/erpnext/communication/doctype/call_log/call_log.json b/erpnext/communication/doctype/call_log/call_log.json index 3bc8dbaa0a..c3d6d07fa5 100644 --- a/erpnext/communication/doctype/call_log/call_log.json +++ b/erpnext/communication/doctype/call_log/call_log.json @@ -75,10 +75,11 @@ { "fieldname": "medium", "fieldtype": "Data", - "label": "Medium" + "label": "Medium", + "read_only": 1 } ], - "modified": "2019-06-17 08:21:20.665441", + "modified": "2019-06-17 09:02:48.150383", "modified_by": "Administrator", "module": "Communication", "name": "Call Log", diff --git a/erpnext/communication/doctype/call_log/call_log.py b/erpnext/communication/doctype/call_log/call_log.py index 053470687b..66f1064e58 100644 --- a/erpnext/communication/doctype/call_log/call_log.py +++ b/erpnext/communication/doctype/call_log/call_log.py @@ -15,5 +15,5 @@ class CallLog(Document): def on_update(self): doc_before_save = self.get_doc_before_save() - if doc_before_save.status in ['Ringing'] and self.status in ['Missed', 'Completed']: + if doc_before_save and doc_before_save.status in ['Ringing'] and self.status in ['Missed', 'Completed']: frappe.publish_realtime('call_{id}_disconnected'.format(id=self.id), self) From 340ccb6c967dca3aa3b704bf65e5f8c3075bc534 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Mon, 17 Jun 2019 10:16:38 +0530 Subject: [PATCH 039/132] fix: Remove unwanted code --- erpnext/erpnext_integrations/exotel_integration.py | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index f91f757673..10d533c8df 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -14,16 +14,15 @@ def handle_incoming_call(*args, **kwargs): if status == 'free': return - call_log = get_call_log(kwargs) + create_call_log(kwargs) @frappe.whitelist(allow_guest=True) def handle_end_call(*args, **kwargs): - call_log = update_call_log(kwargs, 'Completed') + update_call_log(kwargs, 'Completed') @frappe.whitelist(allow_guest=True) def handle_missed_call(*args, **kwargs): - call_log = update_call_log(kwargs, 'Missed') - frappe.publish_realtime('call_disconnected', call_log) + update_call_log(kwargs, 'Missed') def update_call_log(call_payload, status): call_log = get_call_log(call_payload, False) @@ -35,7 +34,6 @@ def update_call_log(call_payload, status): frappe.db.commit() return call_log - def get_call_log(call_payload, create_new_if_not_found=True): call_log = frappe.get_all('Call Log', { 'id': call_payload.get('CallSid'), @@ -54,6 +52,8 @@ def get_call_log(call_payload, create_new_if_not_found=True): frappe.db.commit() return call_log +create_call_log = get_call_log + @frappe.whitelist() def get_call_status(call_id): endpoint = get_exotel_endpoint('Calls/{call_id}.json'.format(call_id=call_id)) From 520c403a05bd2e5e9357b4d188ddc2c044bc6ce2 Mon Sep 17 00:00:00 2001 From: Faris Ansari Date: Mon, 17 Jun 2019 13:02:49 +0530 Subject: [PATCH 040/132] Delete call_log.js --- erpnext/communication/doctype/call_log/call_log.js | 8 -------- 1 file changed, 8 deletions(-) delete mode 100644 erpnext/communication/doctype/call_log/call_log.js diff --git a/erpnext/communication/doctype/call_log/call_log.js b/erpnext/communication/doctype/call_log/call_log.js deleted file mode 100644 index 0018516ec0..0000000000 --- a/erpnext/communication/doctype/call_log/call_log.js +++ /dev/null @@ -1,8 +0,0 @@ -// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors -// For license information, please see license.txt - -frappe.ui.form.on('Call Log', { - // refresh: function(frm) { - - // } -}); From 2e968ece1a879eaba980359e3366af890c685804 Mon Sep 17 00:00:00 2001 From: Faris Ansari Date: Mon, 17 Jun 2019 13:03:44 +0530 Subject: [PATCH 041/132] Delete test_call_log.py --- .../communication/doctype/call_log/test_call_log.py | 10 ---------- 1 file changed, 10 deletions(-) delete mode 100644 erpnext/communication/doctype/call_log/test_call_log.py diff --git a/erpnext/communication/doctype/call_log/test_call_log.py b/erpnext/communication/doctype/call_log/test_call_log.py deleted file mode 100644 index dcc982c000..0000000000 --- a/erpnext/communication/doctype/call_log/test_call_log.py +++ /dev/null @@ -1,10 +0,0 @@ -# -*- coding: utf-8 -*- -# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors -# See license.txt -from __future__ import unicode_literals - -# import frappe -import unittest - -class TestCallLog(unittest.TestCase): - pass From b5f94e5f717c8d577dcda8bf24485ea86ba4be81 Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Mon, 17 Jun 2019 13:32:36 +0530 Subject: [PATCH 042/132] fix: not able to save asset if depreciation method is manual --- erpnext/assets/doctype/asset/asset.py | 19 +++++++++++-------- 1 file changed, 11 insertions(+), 8 deletions(-) diff --git a/erpnext/assets/doctype/asset/asset.py b/erpnext/assets/doctype/asset/asset.py index 72f5c627a7..45f7b30ae8 100644 --- a/erpnext/assets/doctype/asset/asset.py +++ b/erpnext/assets/doctype/asset/asset.py @@ -291,16 +291,19 @@ class Asset(AccountsController): def validate_expected_value_after_useful_life(self): for row in self.get('finance_books'): - accumulated_depreciation_after_full_schedule = max([d.accumulated_depreciation_amount - for d in self.get("schedules") if cint(d.finance_book_id) == row.idx]) + accumulated_depreciation_after_full_schedule = [d.accumulated_depreciation_amount + for d in self.get("schedules") if cint(d.finance_book_id) == row.idx] - asset_value_after_full_schedule = flt(flt(self.gross_purchase_amount) - - flt(accumulated_depreciation_after_full_schedule), - self.precision('gross_purchase_amount')) + if accumulated_depreciation_after_full_schedule: + accumulated_depreciation_after_full_schedule = max(accumulated_depreciation_after_full_schedule) - if row.expected_value_after_useful_life < asset_value_after_full_schedule: - frappe.throw(_("Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1}") - .format(row.idx, asset_value_after_full_schedule)) + asset_value_after_full_schedule = flt(flt(self.gross_purchase_amount) - + flt(accumulated_depreciation_after_full_schedule), + self.precision('gross_purchase_amount')) + + if row.expected_value_after_useful_life < asset_value_after_full_schedule: + frappe.throw(_("Depreciation Row {0}: Expected value after useful life must be greater than or equal to {1}") + .format(row.idx, asset_value_after_full_schedule)) def validate_cancellation(self): if self.status not in ("Submitted", "Partially Depreciated", "Fully Depreciated"): From 8b95b61aa0b2e342443d120eb7322adcebd4164a Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Mon, 17 Jun 2019 14:17:21 +0530 Subject: [PATCH 043/132] fix: Remove unwanted code --- erpnext/erpnext_integrations/exotel_integration.py | 6 ------ 1 file changed, 6 deletions(-) diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index 10d533c8df..a42718602a 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -75,12 +75,6 @@ def make_a_call(from_number, to_number, caller_id): def get_exotel_settings(): return frappe.get_single('Exotel Settings') -@frappe.whitelist(allow_guest=True) -def get_phone_numbers(): - numbers = 'some number' - whitelist_numbers(numbers, 'for number') - return numbers - def whitelist_numbers(numbers, caller_id): endpoint = get_exotel_endpoint('CustomerWhitelist') response = requests.post(endpoint, data={ From 04d623ab66b939551c9f18087836f980dc064a2d Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Mon, 17 Jun 2019 15:20:28 +0530 Subject: [PATCH 044/132] fix: Get employee login ids directly from child table --- erpnext/crm/doctype/utils.py | 13 ++++++++----- 1 file changed, 8 insertions(+), 5 deletions(-) diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py index b424ac3878..f0f3e0844e 100644 --- a/erpnext/crm/doctype/utils.py +++ b/erpnext/crm/doctype/utils.py @@ -79,17 +79,20 @@ def add_call_summary(docname, summary): call_log.save(ignore_permissions=True) def get_employee_emails_for_popup(communication_medium): - employee_emails = [] now_time = frappe.utils.nowtime() weekday = frappe.utils.get_weekday() - available_employee_groups = frappe.db.sql("""SELECT `parent`, `employee_group` + available_employee_groups = frappe.db.sql_list("""SELECT `employee_group` FROM `tabCommunication Medium Timeslot` WHERE `day_of_week` = %s AND `parent` = %s AND %s BETWEEN `from_time` AND `to_time` - """, (weekday, communication_medium, now_time), as_dict=1) - for group in available_employee_groups: - employee_emails += [e.user_id for e in frappe.get_doc('Employee Group', group.employee_group).employee_list] + """, (weekday, communication_medium, now_time)) + + employees = frappe.get_all('Employee Group Table', filters={ + 'parent': ['in', available_employee_groups] + }, fields=['user_id']) + + employee_emails = set([employee.user_id for employee in employees]) return employee_emails From 9ba9a91631efdd5723b1d5039289410c15a65cfb Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Tue, 18 Jun 2019 10:56:47 +0530 Subject: [PATCH 045/132] fix: Strip leading zero from phone number --- erpnext/crm/doctype/utils.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py index f0f3e0844e..5f7a72e4aa 100644 --- a/erpnext/crm/doctype/utils.py +++ b/erpnext/crm/doctype/utils.py @@ -6,7 +6,7 @@ import json def get_document_with_phone_number(number): # finds contacts and leads if not number: return - number = number[-10:] + number = number.lstrip('0') number_filter = { 'phone': ['like', '%{}'.format(number)], 'mobile_no': ['like', '%{}'.format(number)] From a28b96493f83889e5dfa66b106ee597afedcfa53 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Tue, 18 Jun 2019 11:28:14 +0530 Subject: [PATCH 046/132] fix: Make field labels translatable --- erpnext/public/js/call_popup/call_popup.js | 13 +++++++------ 1 file changed, 7 insertions(+), 6 deletions(-) diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 4117b6c00c..17bd74103e 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -16,15 +16,16 @@ class CallPopup { }, { 'fielname': 'last_interaction', 'fieldtype': 'Section Break', + 'label': __('Activity'), }, { 'fieldtype': 'Small Text', - 'label': "Last Communication", + 'label': __('Last Communication'), 'fieldname': 'last_communication', 'read_only': true, 'default': `${__('No communication found.')}` }, { 'fieldtype': 'Small Text', - 'label': "Last Issue", + 'label': __('Last Issue'), 'fieldname': 'last_issue', 'read_only': true, 'default': `${__('No issue raised by the customer.')}` @@ -32,11 +33,11 @@ class CallPopup { 'fieldtype': 'Column Break', }, { 'fieldtype': 'Small Text', - 'label': 'Call Summary', + 'label': __('Call Summary'), 'fieldname': 'call_summary', }, { 'fieldtype': 'Button', - 'label': 'Save', + 'label': __('Save'), 'click': () => { const call_summary = this.dialog.get_value('call_summary'); if (!call_summary) return; @@ -58,7 +59,7 @@ class CallPopup { this.dialog.get_close_btn().show(); this.dialog.$body.addClass('call-popup'); this.dialog.set_secondary_action(this.close_modal.bind(this)); - frappe.utils.play_sound("incoming-call"); + frappe.utils.play_sound('incoming-call'); this.dialog.show(); } @@ -157,7 +158,7 @@ class CallPopup { } call_disconnected(call_log) { - frappe.utils.play_sound("call-disconnect"); + frappe.utils.play_sound('call-disconnect'); this.update_call_log(call_log); setTimeout(() => { if (!this.dialog.get_value('call_summary')) { From 5f9793e0815080bcb53b9f0e086569b0238f6a50 Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Tue, 18 Jun 2019 18:34:14 +0530 Subject: [PATCH 047/132] fix: finance book filters includes the gl data which don't have finance book --- .../report/balance_sheet/balance_sheet.js | 6 +++ .../accounts/report/cash_flow/cash_flow.js | 6 +++ .../accounts/report/cash_flow/cash_flow.py | 46 ++++++++++++------- .../consolidated_financial_statement.js | 5 ++ .../consolidated_financial_statement.py | 8 +++- .../accounts/report/financial_statements.py | 9 +++- .../report/general_ledger/general_ledger.js | 5 ++ .../report/general_ledger/general_ledger.py | 9 +++- .../profit_and_loss_statement.js | 5 ++ .../report/trial_balance/trial_balance.py | 2 +- 10 files changed, 79 insertions(+), 22 deletions(-) diff --git a/erpnext/accounts/report/balance_sheet/balance_sheet.js b/erpnext/accounts/report/balance_sheet/balance_sheet.js index f22f3a1009..4bc29da2c7 100644 --- a/erpnext/accounts/report/balance_sheet/balance_sheet.js +++ b/erpnext/accounts/report/balance_sheet/balance_sheet.js @@ -10,4 +10,10 @@ frappe.require("assets/erpnext/js/financial_statements.js", function() { "fieldtype": "Check", "default": 1 }); + + frappe.query_reports["Balance Sheet"]["filters"].push({ + "fieldname": "include_default_book_entries", + "label": __("Include Default Book Entries"), + "fieldtype": "Check" + }); }); diff --git a/erpnext/accounts/report/cash_flow/cash_flow.js b/erpnext/accounts/report/cash_flow/cash_flow.js index 391f57beac..0422111093 100644 --- a/erpnext/accounts/report/cash_flow/cash_flow.js +++ b/erpnext/accounts/report/cash_flow/cash_flow.js @@ -15,4 +15,10 @@ frappe.require("assets/erpnext/js/financial_statements.js", function() { "label": __("Accumulated Values"), "fieldtype": "Check" }); + + frappe.query_reports["Cash Flow"]["filters"].push({ + "fieldname": "include_default_book_entries", + "label": __("Include Default Book Entries"), + "fieldtype": "Check" + }); }); \ No newline at end of file diff --git a/erpnext/accounts/report/cash_flow/cash_flow.py b/erpnext/accounts/report/cash_flow/cash_flow.py index f048c1acda..75d99e75de 100644 --- a/erpnext/accounts/report/cash_flow/cash_flow.py +++ b/erpnext/accounts/report/cash_flow/cash_flow.py @@ -14,8 +14,8 @@ def execute(filters=None): if cint(frappe.db.get_single_value('Accounts Settings', 'use_custom_cash_flow')): from erpnext.accounts.report.cash_flow.custom_cash_flow import execute as execute_custom return execute_custom(filters=filters) - - period_list = get_period_list(filters.from_fiscal_year, filters.to_fiscal_year, + + period_list = get_period_list(filters.from_fiscal_year, filters.to_fiscal_year, filters.periodicity, filters.accumulated_values, filters.company) cash_flow_accounts = get_cash_flow_accounts() @@ -25,18 +25,18 @@ def execute(filters=None): accumulated_values=filters.accumulated_values, ignore_closing_entries=True, ignore_accumulated_values_for_fy= True) expense = get_data(filters.company, "Expense", "Debit", period_list, filters=filters, accumulated_values=filters.accumulated_values, ignore_closing_entries=True, ignore_accumulated_values_for_fy= True) - + net_profit_loss = get_net_profit_loss(income, expense, period_list, filters.company) data = [] company_currency = frappe.get_cached_value('Company', filters.company, "default_currency") - + for cash_flow_account in cash_flow_accounts: section_data = [] data.append({ - "account_name": cash_flow_account['section_header'], + "account_name": cash_flow_account['section_header'], "parent_account": None, - "indent": 0.0, + "indent": 0.0, "account": cash_flow_account['section_header'] }) @@ -44,18 +44,18 @@ def execute(filters=None): # add first net income in operations section if net_profit_loss: net_profit_loss.update({ - "indent": 1, + "indent": 1, "parent_account": cash_flow_accounts[0]['section_header'] }) data.append(net_profit_loss) section_data.append(net_profit_loss) for account in cash_flow_account['account_types']: - account_data = get_account_type_based_data(filters.company, - account['account_type'], period_list, filters.accumulated_values) + account_data = get_account_type_based_data(filters.company, + account['account_type'], period_list, filters.accumulated_values, filters) account_data.update({ "account_name": account['label'], - "account": account['label'], + "account": account['label'], "indent": 1, "parent_account": cash_flow_account['section_header'], "currency": company_currency @@ -63,7 +63,7 @@ def execute(filters=None): data.append(account_data) section_data.append(account_data) - add_total_row_account(data, section_data, cash_flow_account['section_footer'], + add_total_row_account(data, section_data, cash_flow_account['section_footer'], period_list, company_currency) add_total_row_account(data, data, _("Net Change in Cash"), period_list, company_currency) @@ -105,13 +105,15 @@ def get_cash_flow_accounts(): # combine all cash flow accounts for iteration return [operation_accounts, investing_accounts, financing_accounts] -def get_account_type_based_data(company, account_type, period_list, accumulated_values): +def get_account_type_based_data(company, account_type, period_list, accumulated_values, filters): data = {} total = 0 for period in period_list: start_date = get_start_date(period, accumulated_values, company) - amount = get_account_type_based_gl_data(company, start_date, period['to_date'], account_type) + amount = get_account_type_based_gl_data(company, start_date, + period['to_date'], account_type, filters) + if amount and account_type == "Depreciation": amount *= -1 @@ -121,14 +123,24 @@ def get_account_type_based_data(company, account_type, period_list, accumulated_ data["total"] = total return data -def get_account_type_based_gl_data(company, start_date, end_date, account_type): +def get_account_type_based_gl_data(company, start_date, end_date, account_type, filters): + cond = "" + + if filters.finance_book: + cond = " and finance_book = %s" %(frappe.db.escape(filters.finance_book)) + if filters.include_default_book_entries: + company_fb = frappe.db.get_value("Company", company, 'default_finance_book') + + cond = """ and finance_book in (%s, %s) + """ %(frappe.db.escape(filters.finance_book), frappe.db.escape(company_fb)) + gl_sum = frappe.db.sql_list(""" select sum(credit) - sum(debit) from `tabGL Entry` where company=%s and posting_date >= %s and posting_date <= %s and voucher_type != 'Period Closing Voucher' - and account in ( SELECT name FROM tabAccount WHERE account_type = %s) - """, (company, start_date, end_date, account_type)) + and account in ( SELECT name FROM tabAccount WHERE account_type = %s) {cond} + """.format(cond=cond), (company, start_date, end_date, account_type)) return gl_sum[0] if gl_sum and gl_sum[0] else 0 @@ -154,7 +166,7 @@ def add_total_row_account(out, data, label, period_list, currency, consolidated key = period if consolidated else period['key'] total_row.setdefault(key, 0.0) total_row[key] += row.get(key, 0.0) - + total_row.setdefault("total", 0.0) total_row["total"] += row["total"] diff --git a/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js b/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js index 7b373f0d9a..e69a993e8c 100644 --- a/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js +++ b/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js @@ -55,5 +55,10 @@ frappe.query_reports["Consolidated Financial Statement"] = { "fieldtype": "Check", "default": 0 }, + { + "fieldname": "include_default_book_entries", + "label": __("Include Default Book Entries"), + "fieldtype": "Check" + } ] } diff --git a/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py b/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py index 002493112d..c40310b193 100644 --- a/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py +++ b/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.py @@ -356,7 +356,8 @@ def set_gl_entries_by_account(from_date, to_date, root_lft, root_rgt, filters, g "lft": root_lft, "rgt": root_rgt, "company": d.name, - "finance_book": filters.get("finance_book") + "finance_book": filters.get("finance_book"), + "company_fb": frappe.db.get_value("Company", d.name, 'default_finance_book') }, as_dict=True) @@ -387,7 +388,10 @@ def get_additional_conditions(from_date, ignore_closing_entries, filters): additional_conditions.append("gl.posting_date >= %(from_date)s") if filters.get("finance_book"): - additional_conditions.append("ifnull(finance_book, '') in (%(finance_book)s, '')") + if filters.get("include_default_book_entries"): + additional_conditions.append("finance_book in (%(finance_book)s, %(company_fb)s)") + else: + additional_conditions.append("finance_book in (%(finance_book)s)") return " and {}".format(" and ".join(additional_conditions)) if additional_conditions else "" diff --git a/erpnext/accounts/report/financial_statements.py b/erpnext/accounts/report/financial_statements.py index 41205ae2b0..43cb8896e7 100644 --- a/erpnext/accounts/report/financial_statements.py +++ b/erpnext/accounts/report/financial_statements.py @@ -355,6 +355,10 @@ def set_gl_entries_by_account( "to_date": to_date, } + if filters.get("include_default_book_entries"): + gl_filters["company_fb"] = frappe.db.get_value("Company", + company, 'default_finance_book') + for key, value in filters.items(): if value: gl_filters.update({ @@ -399,7 +403,10 @@ def get_additional_conditions(from_date, ignore_closing_entries, filters): additional_conditions.append("cost_center in %(cost_center)s") if filters.get("finance_book"): - additional_conditions.append("ifnull(finance_book, '') in (%(finance_book)s, '')") + if filters.get("include_default_book_entries"): + additional_conditions.append("finance_book in (%(finance_book)s, %(company_fb)s)") + else: + additional_conditions.append("finance_book in (%(finance_book)s)") if accounting_dimensions: for dimension in accounting_dimensions: diff --git a/erpnext/accounts/report/general_ledger/general_ledger.js b/erpnext/accounts/report/general_ledger/general_ledger.js index 4235b7f60d..def25c9d6e 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.js +++ b/erpnext/accounts/report/general_ledger/general_ledger.js @@ -217,6 +217,11 @@ frappe.query_reports["General Ledger"] = { "label": __("Show Opening Entries"), "fieldtype": "Check" }, + { + "fieldname": "include_default_book_entries", + "label": __("Include Default Book Entries"), + "fieldtype": "Check" + } ] } diff --git a/erpnext/accounts/report/general_ledger/general_ledger.py b/erpnext/accounts/report/general_ledger/general_ledger.py index d9f395b895..3c1626681b 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.py +++ b/erpnext/accounts/report/general_ledger/general_ledger.py @@ -134,6 +134,10 @@ def get_gl_entries(filters): sum(debit_in_account_currency) as debit_in_account_currency, sum(credit_in_account_currency) as credit_in_account_currency""" + if filters.get("include_default_book_entries"): + filters['company_fb'] = frappe.db.get_value("Company", + filters.get("company"), 'default_finance_book') + gl_entries = frappe.db.sql( """ select @@ -189,7 +193,10 @@ def get_conditions(filters): conditions.append("project in %(project)s") if filters.get("finance_book"): - conditions.append("ifnull(finance_book, '') in (%(finance_book)s, '')") + if filters.get("include_default_book_entries"): + conditions.append("finance_book in (%(finance_book)s, %(company_fb)s)") + else: + conditions.append("finance_book in (%(finance_book)s)") from frappe.desk.reportview import build_match_conditions match_conditions = build_match_conditions("GL Entry") diff --git a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.js b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.js index 250e516d7d..7741a45fee 100644 --- a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.js +++ b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.js @@ -41,6 +41,11 @@ frappe.require("assets/erpnext/js/financial_statements.js", function() { "fieldname": "accumulated_values", "label": __("Accumulated Values"), "fieldtype": "Check" + }, + { + "fieldname": "include_default_book_entries", + "label": __("Include Default Book Entries"), + "fieldtype": "Check" } ); }); diff --git a/erpnext/accounts/report/trial_balance/trial_balance.py b/erpnext/accounts/report/trial_balance/trial_balance.py index b5f0186d4d..5758b0bc6b 100644 --- a/erpnext/accounts/report/trial_balance/trial_balance.py +++ b/erpnext/accounts/report/trial_balance/trial_balance.py @@ -105,7 +105,7 @@ def get_rootwise_opening_balances(filters, report_type): if filters.finance_book: fb_conditions = " and finance_book = %(finance_book)s" if filters.include_default_book_entries: - fb_conditions = " and (finance_book in (%(finance_book)s, %(company_fb)s) or finance_book is null)" + fb_conditions = " and (finance_book in (%(finance_book)s, %(company_fb)s))" additional_conditions += fb_conditions From d4420afb72dc21add02451f1f5c57a8a8d4caa7f Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Wed, 19 Jun 2019 18:33:56 +0530 Subject: [PATCH 048/132] chore: Remove unwanted files --- erpnext/.pylintrc | 1 + .../doctype/exotel_settings/exotel_settings.js | 8 -------- .../doctype/exotel_settings/test_exotel_settings.py | 10 ---------- 3 files changed, 1 insertion(+), 18 deletions(-) create mode 100644 erpnext/.pylintrc delete mode 100644 erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.js delete mode 100644 erpnext/erpnext_integrations/doctype/exotel_settings/test_exotel_settings.py diff --git a/erpnext/.pylintrc b/erpnext/.pylintrc new file mode 100644 index 0000000000..4b2ea0a564 --- /dev/null +++ b/erpnext/.pylintrc @@ -0,0 +1 @@ +disable=access-member-before-definition \ No newline at end of file diff --git a/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.js b/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.js deleted file mode 100644 index bfed491d4b..0000000000 --- a/erpnext/erpnext_integrations/doctype/exotel_settings/exotel_settings.js +++ /dev/null @@ -1,8 +0,0 @@ -// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors -// For license information, please see license.txt - -frappe.ui.form.on('Exotel Settings', { - // refresh: function(frm) { - - // } -}); diff --git a/erpnext/erpnext_integrations/doctype/exotel_settings/test_exotel_settings.py b/erpnext/erpnext_integrations/doctype/exotel_settings/test_exotel_settings.py deleted file mode 100644 index 5d85615c27..0000000000 --- a/erpnext/erpnext_integrations/doctype/exotel_settings/test_exotel_settings.py +++ /dev/null @@ -1,10 +0,0 @@ -# -*- coding: utf-8 -*- -# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors -# See license.txt -from __future__ import unicode_literals - -# import frappe -import unittest - -class TestExotelSettings(unittest.TestCase): - pass From 16baa3b13a09f90bb805872a480788e076f24973 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Wed, 19 Jun 2019 18:35:36 +0530 Subject: [PATCH 049/132] fix: Move back .pylintrc to root --- erpnext/.pylintrc => .pylintrc | 0 1 file changed, 0 insertions(+), 0 deletions(-) rename erpnext/.pylintrc => .pylintrc (100%) diff --git a/erpnext/.pylintrc b/.pylintrc similarity index 100% rename from erpnext/.pylintrc rename to .pylintrc From a2408a63da7057af341db5a46af600c5f4fb0f34 Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Mon, 24 Jun 2019 01:52:48 +0530 Subject: [PATCH 050/132] feat: payment reconciliation enhancements --- .../doctype/journal_entry/journal_entry.js | 4 + .../doctype/journal_entry/journal_entry.py | 3 +- .../doctype/payment_entry/payment_entry.py | 14 + .../payment_reconciliation.js | 99 ++++ .../payment_reconciliation.py | 145 +++++- .../payment_reconciliation_payment.json | 486 ++++-------------- erpnext/accounts/utils.py | 14 +- 7 files changed, 366 insertions(+), 399 deletions(-) diff --git a/erpnext/accounts/doctype/journal_entry/journal_entry.js b/erpnext/accounts/doctype/journal_entry/journal_entry.js index b7f383fb13..b6c48c81b9 100644 --- a/erpnext/accounts/doctype/journal_entry/journal_entry.js +++ b/erpnext/accounts/doctype/journal_entry/journal_entry.js @@ -228,6 +228,10 @@ erpnext.accounts.JournalEntry = frappe.ui.form.Controller.extend({ frappe.model.validate_missing(jvd, "account"); var party_account_field = jvd.reference_type==="Sales Invoice" ? "debit_to": "credit_to"; out.filters.push([jvd.reference_type, party_account_field, "=", jvd.account]); + + if (in_list(['Debit Note', 'Credit Note'], doc.voucher_type)) { + out.filters.push([jvd.reference_type, "is_return", "=", 1]); + } } if(in_list(["Sales Order", "Purchase Order"], jvd.reference_type)) { diff --git a/erpnext/accounts/doctype/journal_entry/journal_entry.py b/erpnext/accounts/doctype/journal_entry/journal_entry.py index d082b60211..3132c937dd 100644 --- a/erpnext/accounts/doctype/journal_entry/journal_entry.py +++ b/erpnext/accounts/doctype/journal_entry/journal_entry.py @@ -331,7 +331,8 @@ class JournalEntry(AccountsController): for reference_name, total in iteritems(self.reference_totals): reference_type = self.reference_types[reference_name] - if reference_type in ("Sales Invoice", "Purchase Invoice"): + if (reference_type in ("Sales Invoice", "Purchase Invoice") and + self.voucher_type not in ['Debit Note', 'Credit Note']): invoice = frappe.db.get_value(reference_type, reference_name, ["docstatus", "outstanding_amount"], as_dict=1) diff --git a/erpnext/accounts/doctype/payment_entry/payment_entry.py b/erpnext/accounts/doctype/payment_entry/payment_entry.py index 92803a6312..ea76126d8c 100644 --- a/erpnext/accounts/doctype/payment_entry/payment_entry.py +++ b/erpnext/accounts/doctype/payment_entry/payment_entry.py @@ -535,6 +535,20 @@ class PaymentEntry(AccountsController): "amount": self.total_allocated_amount * (tax_details['tax']['rate'] / 100) } + def set_gain_or_loss(self, account_details=None): + if not self.difference_amount: + self.set_difference_amount() + + row = { + 'amount': self.difference_amount + } + + if account_details: + row.update(account_details) + + self.append('deductions', row) + self.set_unallocated_amount() + @frappe.whitelist() def get_outstanding_reference_documents(args): diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js index 4c24a9fc97..df31cde551 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js @@ -16,6 +16,20 @@ frappe.ui.form.on("Payment Reconciliation Payment", { })[0].outstanding_amount; frappe.model.set_value(cdt, cdn, "allocated_amount", Math.min(invoice_amount, row.amount)); + + frm.call({ + doc: frm.doc, + method: 'get_difference_amount', + args: { + child_row: row + }, + callback: function(r, rt) { + if(r.message) { + frappe.model.set_value(cdt, cdn, + "difference_amount", r.message); + } + } + }); } } }); @@ -104,6 +118,91 @@ erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.ext reconcile: function() { var me = this; + var show_dialog = me.frm.doc.payments.filter(d => d.difference_amount && !d.difference_account); + + if (show_dialog && show_dialog.length) { + + this.data = []; + const dialog = new frappe.ui.Dialog({ + title: __("Select Difference Account"), + fields: [ + { + fieldname: "payments", fieldtype: "Table", label: __("Payments"), + data: this.data, in_place_edit: true, + get_data: () => { + return this.data; + }, + fields: [{ + fieldtype:'Data', + fieldname:"docname", + in_list_view: 1, + hidden: 1 + }, { + fieldtype:'Data', + fieldname:"reference_name", + label: __("Voucher No"), + in_list_view: 1, + read_only: 1 + }, { + fieldtype:'Link', + options: 'Account', + in_list_view: 1, + label: __("Difference Account"), + fieldname: 'difference_account', + reqd: 1, + get_query: function() { + return { + filters: { + company: me.frm.doc.company, + is_group: 0 + } + } + } + }, { + fieldtype:'Currency', + in_list_view: 1, + label: __("Difference Amount"), + fieldname: 'difference_amount', + read_only: 1 + }] + }, + ], + primary_action: function() { + const args = dialog.get_values()["payments"]; + + args.forEach(d => { + frappe.model.set_value("Payment Reconciliation Payment", d.docname, + "difference_account", d.difference_account); + }) + + me.reconcile_payment_entries(); + dialog.hide(); + }, + primary_action_label: __('Reconcile Entries') + }); + + this.frm.doc.payments.forEach(d => { + if (d.difference_amount && !d.difference_account) { + dialog.fields_dict.payments.df.data.push({ + 'docname': d.name, + 'reference_name': d.reference_name, + 'difference_amount': d.difference_amount, + 'difference_account': d.difference_account, + }); + } + }); + + this.data = dialog.fields_dict.payments.df.data; + dialog.fields_dict.payments.grid.refresh(); + dialog.show(); + } else { + this.reconcile_payment_entries(); + } + }, + + reconcile_payment_entries: function() { + var me = this; + return this.frm.call({ doc: me.frm.doc, method: 'reconcile', diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py index 9e7c3eb55e..64861615b0 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py @@ -3,10 +3,11 @@ from __future__ import unicode_literals import frappe, erpnext -from frappe.utils import flt +from frappe.utils import flt, today from frappe import msgprint, _ from frappe.model.document import Document -from erpnext.accounts.utils import get_outstanding_invoices +from erpnext.accounts.utils import (get_outstanding_invoices, + update_reference_in_payment_entry, reconcile_against_document) from erpnext.controllers.accounts_controller import get_advance_payment_entries class PaymentReconciliation(Document): @@ -20,14 +21,17 @@ class PaymentReconciliation(Document): payment_entries = self.get_payment_entries() journal_entries = self.get_jv_entries() - self.add_payment_entries(payment_entries + journal_entries) + if self.party_type in ["Customer", "Supplier"]: + dr_or_cr_notes = self.get_dr_or_cr_notes() + + self.add_payment_entries(payment_entries + journal_entries + dr_or_cr_notes) def get_payment_entries(self): order_doctype = "Sales Order" if self.party_type=="Customer" else "Purchase Order" payment_entries = get_advance_payment_entries(self.party_type, self.party, self.receivable_payable_account, order_doctype, against_all_orders=True, limit=self.limit) - + return payment_entries def get_jv_entries(self): @@ -72,6 +76,34 @@ class PaymentReconciliation(Document): return list(journal_entries) + def get_dr_or_cr_notes(self): + dr_or_cr = ("credit_in_account_currency" + if erpnext.get_party_account_type(self.party_type) == 'Receivable' else "debit_in_account_currency") + + reconciled_dr_or_cr = ("debit_in_account_currency" + if dr_or_cr == "credit_in_account_currency" else "credit_in_account_currency") + + voucher_type = ('Sales Invoice' + if self.party_type == 'Customer' else "Purchase Invoice") + + return frappe.db.sql(""" SELECT `tab{doc}`.name as reference_name, %(voucher_type)s as reference_type, + (sum(`tabGL Entry`.{dr_or_cr}) - sum(`tabGL Entry`.{reconciled_dr_or_cr})) as amount + FROM `tab{doc}`, `tabGL Entry` + WHERE + (`tab{doc}`.name = `tabGL Entry`.against_voucher or `tab{doc}`.name = `tabGL Entry`.voucher_no) + and `tab{doc}`.is_return = 1 and `tabGL Entry`.against_voucher_type = %(voucher_type)s + and `tab{doc}`.docstatus = 1 and `tabGL Entry`.party = %(party)s + and `tabGL Entry`.party_type = %(party_type)s and `tabGL Entry`.account = %(account)s + GROUP BY `tabSales Invoice`.name + Having + amount > 0 + """.format(doc=voucher_type, dr_or_cr=dr_or_cr, reconciled_dr_or_cr=reconciled_dr_or_cr), { + 'party': self.party, + 'party_type': self.party_type, + 'voucher_type': voucher_type, + 'account': self.receivable_payable_account + }, as_dict=1) + def add_payment_entries(self, entries): self.set('payments', []) for e in entries: @@ -112,36 +144,67 @@ class PaymentReconciliation(Document): if erpnext.get_party_account_type(self.party_type) == 'Receivable' else "debit_in_account_currency") lst = [] + dr_or_cr_notes = [] for e in self.get('payments'): + reconciled_entry = [] if e.invoice_number and e.allocated_amount: - lst.append(frappe._dict({ - 'voucher_type': e.reference_type, - 'voucher_no' : e.reference_name, - 'voucher_detail_no' : e.reference_row, - 'against_voucher_type' : e.invoice_type, - 'against_voucher' : e.invoice_number, - 'account' : self.receivable_payable_account, - 'party_type': self.party_type, - 'party': self.party, - 'is_advance' : e.is_advance, - 'dr_or_cr' : dr_or_cr, - 'unadjusted_amount' : flt(e.amount), - 'allocated_amount' : flt(e.allocated_amount) - })) + if e.reference_type in ['Sales Invoice', 'Purchase Invoice']: + reconciled_entry = dr_or_cr_notes + else: + reconciled_entry = lst + + reconciled_entry.append(self.get_payment_details(e, dr_or_cr)) if lst: - from erpnext.accounts.utils import reconcile_against_document reconcile_against_document(lst) - msgprint(_("Successfully Reconciled")) - self.get_unreconciled_entries() + if dr_or_cr_notes: + reconcile_dr_cr_note(dr_or_cr_notes) + + msgprint(_("Successfully Reconciled")) + self.get_unreconciled_entries() + + def get_payment_details(self, row, dr_or_cr): + return frappe._dict({ + 'voucher_type': row.reference_type, + 'voucher_no' : row.reference_name, + 'voucher_detail_no' : row.reference_row, + 'against_voucher_type' : row.invoice_type, + 'against_voucher' : row.invoice_number, + 'account' : self.receivable_payable_account, + 'party_type': self.party_type, + 'party': self.party, + 'is_advance' : row.is_advance, + 'dr_or_cr' : dr_or_cr, + 'unadjusted_amount' : flt(row.amount), + 'allocated_amount' : flt(row.allocated_amount), + 'difference_amount': row.difference_amount, + 'difference_account': row.difference_account + }) + + def get_difference_amount(self, child_row): + if child_row.get("reference_type") != 'Payment Entry': return + + child_row = frappe._dict(child_row) + + if child_row.invoice_number and " | " in child_row.invoice_number: + child_row.invoice_type, child_row.invoice_number = child_row.invoice_number.split(" | ") + + dr_or_cr = ("credit_in_account_currency" + if erpnext.get_party_account_type(self.party_type) == 'Receivable' else "debit_in_account_currency") + + row = self.get_payment_details(child_row, dr_or_cr) + + doc = frappe.get_doc(row.voucher_type, row.voucher_no) + update_reference_in_payment_entry(row, doc, do_not_save=True) + + return doc.difference_amount def check_mandatory_to_fetch(self): for fieldname in ["company", "party_type", "party", "receivable_payable_account"]: if not self.get(fieldname): frappe.throw(_("Please select {0} first").format(self.meta.get_label(fieldname))) - def validate_invoice(self): if not self.get("invoices"): frappe.throw(_("No records found in the Invoice table")) @@ -186,3 +249,41 @@ class PaymentReconciliation(Document): cond += " and `{0}` <= {1}".format(dr_or_cr, flt(self.maximum_amount)) return cond + +def reconcile_dr_cr_note(dr_cr_notes): + for d in dr_cr_notes: + voucher_type = ('Credit Note' + if d.voucher_type == 'Sales Invoice' else 'Debit Note') + + dr_or_cr = ('credit_in_account_currency' + if d.reference_type == 'Sales Invoice' else 'debit_in_account_currency') + + reconcile_dr_or_cr = ('debit_in_account_currency' + if dr_or_cr == 'credit_in_account_currency' else 'credit_in_account_currency') + + jv = frappe.get_doc({ + "doctype": "Journal Entry", + "voucher_type": voucher_type, + "posting_date": today(), + "accounts": [ + { + 'account': d.account, + 'party': d.party, + 'party_type': d.party_type, + reconcile_dr_or_cr: (abs(d.allocated_amount) + if abs(d.unadjusted_amount) > abs(d.allocated_amount) else abs(d.unadjusted_amount)), + 'reference_type': d.against_voucher_type, + 'reference_name': d.against_voucher + }, + { + 'account': d.account, + 'party': d.party, + 'party_type': d.party_type, + dr_or_cr: abs(d.allocated_amount), + 'reference_type': d.voucher_type, + 'reference_name': d.voucher_no + } + ] + }) + + jv.submit() \ No newline at end of file diff --git a/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json b/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json index 814257c047..018bfd028a 100644 --- a/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json +++ b/erpnext/accounts/doctype/payment_reconciliation_payment/payment_reconciliation_payment.json @@ -1,389 +1,127 @@ { - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, - "allow_import": 0, - "allow_rename": 0, - "beta": 0, - "creation": "2014-07-09 16:13:35.452759", - "custom": 0, - "docstatus": 0, - "doctype": "DocType", - "document_type": "", - "editable_grid": 1, + "creation": "2014-07-09 16:13:35.452759", + "doctype": "DocType", + "editable_grid": 1, + "field_order": [ + "reference_type", + "reference_name", + "posting_date", + "is_advance", + "reference_row", + "col_break1", + "invoice_number", + "amount", + "allocated_amount", + "section_break_10", + "difference_account", + "difference_amount", + "sec_break1", + "remark" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "reference_type", - "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 Type", - "length": 0, - "no_copy": 0, - "options": "DocType", - "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": "reference_type", + "fieldtype": "Link", + "label": "Reference Type", + "options": "DocType", + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 3, - "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": 1, - "in_standard_filter": 0, - "label": "Reference Name", - "length": 0, - "no_copy": 0, - "options": "reference_type", - "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 - }, + "columns": 2, + "fieldname": "reference_name", + "fieldtype": "Dynamic Link", + "in_list_view": 1, + "label": "Reference Name", + "options": "reference_type", + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "posting_date", - "fieldtype": "Date", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Posting Date", - "length": 0, - "no_copy": 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 - }, + "fieldname": "posting_date", + "fieldtype": "Date", + "label": "Posting Date", + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "is_advance", - "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": "Is Advance", - "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 - }, + "fieldname": "is_advance", + "fieldtype": "Data", + "hidden": 1, + "label": "Is Advance", + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "reference_row", - "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": "Reference Row", - "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 - }, + "fieldname": "reference_row", + "fieldtype": "Data", + "hidden": 1, + "label": "Reference Row", + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "col_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, - "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": "col_break1", + "fieldtype": "Column Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 3, - "fieldname": "invoice_number", - "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": "Invoice Number", - "length": 0, - "no_copy": 0, - "options": "", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "columns": 2, + "fieldname": "invoice_number", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Invoice Number", + "reqd": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 2, - "fieldname": "amount", - "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": "Amount", - "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 - }, + "columns": 2, + "fieldname": "amount", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Amount", + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 2, - "fieldname": "allocated_amount", - "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": "Allocated 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": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "columns": 2, + "fieldname": "allocated_amount", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Allocated amount", + "reqd": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "sec_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": "", - "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": "sec_break1", + "fieldtype": "Section Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "remark", - "fieldtype": "Small Text", - "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": "Remark", - "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 + "fieldname": "remark", + "fieldtype": "Small Text", + "in_list_view": 1, + "label": "Remark", + "read_only": 1 + }, + { + "columns": 2, + "fieldname": "difference_account", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Difference Account", + "options": "Account" + }, + { + "fieldname": "difference_amount", + "fieldtype": "Currency", + "label": "Difference Amount", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "section_break_10", + "fieldtype": "Section Break" } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "idx": 0, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 1, - "max_attachments": 0, - "menu_index": 0, - "modified": "2019-01-07 16:52:07.567027", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Payment Reconciliation Payment", - "name_case": "", - "owner": "Administrator", - "permissions": [], - "quick_entry": 1, - "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 + ], + "istable": 1, + "modified": "2019-06-24 00:08:11.150796", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Payment Reconciliation Payment", + "owner": "Administrator", + "permissions": [], + "quick_entry": 1, + "sort_field": "modified", + "sort_order": "DESC" } \ No newline at end of file diff --git a/erpnext/accounts/utils.py b/erpnext/accounts/utils.py index 96f64e8db3..101a71f8e5 100644 --- a/erpnext/accounts/utils.py +++ b/erpnext/accounts/utils.py @@ -435,7 +435,7 @@ def update_reference_in_journal_entry(d, jv_obj): jv_obj.flags.ignore_validate_update_after_submit = True jv_obj.save(ignore_permissions=True) -def update_reference_in_payment_entry(d, payment_entry): +def update_reference_in_payment_entry(d, payment_entry, do_not_save=False): reference_details = { "reference_doctype": d.against_voucher_type, "reference_name": d.against_voucher, @@ -466,7 +466,17 @@ def update_reference_in_payment_entry(d, payment_entry): payment_entry.setup_party_account_field() payment_entry.set_missing_values() payment_entry.set_amounts() - payment_entry.save(ignore_permissions=True) + + if d.difference_amount and d.difference_account: + payment_entry.set_gain_or_loss(account_details={ + 'account': d.difference_account, + 'cost_center': payment_entry.cost_center or frappe.get_cached_value('Company', + payment_entry.company, "cost_center"), + 'amount': d.difference_amount + }) + + if not do_not_save: + payment_entry.save(ignore_permissions=True) def unlink_ref_doc_from_payment_entries(ref_doc): remove_ref_doc_link_from_jv(ref_doc.doctype, ref_doc.name) From 4000fb5bb8e2dfb57e88b99a32cf6a4e37af41a1 Mon Sep 17 00:00:00 2001 From: Mangesh-Khairnar Date: Fri, 28 Jun 2019 12:38:40 +0530 Subject: [PATCH 051/132] fix: add a more descriptive message when no records are found (#18082) * fix: add a more descriptive message when no records are found * fix: translation by passing string to translation function --- .../exchange_rate_revaluation.js | 2 - .../exchange_rate_revaluation.py | 20 +- .../exchange_rate_revaluation_account.json | 874 +++++++++--------- 3 files changed, 460 insertions(+), 436 deletions(-) diff --git a/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js b/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js index 297bedc61d..dad75b4ba1 100644 --- a/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +++ b/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js @@ -39,8 +39,6 @@ frappe.ui.form.on('Exchange Rate Revaluation', { }); frm.events.get_total_gain_loss(frm); refresh_field("accounts"); - } else { - frappe.msgprint(__("No records found")); } } }); diff --git a/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py b/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py index cdfe34bead..9594706d0f 100644 --- a/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py +++ b/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py @@ -22,7 +22,7 @@ class ExchangeRateRevaluation(Document): - flt(d.balance_in_base_currency, d.precision("balance_in_base_currency")) total_gain_loss += flt(d.gain_loss, d.precision("gain_loss")) self.total_gain_loss = flt(total_gain_loss, self.precision("total_gain_loss")) - + def validate_mandatory(self): if not (self.company and self.posting_date): frappe.throw(_("Please select Company and Posting Date to getting entries")) @@ -33,8 +33,9 @@ class ExchangeRateRevaluation(Document): company_currency = erpnext.get_company_currency(self.company) precision = get_field_precision(frappe.get_meta("Exchange Rate Revaluation Account") .get_field("new_balance_in_base_currency"), company_currency) - for d in self.get_accounts_from_gle(): - + + account_details = self.get_accounts_from_gle() + for d in account_details: current_exchange_rate = d.balance / d.balance_in_account_currency \ if d.balance_in_account_currency else 0 new_exchange_rate = get_exchange_rate(d.account_currency, company_currency, self.posting_date) @@ -52,6 +53,10 @@ class ExchangeRateRevaluation(Document): "new_exchange_rate": new_exchange_rate, "new_balance_in_base_currency": new_balance_in_base_currency }) + + if not accounts: + self.throw_invalid_response_message(account_details) + return accounts def get_accounts_from_gle(self): @@ -83,11 +88,18 @@ class ExchangeRateRevaluation(Document): return account_details + def throw_invalid_response_message(self, account_details): + if account_details: + message = _("No outstanding invoices require exchange rate revaluation") + else: + message = _("No outstanding invoices found") + frappe.msgprint(message) + def make_jv_entry(self): if self.total_gain_loss == 0: return - unrealized_exchange_gain_loss_account = frappe.get_cached_value('Company', self.company, + unrealized_exchange_gain_loss_account = frappe.get_cached_value('Company', self.company, "unrealized_exchange_gain_loss_account") if not unrealized_exchange_gain_loss_account: frappe.throw(_("Please set Unrealized Exchange Gain/Loss Account in Company {0}") diff --git a/erpnext/accounts/doctype/exchange_rate_revaluation_account/exchange_rate_revaluation_account.json b/erpnext/accounts/doctype/exchange_rate_revaluation_account/exchange_rate_revaluation_account.json index 98ecd486ca..30ff9ebed5 100644 --- a/erpnext/accounts/doctype/exchange_rate_revaluation_account/exchange_rate_revaluation_account.json +++ b/erpnext/accounts/doctype/exchange_rate_revaluation_account/exchange_rate_revaluation_account.json @@ -1,461 +1,475 @@ { - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, - "allow_import": 0, - "allow_rename": 0, - "beta": 0, - "creation": "2018-04-13 18:30:06.110433", - "custom": 0, - "docstatus": 0, - "doctype": "DocType", - "document_type": "", - "editable_grid": 1, - "engine": "InnoDB", + "allow_copy": 0, + "allow_events_in_timeline": 0, + "allow_guest_to_view": 0, + "allow_import": 0, + "allow_rename": 0, + "beta": 0, + "creation": "2018-04-13 18:30:06.110433", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "", + "editable_grid": 1, + "engine": "InnoDB", "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "account", - "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": "Account", - "length": 0, - "no_copy": 0, - "options": "Account", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "account", + "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": "Account", + "length": 0, + "no_copy": 0, + "options": "Account", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 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, - "fieldname": "party_type", - "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": "Party Type", - "length": 0, - "no_copy": 0, - "options": "DocType", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "party_type", + "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": "Party Type", + "length": 0, + "no_copy": 0, + "options": "DocType", + "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, - "fieldname": "party", - "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": "Party", - "length": 0, - "no_copy": 0, - "options": "party_type", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "party", + "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": "Party", + "length": 0, + "no_copy": 0, + "options": "party_type", + "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, - "fieldname": "column_break_2", - "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, + "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_2", + "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, - "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": "Account Currency", - "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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 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": "Account Currency", + "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, - "fieldname": "balance_in_account_currency", - "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": "Balance In Account Currency", - "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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "balance_in_account_currency", + "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": "Balance In Account Currency", + "length": 0, + "no_copy": 0, + "options": "account_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, - "fieldname": "balances", - "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, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "balances", + "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, + "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, - "fieldname": "current_exchange_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": "Current Exchange Rate", - "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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "current_exchange_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": "Current Exchange Rate", + "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, - "fieldname": "balance_in_base_currency", - "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": "Balance In Base Currency", - "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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "balance_in_base_currency", + "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": "Balance In Base Currency", + "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, - "fieldname": "column_break_9", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "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_9", + "fieldtype": "Column Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, "unique": 0 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "new_exchange_rate", - "fieldtype": "Float", - "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": "New Exchange Rate", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "new_exchange_rate", + "fieldtype": "Float", + "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": "New Exchange Rate", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 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, - "fieldname": "new_balance_in_base_currency", - "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": "New Balance In Base Currency", - "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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "new_balance_in_base_currency", + "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": "New Balance In Base Currency", + "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, - "fieldname": "gain_loss", - "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": "Gain/Loss", - "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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "gain_loss", + "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": "Gain/Loss", + "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 } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "idx": 0, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 1, - "max_attachments": 0, - "modified": "2019-01-07 16:52:07.327930", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Exchange Rate Revaluation Account", - "name_case": "", - "owner": "Administrator", - "permissions": [], - "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, - "show_name_in_global_search": 0, - "sort_field": "modified", - "sort_order": "DESC", - "track_changes": 1, - "track_seen": 0, + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "idx": 0, + "image_view": 0, + "in_create": 0, + "is_submittable": 0, + "issingle": 0, + "istable": 1, + "max_attachments": 0, + "modified": "2019-06-26 18:57:51.762345", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Exchange Rate Revaluation Account", + "name_case": "", + "owner": "Administrator", + "permissions": [], + "quick_entry": 1, + "read_only": 0, + "read_only_onload": 0, + "show_name_in_global_search": 0, + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1, + "track_seen": 0, "track_views": 0 } \ No newline at end of file From 9dd7d3ebb339801030d1ec90d890604b8e19a799 Mon Sep 17 00:00:00 2001 From: rohitwaghchaure Date: Fri, 28 Jun 2019 12:40:52 +0530 Subject: [PATCH 052/132] fix: not able to make salary slip based on timesheet (#18088) --- erpnext/hr/doctype/salary_slip/salary_slip.py | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.py b/erpnext/hr/doctype/salary_slip/salary_slip.py index 3e3cf40731..62382b691e 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.py +++ b/erpnext/hr/doctype/salary_slip/salary_slip.py @@ -281,7 +281,9 @@ class SalarySlip(TransactionBase): wages_row = { "salary_component": salary_component, "abbr": frappe.db.get_value("Salary Component", salary_component, "salary_component_abbr"), - "amount": self.hour_rate * self.total_working_hours + "amount": self.hour_rate * self.total_working_hours, + "default_amount": 0.0, + "additional_amount": 0.0 } doc.append('earnings', wages_row) From e6236094a643fce575d6d52f4ca83c0f6444979f Mon Sep 17 00:00:00 2001 From: Karthikeyan S Date: Fri, 28 Jun 2019 12:46:42 +0530 Subject: [PATCH 053/132] fix(item): fix patch for barcode childtable migration in item (#18069) * fix(item): fix patch for barcode childtable migration in item (cherry picked from commit b2c43ee2d91599038f7bdf2038bbc4c4e7b36285) * fix(item): fixing broken patch item_barcode_childtable_migrate (cherry picked from commit beca677276e0b5b143cd6d1d08efa8529663f60c) --- erpnext/patches.txt | 2 +- erpnext/patches/v10_0/item_barcode_childtable_migrate.py | 4 +++- 2 files changed, 4 insertions(+), 2 deletions(-) diff --git a/erpnext/patches.txt b/erpnext/patches.txt index dcf91a4a69..fa51638605 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -594,7 +594,7 @@ erpnext.patches.v11_1.make_job_card_time_logs erpnext.patches.v12_0.rename_pricing_rule_child_doctypes erpnext.patches.v12_0.move_target_distribution_from_parent_to_child erpnext.patches.v12_0.stock_entry_enhancements -erpnext.patches.v10_0.item_barcode_childtable_migrate # 16-02-2019 +erpnext.patches.v10_0.item_barcode_childtable_migrate # 16-02-2019 #25-06-2019 erpnext.patches.v12_0.move_item_tax_to_item_tax_template erpnext.patches.v11_1.set_variant_based_on erpnext.patches.v11_1.woocommerce_set_creation_user diff --git a/erpnext/patches/v10_0/item_barcode_childtable_migrate.py b/erpnext/patches/v10_0/item_barcode_childtable_migrate.py index e30e0a74c0..ec9c6c3b76 100644 --- a/erpnext/patches/v10_0/item_barcode_childtable_migrate.py +++ b/erpnext/patches/v10_0/item_barcode_childtable_migrate.py @@ -8,8 +8,10 @@ import frappe def execute(): frappe.reload_doc("stock", "doctype", "item_barcode") + if frappe.get_all("Item Barcode", limit=1): return + if "barcode" not in frappe.db.get_table_columns("Item"): return - items_barcode = frappe.get_all('Item', ['name', 'barcode'], { 'barcode': ('!=', '') }) + items_barcode = frappe.db.sql("select name, barcode from tabItem where barcode is not null", as_dict=True) frappe.reload_doc("stock", "doctype", "item") From f5aff98589807476d1b9337eb7a2c008bf8eade4 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 28 Jun 2019 12:47:44 +0530 Subject: [PATCH 054/132] fix: Validate changes in batch, serial nos, val method fields (#18064) --- erpnext/stock/doctype/item/item.py | 37 +++++++++++++++++++++++++----- 1 file changed, 31 insertions(+), 6 deletions(-) diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py index 1a88473b1b..80d4e172a5 100644 --- a/erpnext/stock/doctype/item/item.py +++ b/erpnext/stock/doctype/item/item.py @@ -122,7 +122,7 @@ class Item(WebsiteGenerator): self.validate_item_defaults() self.validate_customer_provided_part() self.update_defaults_from_item_group() - self.validate_stock_for_has_batch_and_has_serial() + self.cant_change() if not self.get("__islocal"): self.old_item_group = frappe.db.get_value(self.doctype, self.name, "item_group") @@ -828,11 +828,36 @@ class Item(WebsiteGenerator): for d in self.attributes: d.variant_of = self.variant_of - def validate_stock_for_has_batch_and_has_serial(self): - if self.stock_ledger_created(): - for value in ["has_batch_no", "has_serial_no"]: - if frappe.db.get_value("Item", self.name, value) != self.get_value(value): - frappe.throw(_("Cannot change {0} as Stock Transaction for Item {1} exist.".format(value, self.name))) + def cant_change(self): + if not self.get("__islocal"): + fields = ("has_serial_no", "is_stock_item", "valuation_method", "has_batch_no") + + values = frappe.db.get_value("Item", self.name, fields, as_dict=True) + if not values.get('valuation_method') and self.get('valuation_method'): + values['valuation_method'] = frappe.db.get_single_value("Stock Settings", "valuation_method") or "FIFO" + + if values: + for field in fields: + if cstr(self.get(field)) != cstr(values.get(field)): + if not self.check_if_linked_document_exists(field): + break # no linked document, allowed + else: + frappe.throw(_("As there are existing transactions against item {0}, you can not change the value of {1}").format(self.name, frappe.bold(self.meta.get_label(field)))) + + def check_if_linked_document_exists(self, field): + linked_doctypes = ["Delivery Note Item", "Sales Invoice Item", "Purchase Receipt Item", + "Purchase Invoice Item", "Stock Entry Detail", "Stock Reconciliation Item"] + + # For "Is Stock Item", following doctypes is important + # because reserved_qty, ordered_qty and requested_qty updated from these doctypes + if field == "is_stock_item": + linked_doctypes += ["Sales Order Item", "Purchase Order Item", "Material Request Item"] + + for doctype in linked_doctypes: + if frappe.db.get_value(doctype, filters={"item_code": self.name, "docstatus": 1}) or \ + frappe.db.get_value("Production Order", + filters={"production_item": self.name, "docstatus": 1}): + return True def get_timeline_data(doctype, name): '''returns timeline data based on stock ledger entry''' From dbe9a4138922b2ae144345fd3619f4e67f9b96dd Mon Sep 17 00:00:00 2001 From: Deepesh Garg <42651287+deepeshgarg007@users.noreply.github.com> Date: Fri, 28 Jun 2019 12:48:28 +0530 Subject: [PATCH 055/132] feat: Confirmation to submit material request against Production Plan (#18062) * feat: Confirmation to submit material request against Production Plan * fix: Test cases for production plan * fix: Test Cases for production plan --- .../doctype/production_plan/production_plan.js | 14 ++++++++++++++ .../doctype/production_plan/production_plan.py | 6 +++++- .../production_plan/test_production_plan.py | 3 ++- 3 files changed, 21 insertions(+), 2 deletions(-) diff --git a/erpnext/manufacturing/doctype/production_plan/production_plan.js b/erpnext/manufacturing/doctype/production_plan/production_plan.js index 53a8b80625..2406235324 100644 --- a/erpnext/manufacturing/doctype/production_plan/production_plan.js +++ b/erpnext/manufacturing/doctype/production_plan/production_plan.js @@ -126,6 +126,20 @@ frappe.ui.form.on('Production Plan', { }, make_material_request: function(frm) { + + frappe.confirm(__("Do you want to submit the material request"), + function() { + frm.events.create_material_request(frm, 1); + }, + function() { + frm.events.create_material_request(frm, 0); + } + ); + }, + + create_material_request: function(frm, submit) { + frm.doc.submit_material_request = submit; + frappe.call({ method: "make_material_request", freeze: true, diff --git a/erpnext/manufacturing/doctype/production_plan/production_plan.py b/erpnext/manufacturing/doctype/production_plan/production_plan.py index ba1c4e7854..06f238aa5c 100644 --- a/erpnext/manufacturing/doctype/production_plan/production_plan.py +++ b/erpnext/manufacturing/doctype/production_plan/production_plan.py @@ -395,7 +395,11 @@ class ProductionPlan(Document): # submit material_request.flags.ignore_permissions = 1 material_request.run_method("set_missing_values") - material_request.submit() + + if self.get('submit_material_request'): + material_request.submit() + else: + material_request.save() frappe.flags.mute_messages = False diff --git a/erpnext/manufacturing/doctype/production_plan/test_production_plan.py b/erpnext/manufacturing/doctype/production_plan/test_production_plan.py index e9ef70c49b..f70c9cc43f 100644 --- a/erpnext/manufacturing/doctype/production_plan/test_production_plan.py +++ b/erpnext/manufacturing/doctype/production_plan/test_production_plan.py @@ -51,7 +51,8 @@ class TestProductionPlan(unittest.TestCase): for name in material_requests: mr = frappe.get_doc('Material Request', name[0]) - mr.cancel() + if mr.docstatus != 0: + mr.cancel() for name in work_orders: mr = frappe.delete_doc('Work Order', name[0]) From 2433fb159629872d7d6a6b8108b4328a87863116 Mon Sep 17 00:00:00 2001 From: KanchanChauhan Date: Fri, 28 Jun 2019 12:54:12 +0530 Subject: [PATCH 056/132] feat: Terms and Conditions section in Blanket Order (#17991) --- .../doctype/blanket_order/blanket_order.js | 10 +- .../doctype/blanket_order/blanket_order.json | 608 ++++-------------- 2 files changed, 145 insertions(+), 473 deletions(-) diff --git a/erpnext/manufacturing/doctype/blanket_order/blanket_order.js b/erpnext/manufacturing/doctype/blanket_order/blanket_order.js index 59c6d5f555..89efb9369d 100644 --- a/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +++ b/erpnext/manufacturing/doctype/blanket_order/blanket_order.js @@ -35,5 +35,13 @@ frappe.ui.form.on('Blanket Order', { onload_post_render: function(frm) { frm.get_field("items").grid.set_multiple_add("item_code", "qty"); - } + }, + + tc_name: function (frm) { + erpnext.utils.get_terms(frm.doc.tc_name, frm.doc, function (r) { + if (!r.exc) { + frm.set_value("terms", r.message); + } + }); + }, }); diff --git a/erpnext/manufacturing/doctype/blanket_order/blanket_order.json b/erpnext/manufacturing/doctype/blanket_order/blanket_order.json index 503f58ea34..570d435c5f 100644 --- a/erpnext/manufacturing/doctype/blanket_order/blanket_order.json +++ b/erpnext/manufacturing/doctype/blanket_order/blanket_order.json @@ -1,493 +1,157 @@ { - "allow_copy": 0, - "allow_guest_to_view": 0, - "allow_import": 0, - "allow_rename": 0, - "autoname": "naming_series:", - "beta": 0, - "creation": "2018-05-24 07:18:08.256060", - "custom": 0, - "docstatus": 0, - "doctype": "DocType", - "document_type": "", - "editable_grid": 1, - "engine": "InnoDB", + "autoname": "naming_series:", + "creation": "2018-05-24 07:18:08.256060", + "doctype": "DocType", + "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "naming_series", + "blanket_order_type", + "customer", + "customer_name", + "supplier", + "supplier_name", + "column_break_8", + "from_date", + "to_date", + "company", + "section_break_12", + "items", + "amended_from", + "terms_and_conditions_section", + "tc_name", + "terms" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "", - "fieldname": "naming_series", - "fieldtype": "Select", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Series", - "length": 0, - "no_copy": 0, - "options": "MFG-BLR-.YYYY.-", - "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": "naming_series", + "fieldtype": "Select", + "label": "Series", + "options": "MFG-BLR-.YYYY.-", + "reqd": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "blanket_order_type", - "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": "Order Type", - "length": 0, - "no_copy": 0, - "options": "\nSelling\nPurchasing", - "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": "blanket_order_type", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Order Type", + "options": "\nSelling\nPurchasing", + "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.blanket_order_type == \"Selling\"", - "fieldname": "customer", - "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", - "length": 0, - "no_copy": 0, - "options": "Customer", - "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.blanket_order_type == \"Selling\"", + "fieldname": "customer", + "fieldtype": "Link", + "label": "Customer", + "options": "Customer" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.blanket_order_type == \"Selling\"", - "fetch_from": "customer.customer_name", - "fieldname": "customer_name", - "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 Name", - "length": 0, - "no_copy": 0, - "options": "", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "eval:doc.blanket_order_type == \"Selling\"", + "fetch_from": "customer.customer_name", + "fieldname": "customer_name", + "fieldtype": "Data", + "label": "Customer Name", + "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.blanket_order_type == \"Purchasing\"", - "fieldname": "supplier", - "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": "Supplier", - "length": 0, - "no_copy": 0, - "options": "Supplier", - "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.blanket_order_type == \"Purchasing\"", + "fieldname": "supplier", + "fieldtype": "Link", + "label": "Supplier", + "options": "Supplier" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.blanket_order_type == \"Purchasing\"", - "fetch_from": "supplier.supplier_name", - "fieldname": "supplier_name", - "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": "Supplier Name", - "length": 0, - "no_copy": 0, - "options": "", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "depends_on": "eval:doc.blanket_order_type == \"Purchasing\"", + "fetch_from": "supplier.supplier_name", + "fieldname": "supplier_name", + "fieldtype": "Data", + "label": "Supplier Name", + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break_8", - "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_8", + "fieldtype": "Column Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 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": 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": "from_date", + "fieldtype": "Date", + "label": "From Date", + "reqd": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 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": 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": "to_date", + "fieldtype": "Date", + "label": "To Date", + "reqd": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "company", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "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": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "section_break_12", - "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_12", + "fieldtype": "Section Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 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": "Item", - "length": 0, - "no_copy": 0, - "options": "Blanket Order Item", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "items", + "fieldtype": "Table", + "label": "Item", + "options": "Blanket Order Item", + "reqd": 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": "Blanket 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 + "fieldname": "amended_from", + "fieldtype": "Link", + "label": "Amended From", + "no_copy": 1, + "options": "Blanket Order", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "terms_and_conditions_section", + "fieldtype": "Section Break", + "label": "Terms and Conditions" + }, + { + "fieldname": "tc_name", + "fieldtype": "Link", + "label": "Terms", + "options": "Terms and Conditions" + }, + { + "fieldname": "terms", + "fieldtype": "Text Editor", + "label": "Terms and Conditions Details" } - ], - "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 14:44:28.347534", - "modified_by": "Administrator", - "module": "Manufacturing", - "name": "Blanket Order", - "name_case": "", - "owner": "Administrator", + ], + "is_submittable": 1, + "modified": "2019-06-19 11:59:09.279607", + "modified_by": "Administrator", + "module": "Manufacturing", + "name": "Blanket Order", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "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, + "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 } - ], - "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, - "search_fields": "blanket_order_type, to_date", - "show_name_in_global_search": 0, - "sort_field": "modified", - "sort_order": "DESC", - "track_changes": 1, - "track_seen": 0, - "track_views": 0 + ], + "quick_entry": 1, + "search_fields": "blanket_order_type, to_date", + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1 } \ No newline at end of file From a15d100cbd5a184b776a091f3f7c56263bf5a2f9 Mon Sep 17 00:00:00 2001 From: Frappe PR Bot Date: Fri, 28 Jun 2019 13:05:19 +0530 Subject: [PATCH 057/132] feat: Updated translation (#17954) --- erpnext/translations/af.csv | 162 +++++++++++++++++++----------- erpnext/translations/am.csv | 162 +++++++++++++++++++----------- erpnext/translations/ar.csv | 162 +++++++++++++++++++----------- erpnext/translations/bg.csv | 162 +++++++++++++++++++----------- erpnext/translations/bn.csv | 161 +++++++++++++++++++----------- erpnext/translations/bs.csv | 162 +++++++++++++++++++----------- erpnext/translations/ca.csv | 162 +++++++++++++++++++----------- erpnext/translations/cs.csv | 165 +++++++++++++++++++----------- erpnext/translations/da.csv | 162 +++++++++++++++++++----------- erpnext/translations/de.csv | 162 +++++++++++++++++++----------- erpnext/translations/el.csv | 162 +++++++++++++++++++----------- erpnext/translations/es.csv | 162 +++++++++++++++++++----------- erpnext/translations/et.csv | 162 +++++++++++++++++++----------- erpnext/translations/fa.csv | 162 +++++++++++++++++++----------- erpnext/translations/fi.csv | 162 +++++++++++++++++++----------- erpnext/translations/fr.csv | 162 +++++++++++++++++++----------- erpnext/translations/gu.csv | 162 +++++++++++++++++++----------- erpnext/translations/hi.csv | 161 +++++++++++++++++++----------- erpnext/translations/hr.csv | 162 +++++++++++++++++++----------- erpnext/translations/hu.csv | 163 +++++++++++++++++++----------- erpnext/translations/id.csv | 162 +++++++++++++++++++----------- erpnext/translations/is.csv | 162 +++++++++++++++++++----------- erpnext/translations/it.csv | 162 +++++++++++++++++++----------- erpnext/translations/ja.csv | 162 +++++++++++++++++++----------- erpnext/translations/km.csv | 162 +++++++++++++++++++----------- erpnext/translations/kn.csv | 161 +++++++++++++++++++----------- erpnext/translations/ko.csv | 163 +++++++++++++++++++----------- erpnext/translations/ku.csv | 163 +++++++++++++++++++----------- erpnext/translations/lo.csv | 162 +++++++++++++++++++----------- erpnext/translations/lt.csv | 162 +++++++++++++++++++----------- erpnext/translations/lv.csv | 162 +++++++++++++++++++----------- erpnext/translations/mk.csv | 162 +++++++++++++++++++----------- erpnext/translations/ml.csv | 177 ++++++++++++++++++++++----------- erpnext/translations/mr.csv | 162 +++++++++++++++++++----------- erpnext/translations/ms.csv | 162 +++++++++++++++++++----------- erpnext/translations/my.csv | 162 +++++++++++++++++++----------- erpnext/translations/nl.csv | 162 +++++++++++++++++++----------- erpnext/translations/no.csv | 162 +++++++++++++++++++----------- erpnext/translations/pl.csv | 162 +++++++++++++++++++----------- erpnext/translations/ps.csv | 156 ++++++++++++++++++----------- erpnext/translations/pt.csv | 162 +++++++++++++++++++----------- erpnext/translations/ro.csv | 162 +++++++++++++++++++----------- erpnext/translations/ru.csv | 162 +++++++++++++++++++----------- erpnext/translations/si.csv | 159 ++++++++++++++++++----------- erpnext/translations/sk.csv | 162 +++++++++++++++++++----------- erpnext/translations/sl.csv | 162 +++++++++++++++++++----------- erpnext/translations/sq.csv | 162 +++++++++++++++++++----------- erpnext/translations/sr.csv | 162 +++++++++++++++++++----------- erpnext/translations/sv.csv | 162 +++++++++++++++++++----------- erpnext/translations/sw.csv | 162 +++++++++++++++++++----------- erpnext/translations/ta.csv | 161 +++++++++++++++++++----------- erpnext/translations/te.csv | 168 ++++++++++++++++++++----------- erpnext/translations/th.csv | 162 +++++++++++++++++++----------- erpnext/translations/tr.csv | 164 +++++++++++++++++++----------- erpnext/translations/uk.csv | 162 +++++++++++++++++++----------- erpnext/translations/ur.csv | 158 ++++++++++++++++++----------- erpnext/translations/uz.csv | 162 +++++++++++++++++++----------- erpnext/translations/vi.csv | 164 +++++++++++++++++++----------- erpnext/translations/zh.csv | 162 +++++++++++++++++++----------- erpnext/translations/zh_tw.csv | 110 ++++++++++++-------- 60 files changed, 6108 insertions(+), 3574 deletions(-) diff --git a/erpnext/translations/af.csv b/erpnext/translations/af.csv index b7410e8c17..72fa6d872f 100644 --- a/erpnext/translations/af.csv +++ b/erpnext/translations/af.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Verskaffer Deelnr DocType: Journal Entry Account,Party Balance,Partybalans apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Bron van fondse (laste) DocType: Payroll Period,Taxable Salary Slabs,Belasbare Salarisplakkers +DocType: Quality Action,Quality Feedback,Kwaliteit terugvoer DocType: Support Settings,Support Settings,Ondersteuningsinstellings apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Voer asseblief Produksie-item eerste in DocType: Quiz,Grading Basis,Gradering Basis @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Meer besonderhe DocType: Salary Component,Earning,verdien DocType: Restaurant Order Entry,Click Enter To Add,Klik op Enter om by te voeg DocType: Employee Group,Employee Group,Werknemersgroep +DocType: Quality Procedure,Processes,prosesse DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Spesifiseer wisselkoers om een geldeenheid om te skakel na 'n ander apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Veroudering Reeks 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Pakhuis benodig vir voorraad Item {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,klagte DocType: Shipping Rule,Restrict to Countries,Beperk tot lande DocType: Hub Tracked Item,Item Manager,Itembestuurder apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Geld van die sluitingsrekening moet {0} wees +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,begrotings apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Invoer faktuur item oopmaak DocType: Work Order,Plan material for sub-assemblies,Beplan materiaal vir sub-gemeentes apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Budget,Action if Annual Budget Exceeded on MR,Aksie as jaarlikse begroting oorskry op MR DocType: Sales Invoice Advance,Advance Amount,Voorskotbedrag +DocType: Accounting Dimension,Dimension Name,Dimension Name DocType: Delivery Note Item,Against Sales Invoice Item,Teen Verkoopfaktuur Item DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Sluit Item in Vervaardiging in @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Wat doen dit? ,Sales Invoice Trends,Verkope faktuur neigings DocType: Bank Reconciliation,Payment Entries,Betalingsinskrywings DocType: Employee Education,Class / Percentage,Klas / Persentasie -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Item Kode> Itemgroep> Handelsmerk ,Electronic Invoice Register,Elektroniese faktuurregister DocType: Sales Invoice,Is Return (Credit Note),Is Teruggawe (Kredietnota) DocType: Lab Test Sample,Lab Test Sample,Lab Test Voorbeeld @@ -291,6 +294,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,variante apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Koste sal proporsioneel verdeel word op grond van die hoeveelheid of hoeveelheid van die item, soos per u keuse" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Hangende aktiwiteite vir vandag +DocType: Quality Procedure Process,Quality Procedure Process,Kwaliteit Prosedure Proses DocType: Fee Schedule Program,Student Batch,Studentejoernaal apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Waardasietempo benodig vir item in ry {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Basissuurkoers (Maatskappy Geld) @@ -310,7 +314,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Stel aantal in Transaksies gebaseer op Serial No Input 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} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Pas Tuisblad-afdelings aan -DocType: Quality Goal,October,Oktober +DocType: GSTR 3B Report,October,Oktober DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Versteek Kliënt se Belasting-ID van Verkoopstransaksies apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Ongeldige GSTIN! 'N GSTIN moet 15 karakters hê. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Prysreël {0} is opgedateer @@ -398,7 +402,7 @@ DocType: Leave Encashment,Leave Balance,Verlofbalans apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Onderhoudskedule {0} bestaan teen {1} DocType: Assessment Plan,Supervisor Name,Toesighouer Naam DocType: Selling Settings,Campaign Naming By,Veldtog naam deur -DocType: Course,Course Code,Kursuskode +DocType: Student Group Creation Tool Course,Course Code,Kursuskode apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Ruimte DocType: Landed Cost Voucher,Distribute Charges Based On,Versprei koste gebaseer op DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Verskaffer Scorecard Scoring Criteria @@ -480,10 +484,8 @@ DocType: Restaurant Menu,Restaurant Menu,Restaurant Menu DocType: Asset Movement,Purpose,doel apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Salarisstruktuuropdrag vir Werknemer bestaan reeds DocType: Clinical Procedure,Service Unit,Diens Eenheid -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kliënt> Kliëntegroep> Territorium DocType: Travel Request,Identification Document Number,Identifikasienommer DocType: Stock Entry,Additional Costs,Bykomende koste -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Ouerkursus (los blanko, indien dit nie deel van die ouerkursus is nie)" DocType: Employee Education,Employee Education,Werknemersonderwys apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Aantal posisies kan nie minder wees as die huidige telling van werknemers nie apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Alle kliënte groepe @@ -530,6 +532,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Ry {0}: Hoeveelheid is verpligtend DocType: Sales Invoice,Against Income Account,Teen Inkomsterekening apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ry # {0}: Aankoopfaktuur kan nie teen 'n bestaande bate gemaak word nie {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Reëls vir die toepassing van verskillende promosie skemas. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM dekselfaktor benodig vir UOM: {0} in Item: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Voer asseblief die hoeveelheid in vir item {0} DocType: Workstation,Electricity Cost,Elektrisiteitskoste @@ -861,7 +864,6 @@ DocType: Item,Total Projected Qty,Totale geprojekteerde hoeveelheid apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,BOMs DocType: Work Order,Actual Start Date,Werklike Aanvangsdatum 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 -DocType: Company,About the Company,Oor die maatskappy apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Boom van finansiële rekeninge. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Indirekte Inkomste DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotel Kamer Besprekings Item @@ -876,6 +878,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Databasis va DocType: Skill,Skill Name,Vaardigheid Naam apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Druk verslagkaart DocType: Soil Texture,Ternary Plot,Ternêre Plot +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series vir {0} via Setup> Settings> Naming Series apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Ondersteuningskaartjies DocType: Asset Category Account,Fixed Asset Account,Vaste bate rekening apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Laaste @@ -885,6 +888,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Programinskrywing K ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Stel asseblief die reeks in wat gebruik gaan word. DocType: Delivery Trip,Distance UOM,Afstand UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Verpligtend vir balansstaat DocType: Payment Entry,Total Allocated Amount,Totale toegewysde bedrag DocType: Sales Invoice,Get Advances Received,Kry voorskotte ontvang DocType: Student,B-,B- @@ -908,6 +912,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Onderhoudskedule it apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS-profiel wat nodig is om POS-inskrywing te maak DocType: Education Settings,Enable LMS,Aktiveer LMS DocType: POS Closing Voucher,Sales Invoices Summary,Verkope Fakture Opsomming +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,voordeel apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Krediet Vir rekening moet 'n balansstaatrekening wees DocType: Video,Duration,duur DocType: Lab Test Template,Descriptive,beskrywende @@ -959,6 +964,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Begin en einddatums DocType: Supplier Scorecard,Notify Employee,Stel werknemers in kennis apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,sagteware +DocType: Program,Allow Self Enroll,Laat selfinskrywing toe apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Voorraaduitgawes apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Verwysingsnommer is verpligtend as u verwysingsdatum ingevoer het DocType: Training Event,Workshop,werkswinkel @@ -1011,6 +1017,7 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-faktuur inligting ontbreek apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Geen wesenlike versoek geskep nie +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Item Kode> Itemgroep> Handelsmerk DocType: Loan,Total Amount Paid,Totale bedrag betaal apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Al hierdie items is reeds gefaktureer DocType: Training Event,Trainer Name,Afrigter Naam @@ -1032,6 +1039,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Akademiese jaar DocType: Sales Stage,Stage Name,Verhoognaam DocType: SMS Center,All Employee (Active),Alle werknemer (aktief) +DocType: Accounting Dimension,Accounting Dimension,Rekeningkundige Dimensie DocType: Project,Customer Details,Kliënt Besonderhede DocType: Buying Settings,Default Supplier Group,Verstekverskaffergroep apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Koste van tipe 'Werklik' in ry {0} kan nie in Item Rate ingesluit word nie @@ -1145,7 +1153,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Hoe hoër die ge DocType: Designation,Required Skills,Vereiste Vaardighede DocType: Marketplace Settings,Disable Marketplace,Deaktiveer Marketplace DocType: Budget,Action if Annual Budget Exceeded on Actual,Aksie as jaarlikse begroting oorskry op werklike -DocType: Course,Course Abbreviation,Kursus Afkorting apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Bywoning word nie vir {0} as {1} by verlof ingedien nie. DocType: Pricing Rule,Promotional Scheme Id,Promosie Skema ID apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Einddatum van taak {0} kan nie groter wees as {1} verwagte einddatum {2} @@ -1288,7 +1295,7 @@ DocType: Bank Guarantee,Margin Money,Margin Geld DocType: Chapter,Chapter,Hoofstuk DocType: Purchase Receipt Item Supplied,Current Stock,Huidige voorraad DocType: Employee,History In Company,Geskiedenis In Maatskappy -DocType: Item,Manufacturer,vervaardiger +DocType: Purchase Invoice Item,Manufacturer,vervaardiger apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Matige Sensitiwiteit DocType: Compensatory Leave Request,Leave Allocation,Verlof toekenning DocType: Timesheet,Timesheet,Tydstaat @@ -1319,6 +1326,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Materiaal oorgedra vi DocType: Products Settings,Hide Variants,Versteek varianten DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Skakel kapasiteitsbeplanning en tydopsporing uit DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Sal in die transaksie bereken word. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} is nodig vir 'Balansstaat'-rekening {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} mag nie met {1} handel nie. Verander asseblief die Maatskappy. 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' en dan vir die skep van Aankoopfaktuur, moet die gebruiker eers Aankoopontvangste skep vir item {0}" DocType: Delivery Trip,Delivery Details,Afleweringsbesonderhede @@ -1354,7 +1362,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Vorige apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Eenheid van maatreël DocType: Lab Test,Test Template,Toets Sjabloon DocType: Fertilizer,Fertilizer Contents,Kunsmis Inhoud -apps/erpnext/erpnext/utilities/user_progress.py,Minute,minuut +DocType: Quality Meeting Minutes,Minute,minuut 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}" DocType: Task,Actual Time (in Hours),Werklike tyd (in ure) DocType: Period Closing Voucher,Closing Account Head,Sluitingsrekeninghoof @@ -1526,7 +1534,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,laboratorium DocType: Purchase Order,To Bill,Aan Bill apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Utility Uitgawes DocType: Manufacturing Settings,Time Between Operations (in mins),Tyd tussen bedrywighede (in mins) -DocType: Quality Goal,May,Mei +DocType: GSTR 3B Report,May,Mei apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Betaling Gateway rekening nie geskep nie, skep asseblief een handmatig." DocType: Opening Invoice Creation Tool,Purchase,aankoop DocType: Program Enrollment,School House,Skoolhuis @@ -1558,6 +1566,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Statutêre inligting en ander algemene inligting oor u Verskaffer DocType: Item Default,Default Selling Cost Center,Standaard verkoopkostesentrum DocType: Sales Partner,Address & Contacts,Adres & Kontakte +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel asseblief nommersreeks vir Bywoning via Setup> Numbering Series DocType: Subscriber,Subscriber,intekenaar apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Vorm / Item / {0}) is uit voorraad apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Kies asseblief die Pos Datum eerste @@ -1585,6 +1594,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Inpatient Besoek Koste DocType: Bank Statement Settings,Transaction Data Mapping,Transaksiedata-kartering apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,'N Lood vereis 'n persoon se naam of 'n organisasie se naam DocType: Student,Guardians,voogde +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Installeer asseblief die Instrukteur Naming Stelsel in Onderwys> Onderwys instellings apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Kies Brand ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Middelinkomste DocType: Shipping Rule,Calculate Based On,Bereken Gebaseer Op @@ -1596,7 +1606,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Koste Eis Voorskot DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Afronding aanpassing (Maatskappy Geld) DocType: Item,Publish in Hub,Publiseer in Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,Augustus +DocType: GSTR 3B Report,August,Augustus apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Voer asseblief eers Aankoop Ontvangst in apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Begin Jaar apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Teiken (()) @@ -1614,6 +1624,7 @@ DocType: Item,Max Sample Quantity,Max Sample Hoeveelheid apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Bron en teiken pakhuis moet anders wees DocType: Employee Benefit Application,Benefits Applied,Voordele toegepas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Teen Joernaal Inskrywing {0} het geen ongeëwenaarde {1} inskrywing nie +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Spesiale karakters behalwe "-", "#", ".", "/", "{" En "}" word nie toegelaat in die benoeming van reekse nie." apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Prys of produk afslagplanne word vereis apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Stel 'n teiken apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Bywoningsrekord {0} bestaan teen Student {1} @@ -1629,10 +1640,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Per maand DocType: Routing,Routing Name,Roeienaam DocType: Disease,Common Name,Algemene naam -DocType: Quality Goal,Measurable,meetbare DocType: Education Settings,LMS Title,LMS Titel apps/erpnext/erpnext/config/non_profit.py,Loan Management,Leningbestuur -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Ondersteun Anaalkunde DocType: Clinical Procedure,Consumable Total Amount,Verbruikbare Totale Bedrag apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Aktiveer Sjabloon apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Kliënt LPO @@ -1772,6 +1781,7 @@ DocType: Restaurant Order Entry Item,Served,Bedien DocType: Loan,Member,lid DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Praktisyns Diens Eenheidskedule apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Elektroniese oorbetaling +DocType: Quality Review Objective,Quality Review Objective,Kwaliteit beoordeling doelwit DocType: Bank Reconciliation Detail,Against Account,Teen rekening DocType: Projects Settings,Projects Settings,Projekte Instellings apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: Rekening {2} kan nie 'n Groep wees nie @@ -1799,6 +1809,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ve apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Fiskale jaareind moet een jaar na die fiskale jaar begin datum wees apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Daaglikse onthounotas DocType: Item,Default Sales Unit of Measure,Standaard verkoopseenheid van maatreël +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Maatskappy GSTIN DocType: Asset Finance Book,Rate of Depreciation,Waardeverminderingskoers DocType: Support Search Source,Post Description Key,Pos Beskrywing Sleutel DocType: Loyalty Program Collection,Minimum Total Spent,Minimum Totale Spandeer @@ -1869,6 +1880,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,"Om kliëntgroep vir die gekose kliënt te verander, is nie toegelaat nie." DocType: Serial No,Creation Document Type,Skepping dokument tipe DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Beskikbare joernaal by pakhuis +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Invoice Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Hierdie is 'n wortelgebied en kan nie geredigeer word nie. DocType: Patient,Surgical History,Chirurgiese Geskiedenis apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Boom van gehalteprosedures. @@ -1973,6 +1985,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,v DocType: Item Group,Check this if you want to show in website,Kontroleer dit as jy op die webwerf wil wys apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskale jaar {0} nie gevind nie DocType: Bank Statement Settings,Bank Statement Settings,Bankstaatinstellings +DocType: Quality Procedure Process,Link existing Quality Procedure.,Koppel bestaande kwaliteitsprosedure. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Invoer grafiek van rekeninge van CSV / Excel-lêers DocType: Appraisal Goal,Score (0-5),Telling (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Attribuut {0} het verskeie kere gekies in Attributes Table DocType: Purchase Invoice,Debit Note Issued,Debiet Nota Uitgereik @@ -1981,7 +1995,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Verlaat beleidsdetail apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Pakhuis nie in die stelsel gevind nie DocType: Healthcare Practitioner,OP Consulting Charge,OP Konsultasiekoste -DocType: Quality Goal,Measurable Goal,Meetbare doel DocType: Bank Statement Transaction Payment Item,Invoices,fakture DocType: Currency Exchange,Currency Exchange,Geldwissel DocType: Payroll Entry,Fortnightly,tweeweeklikse @@ -2043,6 +2056,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} is nie ingedien nie DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Backflush grondstowwe uit werk-in-progress pakhuis DocType: Maintenance Team Member,Maintenance Team Member,Onderhoudspanlid +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Stel persoonlike dimensies vir rekeningkunde op DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Die minimum afstand tussen rye plante vir optimale groei DocType: Employee Health Insurance,Health Insurance Name,Gesondheidsversekeringsnaam apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Voorraadbates @@ -2075,7 +2089,7 @@ DocType: Delivery Note,Billing Address Name,Rekening Adres Naam apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternatiewe Item DocType: Certification Application,Name of Applicant,Naam van applikant DocType: Leave Type,Earned Leave,Verdien Verlof -DocType: Quality Goal,June,Junie +DocType: GSTR 3B Report,June,Junie apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Ry {0}: Koste sentrum is nodig vir 'n item {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Kan goedgekeur word deur {0} 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 @@ -2096,6 +2110,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standaard verkoopkoers apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Stel asseblief 'n aktiewe spyskaart vir Restaurant {0} apps/erpnext/erpnext/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: Asset Finance Book,Asset Finance Book,Asset Finance Book +DocType: Quality Goal Objective,Quality Goal Objective,Kwaliteit Doel Doelstelling DocType: Employee Transfer,Employee Transfer,Werknemersoordrag ,Sales Funnel,Verkope trechter DocType: Agriculture Analysis Criteria,Water Analysis,Water Analise @@ -2134,6 +2149,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Werknemersoordrag apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Hangende aktiwiteite apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Lys 'n paar van jou kliënte. Hulle kan organisasies of individue wees. DocType: Bank Guarantee,Bank Account Info,Bankrekeninginligting +DocType: Quality Goal,Weekday,weekdag apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Voog 1 Naam DocType: Salary Component,Variable Based On Taxable Salary,Veranderlike gebaseer op Belasbare Salaris DocType: Accounting Period,Accounting Period,Rekeningkundige Tydperk @@ -2217,7 +2233,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Ronde aanpassing DocType: Quality Review Table,Quality Review Table,Kwaliteit-oorsigtafel DocType: Member,Membership Expiry Date,Lidmaatskap Vervaldatum DocType: Asset Finance Book,Expected Value After Useful Life,Verwagte waarde na nuttige lewe -DocType: Quality Goal,November,November +DocType: GSTR 3B Report,November,November DocType: Loan Application,Rate of Interest,Rentekoers DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Bankstaat Transaksie Betaling Item DocType: Restaurant Reservation,Waitlisted,waglys @@ -2281,6 +2297,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Ry {0}: Om {1} periodisiteit te stel, moet die verskil tussen van en tot datum \ groter wees as of gelyk aan {2}" DocType: Purchase Invoice Item,Valuation Rate,Waardasietarief DocType: Shopping Cart Settings,Default settings for Shopping Cart,Verstek instellings vir die winkelwagentje +DocType: Quiz,Score out of 100,Telling uit 100 DocType: Manufacturing Settings,Capacity Planning,Kapasiteitsbeplanning apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Gaan na Instrukteurs DocType: Activity Cost,Projects,projekte @@ -2290,6 +2307,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Van tyd af apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Besonderhede Verslag +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Vir koop apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots vir {0} word nie by die skedule gevoeg nie DocType: Target Detail,Target Distribution,Teikenverspreiding @@ -2307,6 +2325,7 @@ DocType: Activity Cost,Activity Cost,Aktiwiteitskoste DocType: Journal Entry,Payment Order,Betalingsopdrag apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,pryse ,Item Delivery Date,Item Afleweringsdatum +DocType: Quality Goal,January-April-July-October,Januarie-April-Julie-Oktober DocType: Purchase Order Item,Warehouse and Reference,Pakhuis en verwysing apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Rekening met kinder nodusse kan nie na grootboek omgeskakel word nie DocType: Soil Texture,Clay Composition (%),Kleiskomposisie (%) @@ -2357,6 +2376,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Toekomstige datums nie apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Ry {0}: Stel asseblief die Betaalmetode in Betaalskedule apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Akademiese kwartaal: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Kwaliteit Terugvoer Parameter apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Kies asseblief Verkoop afslag aan apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Ry # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Totale betalings @@ -2399,7 +2419,7 @@ DocType: Hub Tracked Item,Hub Node,Hub Knoop apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Werknemer identiteit DocType: Salary Structure Assignment,Salary Structure Assignment,Salarisstruktuuropdrag DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Sluitingsbewysbelasting -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Aksie Initialised +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Aksie Initialised DocType: POS Profile,Applicable for Users,Toepaslik vir gebruikers DocType: Training Event,Exam,eksamen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Onjuiste aantal algemene grootboekinskrywings gevind. U het moontlik 'n verkeerde rekening in die transaksie gekies. @@ -2506,6 +2526,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Longitude DocType: Accounts Settings,Determine Address Tax Category From,Bepaal Adres Belasting Kategorie Van apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Identifisering van besluitnemers +DocType: Stock Entry Detail,Reference Purchase Receipt,Verwysing Aankoop Ontvangst apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Kry Invocies DocType: Tally Migration,Is Day Book Data Imported,Is dagboekdata ingevoer ,Sales Partners Commission,Verkope Vennootskommissie @@ -2529,6 +2550,7 @@ DocType: Leave Type,Applicable After (Working Days),Toepaslik Na (Werkdae) DocType: Timesheet Detail,Hrs,ure DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Verskaffer Scorecard Criteria DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Kwaliteit Terugvoer Sjabloon Parameter apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Datum van aansluiting moet groter wees as Geboortedatum DocType: Bank Statement Transaction Invoice Item,Invoice Date,Faktuurdatum DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Skep Lab toets (e) op verkope faktuur Submit @@ -2635,7 +2657,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimum toelaatbare w DocType: Stock Entry,Source Warehouse Address,Bron pakhuis adres DocType: Compensatory Leave Request,Compensatory Leave Request,Vergoedingsverlofversoek DocType: Lead,Mobile No.,Selfoon nommer. -DocType: Quality Goal,July,Julie +DocType: GSTR 3B Report,July,Julie apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Kwalifiserende ITC DocType: Fertilizer,Density (if liquid),Digtheid (indien vloeistof) DocType: Employee,External Work History,Eksterne werkgeskiedenis @@ -2711,6 +2733,7 @@ DocType: Certification Application,Certification Status,Sertifiseringsstatus apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Bron Ligging word benodig vir die bate {0} DocType: Employee,Encashment Date,Bevestigingsdatum apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Kies asseblief Voltooiingstyd vir Voltooide Bate Onderhoud Log +DocType: Quiz,Latest Attempt,Laaste Poging DocType: Leave Block List,Allow Users,Laat gebruikers toe apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Tabel van rekeninge apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Kliënt is verpligtend as 'Geleentheid Van' gekies word as Kliënt @@ -2775,7 +2798,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Verskaffer Scorecard DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS instellings DocType: Program Enrollment,Walking,Stap DocType: SMS Log,Requested Numbers,Gevraagde Getalle -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel asseblief nommersreeks vir Bywoning via Setup> Numbering Series DocType: Woocommerce Settings,Freight and Forwarding Account,Vrag en vrag-rekening apps/erpnext/erpnext/accounts/party.py,Please select a Company,Kies asseblief 'n maatskappy apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Ry {0}: {1} moet groter as 0 wees @@ -2845,7 +2867,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Wetsontwerp DocType: Training Event,Seminar,seminaar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Krediet ({0}) DocType: Payment Request,Subscription Plans,Inskrywingsplanne -DocType: Quality Goal,March,Maart +DocType: GSTR 3B Report,March,Maart apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Gesplete bondel DocType: School House,House Name,Huis Naam apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Uitstaande vir {0} kan nie minder as nul wees nie ({1}) @@ -2907,7 +2929,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Versekering Aanvangsdatum DocType: Target Detail,Target Detail,Teikenbesonderhede DocType: Packing Slip,Net Weight UOM,Netto Gewig UOM -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Gespreksfaktor ({0} -> {1}) nie gevind vir item nie: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Netto Bedrag (Maatskappy Geld) DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapped Data apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Sekuriteite en deposito's @@ -2957,6 +2978,7 @@ DocType: Cheque Print Template,Cheque Height,Kontroleer hoogte apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Vul asseblief die verlig datum in. DocType: Loyalty Program,Loyalty Program Help,Lojaliteitsprogram Help DocType: Journal Entry,Inter Company Journal Entry Reference,Inter Company Journal Entry Reference +DocType: Quality Meeting,Agenda,agenda DocType: Quality Action,Corrective,korrektiewe apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Groepeer volgens DocType: Bank Account,Address and Contact,Adres en kontak @@ -3009,7 +3031,7 @@ DocType: GL Entry,Credit Amount,Kredietbedrag apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Totale bedrag gekrediteer DocType: Support Search Source,Post Route Key List,Poslyslyslys apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} nie in enige aktiewe fiskale jaar nie. -DocType: Quality Action Table,Problem,probleem +DocType: Quality Action Resolution,Problem,probleem DocType: Training Event,Conference,Konferensie DocType: Mode of Payment Account,Mode of Payment Account,Betaalmetode DocType: Leave Encashment,Encashable days,Ontvankbare dae @@ -3135,7 +3157,7 @@ DocType: Item,"Purchase, Replenishment Details","Aankoop, Vervolgingsbesonderhed DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Sodra dit ingestel is, sal hierdie faktuur tot die vasgestelde datum wees" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"Voorraad kan nie vir item {0} bestaan nie, aangesien dit variante het" DocType: Lab Test Template,Grouped,gegroepeer -DocType: Quality Goal,January,Januarie +DocType: GSTR 3B Report,January,Januarie DocType: Course Assessment Criteria,Course Assessment Criteria,Kursus assesseringskriteria DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Voltooide hoeveelheid @@ -3231,7 +3253,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Gesondheidsor apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Gee ten minste 1 faktuur in die tabel apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Verkoopsbestelling {0} is nie ingedien nie apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Bywoning is suksesvol gemerk. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Voorverkope +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Voorverkope apps/erpnext/erpnext/config/projects.py,Project master.,Projekmeester. DocType: Daily Work Summary,Daily Work Summary,Daaglikse werkopsomming DocType: Asset,Partially Depreciated,Gedeeltelik afgeskryf @@ -3240,6 +3262,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Verlaat verbygesteek? DocType: Certified Consultant,Discuss ID,Bespreek ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Stel asseblief GST-rekeninge in GST-instellings +DocType: Quiz,Latest Highest Score,Laaste hoogste telling DocType: Supplier,Billing Currency,Billing Valuta apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Studentaktiwiteit apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Die teiken hoeveelheid of teikenwaarde is verpligtend @@ -3265,18 +3288,21 @@ DocType: Sales Order,Not Delivered,Nie afgelewer nie 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 DocType: GL Entry,Debit Amount,Debietbedrag apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Reeds bestaan rekord vir die item {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Subvergaderings 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 die prioriteit handmatig in te stel om konflik op te los." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kan nie aftrek wanneer kategorie vir 'Waardasie' of 'Waardasie en Totaal' is nie. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM en Vervaardiging Hoeveelheid word benodig apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Item {0} het sy einde van die lewe bereik op {1} DocType: Quality Inspection Reading,Reading 6,Lees 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Korporatiewe veld is nodig apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Materiële verbruik is nie in Vervaardigingsinstellings gestel nie. DocType: Assessment Group,Assessment Group Name,Assessering Groep Naam -DocType: Item,Manufacturer Part Number,Vervaardiger Onderdeelnommer +DocType: Purchase Invoice Item,Manufacturer Part Number,Vervaardiger Onderdeelnommer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Betaalstaat betaalbaar apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Ry # {0}: {1} kan nie vir item {2} negatief wees nie apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Saldo Aantal +DocType: Question,Multiple Correct Answer,Veelvuldige Korrekte Antwoord DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Loyaliteitspunte = Hoeveel basisgeld? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Nota: Daar is nie genoeg verlofbalans vir Verlof-tipe {0} DocType: Clinical Procedure,Inpatient Record,Inpatient Rekord @@ -3399,6 +3425,7 @@ DocType: Fee Schedule Program,Total Students,Totale studente apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,plaaslike DocType: Chapter Member,Leave Reason,Verlaat rede DocType: Salary Component,Condition and Formula,Toestand en Formule +DocType: Quality Goal,Objectives,doelwitte apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salaris wat reeds vir 'n tydperk tussen {0} en {1} verwerk is, kan die verlengde aansoekperiode nie tussen hierdie datumreeks wees nie." DocType: BOM Item,Basic Rate (Company Currency),Basiese Koers (Maatskappy Geld) DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item @@ -3449,6 +3476,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Koste-eisrekening apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Geen terugbetalings beskikbaar vir Joernaalinskrywings nie apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} is onaktiewe student +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Maak voorraadinskrywing DocType: Employee Onboarding,Activities,aktiwiteite apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Ten minste een pakhuis is verpligtend ,Customer Credit Balance,Krediet Krediet Saldo @@ -3533,7 +3561,6 @@ DocType: Contract,Contract Terms,Kontrak Terme apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Die teiken hoeveelheid of teikenwaarde is verpligtend. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Ongeldige {0} DocType: Item,FIFO,EIEU -DocType: Quality Meeting,Meeting Date,Ontmoetingsdatum DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Afkorting kan nie meer as 5 karakters hê nie DocType: Employee Benefit Application,Max Benefits (Yearly),Maksimum Voordele (Jaarliks) @@ -3636,7 +3663,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Bankgelde apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Goedere oorgedra apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primêre kontakbesonderhede -DocType: Quality Review,Values,waardes 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." DocType: Item Group,Show this slideshow at the top of the page,Wys hierdie skyfievertoning bo-aan die bladsy apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} parameter is ongeldig @@ -3655,6 +3681,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Bankgelde rekening DocType: Journal Entry,Get Outstanding Invoices,Kry uitstaande fakture DocType: Opportunity,Opportunity From,Geleentheid Van +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Teikenbesonderhede DocType: Item,Customer Code,Kliënt Kode apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Voer asseblief eers die eerste item in apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Webwerf aanbieding @@ -3683,7 +3710,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Aflewering aan DocType: Bank Statement Transaction Settings Item,Bank Data,Bankdata apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Geskeduleerde Upto -DocType: Quality Goal,Everyday,Elke dag DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Handhaaf Billing Ure en Werksure Dieselfde op die Tydskrif apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Baan lei deur die leidingsbron. DocType: Clinical Procedure,Nursing User,Verpleegkundige gebruiker @@ -3708,7 +3734,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Bestuur Territory Tree DocType: GL Entry,Voucher Type,Voucher Type ,Serial No Service Contract Expiry,Serial No Service Contract Expiry DocType: Certification Application,Certified,gesertifiseerde -DocType: Material Request Plan Item,Manufacture,vervaardiging +DocType: Purchase Invoice Item,Manufacture,vervaardiging apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} items geproduseer apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Betaling Versoek vir {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dae sedert Laaste bestelling @@ -3722,7 +3748,7 @@ DocType: Sales Invoice,Company Address Name,Maatskappy Adres Naam apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Goedere In Transito apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,U kan slegs maksimum {0} punte in hierdie bestelling oplos. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Stel asseblief rekening in pakhuis {0} -DocType: Quality Action Table,Resolution,resolusie +DocType: Quality Action,Resolution,resolusie DocType: Sales Invoice,Loyalty Points Redemption,Lojaliteit punte Redemption apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Totale Belasbare Waarde DocType: Patient Appointment,Scheduled,geskeduleer @@ -3843,6 +3869,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Koers apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Stoor {0} DocType: SMS Center,Total Message(s),Totale boodskap (s) +DocType: Purchase Invoice,Accounting Dimensions,Rekeningkundige Afmetings apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Groep per rekening DocType: Quotation,In Words will be visible once you save the Quotation.,In Woorde sal sigbaar wees sodra jy die Kwotasie stoor. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Hoeveelheid om te produseer @@ -4007,7 +4034,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,O apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","As u enige vrae het, kom asseblief terug na ons." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Aankoop Kwitansie {0} is nie ingedien nie DocType: Task,Total Expense Claim (via Expense Claim),Totale koste-eis (via koste-eis) -DocType: Quality Action,Quality Goal,Kwaliteit doelwit +DocType: Quality Goal,Quality Goal,Kwaliteit doelwit DocType: Support Settings,Support Portal,Ondersteuningsportaal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Einddatum van taak {0} kan nie minder wees nie as {1} verwagte begindatum {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Werknemer {0} is op verlof op {1} @@ -4066,7 +4093,6 @@ DocType: BOM,Operating Cost (Company Currency),Bedryfskoste (Maatskappy Geld) DocType: Item Price,Item Price,Itemprys DocType: Payment Entry,Party Name,Party Naam apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Kies asseblief 'n kliënt -DocType: Course,Course Intro,Kursus Intro DocType: Program Enrollment Tool,New Program,Nuwe Program apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Aantal nuwe kostesentrums, dit sal as 'n voorvoegsel in die kostepuntnaam ingesluit word" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Kies die kliënt of verskaffer. @@ -4266,6 +4292,7 @@ DocType: Global Defaults,Disable In Words,Deaktiveer in woorde DocType: Customer,CUST-.YYYY.-,Cust-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Netto salaris kan nie negatief wees nie apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Geen interaksies nie +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,verskuiwing apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Verwerking van Kaart van Rekeninge en Partye DocType: Stock Settings,Convert Item Description to Clean HTML,Omskep itembeskrywing om HTML skoon te maak apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alle Verskaffersgroepe @@ -4343,6 +4370,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Ouer Item apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,makelaars apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Maak asseblief aankoopkwitansie of aankoopfaktuur vir die item {0} +,Product Bundle Balance,Produkpakketbalans apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Maatskappy se naam kan nie Maatskappy wees nie DocType: Maintenance Visit,Breakdown,Afbreek DocType: Inpatient Record,B Negative,B Negatief @@ -4351,7 +4379,7 @@ DocType: Purchase Invoice,Credit To,Krediet aan apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Dien hierdie werksopdrag in vir verdere verwerking. DocType: Bank Guarantee,Bank Guarantee Number,Bank waarborg nommer apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Afgelewer: {0} -DocType: Quality Action,Under Review,Onder oorsig +DocType: Quality Meeting Table,Under Review,Onder oorsig apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Landbou (beta) ,Average Commission Rate,Gemiddelde Kommissie Koers DocType: Sales Invoice,Customer's Purchase Order Date,Kliënt se Aankoopdatum @@ -4468,7 +4496,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Pas betalings met fakture DocType: Holiday List,Weekly Off,Weeklikse af apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Moenie toelaat dat alternatiewe item vir die item {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Program {0} bestaan nie. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} bestaan nie. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,U kan nie wortelknoop wysig nie. DocType: Fee Schedule,Student Category,Student Kategorie apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Item {0}: {1} hoeveelheid geproduseer," @@ -4559,8 +4587,8 @@ DocType: Crop,Crop Spacing,Gewas Spasie 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." DocType: Pricing Rule,Period Settings,Periode instellings apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Netto verandering in rekeninge ontvangbaar +DocType: Quality Feedback Template,Quality Feedback Template,Kwaliteit Terugvoer Sjabloon apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Vir Hoeveelheid moet groter as nul wees -DocType: Quality Goal,Goal Objectives,Doelwitte 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" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Los leeg as jy studente groepe per jaar maak apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Lenings (laste) @@ -4595,12 +4623,13 @@ DocType: Quality Procedure Table,Step,stap DocType: Normal Test Items,Result Value,Resultaatwaarde DocType: Cash Flow Mapping,Is Income Tax Liability,Is Inkomstebelasting Aanspreeklikheid DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Inpatient besoek koste -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} bestaan nie. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} bestaan nie. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Update Response DocType: Bank Guarantee,Supplier,verskaffer apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Gee waarde tussen {0} en {1} DocType: Purchase Order,Order Confirmation Date,Bestel Bevestigingsdatum DocType: Delivery Trip,Calculate Estimated Arrival Times,Bereken die beraamde aankomstye +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Installeer asseblief die werknemersnaamstelsel in menslike hulpbronne> HR-instellings apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,verbruikbare DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Inskrywing begin datum @@ -4664,6 +4693,7 @@ DocType: Cheque Print Template,Is Account Payable,Is rekening betaalbaar apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Totale bestellingswaarde apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Verskaffer {0} nie gevind in {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Opstel SMS gateway instellings +DocType: Salary Component,Round to the Nearest Integer,Rond na die naaste heelgetal apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Wortel kan nie 'n ouer-koste-sentrum hê nie DocType: Healthcare Service Unit,Allow Appointments,Laat afsprake toe DocType: BOM,Show Operations,Wys Bedryf @@ -4791,7 +4821,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Verstek Vakansie Lys DocType: Naming Series,Current Value,Huidige waarde apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Seisoenaliteit vir die opstel van begrotings, teikens ens." -DocType: Program,Program Code,Program Kode apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Waarskuwing: Verkoopsbestelling {0} bestaan alreeds teen kliënt se aankoopbestelling {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Maandelikse verkoopsdoelwit ( DocType: Guardian,Guardian Interests,Voogbelange @@ -4841,10 +4870,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Betaal en nie afgelewer nie apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Item Kode is verpligtend omdat Item nie outomaties genommer is nie DocType: GST HSN Code,HSN Code,HSN-kode -DocType: Quality Goal,September,September +DocType: GSTR 3B Report,September,September apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administratiewe uitgawes DocType: C-Form,C-Form No,C-vorm nr DocType: Purchase Invoice,End date of current invoice's period,Einddatum van huidige faktuur se tydperk +DocType: Item,Manufacturers,vervaardigers DocType: Crop Cycle,Crop Cycle,Gewassiklus DocType: Serial No,Creation Time,Skeppingstyd apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Voer asseblief 'n Toepaslike Rol of Goedgekeurde Gebruiker in @@ -4917,8 +4947,6 @@ DocType: Employee,Short biography for website and other publications.,Kort biogr DocType: Purchase Invoice Item,Received Qty,Aantal ontvangs DocType: Purchase Invoice Item,Rate (Company Currency),Tarief (Maatskappy Geld) DocType: Item Reorder,Request for,Versoek om -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Skrap asseblief die Werknemer {0} \ om hierdie dokument te kanselleer" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Installeer voorstellings apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Voer asseblief terugbetalingsperiodes in DocType: Pricing Rule,Advanced Settings,Gevorderde instellings @@ -4944,7 +4972,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Aktiveer inkopiesentrum DocType: Pricing Rule,Apply Rule On Other,Pas Rule On Other toe DocType: Vehicle,Last Carbon Check,Laaste Carbon Check -DocType: Vehicle,Make,maak +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,maak apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Verkoopsfaktuur {0} geskep as betaal apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,"Om 'n Betalingsversoek te maak, is verwysingsdokument nodig" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Inkomstebelasting @@ -5020,7 +5048,6 @@ DocType: Territory,Parent Territory,Ouergebied DocType: Vehicle Log,Odometer Reading,Odometer Reading DocType: Additional Salary,Salary Slip,Salaris strokie DocType: Payroll Entry,Payroll Frequency,Payroll Frequency -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Installeer asseblief die werknemersnaamstelsel in menslike hulpbronne> HR-instellings apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Begin en einddatum nie in 'n geldige betaalstaat nie, kan nie {0} bereken nie" DocType: Products Settings,Home Page is Products,Tuisblad is Produkte apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,oproepe @@ -5072,7 +5099,6 @@ DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Rekeninge haal ...... DocType: Delivery Stop,Contact Information,Kontak inligting DocType: Sales Order Item,For Production,Vir Produksie -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Installeer asseblief die Instrukteur Naming Stelsel in Onderwys> Onderwys instellings DocType: Serial No,Asset Details,Bate Besonderhede DocType: Restaurant Reservation,Reservation Time,Besprekingstyd DocType: Selling Settings,Default Territory,Standaard Territorium @@ -5212,6 +5238,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,B apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Vervaldatums DocType: Shipping Rule,Shipping Rule Type,Versending Reël Tipe DocType: Job Offer,Accepted,aanvaar +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Skrap asseblief die Werknemer {0} \ om hierdie dokument te kanselleer" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,U het reeds geassesseer vir die assesseringskriteria (). apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Kies lotnommer apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Ouderdom (Dae) @@ -5228,6 +5256,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bundel items op die tyd van verkoop. DocType: Payment Reconciliation Payment,Allocated Amount,Toegewysde bedrag apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Kies asseblief Maatskappy en Aanwysing +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'Datum' word vereis DocType: Email Digest,Bank Credit Balance,Bank Krediet Saldo apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Toon kumulatiewe bedrag apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,U het nie genoeg lojaliteitspunte om te verkoop nie @@ -5287,11 +5316,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Op vorige ry Totaal DocType: Student,Student Email Address,Student e-pos adres DocType: Academic Term,Education,onderwys DocType: Supplier Quotation,Supplier Address,Verskaffer Adres -DocType: Salary Component,Do not include in total,Sluit nie in totaal in nie +DocType: Salary Detail,Do not include in total,Sluit nie in totaal in nie apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Kan nie verskeie itemvoorwaardes vir 'n maatskappy stel nie. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} bestaan nie DocType: Purchase Receipt Item,Rejected Quantity,Afgekeurde hoeveelheid DocType: Cashier Closing,To TIme,Om te keer +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Gespreksfaktor ({0} -> {1}) nie gevind vir item nie: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Daaglikse werkopsomminggroepgebruiker DocType: Fiscal Year Company,Fiscal Year Company,Fiskale Jaar Maatskappy apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternatiewe item mag nie dieselfde wees as die itemkode nie @@ -5401,7 +5431,6 @@ DocType: Fee Schedule,Send Payment Request Email,Stuur Betaling Versoek E-pos DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,In Woorde sal sigbaar wees sodra jy die Verkoopfaktuur stoor. DocType: Sales Invoice,Sales Team1,Verkoopspan1 DocType: Work Order,Required Items,Vereiste items -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Spesiale karakters behalwe "-", "#", "." en "/" word nie toegelaat in die benoeming van reekse nie" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Lees die ERPNext Handleiding DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Kontroleer Verskaffer-faktuurnommer Uniekheid apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Soek subvergaderings @@ -5469,7 +5498,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Persent aftrekking 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 as nul wees nie" DocType: Share Balance,To No,Na nee DocType: Leave Control Panel,Allocate Leaves,Laat blare toe -DocType: Quiz,Last Attempt,Laaste Poging DocType: Assessment Result,Student Name,Studente naam apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Beplan vir onderhoudsbesoeke. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Volgende Materiële Versoeke is outomaties opgestel op grond van die item se herbestellingsvlak @@ -5538,6 +5566,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Indicator Kleur DocType: Item Variant Settings,Copy Fields to Variant,Kopieer velde na variant DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Enkel Korrekte Antwoord apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Vanaf datum kan nie minder wees as werknemer se inskrywingsdatum nie DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Laat meerdere verkooporders toe teen 'n kliënt se aankoopsbestelling apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5600,7 +5629,7 @@ DocType: Account,Expenses Included In Valuation,Uitgawes Ingesluit in Waardasie apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Serienummers DocType: Salary Slip,Deductions,aftrekkings ,Supplier-Wise Sales Analytics,Verskaffer-Wise Sales Analytics -DocType: Quality Goal,February,Februarie +DocType: GSTR 3B Report,February,Februarie DocType: Appraisal,For Employee,Vir Werknemer apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Werklike Afleweringsdatum DocType: Sales Partner,Sales Partner Name,Verkope Vennoot Naam @@ -5695,7 +5724,6 @@ DocType: Procedure Prescription,Procedure Created,Prosedure geskep apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Teen Verskafferfaktuur {0} gedateer {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Verander POS Profiel apps/erpnext/erpnext/utilities/activation.py,Create Lead,Skep Lood -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Verskaffer> Verskaffer Soort DocType: Shopify Settings,Default Customer,Verstekkliënt DocType: Payment Entry Reference,Supplier Invoice No,Verskafferfaktuurnr DocType: Pricing Rule,Mixed Conditions,Gemengde Toestande @@ -5746,12 +5774,14 @@ DocType: Item,End of Life,Einde van die lewe DocType: Lab Test Template,Sensitivity,sensitiwiteit DocType: Territory,Territory Targets,Territoriese teikens apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Oorskietverlof toewysing vir die volgende werknemers, aangesien rekords vir verloftoewysing reeds teen hulle bestaan. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Kwaliteit Aksie Resolusie DocType: Sales Invoice Item,Delivered By Supplier,Aflewer deur verskaffer DocType: Agriculture Analysis Criteria,Plant Analysis,Plantanalise apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Uitgawe rekening is verpligtend vir item {0} ,Subcontracted Raw Materials To Be Transferred,Onderaannemde grondstowwe wat oorgedra moet word DocType: Cashier Closing,Cashier Closing,Kassier Sluiting apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Item {0} is reeds teruggestuur +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,"Ongeldige GSTIN! Die insette wat u ingevoer het, stem nie ooreen met die GSTIN-formaat vir UIN-houers of OIDAR-diensverskaffers nie-inwoners." apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Kinderopslag bestaan vir hierdie pakhuis. U kan hierdie pakhuis nie uitvee nie. DocType: Diagnosis,Diagnosis,diagnose apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Daar is geen verlofperiode tussen {0} en {1} @@ -5768,6 +5798,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Magtigingsinstellings DocType: Homepage,Products,produkte ,Profit and Loss Statement,Wins- en verliesstaat apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Kamers geboekt +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Duplikaatinskrywing teen die itemkode {0} en vervaardiger {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Totale Gewig apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Reis @@ -5816,6 +5847,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Verstek Kliëntegroep DocType: Journal Entry Account,Debit in Company Currency,Debiet in Maatskappy Geld DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Die terugval-reeks is "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Kwaliteit Vergadering Agenda DocType: Cash Flow Mapper,Section Header,Afdeling kop apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,U produkte of dienste DocType: Crop,Perennial,meerjarige @@ -5861,7 +5893,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","'N Produk of 'n Diens wat gekoop, verkoop of in voorraad gehou word." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Sluiting (Opening + Totaal) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriteria Formule -,Support Analytics,Ondersteun Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Ondersteun Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Hersien en Aksie DocType: Account,"If the account is frozen, entries are allowed to restricted users.","As die rekening gevries is, is inskrywings toegelaat vir beperkte gebruikers." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Bedrag na waardevermindering @@ -5905,7 +5937,6 @@ DocType: Contract Template,Contract Terms and Conditions,Kontrak Terme en Voorwa apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Haal data DocType: Stock Settings,Default Item Group,Standaard Itemgroep DocType: Sales Invoice Timesheet,Billing Hours,Rekeningure -DocType: Item,Item Code for Suppliers,Item Kode vir Verskaffers 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} DocType: Pricing Rule,Margin Type,Margin Type DocType: Purchase Invoice Item,Rejected Serial No,Afgekeurde reeksnommer @@ -5978,6 +6009,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Blare is suksesvol toegeken DocType: Loyalty Point Entry,Expiry Date,Verval datum DocType: Project Task,Working,Working +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} het reeds 'n ouerprosedure {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Dit is gebaseer op transaksies teen hierdie pasiënt. Sien die tydlyn hieronder vir besonderhede DocType: Material Request,Requested For,Gevra vir DocType: SMS Center,All Sales Person,Alle Verkoopspersoon @@ -6064,6 +6096,7 @@ DocType: Loan Type,Maximum Loan Amount,Maksimum leningsbedrag apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-pos word nie in verstekkontak gevind nie DocType: Hotel Room Reservation,Booked,bespreek DocType: Maintenance Visit,Partially Completed,Gedeeltelik voltooi +DocType: Quality Procedure Process,Process Description,Proses Beskrywing DocType: Company,Default Employee Advance Account,Verstekpersoneelvoorskotrekening DocType: Leave Type,Allow Negative Balance,Laat Negatiewe Saldo toe apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Assesseringsplan Naam @@ -6105,6 +6138,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Versoek vir kwotasie-item apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} het twee keer in Itembelasting ingeskryf DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Trek volle belasting af op die geselekteerde betaalstaatdatum +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Laaste koolstoftjekdatum kan nie 'n toekomstige datum wees nie apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Kies verander bedrag rekening DocType: Support Settings,Forum Posts,Forum Posts DocType: Timesheet Detail,Expected Hrs,Verwagte Hrs @@ -6114,7 +6148,7 @@ DocType: Program Enrollment Tool,Enroll Students,Skryf studente in apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Herhaal kliëntinkomste DocType: Company,Date of Commencement,Aanvangsdatum DocType: Bank,Bank Name,Bank Naam -DocType: Quality Goal,December,Desember +DocType: GSTR 3B Report,December,Desember apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Geldig vanaf datum moet minder as geldig wees tot op datum apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Dit is gebaseer op die bywoning van hierdie Werknemer DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","As dit gekontroleer is, sal die Tuisblad die standaard Itemgroep vir die webwerf wees" @@ -6156,6 +6190,7 @@ DocType: Payment Entry,Payment Type,Tipe van betaling apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Die folio nommers kom nie ooreen nie DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Kwaliteitsinspeksie: {0} is nie vir die item ingedien nie: {1} in ry {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Wys {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} item gevind. ,Stock Ageing,Voorraadveroudering DocType: Customer Group,Mention if non-standard receivable account applicable,Noem as nie-standaard ontvangbare rekening van toepassing is @@ -6432,6 +6467,7 @@ DocType: Travel Request,Costing,kos apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Vaste Bates DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Totale verdienste +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kliënt> Kliëntegroep> Territorium DocType: Share Balance,From No,Van No DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betalingsversoeningfaktuur DocType: Purchase Invoice,Taxes and Charges Added,Belasting en heffings bygevoeg @@ -6439,7 +6475,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Oorweeg Belasting DocType: Authorization Rule,Authorized Value,Gemagtigde Waarde apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Ontvang van apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Warehouse {0} bestaan nie +DocType: Item Manufacturer,Item Manufacturer,Item Vervaardiger DocType: Sales Invoice,Sales Team,Verkope span +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundel Aantal DocType: Purchase Order Item Supplied,Stock UOM,Voorraad UOM DocType: Installation Note,Installation Date,Installasiedatum DocType: Email Digest,New Quotations,Nuwe aanhalings @@ -6503,7 +6541,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Vakansie Lys Naam DocType: Water Analysis,Collection Temperature ,Versameling Temperatuur DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Bestuur Aanstellingsfaktuur stuur outomaties in vir Patient Encounter -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series vir {0} via Setup> Settings> Naming Series DocType: Employee Benefit Claim,Claim Date,Eisdatum DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Los leeg as die verskaffer onbepaald geblokkeer word apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Bywoning vanaf datum en bywoning tot datum is verpligtend @@ -6514,6 +6551,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Datum van aftrede apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Kies asseblief Pasiënt DocType: Asset,Straight Line,Reguit lyn +DocType: Quality Action,Resolutions,resolusies DocType: SMS Log,No of Sent SMS,Geen van gestuurde SMS nie ,GST Itemised Sales Register,GST Itemized Sales Register apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Totale voorskotbedrag kan nie groter wees as die totale sanksiebedrag nie @@ -6623,7 +6661,7 @@ DocType: Account,Profit and Loss,Wins en Verlies apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Hoeveelheid DocType: Asset Finance Book,Written Down Value,Geskrewe af waarde apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Openingsaldo-ekwiteit -DocType: Quality Goal,April,April +DocType: GSTR 3B Report,April,April DocType: Supplier,Credit Limit,Krediet limiet apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,verspreiding apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6678,6 +6716,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Koppel Shopify met ERPNext DocType: Homepage Section Card,Subtitle,Subtitle DocType: Soil Texture,Loam,leem +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Verskaffer> Verskaffer Soort DocType: BOM,Scrap Material Cost(Company Currency),Skrootmateriaal Koste (Maatskappy Geld) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Afleweringsnotasie {0} moet nie ingedien word nie DocType: Task,Actual Start Date (via Time Sheet),Werklike Aanvangsdatum (via Tydblad) @@ -6733,7 +6772,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,dosis DocType: Cheque Print Template,Starting position from top edge,Beginposisie van boonste rand apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Aanstelling Tydsduur (mins) -DocType: Pricing Rule,Disable,afskakel +DocType: Accounting Dimension,Disable,afskakel DocType: Email Digest,Purchase Orders to Receive,Aankooporders om te ontvang apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Produksies Bestellings kan nie opgewek word vir: DocType: Projects Settings,Ignore Employee Time Overlap,Ignoreer werknemersydsoorlap @@ -6817,6 +6856,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Skep b DocType: Item Attribute,Numeric Values,Numeriese waardes DocType: Delivery Note,Instructions,instruksies DocType: Blanket Order Item,Blanket Order Item,Kombuis Bestel Item +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Verpligtend vir wins en verliesrekening apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Kommissie koers kan nie groter as 100 DocType: Course Topic,Course Topic,Kursus Onderwerp DocType: Employee,This will restrict user access to other employee records,Dit sal gebruikers toegang tot ander werknemer rekords beperk @@ -6841,12 +6881,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Subskripsiebes apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Kry kliënte van apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Verslae aan +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Party rekening DocType: Assessment Plan,Schedule,skedule apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Kom asseblief in DocType: Lead,Channel Partner,Kanaalmaat apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Gefaktureerde bedrag DocType: Project,From Template,Van Sjabloon +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,subskripsies apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Hoeveelheid om te maak DocType: Quality Review Table,Achieved,bereik @@ -6893,7 +6935,6 @@ DocType: Journal Entry,Subscription Section,Subskripsie afdeling DocType: Salary Slip,Payment Days,Betalingsdae apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Vrywillige inligting. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Vries voorraad ouer as` moet kleiner wees as% d dae. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Kies Fiskale Jaar DocType: Bank Reconciliation,Total Amount,Totale bedrag DocType: Certification Application,Non Profit,Nie-winsgewend DocType: Subscription Settings,Cancel Invoice After Grace Period,Kanselleer faktuur na grasietydperk @@ -6906,7 +6947,6 @@ DocType: Serial No,Warranty Period (Days),Garantie Periode (Dae) DocType: Expense Claim Detail,Expense Claim Detail,Koste eis Detail apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,program: DocType: Patient Medical Record,Patient Medical Record,Pasiënt Mediese Rekord -DocType: Quality Action,Action Description,Aksie Beskrywing DocType: Item,Variant Based On,Variant gebaseer op DocType: Vehicle Service,Brake Oil,Remolie DocType: Employee,Create User,Skep gebruiker @@ -6962,7 +7002,7 @@ DocType: Cash Flow Mapper,Section Name,Afdeling Naam DocType: Packed Item,Packed Item,Gepakte item apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Beide debiet- of kredietbedrag word benodig vir {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Inlewering van salarisstrokies ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Geen aksie +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Geen aksie apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Begroting kan nie teen {0} toegewys word nie, aangesien dit nie 'n Inkomste- of Uitgawe-rekening is nie" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Meesters en Rekeninge DocType: Quality Procedure Table,Responsible Individual,Verantwoordelike Individu @@ -7085,7 +7125,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Laat rekeningskepping teen kindermaatskappy toe DocType: Payment Entry,Company Bank Account,Maatskappybankrekening DocType: Amazon MWS Settings,UK,Verenigde Koninkryk -DocType: Quality Procedure,Procedure Steps,Prosedure stappe DocType: Normal Test Items,Normal Test Items,Normale toetsitems apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Item {0}: Bestelde hoeveelheid {1} kan nie minder wees as die minimum bestelvlak {2} (gedefinieer in Item). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Nie in voorraad nie @@ -7163,7 +7202,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Onderhoudsrol apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Terme en Voorwaardes Sjabloon DocType: Fee Schedule Program,Fee Schedule Program,Fooi skedule Program -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kursus {0} bestaan nie. DocType: Project Task,Make Timesheet,Maak tydrooster DocType: Production Plan Item,Production Plan Item,Produksieplan Item apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Totale Student @@ -7185,6 +7223,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Klaar maak apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,U kan net hernu indien u lidmaatskap binne 30 dae verstryk apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Waarde moet tussen {0} en {1} wees. +DocType: Quality Feedback,Parameters,Grense ,Sales Partner Transaction Summary,Verkope Vennoot Transaksie Opsomming DocType: Asset Maintenance,Maintenance Manager Name,Onderhoud Bestuurder Naam apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Dit is nodig om Itembesonderhede te gaan haal. @@ -7223,6 +7262,7 @@ DocType: Student Admission,Student Admission,Studente Toelating DocType: Designation Skill,Skill,vaardigheid DocType: Budget Account,Budget Account,Begrotingsrekening DocType: Employee Transfer,Create New Employee Id,Skep nuwe werknemer-ID +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} is nodig vir 'Wins en verlies'-rekening {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Goedere en Dienste Belasting (GST Indië) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Skep Salarisstrokies ... DocType: Employee Skill,Employee Skill,Werknemersvaardigheid @@ -7323,6 +7363,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Faktuur Afson DocType: Subscription,Days Until Due,Dae Tot Dinsdag apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Wys Voltooi apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Bankstaat Transaksie Inskrywingsverslag +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ry # {0}: Die tarief moet dieselfde wees as {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-KPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Gesondheidsorg Diens Items @@ -7379,6 +7420,7 @@ DocType: Training Event Employee,Invited,genooi apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},"Maksimum bedrag wat in aanmerking kom vir die komponent {0}, oorskry {1}" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Bedrag aan Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",Vir {0} kan slegs debietrekeninge gekoppel word teen 'n ander kredietinskrywing +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Dimensies skep ... DocType: Bank Statement Transaction Entry,Payable Account,Betaalbare rekening apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Noem asseblief geen besoeke nodig nie DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Kies slegs as u instellings vir kontantvloeimappers opstel @@ -7396,6 +7438,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,K DocType: Service Level,Resolution Time,Resolusie Tyd DocType: Grading Scale Interval,Grade Description,Graad Beskrywing DocType: Homepage Section,Cards,kaarte +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kwaliteit Vergadering Notules DocType: Linked Plant Analysis,Linked Plant Analysis,Gekoppelde Plant Analise apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Diensstopdatum kan nie na diens einddatum wees nie apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Stel asseblief B2C Limit in GST instellings. @@ -7429,7 +7472,6 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Stru DocType: Employee Attendance Tool,Employee Attendance Tool,Werknemersbywoningsinstrument DocType: Employee,Educational Qualification,opvoedkundige kwalifikasie apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Toegangswaarde -DocType: Quiz,Last Highest Score,Laaste hoogste telling DocType: POS Profile,Taxes and Charges,Belasting en heffings DocType: Opportunity,Contact Mobile No,Kontak Mobiele No DocType: Employee,Joining Details,Aansluitingsbesonderhede diff --git a/erpnext/translations/am.csv b/erpnext/translations/am.csv index d78ff3b1b0..199dde41b6 100644 --- a/erpnext/translations/am.csv +++ b/erpnext/translations/am.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,የአቅራቢው ክፍ DocType: Journal Entry Account,Party Balance,የፓርቲው ሚዛን apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),የገንዘብ ምንጮች (ሃላፊነቶች) DocType: Payroll Period,Taxable Salary Slabs,ታክስ ሰጭ ደመወዝ ቀበቶዎች +DocType: Quality Action,Quality Feedback,የጥራት ግብረመልስ DocType: Support Settings,Support Settings,የድጋፍ ቅንብሮች apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,እባክዎ መጀመሪያ የምርት ንጥል ያስገቡ DocType: Quiz,Grading Basis,ማርክ መሰረታዊ @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,ተጨማሪ DocType: Salary Component,Earning,ማግኘት DocType: Restaurant Order Entry,Click Enter To Add,ለማከል አስገባን ጠቅ ያድርጉ DocType: Employee Group,Employee Group,የሰራተኛ ቡድን +DocType: Quality Procedure,Processes,ሂደቶች DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,አንድ ምንዛሬ ወደ ሌላ ለመለወጥ የልውውጥ መለኪያ ለይ ይበሉ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,የዕድሜ መግፋት 4 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Could not solve criteria score function for {0}. Make sure the formula is valid.,ለ {0} የፍልስፍና ውጤት ተግባር መፍታት አልተቻለም. ቀመሩ በትክክል መሆኑን ያረጋግጡ. @@ -155,11 +157,13 @@ DocType: Complaint,Complaint,ቅሬታ DocType: Shipping Rule,Restrict to Countries,ለአገሮች እገዳ DocType: Hub Tracked Item,Item Manager,የንጥል አቀናባሪ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},የመዝጊያ ሂሳብ ምንዛሬ {0} መሆን አለበት +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,በጀት apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,የደረሰኝ መጠየቂያ ንጥል በመክፈቻ ላይ DocType: Work Order,Plan material for sub-assemblies,ለንዑስ ስብሰባዎች እቅድ ያቅዱ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,ሃርድ ዌር DocType: Budget,Action if Annual Budget Exceeded on MR,ዓመታዊ በጀት በአማካይ ከታለ DocType: Sales Invoice Advance,Advance Amount,የቅድሚያ ክፍያ መጠን +DocType: Accounting Dimension,Dimension Name,የልኬት ስም DocType: Delivery Note Item,Against Sales Invoice Item,ከሽያጭ ደረሰኝ ንጥል ጋር ተካሂዷል DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-yYYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,ንጥል በምርት ስራ ውስጥ አካትት @@ -216,7 +220,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,ምን ያደር ,Sales Invoice Trends,የሽያጭ ክፍያ መጠየቂያዎች አዝማሚያዎች DocType: Bank Reconciliation,Payment Entries,የክፍያ ምዝገባዎች DocType: Employee Education,Class / Percentage,ክፍል / መቶኛ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,የእቃ ቁጥር> የንጥል ቡድን> ብራንድ ,Electronic Invoice Register,ኤሌክትሮኒካዊ ደረሰኝ ምዝገባ DocType: Sales Invoice,Is Return (Credit Note),ተመላሽ ነው (የብድር ማስታወሻ) DocType: Lab Test Sample,Lab Test Sample,የቤተ ሙከራ የሙከራ ናሙና @@ -290,6 +293,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,ተለዋጮች apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",ክፍያዎች በመረጡት መሰረት እንደ ኳስ ወይም መጠን ይወሰናሉ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,ለዛሬ ተግባራት በመጠባበቅ ላይ +DocType: Quality Procedure Process,Quality Procedure Process,የጥራት ሂደት ሂደት DocType: Fee Schedule Program,Student Batch,የተማሪ ቁጥር DocType: BOM Operation,Base Hour Rate(Company Currency),ቤዝ ሰዓት ሂሳብ (የኩባንያው የገንዘብ ምንዛሬ) DocType: Job Offer,Printing Details,የህትመት ዝርዝሮች @@ -308,7 +312,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,በሲአርል ቁጥር ግብዓት ላይ ተመስርተው በቁጥር ውስጥ ያቀናብሩ apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},የቅድሚያ ሂሳብ ምንዛሬ እንደ የቢዝነስ ምንዛሬ መሆን አለበት {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,የመነሻ ገጽ ክፍሎችን አብጅ -DocType: Quality Goal,October,ጥቅምት +DocType: GSTR 3B Report,October,ጥቅምት DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,ከሽያጭ ትራንስፖርቶች የደንበኛ ግብር መታወቂያ ደብቅ apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,ልክ ያልሆነ GSTIN! አንድ GSTIN 15 ቁምፊዎች ሊኖሩት ይገባል. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,የዋጋ አሰጣጥ ደንብ {0} ዘምኗል @@ -396,7 +400,7 @@ DocType: Leave Encashment,Leave Balance,ከደስታ ውጣ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},የጥገና ሰዓት {0} በ {1} ላይ ይገኛል DocType: Assessment Plan,Supervisor Name,ተቆጣጣሪ ስም DocType: Selling Settings,Campaign Naming By,የዘመቻ ስም መስጠት በ -DocType: Course,Course Code,የኮርስ ኮድ +DocType: Student Group Creation Tool Course,Course Code,የኮርስ ኮድ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,ኤሮስፔስ DocType: Landed Cost Voucher,Distribute Charges Based On,በስራ ላይ የዋሉ ክፍያዎች አሰራጭ DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,የአምራች ውጤት መስጫ የማጣሪያ መስፈርት @@ -477,10 +481,8 @@ DocType: Restaurant Menu,Restaurant Menu,የምግብ ቤት ምናሌ DocType: Asset Movement,Purpose,ዓላማ apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,ለሰራተኛ የደመወዝ ትስስር ምደባ ቀድሞውኑ ይገኛል DocType: Clinical Procedure,Service Unit,የአገልግሎት ክፍል -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ደንበኛ> የሽያጭ ቡድን> ግዛት DocType: Travel Request,Identification Document Number,የማረጋገጫ ሰነድ ቁጥር DocType: Stock Entry,Additional Costs,ተጨማሪ ወጭዎች -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",የወላጅ ኮርስ (የወላጅ ኮርሱ አካል ካልሆነ ባዶ ይተውት) DocType: Employee Education,Employee Education,የሰራተኞች ትምህርት apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,የቦታው ብዛት በቁጥር አነስተኛ ከሆነ የሠራተኞች ብዛት apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,ሁሉም የሽያጭ ቡድኖች @@ -527,6 +529,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,ረድፍ {0}: ቁጥሮች ግዴታ ነው DocType: Sales Invoice,Against Income Account,የገቢ አካውንትን በተመለከተ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ረድፍ # {0}: የግዢ ደረሰኝ በአንድ ነባር ንብረት ላይ ሊሠራ አይችልም {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,የተለያዩ የማስተዋወቂያ እቅዶችን የሚተገብር ደንቦች. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},የ UOM ተደራራቢ ሒሳብ ለ UOM ያስፈልገዋል: {0} በንጥል {1} ውስጥ apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},እባክዎ ለንጥል ብዛት {0} ያስገቡ DocType: Workstation,Electricity Cost,የኤሌክትሪክ ዋጋ @@ -859,7 +862,6 @@ DocType: Item,Total Projected Qty,ጠቅላላ የታቀደ መጠን apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,ቦምስ DocType: Work Order,Actual Start Date,ትክክለኛው የመጀመሪያ ቀን apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,ካሳውን በፈቃድ የመጠየቂያ ቀናት ውስጥ ሙሉ ቀን (ቶች) የለዎትም -DocType: Company,About the Company,ስለ ድርጅቱ apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,የፋይናንስ መለያዎች. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,ቀጥተኛ ያልሆነ ገቢ DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,የሆቴል ክፍል መያዣ ቦታ @@ -874,6 +876,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,የነባር DocType: Skill,Skill Name,የብቃት ስም apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,የህትመት ሪፖርት ካርድ DocType: Soil Texture,Ternary Plot,Ternary Plot +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ትኬቶችን ይደግፉ DocType: Asset Category Account,Fixed Asset Account,ቋሚ የንብረት መለያ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,የቅርብ ጊዜ @@ -883,6 +886,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,ፕሮግራም የ ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,እባክዎ የሚጠቀሙበት ተከታታይ ስብስቦችን ያዋቅሩ. DocType: Delivery Trip,Distance UOM,የርቀት ዩሞ +DocType: Accounting Dimension,Mandatory For Balance Sheet,የግዴታ መጣጥፍ ወረቀት DocType: Payment Entry,Total Allocated Amount,ጠቅላላ ድጐማ መጠን DocType: Sales Invoice,Get Advances Received,Advances received Received DocType: Student,B-,B- @@ -903,6 +907,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,የጥገና የጊ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Entry ለመስራት የሚያስፈልጉ የ POS ግጥሚያ DocType: Education Settings,Enable LMS,ኤምኤምስን አንቃ DocType: POS Closing Voucher,Sales Invoices Summary,የሽያጭ ደረሰኞች ማጠቃለያ +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,ጥቅማ ጥቅም apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ለሒሳብ አከፋፈልነት የሒሳብ ሠንጠረዥ መለያ መሆን አለበት DocType: Video,Duration,ቆይታ DocType: Lab Test Template,Descriptive,ገላጭ @@ -953,6 +958,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,ቀኖች እና መጨረሻ ቀኖች DocType: Supplier Scorecard,Notify Employee,ለሠራተኛ አሳውቅ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,ሶፍትዌር +DocType: Program,Allow Self Enroll,ራስን ለመመዝገብ ፍቀድ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,የአክሲዮን ወጪዎች apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,የማጣቀሻ ቀን ካስገባህ ማመሳከሪያው ግዴታ አይደለም DocType: Training Event,Workshop,ወርክሾፕ @@ -1005,6 +1011,7 @@ DocType: Lab Test Template,Lab Test Template,የሙከራ ፈተና ቅጽ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},ከፍተኛ: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,የኢ-ኢንቮይሮ መረጃ ይጎድላል apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,ምንም የተፈጥሮ ጥያቄ አልተፈጠረም +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,የእቃ ቁጥር> የንጥል ቡድን> ብራንድ DocType: Loan,Total Amount Paid,ጠቅላላ መጠን የተከፈለ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,ሁሉም እነዚህ ንጥሎች አስቀድሞ ክፍያ የተደረገባቸው ናቸው DocType: Training Event,Trainer Name,የአሰልጣኝ ስም @@ -1026,6 +1033,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,የትምህርት ዘመን DocType: Sales Stage,Stage Name,የመድረክ ስም DocType: SMS Center,All Employee (Active),ሁሉም ሰራተኛ (ገባሪ) +DocType: Accounting Dimension,Accounting Dimension,የሂሳብ አሰጣጥ ስፋት DocType: Project,Customer Details,የደንበኛ ዝርዝሮች DocType: Buying Settings,Default Supplier Group,ነባሪ የአቅራቢ ቡድን apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,እባክዎ መጀመሪያ የግዢ ደረሰኝ {0} ይሰርዙ @@ -1140,7 +1148,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","ቁጥሩ ከፍ DocType: Designation,Required Skills,የሚያስፈልጉ ክህሎቶች DocType: Marketplace Settings,Disable Marketplace,የገበያ ቦታን ያሰናክሉ DocType: Budget,Action if Annual Budget Exceeded on Actual,ዓመታዊ በጀት በትክክለኛ ላይ ካልፈፀመ -DocType: Course,Course Abbreviation,የኮርስ ምህፃረ ቃል apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,በአለራ ላይ {0} ን እንደ {1} አላካሄዱም. DocType: Pricing Rule,Promotional Scheme Id,የማስተዋወቂያ እቅድ መታወቂያ apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},የተግባር መጨረሻ {0}{1} የሚጠበቀው ከሚጠበቀው ቀን {2} መብለጥ አይችልም @@ -1282,7 +1289,7 @@ DocType: Bank Guarantee,Margin Money,የማዳበያ ገንዘብ DocType: Chapter,Chapter,ምዕራፍ DocType: Purchase Receipt Item Supplied,Current Stock,የአሁኑ አክሲዮን DocType: Employee,History In Company,ታሪክ ኩባንያ ውስጥ -DocType: Item,Manufacturer,አምራች +DocType: Purchase Invoice Item,Manufacturer,አምራች apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,መጠነኛ የችኮላ DocType: Compensatory Leave Request,Leave Allocation,ምደባን ይተው DocType: Timesheet,Timesheet,ጊዜ ሰሌዳ @@ -1313,6 +1320,7 @@ DocType: Work Order,Material Transferred for Manufacturing,ወደ ማምረት DocType: Products Settings,Hide Variants,ተለዋዋጭዎችን ደብቅ DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,የአቅም ዕቅድ እና የጊዜ መከታተልን ያሰናክሉ DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* በግብይቱ ውስጥ ይሰላል. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} ለ "የስታቲስቲክስ ዝርዝር" {1} ያስፈልጋል. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} ከ {1} ጋር ለመግባባት አልተፈቀደለትም. እባክዎ ኩባንያውን ይቀይሩ. 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} የግዢ ደረሰኝ መጀመሪያ እንዲፈጠር ይፈልጋል." DocType: Delivery Trip,Delivery Details,የመላኪያ ዝርዝሮች @@ -1348,7 +1356,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,ቅድመ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,መለኪያ መለኪያ DocType: Lab Test,Test Template,አብነት ሞክር DocType: Fertilizer,Fertilizer Contents,የማዳበሪያ ይዘት -apps/erpnext/erpnext/utilities/user_progress.py,Minute,ደቂቃ +DocType: Quality Meeting Minutes,Minute,ደቂቃ apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ረድፍ # {0}: ንብረት {1} ሊገዛ አይችልም, ቀድሞውኑ {2} ነው" DocType: Task,Actual Time (in Hours),ትክክለኛ ሰዓት (በ ሰዓቶች) DocType: Period Closing Voucher,Closing Account Head,ሂሳብን መዝጋት @@ -1520,7 +1528,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,ላቦራቶሪ DocType: Purchase Order,To Bill,ወደ ቢል apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,የፍጆታ ወጪዎች DocType: Manufacturing Settings,Time Between Operations (in mins),በክወናዎች መካከል ያለው ጊዜ (በ mins ውስጥ) -DocType: Quality Goal,May,ግንቦት +DocType: GSTR 3B Report,May,ግንቦት apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","የክፍያ በርዕሰ ጉዳይ መለያ አልተፈጠረም, እባክዎ አንድ በእጅ ይፍጠሩ." DocType: Opening Invoice Creation Tool,Purchase,ግዢ DocType: Program Enrollment,School House,የት / ቤት ቤት @@ -1552,6 +1560,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,ስለአቅራቢዎ አስፈላጊ ህጋዊ መረጃ እና ሌላ አጠቃላይ መረጃ DocType: Item Default,Default Selling Cost Center,የነባሪ ዋጋ መሸጫ ዋጋ DocType: Sales Partner,Address & Contacts,አድራሻ እና እውቂያዎች +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,እባክዎ በአካባቢያዊ ቅንጅቶች በኩል የቁጥር ተከታታይ ቁጥሮች ያቀናብሩ> የስልክ ቁጥር DocType: Subscriber,Subscriber,ደንበኛ apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ቅጽ / ንጥል / {0}) አክሲዮን አልቋል apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,እባክዎ መጀመሪያ የልኡክ ጽሁፍ ቀንን ይምረጡ @@ -1579,6 +1588,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,የሆስፒታል ጉ DocType: Bank Statement Settings,Transaction Data Mapping,የግብይት ውሂብ ማዛመጃ apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,አንድ መሪ የግለሰቡን ስም ወይም የድርጅት ስም ያስፈልገዋል DocType: Student,Guardians,ሞግዚቶች +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,እባክዎ የመምህርውን ስም ስርዓትን በስርዓት> የትምህርት ቅንብሮች ያዋቅሩ apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ብራንድ ይምረጡ ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,መካከለኛ ገቢ DocType: Shipping Rule,Calculate Based On,መነሻ ላይ አስሉት @@ -1590,7 +1600,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,የወጪ ማሳሰቢያ DocType: Purchase Invoice,Rounding Adjustment (Company Currency),የሬጅ ማሻሻያ (የኩባንያው የገንዘብ ምንዛሬ) DocType: Item,Publish in Hub,በኩባንያ ውስጥ ያትሙ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,ነሐሴ +DocType: GSTR 3B Report,August,ነሐሴ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,እባክዎ በመጀመሪያ የግዢ ደረሰኝን ያስገቡ apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,የመጀመሪያ ዓመት apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),ዒላማ ({}) @@ -1609,6 +1619,7 @@ DocType: Item,Max Sample Quantity,ከፍተኛ የናሙና መጠኑ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ምንጩ እና የታቀደለት መጋዘን የተለየ መሆን አለበት DocType: Employee Benefit Application,Benefits Applied,ጥቅሞች ተግባራዊ ይሆናሉ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,በጆርናል ምዝገባ {0} ላይ ያልተካተተ {1} ግቤት የለም +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","ከ "-", "#", ".", "/", "{" እና "}" በስተቀር በአይዘመም ስም" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,ዋጋ ወይም የምርት ቅናሽ ቅጠሎች ያስፈልጉታል apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ዒላማ ያዘጋጁ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},የተማሪ መገኘት መዝገብ {0} በተማሪው ላይ ይገኛል {1} @@ -1624,10 +1635,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,በ ወር DocType: Routing,Routing Name,የመሄጃ ስም DocType: Disease,Common Name,የተለመደ ስም -DocType: Quality Goal,Measurable,ሊለካ የሚችል DocType: Education Settings,LMS Title,LMS ርዕስ apps/erpnext/erpnext/config/non_profit.py,Loan Management,የብድር አስተዳደር -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,የድጋፍ ፊዚክስ DocType: Clinical Procedure,Consumable Total Amount,የሚገመት አጠቃላይ ድምር apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,አብነት አንቃ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,የደንበኛ LPO @@ -1765,6 +1774,7 @@ DocType: Restaurant Order Entry Item,Served,አገልግሏል DocType: Loan,Member,አባል DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,የአለማዳች አገልግሎት ክፍል ዕቅድ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,የሃዋላ ገንዘብ መላኪያ +DocType: Quality Review Objective,Quality Review Objective,የጥራት ግምገማ ዓላማ DocType: Bank Reconciliation Detail,Against Account,Against Account DocType: Projects Settings,Projects Settings,የፕሮጀክት ቅንብሮች apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},ትክክለኛው Qty {0} / Waiting Qty {1} @@ -1793,6 +1803,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,የፊስካል አመት የማብቂያ ቀን ከአንድ ዓመት በኋላ የጀቱ ዓመት ከተጀመረ ከአንድ አመት በኋላ መሆን አለበት apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,ዕለታዊ አስታዋሾች DocType: Item,Default Sales Unit of Measure,ነባሪ የሽያጭ ብዜት መለኪያ +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,ኩባንያ GSTIN DocType: Asset Finance Book,Rate of Depreciation,የማካካሻ ዋጋ DocType: Support Search Source,Post Description Key,የልኡክ ጽሁፍ ማብራሪያ ቁልፍ DocType: Loyalty Program Collection,Minimum Total Spent,ዝቅተኛ ድምር @@ -1863,6 +1874,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,ለተመረጠው ደንበኛ የደንበኞች ቡድን መቀየር አይፈቀድም. DocType: Serial No,Creation Document Type,የፈጠራ ሰነድ አይነት DocType: Sales Invoice Item,Available Batch Qty at Warehouse,በገቢ መጋዘን ውስጥ የሚገኝ የተገኘ ብዛት +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ደረሰኝ ጠቅላላ ድምር apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,ይህ ስርዓት ግዛት እና አርትዕ ሊደረግ አይችልም. DocType: Patient,Surgical History,የቀዶ ጥገና ታሪክ apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,የጥራት ሂደቶች ዛፍ. @@ -1967,6 +1979,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,በድር ጣቢያ ውስጥ ማሳየት ከፈለጉ ይህንን ያረጋግጡ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,የፋይናንስ ዓመት {0} አልተገኘም DocType: Bank Statement Settings,Bank Statement Settings,የባንክ መግለጫ መግለጫዎች +DocType: Quality Procedure Process,Link existing Quality Procedure.,ያለውን የአሠራር ሂደት ያገናኙ. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,የመለያዎች ስዕል ከ CSV / Excel ፋይሎች ያስመጡ DocType: Appraisal Goal,Score (0-5),ውጤት (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,ባህሪ {0} በባህሪ ሰንጠረዥ ውስጥ ብዙ ጊዜ ተመርጧል DocType: Purchase Invoice,Debit Note Issued,የዕዳ ክፍያ ማስታወሻ ተሰጥቷል @@ -1975,7 +1989,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,የፖሊሲ ዝርዝርን ይተው apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,መጋዘን በሲስተሙ አልተገኘም DocType: Healthcare Practitioner,OP Consulting Charge,የ OP የምክር ክፍያ -DocType: Quality Goal,Measurable Goal,ሊለካ የሚችል ግብ DocType: Bank Statement Transaction Payment Item,Invoices,ደረሰኞች DocType: Currency Exchange,Currency Exchange,የምንዛሬ ልውውጥ DocType: Payroll Entry,Fortnightly,በየሁለት ሳምንቱ @@ -2038,6 +2051,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} አልገባም DocType: Work Order,Backflush raw materials from work-in-progress warehouse,ከሥራ-በሂደት ማከማቻ መጋዘን ውስጥ ጥሬ እቃዎችን መመለስ DocType: Maintenance Team Member,Maintenance Team Member,የጥገና ቡድን አባል +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,የሒሳብ ብጁ የሆኑ መለኪያዎች ያዋቅሩ DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,ምርጥ የዕድገት ደረጃዎች መካከል ባሉ አነስተኛ ደረጃዎች መካከል ያለው አነስተኛ ርቀት DocType: Employee Health Insurance,Health Insurance Name,የጤና ኢንሹራንስ ስም apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,የደምፍ እሴቶች @@ -2068,7 +2082,7 @@ DocType: Delivery Note,Billing Address Name,የማስከፈያ አድራሻ ስ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,አማራጭ ንጥል DocType: Certification Application,Name of Applicant,የአመልካች ስም DocType: Leave Type,Earned Leave,የወጡ ፀሃፊዎች -DocType: Quality Goal,June,ሰኔ +DocType: GSTR 3B Report,June,ሰኔ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},ረድፍ {0}: ወልቃዩ ወደ አንድ ነገር {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},በ {0} ሊጸድቅ ይችላል apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,መለኪያ መለኪያ {0} በተቀያየለው የመቀነሻ ሰንጠረዥ ከአንድ በላይ ጊዜ ተጨምሯል @@ -2089,6 +2103,7 @@ DocType: Lab Test Template,Standard Selling Rate,መደበኛ የሽያጭ መ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},እባክዎ ሬስቶራንት ላይ ገባሪ ምናሌ ያዘጋጁ {0} 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: Asset Finance Book,Asset Finance Book,የንብረት ፋይናንስ መጽሐፍ +DocType: Quality Goal Objective,Quality Goal Objective,የጥራት ግብ ግብ DocType: Employee Transfer,Employee Transfer,የሠራተኛ ማስተላለፍ ,Sales Funnel,የሽያጭ ቀዳዳ DocType: Agriculture Analysis Criteria,Water Analysis,የውሃ ትንተና @@ -2127,6 +2142,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,የተቀጣሪ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,በመጠባበቅ ላይ ያሉ ድርጊቶች apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,አንዳንድ ደንበኛዎችዎን ይዘርዝሩ. ድርጅቶቹ ወይም ግለሰቦች ሊሆኑ ይችላሉ. DocType: Bank Guarantee,Bank Account Info,የባንክ መለያ መረጃ +DocType: Quality Goal,Weekday,የሳምንቱ ቀናት apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 ስም DocType: Salary Component,Variable Based On Taxable Salary,በወታዊ የግብር ደመወዝ ላይ የተመሠረተ DocType: Accounting Period,Accounting Period,የሂሳብ አያያዝ ጊዜ @@ -2211,7 +2227,7 @@ DocType: Purchase Invoice,Rounding Adjustment,የመደለያ ማስተካከያ DocType: Quality Review Table,Quality Review Table,የጥራት ግምገማ ሰንጠረዥ DocType: Member,Membership Expiry Date,የአባልነት ጊዜ ማብቂያ ቀን DocType: Asset Finance Book,Expected Value After Useful Life,የተጠለ ዋጋ ከህይወት በኋላ -DocType: Quality Goal,November,ህዳር +DocType: GSTR 3B Report,November,ህዳር DocType: Loan Application,Rate of Interest,የፍላጎት ደረጃ DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,የባንክ ማብራሪያ የልውውጥ ክፍያ ንጥል DocType: Restaurant Reservation,Waitlisted,ተጠባባቂ @@ -2275,6 +2291,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","ረድፍ {0}: {1} የጊዜ ቆይታ, እና ከ እስከ ድረስ ባለው ጊዜ መካከል ያለው ልዩነት \ ከ {2} የበለጠ ወይም እኩል መሆን አለበት" DocType: Purchase Invoice Item,Valuation Rate,የግምገማ መጠን DocType: Shopping Cart Settings,Default settings for Shopping Cart,የግዢ ግብዓት ነባሪ ቅንብሮች +DocType: Quiz,Score out of 100,ከ 100 በላይ ውጤት DocType: Manufacturing Settings,Capacity Planning,የአቅም ማቀድ apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,ወደ መምህራን ሂዱ DocType: Activity Cost,Projects,ፕሮጀክቶች @@ -2284,6 +2301,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,ከጊዜ apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,የተራዘመ የዝርዝር ሪፖርት +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,ለግዢ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,የ {0} የስልክ ጥቅሎች ወደ መርሐግብሩ አይታከሉም DocType: Target Detail,Target Distribution,ዒላማ ስርጭት @@ -2301,6 +2319,7 @@ DocType: Activity Cost,Activity Cost,የእንቅስቃሴ ወጪ DocType: Journal Entry,Payment Order,የክፍያ ትዕዛዝ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,ዋጋ አሰጣጥ ,Item Delivery Date,የንጥል ማቅረብ ቀን +DocType: Quality Goal,January-April-July-October,ጃንዋሪ-ኤፕረል-ሐምሌ-ኦክቶበር DocType: Purchase Order Item,Warehouse and Reference,የመጋዘን እና ማጣቀሻ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,ከልጆች መገናኛዎች ጋር ያለዎት መለያ ወደ ለሽርሽር ሊለወጥ አይችልም DocType: Soil Texture,Clay Composition (%),የሸክላ አዘጋጅ (%) @@ -2350,6 +2369,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,የወደፊት ቀና apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,ቫንሪ apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,ረድፍ {0}: እባክዎ የክፍያ ሁኔታን በክፍያ ጊዜ ሰሌዳ ያዘጋጁ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,አካዳሚያዊ ውል: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,የጥራት ግብረመልስ መለኪያ apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,እባክዎን Apply Discount On Apply የሚለውን ይምረጡ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,ረድፍ # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,ጠቅላላ ክፍያ @@ -2392,7 +2412,7 @@ DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,የሰራተኛ መታወቂያ DocType: Salary Structure Assignment,Salary Structure Assignment,የደመወዝ / ወረዳ አወቃቀር መተዳደር DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS የመጋሪያ ደረሰኝ ታክስ -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,እርምጃ ተጀምሯል +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,እርምጃ ተጀምሯል DocType: POS Profile,Applicable for Users,ለተጠቃሚዎች ተፈጻሚ የሚሆን DocType: Training Event,Exam,ፈተና apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,ትክክል ያልሆነ የጄኔራል ሌተር አስነብዎች ቁጥር ተገኝቷል. በግብይቱ ውስጥ የተሳሳተ መለያ መርጠህ ሊሆን ይችላል. @@ -2498,6 +2518,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,ኬንትሮስ DocType: Accounts Settings,Determine Address Tax Category From,የአድራሻ ግብር ምድብ ከ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,ውሳኔ ሰጪዎችን መለየት +DocType: Stock Entry Detail,Reference Purchase Receipt,የማጣቀሻ ግዢ ደረሰኝ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,ግብዣዎችን ያግኙ DocType: Tally Migration,Is Day Book Data Imported,የቀን መጽሐፍ ውሂብ ከውጭ የመጣ ነው ,Sales Partners Commission,የሽያጭ አጋሮች ኮሚሽን @@ -2521,6 +2542,7 @@ DocType: Leave Type,Applicable After (Working Days),ተፈላጊ በሚከተለ DocType: Timesheet Detail,Hrs,ሰዓቶች DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,የአገልግሎት አቅራቢ ነጥብ መስፈርት DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,የጥራት መለኪያ አብነት መለኪያ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,መቀላቀል ቀን ከልደት ቀን ይበልጣል DocType: Bank Statement Transaction Invoice Item,Invoice Date,ደረሰኝ ቀን DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,በችርቻሽ ደረሰኝ አስገባ @@ -2626,7 +2648,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,ዝቅተኛ ፍቃ DocType: Stock Entry,Source Warehouse Address,የሱቅ መጋዘን አድራሻ DocType: Compensatory Leave Request,Compensatory Leave Request,የማካካሻ ፍቃድ ጥያቄ DocType: Lead,Mobile No.,የሞባይል ስልክ ቁጥር -DocType: Quality Goal,July,ሀምሌ +DocType: GSTR 3B Report,July,ሀምሌ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,የተሟላ ITC DocType: Fertilizer,Density (if liquid),ጥፍለቅ (ፈሳሽ ከሆነ) DocType: Employee,External Work History,የውጭ የስራ ታሪክ @@ -2703,6 +2725,7 @@ DocType: Certification Application,Certification Status,የዕውቅና ማረ apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},ምንጭ ለቤቱ {0} አስፈላጊ ነው DocType: Employee,Encashment Date,የማካካሻ ቀን apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,E ባክዎን ለተጠናቀቀው የንብረት ጥገና ምዘገባ የሚጠናቀቅበት ቀን ይምረጡ +DocType: Quiz,Latest Attempt,የቅርብ ሙከራ DocType: Leave Block List,Allow Users,ተጠቃሚዎች ይፍቀዱ apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,የአድራሻዎች ዝርዝር apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,'Opportunity From' የተባለው እንደ ደንበኛ ከተመረጠ ደንበኛው የግዴታ ነው @@ -2767,7 +2790,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,የአቅራቢን DocType: Amazon MWS Settings,Amazon MWS Settings,የ Amazon MWS ቅንብሮች DocType: Program Enrollment,Walking,መራመድ DocType: SMS Log,Requested Numbers,የተጠየቁ ቁጥሮች -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,እባክዎ በአካባቢያዊ ቅንጅቶች በኩል የቁጥር ተከታታይ ቁጥሮች ያቀናብሩ> የስልክ ቁጥር DocType: Woocommerce Settings,Freight and Forwarding Account,የጭነት እና ማስተላለፍ ሂሳብ apps/erpnext/erpnext/accounts/party.py,Please select a Company,እባክዎ አንድ ኩባንያ ይምረጡ apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,ረድፍ {0}: {1} ከ 0 በላይ መሆን አለበት @@ -2837,7 +2859,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ለደን DocType: Training Event,Seminar,ሴሚናር apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),ዱቤ ({0}) DocType: Payment Request,Subscription Plans,የምዝገባ ዕቅዶች -DocType: Quality Goal,March,መጋቢት +DocType: GSTR 3B Report,March,መጋቢት apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,የተከፋፈለ ቡድን DocType: School House,House Name,የቤት ስም apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),የ {0} ተለይቶ ከዜሮ ያነሰ መሆን አይችልም ({1}) @@ -2900,7 +2922,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,የኢንሹራንስ መጀመሪያ ቀን DocType: Target Detail,Target Detail,የዒላማ ዝርዝር DocType: Packing Slip,Net Weight UOM,የተጣራ ክብደት UOM -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: Purchase Invoice Item,Net Amount (Company Currency),የተጣራ መጠን (የኩባንያው የገንዘብ ምንዛሬ) DocType: Bank Statement Transaction Settings Item,Mapped Data,ካርታ የተደረገበት ውሂብ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,ኢንሹራንስ እና ተቀማጭ ገንዘብ @@ -2950,6 +2971,7 @@ DocType: Cheque Print Template,Cheque Height,ቁመት ይፈትሹ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,እባክዎ የመቀነስ ቀን ያስገቡ. DocType: Loyalty Program,Loyalty Program Help,የታማኝነት ፕሮግራም እገዛ DocType: Journal Entry,Inter Company Journal Entry Reference,ኢንተርሜል ካምፓኒ የመለያ መግቢያ ጽሑፍ +DocType: Quality Meeting,Agenda,አጀንዳ DocType: Quality Action,Corrective,ማስተካከያ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,በቡድን በ DocType: Bank Account,Address and Contact,አድራሻ እና እውቂያ @@ -3002,7 +3024,7 @@ DocType: GL Entry,Credit Amount,የብድር መጠን apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,ጠቅላላ መጠን ተቀጠረ DocType: Support Search Source,Post Route Key List,የፖስታ መስመር ቁልፍ ዝርዝር apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} በማንኛውም ገቢር የበጀት ዓመት ውስጥ አይደለም. -DocType: Quality Action Table,Problem,ችግር +DocType: Quality Action Resolution,Problem,ችግር DocType: Training Event,Conference,ኮንፈረንስ DocType: Mode of Payment Account,Mode of Payment Account,የክፍያ መለያ ዘዴ DocType: Leave Encashment,Encashable days,የሚጣሩ ቀናት @@ -3128,7 +3150,7 @@ DocType: Item,"Purchase, Replenishment Details","ግዢ, ማጠናከሪያ ዝ DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","አንዴ ከተዘጋጀ, ይህ የዋጋ መጠየቂያ የተጠናቀቀበት ቀን እስከሚቆይ ይቆያል" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,ክምችቶች (እቃዎች) ስላሏቸው ነገሮች ቁጥር {0} ሊኖር አይችልም DocType: Lab Test Template,Grouped,የተደረደሩ -DocType: Quality Goal,January,ጥር +DocType: GSTR 3B Report,January,ጥር DocType: Course Assessment Criteria,Course Assessment Criteria,የኮርስ ግምገማ መስፈርት DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,የተጠናቀቀ ብዛት @@ -3224,7 +3246,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,የህክም apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,እባክዎ በሠንጠረዥ ውስጥ የመጨረሻው 1 ደረሰኝ ያስገቡ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,የሽያጭ ትዕዛዝ {0} አልገባም apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,ክትትል በተሳካ ሁኔታ ምልክት ተደርጎበታል. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,የቅድመ ሽያጭ +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,የቅድመ ሽያጭ apps/erpnext/erpnext/config/projects.py,Project master.,የፕሮጀክት ጌታ. DocType: Daily Work Summary,Daily Work Summary,ዕለታዊ የጥናት ማጠቃለያ DocType: Asset,Partially Depreciated,በከፊል የተጸደቀው @@ -3233,6 +3255,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,ተጣበቂው ይተው? DocType: Certified Consultant,Discuss ID,ውይይት ይወቁ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,እባክዎ በ GST ቅንብሮች ውስጥ GST መለያዎችን ያዘጋጁ +DocType: Quiz,Latest Highest Score,የመጨረሻው ከፍተኛ ውጤት DocType: Supplier,Billing Currency,የማስከፈያ ምንዛሬ apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,የተማሪ እንቅስቃሴ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,የችሎታውን ግብ ወይም ዒላማ መጠን መገደብ ግዴታ ነው @@ -3258,17 +3281,20 @@ DocType: Sales Order,Not Delivered,አልቀረበም apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,ከክፍለ-ነገር ዉስጥ {0} ከክፍያ ጋር ሲወጣ ሊከፋፈል አይችልም DocType: GL Entry,Debit Amount,የዕዳ ሒሳብ መጠን apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},ለንጥል {0} ቀድሞውኑ መዝገብ አለ +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,ንዑስ ንዑስ ዝግጅት 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.","ብዙ የዋጋ አሰጣጥ ደንቦች ማሸነፍ ከቀጠሉ, ተጠቃሚዎች ግጭት ለመፍታት ቅድሚያውን በእራስዎ እንዲመርጡ ይጠየቃሉ." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ምድብ ለ 'Valuation' ወይም 'Valuation and Total' ሲሆን መቀነስ አይችልም apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,የእቃ እና ብረት ምርት ብዛት ያስፈልጋል apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},ንጥል {0} የህይወት ማለቂያ ላይ {1} ላይ ደርሷል DocType: Quality Inspection Reading,Reading 6,ንባብ 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,የኩባንያ መስክ ያስፈልጋል apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,ቁሳቁሶች በፋብሪካዎች ማቀናበሪያ ውስጥ አልተዘጋጀም. DocType: Assessment Group,Assessment Group Name,የግምገማ ቡድን ስም -DocType: Item,Manufacturer Part Number,የምርት ክፍል ቁጥር +DocType: Purchase Invoice Item,Manufacturer Part Number,የምርት ክፍል ቁጥር apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,ክፍያ የሚከፈልበት apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,የዱና Qty +DocType: Question,Multiple Correct Answer,ብዙ ትክክለኛ መልስ DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 ታማኝ ታሪኮች = ምን ያህል መሠረታዊ ምንዛሬ ነው? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},ማሳሰቢያ: ለጣቢያ አይነት {0} በቂ የዝርዝር ቀሪ ሂሳብ የለም. DocType: Clinical Procedure,Inpatient Record,Inpatient Record @@ -3387,6 +3413,7 @@ DocType: Fee Schedule Program,Total Students,ጠቅላላ ተማሪዎች apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,አካባቢያዊ DocType: Chapter Member,Leave Reason,ምክንያትን ተው DocType: Salary Component,Condition and Formula,ሁኔታ እና ቀመር +DocType: Quality Goal,Objectives,ዓላማዎች apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","አስቀድመው የተጠናቀቀው ደመወዝ በ {0} እና በ {1} መካከል, አሁን የመተግበሪያው ክፍለ ጊዜን በዚህ ቀነ-ገደብ መካከል መሆን አይችልም." DocType: BOM Item,Basic Rate (Company Currency),መሠረታዊ ቢል (የኩባንያው የገንዘብ ምንዛሬ) DocType: BOM Scrap Item,BOM Scrap Item,ቦምፍ ቁራጭ ንጥል @@ -3437,6 +3464,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-YYYYY.- DocType: Expense Claim Account,Expense Claim Account,የወጪ ሂሳብ መጠየቂያ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ለጆርናሉ ምዝገባ ምንም ክፍያ አይኖርም apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ገባሪ ተማሪ ነው +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,የገቢ ማስገባት DocType: Employee Onboarding,Activities,እንቅስቃሴዎች apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,አንድ መጋዘን በጣም ጥብቅ ነው ,Customer Credit Balance,የደንበኛ ብድር ሂሳብ @@ -3521,7 +3549,6 @@ DocType: Contract,Contract Terms,የውል ስምምነቶች apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,የችሎታውን ግብ ወይም ዒላማ መጠን መገደብ ግዴታ ነው. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},ልክ ያልሆነ {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,የስብሰባ ቀን DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-yYYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,አህጽሩ ከ 5 ቁምፊዎች በላይ ሊኖረው አይችልም DocType: Employee Benefit Application,Max Benefits (Yearly),ከፍተኛ ጥቅሞች (ዓመታዊ) @@ -3622,7 +3649,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,የባንክ ክፍያዎች apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,ምርቶች ተላልፈዋል apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,ዋና እውቂያ ዝርዝሮች -DocType: Quality Review,Values,እሴቶች DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ያልተረጋገጠ ከሆነ, ዝርዝሩ ሊተገበርበት በሚችልበት በእያንዳንዱ ክፍል ውስጥ ይጨምራል." DocType: Item Group,Show this slideshow at the top of the page,በገፁ አናት ላይ ይህን ተንሸራታች ትዕይንት አሳይ apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,የ {0} ግቤት ልክ ያልሆነ ነው @@ -3641,6 +3667,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,የባንክ ክፍያዎች ሒሳብ DocType: Journal Entry,Get Outstanding Invoices,ያልተለመዱ ደረሰኞች ያግኙ DocType: Opportunity,Opportunity From,ዕድል ከ +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,የዒላማ ዝርዝሮች DocType: Item,Customer Code,የደንበኛ ኮድ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,እባክዎ መጀመሪያን ያስገቡ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,የድርጣቢያ ዝርዝር @@ -3669,7 +3696,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,ማድረስ ወደ DocType: Bank Statement Transaction Settings Item,Bank Data,የባንክ መረጃ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,መርሃግብር የተያዘለት እስከ -DocType: Quality Goal,Everyday,በየቀኑ DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,የክፍያ አከፋፋይ ሰዓቶችን እና የስራ ሰዓቶችን በየጊዜ ማቆየት ይመዝገቡ apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,በ "ምንጭ" የሚመራ መሪዎችን ይከታተሉ. DocType: Clinical Procedure,Nursing User,የነርሶች ተጠቃሚ @@ -3694,7 +3720,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,የመስተዳድር DocType: GL Entry,Voucher Type,ሞኬር አይነት ,Serial No Service Contract Expiry,Serial No አገልግሎት የአገልግሎት ውል ማብቂያ DocType: Certification Application,Certified,ተረጋግጧል -DocType: Material Request Plan Item,Manufacture,ማምረት +DocType: Purchase Invoice Item,Manufacture,ማምረት apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} የተሰሩ ንጥሎች apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},ለ {0} የክፍያ ጥያቄ apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,ከጨረሰ ትእዛዝ በኋላ ቀናት @@ -3708,7 +3734,7 @@ DocType: Sales Invoice,Company Address Name,የኩባንያ ስም አድራሻ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,ምርቶች በመተላለፊያ ውስጥ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,በዚህ ትዕዛዝ ከፍተኛውን {0} ነጥቦች ብቻ ነው ማስመለስ የሚችሉት. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},እባክዎ በ Warehouse {0} ውስጥ መለያ ያዘጋጁ -DocType: Quality Action Table,Resolution,ጥራት +DocType: Quality Action,Resolution,ጥራት DocType: Sales Invoice,Loyalty Points Redemption,የታማኝነት መክፈል ዋጋዎች apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,ጠቅላላ የታክስ ዋጋ DocType: Patient Appointment,Scheduled,መርሃግብር የተያዘለት @@ -3828,6 +3854,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,ደረጃ ይስጡ apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},በማስቀመጥ ላይ {0} DocType: SMS Center,Total Message(s),ጠቅላላ መልዕክት (ዎች) +DocType: Purchase Invoice,Accounting Dimensions,የሒሳብ መመዘኛዎች apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,በመለያ በቡድን DocType: Quotation,In Words will be visible once you save the Quotation.,መጠይቁን ካስቀመጡ በኋላ በቃላት ውስጥ ይታያሉ. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,የሚፈለገው ብዛት @@ -3992,7 +4019,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","ማንኛውም ጥያቄ ቢኖርዎት, እባክዎ ወደ እኛ ይመለሱ." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,የግዢ ደረሰኝ {0} አልገባም DocType: Task,Total Expense Claim (via Expense Claim),የወጪ ደረሰኝ ይገባኛል (በወር ክፍያ) -DocType: Quality Action,Quality Goal,ጥራት ግብ +DocType: Quality Goal,Quality Goal,ጥራት ግብ DocType: Support Settings,Support Portal,የድጋፍ መግቢያ apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},የተግባር መጨረሻ {0}{1} የሚጠበቀው የመጀመሪያ ቀን {2} ሊሆን አይችልም apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},ተቀጣሪ {0} በርቷል {1} ላይ @@ -4051,7 +4078,6 @@ DocType: BOM,Operating Cost (Company Currency),የትርጉም ወጪ (የኩባ DocType: Item Price,Item Price,የንጥል ዋጋ DocType: Payment Entry,Party Name,የፓርቲ ስም apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,እባክዎ ደንበኛ ይምረጡ -DocType: Course,Course Intro,የኮርስ መግቢያ DocType: Program Enrollment Tool,New Program,አዲስ ፕሮግራም apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","አዲስ የኮርሴል ማዕከል ቁጥር, እንደ የዋህ ቅጥያ ዋጋ ውስጥ ሆኖ ዋጋው ውስጥ ይካተታል" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ደንቡን ወይም አቅራቢውን ይምረጡ. @@ -4251,6 +4277,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-yYYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,የተጣራ ደሞዝ አሉታዊ ሊሆን አይችልም apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,የበስተጀርባዎች ብዛት 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/hr/doctype/employee/employee_dashboard.py,Shift,ቀይር apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,የሂሳቦችን እና ፓርቲዎችን ያቀናብሩ DocType: Stock Settings,Convert Item Description to Clean HTML,የኤች ቲ ኤም ኤልን የንጥል መግለጫ ቀይር apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,ሁሉም አቅራቢ ድርጅቶች @@ -4329,6 +4356,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,የወላጅ እሴት apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,ደላላ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},እባክዎ የግዢ ደረሰኝ ይፍጠሩ ወይም ለንጥል {0} የግዢ ደረሰኝ ይላኩ +,Product Bundle Balance,የምርት ጥቅል ቀሪ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,የኩባንያው ስም ኩባንያ ሊሆን አይችልም DocType: Maintenance Visit,Breakdown,መሰባበር DocType: Inpatient Record,B Negative,ቢ አሉታዊ @@ -4337,7 +4365,7 @@ DocType: Purchase Invoice,Credit To,ለ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,ለተጨማሪ ሂደት ይህን የሥራ ትዕዛዝ ያቅርቡ. DocType: Bank Guarantee,Bank Guarantee Number,የባንክ ዋስትና ቁጥር apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},ደርሷል: {0} -DocType: Quality Action,Under Review,በ ግምገማ ላይ +DocType: Quality Meeting Table,Under Review,በ ግምገማ ላይ apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),እርሻ (ቤታ) ,Average Commission Rate,አማካይ የኮረንት ተመን DocType: Sales Invoice,Customer's Purchase Order Date,የደንበኛ የግዢ ትዕዛዝ ቀን @@ -4454,7 +4482,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,ከማረጋገጫዎች ጋር የተዛመደ ክፍያዎችን ይፃፉ DocType: Holiday List,Weekly Off,ሳምንታዊ ጠፍቷል apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},ለንጥል የተለየ አማራጭ ለማዘጋጀት አይፈቀድም {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,ፕሮግራም {0} የለም. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,ፕሮግራም {0} የለም. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,ስርወ-ጽሑፍ ማርትዕ አይችሉም. DocType: Fee Schedule,Student Category,የተማሪ ምድብ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","ንጥል {0}: {1} qty የተሰራ," @@ -4545,8 +4573,8 @@ DocType: Crop,Crop Spacing,ሰብልን ክፈል DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,በሽርክም ትራንስፖርቶች መሠረት ፕሮጀክቱ እና ኩባንያው በየስንት ጊዜ ማዘመን አለባቸው. DocType: Pricing Rule,Period Settings,የጊዜ ወቅት ቅንብሮች apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,ሂሳቦች ተቀማጭ ሂሳብ ተቀማጭ +DocType: Quality Feedback Template,Quality Feedback Template,የጥራት ግምገማ ቅጽ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,መጠኑ ከዜሮ መብለጥ አለበት -DocType: Quality Goal,Goal Objectives,የግብ አላማዎች apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","በፋፍቱ ውስጥ, በትርፍ እና በሂሳብ መካከል የተዘበራረቁ ሁኔታዎች አሉ" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,በዓመት ውስጥ ተማሪዎችን ቡድኖች ካደረጓቸው ባዶ ይተው apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ብድር (ኪሳራዎች) @@ -4580,12 +4608,13 @@ DocType: Quality Procedure Table,Step,ደረጃ DocType: Normal Test Items,Result Value,የውጤት እሴት DocType: Cash Flow Mapping,Is Income Tax Liability,የገቢ ታክስ ተጠያቂነት ነው DocType: Healthcare Practitioner,Inpatient Visit Charge Item,የሆስፒታል የጉብኝት ወጪ ይጎብኙ -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} አይገኝም. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} አይገኝም. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,ምላሽ ስጥ DocType: Bank Guarantee,Supplier,አቅራቢ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},ግቤትን {0} እና {1} ያስገቡ DocType: Purchase Order,Order Confirmation Date,የትዕዛዝ ማረጋገጫ ቀን DocType: Delivery Trip,Calculate Estimated Arrival Times,የተገመተ የመድረስ ጊዜዎችን አስሉ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,እባክዎ የሰራተኛ ማመሳከሪያ ስርዓትን በሰዎች ሃብት> HR ቅንጅቶች ያዘጋጁ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,መጠቀሚያ DocType: Instructor,EDU-INS-.YYYY.-,ኢዲ-ኢንተስ-ዮናስ.- DocType: Subscription,Subscription Start Date,የደንበኝነት ምዝገባ ጅምር @@ -4648,6 +4677,7 @@ DocType: Cheque Print Template,Is Account Payable,ሂሳብ የሚከፈልበ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,የአጠቃላይ እሴት ዋጋ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},አቅራቢ {0} በ {1} አልተገኘም apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,የኤስ.ኤም.ኤስ. የአግባቢ ፍኖት ማቀናበር +DocType: Salary Component,Round to the Nearest Integer,ወደ ቅርብኛው ኢንጂነር ይሸጋገሩ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,ሮዶ የወላጅ ወጭ መሸፈን ማዕከል ሊኖረው አይችልም DocType: Healthcare Service Unit,Allow Appointments,ቀጠሮዎችን ፍቀድ DocType: BOM,Show Operations,ክንውኖችን አሳይ @@ -4775,7 +4805,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,ነባሪ የእረፍት ቀን DocType: Naming Series,Current Value,የአሁኑ እሴት apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","ወቅታዊነት በጀት, ዒላማዎች, ወዘተ." -DocType: Program,Program Code,ፕሮግራም ኮድ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},ማስጠንቀቂያ: የሽያጭ ትዕዛዝ {0} አስቀድሞ በደንበኛ ግዢ ትዕዛዝ {1} ላይ አስቀድሞ ይገኛል apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,ወርሃዊ የሽያጭ ዒላማ ( DocType: Guardian,Guardian Interests,የአሳዳጊ ፍላጎቶች @@ -4825,10 +4854,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,ይከፈላል እና አልተረፈም apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,ንጥሉ አይቀዘቅዝም ምክንያቱም ንጥሉ በራስሰር አይቆጠርም DocType: GST HSN Code,HSN Code,HSN ኮድ -DocType: Quality Goal,September,መስከረም +DocType: GSTR 3B Report,September,መስከረም apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,አስተዳደራዊ ወጪዎች DocType: C-Form,C-Form No,C-Form No DocType: Purchase Invoice,End date of current invoice's period,የአሁኑ የክፍያ መጠየቂያ ጊዜ አጠናቀቅ +DocType: Item,Manufacturers,አምራቾች DocType: Crop Cycle,Crop Cycle,ከርክም ዑደት DocType: Serial No,Creation Time,የፍጥረት ጊዜ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,እባክዎ ማፅደቅ ሚና ወይም ማጽደቅ ተጠቃሚን ያስገቡ @@ -4901,8 +4931,6 @@ DocType: Employee,Short biography for website and other publications.,ስለ ድ DocType: Purchase Invoice Item,Received Qty,የተቀበልኩትን ብዛት DocType: Purchase Invoice Item,Rate (Company Currency),ደረጃ (ኩባንያ የገንዘብ ምንዛሬ) DocType: Item Reorder,Request for,ጥያቄ ለ -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","እባክህ ይህን ሰነድ ለመሰረዝ ሰራተኛውን {0} \ ሰርዝ" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,ቅድመ-ቅምዶችን በመጫን ላይ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,እባክዎ የክፍያ ክፍያን ያስገቡ DocType: Pricing Rule,Advanced Settings,የላቁ ቅንብሮች @@ -4926,7 +4954,7 @@ DocType: Issue,Resolution Date,የምስል ቀን DocType: Shopping Cart Settings,Enable Shopping Cart,የግዢ ጋሪን አንቃ DocType: Pricing Rule,Apply Rule On Other,ሌላ ደንብ ይተግብሩ DocType: Vehicle,Last Carbon Check,የመጨረሻ ካርቦን ቼክ -DocType: Vehicle,Make,አድርግ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,አድርግ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,የሽያጭ ደረሰኝ {0} እንደ ተከፈለ ተደርጓል apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,የክፍያ መጠየቂያ ማመሳከሪያ ሰነድ ለመፍጠር ያስፈልጋል apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,የገቢ ግብር @@ -5002,7 +5030,6 @@ DocType: Territory,Parent Territory,የወላጅ ተሪቶሪ DocType: Vehicle Log,Odometer Reading,የ Odometer ንባብ DocType: Additional Salary,Salary Slip,የደመወዝ ወረቀት DocType: Payroll Entry,Payroll Frequency,የደመወዝ ድግግሞሽ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,እባክዎ የሰራተኛ ማመሳከሪያ ስርዓትን በሰዎች ሃብት> HR ቅንጅቶች ያዘጋጁ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","የመጀመሪያዎቹ እና የመጨረሻዎቹን ቀናት በሚሰራበት የደመወዝ ክፍያ ወቅት ውስጥ ሊሰጡት አይችሉም, {0}" DocType: Products Settings,Home Page is Products,የመነሻ ገጽ ምርቶች ነው apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,ጥሪዎች @@ -5053,7 +5080,6 @@ DocType: Material Request,MAT-MR-.YYYY.-,ት-ማክ-ያህዌ- apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,ሰነዶችን በማምጣት ላይ ...... DocType: Delivery Stop,Contact Information,የመገኛ አድራሻ DocType: Sales Order Item,For Production,ለምርት -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,እባክዎ የመምህርውን ስም ስርዓትን በስርዓት> የትምህርት ቅንብሮች ያዋቅሩ DocType: Serial No,Asset Details,የንብረት ዝርዝሮች DocType: Restaurant Reservation,Reservation Time,ቦታ ማስያዣ ሰዓት DocType: Selling Settings,Default Territory,ነባሪ ታሪፍ @@ -5191,6 +5217,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,ጊዜያቸው ያልደረሱ ታች DocType: Shipping Rule,Shipping Rule Type,የመርከብ ደንብ ዓይነት DocType: Job Offer,Accepted,ተቀባይነት አግኝቷል +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","እባክህ ይህን ሰነድ ለመሰረዝ ሰራተኛውን {0} \ ሰርዝ" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,ለግምገማ መስፈርትዎ አስቀድመው ገምግመውታል {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,የቡድን ቁጥሮች ይምረጡ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),ዕድሜ (ቀኖች) @@ -5207,6 +5235,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,በሽያጭ ጊዜ ንጥሎችን ይስጡ. DocType: Payment Reconciliation Payment,Allocated Amount,የተመደበ ብዛት apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,እባክዎ ኩባንያ እና ዲዛይን ይምረጡ +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'ቀን' ያስፈልጋል DocType: Email Digest,Bank Credit Balance,የባንክ ብድር ሂሳብ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,የተደመረው መጠን አሳይ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,ለማስመለስ በቂ የታማኝነት ነጥቦች የሉዎትም @@ -5266,11 +5295,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,ባለፈው ረድፍ DocType: Student,Student Email Address,የተማሪ ኢሜይል አድራሻ DocType: Academic Term,Education,ትምህርት DocType: Supplier Quotation,Supplier Address,የአቅራቢ አድራሻ -DocType: Salary Component,Do not include in total,በአጠቃላይ አያካትቱ +DocType: Salary Detail,Do not include in total,በአጠቃላይ አያካትቱ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,የአንድ ኩባንያ ብዙ ንጥል ነባሪዎችን ማዘጋጀት አይቻልም. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} አይገኝም DocType: Purchase Receipt Item,Rejected Quantity,ውድቅ የተደረገ እ DocType: Cashier Closing,To TIme,ለ TIme +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: Daily Work Summary Group User,Daily Work Summary Group User,ዕለታዊ የጥናት ማጠቃለያ ቡድን ተጠቃሚ DocType: Fiscal Year Company,Fiscal Year Company,የፋይናንስ ዓመት ካምፓኒ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,ተለዋጭ ንጥል እንደ የንጥል ኮድ ተመሳሳይ መሆን የለበትም @@ -5380,7 +5410,6 @@ DocType: Fee Schedule,Send Payment Request Email,የክፍያ ጥያቄ ኤሜ DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,የሽያጭ ክፍያ ደረሰኞችን ካስቀመጡ በኋላ በቃላት ውስጥ ይታያሉ. DocType: Sales Invoice,Sales Team1,የሽያጭ ቡድን 1 DocType: Work Order,Required Items,አስፈላጊ ነገሮች -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","ልዩ ታሪኮች "-", "#", "." እና "/" በስም ዝርዝር ውስጥ አይፈቀድም" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,ERPNext Manual ን ያንብቡ DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,የዕቃ መጠየቂያ ቁጥርን ልዩ ማድረግ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,ንዑስ ንዑስ ዝግጅትዎችን ይፈልጉ @@ -5448,7 +5477,6 @@ DocType: Taxable Salary Slab,Percent Deduction,መቶኛ ተቀባዮች apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,ለምርት ማቀነሰያ ቁጥር ከዜሮ በታች መሆን አይችልም DocType: Share Balance,To No,ወደ አይደለም DocType: Leave Control Panel,Allocate Leaves,ቅጠሎችን ይመድቡ -DocType: Quiz,Last Attempt,የመጨረሻ ሙከራ DocType: Assessment Result,Student Name,የተማሪው ስም apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,ለጥገና ጉብኝቶችን ያቅዱ. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,የይዘት ጥያቄዎችን መከተል በንጥል ዳግም ትዕዛዝ ደረጃ መሰረት በራስ-ሰር ተነስቶ ነው @@ -5517,6 +5545,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,ጠቋሚ ቀለም DocType: Item Variant Settings,Copy Fields to Variant,መስኮችን ወደ ስሪት ይቅዱ DocType: Soil Texture,Sandy Loam,ሳንዲ ላማ +DocType: Question,Single Correct Answer,ነጠላ ትክክለኛ መልስ apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,ከቀን ቀን ከተቀጣሪው ቀን መቀነስ አይችልም DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,ከደንበኞች ግዢ ትእዛዝ ጋር ብዙ የሽያጭ ትዕዛዞችን ይፍቀዱ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5579,7 +5608,7 @@ DocType: Account,Expenses Included In Valuation,ዋጋዎች በግምገማ ው apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,ተከታታይ ቁጥሮች DocType: Salary Slip,Deductions,ቅናሾች ,Supplier-Wise Sales Analytics,አቅራቢ-ጥሩ የሽያጭ ትንታኔዎች -DocType: Quality Goal,February,የካቲት +DocType: GSTR 3B Report,February,የካቲት DocType: Appraisal,For Employee,ለተቀጣሪ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,ትክክለኛው የመላኪያ ቀን DocType: Sales Partner,Sales Partner Name,የሽያጭ አጋር ስም @@ -5675,7 +5704,6 @@ DocType: Procedure Prescription,Procedure Created,ሂደት ተፈጥሯል apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},ከአቅራቢዎች ደረሰኝ {0} ጋር የተገናኘ {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS የመልዕክት መለወጥ apps/erpnext/erpnext/utilities/activation.py,Create Lead,መሪ ይፍጠሩ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,አቅራቢ> አቅራቢ አይነት DocType: Shopify Settings,Default Customer,ነባሪ ደንበኛ DocType: Payment Entry Reference,Supplier Invoice No,የአቅራቢ ደረሰኝ ቁጥር DocType: Pricing Rule,Mixed Conditions,የተቀላቀለ ሁኔታዎች @@ -5726,12 +5754,14 @@ DocType: Item,End of Life,የሕይወት ፍጻሜ DocType: Lab Test Template,Sensitivity,ትብነት DocType: Territory,Territory Targets,የመሬት ግቦች apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",የመለያ ምደባ መዛግብቱ ቀድሞውኑ በእነሱ ላይ እንደሚኖሩ እንደመሆኑ ለሚከተሉት ሰራተኞች የመመደብ እረፍት ይለቃቅ. {0} +DocType: Quality Action Resolution,Quality Action Resolution,የጥራት እርምጃ እርምጃ DocType: Sales Invoice Item,Delivered By Supplier,በአቅራቢ ተሰጥቷል DocType: Agriculture Analysis Criteria,Plant Analysis,የአትክልት ትንታኔ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},የወጪ ንጥል ለንጥል {0} የግዴታ ግዴታ ነው ,Subcontracted Raw Materials To Be Transferred,የተረከባቸው ጥሬ እቃዎች ይተላለፋሉ DocType: Cashier Closing,Cashier Closing,ገንዘብ ተቀባይ መዝጊያ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,ንጥል {0} አስቀድሞ ተመልሷል +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,ልክ ያልሆነ GSTIN! ያስገቡ ያስገቡ ግብዓት ለ UIN Holders ወይም ለነባር ነዋሪ ያልሆኑ OIDAR አገልግሎት አቅራቢዎች ከ GSTIN ቅርጸት ጋር አይመሳሰልም apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,ለዚህ የመጋዘን ማከማቻ የልጅ መጋዘን ይገኛል. ይህንን መጋዘን መሰረዝ አይችሉም. DocType: Diagnosis,Diagnosis,ምርመራ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},በ {0} እና በ {1} መካከል የጊዜ እረፍት የለም @@ -5748,6 +5778,7 @@ DocType: QuickBooks Migrator,Authorization Settings,የፈቀዳ ቅንብሮች DocType: Homepage,Products,ምርቶች ,Profit and Loss Statement,የትርፍና ኪሳራ መግለጫ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Rooms Booked +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},ከንጥሉ ቁጥር {0} እና አምራች ጋር {1} ላይ ያለ ግቤት ያባዙ DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,ጠቅላላ ክብደት apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,ጉዞ @@ -5794,6 +5825,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,ነባሪ የቡድን ቡድን DocType: Journal Entry Account,Debit in Company Currency,በካፒታል ልውውጥ ውስጥ ዕዳ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",የወደፊቱ ተከታታይ "SO-WOO-" ነው. +DocType: Quality Meeting Agenda,Quality Meeting Agenda,የጥራት ስብሰባ አጀንዳ DocType: Cash Flow Mapper,Section Header,የክፍል ርእስ apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,የእርስዎ ምርቶች ወይም አገልግሎቶች DocType: Crop,Perennial,የብዙ ዓመት @@ -5839,7 +5871,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","የሚሸጥ, የሚሸጥ ወይም የተከማቸበት ምርት ወይም አገልግሎት." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),መዝጊያ (መከፈቻ + ጠቅላላ) DocType: Supplier Scorecard Criteria,Criteria Formula,የመስፈርት ቀመር -,Support Analytics,ትንታኔዎችን ያግዙ +apps/erpnext/erpnext/config/support.py,Support Analytics,ትንታኔዎችን ያግዙ apps/erpnext/erpnext/config/quality_management.py,Review and Action,ግምገማ እና እርምጃ DocType: Account,"If the account is frozen, entries are allowed to restricted users.","መለያው በረዶ ከሆነ, ግቤቶች ለተገደቡ ተጠቃሚዎች ይፈቀዳሉ." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,ከአበበ ከዋለ በኋላ ያለው መጠን @@ -5884,7 +5916,6 @@ DocType: Contract Template,Contract Terms and Conditions,የውል ስምምነ apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ውሂብ ማውጣት DocType: Stock Settings,Default Item Group,የነባሪ ንጥል ቡድን DocType: Sales Invoice Timesheet,Billing Hours,የክፍያ ሰዓቶች -DocType: Item,Item Code for Suppliers,ለአቅራቢዎች የንጥል ህግ apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},መተግበሪያ {0} ተወግዶ የተያዘው በተማሪው ላይ ነው {1} DocType: Pricing Rule,Margin Type,የማዳበሪያ ዓይነት DocType: Purchase Invoice Item,Rejected Serial No,ስምምነቱን ውድቅ ተደርጓል @@ -5957,6 +5988,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,ቅጠሎች በተሳካ ሁኔታ ተሰጥተዋል DocType: Loyalty Point Entry,Expiry Date,የአገልግሎት ማብቂያ ጊዜ DocType: Project Task,Working,በመስራት ላይ +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} አስቀድሞ የወላጅ አሠራር {1} አለው. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,ይህ ማለት ከዚህ ታካሚ ጋር በሚደረጉ ልውውጦች ላይ የተመሠረተ ነው. ለዝርዝሮች ከታች ያለውን የጊዜ መስመር ይመልከቱ DocType: Material Request,Requested For,የተጠየቀው ለ DocType: SMS Center,All Sales Person,ሁሉም የሽያጭ ሰው @@ -6043,6 +6075,7 @@ DocType: Loan Type,Maximum Loan Amount,ከፍተኛ የብድር መጠን apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,ኢሜል በነባሪ እውቂያ አልተገኘም DocType: Hotel Room Reservation,Booked,ተይዟል DocType: Maintenance Visit,Partially Completed,በከፊል ተጠናቅቋል +DocType: Quality Procedure Process,Process Description,ሂደት መግለጫ DocType: Company,Default Employee Advance Account,ነባሪ የሠራተኛ የቅድሚያ ተቀናሽ ሂሳብ DocType: Leave Type,Allow Negative Balance,አሉታዊ ሚዛንን ፍቀድ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,የግምገማ ዕቅድ ስም @@ -6083,6 +6116,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,የጥቅስ ንጥል መጠየቂያ apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} በሁለት ቀረጥ ግብር ውስጥ ሁለት ጊዜ አስገብተዋል DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,በተመረጠው የደመወዝ ቀን ውስጥ ሙሉ ታክስን አጥፋ +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,የመጨረሻው የካርቦን ፍተሻ የወደፊት ቀን ሊሆን አይችልም apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,የለውጥ መጠን መለያ ይምረጡ DocType: Support Settings,Forum Posts,ፎረም ልጥፎች DocType: Timesheet Detail,Expected Hrs,የሚጠበቁ ሰዓታት @@ -6092,7 +6126,7 @@ DocType: Program Enrollment Tool,Enroll Students,ተማሪዎች ይመዝገቡ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,የደንበኛ ገቢን ይድገሙ DocType: Company,Date of Commencement,የመጀመርያው ቀን DocType: Bank,Bank Name,የባንክ ስም -DocType: Quality Goal,December,ታህሳስ +DocType: GSTR 3B Report,December,ታህሳስ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,ልክ ቀን ከፀደቀ ልክ ወቅታዊ ካለው ቀን ያነሰ መሆን አለበት apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,ይህ በዚህ ተቀጣሪ ላይ ተገኝቷል DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","ከተመረጠ, መነሻ ገጽ ለድር ጣቢያው የነባሪ ንጥል ቡድን ይሆናል" @@ -6135,6 +6169,7 @@ DocType: Payment Entry,Payment Type,የክፍያ አይነት apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,የፎቶ ቁጥሮች አይዛመዱም DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-yYYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},የጥራት ቁጥጥር: {0} ለንጥሉ አልገባም: {1} በረድፍ {2} ውስጥ +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},አሳይ {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} ንጥል ተገኝቷል. ,Stock Ageing,የአሮጌ እቃዎች DocType: Customer Group,Mention if non-standard receivable account applicable,መደበኛ ያልሆነ ተከፋይ ሂሳብ የሚተገበር ከሆነ @@ -6408,6 +6443,7 @@ DocType: Travel Request,Costing,ወጪ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,ቋሚ ንብረት DocType: Purchase Order,Ref SQ,Ref QQ DocType: Salary Structure,Total Earning,ጠቅላላ ገቢ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ደንበኛ> የሽያጭ ቡድን> ግዛት DocType: Share Balance,From No,ከ DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,የክፍያ ማስታረቅ ደረሰኝ DocType: Purchase Invoice,Taxes and Charges Added,ግብሮችን እና ክፍያዎች ተጨምረዋል @@ -6415,7 +6451,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,ለግብር ወ DocType: Authorization Rule,Authorized Value,የተፈቀደ እሴት apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,ከ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,መጋዘን {0} የለም +DocType: Item Manufacturer,Item Manufacturer,የንጥል አምራች DocType: Sales Invoice,Sales Team,የሽያጭ ቡድን +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,መጠቅለያ ቁጥር DocType: Purchase Order Item Supplied,Stock UOM,የአክሲዮም UOM DocType: Installation Note,Installation Date,የተጫነበት ቀን DocType: Email Digest,New Quotations,አዲስ ጭብጦች @@ -6479,7 +6517,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,የበዓል ዝርዝር ስም DocType: Water Analysis,Collection Temperature ,የክምችት ሙቀት DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,ለታካሚ መገኘት ቀጠሮ ማስያዝ ደረሰኝ ያስተዳድሩ እና ያስተላልፉ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,እባክዎን በቅንብል> ቅንጅቶች> የስም ዝርዝር ስሞች በኩል ለ {0} የስም ቅጥያዎችን ያዘጋጁ DocType: Employee Benefit Claim,Claim Date,የይገባኛል ጥያቄ ቀን DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,አቅራቢው ዘግይቶ ከተወሰነ ባዶ ይተው apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,በቀን መገኘት እና በቀን ውስጥ መገኘት ግዴታ ነው @@ -6490,6 +6527,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,የጡረታ ቀን apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,እባክዎ ታካሚን ይምረጡ DocType: Asset,Straight Line,ቀጥተኛ መስመር +DocType: Quality Action,Resolutions,ውሳኔዎች DocType: SMS Log,No of Sent SMS,የተላከ አጭር የስልክ መልዕክት ,GST Itemised Sales Register,የ GST የቀረቡ የሽያጭ መመዝገቢያ መዝገብ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,የጠቅላላ የቅድመ ክፍያ መጠን ከማዕቀዛት ጠቅላላ መጠን በላይ ሊሆን አይችልም @@ -6599,7 +6637,7 @@ DocType: Account,Profit and Loss,ትርፍና ኪሳራ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,ልዩነት DocType: Asset Finance Book,Written Down Value,የጽሑፍ እሴት ዋጋ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,የመክፈቻ ሚዛን ፍትሃዊነት -DocType: Quality Goal,April,ሚያዚያ +DocType: GSTR 3B Report,April,ሚያዚያ DocType: Supplier,Credit Limit,የብድር ወሰን apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,ስርጭት apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6654,6 +6692,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ከ ERPNext ጋር ግዢን ያገናኙ DocType: Homepage Section Card,Subtitle,ንኡስ ርእስ DocType: Soil Texture,Loam,ፈገግታ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,አቅራቢ> አቅራቢ አይነት DocType: BOM,Scrap Material Cost(Company Currency),የተረፈ ቁሳቁስ ወጪ (የኩባንያው የገንዘብ ምንዛሬ) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,የማድረስ የማሳወቂያ ማስታወሻ {0} መቅረብ የለበትም DocType: Task,Actual Start Date (via Time Sheet),ትክክለኛው የመጀመሪያ ቀን (በጊዜ ዝርዝር) @@ -6709,7 +6748,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,የመመገቢያ DocType: Cheque Print Template,Starting position from top edge,ከከጡ ጠርዝ አጀማመርን ጀምር apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),የቀጠሮ ጊዜ (ደቂቃ) -DocType: Pricing Rule,Disable,አሰናክል +DocType: Accounting Dimension,Disable,አሰናክል DocType: Email Digest,Purchase Orders to Receive,ለመቀበል የግዢ ትዕዛዞች apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,የምርት ትዕዛዞችን ለሚከተሉት መንቀል አይችልም: DocType: Projects Settings,Ignore Employee Time Overlap,የሰራተኛ ጊዜ መድገም መተው @@ -6793,6 +6832,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,የግ DocType: Item Attribute,Numeric Values,ቁጥራዊ እሴቶች DocType: Delivery Note,Instructions,መመሪያዎች DocType: Blanket Order Item,Blanket Order Item,የበኒየዝ ትዕዛዝ ንጥል +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,ለትርፍ እና ኪሳራ መለያ አስገዳጅ apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,የኮሚሽ ተመን ከ 100 በላይ መሆን አይችልም DocType: Course Topic,Course Topic,የትምህርት ርዕስ DocType: Employee,This will restrict user access to other employee records,ይሄ የሌሎች የሰራተኞች መዝገቦች የተጠቃሚ መዳረሻን ይገድባል @@ -6817,12 +6857,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,የምዝገ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,ደንበኞችን ያግኙ ከ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} አጭር መግለጫ DocType: Employee,Reports to,ሪፖርቶች +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,የፓርቲ መለያ DocType: Assessment Plan,Schedule,መርሐግብር apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,እባክዎ ይግቡ DocType: Lead,Channel Partner,ሰርጥ ፓርትነር apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,የተቆረጠለት መጠን DocType: Project,From Template,ከቅንብር +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,ምዝገባዎች apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,የሚወጣው ብዛት DocType: Quality Review Table,Achieved,ተሳክቷል @@ -6869,7 +6911,6 @@ DocType: Journal Entry,Subscription Section,የምዝገባ ክፍል DocType: Salary Slip,Payment Days,የክፍያ ቀናቶች apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,የፈቃደኛ መረጃ. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,«ከዕድሜ በላይ የሆኑ እቃዎችን የቆሸሸ» ከ% d ቀኖች ያነሰ መሆን አለበት. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,የበጀት ዓመት ይምረጡ DocType: Bank Reconciliation,Total Amount,አጠቃላይ ድምሩ DocType: Certification Application,Non Profit,ለትርፍ ያልተቋቋመ DocType: Subscription Settings,Cancel Invoice After Grace Period,ከግድግዳ ጊዜ በኋላ የተቆረጠ ክፍያ መጠየቂያ ካርዱን ሰርዝ @@ -6882,7 +6923,6 @@ DocType: Serial No,Warranty Period (Days),የዋስትና ጊዜ (ቀናት) DocType: Expense Claim Detail,Expense Claim Detail,የወጪ ማሳሰቢያ ዝርዝር apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,ፕሮግራም: DocType: Patient Medical Record,Patient Medical Record,ታካሚ የሕክምና መዝገብ -DocType: Quality Action,Action Description,የእርምጃ መግለጫ DocType: Item,Variant Based On,በመነሻ ላይ ልዩነት DocType: Vehicle Service,Brake Oil,የፍሬን ዘይት DocType: Employee,Create User,ተጠቃሚ ፍጠር @@ -6937,7 +6977,7 @@ DocType: Cash Flow Mapper,Section Name,የክፍል ስም DocType: Packed Item,Packed Item,የታሸገ እቃ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: ለ {2} የሂሳብ ማስያዣ ወይም የብድር መጠን ያስፈልጋል { apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,ደመወዝ መጨመር ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,ምንም እርምጃ የለም +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,ምንም እርምጃ የለም apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","በጀቱ {0} ላይ አይከፈለም, የገቢ ወይም የወጪ ሒሳብ ስላልሆነ" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,ማስተሮች እና አካውንት DocType: Quality Procedure Table,Responsible Individual,ኃላፊነት ያለበት ግለሰብ @@ -7060,7 +7100,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,በህፃናት ሆስፒታል ላይ የመለያ ፈጠራን ይፍቀዱ DocType: Payment Entry,Company Bank Account,የኩባንያ ባንክ ሂሳብ DocType: Amazon MWS Settings,UK,ዩኬ -DocType: Quality Procedure,Procedure Steps,የአሠራር ሂደት DocType: Normal Test Items,Normal Test Items,መደበኛ የተሞሉ ንጥሎች apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,ንጥል {0}: የታዘዘ qty {1} ከዝቅተኛ ቅደም-ተከተል qty {2} (በንጥል ላይ የተቀመጠ) ሊያንስ አይችልም. apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,በማከማቻ ውስጥ የለም @@ -7139,7 +7178,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,ትንታኔዎች DocType: Maintenance Team Member,Maintenance Role,የጥገና ሚና apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,የአጠቃቀም ደንቦች እና ሁኔታዎች DocType: Fee Schedule Program,Fee Schedule Program,የክፍያ መርሐግብር ፕሮግራም -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,ኮርስ {0} የለም. DocType: Project Task,Make Timesheet,የሰዓት ሰንጠረዥ ይስሩ DocType: Production Plan Item,Production Plan Item,የምርት ዕቅድ ዕቃ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,ጠቅላላ ተማሪ @@ -7161,6 +7199,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,ማጠራቀሚያ apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,አባልነትዎ በ 30 ቀናት ውስጥ የሚያልቅ ከሆነ ብቻ መታደስ የሚችሉት apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},እሴት በ {0} እና በ {1} መካከል መሆን አለበት +DocType: Quality Feedback,Parameters,ልኬቶች ,Sales Partner Transaction Summary,የሽያጭ ደንበኛ ግብይት ማጠቃለያ DocType: Asset Maintenance,Maintenance Manager Name,የጥገና አስተዳዳሪ ስም apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,የዝርዝር ዝርዝሮችን ለማግኘት አስፈላጊ ነው. @@ -7199,6 +7238,7 @@ DocType: Student Admission,Student Admission,የተማሪ መግቢያ DocType: Designation Skill,Skill,ችሎታ DocType: Budget Account,Budget Account,የበጀት መለያ DocType: Employee Transfer,Create New Employee Id,አዲስ የተቀጣሪ መለያ ይፍጠሩ +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} ለ 'Profit and Loss' መለያ {1} ያስፈልጋል. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),የሸቀጥ እና የአገልግሎት ግብር (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,የደመወዝ ወረቀቶችን በመፍጠር ... DocType: Employee Skill,Employee Skill,የሰራተኛ ችሎታ @@ -7298,6 +7338,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,ደረሰኝ DocType: Subscription,Days Until Due,እስከሚደርስ ድረስ apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,አሳይ ተጠናቅቋል apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,የባንክ ማብራሪያ መግለጫ የግብአት ግቤት ሪፖርት +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ባንክ ዲንኤሎች apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ረድፍ # {0}: ደረጃው እንደ {1} ነው: {2} ({3} / {4}) ነው DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-yYYYY.- DocType: Healthcare Settings,Healthcare Service Items,የጤና እንክብካቤ አገልግሎት እቃዎች @@ -7353,6 +7394,7 @@ DocType: Item Variant,Item Variant,የንጥል ልዩነት DocType: Training Event Employee,Invited,ተጋብዘዋል apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,ለሂሳብ መጠን apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","ለ {0}, ሌላ የብድር ግብይት ላይ ብቻ የዱቤ መለያዎች ሊገናኙ ይችላሉ" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,ልኬቶችን በመፍጠር ላይ ... DocType: Bank Statement Transaction Entry,Payable Account,ሊከፈል የሚችል መለያ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,እባክዎን የሚጠይቁት ጉብኝቶችዎን አይግለፁ DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,የ "Cash Flow Mapper" ሰነዶችን ካዘጋጁ ብቻ ይምረጡ @@ -7370,6 +7412,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,የምስል ሰዓት DocType: Grading Scale Interval,Grade Description,የደረጃ መግለጫ DocType: Homepage Section,Cards,ካርዶች +DocType: Quality Meeting Minutes,Quality Meeting Minutes,የጥራት ስብሰባዎች ደቂቃዎች DocType: Linked Plant Analysis,Linked Plant Analysis,የተገናኘ የአትክልት ትንታኔ apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,የአገልግሎት ቀን ማብቂያ ቀን የአገልግሎት ማብቂያ ቀን መሆን አይችልም apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,እባክዎ በ GST ቅንብሮች ውስጥ B2C ወሰን ያዘጋጁ. @@ -7404,7 +7447,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,የሰራተኞች DocType: Employee,Educational Qualification,የትምህርት ደረጃ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,ሊደረስ የሚችል እሴት apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},የናሙና ብዛት {0} ከተላከ በላይ መሆን አይሆንም {1} -DocType: Quiz,Last Highest Score,የመጨረሻው ከፍተኛ ውጤት DocType: POS Profile,Taxes and Charges,ግብሮችን እና ክፍያዎች DocType: Opportunity,Contact Mobile No,ተንቀሳቃሽ ስልክ ቁጥር ይገናኙ DocType: Employee,Joining Details,ዝርዝሮችን በመቀላቀል ላይ diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index 23ebcccba5..b0628aebad 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,رقم الجزء الخا DocType: Journal Entry Account,Party Balance,ميزان الحزب apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),مصدر الأموال (الخصوم) DocType: Payroll Period,Taxable Salary Slabs,ألواح الرواتب الخاضعة للضريبة +DocType: Quality Action,Quality Feedback,ردود فعل الجودة DocType: Support Settings,Support Settings,إعدادات الدعم apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,الرجاء إدخال عنصر الإنتاج أولاً DocType: Quiz,Grading Basis,أساس الدرجات @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,المزيد م DocType: Salary Component,Earning,كسب DocType: Restaurant Order Entry,Click Enter To Add,انقر فوق Enter للإضافة DocType: Employee Group,Employee Group,مجموعة الموظفين +DocType: Quality Procedure,Processes,العمليات DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,حدد سعر الصرف لتحويل عملة إلى عملة أخرى apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,الشيخوخة المدى 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},المستودع المطلوب للسهم Item {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,شكوى DocType: Shipping Rule,Restrict to Countries,يقتصر على البلدان DocType: Hub Tracked Item,Item Manager,مدير البند apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},يجب أن تكون عملة الحساب الختامي {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,الميزانيات apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,فتح فاتورة البند DocType: Work Order,Plan material for sub-assemblies,خطة المواد للتجمعات الفرعية apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,المعدات DocType: Budget,Action if Annual Budget Exceeded on MR,الإجراء إذا تم تجاوز الميزانية السنوية على MR DocType: Sales Invoice Advance,Advance Amount,المبلغ مقدما +DocType: Accounting Dimension,Dimension Name,اسم البعد DocType: Delivery Note Item,Against Sales Invoice Item,مقابل بند فاتورة المبيعات DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,تشمل البند في التصنيع @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,ماذا تعم ,Sales Invoice Trends,اتجاهات فاتورة المبيعات DocType: Bank Reconciliation,Payment Entries,إدخالات الدفع DocType: Employee Education,Class / Percentage,الطبقة / النسبة المئوية -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,كود الصنف> مجموعة الصنف> العلامة التجارية ,Electronic Invoice Register,تسجيل الفاتورة الإلكترونية DocType: Sales Invoice,Is Return (Credit Note),هو العائد (ملاحظة الائتمان) DocType: Lab Test Sample,Lab Test Sample,عينة اختبار مختبر @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,المتغيرات apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",سيتم توزيع الرسوم على أساس الكمية الكمية أو المبلغ ، حسب اختيارك apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,الأنشطة المعلقة لهذا اليوم +DocType: Quality Procedure Process,Quality Procedure Process,عملية إجراءات الجودة DocType: Fee Schedule Program,Student Batch,دفعة الطالب apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},معدل التقييم مطلوب للبند في الصف {0} DocType: BOM Operation,Base Hour Rate(Company Currency),سعر الساعة الأساسي (عملة الشركة) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,قم بتعيين الكمية في المعاملات بناءً على المسلسل بلا إدخال apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},يجب أن تكون عملة الحساب المسبق هي نفس عملة الشركة {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,تخصيص أقسام الصفحة الرئيسية -DocType: Quality Goal,October,شهر اكتوبر +DocType: GSTR 3B Report,October,شهر اكتوبر DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,إخفاء معرف العميل الضريبي من معاملات المبيعات apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN غير صالح! يجب أن يحتوي GSTIN على 15 حرفًا. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,يتم تحديث قاعدة التسعير {0} @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,رصيد الاجازات apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},جدول الصيانة {0} موجود مقابل {1} DocType: Assessment Plan,Supervisor Name,اسم المشرف DocType: Selling Settings,Campaign Naming By,تسمية الحملة بواسطة -DocType: Course,Course Code,رمز المقرر +DocType: Student Group Creation Tool Course,Course Code,رمز المقرر apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,الفضاء DocType: Landed Cost Voucher,Distribute Charges Based On,توزيع الرسوم بناء على DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,المورد سجل النتائج القياسية @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,قائمة المطاعم DocType: Asset Movement,Purpose,غرض apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,تعيين هيكل الراتب للموظف موجود بالفعل DocType: Clinical Procedure,Service Unit,وحدة الخدمة -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,العملاء> مجموعة العملاء> الإقليم DocType: Travel Request,Identification Document Number,رقم وثيقة الهوية DocType: Stock Entry,Additional Costs,تكاليف اضافية -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",دورة الوالدين (اتركها فارغة ، إذا لم يكن ذلك جزءًا من دورة الوالدين) DocType: Employee Education,Employee Education,تعليم الموظف apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,لا يمكن أن يكون عدد الوظائف أقل من عدد الموظفين الحالي apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,جميع مجموعات العملاء @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,الصف {0}: الكمية إلزامية DocType: Sales Invoice,Against Income Account,ضد حساب الدخل apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},الصف # {0}: لا يمكن إجراء فاتورة الشراء مقابل أصل موجود {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,قواعد تطبيق المخططات الترويجية المختلفة. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},عامل تشفير UOM مطلوب لـ UOM: {0} في العنصر: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},الرجاء إدخال الكمية للعنصر {0} DocType: Workstation,Electricity Cost,تكلفة الكهرباء @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,مجموع الكمية المتوقعة apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,تاريخ البدء الفعلي apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,أنت غير موجود طوال اليوم (أيام) بين أيام طلب الإجازة التعويضية -DocType: Company,About the Company,عن الشركة apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,شجرة الحسابات المالية. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,الدخل غير المباشر DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,حجز غرفة فندق البند @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,قاعدة DocType: Skill,Skill Name,اسم المهارة apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,طباعة بطاقة تقرير DocType: Soil Texture,Ternary Plot,مؤامرة ثلاثية +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,تذاكر الدعم الفني DocType: Asset Category Account,Fixed Asset Account,حساب الأصول الثابتة apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,آخر @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,دورة التحا ,IRS 1099,مصلحة الضرائب 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,يرجى ضبط السلسلة لاستخدامها. DocType: Delivery Trip,Distance UOM,المسافة UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,إلزامي للميزانية العمومية DocType: Payment Entry,Total Allocated Amount,المبلغ الإجمالي المخصص DocType: Sales Invoice,Get Advances Received,الحصول على السلف المستلمة DocType: Student,B-,ب- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,جدول الصيا apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,مطلوب POS الشخصي لجعل POS Entry DocType: Education Settings,Enable LMS,تمكين LMS DocType: POS Closing Voucher,Sales Invoices Summary,ملخص فواتير المبيعات +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,فائدة apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,يجب أن يكون رصيد الحساب حسابًا للميزانية العمومية DocType: Video,Duration,المدة الزمنية DocType: Lab Test Template,Descriptive,وصفي @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,بداية ونهاية التواريخ DocType: Supplier Scorecard,Notify Employee,إخطار الموظف apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,البرمجيات +DocType: Program,Allow Self Enroll,السماح للالتحاق الذاتي apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,مصاريف الأسهم apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,المرجع رقم إلزامي إذا أدخلت تاريخ المرجع DocType: Training Event,Workshop,ورشة عمل @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,قالب اختبار المعمل apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},الحد الأقصى: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,الفواتير الإلكترونية معلومات مفقودة apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,لم يتم إنشاء طلب مادة +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,كود الصنف> مجموعة الصنف> العلامة التجارية DocType: Loan,Total Amount Paid,المبلغ الإجمالي المدفوع apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,تم بالفعل تحرير كل هذه العناصر DocType: Training Event,Trainer Name,اسم المدرب @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,السنة الأكاديمية DocType: Sales Stage,Stage Name,اسم المرحلة DocType: SMS Center,All Employee (Active),جميع الموظفين (نشط) +DocType: Accounting Dimension,Accounting Dimension,البعد المحاسبي DocType: Project,Customer Details,تفاصيل العميل DocType: Buying Settings,Default Supplier Group,مجموعة الموردين الافتراضية apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,يرجى إلغاء إيصال الشراء {0} أولاً @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority",كلما زاد DocType: Designation,Required Skills,المهارات المطلوبة DocType: Marketplace Settings,Disable Marketplace,تعطيل السوق DocType: Budget,Action if Annual Budget Exceeded on Actual,الإجراء إذا تم تجاوز الميزانية السنوية في الواقع -DocType: Course,Course Abbreviation,اختصار بالطبع apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,لم يتم تقديم الحضور لـ {0} كـ {1} في إجازة. DocType: Pricing Rule,Promotional Scheme Id,معرف المخطط الترويجي apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},لا يمكن أن يكون تاريخ انتهاء المهمة {0} أكبر من {1} تاريخ الانتهاء المتوقع {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,الهامش المال DocType: Chapter,Chapter,الفصل DocType: Purchase Receipt Item Supplied,Current Stock,المخزون الحالي DocType: Employee,History In Company,التاريخ في الشركة -DocType: Item,Manufacturer,الصانع +DocType: Purchase Invoice Item,Manufacturer,الصانع apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,حساسية معتدلة DocType: Compensatory Leave Request,Leave Allocation,اترك التخصيص DocType: Timesheet,Timesheet,ورقة التوقيت @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,نقل المواد DocType: Products Settings,Hide Variants,إخفاء المتغيرات DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,تعطيل تخطيط القدرات وتتبع الوقت DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* سيتم احتسابها في المعاملة. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} مطلوب لحساب "الميزانية العمومية" {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} غير مسموح بالتعامل مع {1}. يرجى تغيير الشركة. 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} DocType: Delivery Trip,Delivery Details,تفاصيل التسليم @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,السابق apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,وحدة القياس DocType: Lab Test,Test Template,قالب الاختبار DocType: Fertilizer,Fertilizer Contents,محتويات الأسمدة -apps/erpnext/erpnext/utilities/user_progress.py,Minute,اللحظة +DocType: Quality Meeting Minutes,Minute,اللحظة apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",الصف # {0}: لا يمكن إرسال الأصل {1} ، إنه بالفعل {2} DocType: Task,Actual Time (in Hours),الوقت الفعلي (بالساعات) DocType: Period Closing Voucher,Closing Account Head,إغلاق حساب رئيس @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,مختبر DocType: Purchase Order,To Bill,على فاتورة apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,نفقات المرافق العامة DocType: Manufacturing Settings,Time Between Operations (in mins),الوقت بين العمليات (بالدقائق) -DocType: Quality Goal,May,قد +DocType: GSTR 3B Report,May,قد apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",لم يتم إنشاء حساب بوابة الدفع ، يرجى إنشاء حساب يدويًا. DocType: Opening Invoice Creation Tool,Purchase,شراء DocType: Program Enrollment,School House,مدرسة البيت @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,معلومات قانونية ومعلومات عامة أخرى عن المورد الخاص بك DocType: Item Default,Default Selling Cost Center,مركز تكلفة البيع الافتراضي DocType: Sales Partner,Address & Contacts,العنوان وجهات الاتصال +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عبر الإعداد> سلسلة الترقيم DocType: Subscriber,Subscriber,مكتتب apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) غير متوفر apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,الرجاء تحديد تاريخ النشر أولاً @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,رسوم زيارة ال DocType: Bank Statement Settings,Transaction Data Mapping,تعيين بيانات المعاملات apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,يتطلب العميل المتوقع اسم شخص أو اسم مؤسسة DocType: Student,Guardians,أولياء الأمور +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,يرجى إعداد نظام تسمية المدرب في التعليم> إعدادات التعليم apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,اختر العلامة التجارية ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,الدخل المتوسط DocType: Shipping Rule,Calculate Based On,حساب بناء على @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,حساب المطالبة DocType: Purchase Invoice,Rounding Adjustment (Company Currency),ضبط التقريب (عملة الشركة) DocType: Item,Publish in Hub,نشر في المحور apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,أغسطس +DocType: GSTR 3B Report,August,أغسطس apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,الرجاء إدخال إيصال الشراء أولاً apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,سنة البدء apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),استهداف ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,ماكس عينة الكمية apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,يجب أن يكون المصدر والمستودع المستهدف مختلفين DocType: Employee Benefit Application,Benefits Applied,الفوائد المطبقة apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,مقابل إدخال دفتر اليومية {0} لا يحتوي على أي إدخال {1} لا مثيل له +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",الأحرف الخاصة باستثناء "-" ، "#" ، "." ، "/" ، "{" و "}" غير مسموح في سلسلة التسمية apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,ألواح سعر الخصم أو المنتج مطلوبة apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ضع هدفا apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},سجل الحضور {0} موجود ضد الطالب {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,كل شهر DocType: Routing,Routing Name,اسم التوجيه DocType: Disease,Common Name,اسم شائع -DocType: Quality Goal,Measurable,قابل للقياس DocType: Education Settings,LMS Title,LMS العنوان apps/erpnext/erpnext/config/non_profit.py,Loan Management,إدارة القروض -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,تحليلات الدعم DocType: Clinical Procedure,Consumable Total Amount,المبلغ الإجمالي المستهلكة apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,تمكين القالب apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,LPO العملاء @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,خدم DocType: Loan,Member,عضو DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,جدول وحدة خدمة ممارس apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,تحويلة كهربية بالسلك +DocType: Quality Review Objective,Quality Review Objective,هدف مراجعة الجودة DocType: Bank Reconciliation Detail,Against Account,ضد الحساب DocType: Projects Settings,Projects Settings,إعدادات المشاريع apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},الكمية الفعلية {0} / انتظار الكمية {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,ر apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,يجب أن يكون تاريخ انتهاء السنة المالية بعد سنة واحدة من تاريخ بدء السنة المالية apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,تذكير اليومية DocType: Item,Default Sales Unit of Measure,وحدة المبيعات الافتراضية للقياس +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,شركة GSTIN DocType: Asset Finance Book,Rate of Depreciation,معدل الاستهلاك DocType: Support Search Source,Post Description Key,وظيفة وصف المفتاح DocType: Loyalty Program Collection,Minimum Total Spent,الحد الأدنى من إجمالي الإنفاق @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,غير مسموح بتغيير مجموعة العملاء للعميل المحدد. DocType: Serial No,Creation Document Type,إنشاء وثيقة نوع DocType: Sales Invoice Item,Available Batch Qty at Warehouse,الكمية المتوفرة في المستودع +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,الفاتورة الكبرى المجموع apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,هذه منطقة جذر ولا يمكن تحريرها. DocType: Patient,Surgical History,التاريخ الجراحي apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,شجرة إجراءات الجودة. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,تحقق هذا إذا كنت تريد أن تظهر في الموقع apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,السنة المالية {0} غير موجودة DocType: Bank Statement Settings,Bank Statement Settings,إعدادات كشف الحساب البنكي +DocType: Quality Procedure Process,Link existing Quality Procedure.,ربط إجراءات الجودة الحالية. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,استيراد الرسم البياني للحسابات من ملفات CSV / Excel DocType: Appraisal Goal,Score (0-5),النتيجة (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,تم تحديد السمة {0} عدة مرات في جدول السمات DocType: Purchase Invoice,Debit Note Issued,مذكرة الخصم الصادرة @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,ترك تفاصيل السياسة apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,مستودع غير موجود في النظام DocType: Healthcare Practitioner,OP Consulting Charge,المسؤول الاستشاري OP -DocType: Quality Goal,Measurable Goal,هدف قابل للقياس DocType: Bank Statement Transaction Payment Item,Invoices,الفواتير DocType: Currency Exchange,Currency Exchange,تحويل العملات DocType: Payroll Entry,Fortnightly,مرة كل اسبوعين @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} غير مقدم DocType: Work Order,Backflush raw materials from work-in-progress warehouse,ارتجاع المواد الخام من مستودع العمل الجاري DocType: Maintenance Team Member,Maintenance Team Member,عضو فريق الصيانة +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,إعداد أبعاد مخصصة للمحاسبة DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,الحد الأدنى للمسافة بين صفوف النباتات لتحقيق النمو الأمثل DocType: Employee Health Insurance,Health Insurance Name,اسم التأمين الصحي apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,الأصول المالية @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,اسم عنوان الفواتير apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,البند البديل DocType: Certification Application,Name of Applicant,اسم صاحب الطلب DocType: Leave Type,Earned Leave,مغادرة مستحقة -DocType: Quality Goal,June,يونيو +DocType: GSTR 3B Report,June,يونيو apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},الصف {0}: مركز التكلفة مطلوب لعنصر {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},يمكن الموافقة عليها من قبل {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,تم إدخال وحدة القياس {0} أكثر من مرة في جدول معامل التحويل @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,سعر البيع القياس apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},يرجى ضبط قائمة نشطة للمطعم {0} 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: Asset Finance Book,Asset Finance Book,كتاب الأصول المالية +DocType: Quality Goal Objective,Quality Goal Objective,هدف جودة الهدف DocType: Employee Transfer,Employee Transfer,نقل الموظف ,Sales Funnel,قمع المبيعات DocType: Agriculture Analysis Criteria,Water Analysis,تحليل المياه @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,نقل الملك apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,الأنشطة المعلقة apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,اذكر عدد قليل من عملائك يمكن أن يكونوا منظمات أو أفراد. DocType: Bank Guarantee,Bank Account Info,معلومات الحساب البنكي +DocType: Quality Goal,Weekday,يوم من أيام الأسبوع apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,الوصي 1 الاسم DocType: Salary Component,Variable Based On Taxable Salary,متغير على أساس الراتب الخاضع للضريبة DocType: Accounting Period,Accounting Period,فترة المحاسبة @@ -2229,7 +2245,7 @@ DocType: Purchase Invoice,Rounding Adjustment,التقريب التكيف DocType: Quality Review Table,Quality Review Table,جدول مراجعة الجودة DocType: Member,Membership Expiry Date,تاريخ انتهاء العضوية DocType: Asset Finance Book,Expected Value After Useful Life,القيمة المتوقعة بعد الحياة المفيدة -DocType: Quality Goal,November,شهر نوفمبر +DocType: GSTR 3B Report,November,شهر نوفمبر DocType: Loan Application,Rate of Interest,معدل الفائدة DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,عنصر دفع معاملة كشف حساب بنكي DocType: Restaurant Reservation,Waitlisted,على قائمة الانتظار @@ -2293,6 +2309,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}",الصف {0}: لتعيين {1} دورية ، يجب أن يكون الفرق بين التاريخ والحاضر \ أكبر من {2} أو يساويه DocType: Purchase Invoice Item,Valuation Rate,معدل التقييم DocType: Shopping Cart Settings,Default settings for Shopping Cart,الإعدادات الافتراضية لعربة التسوق +DocType: Quiz,Score out of 100,يسجل من 100 DocType: Manufacturing Settings,Capacity Planning,القدرة على التخطيط apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,اذهب إلى المدربين DocType: Activity Cost,Projects,مشاريع @@ -2302,6 +2319,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,من وقت apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,تقرير تفاصيل متغير +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,لشراء apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,لا تتم إضافة فتحات {0} إلى الجدول DocType: Target Detail,Target Distribution,التوزيع المستهدف @@ -2319,6 +2337,7 @@ DocType: Activity Cost,Activity Cost,تكلفة النشاط DocType: Journal Entry,Payment Order,أمر دفع apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,التسعير ,Item Delivery Date,تاريخ التسليم البند +DocType: Quality Goal,January-April-July-October,من يناير إلى أبريل ويوليو وأكتوبر DocType: Purchase Order Item,Warehouse and Reference,مستودع والمرجع apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,لا يمكن تحويل الحساب ذو العقد الفرعية إلى دفتر الأستاذ DocType: Soil Texture,Clay Composition (%),تكوين الطين (٪) @@ -2369,6 +2388,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,التواريخ ال apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,الصف {0}: يرجى ضبط طريقة الدفع في جدول الدفع apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,الفصل الدراسي: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,نوعية ردود الفعل المعلمة apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,يرجى اختيار تطبيق الخصم على apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,الصف # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,مجموع المدفوعات @@ -2411,7 +2431,7 @@ DocType: Hub Tracked Item,Hub Node,عقدة المحور apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,هوية الموظف DocType: Salary Structure Assignment,Salary Structure Assignment,تعيين هيكل الرواتب DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS إغلاق ضرائب القسيمة -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,العمل مهيأ +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,العمل مهيأ DocType: POS Profile,Applicable for Users,ينطبق على المستخدمين DocType: Training Event,Exam,امتحان apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,تم العثور على عدد غير صحيح من إدخالات دفتر الأستاذ العام. ربما تكون قد اخترت حسابًا خاطئًا في المعاملة. @@ -2518,6 +2538,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,خط الطول DocType: Accounts Settings,Determine Address Tax Category From,تحديد عنوان ضريبة الفئة من apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,تحديد صناع القرار +DocType: Stock Entry Detail,Reference Purchase Receipt,مرجع شراء إيصال apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,الحصول على الدعوات DocType: Tally Migration,Is Day Book Data Imported,يتم استيراد بيانات دفتر اليوم ,Sales Partners Commission,مبيعات شركاء لجنة @@ -2541,6 +2562,7 @@ DocType: Leave Type,Applicable After (Working Days),قابل للتطبيق بع DocType: Timesheet Detail,Hrs,ساعة DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,المورد سجل نتائج المعايير DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,نوعية ردود الفعل قالب المعلمة apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,يجب أن يكون تاريخ الانضمام أكبر من تاريخ الميلاد DocType: Bank Statement Transaction Invoice Item,Invoice Date,تاريخ الفاتورة DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,إنشاء اختبار (اختبارات) معملي على إرسال فاتورة المبيعات @@ -2647,7 +2669,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,الحد الأدنى DocType: Stock Entry,Source Warehouse Address,عنوان مستودع المصدر DocType: Compensatory Leave Request,Compensatory Leave Request,طلب إجازة تعويضية DocType: Lead,Mobile No.,رقم الموبايل. -DocType: Quality Goal,July,يوليو +DocType: GSTR 3B Report,July,يوليو apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,مؤهل ITC DocType: Fertilizer,Density (if liquid),الكثافة (إذا كانت سائلة) DocType: Employee,External Work History,تاريخ العمل الخارجي @@ -2724,6 +2746,7 @@ DocType: Certification Application,Certification Status,حالة الشهادة apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},موقع المصدر مطلوب للأصل {0} DocType: Employee,Encashment Date,تاريخ المسح apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,يرجى تحديد تاريخ الإنجاز لسجل صيانة الأصول المكتملة +DocType: Quiz,Latest Attempt,آخر محاولة DocType: Leave Block List,Allow Users,السماح للمستخدمين apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,جدول الحسابات apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,العميل إلزامي إذا تم اختيار "فرصة من" كعميل @@ -2788,7 +2811,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,إعداد سجل أ DocType: Amazon MWS Settings,Amazon MWS Settings,إعدادات أمازون MWS DocType: Program Enrollment,Walking,المشي DocType: SMS Log,Requested Numbers,الأرقام المطلوبة -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عبر الإعداد> سلسلة الترقيم DocType: Woocommerce Settings,Freight and Forwarding Account,حساب الشحن والشحن apps/erpnext/erpnext/accounts/party.py,Please select a Company,يرجى اختيار شركة apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,الصف {0}: {1} يجب أن يكون أكبر من 0 @@ -2858,7 +2880,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,فواتي DocType: Training Event,Seminar,ندوة apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),الائتمان ({0}) DocType: Payment Request,Subscription Plans,خطط الاشتراك -DocType: Quality Goal,March,مارس +DocType: GSTR 3B Report,March,مارس apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,انقسام الدفعة DocType: School House,House Name,اسم المنزل apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),لا يمكن أن يكون المبلغ المعلق لـ {0} أقل من الصفر ({1}) @@ -2921,7 +2943,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,تاريخ بدء التأمين DocType: Target Detail,Target Detail,الهدف التفاصيل DocType: Packing Slip,Net Weight UOM,الوزن الصافي -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: Purchase Invoice Item,Net Amount (Company Currency),صافي المبلغ (عملة الشركة) DocType: Bank Statement Transaction Settings Item,Mapped Data,البيانات المعينة apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,الأوراق المالية والودائع @@ -2971,6 +2992,7 @@ DocType: Cheque Print Template,Cheque Height,تحقق الارتفاع apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,الرجاء إدخال تاريخ التخفيف. DocType: Loyalty Program,Loyalty Program Help,مساعدة برنامج الولاء DocType: Journal Entry,Inter Company Journal Entry Reference,بين دخول مجلة الشركة +DocType: Quality Meeting,Agenda,جدول أعمال DocType: Quality Action,Corrective,تصحيحي apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,مجموعة من DocType: Bank Account,Address and Contact,العنوان والاتصال @@ -3024,7 +3046,7 @@ DocType: GL Entry,Credit Amount,مبلغ الائتمان apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,المبلغ الإجمالي المعتمد DocType: Support Search Source,Post Route Key List,وظيفة مفتاح الطريق قائمة apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} ليس في أي سنة مالية نشطة. -DocType: Quality Action Table,Problem,مشكلة +DocType: Quality Action Resolution,Problem,مشكلة DocType: Training Event,Conference,مؤتمر DocType: Mode of Payment Account,Mode of Payment Account,طريقة حساب الدفع DocType: Leave Encashment,Encashable days,أيام مغلف @@ -3150,7 +3172,7 @@ DocType: Item,"Purchase, Replenishment Details",شراء ، تفاصيل الت DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",بمجرد تعيينها ، ستكون هذه الفاتورة معلقة حتى الموعد المحدد apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,لا يمكن أن يوجد مخزون للعنصر {0} حيث أنه يحتوي على متغيرات DocType: Lab Test Template,Grouped,مجمعة -DocType: Quality Goal,January,كانون الثاني +DocType: GSTR 3B Report,January,كانون الثاني DocType: Course Assessment Criteria,Course Assessment Criteria,معايير تقييم المقرر DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,الكمية الكاملة @@ -3246,7 +3268,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,نوع وحد apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,الرجاء إدخال فاتورة على الأقل في الجدول apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,لم يتم تقديم أمر المبيعات {0} apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,تم وضع علامة على الحضور بنجاح. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,قبل المبيعات +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,قبل المبيعات apps/erpnext/erpnext/config/projects.py,Project master.,سيد المشروع. DocType: Daily Work Summary,Daily Work Summary,ملخص العمل اليومي DocType: Asset,Partially Depreciated,انخفضت جزئيا @@ -3255,6 +3277,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,ترك المسحوق؟ DocType: Certified Consultant,Discuss ID,ناقش المعرف apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,يرجى ضبط حسابات GST في إعدادات GST +DocType: Quiz,Latest Highest Score,أحدث أعلى الدرجات DocType: Supplier,Billing Currency,العملة الفواتير apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,نشاط الطالب apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,إما الكمية الهدف أو المبلغ المستهدف إلزامي @@ -3280,18 +3303,21 @@ DocType: Sales Order,Not Delivered,لم يتم تسليمها apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,لا يمكن تخصيص نوع الإجازة {0} لأنه إجازة بدون أجر DocType: GL Entry,Debit Amount,مقدار الخصم apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},يوجد بالفعل سجل للعنصر {0} +DocType: Video,Vimeo,فيميو apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,الجمعيات الفرعية 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.",إذا استمرت قواعد التسعير المتعددة سائدة ، فسيُطلب من المستخدمين تعيين الأولوية يدويًا لحل التعارض. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',لا يمكن خصمها عندما تكون الفئة هي "التقييم" أو "التقييم والإجمالي" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM وكمية التصنيع مطلوبة apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},وصل العنصر {0} إلى نهايته في {1} DocType: Quality Inspection Reading,Reading 6,قراءة 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,حقل الشركة مطلوب apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,لم يتم تعيين استهلاك المواد في إعدادات التصنيع. DocType: Assessment Group,Assessment Group Name,اسم مجموعة التقييم -DocType: Item,Manufacturer Part Number,الصانع الجزء رقم +DocType: Purchase Invoice Item,Manufacturer Part Number,الصانع الجزء رقم apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,الرواتب المستحقة الدفع apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},الصف # {0}: {1} لا يمكن أن يكون سالبًا للعنصر {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,رصيد الكمية +DocType: Question,Multiple Correct Answer,الإجابة الصحيحة متعددة DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 نقاط الولاء = كم العملة الأساسية؟ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},ملاحظة: لا يوجد رصيد إجازة كافٍ لنوع الإجازة {0} DocType: Clinical Procedure,Inpatient Record,سجل المرضى الداخليين @@ -3414,6 +3440,7 @@ DocType: Fee Schedule Program,Total Students,مجموع الطلاب apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,محلي DocType: Chapter Member,Leave Reason,اترك السبب DocType: Salary Component,Condition and Formula,الشرط والصيغة +DocType: Quality Goal,Objectives,الأهداف apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",الراتب الذي تمت معالجته بالفعل لفترة تتراوح بين {0} و {1} ، لا يمكن أن تكون فترة ترك الطلب بين هذا النطاق الزمني. DocType: BOM Item,Basic Rate (Company Currency),السعر الأساسي (عملة الشركة) DocType: BOM Scrap Item,BOM Scrap Item,BOM الخردة البند @@ -3464,6 +3491,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,حساب المطالبة حساب apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,لا توجد مدفوعات متاحة لمجلة الدخول apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} طالب غير نشط +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,جعل دخول الأسهم DocType: Employee Onboarding,Activities,أنشطة apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,أتلست مستودع واحد إلزامي ,Customer Credit Balance,رصيد ائتمان العميل @@ -3548,7 +3576,6 @@ DocType: Contract,Contract Terms,شروط العقد apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,إما الكمية الهدف أو المبلغ المستهدف إلزامي. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},غير صالح {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,تاريخ الاجتماع DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,لا يمكن أن يحتوي الاختصار على أكثر من 5 أحرف DocType: Employee Benefit Application,Max Benefits (Yearly),أقصى الفوائد (سنوي) @@ -3651,7 +3678,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,الرسوم المصرفية apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,نقل البضائع apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,تفاصيل الاتصال الأساسية -DocType: Quality Review,Values,القيم DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",إذا لم يتم التحقق ، فسيتم إضافة القائمة إلى كل قسم حيث يجب تطبيقه. DocType: Item Group,Show this slideshow at the top of the page,أظهر عرض الشرائح هذا أعلى الصفحة apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} المعلمة غير صالحة @@ -3670,6 +3696,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,حساب الرسوم البنكية DocType: Journal Entry,Get Outstanding Invoices,الحصول على الفواتير المعلقة DocType: Opportunity,Opportunity From,فرصة من +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,تفاصيل الهدف DocType: Item,Customer Code,كود العميل apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,الرجاء إدخال العنصر أولاً apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,قائمة الموقع @@ -3698,7 +3725,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,تسليم الى DocType: Bank Statement Transaction Settings Item,Bank Data,بيانات البنك apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,المجدولة تصل -DocType: Quality Goal,Everyday,كل يوم DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,الحفاظ على ساعات الفواتير وساعات العمل نفسه على الجدول الزمني apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,تتبع العروض حسب مصدر الرصاص. DocType: Clinical Procedure,Nursing User,تمريض المستخدم @@ -3723,7 +3749,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,إدارة شجرة ا DocType: GL Entry,Voucher Type,نوع القسيمة ,Serial No Service Contract Expiry,المسلسل لا انتهاء عقد الخدمة DocType: Certification Application,Certified,معتمد -DocType: Material Request Plan Item,Manufacture,صناعة +DocType: Purchase Invoice Item,Manufacture,صناعة apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} العناصر المنتجة apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},طلب الدفع لـ {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,أيام منذ آخر طلب @@ -3738,7 +3764,7 @@ DocType: Sales Invoice,Company Address Name,اسم عنوان الشركة apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,البضائع في العبور apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,يمكنك استبدال نقاط {0} بحد أقصى بهذا الترتيب. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},يرجى ضبط الحساب في Warehouse {0} -DocType: Quality Action Table,Resolution,القرار +DocType: Quality Action,Resolution,القرار DocType: Sales Invoice,Loyalty Points Redemption,نقاط الولاء الفداء apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,إجمالي القيمة الخاضعة للضريبة DocType: Patient Appointment,Scheduled,المقرر @@ -3859,6 +3885,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,معدل apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},حفظ {0} DocType: SMS Center,Total Message(s),مجموع الرسائل (الرسائل) +DocType: Purchase Invoice,Accounting Dimensions,الأبعاد المحاسبية apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,تجميع حسب الحساب DocType: Quotation,In Words will be visible once you save the Quotation.,في الكلمات سوف تكون مرئية بمجرد حفظ الاقتباس. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,كمية لإنتاج @@ -4023,7 +4050,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.",إذا كان لديك أي أسئلة ، يرجى العودة إلينا. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,لم يتم تقديم إيصال الشراء {0} DocType: Task,Total Expense Claim (via Expense Claim),إجمالي المطالبة بالنفقات (عبر المطالبة بالنفقات) -DocType: Quality Action,Quality Goal,هدف الجودة +DocType: Quality Goal,Quality Goal,هدف الجودة DocType: Support Settings,Support Portal,بوابة الدعم apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},لا يمكن أن يكون تاريخ انتهاء المهمة {0} أقل من {1} تاريخ البدء المتوقع {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},الموظف {0} في إجازة يوم {1} @@ -4082,7 +4109,6 @@ DocType: BOM,Operating Cost (Company Currency),تكلفة التشغيل (عمل DocType: Item Price,Item Price,سعر البند DocType: Payment Entry,Party Name,اسم الحزب apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,يرجى اختيار العملاء -DocType: Course,Course Intro,مقدمة الدورة DocType: Program Enrollment Tool,New Program,برنامج جديد apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix",عدد مركز التكلفة الجديد ، سيتم تضمينه في اسم مركز التكلفة كبادئة apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,حدد العميل أو المورد. @@ -4283,6 +4309,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,صافي الراتب لا يمكن أن يكون سلبيا apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,عدد التفاعلات 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/hr/doctype/employee/employee_dashboard.py,Shift,تحول apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,معالجة الرسم البياني للحسابات والأطراف DocType: Stock Settings,Convert Item Description to Clean HTML,تحويل وصف العنصر لتنظيف HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,جميع مجموعات الموردين @@ -4361,6 +4388,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,العنصر الرئيسي apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,سمسرة apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},يرجى إنشاء إيصال الشراء أو فاتورة الشراء للعنصر {0} +,Product Bundle Balance,حزمة المنتج الرصيد apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,اسم الشركة لا يمكن أن يكون الشركة DocType: Maintenance Visit,Breakdown,انفصال DocType: Inpatient Record,B Negative,ب سلبي @@ -4369,7 +4397,7 @@ DocType: Purchase Invoice,Credit To,الائتمان ل apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,إرسال أمر العمل هذا لمزيد من المعالجة. DocType: Bank Guarantee,Bank Guarantee Number,رقم الضمان البنكي apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},التسليم: {0} -DocType: Quality Action,Under Review,تحت المراجعة +DocType: Quality Meeting Table,Under Review,تحت المراجعة apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),الزراعة (تجريبي) ,Average Commission Rate,متوسط معدل العمولة DocType: Sales Invoice,Customer's Purchase Order Date,تاريخ طلب شراء العميل @@ -4486,7 +4514,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,مطابقة المدفوعات مع الفواتير DocType: Holiday List,Weekly Off,أسبوعي معطلة apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},لا يسمح بتعيين عنصر بديل للعنصر {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,البرنامج {0} غير موجود. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,البرنامج {0} غير موجود. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,لا يمكنك تحرير عقدة الجذر. DocType: Fee Schedule,Student Category,فئة الطلاب apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",العنصر {0}: {1} الكمية المنتجة ، @@ -4577,8 +4605,8 @@ DocType: Crop,Crop Spacing,تباعد المحاصيل DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,عدد مرات تحديث المشروع والشركة بناءً على معاملات المبيعات. DocType: Pricing Rule,Period Settings,إعدادات الفترة apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,صافي التغير في حسابات القبض +DocType: Quality Feedback Template,Quality Feedback Template,قالب ملاحظات الجودة apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,للكمية يجب أن تكون أكبر من الصفر -DocType: Quality Goal,Goal Objectives,أهداف الهدف apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",هناك تناقضات بين السعر وعدد الأسهم والمبلغ المحسوب DocType: Student Group Creation Tool,Leave blank if you make students groups per year,اتركه فارغا إذا قمت بتكوين مجموعات طلاب في السنة apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),القروض (المطلوبات) @@ -4613,12 +4641,13 @@ DocType: Quality Procedure Table,Step,خطوة DocType: Normal Test Items,Result Value,النتيجة القيمة DocType: Cash Flow Mapping,Is Income Tax Liability,هي ضريبة الدخل المسؤولية DocType: Healthcare Practitioner,Inpatient Visit Charge Item,زيارة المرضى الداخليين -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} غير موجود. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} غير موجود. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,تحديث الرد DocType: Bank Guarantee,Supplier,المورد apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},أدخل القيمة betweeen {0} و {1} DocType: Purchase Order,Order Confirmation Date,تاريخ تأكيد الطلب DocType: Delivery Trip,Calculate Estimated Arrival Times,احسب أوقات الوصول المقدرة +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,يرجى إعداد نظام تسمية الموظفين في الموارد البشرية> إعدادات الموارد البشرية apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,مستهلكات DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,تاريخ بدء الاشتراك @@ -4682,6 +4711,7 @@ DocType: Cheque Print Template,Is Account Payable,هل الحساب مستحق apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,إجمالي قيمة الطلب apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},المورد {0} غير موجود في {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,إعداد إعدادات بوابة الرسائل القصيرة +DocType: Salary Component,Round to the Nearest Integer,جولة إلى أقرب عدد صحيح apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,لا يمكن أن يحتوي الجذر على مركز تكلفة الأصل DocType: Healthcare Service Unit,Allow Appointments,السماح بالتعيينات DocType: BOM,Show Operations,إظهار العمليات @@ -4810,7 +4840,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,قائمة العطلات الافتراضية DocType: Naming Series,Current Value,القيمة الحالية apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",موسمية لوضع الميزانيات والأهداف الخ -DocType: Program,Program Code,كود البرنامج apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},تحذير: أمر المبيعات {0} موجود بالفعل مقابل أمر شراء العميل {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,المبيعات الشهرية المستهدفة ( DocType: Guardian,Guardian Interests,اهتمامات الوصي @@ -4860,10 +4889,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,مدفوعة وغير المسلمة apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,رمز العنصر إلزامي لأنه لا يتم ترقيم العنصر تلقائيًا DocType: GST HSN Code,HSN Code,رمز HSN -DocType: Quality Goal,September,سبتمبر +DocType: GSTR 3B Report,September,سبتمبر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,المصروفات الإدارية DocType: C-Form,C-Form No,نموذج C DocType: Purchase Invoice,End date of current invoice's period,تاريخ انتهاء فترة الفاتورة الحالية +DocType: Item,Manufacturers,مصنعين DocType: Crop Cycle,Crop Cycle,دورة المحاصيل DocType: Serial No,Creation Time,وقت الابتكار apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,الرجاء إدخال دور الموافقة أو اعتماد المستخدم @@ -4936,8 +4966,6 @@ DocType: Employee,Short biography for website and other publications.,سيرة DocType: Purchase Invoice Item,Received Qty,تلقى الكمية DocType: Purchase Invoice Item,Rate (Company Currency),معدل (عملة الشركة) DocType: Item Reorder,Request for,طلب ل -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","يرجى حذف الموظف {0} \ لإلغاء هذا المستند" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,تثبيت المسبقة apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,يرجى إدخال فترات السداد DocType: Pricing Rule,Advanced Settings,إعدادات متقدمة @@ -4963,7 +4991,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,تمكين سلة التسوق DocType: Pricing Rule,Apply Rule On Other,تطبيق القاعدة على الآخر DocType: Vehicle,Last Carbon Check,فحص الكربون الماضي -DocType: Vehicle,Make,يصنع +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,يصنع apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,تم إنشاء فاتورة المبيعات {0} على أنها مدفوعة apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,لإنشاء مستند مرجعي لطلب الدفع مطلوب apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ضريبة الدخل @@ -5039,7 +5067,6 @@ DocType: Territory,Parent Territory,إقليم الأم DocType: Vehicle Log,Odometer Reading,قراءة عداد المسافات DocType: Additional Salary,Salary Slip,وصل الراتب DocType: Payroll Entry,Payroll Frequency,جدول الرواتب -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,يرجى إعداد نظام تسمية الموظفين في الموارد البشرية> إعدادات الموارد البشرية apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",تواريخ البدء والانتهاء ليست في فترة كشوف رواتب صالحة ، لا يمكن حساب {0} DocType: Products Settings,Home Page is Products,الصفحة الرئيسية هي المنتجات apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,المكالمات @@ -5092,7 +5119,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,جلب السجلات ...... DocType: Delivery Stop,Contact Information,معلومات للتواصل DocType: Sales Order Item,For Production,لإنتاج -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,يرجى إعداد نظام تسمية المدرب في التعليم> إعدادات التعليم DocType: Serial No,Asset Details,تفاصيل الأصول DocType: Restaurant Reservation,Reservation Time,وقت الحجز DocType: Selling Settings,Default Territory,الإقليم الافتراضي @@ -5232,6 +5258,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,دفعات منتهية الصلاحية DocType: Shipping Rule,Shipping Rule Type,نوع الشحن القاعدة DocType: Job Offer,Accepted,وافقت +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","يرجى حذف الموظف {0} \ لإلغاء هذا المستند" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,لقد قمت بالفعل بتقييم معايير التقييم {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,حدد أرقام الدُفعات apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),العمر (أيام) @@ -5248,6 +5276,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,البنود حزمة في وقت البيع. DocType: Payment Reconciliation Payment,Allocated Amount,المبلغ المخصص apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,يرجى اختيار الشركة والتعيين +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,"التاريخ" مطلوب DocType: Email Digest,Bank Credit Balance,رصيد رصيد البنك apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,عرض المبلغ التراكمي apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,ليس لديك نقاط ولاء كافية لاستردادها @@ -5308,11 +5337,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,في الصف السا DocType: Student,Student Email Address,عنوان البريد الإلكتروني للطالب DocType: Academic Term,Education,التعليم DocType: Supplier Quotation,Supplier Address,عنوان المورد -DocType: Salary Component,Do not include in total,لا تدرج في المجموع +DocType: Salary Detail,Do not include in total,لا تدرج في المجموع apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,لا يمكن تعيين عدة عناصر افتراضية للشركة. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} غير موجود DocType: Purchase Receipt Item,Rejected Quantity,الكمية المرفوضة DocType: Cashier Closing,To TIme,الى وقت +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: Daily Work Summary Group User,Daily Work Summary Group User,مستخدم مجموعة ملخص العمل اليومي DocType: Fiscal Year Company,Fiscal Year Company,شركة السنة المالية apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,يجب ألا يكون العنصر البديل هو نفسه رمز العنصر @@ -5422,7 +5452,6 @@ DocType: Fee Schedule,Send Payment Request Email,إرسال طلب الدفع ا DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,في الكلمات ، ستكون مرئية بمجرد حفظ فاتورة المبيعات. DocType: Sales Invoice,Sales Team1,مبيعات Team1 DocType: Work Order,Required Items,العناصر المطلوبة -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",أحرف خاصة باستثناء "-" ، "#" ، "." و "/" غير مسموح به في سلسلة التسمية apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,اقرأ دليل ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,تحقق تفرد رقم فاتورة المورد apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,بحث الجمعيات الفرعية @@ -5490,7 +5519,6 @@ DocType: Taxable Salary Slab,Percent Deduction,النسبة المئوية لل apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,لا يمكن أن تكون كمية الإنتاج أقل من الصفر DocType: Share Balance,To No,إلى لا DocType: Leave Control Panel,Allocate Leaves,تخصيص الأوراق -DocType: Quiz,Last Attempt,المحاولة الأخيرة DocType: Assessment Result,Student Name,أسم الطالب apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,خطة لزيارات الصيانة. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,تم رفع طلبات المواد التالية تلقائيًا بناءً على مستوى إعادة ترتيب العنصر @@ -5559,6 +5587,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,لون المؤشر DocType: Item Variant Settings,Copy Fields to Variant,نسخ الحقول إلى البديل DocType: Soil Texture,Sandy Loam,ساندي لوام +DocType: Question,Single Correct Answer,إجابة واحدة صحيحة apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,من تاريخ لا يمكن أن يكون أقل من تاريخ انضمام الموظف DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,السماح بأوامر مبيعات متعددة مقابل أمر شراء العميل apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5621,7 +5650,7 @@ DocType: Account,Expenses Included In Valuation,المصاريف المدرجة apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,الأرقام التسلسلية DocType: Salary Slip,Deductions,الخصومات ,Supplier-Wise Sales Analytics,المورد الحكمة تحليلات المبيعات -DocType: Quality Goal,February,شهر فبراير +DocType: GSTR 3B Report,February,شهر فبراير DocType: Appraisal,For Employee,للموظف apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,تاريخ التسليم الفعلي DocType: Sales Partner,Sales Partner Name,اسم شريك المبيعات @@ -5717,7 +5746,6 @@ DocType: Procedure Prescription,Procedure Created,إنشاء الإجراء apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},مقابل فاتورة المورد {0} بتاريخ {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,تغيير POS الشخصي apps/erpnext/erpnext/utilities/activation.py,Create Lead,إنشاء الرصاص -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,مورد> نوع المورد DocType: Shopify Settings,Default Customer,العميل الافتراضي DocType: Payment Entry Reference,Supplier Invoice No,رقم فاتورة المورد DocType: Pricing Rule,Mixed Conditions,ظروف مختلطة @@ -5768,12 +5796,14 @@ DocType: Item,End of Life,نهاية الحياة DocType: Lab Test Template,Sensitivity,حساسية DocType: Territory,Territory Targets,أهداف الإقليم apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",تخطي تخصيص الإجازة للموظفين التاليين ، لأن سجلات إجازة التخصيص موجودة بالفعل ضدهم. {0} +DocType: Quality Action Resolution,Quality Action Resolution,قرار جودة العمل DocType: Sales Invoice Item,Delivered By Supplier,تسليم بواسطة المورد DocType: Agriculture Analysis Criteria,Plant Analysis,تحليل النبات apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},حساب المصاريف إلزامي للبند {0} ,Subcontracted Raw Materials To Be Transferred,المواد الخام المتعاقد عليها من الباطن DocType: Cashier Closing,Cashier Closing,إغلاق الصراف apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,تم إرجاع العنصر {0} بالفعل +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN غير صالح! لا يتطابق الإدخال الذي أدخلته مع تنسيق GSTIN لحاملي UIN أو مزودي خدمة OIDAR غير المقيمين apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,يوجد مستودع تابع لهذا المستودع. لا يمكنك حذف هذا المستودع. DocType: Diagnosis,Diagnosis,التشخيص apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},لا توجد فترة إجازة بين {0} و {1} @@ -5790,6 +5820,7 @@ DocType: QuickBooks Migrator,Authorization Settings,إعدادات التخوي DocType: Homepage,Products,منتجات ,Profit and Loss Statement,بيان الأرباح والخسائر apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,غرف محجوزة +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},إدخال مكرر مقابل رمز العنصر {0} والشركة المصنعة {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,الوزن الكلي apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,السفر @@ -5838,6 +5869,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,مجموعة العملاء الافتراضية DocType: Journal Entry Account,Debit in Company Currency,الخصم بعملة الشركة DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",سلسلة الاحتياطية هي "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,جدول أعمال اجتماع الجودة DocType: Cash Flow Mapper,Section Header,مقطع الرأس apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,منتجاتك أو خدماتك DocType: Crop,Perennial,الدائمة @@ -5883,7 +5915,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",منتج أو خدمة يتم شراؤها أو بيعها أو الاحتفاظ بها في المخزون. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),إغلاق (الافتتاح + المجموع) DocType: Supplier Scorecard Criteria,Criteria Formula,معايير الصيغة -,Support Analytics,تحليلات الدعم +apps/erpnext/erpnext/config/support.py,Support Analytics,تحليلات الدعم apps/erpnext/erpnext/config/quality_management.py,Review and Action,مراجعة والعمل DocType: Account,"If the account is frozen, entries are allowed to restricted users.",إذا تم تجميد الحساب ، يُسمح بإدخال قيود على المستخدمين المقيدين. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,المبلغ بعد الاستهلاك @@ -5928,7 +5960,6 @@ DocType: Contract Template,Contract Terms and Conditions,شروط العقد و apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ابحث عن المعلومة DocType: Stock Settings,Default Item Group,مجموعة العناصر الافتراضية DocType: Sales Invoice Timesheet,Billing Hours,ساعات الفوترة -DocType: Item,Item Code for Suppliers,رمز البند للموردين apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},ترك التطبيق {0} موجود بالفعل ضد الطالب {1} DocType: Pricing Rule,Margin Type,نوع الهامش DocType: Purchase Invoice Item,Rejected Serial No,رفض المسلسل لا @@ -6001,6 +6032,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,تم منح الأوراق بنجاح DocType: Loyalty Point Entry,Expiry Date,تاريخ الانتهاء DocType: Project Task,Working,العمل +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} يحتوي بالفعل على إجراء الأصل {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,ويستند هذا على المعاملات ضد هذا المريض. انظر الجدول الزمني أدناه للحصول على التفاصيل DocType: Material Request,Requested For,مطلوب ل DocType: SMS Center,All Sales Person,كل شخص المبيعات @@ -6088,6 +6120,7 @@ DocType: Loan Type,Maximum Loan Amount,الحد الأقصى لمبلغ القر apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,البريد الإلكتروني غير موجود في جهة الاتصال الافتراضية DocType: Hotel Room Reservation,Booked,حجز DocType: Maintenance Visit,Partially Completed,أنجزت جزئيا +DocType: Quality Procedure Process,Process Description,وصف العملية DocType: Company,Default Employee Advance Account,افتراضي حساب الموظف مقدما DocType: Leave Type,Allow Negative Balance,السماح الرصيد السلبي apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,اسم خطة التقييم @@ -6129,6 +6162,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,طلب عرض أسعار apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} دخلت مرتين في ضريبة البند DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,خصم الضريبة الكاملة على تاريخ الرواتب المحدد +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,لا يمكن أن يكون تاريخ فحص الكربون الأخير تاريخًا مستقبلاً apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,حدد حساب تغيير المبلغ DocType: Support Settings,Forum Posts,منتدى المشاركات DocType: Timesheet Detail,Expected Hrs,ساعات المتوقعة @@ -6138,7 +6172,7 @@ DocType: Program Enrollment Tool,Enroll Students,تسجيل الطلاب apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,كرر إيرادات العميل DocType: Company,Date of Commencement,تاريخ البدء DocType: Bank,Bank Name,اسم البنك -DocType: Quality Goal,December,ديسمبر +DocType: GSTR 3B Report,December,ديسمبر apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,صالح من تاريخ يجب أن يكون أقل من تاريخ يصل صالح apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,ويستند هذا على حضور هذا الموظف DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",إذا تم تحديده ، ستكون الصفحة الرئيسية هي مجموعة العناصر الافتراضية لموقع الويب @@ -6181,6 +6215,7 @@ DocType: Payment Entry,Payment Type,نوع الدفع apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,أرقام الأوراق غير مطابقة DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},فحص الجودة: {0} لم يتم تقديمه للعنصر: {1} في الصف {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},عرض {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,تم العثور على {0} عنصر. ,Stock Ageing,الأسهم الشيخوخة DocType: Customer Group,Mention if non-standard receivable account applicable,اذكر إذا كان حساب المدينين غير القياسي قابل للتطبيق @@ -6459,6 +6494,7 @@ DocType: Travel Request,Costing,تكلف apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,أصول ثابتة DocType: Purchase Order,Ref SQ,المرجع SQ DocType: Salary Structure,Total Earning,مجموع الأرباح +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,العملاء> مجموعة العملاء> الإقليم DocType: Share Balance,From No,من لا DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,فاتورة تسوية المدفوعات DocType: Purchase Invoice,Taxes and Charges Added,الضرائب والرسوم المضافة @@ -6466,7 +6502,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,النظر في DocType: Authorization Rule,Authorized Value,القيمة المعتمدة apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,مستلم من apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,المستودع {0} غير موجود +DocType: Item Manufacturer,Item Manufacturer,الصانع البند DocType: Sales Invoice,Sales Team,فريق المبيعات +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,حزمة الكمية DocType: Purchase Order Item Supplied,Stock UOM,الأسهم UOM DocType: Installation Note,Installation Date,تاريخ التثبيت DocType: Email Digest,New Quotations,الاقتباسات الجديدة @@ -6530,7 +6568,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,اسم قائمة العطلات DocType: Water Analysis,Collection Temperature ,درجة حرارة المجموعة DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,إدارة فاتورة موعد تقديم وإلغاء تلقائيا لمواجهة المريض -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,يرجى تعيين سلسلة التسمية لـ {0} عبر الإعداد> الإعدادات> سلسلة التسمية DocType: Employee Benefit Claim,Claim Date,تاريخ المطالبة DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,اترك المساحة فارغة إذا تم حظر المورد إلى أجل غير مسمى apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,الحضور من التاريخ والحضور إلى التاريخ إلزامي @@ -6541,6 +6578,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,تاريخ التقاعد apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,يرجى اختيار المريض DocType: Asset,Straight Line,خط مستقيم +DocType: Quality Action,Resolutions,قرارات DocType: SMS Log,No of Sent SMS,عدد الرسائل المرسلة ,GST Itemised Sales Register,سجل المبيعات المفصولة GST apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,لا يمكن أن يكون المبلغ الإجمالي مقدماً أكبر من المبلغ الإجمالي المعاقب @@ -6651,7 +6689,7 @@ DocType: Account,Profit and Loss,الربح والخسارة apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,الفرق الكمية DocType: Asset Finance Book,Written Down Value,مكتوبة أسفل القيمة apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,افتتاح الاسهم المتوازنة -DocType: Quality Goal,April,أبريل +DocType: GSTR 3B Report,April,أبريل DocType: Supplier,Credit Limit,الحد الائتماني apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,توزيع apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6706,6 +6744,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ربط Shopify مع ERPNext DocType: Homepage Section Card,Subtitle,عنوان فرعي DocType: Soil Texture,Loam,طين +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,مورد> نوع المورد DocType: BOM,Scrap Material Cost(Company Currency),تكلفة المواد الخردة (عملة الشركة) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,يجب تسليم ملاحظة التسليم {0} DocType: Task,Actual Start Date (via Time Sheet),تاريخ البدء الفعلي (عبر ورقة الوقت) @@ -6761,7 +6800,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,جرعة DocType: Cheque Print Template,Starting position from top edge,موقف انطلاق من الحافة العلوية apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),مدة التعيين (بالدقائق) -DocType: Pricing Rule,Disable,تعطيل +DocType: Accounting Dimension,Disable,تعطيل DocType: Email Digest,Purchase Orders to Receive,أوامر الشراء لتلقيها apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,لا يمكن رفع أوامر الإنتاج من أجل: DocType: Projects Settings,Ignore Employee Time Overlap,تجاهل الموظف وقت التداخل @@ -6845,6 +6884,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,إنش DocType: Item Attribute,Numeric Values,القيم الرقمية DocType: Delivery Note,Instructions,تعليمات DocType: Blanket Order Item,Blanket Order Item,ترتيب بطانية البند +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,إلزامي لحساب الربح والخسارة apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,لا يمكن أن يكون معدل العمولة أكبر من 100 DocType: Course Topic,Course Topic,موضوع الدورة DocType: Employee,This will restrict user access to other employee records,سيؤدي ذلك إلى تقييد وصول المستخدم إلى سجلات الموظفين الآخرين @@ -6869,12 +6909,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,إدارة ا apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,احصل على عملاء من apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} دايجست DocType: Employee,Reports to,تقارير ل +DocType: Video,YouTube,موقع YouTube DocType: Party Account,Party Account,حساب الحزب DocType: Assessment Plan,Schedule,جدول apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,تفضل DocType: Lead,Channel Partner,شركاء القنوات apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,مبلغ فاتورة DocType: Project,From Template,من القالب +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,الاشتراكات apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,كمية لجعل DocType: Quality Review Table,Achieved,حقق @@ -6921,7 +6963,6 @@ DocType: Journal Entry,Subscription Section,قسم الاشتراك DocType: Salary Slip,Payment Days,أيام الدفع apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,معلومات التطوع. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,يجب أن تكون "تجميد الأسهم الأقدم من" أصغر من٪ d أيام. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,اختر السنة المالية DocType: Bank Reconciliation,Total Amount,المبلغ الإجمالي DocType: Certification Application,Non Profit,غير ربحية DocType: Subscription Settings,Cancel Invoice After Grace Period,إلغاء الفاتورة بعد فترة السماح @@ -6934,7 +6975,6 @@ DocType: Serial No,Warranty Period (Days),فترة الضمان (أيام) DocType: Expense Claim Detail,Expense Claim Detail,تفاصيل المطالبة المطالبة apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,برنامج: DocType: Patient Medical Record,Patient Medical Record,سجل المريض الطبي -DocType: Quality Action,Action Description,وصف الإجراء DocType: Item,Variant Based On,البديل بناء على DocType: Vehicle Service,Brake Oil,زيت الفرامل DocType: Employee,Create User,إنشاء مستخدم @@ -6990,7 +7030,7 @@ DocType: Cash Flow Mapper,Section Name,اسم القسم DocType: Packed Item,Packed Item,معبأة البند apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: مطلوب إما مبلغ الخصم أو الائتمان لـ {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,تقديم قسائم الرواتب ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,لا رد فعل +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,لا رد فعل apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",لا يمكن تعيين الميزانية مقابل {0} ، لأنها ليست حساب دخل أو مصروفات apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,الماجستير والحسابات DocType: Quality Procedure Table,Responsible Individual,الفرد المسؤول @@ -7113,7 +7153,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,السماح بإنشاء حساب ضد شركة تابعة DocType: Payment Entry,Company Bank Account,حساب بنك الشركة DocType: Amazon MWS Settings,UK,المملكة المتحدة -DocType: Quality Procedure,Procedure Steps,خطوات الإجراء DocType: Normal Test Items,Normal Test Items,عناصر الاختبار العادية apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,العنصر {0}: الكمية المطلوبة {1} لا يمكن أن تكون أقل من الكمية الدنيا للطلب {2} (المعرفة في البند). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,ليس في الأسهم @@ -7192,7 +7231,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,تحليلات DocType: Maintenance Team Member,Maintenance Role,دور الصيانة apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,الشروط والأحكام قالب DocType: Fee Schedule Program,Fee Schedule Program,برنامج جدول الرسوم -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,الدورة التدريبية {0} غير موجودة. DocType: Project Task,Make Timesheet,جعل الجدول الزمني DocType: Production Plan Item,Production Plan Item,بند خطة الإنتاج apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,مجموع الطلاب @@ -7214,6 +7252,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,تغليف apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,لا يمكنك التجديد إلا إذا انتهت عضويتك خلال 30 يومًا apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},يجب أن تكون القيمة بين {0} و {1} +DocType: Quality Feedback,Parameters,المعلمات ,Sales Partner Transaction Summary,ملخص معاملات شريك المبيعات DocType: Asset Maintenance,Maintenance Manager Name,اسم مدير الصيانة apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,هناك حاجة لجلب تفاصيل البند. @@ -7252,6 +7291,7 @@ DocType: Student Admission,Student Admission,قبول الطلاب DocType: Designation Skill,Skill,مهارة DocType: Budget Account,Budget Account,حساب الميزانية DocType: Employee Transfer,Create New Employee Id,إنشاء معرف الموظف الجديد +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} مطلوب لحساب "الربح والخسارة" {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),ضريبة السلع والخدمات (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,إنشاء قسائم الرواتب ... DocType: Employee Skill,Employee Skill,مهارة الموظف @@ -7352,6 +7392,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,الفاتو DocType: Subscription,Days Until Due,أيام حتى الاستحقاق apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,عرض مكتمل apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,تقرير دخول معاملة كشف الحساب البنكي +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,البنك Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,الصف # {0}: يجب أن يكون السعر هو نفسه {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,عناصر خدمة الرعاية الصحية @@ -7408,6 +7449,7 @@ DocType: Training Event Employee,Invited,دعوة apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},أقصى مبلغ مؤهل للمكون {0} يتجاوز {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,مبلغ بيل apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",بالنسبة إلى {0} ، يمكن ربط حسابات المدين فقط بإدخال رصيد آخر +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,إنشاء الأبعاد ... DocType: Bank Statement Transaction Entry,Payable Account,حساب مستحق apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,يرجى ذكر عدد الزيارات المطلوبة DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,حدد فقط إذا كان لديك إعداد مستندات مخطط التدفق النقدي @@ -7425,6 +7467,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,وفر الوقت DocType: Grading Scale Interval,Grade Description,وصف الصف DocType: Homepage Section,Cards,بطاقات +DocType: Quality Meeting Minutes,Quality Meeting Minutes,محضر اجتماع الجودة DocType: Linked Plant Analysis,Linked Plant Analysis,تحليل النبات المرتبط apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,لا يمكن أن يكون تاريخ إيقاف الخدمة بعد تاريخ انتهاء الخدمة apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,يرجى ضبط الحد B2C في إعدادات ضريبة السلع والخدمات. @@ -7459,7 +7502,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,أداة حضور ا DocType: Employee,Educational Qualification,المؤهل العلمي apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,قيمة قابلة للوصول apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},كمية العينة {0} لا يمكن أن تكون أكبر من الكمية المستلمة {1} -DocType: Quiz,Last Highest Score,آخر أعلى درجة DocType: POS Profile,Taxes and Charges,الضرائب والرسوم DocType: Opportunity,Contact Mobile No,رقم الهاتف المحمول DocType: Employee,Joining Details,تفاصيل الانضمام diff --git a/erpnext/translations/bg.csv b/erpnext/translations/bg.csv index 8672ec9773..6ede7b4f91 100644 --- a/erpnext/translations/bg.csv +++ b/erpnext/translations/bg.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,№ на частта на DocType: Journal Entry Account,Party Balance,Балансиране на партита apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Източник на средства (пасиви) DocType: Payroll Period,Taxable Salary Slabs,Облагаемата работна заплата +DocType: Quality Action,Quality Feedback,Качествена обратна връзка DocType: Support Settings,Support Settings,Настройки за поддръжка apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,"Моля, първо въведете Продуктов артикул" DocType: Quiz,Grading Basis,Основа за оценяване @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Повече и DocType: Salary Component,Earning,Спечелването DocType: Restaurant Order Entry,Click Enter To Add,Кликнете върху Enter To Add DocType: Employee Group,Employee Group,Група на служителите +DocType: Quality Procedure,Processes,процеси DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,"Задайте валутен курс, за да конвертирате една валута в друга" apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Диапазон на стареене 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Изисква се склад за склад {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,оплакване DocType: Shipping Rule,Restrict to Countries,Ограничете до страни DocType: Hub Tracked Item,Item Manager,Мениджър на елементи apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Валутата на закриващата сметка трябва да бъде {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,бюджети apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Откриване на фактура DocType: Work Order,Plan material for sub-assemblies,Планирайте материалите за сглобени елементи apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,железария DocType: Budget,Action if Annual Budget Exceeded on MR,"Действие, ако годишният бюджет е надхвърлен по РД" DocType: Sales Invoice Advance,Advance Amount,Предварителна сума +DocType: Accounting Dimension,Dimension Name,Име на размерите DocType: Delivery Note Item,Against Sales Invoice Item,Срещу позицията по фактура за продажби DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Включете позиция в преработващата промишленост @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Какво пр ,Sales Invoice Trends,Тенденции на фактурата за продажби DocType: Bank Reconciliation,Payment Entries,Платежни записи DocType: Employee Education,Class / Percentage,Клас / Процент -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на артикула> Група продукти> Марка ,Electronic Invoice Register,Регистър на електронните фактури DocType: Sales Invoice,Is Return (Credit Note),Възвръщаемост (кредитна бележка) DocType: Lab Test Sample,Lab Test Sample,Лабораторна проба @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,варианти apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Таксите ще се разпределят пропорционално въз основа на количеството или сумата на артикула, според избора Ви" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Предстоящи дейности за днес +DocType: Quality Procedure Process,Quality Procedure Process,Процедура за процедурата за качество DocType: Fee Schedule Program,Student Batch,Студентска партида apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},"Стойността на оценката, необходима за елемент в ред {0}" DocType: BOM Operation,Base Hour Rate(Company Currency),Стойност на основния час (валута на фирмата) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,"Задайте Количество при сделки, базирани на сериен вход" apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Авансовата валута на сметката трябва да бъде същата като фирмената валута {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Персонализиране на раздели за начална страница -DocType: Quality Goal,October,октомври +DocType: GSTR 3B Report,October,октомври DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Скриване на данъчната идентификация на клиента от транзакциите за продажби apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Невалиден GSTIN! GSTIN трябва да съдържа 15 знака. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Правилото за ценообразуване {0} се актуализира @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Оставете баланс apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},График за поддръжка {0} съществува срещу {1} DocType: Assessment Plan,Supervisor Name,Име на надзорник DocType: Selling Settings,Campaign Naming By,Кампания за именуване от -DocType: Course,Course Code,Код на курса +DocType: Student Group Creation Tool Course,Course Code,Код на курса apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,космически DocType: Landed Cost Voucher,Distribute Charges Based On,Разпределете таксите въз основа на DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Критерии за точкуване на картите на доставчика @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Меню на ресторанта DocType: Asset Movement,Purpose,Предназначение apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Разпределението на работната заплата за служител вече съществува DocType: Clinical Procedure,Service Unit,Обслужващо звено -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Група клиенти> Територия DocType: Travel Request,Identification Document Number,Номер на идентификационния документ DocType: Stock Entry,Additional Costs,Допълнителни разходи -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Родителски курс (Оставете празно, ако това не е част от Parent Course)" DocType: Employee Education,Employee Education,Образование на служителите apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Броят на позициите не може да бъде по-малък от текущия брой на служителите apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Всички клиентски групи @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Ред {0}: Количеството е задължително DocType: Sales Invoice,Against Income Account,Профил срещу доходи apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ред # {0}: Фактура за покупка не може да бъде направена срещу съществуващ актив {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Правила за прилагане на различни промоционални схеми. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Изисква се коефициент на покритие на UOM за UOM: {0} в елемент: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},"Моля, въведете количество за елемент {0}" DocType: Workstation,Electricity Cost,Разходи за електроенергия @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Общо проектирани количес apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,списъците с материали DocType: Work Order,Actual Start Date,Действителна начална дата apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Не присъствате по цял ден (дни) между дните за компенсаторно отпускане -DocType: Company,About the Company,За компанията apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Дърво на финансовите сметки. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Непряк доход DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Резервация на хотелски стаи @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,База д DocType: Skill,Skill Name,Име на умението apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Отпечатайте отчетната карта DocType: Soil Texture,Ternary Plot,Ternary Парцел +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Билети за поддръжка DocType: Asset Category Account,Fixed Asset Account,Сметка с фиксирани активи apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Последен @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Курс за за ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,"Моля, задайте серията, която ще се използва." DocType: Delivery Trip,Distance UOM,Разстояние UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Задължително за баланса DocType: Payment Entry,Total Allocated Amount,Общо разпределена сума DocType: Sales Invoice,Get Advances Received,Получете получени аванси DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,График на apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,"POS профил, необходим за извършване на POS влизане" DocType: Education Settings,Enable LMS,Активиране на LMS DocType: POS Closing Voucher,Sales Invoices Summary,Резюме на фактурите за продажби +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,облага apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит за сметка трябва да бъде сметка в баланса DocType: Video,Duration,продължителност DocType: Lab Test Template,Descriptive,описателен @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Начални и крайни дати DocType: Supplier Scorecard,Notify Employee,Уведомете служителя apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Софтуер +DocType: Program,Allow Self Enroll,Разрешаване на самостоятелно записване apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Разходи за акции apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Референтен номер е задължителен, ако сте въвели Референтна дата" DocType: Training Event,Workshop,цех @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Шаблон за лаборато apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Макс: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Липсва информация за електронното фактуриране apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Няма създадена заявка за материал +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на артикула> Група продукти> Марка DocType: Loan,Total Amount Paid,Общо изплатена сума apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Всички тези елементи вече са фактурирани DocType: Training Event,Trainer Name,Име на обучителя @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Академична година DocType: Sales Stage,Stage Name,Сценично име DocType: SMS Center,All Employee (Active),Всички служители (активни) +DocType: Accounting Dimension,Accounting Dimension,Счетоводно измерение DocType: Project,Customer Details,Данни на клиента DocType: Buying Settings,Default Supplier Group,Група доставчици по подразбиране apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,"Моля, първо отменете Получаването на покупка {0}" @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","По-висок DocType: Designation,Required Skills,Необходими умения DocType: Marketplace Settings,Disable Marketplace,Деактивиране на Marketplace DocType: Budget,Action if Annual Budget Exceeded on Actual,"Действие, ако годишният бюджет е надвишен за действително" -DocType: Course,Course Abbreviation,Съкращение на курса apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Посещението не е изпратено за {0} като {1} в отпуск. DocType: Pricing Rule,Promotional Scheme Id,Id на Промоционалната схема apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Крайната дата на задачата {0} не може да бъде по-голяма от {1} очакваната крайна дата {2} @@ -1293,7 +1300,7 @@ DocType: Bank Guarantee,Margin Money,Маржин пари DocType: Chapter,Chapter,глава DocType: Purchase Receipt Item Supplied,Current Stock,Текущ запас DocType: Employee,History In Company,История в компанията -DocType: Item,Manufacturer,Производител +DocType: Purchase Invoice Item,Manufacturer,Производител apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Умерена чувствителност DocType: Compensatory Leave Request,Leave Allocation,Оставете разпределение DocType: Timesheet,Timesheet,график @@ -1324,6 +1331,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Прехвърлен DocType: Products Settings,Hide Variants,Скриване на варианти DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Деактивиране на планирането на капацитета и проследяването на времето DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Ще се изчислява в транзакцията. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} е необходим за профила „Баланс“ {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} не е позволено да сключва сделки с {1}. Моля променете компанията. 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}" DocType: Delivery Trip,Delivery Details,Детайли за доставка @@ -1359,7 +1367,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Предишна apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Мерна единица DocType: Lab Test,Test Template,Шаблон за тестване DocType: Fertilizer,Fertilizer Contents,Съдържание на торове -apps/erpnext/erpnext/utilities/user_progress.py,Minute,минута +DocType: Quality Meeting Minutes,Minute,минута apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ред # {0}: Актив {1} не може да бъде изпратен, вече е {2}" DocType: Task,Actual Time (in Hours),Действително време (в часове) DocType: Period Closing Voucher,Closing Account Head,Глава за закриване на сметка @@ -1532,7 +1540,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,лаборатория DocType: Purchase Order,To Bill,За Бил apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Комунални разходи DocType: Manufacturing Settings,Time Between Operations (in mins),Време между операции (в минути) -DocType: Quality Goal,May,Може +DocType: GSTR 3B Report,May,Може apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Профилът на Gateway за плащане не е създаден, моля, създайте ръчно." DocType: Opening Invoice Creation Tool,Purchase,покупка DocType: Program Enrollment,School House,Училищен дом @@ -1564,6 +1572,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,Законова информация и друга обща информация за Вашия доставчик DocType: Item Default,Default Selling Cost Center,По подразбиране продаващ разходен център DocType: Sales Partner,Address & Contacts,Адрес и контакти +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настройте номерационните серии за посещаемост чрез Настройка> Номерационни серии" DocType: Subscriber,Subscriber,абонат apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) няма наличност apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Моля, първо изберете Дата на осчетоводяване" @@ -1591,6 +1600,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Разходи за бо DocType: Bank Statement Settings,Transaction Data Mapping,Съпоставяне на данни за транзакции apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Олово изисква или име на лице или име на организацията DocType: Student,Guardians,пазители +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Моля, настройте системата за именуване на инструктори в образованието> Настройки на образованието" apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Изберете марка ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Среден доход DocType: Shipping Rule,Calculate Based On,Изчислете въз основа на @@ -1602,7 +1612,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Аванс за предя DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Коригиране на закръгляването (валута на фирмата) DocType: Item,Publish in Hub,Публикуване в Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,Август +DocType: GSTR 3B Report,August,Август apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,"Моля, първо въведете Получаване на покупка" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Начална година apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Мишена ({}) @@ -1621,6 +1631,7 @@ DocType: Item,Max Sample Quantity,Максимално количество apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Изходният и целеви склад трябва да са различни DocType: Employee Benefit Application,Benefits Applied,Прилагани ползи apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Срещу вписване в дневника {0} няма никакъв несъчетан запис {1} +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Специални символи, с изключение на "-", "#", ".", "/", "{" И "}" не са позволени в именуването на сериите" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Изискват се плочи с отстъпка от цената или продукта apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Задайте цел apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Съществува запис за присъствие {0} срещу Студент {1} @@ -1636,10 +1647,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,На месец DocType: Routing,Routing Name,Име на маршрута DocType: Disease,Common Name,Често срещано име -DocType: Quality Goal,Measurable,измерим DocType: Education Settings,LMS Title,Заглавие на LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Управление на кредити -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Поддръжка на аналитици DocType: Clinical Procedure,Consumable Total Amount,Обща сума на консумативите apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Активиране на шаблона apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,LPO на клиента @@ -1779,6 +1788,7 @@ DocType: Restaurant Order Entry Item,Served,Сервира DocType: Loan,Member,Член DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,График на обслужващото звено на практикуващия apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Банков превод +DocType: Quality Review Objective,Quality Review Objective,Цел на прегледа на качеството DocType: Bank Reconciliation Detail,Against Account,Срещу акаунт DocType: Projects Settings,Projects Settings,Настройки на проекти apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Действителна бройка {0} / Количество на изчакване {1} @@ -1807,6 +1817,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Р apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Крайната дата на фискалната година трябва да бъде една година след началната дата на фискалната година apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Ежедневни напомняния DocType: Item,Default Sales Unit of Measure,Единица за измерване по подразбиране за продажби +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Фирма ГСТИН DocType: Asset Finance Book,Rate of Depreciation,Норма на амортизация DocType: Support Search Source,Post Description Key,Ключ за описание DocType: Loyalty Program Collection,Minimum Total Spent,Минимален общ разход @@ -1878,6 +1889,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Промяната на клиентската група за избрания клиент не е разрешена. DocType: Serial No,Creation Document Type,Тип документ за създаване DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Налична партида на склад +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Фактура Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Това е основна територия и не може да се редактира. DocType: Patient,Surgical History,Хирургична история apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Дърво на процедурите за качество. @@ -1982,6 +1994,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,"Проверете това, ако искате да се показват в уебсайта" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Фискалната година {0} не е намерена DocType: Bank Statement Settings,Bank Statement Settings,Настройки на банковите извлечения +DocType: Quality Procedure Process,Link existing Quality Procedure.,Свържете съществуващата процедура за качество. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Импортирайте графика от профили от CSV / Excel файлове DocType: Appraisal Goal,Score (0-5),Резултат (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Атрибутът {0} е избран няколко пъти в таблицата с атрибути DocType: Purchase Invoice,Debit Note Issued,Издадено е дебитно известие @@ -1990,7 +2004,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Оставете подробности за политиката apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Складът не е намерен в системата DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -DocType: Quality Goal,Measurable Goal,Измерима цел DocType: Bank Statement Transaction Payment Item,Invoices,Фактури DocType: Currency Exchange,Currency Exchange,Обмяна на валута DocType: Payroll Entry,Fortnightly,всеки две седмици @@ -2053,6 +2066,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} не е изпратен DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Суровини за обратно отмиване от склад в процес на производство DocType: Maintenance Team Member,Maintenance Team Member,Член на екипа по поддръжката +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Настройка на потребителски размери за отчитане DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Минималното разстояние между редовете растения за оптимален растеж DocType: Employee Health Insurance,Health Insurance Name,Име на здравното осигуряване apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Активи на акции @@ -2085,7 +2099,7 @@ DocType: Delivery Note,Billing Address Name,Име на адрес за факт apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Алтернативен елемент DocType: Certification Application,Name of Applicant,Име на заявителя DocType: Leave Type,Earned Leave,Спечелени отпуск -DocType: Quality Goal,June,юни +DocType: GSTR 3B Report,June,юни apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Ред {0}: Разходен център се изисква за елемент {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Може да бъде одобрен от {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица за измерване {0} е въведена повече от веднъж в таблицата с фактори на конвертиране @@ -2106,6 +2120,7 @@ DocType: Lab Test Template,Standard Selling Rate,Стандартен проце apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},"Моля, задайте активно меню за ресторант {0}" 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: Asset Finance Book,Asset Finance Book,Книга с финансови активи +DocType: Quality Goal Objective,Quality Goal Objective,Цел на целта за качество DocType: Employee Transfer,Employee Transfer,Трансфер на служители ,Sales Funnel,Фуния на продажбите DocType: Agriculture Analysis Criteria,Water Analysis,Анализ на водата @@ -2144,6 +2159,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Имуществ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Предстоящи дейности apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Избройте няколко от клиентите си. Те могат да бъдат организации или физически лица. DocType: Bank Guarantee,Bank Account Info,Информация за банковата сметка +DocType: Quality Goal,Weekday,делничен apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Име на Guardian1 DocType: Salary Component,Variable Based On Taxable Salary,Променлива въз основа на данъчната основа DocType: Accounting Period,Accounting Period,Отчетен период @@ -2228,7 +2244,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Коригиране на закр DocType: Quality Review Table,Quality Review Table,Таблица за преглед на качеството DocType: Member,Membership Expiry Date,Дата на изтичане на членството DocType: Asset Finance Book,Expected Value After Useful Life,Очаквана стойност след полезен живот -DocType: Quality Goal,November,ноември +DocType: GSTR 3B Report,November,ноември DocType: Loan Application,Rate of Interest,Лихвен процент DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Позиция за плащане на транзакции по банкови извлечения DocType: Restaurant Reservation,Waitlisted,Waitlisted @@ -2292,6 +2308,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Ред {0}: За да зададете {1} периодичност, разликата между и към датата трябва да бъде по-голяма или равна на {2}" DocType: Purchase Invoice Item,Valuation Rate,Скорост на оценяване DocType: Shopping Cart Settings,Default settings for Shopping Cart,Настройки по подразбиране за кошницата за пазаруване +DocType: Quiz,Score out of 100,Резултат от 100 DocType: Manufacturing Settings,Capacity Planning,Планиране на капацитета apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Отиди на инструктори DocType: Activity Cost,Projects,Проекти @@ -2301,6 +2318,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,От време apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Отчет за подробности за варианта +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,За покупка apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Слотовете за {0} не се добавят към графика DocType: Target Detail,Target Distribution,Целево разпределение @@ -2318,6 +2336,7 @@ DocType: Activity Cost,Activity Cost,Разходи за дейността DocType: Journal Entry,Payment Order,Платежно нареждане apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Ценообразуване ,Item Delivery Date,Дата на доставка на елемент +DocType: Quality Goal,January-April-July-October,За периода януари-април до юли до октомври DocType: Purchase Order Item,Warehouse and Reference,Склад и справка apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Акаунт с детски възли не може да бъде преобразуван в книга DocType: Soil Texture,Clay Composition (%),Състав на глината (%) @@ -2368,6 +2387,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Бъдещите да apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"Ред {0}: Моля, задайте режима на плащане в графика за плащане" apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Академичен срок: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Параметър за обратна връзка за качество apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,"Моля, изберете Прилагане на отстъпка" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Ред # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Общо плащания @@ -2410,7 +2430,7 @@ DocType: Hub Tracked Item,Hub Node,Възел на концентратора apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Идентификационен номер на служителя DocType: Salary Structure Assignment,Salary Structure Assignment,Определяне на структурата на заплатите DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Такси за затваряне на ваучери за ПОС -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Действие е инициализирано +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Действие е инициализирано DocType: POS Profile,Applicable for Users,Приложимо за потребители DocType: Training Event,Exam,Изпит apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Неправилен брой намерени записи за Главна книга. Може да сте избрали грешна сметка в транзакцията. @@ -2517,6 +2537,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,дължина DocType: Accounts Settings,Determine Address Tax Category From,Определяне на данъчна категория на адреса от apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,"Идентифициране на лицата, вземащи решения" +DocType: Stock Entry Detail,Reference Purchase Receipt,Референтна разписка за покупка apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Вземи фактури DocType: Tally Migration,Is Day Book Data Imported,Данните за дневната книга са импортирани ,Sales Partners Commission,Комисия за търговски партньори @@ -2540,6 +2561,7 @@ DocType: Leave Type,Applicable After (Working Days),Приложим след ( DocType: Timesheet Detail,Hrs,часа до DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Критерии за оценка на доставчика DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Параметър за шаблон за обратна връзка за качество apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Датата на присъединяване трябва да бъде по-голяма от датата на раждане DocType: Bank Statement Transaction Invoice Item,Invoice Date,Датата на фактурата DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Създайте Лабораторен тест (и) при изпращане на фактура за продажби @@ -2646,7 +2668,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Минимална д DocType: Stock Entry,Source Warehouse Address,Адрес на хранилището на източника DocType: Compensatory Leave Request,Compensatory Leave Request,Искане за компенсаторно отпуск DocType: Lead,Mobile No.,Номер на мобилен телефон -DocType: Quality Goal,July,Юли +DocType: GSTR 3B Report,July,Юли apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Допустим ITC DocType: Fertilizer,Density (if liquid),Плътност (ако е течна) DocType: Employee,External Work History,История на външната работа @@ -2723,6 +2745,7 @@ DocType: Certification Application,Certification Status,Статус на сер apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Местоположението на източника е необходимо за актива {0} DocType: Employee,Encashment Date,Дата на инкасо apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,"Моля, изберете Дата на завършване на Завършената регистрация на поддръжката на активите" +DocType: Quiz,Latest Attempt,Последен опит DocType: Leave Block List,Allow Users,Разрешаване на потребителите apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,График на сметките apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"Клиентът е задължителен, ако за клиента е избрано „Възможност от“" @@ -2787,7 +2810,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Настройка DocType: Amazon MWS Settings,Amazon MWS Settings,Настройки за Amazon MWS DocType: Program Enrollment,Walking,ходене DocType: SMS Log,Requested Numbers,Искани номера -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настройте номерационните серии за посещаемост чрез Настройка> Номерационни серии" DocType: Woocommerce Settings,Freight and Forwarding Account,Акаунт за товари и спедиция apps/erpnext/erpnext/accounts/party.py,Please select a Company,"Моля, изберете компания" apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Редът {0}: {1} трябва да е по-голям от 0 @@ -2857,7 +2879,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Заред DocType: Training Event,Seminar,семинар apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Кредит ({0}) DocType: Payment Request,Subscription Plans,Абонаментни планове -DocType: Quality Goal,March,Март +DocType: GSTR 3B Report,March,Март apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Разделяне на партиди DocType: School House,House Name,Име на къща apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Неизплатените за {0} не могат да бъдат по-малко от нула ({1}) @@ -2920,7 +2942,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Начална дата на застраховката DocType: Target Detail,Target Detail,Целеви детайл DocType: Packing Slip,Net Weight UOM,Нетно тегло UOM -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: Purchase Invoice Item,Net Amount (Company Currency),Нетна сума (валута на компанията) DocType: Bank Statement Transaction Settings Item,Mapped Data,Събрани данни apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Ценни книжа и депозити @@ -2970,6 +2991,7 @@ DocType: Cheque Print Template,Cheque Height,Проверете Височина apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,"Моля, въведете дата за облекчение." DocType: Loyalty Program,Loyalty Program Help,Помощ за програмата за лоялност DocType: Journal Entry,Inter Company Journal Entry Reference,Справка за влизане в междуфирменото списание +DocType: Quality Meeting,Agenda,дневен ред DocType: Quality Action,Corrective,поправителен apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Групирай по DocType: Bank Account,Address and Contact,Адрес и контакт @@ -3023,7 +3045,7 @@ DocType: GL Entry,Credit Amount,Размер на кредит apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Общо кредитирана сума DocType: Support Search Source,Post Route Key List,Списък на ключовете за маршрута apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} не е в активна фискална година. -DocType: Quality Action Table,Problem,проблем +DocType: Quality Action Resolution,Problem,проблем DocType: Training Event,Conference,конференция DocType: Mode of Payment Account,Mode of Payment Account,Начин на плащане Сметка DocType: Leave Encashment,Encashable days,"Дни, подлежащи на инкасо" @@ -3149,7 +3171,7 @@ DocType: Item,"Purchase, Replenishment Details","Покупка, Подробн DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Веднъж зададена, тази фактура ще бъде задържана до определената дата" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"Запасът не може да съществува за елемент {0}, тъй като има варианти" DocType: Lab Test Template,Grouped,Групирани -DocType: Quality Goal,January,януари +DocType: GSTR 3B Report,January,януари DocType: Course Assessment Criteria,Course Assessment Criteria,Критерии за оценка на курса DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Завършен брой @@ -3245,7 +3267,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Тип еди apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Моля, въведете поне 1 фактура в таблицата" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Продажната поръчка {0} не е подадена apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Участието е отбелязано успешно. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Предварителни продажби +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Предварителни продажби apps/erpnext/erpnext/config/projects.py,Project master.,Ръководител на проекта. DocType: Daily Work Summary,Daily Work Summary,Обобщение на ежедневната работа DocType: Asset,Partially Depreciated,Частично обезценени @@ -3254,6 +3276,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Да се напусне ли? DocType: Certified Consultant,Discuss ID,Обсъдете ИД apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,"Моля, задайте GST профили в GST настройки" +DocType: Quiz,Latest Highest Score,Най-висок резултат DocType: Supplier,Billing Currency,Валута на фактуриране apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Студентска дейност apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Целевата или целевата сума е задължителна @@ -3279,18 +3302,21 @@ DocType: Sales Order,Not Delivered,Не е доставено apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Типът на отпускане {0} не може да бъде разпределен, тъй като той е отпуск без заплащане" DocType: GL Entry,Debit Amount,Дебитна сума apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Вече съществува запис за елемента {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Подгрупи 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.","Ако продължават да съществуват множество правила за ценообразуване, потребителите трябва да зададат приоритет ръчно, за да разрешат конфликта." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не може да се приспадне, когато категорията е за „Оценка“ или „Оценка и Общо“" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Изискват се спецификация и количество за производство apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Елементът {0} е достигнал края на живота си на {1} DocType: Quality Inspection Reading,Reading 6,Четене 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Полето на фирмата е задължително apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Потреблението на материали не е зададено в настройките за производство. DocType: Assessment Group,Assessment Group Name,Име на групата за оценка -DocType: Item,Manufacturer Part Number,Номер на част на производителя +DocType: Purchase Invoice Item,Manufacturer Part Number,Номер на част на производителя apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Разплащателна ведомост apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Ред # {0}: {1} не може да бъде отрицателен за елемент {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Количество на баланса +DocType: Question,Multiple Correct Answer,Множество правилни отговори DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Точки за лоялност = Колко базова валута? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Забележка: Няма достатъчно остатъчен баланс за типа на отказа {0} DocType: Clinical Procedure,Inpatient Record,Стационарен запис @@ -3413,6 +3439,7 @@ DocType: Fee Schedule Program,Total Students,Общо студенти apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,местен DocType: Chapter Member,Leave Reason,Остави Разум DocType: Salary Component,Condition and Formula,Състояние и формула +DocType: Quality Goal,Objectives,Цели apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Заплатената сума, вече обработена за период между {0} и {1}, не може да бъде между този период." DocType: BOM Item,Basic Rate (Company Currency),Базов курс (валута на компанията) DocType: BOM Scrap Item,BOM Scrap Item,Елемент за скрап на спецификацията @@ -3463,6 +3490,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Сметка за предявяване на разходи apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Няма възможност за възстановяване на суми за влизане в дневника apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} е неактивен студент +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Направете влизане на склад DocType: Employee Onboarding,Activities,дейности apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Поне един склад е задължителен ,Customer Credit Balance,Баланс на кредитните кредити @@ -3547,7 +3575,6 @@ DocType: Contract,Contract Terms,Договорни условия apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Целевата или целевата сума е задължителна. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Невалиден {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Дата на срещата DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Съкращението не може да съдържа повече от 5 знака DocType: Employee Benefit Application,Max Benefits (Yearly),Максимални ползи (годишно) @@ -3650,7 +3677,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Банкови такси apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Прехвърлени стоки apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Основни данни за контакт -DocType: Quality Review,Values,Стойности DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ако не е отметнато, списъкът трябва да бъде добавен към всеки отдел, където трябва да се приложи." DocType: Item Group,Show this slideshow at the top of the page,Показване на това слайдшоу в горната част на страницата apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Параметърът {0} е невалиден @@ -3669,6 +3695,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Сметка за банкови такси DocType: Journal Entry,Get Outstanding Invoices,Получаване на неизплатени фактури DocType: Opportunity,Opportunity From,Възможност от +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Целеви детайли DocType: Item,Customer Code,Код на клиента apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,"Моля, първо въведете елемента" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Списък на уебсайтове @@ -3697,7 +3724,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Доставка до DocType: Bank Statement Transaction Settings Item,Bank Data,Банкови данни apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Планирано Upto -DocType: Quality Goal,Everyday,Всеки ден DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Поддържане на разплащателни часове и работни часове Също и в разписанието apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Водене на трасе от водещ източник. DocType: Clinical Procedure,Nursing User,Потребител на сестрински грижи @@ -3722,7 +3748,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Управление DocType: GL Entry,Voucher Type,Тип ваучер ,Serial No Service Contract Expiry,Сериен срок на изтичане на договора за услуга DocType: Certification Application,Certified,Сертифицирана -DocType: Material Request Plan Item,Manufacture,производство +DocType: Purchase Invoice Item,Manufacture,производство apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,Произведени са {0} елемента apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Заявка за плащане за {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Дни от последната поръчка @@ -3737,7 +3763,7 @@ DocType: Sales Invoice,Company Address Name,Име на адреса на фир apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Стоки в транзит apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Можете да осребрите максимум {0} точки в този ред. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},"Моля, задайте профил в Warehouse {0}" -DocType: Quality Action Table,Resolution,Резолюция +DocType: Quality Action,Resolution,Резолюция DocType: Sales Invoice,Loyalty Points Redemption,Изплащане на точки за лоялност apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Обща данъчна стойност DocType: Patient Appointment,Scheduled,Планиран @@ -3858,6 +3884,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,скорост apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Запазва се {0} DocType: SMS Center,Total Message(s),Общо съобщение (и) +DocType: Purchase Invoice,Accounting Dimensions,Счетоводни размери apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Група по профил DocType: Quotation,In Words will be visible once you save the Quotation.,In Words ще се вижда след като запишете офертата. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Количество за производство @@ -4022,7 +4049,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Ако имате някакви въпроси, моля да се свържете с нас." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Разписката за покупка {0} не е подадена DocType: Task,Total Expense Claim (via Expense Claim),Общо вземане за разходи (чрез искане за разходи) -DocType: Quality Action,Quality Goal,Цел за качество +DocType: Quality Goal,Quality Goal,Цел за качество DocType: Support Settings,Support Portal,Портал за поддръжка apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Крайната дата на задачата {0} не може да бъде по-малка от {1} очакваната начална дата {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Служител {0} е напуснал на {1} @@ -4081,7 +4108,6 @@ DocType: BOM,Operating Cost (Company Currency),Оперативни разход DocType: Item Price,Item Price,Цена на артикул DocType: Payment Entry,Party Name,Име на партията apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,"Моля, изберете клиент" -DocType: Course,Course Intro,Въведение в курса DocType: Program Enrollment Tool,New Program,Нова програма apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Номер на новия разходен център, той ще бъде включен в името на разходния център като префикс" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Изберете клиента или доставчика. @@ -4282,6 +4308,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Нетното възнаграждение не може да бъде отрицателно apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Брой на взаимодействията 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/hr/doctype/employee/employee_dashboard.py,Shift,изместване apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Обработка на сметки и страни DocType: Stock Settings,Convert Item Description to Clean HTML,Конвертиране на Описание на елемент в Чисто HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Всички групи доставчици @@ -4360,6 +4387,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Родителски елемент apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,брокераж apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},"Моля, създайте квитанция за покупка или фактура за покупка за елемента {0}" +,Product Bundle Balance,Баланс на продуктовия пакет apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Името на компанията не може да бъде Дружество DocType: Maintenance Visit,Breakdown,повреда DocType: Inpatient Record,B Negative,B Отрицателен @@ -4368,7 +4396,7 @@ DocType: Purchase Invoice,Credit To,Кредит към apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Подайте тази работна поръчка за по-нататъшна обработка. DocType: Bank Guarantee,Bank Guarantee Number,Номер на банковата гаранция apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Доставено: {0} -DocType: Quality Action,Under Review,В процес на преразглеждане +DocType: Quality Meeting Table,Under Review,В процес на преразглеждане apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Земеделие (бета) ,Average Commission Rate,Средна ставка на Комисията DocType: Sales Invoice,Customer's Purchase Order Date,Дата на поръчката за поръчка на клиента @@ -4485,7 +4513,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Съвпадение на плащанията с фактури DocType: Holiday List,Weekly Off,Седмично Изкл apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Не се позволява задаване на алтернативен елемент за елемента {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Програмата {0} не съществува. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Програмата {0} не съществува. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Не можете да редактирате коренния възел. DocType: Fee Schedule,Student Category,Студентска категория apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Елемент {0}: {1} произведено количество," @@ -4576,8 +4604,8 @@ DocType: Crop,Crop Spacing,Интервал на изрязване DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Колко често трябва да се актуализират проекта и компанията въз основа на транзакциите по продажбите. DocType: Pricing Rule,Period Settings,Настройки за период apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Нетна промяна в вземанията +DocType: Quality Feedback Template,Quality Feedback Template,Шаблон за обратна връзка за качество apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,За количеството трябва да бъде по-голямо от нула -DocType: Quality Goal,Goal Objectives,Цели на целта apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Съществуват несъответствия между ставката, броя акции и изчислената сума" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Оставете празно, ако правите групи ученици годишно" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Кредити (пасиви) @@ -4612,12 +4640,13 @@ DocType: Quality Procedure Table,Step,стъпка DocType: Normal Test Items,Result Value,Стойност на резултата DocType: Cash Flow Mapping,Is Income Tax Liability,Данъчна отговорност DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Стационарна позиция за посещение в болницата -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} не съществува. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} не съществува. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Актуализиране на отговора DocType: Bank Guarantee,Supplier,доставчик apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Въведете стойност между {0} и {1} DocType: Purchase Order,Order Confirmation Date,Дата на потвърждение на поръчката DocType: Delivery Trip,Calculate Estimated Arrival Times,Изчислете прогнозните времена на пристигане +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте системата за именуване на служители в човешките ресурси> Настройки за човешки ресурси" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,консумативи DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Начална дата на абонамента @@ -4681,6 +4710,7 @@ DocType: Cheque Print Template,Is Account Payable,Има дължима смет apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Обща стойност на поръчката apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Доставчикът {0} не е намерен в {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Настройка на настройките на шлюза за SMS +DocType: Salary Component,Round to the Nearest Integer,Към най-близкото цяло число apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Root не може да има родителски разходен център DocType: Healthcare Service Unit,Allow Appointments,Разрешаване на срещи DocType: BOM,Show Operations,Показване на операции @@ -4809,7 +4839,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,По подразбиране Списък на ваканциите DocType: Naming Series,Current Value,Текуща стойност apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Сезонност за определяне на бюджети, цели и др." -DocType: Program,Program Code,Код на програмата apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Предупреждение: Поръчка за продажба {0} вече съществува срещу Поръчката на Клиента {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Целева месечна продажба ( DocType: Guardian,Guardian Interests,Интереси на пазителите @@ -4859,10 +4888,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Платени и неизпратени apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Кодът на елемента е задължителен, защото елементът не е автоматично номериран" DocType: GST HSN Code,HSN Code,Код на HSN -DocType: Quality Goal,September,Септември +DocType: GSTR 3B Report,September,Септември apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Административни разходи DocType: C-Form,C-Form No,C-образна форма № DocType: Purchase Invoice,End date of current invoice's period,Крайна дата на периода на текущата фактура +DocType: Item,Manufacturers,Производители DocType: Crop Cycle,Crop Cycle,Цикъл на изрязване DocType: Serial No,Creation Time,Време за създаване apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Моля, въведете Роля на одобрение или Удостоверяващ потребител" @@ -4935,8 +4965,6 @@ DocType: Employee,Short biography for website and other publications.,Кратк DocType: Purchase Invoice Item,Received Qty,Получено количество DocType: Purchase Invoice Item,Rate (Company Currency),Тарифа (валута на компанията) DocType: Item Reorder,Request for,заявка за -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Моля, изтрийте служителя {0} , за да отмените този документ" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Инсталиране на предварителни настройки apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,"Моля, въведете Периоди за Погасяване" DocType: Pricing Rule,Advanced Settings,Разширени настройки @@ -4961,7 +4989,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Активиране на пазарската кошница DocType: Pricing Rule,Apply Rule On Other,Прилагане на правило за друго DocType: Vehicle,Last Carbon Check,Последен карбонов чек -DocType: Vehicle,Make,правя +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,правя apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,"Фактура за продажби {0}, създадена като платена" apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,За да създадете искане за плащане е необходим справочен документ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Данък общ доход @@ -5037,7 +5065,6 @@ DocType: Territory,Parent Territory,Територия на родителите DocType: Vehicle Log,Odometer Reading,Четене на километража DocType: Additional Salary,Salary Slip,Заплащане DocType: Payroll Entry,Payroll Frequency,Честота на заплатите -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте системата за именуване на служители в човешките ресурси> Настройки за човешки ресурси" apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Началните и крайните дати, които не са в валиден период на заплащане, не могат да изчислят {0}" DocType: Products Settings,Home Page is Products,Начална страница е Продукти apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,призовава @@ -5091,7 +5118,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Извличане на записи ...... DocType: Delivery Stop,Contact Information,Информация за връзка DocType: Sales Order Item,For Production,За производство -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Моля, настройте системата за именуване на инструктори в образованието> Настройки на образованието" DocType: Serial No,Asset Details,Подробности за активите DocType: Restaurant Reservation,Reservation Time,Време за резервация DocType: Selling Settings,Default Territory,Територия по подразбиране @@ -5231,6 +5257,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Изтеклите партиди DocType: Shipping Rule,Shipping Rule Type,Тип правило за доставка DocType: Job Offer,Accepted,Приемани +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Моля, изтрийте служителя {0} , за да отмените този документ" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Вече сте оценили критериите за оценка {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Изберете Пакетни номера apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Възраст (дни) @@ -5247,6 +5275,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Включете елементи в момента на продажбата. DocType: Payment Reconciliation Payment,Allocated Amount,Разпределена сума apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,"Моля, изберете Фирма и Обозначение" +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,"Дата" се изисква DocType: Email Digest,Bank Credit Balance,Баланс по банкови кредити apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Показване на натрупаната сума apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,"Нямате достатъчно точки за лоялност, за да ги изплатите" @@ -5307,11 +5336,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,На Общо пред DocType: Student,Student Email Address,Имейл адрес на ученика DocType: Academic Term,Education,образование DocType: Supplier Quotation,Supplier Address,Адрес на доставчика -DocType: Salary Component,Do not include in total,Не включвайте общо +DocType: Salary Detail,Do not include in total,Не включвайте общо apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Не може да се зададат няколко стандартни елемента за фирма. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} не съществува DocType: Purchase Receipt Item,Rejected Quantity,Отхвърлено количество DocType: Cashier Closing,To TIme,Към Времето +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: Daily Work Summary Group User,Daily Work Summary Group User,Ежедневен потребител на групата с резюме на работата DocType: Fiscal Year Company,Fiscal Year Company,Фискална година apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Алтернативният елемент не трябва да е същият като кода на артикула @@ -5421,7 +5451,6 @@ DocType: Fee Schedule,Send Payment Request Email,Изпращане на име DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,In Words ще се вижда след като запазите фактурата за продажби. DocType: Sales Invoice,Sales Team1,Търговски екип1 DocType: Work Order,Required Items,Задължителни елементи -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Специални символи с изключение на "-", "#", "." и "/" не е позволено в именуването на сериите" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Прочетете ръководството за ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Проверете уникалността на фактурата на доставчика apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Търсене в подгрупи @@ -5489,7 +5518,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Процент приспадан apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Количество за производство не може да бъде по-малко от нула DocType: Share Balance,To No,Към Не DocType: Leave Control Panel,Allocate Leaves,Разпределяне на листата -DocType: Quiz,Last Attempt,Последен опит DocType: Assessment Result,Student Name,Име на ученика apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,План за посещения за поддръжка. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Следните заявки за материали са повдигнати автоматично въз основа на нивото на пренареждане на елемента @@ -5558,6 +5586,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Цвят на индикатора DocType: Item Variant Settings,Copy Fields to Variant,Копирайте полетата към вариант DocType: Soil Texture,Sandy Loam,Санди Лоам +DocType: Question,Single Correct Answer,Единичен правилен отговор apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,От датата не може да бъде по-малка от датата на присъединяване на служителя DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Позволете няколко поръчки за продажба срещу Поръчката на Клиента apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5620,7 +5649,7 @@ DocType: Account,Expenses Included In Valuation,"Разходи, включен apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Серийни номера DocType: Salary Slip,Deductions,Удръжки ,Supplier-Wise Sales Analytics,Анализ на продажбите в зависимост от доставчика -DocType: Quality Goal,February,февруари +DocType: GSTR 3B Report,February,февруари DocType: Appraisal,For Employee,За служител apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Действителна дата на доставка DocType: Sales Partner,Sales Partner Name,Име на търговски партньор @@ -5716,7 +5745,6 @@ DocType: Procedure Prescription,Procedure Created,Създадена проце apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Срещу фактура на доставчика {0} от {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Промяна на POS профила apps/erpnext/erpnext/utilities/activation.py,Create Lead,Създайте олово -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Доставчик> Тип доставчик DocType: Shopify Settings,Default Customer,Клиент по подразбиране DocType: Payment Entry Reference,Supplier Invoice No,Фактура на доставчика № DocType: Pricing Rule,Mixed Conditions,Смесени условия @@ -5767,12 +5795,14 @@ DocType: Item,End of Life,Край на живота DocType: Lab Test Template,Sensitivity,чувствителност DocType: Territory,Territory Targets,Териториални цели apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Пропускане на отпускане на отпуск за следните служители, тъй като записите за отпускане на отпуск вече съществуват срещу тях. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Резолюция за действие за качество DocType: Sales Invoice Item,Delivered By Supplier,Доставя се от доставчика DocType: Agriculture Analysis Criteria,Plant Analysis,Анализ на растенията apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Разходната сметка е задължителна за елемент {0} ,Subcontracted Raw Materials To Be Transferred,"Субподготовки, които трябва да бъдат прехвърлени" DocType: Cashier Closing,Cashier Closing,Затваряне на касата apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Елементът {0} вече е върнат +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Невалиден GSTIN! Въведеният от вас вход не съответства на GSTIN формата за притежателите на UIN или на нерезидентните доставчици на услуги на OIDAR apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,За този склад съществува детски склад. Не можете да изтриете този склад. DocType: Diagnosis,Diagnosis,диагноза apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Няма период на отпуск между {0} и {1} @@ -5789,6 +5819,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Настройки за от DocType: Homepage,Products,Продукти ,Profit and Loss Statement,Отчет за печалбата и загубата apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Резервирани стаи +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Дублиран запис срещу кода на елемента {0} и производителя {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Общо тегло apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,пътуване @@ -5837,6 +5868,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Група на клиентите по подразбиране DocType: Journal Entry Account,Debit in Company Currency,Дебит във фирмена валута DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Аварийната серия е "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Програма за качество на срещата DocType: Cash Flow Mapper,Section Header,Заглавие на раздел apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Вашите продукти или услуги DocType: Crop,Perennial,целогодишен @@ -5882,7 +5914,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Продукт или услуга, които са закупени, продадени или запазени на склад." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Затваряне (отваряне + общо) DocType: Supplier Scorecard Criteria,Criteria Formula,Формула на критериите -,Support Analytics,Поддръжка на Google Анализ +apps/erpnext/erpnext/config/support.py,Support Analytics,Поддръжка на Google Анализ apps/erpnext/erpnext/config/quality_management.py,Review and Action,Преглед и действие DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ако сметката е замразена, записите са разрешени за ограничени потребители." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Сума след амортизация @@ -5927,7 +5959,6 @@ DocType: Contract Template,Contract Terms and Conditions,Условия на д apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Извличане на данни DocType: Stock Settings,Default Item Group,Група на елемента по подразбиране DocType: Sales Invoice Timesheet,Billing Hours,Часове за таксуване -DocType: Item,Item Code for Suppliers,Код на артикула за доставчиците apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Заявката за напускане {0} вече съществува срещу студента {1} DocType: Pricing Rule,Margin Type,Вид на маржа DocType: Purchase Invoice Item,Rejected Serial No,Отхвърлен сериен номер @@ -6000,6 +6031,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Листата са доставени успешно DocType: Loyalty Point Entry,Expiry Date,Срок на годност DocType: Project Task,Working,работната +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} вече има родителска процедура {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Това се основава на сделки срещу този пациент. За подробности вижте графиката по-долу DocType: Material Request,Requested For,Заявено за DocType: SMS Center,All Sales Person,Всички продавачи @@ -6087,6 +6119,7 @@ DocType: Loan Type,Maximum Loan Amount,Максимална сума на кре apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Имейлът не е намерен в контакта по подразбиране DocType: Hotel Room Reservation,Booked,Резервирано DocType: Maintenance Visit,Partially Completed,Частично завършено +DocType: Quality Procedure Process,Process Description,Описание на процеса DocType: Company,Default Employee Advance Account,Авансова сметка за служители по подразбиране DocType: Leave Type,Allow Negative Balance,Разрешаване на отрицателен баланс apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Име на плана за оценка @@ -6128,6 +6161,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Искане за позиция на оферта apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} е въведено два пъти в Данък за артикул DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Приспадане на пълен данък върху избраната дата на изплащане +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Последната дата за проверка на въглерода не може да бъде бъдеща дата apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Изберете сметка за промяна на сумата DocType: Support Settings,Forum Posts,Форумни мнения DocType: Timesheet Detail,Expected Hrs,Очаквани часове @@ -6137,7 +6171,7 @@ DocType: Program Enrollment Tool,Enroll Students,Запишете студент apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Повторете приходите на клиентите DocType: Company,Date of Commencement,Дата на започване DocType: Bank,Bank Name,Име на банката -DocType: Quality Goal,December,декември +DocType: GSTR 3B Report,December,декември apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Валидна от датата трябва да бъде по-малка от валидната дата apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Това се основава на присъствието на този служител DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ако е отметнато, началната страница ще бъде стандартната група елементи за уебсайта" @@ -6180,6 +6214,7 @@ DocType: Payment Entry,Payment Type,Вид плащане apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Номерата на фолиото не съвпадат DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Проверка на качеството: {0} не е подадена за елемента: {1} в ред {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Показване на {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,Намерен е {0} елемент. ,Stock Ageing,Стареене на запасите DocType: Customer Group,Mention if non-standard receivable account applicable,"Посочете, ако е приложим нестандартно вземане" @@ -6458,6 +6493,7 @@ DocType: Travel Request,Costing,Остойностяване apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Фиксирани активи DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Общо приходи +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Група клиенти> Територия DocType: Share Balance,From No,От Не DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Фактура за съгласуване на плащанията DocType: Purchase Invoice,Taxes and Charges Added,Добавени са данъци и такси @@ -6465,7 +6501,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Помислет DocType: Authorization Rule,Authorized Value,Оторизирана стойност apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Получено от apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Склад {0} не съществува +DocType: Item Manufacturer,Item Manufacturer,Производител на артикул DocType: Sales Invoice,Sales Team,Търговски екип +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Количество на пакет DocType: Purchase Order Item Supplied,Stock UOM,Запас UOM DocType: Installation Note,Installation Date,Дата на инсталиране DocType: Email Digest,New Quotations,Нови оферти @@ -6529,7 +6567,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Име на ваканционен списък DocType: Water Analysis,Collection Temperature ,Температура на събиране DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Управлявайте фактурата за срещи и я откажете автоматично за среща с пациенти -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Моля, задайте серия на имената за {0} чрез Настройка> Настройки> Серия на имената" DocType: Employee Benefit Claim,Claim Date,Дата на иска DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"Оставете празно, ако Доставчикът е блокиран за неопределено време" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Присъствието от датата и присъствието към датата е задължително @@ -6540,6 +6577,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Дата на пенсиониране apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,"Моля, изберете Пациент" DocType: Asset,Straight Line,Права +DocType: Quality Action,Resolutions,резолюции DocType: SMS Log,No of Sent SMS,№ на изпратените SMS ,GST Itemised Sales Register,GST Подробен търговски регистър apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Общата сума на аванса не може да бъде по-голяма от общата санкционирана сума @@ -6650,7 +6688,7 @@ DocType: Account,Profit and Loss,Печалба и загуба apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Количество на разликата DocType: Asset Finance Book,Written Down Value,Написана стойност apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Откриване на Балансовия собствен капитал -DocType: Quality Goal,April,април +DocType: GSTR 3B Report,April,април DocType: Supplier,Credit Limit,Кредитен лимит apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,разпределение apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6705,6 +6743,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Свържете Shopify с ERPNext DocType: Homepage Section Card,Subtitle,подзаглавие DocType: Soil Texture,Loam,глинеста почва +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Доставчик> Тип доставчик DocType: BOM,Scrap Material Cost(Company Currency),Цена на материал за скрап (валута на фирмата) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Бележка за доставка {0} не трябва да се изпраща DocType: Task,Actual Start Date (via Time Sheet),Действителна начална дата (чрез лист с данни) @@ -6760,7 +6799,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,дозиране DocType: Cheque Print Template,Starting position from top edge,Начална позиция от горния край apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Продължителност на срещата (мин.) -DocType: Pricing Rule,Disable,правя неспособен +DocType: Accounting Dimension,Disable,правя неспособен DocType: Email Digest,Purchase Orders to Receive,Поръчки за покупка за получаване apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Поръчки за продукти не могат да бъдат повдигнати за: DocType: Projects Settings,Ignore Employee Time Overlap,Игнорирайте припокриването на времето на служителя @@ -6844,6 +6883,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Съз DocType: Item Attribute,Numeric Values,Числови стойности DocType: Delivery Note,Instructions,инструкции DocType: Blanket Order Item,Blanket Order Item,Елементна поръчка +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Задължително за сметка на печалбата и загубата apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Размерът на Комисията не може да надвишава 100 DocType: Course Topic,Course Topic,Тема на курса DocType: Employee,This will restrict user access to other employee records,Това ще ограничи достъпа на потребителя до други записи на служители @@ -6868,12 +6908,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Управле apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Вземете клиенти от apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Дайджест DocType: Employee,Reports to,Докладва на +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Сметка за партия DocType: Assessment Plan,Schedule,разписание apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,"Моля, въведете" DocType: Lead,Channel Partner,Партньор на канала apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Фактурирана сума DocType: Project,From Template,От шаблон +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Абонаменти apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,"Количество, което трябва да се направи" DocType: Quality Review Table,Achieved,Постигнати @@ -6920,7 +6962,6 @@ DocType: Journal Entry,Subscription Section,Секция Абонамент DocType: Salary Slip,Payment Days,Дни на плащане apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Информация за доброволци. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,""Замразяване на запаси, по-стари от" трябва да бъде по-малко от% d дни." -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Изберете фискална година DocType: Bank Reconciliation,Total Amount,Обща сума DocType: Certification Application,Non Profit,Нестопанска цел DocType: Subscription Settings,Cancel Invoice After Grace Period,Отказ от фактура след гратисен период @@ -6933,7 +6974,6 @@ DocType: Serial No,Warranty Period (Days),Гаранционен период ( DocType: Expense Claim Detail,Expense Claim Detail,Детайли за искане за разходи apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,програма: DocType: Patient Medical Record,Patient Medical Record,Пациентски медицински запис -DocType: Quality Action,Action Description,Описание на действието DocType: Item,Variant Based On,Въз основа на варианта DocType: Vehicle Service,Brake Oil,Спирачно масло DocType: Employee,Create User,Създаване на потребител @@ -6989,7 +7029,7 @@ DocType: Cash Flow Mapper,Section Name,Име на раздел DocType: Packed Item,Packed Item,Опакован артикул apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Изисква се дебитна или кредитна сума за {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Подаване на пропуски в заплатите ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Не се предприемат действия +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Не се предприемат действия apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Бюджетът не може да бъде присвоен срещу {0}, тъй като той не е сметка за приходи или разходи" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Учители и профили DocType: Quality Procedure Table,Responsible Individual,Отговорно лице @@ -7112,7 +7152,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Позволете създаването на профила срещу детето DocType: Payment Entry,Company Bank Account,Банкова сметка на компанията DocType: Amazon MWS Settings,UK,Великобритания -DocType: Quality Procedure,Procedure Steps,Стъпки на процедурата DocType: Normal Test Items,Normal Test Items,Нормални тестови елементи apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Елемент {0}: Поръчаното количество {1} не може да бъде по-малко от минималната поръчка {2} (дефинирана в позиция). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Не е в наличност @@ -7191,7 +7230,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,анализ DocType: Maintenance Team Member,Maintenance Role,Роля на поддръжката apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Условия за ползване DocType: Fee Schedule Program,Fee Schedule Program,Програма за таксуване -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Курсът {0} не съществува. DocType: Project Task,Make Timesheet,Направете разписание DocType: Production Plan Item,Production Plan Item,Продуктов план apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Общо студент @@ -7213,6 +7251,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Обобщавайки apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Можете да го подновите, само ако членството ви изтече в рамките на 30 дни" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Стойността трябва да е между {0} и {1} +DocType: Quality Feedback,Parameters,Параметри ,Sales Partner Transaction Summary,Резюме на транзакциите на търговски партньори DocType: Asset Maintenance,Maintenance Manager Name,Име на мениджъра за поддръжка apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Необходимо е да изтеглите Детайли на елемента. @@ -7251,6 +7290,7 @@ DocType: Student Admission,Student Admission,Студентски прием DocType: Designation Skill,Skill,умение DocType: Budget Account,Budget Account,Бюджетен профил DocType: Employee Transfer,Create New Employee Id,Създайте нов идентификатор на служител +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} се изисква за профила „Печалба и загуба“ {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Данък за стоки и услуги (GST Индия) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Създаване на пропуски в заплатите ... DocType: Employee Skill,Employee Skill,Умение за служители @@ -7351,6 +7391,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Фактур DocType: Subscription,Days Until Due,Дни до просрочване apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Покажи завършено apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Отчет за вписване на транзакции в банковите извлечения +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ред # {0}: Скоростта трябва да бъде същата като {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Позиции за здравни услуги @@ -7407,6 +7448,7 @@ DocType: Training Event Employee,Invited,Поканени apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Максималната допустима сума за компонента {0} надхвърля {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Сума за сметката apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","За {0}, само дебитни сметки могат да бъдат свързани с друг кредит" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Размерите се създават ... DocType: Bank Statement Transaction Entry,Payable Account,Платена сметка apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,"Моля, посочете необходимия брой посещения" DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Изберете само ако имате настроени документи за касови потоци @@ -7424,6 +7466,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice," DocType: Service Level,Resolution Time,Време на разделителна способност DocType: Grading Scale Interval,Grade Description,Описание на класа DocType: Homepage Section,Cards,карти +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Протокол за качество на срещата DocType: Linked Plant Analysis,Linked Plant Analysis,Свързан анализ на растенията apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Датата на спиране на услугата не може да бъде след Крайна дата на услугата apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,"Моля, задайте B2C лимит в настройките на GST." @@ -7458,7 +7501,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Инструмент DocType: Employee,Educational Qualification,образователна квалификация apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Достъпна стойност apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Примерният брой {0} не може да надвишава полученото количество {1} -DocType: Quiz,Last Highest Score,Последен най-висок резултат DocType: POS Profile,Taxes and Charges,Данъци и такси DocType: Opportunity,Contact Mobile No,Мобилен телефон за връзка No DocType: Employee,Joining Details,Детайли за присъединяване diff --git a/erpnext/translations/bn.csv b/erpnext/translations/bn.csv index 702ac34348..8836a86c03 100644 --- a/erpnext/translations/bn.csv +++ b/erpnext/translations/bn.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,সরবরাহকার DocType: Journal Entry Account,Party Balance,পার্টি ব্যালেন্স apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),তহবিলের উত্স (দায়) DocType: Payroll Period,Taxable Salary Slabs,করযোগ্য বেতন স্ল্যাব +DocType: Quality Action,Quality Feedback,মান প্রতিক্রিয়া DocType: Support Settings,Support Settings,সমর্থন সেটিংস apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,প্রথম উত্পাদনের আইটেম লিখুন দয়া করে DocType: Quiz,Grading Basis,গ্রেডিং বেসিস @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,আরো ব DocType: Salary Component,Earning,রোজগার DocType: Restaurant Order Entry,Click Enter To Add,যোগ করতে লিখুন ক্লিক করুন DocType: Employee Group,Employee Group,কর্মচারী গ্রুপ +DocType: Quality Procedure,Processes,প্রসেস DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,এক মুদ্রা অন্য রূপান্তর করতে এক্সচেঞ্জ রেট নির্দিষ্ট করুন apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,বয়সের বিন্যাস 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},স্টক আইটেম জন্য আবশ্যক গুদাম আইটেম {0} @@ -156,11 +158,13 @@ DocType: Complaint,Complaint,অভিযোগ DocType: Shipping Rule,Restrict to Countries,দেশে সীমাবদ্ধ DocType: Hub Tracked Item,Item Manager,আইটেম ম্যানেজার apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},বন্ধ অ্যাকাউন্টের মুদ্রা অবশ্যই {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,বাজেট apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,চালান আইটেম খোলা DocType: Work Order,Plan material for sub-assemblies,উপ-সমাহারগুলির জন্য পরিকল্পনা উপাদান apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,হার্ডওয়্যারের DocType: Budget,Action if Annual Budget Exceeded on MR,বার্ষিক বাজেটে মি DocType: Sales Invoice Advance,Advance Amount,অগ্রিম পরিমাণ +DocType: Accounting Dimension,Dimension Name,মাত্রা নাম DocType: Delivery Note Item,Against Sales Invoice Item,বিক্রয় চালান আইটেম বিরুদ্ধে DocType: Expense Claim,HR-EXP-.YYYY.-,এইচআর-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,ম্যানুফ্যাকচারিং আইটেম অন্তর্ভুক্ত করুন @@ -217,7 +221,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,এটার ক ,Sales Invoice Trends,বিক্রয় চালান ট্রেন্ডস DocType: Bank Reconciliation,Payment Entries,পেমেন্ট এন্ট্রি DocType: Employee Education,Class / Percentage,ক্লাস / শতাংশ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,আইটেম কোড> আইটেম গ্রুপ> ব্র্যান্ড ,Electronic Invoice Register,বৈদ্যুতিন চালান নিবন্ধন DocType: Sales Invoice,Is Return (Credit Note),রিটার্ন (ক্রেডিট নোট) DocType: Lab Test Sample,Lab Test Sample,ল্যাব টেস্ট নমুনা @@ -291,6 +294,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,ভেরিয়েন্ট apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",আপনার নির্বাচন অনুসারে আইটেমটি qty বা পরিমাণের উপর ভিত্তি করে আনুপাতিকভাবে বিতরণ করা হবে apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,আজকের জন্য মুলতুবি কার্যক্রম +DocType: Quality Procedure Process,Quality Procedure Process,গুণ পদ্ধতি প্রক্রিয়া DocType: Fee Schedule Program,Student Batch,ছাত্র ব্যাচ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},মূল্যের জন্য মূল্য মূল্যের প্রয়োজন {0} DocType: BOM Operation,Base Hour Rate(Company Currency),বেস ঘন্টা হার (কোম্পানি মুদ্রা) @@ -310,7 +314,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,সিরিয়াল কোন ইনপুট উপর ভিত্তি করে লেনদেনের মধ্যে Qty Qty apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},অগ্রিম অ্যাকাউন্ট মুদ্রাটি কোম্পানির মুদ্রা হিসাবে একই হওয়া উচিত {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,হোমপেজ বিভাগ কাস্টমাইজ করুন -DocType: Quality Goal,October,অক্টোবর +DocType: GSTR 3B Report,October,অক্টোবর DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,বিক্রয় লেনদেন থেকে গ্রাহক এর ট্যাক্স আইডি লুকান apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,অবৈধ GSTIN! একটি জিএসটিআইএন 15 অক্ষর থাকতে হবে। apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,মূল্যায়ন নিয়ম {0} আপডেট করা হয় @@ -397,7 +401,7 @@ DocType: GoCardless Mandate,GoCardless Customer,GoCardless গ্রাহক DocType: Leave Encashment,Leave Balance,ব্যালেন্স ছেড়ে দিন DocType: Assessment Plan,Supervisor Name,সুপারভাইজার নাম DocType: Selling Settings,Campaign Naming By,দ্বারা প্রচারাভিযান নামকরণ -DocType: Course,Course Code,কোর্স কোড +DocType: Student Group Creation Tool Course,Course Code,কোর্স কোড apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,মহাকাশ DocType: Landed Cost Voucher,Distribute Charges Based On,উপর ভিত্তি করে চার্জ বিতরণ DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,সরবরাহকারী স্কোরকার্ড স্কোরিং মাপদণ্ড @@ -479,10 +483,8 @@ DocType: Restaurant Menu,Restaurant Menu,রেস্টুরেন্ট ম DocType: Asset Movement,Purpose,উদ্দেশ্য apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,কর্মচারী জন্য বেতন গঠন অ্যাসাইনমেন্ট ইতিমধ্যে বিদ্যমান DocType: Clinical Procedure,Service Unit,সেবা ইউনিট -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গ্রুপ> অঞ্চল DocType: Travel Request,Identification Document Number,সনাক্তকারী ডকুমেন্ট সংখ্যা DocType: Stock Entry,Additional Costs,অতিরিক্ত খরচ -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","পিতামাতা কোর্স (ফাঁকা ছেড়ে দিন, যদি এটি মূল কোর্সের অংশ না হয়)" DocType: Employee Education,Employee Education,কর্মচারী শিক্ষা apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,অবস্থানের সংখ্যা কর্মচারীদের বর্তমান গণনা কম হতে পারে না apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,সমস্ত গ্রাহক গ্রুপ @@ -529,6 +531,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,সারি {0}: Qty বাধ্যতামূলক DocType: Sales Invoice,Against Income Account,আয় হিসাব বিরুদ্ধে apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},সারি # {0}: একটি বিদ্যমান সম্পত্তির বিরুদ্ধে চালান চালানো যাবে না {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,বিভিন্ন প্রচারমূলক স্কিম প্রয়োগের জন্য বিধি। apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM এর জন্য UOM কভারেজ ফ্যাক্টর প্রয়োজন: {0} আইটেমটিতে: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},আইটেম {0} জন্য পরিমাণ লিখুন DocType: Workstation,Electricity Cost,বিদ্যুৎ খরচ @@ -863,7 +866,6 @@ DocType: Item,Total Projected Qty,মোট প্রজেক্টেড Qty apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,প্রকৃত শুরু তারিখ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,আপনি প্রতিরক্ষামূলক ছুটির অনুরোধ দিনের মধ্যে সমস্ত দিন (গুলি) উপস্থাপন করা হয় না -DocType: Company,About the Company,প্রতিষ্ঠানটি সম্পর্কে apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,আর্থিক অ্যাকাউন্ট গাছ। apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,পরোক্ষ আয় DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,হোটেল রুম সংরক্ষণ আইটেম @@ -878,6 +880,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,সম্ভ DocType: Skill,Skill Name,দক্ষতা নাম apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,মুদ্রণ রিপোর্ট কার্ড DocType: Soil Texture,Ternary Plot,টার্নারি প্লট +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,সমর্থন টিকেট DocType: Asset Category Account,Fixed Asset Account,স্থায়ী সম্পদ অ্যাকাউন্ট apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,সর্বশেষ @@ -887,6 +890,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,প্রোগ্ ,IRS 1099,আইআরএস 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,ব্যবহার করা সিরিজ সেট করুন। DocType: Delivery Trip,Distance UOM,দূরত্ব UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,ব্যালেন্স শীট জন্য বাধ্যতামূলক DocType: Payment Entry,Total Allocated Amount,মোট বরাদ্দ পরিমাণ DocType: Sales Invoice,Get Advances Received,অগ্রিম প্রাপ্তি পান DocType: Student,B-,বি- @@ -908,6 +912,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,রক্ষণা apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,পিওএস প্রোফাইল পিওএস এন্ট্রি করতে প্রয়োজন DocType: Education Settings,Enable LMS,এলএমএস সক্রিয় করুন DocType: POS Closing Voucher,Sales Invoices Summary,বিক্রয় চালান সারসংক্ষেপ +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,সুবিধা apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,অ্যাকাউন্টে ক্রেডিট একটি ব্যালেন্স শীট অ্যাকাউন্ট হতে হবে DocType: Video,Duration,স্থিতিকাল DocType: Lab Test Template,Descriptive,বর্ণনামূলক @@ -958,6 +963,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,শুরু এবং শেষ তারিখ DocType: Supplier Scorecard,Notify Employee,কর্মচারী অবহিত apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,সফটওয়্যার +DocType: Program,Allow Self Enroll,স্ব নাম লিখুন apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,স্টক খরচ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,রেফারেন্স নং আপনি রেফারেন্স তারিখ প্রবেশ করা হয় তাহলে বাধ্যতামূলক DocType: Training Event,Workshop,কারখানা @@ -1010,6 +1016,7 @@ DocType: Lab Test Template,Lab Test Template,ল্যাব টেস্ট ট apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},সর্বোচ্চ: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ই চালান তথ্য অনুপস্থিত apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,কোন উপাদান অনুরোধ তৈরি +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,আইটেম কোড> আইটেম গ্রুপ> ব্র্যান্ড DocType: Loan,Total Amount Paid,প্রদত্ত মোট পরিমাণ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,এই সব আইটেম ইতিমধ্যে চালিত হয়েছে DocType: Training Event,Trainer Name,প্রশিক্ষক নাম @@ -1031,6 +1038,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,শিক্ষাবর্ষ DocType: Sales Stage,Stage Name,পর্যায় নাম DocType: SMS Center,All Employee (Active),সমস্ত কর্মচারী (সক্রিয়) +DocType: Accounting Dimension,Accounting Dimension,অ্যাকাউন্টিং মাত্রা DocType: Project,Customer Details,গ্রাহক বিবরণ DocType: Buying Settings,Default Supplier Group,ডিফল্ট সরবরাহকারী গ্রুপ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,প্রথমে ক্রয় প্রাপ্তি {0} বাতিল করুন @@ -1145,7 +1153,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","উচ্চত DocType: Designation,Required Skills,প্রয়োজনীয় দক্ষতা DocType: Marketplace Settings,Disable Marketplace,মার্কেটপ্লেস অক্ষম করুন DocType: Budget,Action if Annual Budget Exceeded on Actual,বাস্তব বার্ষিক বাজেট বাস্তবায়নের উপর ক্রিয়া -DocType: Course,Course Abbreviation,কোর্স সংক্ষেপে apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,ছুটিতে {0} হিসাবে উপস্থিতি {0} জন্য জমা দেওয়া হয়নি। DocType: Pricing Rule,Promotional Scheme Id,প্রোমোশনাল স্কিম আইডি DocType: Driver,License Details,লাইসেন্স বিবরণ @@ -1287,7 +1294,7 @@ DocType: Bank Guarantee,Margin Money,মার্জিন টাকা DocType: Chapter,Chapter,অধ্যায় DocType: Purchase Receipt Item Supplied,Current Stock,বর্তমান তহবিল DocType: Employee,History In Company,কোম্পানির ইতিহাস -DocType: Item,Manufacturer,উত্পাদক +DocType: Purchase Invoice Item,Manufacturer,উত্পাদক apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,মাঝারি সংবেদনশীলতা DocType: Compensatory Leave Request,Leave Allocation,বরাদ্দ ছেড়ে দিন DocType: Timesheet,Timesheet,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড @@ -1318,6 +1325,7 @@ DocType: Work Order,Material Transferred for Manufacturing,উপাদান DocType: Products Settings,Hide Variants,ভেরিয়েন্ট লুকান DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ক্যাপাসিটি পরিকল্পনা এবং সময় ট্র্যাকিং নিষ্ক্রিয় করুন DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* লেনদেন গণনা করা হবে। +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} 'ব্যালেন্স শীট' অ্যাকাউন্টের জন্য প্রয়োজন {1}। apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} {1} এর সাথে ট্র্যাক করার অনুমতি নেই। কোম্পানী পরিবর্তন করুন। 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}" DocType: Delivery Trip,Delivery Details,প্রসবের বিবরণ @@ -1353,7 +1361,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,পূর্ববর্ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,পরিমাপের একক DocType: Lab Test,Test Template,টেস্ট টেম্পলেট DocType: Fertilizer,Fertilizer Contents,সার উপাদান -apps/erpnext/erpnext/utilities/user_progress.py,Minute,মিনিট +DocType: Quality Meeting Minutes,Minute,মিনিট apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","সারি # {0}: সম্পদ {1} জমা দেওয়া যাবে না, এটি ইতিমধ্যে {2}" DocType: Task,Actual Time (in Hours),প্রকৃত সময় (ঘন্টা) DocType: Period Closing Voucher,Closing Account Head,অ্যাকাউন্ট বন্ধ হেড @@ -1526,7 +1534,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,পরীক্ষাগা DocType: Purchase Order,To Bill,বিল apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,ইউটিলিটি খরচ DocType: Manufacturing Settings,Time Between Operations (in mins),অপারেশনগুলির মধ্যে সময় (মিনিটে) -DocType: Quality Goal,May,মে +DocType: GSTR 3B Report,May,মে apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","পেমেন্ট গেটওয়ে অ্যাকাউন্ট তৈরি করা হয়নি, দয়া করে ম্যানুয়ালি তৈরি করুন।" DocType: Opening Invoice Creation Tool,Purchase,ক্রয় DocType: Program Enrollment,School House,স্কুল হাউস @@ -1558,6 +1566,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,আপনার সরবরাহকারী সম্পর্কে বিধিবদ্ধ তথ্য এবং অন্যান্য সাধারণ তথ্য DocType: Item Default,Default Selling Cost Center,ডিফল্ট বিক্রয় খরচ কেন্দ্র DocType: Sales Partner,Address & Contacts,ঠিকানা এবং পরিচিতি +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,সেটআপের মাধ্যমে উপস্থিতি জন্য সংখ্যায়ন সিরিজ সেটআপ করুন> সংখ্যায়ন সিরিজ DocType: Subscriber,Subscriber,গ্রাহক apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ফর্ম / আইটেম / {0}) স্টক আউট হয় apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,প্রথমে পোস্টিং তারিখ নির্বাচন করুন @@ -1585,6 +1594,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,ইনশিপেন্ DocType: Bank Statement Settings,Transaction Data Mapping,লেনদেন ডেটা ম্যাপিং apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,লিডের জন্য একজন ব্যক্তির নাম বা সংস্থার নাম প্রয়োজন DocType: Student,Guardians,অভিভাবকরা +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,শিক্ষা> শিক্ষা সেটিংসে নির্দেশক নামকরণ সিস্টেম সেটআপ করুন apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ব্র্যান্ড নির্বাচন করুন ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,মধ্য আয় DocType: Shipping Rule,Calculate Based On,উপর ভিত্তি করে গণনা @@ -1596,7 +1606,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,ব্যয় অগ্ DocType: Purchase Invoice,Rounding Adjustment (Company Currency),গোলাকার সমন্বয় (কোম্পানি মুদ্রা) DocType: Item,Publish in Hub,হাব প্রকাশ করুন apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,অগাস্ট +DocType: GSTR 3B Report,August,অগাস্ট apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,প্রথমে ক্রয় প্রাপ্তি প্রবেশ করুন apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,শুরুর বছর apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),টার্গেট ({}) @@ -1615,6 +1625,7 @@ DocType: Item,Max Sample Quantity,সর্বোচ্চ নমুনা প apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,উৎস এবং লক্ষ্য গুদাম ভিন্ন হতে হবে DocType: Employee Benefit Application,Benefits Applied,উপকারিতা প্রয়োগ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,জার্নাল এন্ট্রি {0} এর বিরুদ্ধে কোন মিলিত {1} এন্ট্রি নেই +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","নামকরণ সিরিজের "-", "#", "।", "/", "{" এবং "}" ছাড়া বিশেষ অক্ষরগুলি অনুমোদিত নয়" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,মূল্য বা পণ্য ডিসকাউন্ট স্ল্যাব প্রয়োজন হয় apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,একটি টার্গেট সেট করুন apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},ছাত্রের বিরুদ্ধে উপস্থিতি {0} বিদ্যমান {1} @@ -1630,10 +1641,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,প্রতি মাসে DocType: Routing,Routing Name,রাউটিং নাম DocType: Disease,Common Name,সাধারণ নাম -DocType: Quality Goal,Measurable,পরিমেয় DocType: Education Settings,LMS Title,এলএমএস শিরোনাম apps/erpnext/erpnext/config/non_profit.py,Loan Management,ঋণ ব্যবস্থাপনা -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,সমর্থন Analtyics DocType: Clinical Procedure,Consumable Total Amount,ভোগ্য মোট পরিমাণ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,টেমপ্লেট সক্রিয় করুন apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,গ্রাহক এলপিও @@ -1773,6 +1782,7 @@ DocType: Restaurant Order Entry Item,Served,জারি DocType: Loan,Member,সদস্য DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,অনুশীলনকারী সেবা ইউনিট সময়সূচী apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,তারের স্থানান্তর +DocType: Quality Review Objective,Quality Review Objective,গুণ পর্যালোচনা উদ্দেশ্য DocType: Bank Reconciliation Detail,Against Account,অ্যাকাউন্ট বিরুদ্ধে DocType: Projects Settings,Projects Settings,প্রকল্প সেটিংস apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},প্রকৃত Qty {0} / অপেক্ষা Qty {1} @@ -1801,6 +1811,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,ফিসক্যাল ইয়ার শেষ তারিখটি আর্থিক বছরের শুরু তারিখের এক বছর হওয়া উচিত apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,দৈনিক অনুস্মারক DocType: Item,Default Sales Unit of Measure,পরিমাপ ডিফল্ট বিক্রয় ইউনিট +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,কোম্পানি GSTIN DocType: Asset Finance Book,Rate of Depreciation,অবমূল্যায়ন হার DocType: Support Search Source,Post Description Key,পোস্ট বিবরণ মূল DocType: Loyalty Program Collection,Minimum Total Spent,নূন্যতম মোট ব্যয় @@ -1872,6 +1883,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,নির্বাচিত গ্রাহকের জন্য গ্রাহক গ্রুপ পরিবর্তন করা অনুমোদিত নয়। DocType: Serial No,Creation Document Type,সৃষ্টি ডকুমেন্ট প্রকার DocType: Sales Invoice Item,Available Batch Qty at Warehouse,গুদামে উপলব্ধ ব্যাচ Qty +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,চালান গ্র্যান্ড মোট apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,এটি একটি মূল অঞ্চল এবং সম্পাদনা করা যাবে না। DocType: Patient,Surgical History,অস্ত্রোপচার ইতিহাস apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,মানের পদ্ধতি গাছ। @@ -1976,6 +1988,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,আপনি ওয়েবসাইট প্রদর্শন করতে চান তাহলে এই চেক করুন apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,রাজস্ব বছর {0} পাওয়া যায় নি DocType: Bank Statement Settings,Bank Statement Settings,ব্যাংক বিবৃতি সেটিংস +DocType: Quality Procedure Process,Link existing Quality Procedure.,বিদ্যমান মানের পদ্ধতি লিঙ্ক করুন। +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,সিএসভি / এক্সেল ফাইল থেকে অ্যাকাউন্ট চার্ট আমদানি করুন DocType: Appraisal Goal,Score (0-5),স্কোর (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,বৈশিষ্ট্যাবলী {0} গুণাবলী সারিতে একাধিক বার নির্বাচিত DocType: Purchase Invoice,Debit Note Issued,ডেবিট নোট ইস্যু করা @@ -1984,7 +1998,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,নীতি বিস্তারিত ছেড়ে দিন apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,গুদাম সিস্টেম পাওয়া যায় না DocType: Healthcare Practitioner,OP Consulting Charge,ওপ কনসাল্টিং চার্জ -DocType: Quality Goal,Measurable Goal,পরিমাপযোগ্য লক্ষ্য DocType: Bank Statement Transaction Payment Item,Invoices,চালান DocType: Currency Exchange,Currency Exchange,মুদ্রা বিনিময় DocType: Payroll Entry,Fortnightly,পাক্ষিক @@ -2047,6 +2060,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} জমা দেওয়া হয় না DocType: Work Order,Backflush raw materials from work-in-progress warehouse,কাজ-অগ্রগতি গুদাম থেকে ব্যাকফ্লাস কাঁচামাল DocType: Maintenance Team Member,Maintenance Team Member,রক্ষণাবেক্ষণ টিম সদস্য +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,অ্যাকাউন্টিং জন্য কাস্টম মাত্রা সেটআপ DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,সর্বোত্তম বৃদ্ধি জন্য গাছপালা সারির মধ্যে সর্বনিম্ন দূরত্ব DocType: Employee Health Insurance,Health Insurance Name,স্বাস্থ্য বীমা নাম apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,স্টক সম্পদ @@ -2079,7 +2093,7 @@ DocType: Delivery Note,Billing Address Name,বিলিং ঠিকানা apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,বিকল্প আইটেম DocType: Certification Application,Name of Applicant,আবেদনকারীর নাম DocType: Leave Type,Earned Leave,অর্জিত ছুটি -DocType: Quality Goal,June,জুন +DocType: GSTR 3B Report,June,জুন apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},সারি {0}: একটি আইটেমের জন্য খরচ কেন্দ্র প্রয়োজন {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},{0} দ্বারা অনুমোদিত হতে পারে DocType: Purchase Invoice Item,Net Rate (Company Currency),নেট রেট (কোম্পানি মুদ্রা) @@ -2099,6 +2113,7 @@ DocType: Lab Test Template,Standard Selling Rate,স্ট্যান্ডা apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},রেষ্টুরেন্টের জন্য একটি সক্রিয় মেনু সেট করুন {0} 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: Asset Finance Book,Asset Finance Book,সম্পদ ফাইন্যান্স বই +DocType: Quality Goal Objective,Quality Goal Objective,গুণ লক্ষ্য উদ্দেশ্য DocType: Employee Transfer,Employee Transfer,কর্মচারী স্থানান্তর ,Sales Funnel,বিক্রয় ফানেল DocType: Agriculture Analysis Criteria,Water Analysis,জল বিশ্লেষণ @@ -2137,6 +2152,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,কর্মচ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,মুলতুবি কার্যক্রম apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,আপনার গ্রাহকদের কয়েক তালিকা। তারা প্রতিষ্ঠান বা ব্যক্তি হতে পারে। DocType: Bank Guarantee,Bank Account Info,ব্যাংক অ্যাকাউন্ট তথ্য +DocType: Quality Goal,Weekday,রবিবার বাদে সপ্তাহের যে-কোন দিন apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,গার্ডিয়ান 1 নাম DocType: Salary Component,Variable Based On Taxable Salary,করযোগ্য বেতন উপর ভিত্তি করে পরিবর্তনশীল DocType: Accounting Period,Accounting Period,নির্দিষ্ট হিসাব @@ -2221,7 +2237,7 @@ DocType: Purchase Invoice,Rounding Adjustment,গোলাকার সমন্ DocType: Quality Review Table,Quality Review Table,মানের পর্যালোচনা টেবিল DocType: Member,Membership Expiry Date,সদস্যপদ মেয়াদ শেষ হওয়ার তারিখ DocType: Asset Finance Book,Expected Value After Useful Life,দরকারী জীবন পরে প্রত্যাশিত মূল্য -DocType: Quality Goal,November,নভেম্বর +DocType: GSTR 3B Report,November,নভেম্বর DocType: Loan Application,Rate of Interest,সুদের হার DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,ব্যাংক বিবৃতি লেনদেন পেমেন্ট আইটেম DocType: Restaurant Reservation,Waitlisted,অপেক্ষমান তালিকার @@ -2285,6 +2301,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","সারি {0}: {1} পর্যায়ক্রমিকতা সেট করতে, তারিখ থেকে তারিখের মধ্যে পার্থক্য \ এর চেয়ে বড় বা সমান হতে হবে {2}" DocType: Purchase Invoice Item,Valuation Rate,মূল্যায়ন হার DocType: Shopping Cart Settings,Default settings for Shopping Cart,শপিং কার্ট জন্য ডিফল্ট সেটিংস +DocType: Quiz,Score out of 100,100 রান আউট DocType: Manufacturing Settings,Capacity Planning,ক্ষমতা পরিকল্পনা apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,নির্দেশক যান DocType: Activity Cost,Projects,প্রকল্প @@ -2294,6 +2311,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,দ্বিতীয় DocType: Cashier Closing,From Time,সময় থেকে apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,বৈকল্পিক বিবরণ রিপোর্ট +,BOM Explorer,বোম এক্সপ্লোরার DocType: Currency Exchange,For Buying,কেনার জন্য apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} জন্য স্লট সময়সূচীতে যোগ করা হয় না DocType: Target Detail,Target Distribution,লক্ষ্য বিতরণ @@ -2311,6 +2329,7 @@ DocType: Activity Cost,Activity Cost,কার্যকলাপ খরচ DocType: Journal Entry,Payment Order,পেমেন্ট অর্ডার apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,প্রাইসিং ,Item Delivery Date,আইটেম ডেলিভারি তারিখ +DocType: Quality Goal,January-April-July-October,জানুয়ারি-এপ্রিল-জুলাই-অক্টোবর DocType: Purchase Order Item,Warehouse and Reference,গুদাম এবং রেফারেন্স apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,সন্তানের নোডের সাথে অ্যাকাউন্টকে অ্যাকাউন্টে রূপান্তর করা যাবে না DocType: Soil Texture,Clay Composition (%),ক্লে রচনা (%) @@ -2361,6 +2380,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,ভবিষ্যত apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,সারি {0}: পেমেন্ট সময়সূচিতে পেমেন্ট মোড সেট করুন apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,একাডেমিক শব্দ: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,মানের প্রতিক্রিয়া পরামিতি apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,ডিসকাউন্ট ডিসকাউন্ট নির্বাচন করুন apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,সারি # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,মোট পেমেন্ট @@ -2403,7 +2423,7 @@ DocType: Hub Tracked Item,Hub Node,হাব নোড apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,কর্মচারী আইডি DocType: Salary Structure Assignment,Salary Structure Assignment,বেতন গঠন অ্যাসাইনমেন্ট DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS বন্ধ ভাউচার ট্যাক্স -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,কর্ম শুরু +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,কর্ম শুরু DocType: POS Profile,Applicable for Users,ব্যবহারকারীদের জন্য প্রযোজ্য DocType: Training Event,Exam,পরীক্ষা apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,জেনারেল লেজার এন্ট্রি ভুল নম্বর পাওয়া গেছে। আপনি লেনদেনে একটি ভুল অ্যাকাউন্ট নির্বাচন হতে পারে। @@ -2509,6 +2529,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,দ্রাঘিমা DocType: Accounts Settings,Determine Address Tax Category From,থেকে ঠিকানা ট্যাক্স বিভাগ নির্ধারণ করুন apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,সিদ্ধান্ত প্রস্তুতকারকদের সনাক্ত করা +DocType: Stock Entry Detail,Reference Purchase Receipt,রেফারেন্স ক্রয় প্রাপ্তি apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Invocies পান DocType: Tally Migration,Is Day Book Data Imported,দিন বুক তথ্য আমদানি করা হয় ,Sales Partners Commission,বিক্রয় অংশীদার কমিশন @@ -2532,6 +2553,7 @@ DocType: Leave Type,Applicable After (Working Days),পরে কার্যক DocType: Timesheet Detail,Hrs,ঘন্টা DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,সরবরাহকারী স্কোরকার্ড মাপদণ্ড DocType: Amazon MWS Settings,FR,এফ আর +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,মানের প্রতিক্রিয়া টেমপ্লেট পরামিতি apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,যোগদান তারিখ জন্ম তারিখ বেশী হতে হবে DocType: Bank Statement Transaction Invoice Item,Invoice Date,চালান তারিখ DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,বিক্রয় চালান জমা পরীক্ষাগার তৈরি করুন @@ -2638,7 +2660,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,ন্যূনতম DocType: Stock Entry,Source Warehouse Address,উৎস গুদাম ঠিকানা DocType: Compensatory Leave Request,Compensatory Leave Request,ক্ষতিপূরণমূলক ছাড় অনুরোধ DocType: Lead,Mobile No.,মোবাইল নাম্বার. -DocType: Quality Goal,July,জুলাই +DocType: GSTR 3B Report,July,জুলাই apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,যোগ্য আইটিসি DocType: Fertilizer,Density (if liquid),ঘনত্ব (তরল যদি) DocType: Employee,External Work History,বহিরাগত কাজ ইতিহাস @@ -2715,6 +2737,7 @@ DocType: Certification Application,Certification Status,সার্টিফি apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},সংস্থার জন্য উত্স অবস্থান প্রয়োজন {0} DocType: Employee,Encashment Date,নগদীকরণ তারিখ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,সম্পন্ন সম্পত্তির রক্ষণাবেক্ষণ লগের জন্য সমাপ্তি তারিখ নির্বাচন করুন +DocType: Quiz,Latest Attempt,সর্বশেষ প্রচেষ্টা DocType: Leave Block List,Allow Users,ব্যবহারকারীদের অনুমতি দিন apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,হিসাবরক্ষনের তালিকা apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,গ্রাহক হিসাবে 'সুযোগ থেকে' নির্বাচিত হলে গ্রাহক বাধ্যতামূলক @@ -2779,7 +2802,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,সরবরাহ DocType: Amazon MWS Settings,Amazon MWS Settings,আমাজন MWS সেটিংস DocType: Program Enrollment,Walking,চলাফেরা DocType: SMS Log,Requested Numbers,অনুরোধ সংখ্যা -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,সেটআপের মাধ্যমে উপস্থিতি জন্য সংখ্যায়ন সিরিজ সেটআপ করুন> সংখ্যায়ন সিরিজ DocType: Woocommerce Settings,Freight and Forwarding Account,মালবাহী এবং ফরওয়ার্ডিং অ্যাকাউন্ট apps/erpnext/erpnext/accounts/party.py,Please select a Company,একটি কোম্পানি নির্বাচন করুন apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,সারি {0}: {1} 0 এর চেয়ে বড় হতে হবে @@ -2849,7 +2871,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,বিল DocType: Training Event,Seminar,সেমিনার apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),ক্রেডিট ({0}) DocType: Payment Request,Subscription Plans,সাবস্ক্রিপশন প্ল্যান -DocType: Quality Goal,March,মার্চ +DocType: GSTR 3B Report,March,মার্চ apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,বিভক্ত ব্যাচ DocType: School House,House Name,ঘর নাম apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0} এর জন্য অসাধারণ শূন্য থেকে কম হতে পারে না ({1}) @@ -2912,7 +2934,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,বীমা শুরু তারিখ DocType: Target Detail,Target Detail,টার্গেট বিস্তারিত DocType: Packing Slip,Net Weight UOM,নেট ওজন UOM -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: Purchase Invoice Item,Net Amount (Company Currency),নেট পরিমাণ (কোম্পানি মুদ্রা) DocType: Bank Statement Transaction Settings Item,Mapped Data,মানচিত্র ডেটা apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,সিকিউরিটিজ এবং আমানত @@ -2962,6 +2983,7 @@ DocType: Cheque Print Template,Cheque Height,উচ্চতা চেক কর apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,রিলিভিং তারিখ প্রবেশ করুন। DocType: Loyalty Program,Loyalty Program Help,আনুগত্য প্রোগ্রাম সাহায্য DocType: Journal Entry,Inter Company Journal Entry Reference,ইন্টার কোম্পানি জার্নাল এন্ট্রি রেফারেন্স +DocType: Quality Meeting,Agenda,বিষয়সূচি DocType: Quality Action,Corrective,শোধক apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,গ্রুপ দ্বারা DocType: Bank Account,Address and Contact,ঠিকানা এবং যোগাযোগ @@ -3015,7 +3037,7 @@ DocType: GL Entry,Credit Amount,ক্রেডিট পরিমাণ apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,মোট পরিমাণ ক্রেডিট DocType: Support Search Source,Post Route Key List,পোস্ট রুট মূল তালিকা apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} কোন সক্রিয় আর্থিক বছরে নয়। -DocType: Quality Action Table,Problem,সমস্যা +DocType: Quality Action Resolution,Problem,সমস্যা DocType: Training Event,Conference,সম্মেলন DocType: Mode of Payment Account,Mode of Payment Account,পেমেন্ট অ্যাকাউন্ট মোড DocType: Leave Encashment,Encashable days,Encashable দিন @@ -3141,7 +3163,7 @@ DocType: Item,"Purchase, Replenishment Details","ক্রয়, পুনর DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","সেট একবার, এই চালান সেট তারিখ পর্যন্ত ধরে রাখা হবে" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,আইটেমের {0} জন্য স্টক বিদ্যমান থাকতে পারে না কেননা তার রূপ আছে DocType: Lab Test Template,Grouped,গোষ্ঠীবদ্ধ -DocType: Quality Goal,January,জানুয়ারী +DocType: GSTR 3B Report,January,জানুয়ারী DocType: Course Assessment Criteria,Course Assessment Criteria,কোর্স মূল্যায়ন মাপদণ্ড DocType: Certification Application,INR,আইএনআর DocType: Job Card Time Log,Completed Qty,সম্পন্ন Qty @@ -3235,7 +3257,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,হেলথ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,টেবিলে অন্তত 1 চালান প্রবেশ করুন apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,বিক্রয় আদেশ {0} জমা দেওয়া হয় না apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,উপস্থিতি সফলভাবে চিহ্নিত করা হয়েছে। -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,প্রাক বিক্রয় +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,প্রাক বিক্রয় apps/erpnext/erpnext/config/projects.py,Project master.,প্রকল্প মাস্টার। DocType: Daily Work Summary,Daily Work Summary,দৈনিক কাজ সারাংশ DocType: Asset,Partially Depreciated,আংশিকভাবে অবনমিত @@ -3244,6 +3266,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,এনক্যাড ছেড়ে? DocType: Certified Consultant,Discuss ID,আইডি আলোচনা করুন apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,জিএসটি সেটিংস জিএসটি অ্যাকাউন্ট সেট করুন +DocType: Quiz,Latest Highest Score,সর্বশেষ সর্বোচ্চ স্কোর DocType: Supplier,Billing Currency,বিলিং মুদ্রা apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,ছাত্র কার্যকলাপ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,হয় লক্ষ্য qty বা টার্গেট পরিমাণ বাধ্যতামূলক @@ -3269,18 +3292,21 @@ DocType: Sales Order,Not Delivered,বিতরণ করা হয় না apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,প্রকার ছাড়াই {0} বরাদ্দ করা যাবে না কারণ এটি ছাড় ছাড়াই ছেড়ে দেওয়া হয় DocType: GL Entry,Debit Amount,ডেবিট পরিমাণ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},আইটেমটির জন্য ইতিমধ্যে রেকর্ড বিদ্যমান {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,সাবস অ্যাসেম্বলি 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.",যদি একাধিক প্রাইসিং রুলগুলি চলতে থাকে তবে ব্যবহারকারীদের দ্বন্দ্ব সমাধান করতে অগ্রাধিকার সেট করতে বলা হয়। apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',বিভাগ 'মূল্যায়ন' বা 'মূল্যায়ন এবং মোট' জন্য যখন কাটা যাবে না apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,বোমা এবং উৎপাদন পরিমাণ প্রয়োজন হয় apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},আইটেম {0} তার জীবনের শেষাংশে পৌঁছেছে {1} DocType: Quality Inspection Reading,Reading 6,পড়া 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,কোম্পানির ক্ষেত্র প্রয়োজন apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,উপাদান খরচ উত্পাদন সেটিংস সেট করা হয় না। DocType: Assessment Group,Assessment Group Name,মূল্যায়ন গ্রুপ নাম -DocType: Item,Manufacturer Part Number,প্রস্তুতকারক পার্ট সংখ্যা +DocType: Purchase Invoice Item,Manufacturer Part Number,প্রস্তুতকারক পার্ট সংখ্যা apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll Payable apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},সারি # {0}: {1} আইটেমের জন্য নেতিবাচক হতে পারে না {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,ব্যালান্স Qty +DocType: Question,Multiple Correct Answer,একাধিক সঠিক উত্তর DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 আনুগত্য পয়েন্ট = কত বেস মুদ্রা? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},দ্রষ্টব্য: ছুটির প্রকারের জন্য পর্যাপ্ত ছুটির ভারসাম্য নেই {0} DocType: Clinical Procedure,Inpatient Record,ইনপুটেন্ট রেকর্ড @@ -3403,6 +3429,7 @@ DocType: Fee Schedule Program,Total Students,মোট ছাত্র apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,স্থানীয় DocType: Chapter Member,Leave Reason,কারণ ছেড়ে দিন DocType: Salary Component,Condition and Formula,শর্ত এবং সূত্র +DocType: Quality Goal,Objectives,উদ্দেশ্য apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","{0} এবং {1} এর মধ্যে সময়ের জন্য ইতিমধ্যে প্রক্রিয়াকৃত বেতনটি, এই তারিখ পরিসরের মধ্যে থাকতে পারে না।" DocType: BOM Item,Basic Rate (Company Currency),বেসিক রেট (কোম্পানি মুদ্রা) DocType: BOM Scrap Item,BOM Scrap Item,BOM স্ক্র্যাপ আইটেম @@ -3453,6 +3480,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,দাবি অ্যাকাউন্ট খরচ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,জার্নাল এন্ট্রি জন্য উপলব্ধ কোন repayments apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} নিষ্ক্রিয় ছাত্র +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,স্টক এন্ট্রি করুন DocType: Employee Onboarding,Activities,ক্রিয়াকলাপ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,অন্তত একটি গুদাম বাধ্যতামূলক ,Customer Credit Balance,গ্রাহক ক্রেডিট ব্যালেন্স @@ -3537,7 +3565,6 @@ DocType: Contract,Contract Terms,চুক্তির শর্তাবলী apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,হয় লক্ষ্য qty বা টার্গেট পরিমাণ বাধ্যতামূলক। apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},অবৈধ {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,সভা তারিখ DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,সংক্ষেপে 5 অক্ষরের বেশি থাকতে পারে না DocType: Employee Benefit Application,Max Benefits (Yearly),সর্বোচ্চ সুবিধা (বার্ষিক) @@ -3640,7 +3667,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,ব্যাংক চার্জ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,পণ্য স্থানান্তরিত apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,প্রাথমিক যোগাযোগের বিবরণ -DocType: Quality Review,Values,মানগুলি DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","যদি না চেক করা হয়, তালিকাটি প্রতিটি বিভাগে যুক্ত করতে হবে যেখানে এটি প্রয়োগ করতে হবে।" DocType: Item Group,Show this slideshow at the top of the page,পৃষ্ঠার শীর্ষে এই স্লাইডশো দেখান apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} পরামিতি অবৈধ @@ -3659,6 +3685,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,ব্যাংক চার্জ অ্যাকাউন্ট DocType: Journal Entry,Get Outstanding Invoices,অসাধারণ চালান পান DocType: Opportunity,Opportunity From,সুযোগ থেকে +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,টার্গেট বিবরণ DocType: Item,Customer Code,গ্রাহক কোড apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,প্রথমে আইটেম প্রবেশ করুন apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,ওয়েবসাইট তালিকা @@ -3687,7 +3714,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,বিতরণ DocType: Bank Statement Transaction Settings Item,Bank Data,ব্যাংক তথ্য apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,নির্ধারিত পর্যন্ত -DocType: Quality Goal,Everyday,প্রতিদিন DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,টাইমশীট একই সময়ে বিলিং ঘন্টা এবং কাজের ঘন্টা বজায় রাখা apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,ট্র্যাক লিড উত্স দ্বারা লিডস। DocType: Clinical Procedure,Nursing User,নার্সিং ব্যবহারকারী @@ -3712,7 +3738,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,টেরিটরি DocType: GL Entry,Voucher Type,ভাউচার প্রকার ,Serial No Service Contract Expiry,সিরিয়াল কোন সেবা চুক্তি মেয়াদ শেষ DocType: Certification Application,Certified,প্রত্যয়িত -DocType: Material Request Plan Item,Manufacture,উত্পাদন +DocType: Purchase Invoice Item,Manufacture,উত্পাদন apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} আইটেম উত্পাদিত apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0} এর জন্য পেমেন্ট অনুরোধ apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,শেষ আদেশ থেকে দিন @@ -3727,7 +3753,7 @@ DocType: Sales Invoice,Company Address Name,কোম্পানির ঠি apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,ট্রানজিট পণ্য apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,আপনি শুধুমাত্র এই ক্রমটিতে সর্বাধিক {0} পয়েন্ট উদ্ধার করতে পারেন। apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},গুদামে অ্যাকাউন্ট সেট করুন {0} -DocType: Quality Action Table,Resolution,সমাধান +DocType: Quality Action,Resolution,সমাধান DocType: Sales Invoice,Loyalty Points Redemption,আনুগত্য পয়েন্ট redemption apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,মোট করযোগ্য মূল্য DocType: Patient Appointment,Scheduled,তালিকাভুক্ত @@ -3848,6 +3874,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,হার apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},সংরক্ষণ করা হচ্ছে {0} DocType: SMS Center,Total Message(s),মোট বার্তা +DocType: Purchase Invoice,Accounting Dimensions,অ্যাকাউন্টিং মাত্রা apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,অ্যাকাউন্ট দ্বারা গ্রুপ DocType: Quotation,In Words will be visible once you save the Quotation.,আপনি উদ্ধৃতি সংরক্ষণ একবার শব্দ প্রদর্শিত হবে। apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,উত্পাদনের পরিমাণ @@ -4011,7 +4038,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","যদি আপনার কোন প্রশ্ন থাকে, আমাদের ফিরে পেতে দয়া করে।" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,ক্রয় রসিদ {0} জমা দেওয়া হয় না DocType: Task,Total Expense Claim (via Expense Claim),মোট ব্যয় দাবি (ব্যয় দাবি করে) -DocType: Quality Action,Quality Goal,মানের লক্ষ্য +DocType: Quality Goal,Quality Goal,মানের লক্ষ্য DocType: Support Settings,Support Portal,সমর্থন পোর্টাল apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},কর্মচারী {0} ছেড়ে চলে যাচ্ছে {1} DocType: Employee,Held On,অনুষ্ঠিত @@ -4069,7 +4096,6 @@ DocType: BOM,Operating Cost (Company Currency),অপারেটিং খর DocType: Item Price,Item Price,আইটেম মূল্য DocType: Payment Entry,Party Name,পার্টি নাম apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,একটি গ্রাহক নির্বাচন করুন -DocType: Course,Course Intro,কোর্স ভূমিকা DocType: Program Enrollment Tool,New Program,নতুন প্রোগ্রাম apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","নতুন খরচ কেন্দ্র সংখ্যা, এটি একটি উপসর্গ হিসাবে খরচ কেন্দ্রে নাম অন্তর্ভুক্ত করা হবে" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,গ্রাহক বা সরবরাহকারী নির্বাচন করুন। @@ -4269,6 +4295,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,নেট বেতন নেতিবাচক হতে পারে না apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,ইন্টারেকশন না 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/hr/doctype/employee/employee_dashboard.py,Shift,পরিবর্তন apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,অ্যাকাউন্ট এবং দলগুলোর প্রসেসিং চার্ট DocType: Stock Settings,Convert Item Description to Clean HTML,এইচটিএমএল পরিষ্কার করতে আইটেম বর্ণনা রূপান্তর করুন apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,সমস্ত সরবরাহকারী গ্রুপ @@ -4347,6 +4374,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,মূল আইটেম apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,দালালি apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},আইটেমটির জন্য ক্রয় প্রাপ্তি বা ক্রয় চালান তৈরি করুন {0} +,Product Bundle Balance,পণ্য বান্ডিল ব্যালান্স apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,কোম্পানির নাম কোম্পানি হতে পারে না DocType: Maintenance Visit,Breakdown,ভাঙ্গন DocType: Inpatient Record,B Negative,বি নেতিবাচক @@ -4355,7 +4383,7 @@ DocType: Purchase Invoice,Credit To,ক্রেডিট apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,আরও প্রক্রিয়াকরণের জন্য এই কাজ আদেশ জমা দিন। DocType: Bank Guarantee,Bank Guarantee Number,ব্যাংক গ্যারান্টি সংখ্যা apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},বিতরণ করা হয়েছে: {0} -DocType: Quality Action,Under Review,পর্যালোচনা অধীন +DocType: Quality Meeting Table,Under Review,পর্যালোচনা অধীন apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),কৃষি (বিটা) ,Average Commission Rate,গড় কমিশন হার DocType: Sales Invoice,Customer's Purchase Order Date,গ্রাহকের ক্রয় আদেশ তারিখ @@ -4472,7 +4500,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,চালান সঙ্গে ম্যাচ পেমেন্ট DocType: Holiday List,Weekly Off,সাপ্তাহিক বন্ধ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},আইটেমটির জন্য বিকল্প আইটেম সেট করার অনুমতি দেয় না {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,প্রোগ্রাম {0} বিদ্যমান নেই। +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,প্রোগ্রাম {0} বিদ্যমান নেই। apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,আপনি রুট নোড সম্পাদনা করতে পারবেন না। DocType: Fee Schedule,Student Category,ছাত্র বিভাগ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","আইটেম {0}: {1} qty উত্পাদিত," @@ -4563,8 +4591,8 @@ DocType: Crop,Crop Spacing,ফসল স্পেসিং DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,বিক্রয় লেনদেনের উপর ভিত্তি করে কত ঘন ঘন প্রকল্প এবং সংস্থা আপডেট করা উচিত। DocType: Pricing Rule,Period Settings,সময়কাল সেটিংস apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,অ্যাকাউন্টে নেট পরিবর্তন প্রাপ্তি +DocType: Quality Feedback Template,Quality Feedback Template,গুণ ফিডব্যাক টেমপ্লেট apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,পরিমাণ জন্য শূন্য চেয়ে বড় হতে হবে -DocType: Quality Goal,Goal Objectives,লক্ষ্য উদ্দেশ্য apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","হার, শেয়ারের কোন এবং হিসাব গণনা মধ্যে অসঙ্গতি আছে" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,আপনি প্রতি বছর ছাত্র গ্রুপ করতে হলে ফাঁকা ছেড়ে দিন apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ঋণ (দায়) @@ -4599,12 +4627,13 @@ DocType: Quality Procedure Table,Step,ধাপ DocType: Normal Test Items,Result Value,ফলাফল মূল্য DocType: Cash Flow Mapping,Is Income Tax Liability,আয়কর দায় DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ইনসেন্টেন্ট চার্জ আইটেম দেখুন -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} বিদ্যমান নেই। +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} বিদ্যমান নেই। apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,আপডেট প্রতিক্রিয়া DocType: Bank Guarantee,Supplier,সরবরাহকারী apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},মূল্য betweeen {0} এবং {1} লিখুন DocType: Purchase Order,Order Confirmation Date,অর্ডার নিশ্চিতকরণ তারিখ DocType: Delivery Trip,Calculate Estimated Arrival Times,আনুমানিক আগমনের সময় গণনা +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,মানব সম্পদ> এইচআর সেটিংস মধ্যে কর্মচারী নামকরণ সিস্টেম সেটআপ করুন apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,consumable DocType: Instructor,EDU-INS-.YYYY.-,EDU তে-ইনগুলি-.YYYY.- DocType: Subscription,Subscription Start Date,সাবস্ক্রিপশন শুরু তারিখ @@ -4668,6 +4697,7 @@ DocType: Cheque Print Template,Is Account Payable,অ্যাকাউন্ট apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,মোট অর্ডার মান apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},সরবরাহকারী {0} পাওয়া যায় নি {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,সেটআপ এসএমএস গেটওয়ে সেটিংস +DocType: Salary Component,Round to the Nearest Integer,নিকটতম সংখ্যার বৃত্তাকার apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,রুট একটি পিতা বা মাতা খরচ কেন্দ্র থাকতে পারে না DocType: Healthcare Service Unit,Allow Appointments,নিয়োগের অনুমতি দিন DocType: BOM,Show Operations,অপারেশন দেখান @@ -4796,7 +4826,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,ডিফল্ট ছুটির তালিকা DocType: Naming Series,Current Value,বর্তমান মূল্য apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","বাজেট, লক্ষ্য ইত্যাদি সেটিংস জন্য ঋতুতা।" -DocType: Program,Program Code,প্রোগ্রাম কোড apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},সতর্কতা: বিক্রয় আদেশ {0} ইতিমধ্যে গ্রাহকের ক্রয় আদেশের বিরুদ্ধে বিদ্যমান {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,মাসিক বিক্রয় লক্ষ্য ( DocType: Guardian,Guardian Interests,অভিভাবক স্বার্থ @@ -4846,10 +4875,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,প্রদত্ত এবং বিতরণ করা হয় না apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,আইটেম কোড স্বয়ংক্রিয়ভাবে গণনা করা হয় না কারণ বাধ্যতামূলক DocType: GST HSN Code,HSN Code,এইচএসএন কোড -DocType: Quality Goal,September,সেপ্টেম্বর +DocType: GSTR 3B Report,September,সেপ্টেম্বর apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,প্রশাসনিক ব্যয় DocType: C-Form,C-Form No,সি-ফর্ম নং DocType: Purchase Invoice,End date of current invoice's period,বর্তমান চালানের সময়ের শেষ তারিখ +DocType: Item,Manufacturers,নির্মাতারা DocType: Crop Cycle,Crop Cycle,ফসল চক্র DocType: Serial No,Creation Time,সৃষ্টি সময় apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,ভূমিকা অনুমোদিত বা অনুমোদন ব্যবহারকারী প্রবেশ করুন @@ -4922,8 +4952,6 @@ DocType: Employee,Short biography for website and other publications.,ওয় DocType: Purchase Invoice Item,Received Qty,পরিমাণে প্রাপ্ত DocType: Purchase Invoice Item,Rate (Company Currency),হার (কোম্পানি মুদ্রা) DocType: Item Reorder,Request for,জন্য অনুরোধ -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","এই নথির বাতিল করতে দয়া করে {0} \ Employee মুছে দিন" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,প্রিসেট ইনস্টল করা হচ্ছে apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,পরিশোধের মেয়াদ লিখুন দয়া করে DocType: Pricing Rule,Advanced Settings,উন্নত সেটিংস @@ -4949,7 +4977,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,শপিং কার্ট সক্রিয় করুন DocType: Pricing Rule,Apply Rule On Other,অন্য উপর নিয়ম প্রয়োগ করুন DocType: Vehicle,Last Carbon Check,শেষ কার্বন চেক -DocType: Vehicle,Make,করা +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,করা apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,বিক্রয় চালান {0} প্রদত্ত হিসাবে তৈরি apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,একটি পেমেন্ট অনুরোধ রেফারেন্স নথি তৈরি করতে প্রয়োজন apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,আয়কর @@ -5025,7 +5053,6 @@ DocType: Territory,Parent Territory,মূল অঞ্চল DocType: Vehicle Log,Odometer Reading,দূরত্বমাপণী পড়া DocType: Additional Salary,Salary Slip,বেতন পিছলানো DocType: Payroll Entry,Payroll Frequency,Payroll ফ্রিকোয়েন্সি -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,মানব সম্পদ> এইচআর সেটিংস মধ্যে কর্মচারী নামকরণ সিস্টেম সেটআপ করুন apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","একটি বৈধ Payroll সময়ের মধ্যে শুরু এবং শেষ তারিখগুলি, {0} গণনা করতে পারে না" DocType: Products Settings,Home Page is Products,হোম পেজ পণ্য apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,কল @@ -5079,7 +5106,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,রেকর্ড সংগ্রহ করা ...... DocType: Delivery Stop,Contact Information,যোগাযোগের তথ্য DocType: Sales Order Item,For Production,উত্পাদনের জন্য -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,শিক্ষা> শিক্ষা সেটিংসে নির্দেশক নামকরণ সিস্টেম সেটআপ করুন DocType: Serial No,Asset Details,সম্পদ বিবরণ DocType: Restaurant Reservation,Reservation Time,রিজার্ভেশন সময় DocType: Selling Settings,Default Territory,ডিফল্ট অঞ্চল @@ -5219,6 +5245,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,মেয়াদ শেষ হয়ে গেছে DocType: Shipping Rule,Shipping Rule Type,শিপিং নিয়ম প্রকার DocType: Job Offer,Accepted,গৃহীত +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","এই নথির বাতিল করতে দয়া করে {0} \ Employee মুছে দিন" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,আপনি ইতিমধ্যে মূল্যায়ন মানদণ্ডের জন্য মূল্যায়ন করেছেন {}। apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ব্যাচ নাম্বার নির্বাচন করুন apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),বয়স (দিন) @@ -5235,6 +5263,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,বিক্রয়ের সময় বান্ডিল আইটেম। DocType: Payment Reconciliation Payment,Allocated Amount,বরাদ্দ পরিমাণ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,কোম্পানী এবং পদবি নির্বাচন করুন +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'তারিখ' প্রয়োজন DocType: Email Digest,Bank Credit Balance,ব্যাংক ক্রেডিট ব্যালেন্স apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,সংখ্যার পরিমাণ দেখান apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,আপনি মুক্তির জন্য আনুগত্য নিখুঁত পয়েন্ট আছে না @@ -5295,11 +5324,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,পূর্ববর DocType: Student,Student Email Address,ছাত্র ইমেইল ঠিকানা DocType: Academic Term,Education,শিক্ষা DocType: Supplier Quotation,Supplier Address,সরবরাহকারী ঠিকানা -DocType: Salary Component,Do not include in total,মোট অন্তর্ভুক্ত করবেন না +DocType: Salary Detail,Do not include in total,মোট অন্তর্ভুক্ত করবেন না apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,একটি কোম্পানির জন্য একাধিক আইটেম ডিফল্ট সেট করতে পারবেন না। apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} বিদ্যমান নেই DocType: Purchase Receipt Item,Rejected Quantity,প্রত্যাখ্যাত পরিমাণ DocType: Cashier Closing,To TIme,সময় +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: Daily Work Summary Group User,Daily Work Summary Group User,দৈনিক কাজ সারসংক্ষেপ গ্রুপ ব্যবহারকারী DocType: Fiscal Year Company,Fiscal Year Company,রাজস্ব বছর কোম্পানি apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,বিকল্প আইটেম আইটেম কোড হিসাবে একই হতে হবে না @@ -5408,7 +5438,6 @@ DocType: Fee Schedule,Send Payment Request Email,পেমেন্ট অনু DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,আপনি বিক্রয় চালান সংরক্ষণ একবার শব্দগুলিতে দৃশ্যমান হবে। DocType: Sales Invoice,Sales Team1,সেলস টিম 1 DocType: Work Order,Required Items,প্রয়োজনীয় আইটেম -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","বিশেষ অক্ষর ছাড়া "-", "#", "।" এবং "/" নামকরণ সিরিজের অনুমতি দেওয়া হয় না" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,ERPNext ম্যানুয়াল পড়ুন DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,চেক সরবরাহকারী চালান সংখ্যা স্বতন্ত্রতা apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,সাব এসেম্বলি অনুসন্ধান করুন @@ -5476,7 +5505,6 @@ DocType: Taxable Salary Slab,Percent Deduction,শতাংশ হ্রাস apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,উত্পাদনের পরিমাণ জিরো থেকে কম হতে পারে না DocType: Share Balance,To No,না DocType: Leave Control Panel,Allocate Leaves,বরাদ্দ পাতা -DocType: Quiz,Last Attempt,শেষ চেষ্টা DocType: Assessment Result,Student Name,শিক্ষার্থীর নাম apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,রক্ষণাবেক্ষণ ভিজিট জন্য পরিকল্পনা। apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,আইটেমের পুনঃ-অর্ডার স্তরের উপর ভিত্তি করে স্বয়ংক্রিয়ভাবে উপাদান অনুরোধগুলি উত্থাপিত হয়েছে @@ -5545,6 +5573,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,সূচক রঙ DocType: Item Variant Settings,Copy Fields to Variant,বৈকল্পিক কপি ক্ষেত্র DocType: Soil Texture,Sandy Loam,স্যান্ডি লোম +DocType: Question,Single Correct Answer,একক সঠিক উত্তর apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,তারিখ থেকে কর্মচারী এর যোগদান তারিখ কম হতে পারে না DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,একটি গ্রাহকের ক্রয় আদেশ বিরুদ্ধে একাধিক বিক্রয় আদেশ অনুমতি দিন apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / এলসি @@ -5607,7 +5636,7 @@ DocType: Account,Expenses Included In Valuation,ব্যয় মূল্য apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,ক্রমিক নম্বর DocType: Salary Slip,Deductions,কর্তন ,Supplier-Wise Sales Analytics,সরবরাহকারী-বুদ্ধিমান বিক্রয় বিশ্লেষণ -DocType: Quality Goal,February,ফেব্রুয়ারি +DocType: GSTR 3B Report,February,ফেব্রুয়ারি DocType: Appraisal,For Employee,কর্মচারী জন্য apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,প্রকৃত ডেলিভারি তারিখ DocType: Sales Partner,Sales Partner Name,বিক্রয় অংশীদার নাম @@ -5703,7 +5732,6 @@ DocType: Procedure Prescription,Procedure Created,প্রক্রিয়া apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},সরবরাহকারী চালানের বিরুদ্ধে {0} তারিখ {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,পিওএস প্রোফাইল পরিবর্তন করুন apps/erpnext/erpnext/utilities/activation.py,Create Lead,লিড তৈরি করুন -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার DocType: Shopify Settings,Default Customer,ডিফল্ট গ্রাহক DocType: Payment Entry Reference,Supplier Invoice No,সরবরাহকারী চালান সংখ্যা DocType: Pricing Rule,Mixed Conditions,মিশ্র শর্তাবলী @@ -5754,12 +5782,14 @@ DocType: Item,End of Life,জীবনের শেষ DocType: Lab Test Template,Sensitivity,সংবেদনশীলতা DocType: Territory,Territory Targets,অঞ্চল লক্ষ্যমাত্রা apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","নিম্নোক্ত কর্মচারীদের জন্য অবকাশ ছেড়ে চলে যাওয়া, যেহেতু অবকাশের রেকর্ড ইতিমধ্যে তাদের বিরুদ্ধে বিদ্যমান। {0}" +DocType: Quality Action Resolution,Quality Action Resolution,কোয়ালিটি অ্যাকশন রেজোলিউশন DocType: Sales Invoice Item,Delivered By Supplier,সরবরাহকারী দ্বারা বিতরণ করা DocType: Agriculture Analysis Criteria,Plant Analysis,উদ্ভিদ বিশ্লেষণ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},আইটেমের জন্য ব্যয় অ্যাকাউন্ট বাধ্যতামূলক {0} ,Subcontracted Raw Materials To Be Transferred,স্থানান্তর করা subcontracted কাঁচামাল DocType: Cashier Closing,Cashier Closing,ক্যাশিয়ার বন্ধ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,আইটেম {0} ইতিমধ্যেই ফেরত দেওয়া হয়েছে +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,অবৈধ GSTIN! আপনার প্রবেশ করা ইনপুটটি UIN হোল্ডার বা অ-আবাসিক OIDAR পরিষেবা সরবরাহকারীদের জন্য GSTIN ফর্ম্যাটের সাথে মেলে না apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,এই গুদামের জন্য শিশু গুদাম বিদ্যমান। আপনি এই গুদাম মুছে ফেলা যাবে না। DocType: Diagnosis,Diagnosis,রোগ নির্ণয় apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0} এবং {1} এর মধ্যে কোনও ছুটির সময় নেই @@ -5824,6 +5854,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,ডিফল্ট গ্রাহক গ্রুপ DocType: Journal Entry Account,Debit in Company Currency,কোম্পানির মুদ্রা মধ্যে ডেবিট DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Fallback সিরিজ "SO-WOO-"। +DocType: Quality Meeting Agenda,Quality Meeting Agenda,মানের সভা এজেন্ডা DocType: Cash Flow Mapper,Section Header,বিভাগ শিরোনাম apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,আপনার পণ্য বা সেবা DocType: Crop,Perennial,বহুবর্ষজীবী @@ -5869,7 +5900,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","একটি পণ্য বা একটি পরিষেবা কেনা, বিক্রি বা স্টক রাখা হয়।" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),বন্ধ হচ্ছে (খোলা + মোট) DocType: Supplier Scorecard Criteria,Criteria Formula,মাপদণ্ড সূত্র -,Support Analytics,সমর্থন অ্যানালিটিক্স +apps/erpnext/erpnext/config/support.py,Support Analytics,সমর্থন অ্যানালিটিক্স apps/erpnext/erpnext/config/quality_management.py,Review and Action,পর্যালোচনা এবং কর্ম DocType: Account,"If the account is frozen, entries are allowed to restricted users.","অ্যাকাউন্টটি হিমায়িত হলে, এন্ট্রিগুলি সীমাবদ্ধ ব্যবহারকারীদের জন্য অনুমোদিত।" apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,অবমূল্যায়ন পরে পরিমাণ @@ -5914,7 +5945,6 @@ DocType: Contract Template,Contract Terms and Conditions,চুক্তি শ apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ডেটা আনুন DocType: Stock Settings,Default Item Group,ডিফল্ট আইটেম গ্রুপ DocType: Sales Invoice Timesheet,Billing Hours,বিলিং ঘন্টা -DocType: Item,Item Code for Suppliers,সরবরাহকারী জন্য আইটেম কোড apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},অ্যাপ্লিকেশন ছেড়ে দিন {0} ইতিমধ্যে ছাত্রের বিরুদ্ধে বিদ্যমান {1} DocType: Pricing Rule,Margin Type,মার্জিন প্রকার DocType: Purchase Invoice Item,Rejected Serial No,প্রত্যাখ্যাত সিরিয়াল নং @@ -5987,6 +6017,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,পাতা সফলভাবে দেওয়া হয়েছে DocType: Loyalty Point Entry,Expiry Date,মেয়াদ শেষ হওয়ার তারিখ DocType: Project Task,Working,ওয়ার্কিং +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ইতিমধ্যে একটি মূল পদ্ধতি আছে {1}। apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,এটি এই রোগীর বিরুদ্ধে লেনদেনের উপর ভিত্তি করে। বিস্তারিত জানার জন্য নিচের সময়রেখা দেখুন DocType: Material Request,Requested For,জন্য অনুরোধ করা DocType: SMS Center,All Sales Person,সমস্ত বিক্রয় ব্যক্তি @@ -6073,6 +6104,7 @@ DocType: Loan Type,Maximum Loan Amount,সর্বাধিক ঋণ পরি apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,ইমেল ডিফল্ট যোগাযোগ পাওয়া যায় না DocType: Hotel Room Reservation,Booked,কাজে ব্যস্ত DocType: Maintenance Visit,Partially Completed,আংশিকভাবে সম্পন্ন +DocType: Quality Procedure Process,Process Description,প্রক্রিয়া বর্ণনা DocType: Company,Default Employee Advance Account,ডিফল্ট কর্মচারী অগ্রিম অ্যাকাউন্ট DocType: Leave Type,Allow Negative Balance,নেতিবাচক ব্যালেন্স অনুমতি দিন apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,মূল্যায়ন পরিকল্পনা নাম @@ -6114,6 +6146,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,উদ্ধৃতি আইটেম জন্য অনুরোধ apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} আইটেম ট্যাক্স দুইবার প্রবেশ DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,নির্বাচিত Payroll তারিখ উপর সম্পূর্ণ ট্যাক্স মোচন +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,শেষ কার্বন চেক তারিখ ভবিষ্যতে তারিখ হতে পারে না apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,পরিবর্তন পরিমাণ অ্যাকাউন্ট নির্বাচন করুন DocType: Support Settings,Forum Posts,ফোরাম পোস্ট DocType: Timesheet Detail,Expected Hrs,প্রত্যাশিত ঘন্টা @@ -6123,7 +6156,7 @@ DocType: Program Enrollment Tool,Enroll Students,ছাত্র নিবন্ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,গ্রাহক রাজস্ব পুনরাবৃত্তি করুন DocType: Company,Date of Commencement,আরম্ভের তারিখ DocType: Bank,Bank Name,ব্যাংকের নাম -DocType: Quality Goal,December,ডিসেম্বর +DocType: GSTR 3B Report,December,ডিসেম্বর apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,তারিখ থেকে বৈধ বৈধ তারিখ পর্যন্ত কম হতে হবে apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,এই এই কর্মচারী উপস্থিতির উপর ভিত্তি করে DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","যদি চেক করা হয়, হোম পেজটি ওয়েবসাইটের জন্য ডিফল্ট আইটেম গোষ্ঠী হবে" @@ -6166,6 +6199,7 @@ DocType: Payment Entry,Payment Type,শোধের ধরণ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,ফোলিও সংখ্যা মিলছে না DocType: C-Form,ACC-CF-.YYYY.-,দুদক-cf-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},গুণমান পরিদর্শন: {0} আইটেমটির জন্য জমা দেওয়া হয় না: {1} সারিতে {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},{0} দেখান apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} আইটেম খুঁজে পাওয়া যায় নি। ,Stock Ageing,স্টক এজিং DocType: Customer Group,Mention if non-standard receivable account applicable,নন-স্ট্যান্ডার্ড প্রাপ্তিযোগ্য অ্যাকাউন্ট প্রযোজ্য হলে উল্লেখ করুন @@ -6444,6 +6478,7 @@ DocType: Travel Request,Costing,খোয়াতে apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,স্থায়ী সম্পদ DocType: Purchase Order,Ref SQ,রেফারেন্স এসকিউ DocType: Salary Structure,Total Earning,মোট উপার্জন +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গ্রুপ> অঞ্চল DocType: Share Balance,From No,না থেকে DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,পেমেন্ট পুনর্মিলন চালান DocType: Purchase Invoice,Taxes and Charges Added,কর এবং চার্জ যোগ করা হয়েছে @@ -6451,7 +6486,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,জন্য ট DocType: Authorization Rule,Authorized Value,অনুমোদিত মূল্য apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,থেকে প্রাপ্ত apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,গুদাম {0} বিদ্যমান নেই +DocType: Item Manufacturer,Item Manufacturer,আইটেম প্রস্তুতকারক DocType: Sales Invoice,Sales Team,বিক্রয় দল +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,বান্ডিল Qty DocType: Purchase Order Item Supplied,Stock UOM,স্টক UOM DocType: Installation Note,Installation Date,ইনস্টলেশন তারিখ DocType: Email Digest,New Quotations,নতুন উদ্ধৃতি @@ -6515,7 +6552,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,ছুটির তালিকা নাম DocType: Water Analysis,Collection Temperature ,সংগ্রহ তাপমাত্রা DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,নিয়োগ নিরীক্ষা পরিচালনা করুন পেশী এনকোয়ার্টারের জন্য স্বয়ংক্রিয়ভাবে জমা দিন এবং বাতিল করুন -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,সেটআপ> সেটিংস> নামকরণ সিরিজের মাধ্যমে {0} জন্য নামকরণ সিরিজ সেট করুন DocType: Employee Benefit Claim,Claim Date,দাবি তারিখ DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,সরবরাহকারী অনির্দিষ্টকালের জন্য ব্লক করা হলে ফাঁকা ছেড়ে দিন apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,তারিখ থেকে উপস্থিতির তারিখ এবং উপস্থিতির তারিখ বাধ্যতামূলক @@ -6526,6 +6562,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,অবসর তারিখ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,রোগী নির্বাচন করুন DocType: Asset,Straight Line,সোজা লাইন +DocType: Quality Action,Resolutions,অঙ্গীকার DocType: SMS Log,No of Sent SMS,প্রেরিত এসএমএস নেই ,GST Itemised Sales Register,জিএসটি আইটেমকৃত বিক্রয় নিবন্ধন apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,মোট অগ্রিম পরিমাণ মোট অনুমোদিত পরিমাণের চেয়ে বড় হতে পারে না @@ -6635,7 +6672,7 @@ DocType: Account,Profit and Loss,লাভ এবং ক্ষতি apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,ডিফ Qty DocType: Asset Finance Book,Written Down Value,লিখিত ডাউন মান apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,ব্যালান্স ইক্যুইটি খোলা -DocType: Quality Goal,April,এপ্রিল +DocType: GSTR 3B Report,April,এপ্রিল DocType: Supplier,Credit Limit,ক্রেডিট সীমা apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,বিতরণ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6690,6 +6727,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext সঙ্গে Shopify সংযুক্ত করুন DocType: Homepage Section Card,Subtitle,বাড়তি নাম DocType: Soil Texture,Loam,দোআঁশ মাটি +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার DocType: BOM,Scrap Material Cost(Company Currency),স্ক্র্যাপ উপাদান খরচ (কোম্পানি মুদ্রা) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ডেলিভারি নোট {0} জমা দিতে হবে না DocType: Task,Actual Start Date (via Time Sheet),প্রকৃত সূচনা তারিখ (টাইম শীটের মাধ্যমে) @@ -6745,7 +6783,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,ডোজ DocType: Cheque Print Template,Starting position from top edge,শীর্ষ প্রান্ত থেকে শুরু অবস্থান apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),নিয়োগ সময়কাল (মিনিট) -DocType: Pricing Rule,Disable,অক্ষম +DocType: Accounting Dimension,Disable,অক্ষম DocType: Email Digest,Purchase Orders to Receive,অর্ডার অর্ডার ক্রয় apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,প্রোডাকশন অর্ডারের জন্য উত্থাপিত করা যাবে না: DocType: Projects Settings,Ignore Employee Time Overlap,কর্মচারী সময় ওভারল্যাপ উপেক্ষা করুন @@ -6829,6 +6867,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,ট্ DocType: Item Attribute,Numeric Values,সংখ্যাসূচক মান DocType: Delivery Note,Instructions,নির্দেশনা DocType: Blanket Order Item,Blanket Order Item,কম্বল অর্ডার আইটেম +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,লাভ এবং ক্ষতি অ্যাকাউন্টের জন্য বাধ্যতামূলক apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,কমিশন হার 100 এর বেশি হতে পারে না DocType: Course Topic,Course Topic,কোর্স টপিক DocType: Employee,This will restrict user access to other employee records,এই অন্যান্য কর্মচারী রেকর্ড ব্যবহারকারী এক্সেস অ্যাক্সেস করা হবে @@ -6853,12 +6892,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,সাবস apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,থেকে গ্রাহকদের পেতে apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} ডাইজেস্ট DocType: Employee,Reports to,রিপোর্ট হতে +DocType: Video,YouTube,ইউটিউব DocType: Party Account,Party Account,পার্টি অ্যাকাউন্ট DocType: Assessment Plan,Schedule,তফসিল apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,অনুগ্রহ করে প্রবেশ করুন DocType: Lead,Channel Partner,চ্যানেল পার্টনার apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,চালান পরিমাণ DocType: Project,From Template,টেমপ্লেট থেকে +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,সাবস্ক্রিপশন apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,করতে পরিমাণ DocType: Quality Review Table,Achieved,অর্জন @@ -6905,7 +6946,6 @@ DocType: Journal Entry,Subscription Section,সাবস্ক্রিপশন DocType: Salary Slip,Payment Days,পেমেন্ট দিন apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,স্বেচ্ছাসেবী তথ্য। apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'পুরানো স্টকগুলি পুরানো থান'% d দিনের চেয়ে ছোট হওয়া উচিত। -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,আর্থিক বছর নির্বাচন করুন DocType: Bank Reconciliation,Total Amount,সর্বমোট পরিমাণ DocType: Certification Application,Non Profit,অ লাভ DocType: Subscription Settings,Cancel Invoice After Grace Period,গ্রেস সময়ের পরে চালান বাতিল করুন @@ -6917,7 +6957,6 @@ DocType: Serial No,Warranty Period (Days),পাটা সময়কাল ( DocType: Expense Claim Detail,Expense Claim Detail,দাবি বিস্তারিত ব্যয় করুন apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,কার্যক্রম: DocType: Patient Medical Record,Patient Medical Record,রোগীর মেডিকেল রেকর্ড -DocType: Quality Action,Action Description,কর্ম বিবরণ DocType: Item,Variant Based On,উপর ভিত্তি করে বৈকল্পিক DocType: Vehicle Service,Brake Oil,ব্রেক তেল DocType: Employee,Create User,ব্যবহারকারী তৈরি করুন @@ -6973,7 +7012,7 @@ DocType: Cash Flow Mapper,Section Name,বিভাগ নাম DocType: Packed Item,Packed Item,বস্তাবন্দী আইটেম apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: {2} জন্য ডেবিট বা ক্রেডিট পরিমাণ প্রয়োজন apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,বেতন স্লিপ জমা ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,কোন কর্ম +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,কোন কর্ম apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",{0} এর বিরুদ্ধে বাজেট বরাদ্দ করা যাবে না কারণ এটি একটি আয় বা ব্যয় অ্যাকাউন্ট নয় apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,মাস্টার এবং হিসাব DocType: Quality Procedure Table,Responsible Individual,দায়িত্বশীল ব্যক্তি @@ -7096,7 +7135,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,শিশু প্রতিষ্ঠানের বিরুদ্ধে অ্যাকাউন্ট তৈরির অনুমতি দিন DocType: Payment Entry,Company Bank Account,কোম্পানি ব্যাংক অ্যাকাউন্ট DocType: Amazon MWS Settings,UK,যুক্তরাজ্য -DocType: Quality Procedure,Procedure Steps,প্রক্রিয়া পদক্ষেপ DocType: Normal Test Items,Normal Test Items,সাধারণ পরীক্ষা আইটেম apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,আইটেম {0}: অর্ডারকৃত qty {1} সর্বনিম্ন অর্ডার qty {2} (আইটেমে সংজ্ঞায়িত) এর চেয়ে কম হতে পারে না। apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,মজুদ নাই @@ -7175,7 +7213,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,বৈশ্লেষিক DocType: Maintenance Team Member,Maintenance Role,রক্ষণাবেক্ষণ ভূমিকা apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,শর্তাবলী এবং শর্তাবলী টেমপ্লেট DocType: Fee Schedule Program,Fee Schedule Program,ফি সময়সূচী প্রোগ্রাম -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,কোর্স {0} বিদ্যমান নেই। DocType: Project Task,Make Timesheet,টাইমসেট তৈরি করুন DocType: Production Plan Item,Production Plan Item,উৎপাদন পরিকল্পনা আইটেম apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,মোট ছাত্র @@ -7197,6 +7234,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,মোড়ক উম্মচন apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,আপনার সদস্যতা 30 দিনের মধ্যে মেয়াদ শেষ হয়ে গেলে আপনি কেবল নবায়ন করতে পারেন apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},মান {0} এবং {1} এর মধ্যে হতে হবে +DocType: Quality Feedback,Parameters,পরামিতি ,Sales Partner Transaction Summary,বিক্রয় অংশীদার লেনদেন সারসংক্ষেপ DocType: Asset Maintenance,Maintenance Manager Name,রক্ষণাবেক্ষণ ম্যানেজার নাম apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,আইটেম বিবরণ আনতে এটি প্রয়োজন। @@ -7235,6 +7273,7 @@ DocType: Student Admission,Student Admission,ছাত্র ভর্তি DocType: Designation Skill,Skill,দক্ষতা DocType: Budget Account,Budget Account,বাজেট অ্যাকাউন্ট DocType: Employee Transfer,Create New Employee Id,নতুন কর্মচারী আইডি তৈরি করুন +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} 'লাভ এবং ক্ষতি' অ্যাকাউন্টের জন্য প্রয়োজন {1}। apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),পণ্য ও সেবা কর (জিএসটি ভারত) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,বেতন স্লিপ তৈরি করা হচ্ছে ... DocType: Employee Skill,Employee Skill,কর্মচারী দক্ষতা @@ -7335,6 +7374,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,চালা DocType: Subscription,Days Until Due,দেরী পর্যন্ত দিন apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,প্রদর্শন সম্পন্ন apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,ব্যাংক বিবৃতি লেনদেন এন্ট্রি রিপোর্ট +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ব্যাংক Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,সারি # {0}: হার অবশ্যই {1}: {2} ({3} / {4}) হিসাবে একই হতে হবে DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-সি পি আর-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,স্বাস্থ্যসেবা সেবা আইটেম @@ -7388,6 +7428,7 @@ DocType: Training Event Employee,Invited,আমন্ত্রিত apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},উপাদান {0} এর জন্য সর্বাধিক পরিমাণ যোগ্যতা অতিক্রম করে {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,বিল পরিমাণ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","{0} এর জন্য, শুধুমাত্র ডেবিট অ্যাকাউন্টগুলি অন্য ক্রেডিট এন্ট্রির বিরুদ্ধে লিঙ্কযুক্ত হতে পারে" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,মাত্রা তৈরি হচ্ছে ... DocType: Bank Statement Transaction Entry,Payable Account,প্রদেয় অ্যাকাউন্ট apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,প্রয়োজন পরিদর্শন কোন উল্লেখ করুন DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,আপনি ক্যাশ ফ্লো ম্যাপার নথি সেটআপ যদি শুধুমাত্র নির্বাচন করুন @@ -7405,6 +7446,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,রেজোলিউশন সময় DocType: Grading Scale Interval,Grade Description,গ্রেড বর্ণনা DocType: Homepage Section,Cards,তাস +DocType: Quality Meeting Minutes,Quality Meeting Minutes,মানের সভা মিনিট DocType: Linked Plant Analysis,Linked Plant Analysis,সংযুক্ত প্ল্যান্ট বিশ্লেষণ apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,পরিষেবা বন্ধের তারিখ পরিষেবা সমাপ্তির তারিখের পরে হতে পারে না apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,জিএসটি সেটিংস মধ্যে B2C সীমা সেট করুন। @@ -7439,7 +7481,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,কর্মচার DocType: Employee,Educational Qualification,শিক্ষাগত যোগ্যতা apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,অ্যাক্সেসযোগ্য মান apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},নমুনা পরিমাণ {0} প্রাপ্ত পরিমাণের চেয়ে বেশি হতে পারে না {1} -DocType: Quiz,Last Highest Score,সর্বশেষ সর্বোচ্চ স্কোর DocType: POS Profile,Taxes and Charges,কর এবং চার্জ DocType: Opportunity,Contact Mobile No,মোবাইল নং যোগাযোগ করুন DocType: Employee,Joining Details,বিস্তারিত যোগদান diff --git a/erpnext/translations/bs.csv b/erpnext/translations/bs.csv index 499e1e96a1..4e010bfc38 100644 --- a/erpnext/translations/bs.csv +++ b/erpnext/translations/bs.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Broj dijela dobavljača DocType: Journal Entry Account,Party Balance,Party Balance apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Izvor sredstava (obaveza) DocType: Payroll Period,Taxable Salary Slabs,Oporezive ploče plata +DocType: Quality Action,Quality Feedback,Quality Feedback DocType: Support Settings,Support Settings,Postavke podrške apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Prvo unesite proizvodnu stavku DocType: Quiz,Grading Basis,Grading Basis @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Više detalja DocType: Salary Component,Earning,Sticanje DocType: Restaurant Order Entry,Click Enter To Add,Kliknite na Enter to Add DocType: Employee Group,Employee Group,Grupa zaposlenika +DocType: Quality Procedure,Processes,Procesi DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Navedite devizni kurs za konverziju jedne valute u drugu apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Raspon starenja 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Potrebna skladišta za zalihu Stavka {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Žalba DocType: Shipping Rule,Restrict to Countries,Ograničite na zemlje DocType: Hub Tracked Item,Item Manager,Item Manager apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Valuta završnog računa mora biti {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budžeti apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Otvaranje stavke fakture DocType: Work Order,Plan material for sub-assemblies,Planirati materijal za podsklopove apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardver DocType: Budget,Action if Annual Budget Exceeded on MR,Akcija ako je godišnji budžet premašen na MR DocType: Sales Invoice Advance,Advance Amount,Advance Amount +DocType: Accounting Dimension,Dimension Name,Ime dimenzije DocType: Delivery Note Item,Against Sales Invoice Item,Protiv stavke fakture prodaje DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Uključi stavku u proizvodnji @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Šta radi? ,Sales Invoice Trends,Trendovi u fakturi prodaje DocType: Bank Reconciliation,Payment Entries,Platni unosi DocType: Employee Education,Class / Percentage,Class / Percentage -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Šifra artikla> Item Group> Brand ,Electronic Invoice Register,Elektronski registar faktura DocType: Sales Invoice,Is Return (Credit Note),Da li je povratak (kreditna napomena) DocType: Lab Test Sample,Lab Test Sample,Lab Test Sample @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Varijante apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Troškovi će biti distribuirani proporcionalno na osnovu količine ili iznosa stavke, prema vašem izboru" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Predstojeće aktivnosti za danas +DocType: Quality Procedure Process,Quality Procedure Process,Proces kvaliteta postupka DocType: Fee Schedule Program,Student Batch,Student Batch apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Stopa vrednovanja potrebna za stavku u redu {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Osnovna satnica (valuta kompanije) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Postavite količinu transakcija na osnovu serijskog ulaza apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Valuta računa avansa mora biti ista kao i valuta kompanije {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Prilagodite odjeljke početne stranice -DocType: Quality Goal,October,Oktobar +DocType: GSTR 3B Report,October,Oktobar DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Sakrij poreski identifikator kupca iz transakcija prodaje apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Nevažeći GSTIN! GSTIN mora imati 15 znakova. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Pravilo određivanja cijena {0} je ažurirano @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Leave Balance apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Raspored održavanja {0} postoji u odnosu na {1} DocType: Assessment Plan,Supervisor Name,Ime supervizora DocType: Selling Settings,Campaign Naming By,Campaign Naming By -DocType: Course,Course Code,Šifra predmeta +DocType: Student Group Creation Tool Course,Course Code,Šifra predmeta apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuirajte na bazi naplate DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Kriterijumi za bodovanje dobavljača rezultata @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Meni restorana DocType: Asset Movement,Purpose,Svrha apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Dodjela strukture zarada zaposlenom već postoji DocType: Clinical Procedure,Service Unit,Servisna jedinica -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> Korisnička grupa> Teritorija DocType: Travel Request,Identification Document Number,Broj identifikacijskog dokumenta DocType: Stock Entry,Additional Costs,Dodatni troškovi -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Roditeljski kurs (ostavite prazno, ako to nije dio Parent Course)" DocType: Employee Education,Employee Education,Obrazovanje zaposlenih apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Broj pozicija ne može biti manji od trenutnog broja zaposlenih apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Sve korisničke grupe @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Red {0}: Količina je obavezna DocType: Sales Invoice,Against Income Account,Protiv računa prihoda apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Red # {0}: Faktura kupovine ne može biti napravljena protiv postojeće imovine {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Pravila za primjenu različitih promotivnih programa. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Faktor pokrivanja UOM-a potreban za UOM: {0} u stavci: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Unesite količinu za stavku {0} DocType: Workstation,Electricity Cost,Cijena električne energije @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Ukupna projicirana količina apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Stvarni datum početka 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 cijeli dan (a) između dana za kompenzacijsko odsustvo -DocType: Company,About the Company,O kompaniji apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Stablo finansijskih računa. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Indirektni prihodi DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Rezervacija za hotelsku sobu @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Baza potenci DocType: Skill,Skill Name,Ime veštine apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Print Report Card DocType: Soil Texture,Ternary Plot,Ternary Plot +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Podesite Naming Series za {0} preko Setup> Settings> Naming Series apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Support Tickets DocType: Asset Category Account,Fixed Asset Account,Račun fiksnih sredstava apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Najnoviji @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Program upisa progr ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Podesite seriju koja će se koristiti. DocType: Delivery Trip,Distance UOM,Udaljenost UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Obavezno za bilans stanja DocType: Payment Entry,Total Allocated Amount,Ukupni dodijeljeni iznos DocType: Sales Invoice,Get Advances Received,Dobili napredak DocType: Student,B-,B- @@ -911,6 +915,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Raspored održavanj apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS profil potreban za POS ulaz DocType: Education Settings,Enable LMS,Omogući LMS DocType: POS Closing Voucher,Sales Invoices Summary,Sažetak faktura prodaje +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Benefit apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit Za račun mora biti račun stanja DocType: Video,Duration,Trajanje DocType: Lab Test Template,Descriptive,Opisni @@ -962,6 +967,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Početni i završni datumi DocType: Supplier Scorecard,Notify Employee,Notify Employee apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Softver +DocType: Program,Allow Self Enroll,Allow Self Enroll apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Stock Expenses apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Referentni broj je obavezan ako ste unijeli referentni datum DocType: Training Event,Workshop,Radionica @@ -1014,6 +1020,7 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informacije o elektronskom fakturiranju nedostaju apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nije napravljen nikakav zahtjev za materijal +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Šifra artikla> Item Group> Brand DocType: Loan,Total Amount Paid,Ukupno plaćeni iznos apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Sve ove stavke su već fakturirane DocType: Training Event,Trainer Name,Ime trenera @@ -1035,6 +1042,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Akademska godina DocType: Sales Stage,Stage Name,Naziv faze DocType: SMS Center,All Employee (Active),Svi zaposleni (aktivni) +DocType: Accounting Dimension,Accounting Dimension,Dimenzije računovodstva DocType: Project,Customer Details,Detalji o kupcu DocType: Buying Settings,Default Supplier Group,Default Supplier Group apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Molimo prvo poništite Potvrdu o kupnji {0} @@ -1149,7 +1157,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Veći broj, već DocType: Designation,Required Skills,Required Skills DocType: Marketplace Settings,Disable Marketplace,Disable Marketplace DocType: Budget,Action if Annual Budget Exceeded on Actual,Akcija ako je godišnji budžet premašen na stvarni -DocType: Course,Course Abbreviation,Skraćenica kursa apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Prisustvovanje nije predato za {0} kao {1} na odsustvu. DocType: Pricing Rule,Promotional Scheme Id,Id promotivne šeme apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Datum završetka zadatka {0} ne može biti veći od {1} očekivanog datuma završetka {2} @@ -1292,7 +1299,7 @@ DocType: Bank Guarantee,Margin Money,Margin Money DocType: Chapter,Chapter,Poglavlje DocType: Purchase Receipt Item Supplied,Current Stock,Current Stock DocType: Employee,History In Company,History In Company -DocType: Item,Manufacturer,Proizvođač +DocType: Purchase Invoice Item,Manufacturer,Proizvođač apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Moderate Sensitivity DocType: Compensatory Leave Request,Leave Allocation,Leave Allocation DocType: Timesheet,Timesheet,Timesheet @@ -1323,6 +1330,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Preneseni materijal z DocType: Products Settings,Hide Variants,Sakrij varijante DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Onemogućite planiranje kapaciteta i praćenje vremena DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Izračunat će se u transakciji. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} je potreban za račun 'Bilans stanja' {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} nije dozvoljeno obavljati transakcije sa {1}. Molimo promijenite tvrtku. 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 postavkama za kupovinu ako je kupovina potrebna == 'DA', onda za kreiranje fakture kupovine, korisnik treba da kreira račun za kupovinu prvo za stavku {0}" DocType: Delivery Trip,Delivery Details,Detalji dostave @@ -1358,7 +1366,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Prev apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Jedinica mjere DocType: Lab Test,Test Template,Test Template DocType: Fertilizer,Fertilizer Contents,Sadržaj đubriva -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minute +DocType: Quality Meeting Minutes,Minute,Minute apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Red # {0}: Svojstvo {1} ne može se poslati, već je {2}" DocType: Task,Actual Time (in Hours),Stvarno vrijeme (u satima) DocType: Period Closing Voucher,Closing Account Head,Završni šef računa @@ -1531,7 +1539,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorija DocType: Purchase Order,To Bill,Za Billa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Utrošni troškovi DocType: Manufacturing Settings,Time Between Operations (in mins),Vrijeme između operacija (u min) -DocType: Quality Goal,May,May +DocType: GSTR 3B Report,May,May apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Račun za Gateway plaćanja nije kreiran, kreirajte ga ručno." DocType: Opening Invoice Creation Tool,Purchase,Kupovina DocType: Program Enrollment,School House,School House @@ -1563,6 +1571,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,P DocType: Supplier,Statutory info and other general information about your Supplier,Zakonske informacije i ostale opšte informacije o Vašem dobavljaču DocType: Item Default,Default Selling Cost Center,Default Selling Cost Center DocType: Sales Partner,Address & Contacts,Adresa i kontakti +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Postavite nizove brojeva za Prisustvo putem Podešavanja> Brojčane serije DocType: Subscriber,Subscriber,Pretplatnik apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) nema na skladištu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Prvo odaberite Datum knjiženja @@ -1590,6 +1599,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Naknada u bolničkom pos DocType: Bank Statement Settings,Transaction Data Mapping,Mapiranje podataka o transakcijama apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Olovo zahtijeva ili ime osobe ili ime organizacije DocType: Student,Guardians,Čuvari +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Molimo vas da podesite Sistem za imenovanje instruktora u obrazovanju> Postavke obrazovanja apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Izaberite brend ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Middle Income DocType: Shipping Rule,Calculate Based On,Izračunajte na osnovu @@ -1601,7 +1611,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Advance Claim Claim DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Prilagodba zaokruživanja (valuta kompanije) DocType: Item,Publish in Hub,Objavi u Hub-u apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,August +DocType: GSTR 3B Report,August,August apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Prvo unesite Potvrda o kupnji apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Start Year apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Cilj ({}) @@ -1620,6 +1630,7 @@ DocType: Item,Max Sample Quantity,Maksimalna količina uzorka apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Izvorno i ciljno skladište mora biti različito DocType: Employee Benefit Application,Benefits Applied,Benefits Applied apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Protiv unosa dnevnika {0} nema unata bez podudaranja {1} +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Posebni znakovi osim "-", "#", ".", "/", "{" I "}" nisu dozvoljeni u imenovanju serija" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Potrebne su ploče s popustom za cijenu ili proizvod apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Postavite cilj apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Zapisnik o prisustvu {0} postoji protiv studenta {1} @@ -1635,10 +1646,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Mjesečno DocType: Routing,Routing Name,Ime rute DocType: Disease,Common Name,Common Name -DocType: Quality Goal,Measurable,Measurable DocType: Education Settings,LMS Title,LMS Title apps/erpnext/erpnext/config/non_profit.py,Loan Management,Upravljanje kreditima -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Support Analtyics DocType: Clinical Procedure,Consumable Total Amount,Potrošni ukupni iznos apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Omogući predložak apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Customer LPO @@ -1778,6 +1787,7 @@ DocType: Restaurant Order Entry Item,Served,Served DocType: Loan,Member,Član DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Raspored usluga jedinice za praktičare apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Žični prenos +DocType: Quality Review Objective,Quality Review Objective,Cilj pregleda kvaliteta DocType: Bank Reconciliation Detail,Against Account,Protiv računa DocType: Projects Settings,Projects Settings,Postavke projekata apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Stvarna količina {0} / količina čekanja {1} @@ -1806,6 +1816,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ve apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Datum završetka fiskalne godine treba da bude godinu dana nakon datuma početka fiskalne godine apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Daily Reminders DocType: Item,Default Sales Unit of Measure,Određen forumom Sales Unit of Measure +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Kompanija GSTIN DocType: Asset Finance Book,Rate of Depreciation,Stopa amortizacije DocType: Support Search Source,Post Description Key,Post Description Key DocType: Loyalty Program Collection,Minimum Total Spent,Minimalno ukupno potrošeno @@ -1877,6 +1888,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Promjena grupe korisnika za odabranog kupca nije dopuštena. DocType: Serial No,Creation Document Type,Vrsta dokumenta kreiranja DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Dostupno u seriji +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Ovo je korijenska teritorija i ne može se uređivati. DocType: Patient,Surgical History,Surgical History apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Drvo procedura kvaliteta. @@ -1981,6 +1993,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,N DocType: Item Group,Check this if you want to show in website,Označite ovo ako želite prikazati na web stranici apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskalna godina {0} nije pronađena DocType: Bank Statement Settings,Bank Statement Settings,Postavke bankovnog izvoda +DocType: Quality Procedure Process,Link existing Quality Procedure.,Veza postojeće procedure kvaliteta. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Uvezite grafikon računa iz CSV / Excel datoteka DocType: Appraisal Goal,Score (0-5),Ocena (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Atribut {0} je izabran više puta u tabeli atributa DocType: Purchase Invoice,Debit Note Issued,Izdata je zadužnica @@ -1989,7 +2003,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Ostavite detaljnu politiku apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Skladište nije pronađeno u sistemu DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -DocType: Quality Goal,Measurable Goal,Measurable Goal DocType: Bank Statement Transaction Payment Item,Invoices,Fakture DocType: Currency Exchange,Currency Exchange,Mjenjačnica DocType: Payroll Entry,Fortnightly,Fortnightly @@ -2052,6 +2065,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} nije dostavljen DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Ispraznite sirovine iz skladišta u toku DocType: Maintenance Team Member,Maintenance Team Member,Član tima za održavanje +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Podešavanje prilagođenih dimenzija za računovodstvo DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimalna udaljenost između redova biljaka za optimalan rast DocType: Employee Health Insurance,Health Insurance Name,Ime zdravstvenog osiguranja apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Stock Assets @@ -2084,7 +2098,7 @@ DocType: Delivery Note,Billing Address Name,Naziv adrese za naplatu apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternativna stavka DocType: Certification Application,Name of Applicant,Ime podnosioca DocType: Leave Type,Earned Leave,Earned Leave -DocType: Quality Goal,June,June +DocType: GSTR 3B Report,June,June apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Red {0}: Mjesto troška je potrebno za stavku {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Može biti odobren od strane {0} 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 unesena više od jednom u tabeli faktora konverzije @@ -2105,6 +2119,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standardna stopa prodaje apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Postavite aktivni izbornik za restoran {0} apps/erpnext/erpnext/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 na Marketplace. DocType: Asset Finance Book,Asset Finance Book,Book Finance Book +DocType: Quality Goal Objective,Quality Goal Objective,Cilj cilja kvaliteta DocType: Employee Transfer,Employee Transfer,Transfer zaposlenih ,Sales Funnel,Prodajni tok DocType: Agriculture Analysis Criteria,Water Analysis,Analiza vode @@ -2143,6 +2158,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Property Transfer apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Aktivnosti na čekanju apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Navedite nekoliko vaših klijenata. To mogu biti organizacije ili pojedinci. DocType: Bank Guarantee,Bank Account Info,Informacije o bankovnom računu +DocType: Quality Goal,Weekday,Weekday apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Name DocType: Salary Component,Variable Based On Taxable Salary,Varijabilna na osnovu oporezive plate DocType: Accounting Period,Accounting Period,Računovodstveni period @@ -2227,7 +2243,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Podešavanje zaokruživanja DocType: Quality Review Table,Quality Review Table,Tabela pregleda kvaliteta DocType: Member,Membership Expiry Date,Datum isteka članstva DocType: Asset Finance Book,Expected Value After Useful Life,Očekivana vrijednost nakon korisnog života -DocType: Quality Goal,November,Novembar +DocType: GSTR 3B Report,November,Novembar DocType: Loan Application,Rate of Interest,Kamatna stopa DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Stavka plaćanja transakcije u banci DocType: Restaurant Reservation,Waitlisted,Waitlisted @@ -2291,6 +2307,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Red {0}: Da biste postavili {1} periodičnost, razlika između i od dana mora biti veća ili jednaka {2}" DocType: Purchase Invoice Item,Valuation Rate,Rate Rate DocType: Shopping Cart Settings,Default settings for Shopping Cart,Podrazumevane postavke za Košaricu +DocType: Quiz,Score out of 100,Rezultat od 100 DocType: Manufacturing Settings,Capacity Planning,Planiranje kapaciteta apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Idi na instruktore DocType: Activity Cost,Projects,Projekti @@ -2300,6 +2317,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,From Time apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Details Report +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,For Buying apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Sloti za {0} se ne dodaju rasporedu DocType: Target Detail,Target Distribution,Target Distribution @@ -2317,6 +2335,7 @@ DocType: Activity Cost,Activity Cost,Troškovi aktivnosti DocType: Journal Entry,Payment Order,Platni nalog apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Cijene ,Item Delivery Date,Datum isporuke artikla +DocType: Quality Goal,January-April-July-October,Januar-april-jul-oktobar DocType: Purchase Order Item,Warehouse and Reference,Skladište i reference apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Račun sa čvorovima za dijete ne može se pretvoriti u knjigu DocType: Soil Texture,Clay Composition (%),Sastav gline (%) @@ -2367,6 +2386,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Budući datumi nisu do apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Red {0}: Postavite način plaćanja na rasporedu plaćanja apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Akademski mandat: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Parametar povratne informacije kvaliteta apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Odaberite Apply Discount On apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Red # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Ukupna plaćanja @@ -2409,7 +2429,7 @@ DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID zaposlenika DocType: Salary Structure Assignment,Salary Structure Assignment,Raspodela strukture plata DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Porez na vaučer za zatvaranje POS-a -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Postupak inicijalizovan +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Postupak inicijalizovan DocType: POS Profile,Applicable for Users,Primjenjivo za korisnike DocType: Training Event,Exam,Ispit apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Neispravan broj pronađenih unosa glavne knjige. Možda ste u transakciji izabrali pogrešan račun. @@ -2516,6 +2536,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Longitude DocType: Accounts Settings,Determine Address Tax Category From,Odredite poresku kategoriju adrese apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Identifikovanje odluka +DocType: Stock Entry Detail,Reference Purchase Receipt,Referentni račun za kupovinu apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Get Invocies DocType: Tally Migration,Is Day Book Data Imported,Da li su podaci o dnevnoj knjizi uvezeni ,Sales Partners Commission,Sales Partners Commission @@ -2539,6 +2560,7 @@ DocType: Leave Type,Applicable After (Working Days),Primjenjivo poslije (radni d DocType: Timesheet Detail,Hrs,Hrs DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kriterijumi dobavljača rezultata DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parametar predloška kvalitete povratne informacije apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Datum pridruživanja mora biti veći od datuma rođenja DocType: Bank Statement Transaction Invoice Item,Invoice Date,Datum računa DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Napravite laboratorijske testove na dostavnici dostavnice @@ -2645,7 +2667,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimalna dozvoljena DocType: Stock Entry,Source Warehouse Address,Adresa skladišta izvora DocType: Compensatory Leave Request,Compensatory Leave Request,Zahtjev za kompenzacijski dopust DocType: Lead,Mobile No.,Mobile No. -DocType: Quality Goal,July,Jul +DocType: GSTR 3B Report,July,Jul apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Prihvatljivi ITC DocType: Fertilizer,Density (if liquid),Gustina (ako je tečna) DocType: Employee,External Work History,Vanjska radna povijest @@ -2722,6 +2744,7 @@ DocType: Certification Application,Certification Status,Status certifikacije apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Lokacija izvora je potrebna za imovinu {0} DocType: Employee,Encashment Date,Datum unovčavanja apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Molimo odaberite Datum završetka završenog dnevnika održavanja imovine +DocType: Quiz,Latest Attempt,Latest Attempt DocType: Leave Block List,Allow Users,Dozvoli korisnicima apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Chart of Accounts apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Korisnik je obavezan ako je za klijenta izabrana opcija 'Opportunity From' @@ -2786,7 +2809,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Setup Scorecard za d DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS postavke DocType: Program Enrollment,Walking,Hodanje DocType: SMS Log,Requested Numbers,Requested Numbers -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Postavite nizove brojeva za Prisustvo putem Podešavanja> Brojčane serije DocType: Woocommerce Settings,Freight and Forwarding Account,Račun za otpremu i otpremu apps/erpnext/erpnext/accounts/party.py,Please select a Company,Molimo izaberite kompaniju apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Red {0}: {1} mora biti veći od 0 @@ -2856,7 +2878,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Računi pod DocType: Training Event,Seminar,Seminar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kredit ({0}) DocType: Payment Request,Subscription Plans,Planovi pretplate -DocType: Quality Goal,March,Mart +DocType: GSTR 3B Report,March,Mart apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Split Batch DocType: School House,House Name,Ime kuće apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Izvanredno za {0} ne može biti manja od nule ({1}) @@ -2919,7 +2941,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Datum početka osiguranja DocType: Target Detail,Target Detail,Target Detail DocType: Packing Slip,Net Weight UOM,Neto težina UOM -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverzijski faktor ({0} -> {1}) nije pronađen za stavku: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Neto iznos (valuta kompanije) DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapirani podaci apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Vrijednosni papiri i depoziti @@ -2969,6 +2990,7 @@ DocType: Cheque Print Template,Cheque Height,Proverite visinu apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Unesite datum oslobađanja. DocType: Loyalty Program,Loyalty Program Help,Pomoć za program lojalnosti DocType: Journal Entry,Inter Company Journal Entry Reference,Inter Company Journal Entry Reference +DocType: Quality Meeting,Agenda,Agenda DocType: Quality Action,Corrective,Korektivno apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Group By DocType: Bank Account,Address and Contact,Adresa i kontakt @@ -3022,7 +3044,7 @@ DocType: GL Entry,Credit Amount,Iznos kredita apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Ukupan iznos odobren DocType: Support Search Source,Post Route Key List,Postavi listu ključeva rute apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} nije u nekoj aktivnoj fiskalnoj godini. -DocType: Quality Action Table,Problem,Problem +DocType: Quality Action Resolution,Problem,Problem DocType: Training Event,Conference,Konferencija DocType: Mode of Payment Account,Mode of Payment Account,Račun plaćanja DocType: Leave Encashment,Encashable days,Dani u kojima se može izvršiti povrat @@ -3148,7 +3170,7 @@ DocType: Item,"Purchase, Replenishment Details","Kupovina, Pojedinosti o dopuni" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Jednom postavljena, ova faktura će biti na čekanju do određenog datuma" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Stock ne može postojati za stavku {0} jer ima varijante DocType: Lab Test Template,Grouped,Grupisano -DocType: Quality Goal,January,Januar +DocType: GSTR 3B Report,January,Januar DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteriji za ocjenjivanje kursa DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Completed Qty @@ -3244,7 +3266,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Vrsta jedinic apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Molimo vas da u tabeli unesete najmanje 1 fakturu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Prodajni nalog {0} nije dostavljen apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Prisustvo je uspešno obeleženo. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Pre Sales +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pre Sales apps/erpnext/erpnext/config/projects.py,Project master.,Master projekta. DocType: Daily Work Summary,Daily Work Summary,Dnevni pregled rada DocType: Asset,Partially Depreciated,Delimično amortizovana @@ -3253,6 +3275,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Leave Encashed? DocType: Certified Consultant,Discuss ID,Discuss ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Postavite GST račune u GST postavkama +DocType: Quiz,Latest Highest Score,Latest Highest Score DocType: Supplier,Billing Currency,Valuta naplate apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Studentska aktivnost apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Ciljna količina ili ciljni iznos je obavezan @@ -3278,18 +3301,21 @@ DocType: Sales Order,Not Delivered,Not Delivered apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Tip ostavljanja {0} ne može biti dodijeljen jer je to dopust bez plaćanja DocType: GL Entry,Debit Amount,Debitni iznos apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Već postoji zapis za stavku {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Sub Assemblies 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 preovlađuju višestruka pravila za određivanje cijena, od korisnika se traži da ručno podesi prioritet da bi riješio sukob." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Ne može se odbiti kada je kategorija za 'Vrednovanje' ili 'Vrednovanje i Ukupno' apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Potrebna je sastavnica i količina proizvodnje apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Stavka {0} je završila svoj život na {1} DocType: Quality Inspection Reading,Reading 6,Čitanje 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Polje kompanije je obavezno apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Potrošnja materijala nije postavljena u Postavkama proizvodnje. DocType: Assessment Group,Assessment Group Name,Naziv grupe za procjenu -DocType: Item,Manufacturer Part Number,Broj dijela proizvođača +DocType: Purchase Invoice Item,Manufacturer Part Number,Broj dijela proizvođača apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll Payable apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Red # {0}: {1} ne može biti negativan za stavku {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balance Qty +DocType: Question,Multiple Correct Answer,Višestruki ispravan odgovor DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Bodovi lojalnosti = Kolika je osnovna valuta? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Napomena: Nema dovoljno preostalog balansa za vrstu ostavljanja {0} DocType: Clinical Procedure,Inpatient Record,Inpatient Record @@ -3412,6 +3438,7 @@ DocType: Fee Schedule Program,Total Students,Ukupno studenata apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokalno DocType: Chapter Member,Leave Reason,Ostavi razlog DocType: Salary Component,Condition and Formula,Stanje i formula +DocType: Quality Goal,Objectives,Ciljevi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plata koja je već obrađena za period između {0} i {1}, razdoblje napuštanja aplikacije ne može biti između ovog raspona datuma." DocType: BOM Item,Basic Rate (Company Currency),Osnovna stopa (valuta kompanije) DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item @@ -3462,6 +3489,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Račun troškova potraživanja apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nema otplate za unos dnevnika apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} je neaktivan student +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Napravite unos zaliha DocType: Employee Onboarding,Activities,Aktivnosti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Najmanje jedno skladište je obavezno ,Customer Credit Balance,Kreditni saldo kupca @@ -3546,7 +3574,6 @@ DocType: Contract,Contract Terms,Uvjeti ugovora apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Ciljna količina ili ciljni iznos je obavezan. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Nevažeće {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Datum sastanka DocType: Inpatient Record,HLC-INP-.YYYY.-,FHP-INP-.YYYY.- \ t apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Skraćenica ne može imati više od 5 znakova DocType: Employee Benefit Application,Max Benefits (Yearly),Maksimalne pogodnosti (godišnje) @@ -3649,7 +3676,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Naknade za banke apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Prenesena roba apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primary Contact Details -DocType: Quality Review,Values,Vrijednosti DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ako se ne proveri, popis će se morati dodati svakom odjelu gdje ga treba primijeniti." DocType: Item Group,Show this slideshow at the top of the page,Prikaži ovu prezentaciju na vrhu stranice apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Parametar {0} je nevažeći @@ -3668,6 +3694,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Račun bankovnih naknada DocType: Journal Entry,Get Outstanding Invoices,Get Outstanding Invoices DocType: Opportunity,Opportunity From,Opportunity From +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Detalji o meti DocType: Item,Customer Code,Customer Code apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Molimo prvo unesite stavku apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Website Listing @@ -3696,7 +3723,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Dostava Za DocType: Bank Statement Transaction Settings Item,Bank Data,Bank Data apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Scheduled Upto -DocType: Quality Goal,Everyday,Svaki dan DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Održavajte sate za naplatu i radno vrijeme na listi apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Vodeći tragovi vodećeg izvora. DocType: Clinical Procedure,Nursing User,Nursing User @@ -3721,7 +3747,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Upravljanje stablom te DocType: GL Entry,Voucher Type,Tip vaučera ,Serial No Service Contract Expiry,Serijski Bez ugovornog ugovora DocType: Certification Application,Certified,Certified -DocType: Material Request Plan Item,Manufacture,Proizvodnja +DocType: Purchase Invoice Item,Manufacture,Proizvodnja apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,Proizvedeno je {0} stavki apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Zahtjev za plaćanje za {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dani od poslednjeg reda @@ -3736,7 +3762,7 @@ DocType: Sales Invoice,Company Address Name,Ime i prezime kompanije apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Roba u tranzitu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Maksimalno {0} bodova možete iskoristiti samo u ovom redoslijedu. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Postavite račun u skladištu {0} -DocType: Quality Action Table,Resolution,Rezolucija +DocType: Quality Action,Resolution,Rezolucija DocType: Sales Invoice,Loyalty Points Redemption,Otkup bodova lojalnosti apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Ukupna porezna vrijednost DocType: Patient Appointment,Scheduled,Zakazano @@ -3857,6 +3883,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Rate apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Spremanje {0} DocType: SMS Center,Total Message(s),Ukupno poruka (e) +DocType: Purchase Invoice,Accounting Dimensions,Dimenzije računovodstva apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupa po računu DocType: Quotation,In Words will be visible once you save the Quotation.,In Words će biti vidljive kada sačuvate ponudu. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Količina za proizvodnju @@ -4021,7 +4048,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,P apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Ako imate bilo kakvih pitanja, molimo Vas da nam se javite." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Potvrda o kupnji {0} nije poslana DocType: Task,Total Expense Claim (via Expense Claim),Ukupni iznos potraživanja (preko potraživanja od rashoda) -DocType: Quality Action,Quality Goal,Cilj kvaliteta +DocType: Quality Goal,Quality Goal,Cilj kvaliteta DocType: Support Settings,Support Portal,Portal za podršku apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Datum završetka zadatka {0} ne može biti manji od {1} očekivanog datuma početka {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Zaposleni {0} je na ostavi na {1} @@ -4080,7 +4107,6 @@ DocType: BOM,Operating Cost (Company Currency),Operativni trošak (valuta kompan DocType: Item Price,Item Price,Cijena stavke DocType: Payment Entry,Party Name,Ime stranke apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Izaberite klijenta -DocType: Course,Course Intro,Uvod u kurs DocType: Program Enrollment Tool,New Program,Novi program apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Broj novog troškovnog centra, on će biti uključen u naziv mjesta troška kao prefiks" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Izaberite kupca ili dobavljača. @@ -4281,6 +4307,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto plata ne može biti negativna apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Broj interakcija 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} na narudžbenicu narudžbe {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Obrada kontnog plana i strana DocType: Stock Settings,Convert Item Description to Clean HTML,Pretvori opis stavke u Clean HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Sve grupe dobavljača @@ -4359,6 +4386,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Parent Item apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Izradite račun kupovine ili račun za kupovinu stavke {0} +,Product Bundle Balance,Balans proizvoda apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Naziv kompanije ne može biti Kompanija DocType: Maintenance Visit,Breakdown,Slom DocType: Inpatient Record,B Negative,B Negativno @@ -4367,7 +4395,7 @@ DocType: Purchase Invoice,Credit To,Credit To apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Pošaljite ovaj radni nalog za dalju obradu. DocType: Bank Guarantee,Bank Guarantee Number,Broj bankarske garancije apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Isporučeno: {0} -DocType: Quality Action,Under Review,Under Review +DocType: Quality Meeting Table,Under Review,Under Review apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Poljoprivreda (beta) ,Average Commission Rate,Prosečna provizija DocType: Sales Invoice,Customer's Purchase Order Date,Datum narudžbenice naručioca @@ -4484,7 +4512,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Uskladite plaćanja sa fakturama DocType: Holiday List,Weekly Off,Weekly Off apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Nije dozvoljeno postaviti alternativnu stavku za stavku {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Program {0} ne postoji. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} ne postoji. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Ne možete uređivati korijenski čvor. DocType: Fee Schedule,Student Category,Kategorija učenika apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Stavka {0}: {1} proizvedena količina," @@ -4575,8 +4603,8 @@ DocType: Crop,Crop Spacing,Crop Spacing DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Koliko često treba da se ažuriraju projekti i kompanije na osnovu transakcija prodaje. DocType: Pricing Rule,Period Settings,Podešavanja perioda apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Neto promjena potraživanja +DocType: Quality Feedback Template,Quality Feedback Template,Šablon kvalitete povratnih informacija 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 -DocType: Quality Goal,Goal Objectives,Ciljevi cilja 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čunatog iznosa" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Ostavite prazno ako napravite grupe studenata godišnje apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Krediti (obaveze) @@ -4611,12 +4639,13 @@ DocType: Quality Procedure Table,Step,Korak DocType: Normal Test Items,Result Value,Vrijednost rezultata DocType: Cash Flow Mapping,Is Income Tax Liability,Odgovornost za porez na dohodak DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Stavka za bolničku posjetu -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} ne postoji. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} ne postoji. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Ažuriraj odgovor DocType: Bank Guarantee,Supplier,Dobavljač apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Unesite vrijednost između {0} i {1} DocType: Purchase Order,Order Confirmation Date,Datum potvrde narudžbe DocType: Delivery Trip,Calculate Estimated Arrival Times,Izračunajte procijenjeno vrijeme dolaska +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite Sistem za imenovanje zaposlenika u ljudskim resursima> Postavke ljudskih resursa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Potrošni DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Datum početka pretplate @@ -4680,6 +4709,7 @@ DocType: Cheque Print Template,Is Account Payable,Je li dugovanje na računu apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Ukupna vrijednost narudžbe apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dobavljač {0} nije pronađen u {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Postavite postavke SMS gateway-a +DocType: Salary Component,Round to the Nearest Integer,Zaokružite se na Najbliži Integer apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Root ne može imati matično mjesto troška DocType: Healthcare Service Unit,Allow Appointments,Dozvoli sastanke DocType: BOM,Show Operations,Prikaži operacije @@ -4808,7 +4838,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Default Holiday List DocType: Naming Series,Current Value,Trenutna vrijednost apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezonski za postavljanje budžeta, ciljeva itd." -DocType: Program,Program Code,Program Code apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Upozorenje: prodajni nalog {0} već postoji protiv narudžbenice kupca {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Mjesečni cilj prodaje ( DocType: Guardian,Guardian Interests,Guardian Interests @@ -4858,10 +4887,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Plaćeno i nije isporučeno apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Šifra artikla je obavezna jer stavka nije automatski numerisana DocType: GST HSN Code,HSN Code,HSN kod -DocType: Quality Goal,September,Septembar +DocType: GSTR 3B Report,September,Septembar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administrativni troškovi DocType: C-Form,C-Form No,C-Obrazac br DocType: Purchase Invoice,End date of current invoice's period,Datum završetka perioda tekuće fakture +DocType: Item,Manufacturers,Proizvođači DocType: Crop Cycle,Crop Cycle,Crop Cycle DocType: Serial No,Creation Time,Vreme stvaranja apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Molimo vas da unesete uloga za odobravanje ili korisnika odobrenja @@ -4934,8 +4964,6 @@ DocType: Employee,Short biography for website and other publications.,Kratka bio DocType: Purchase Invoice Item,Received Qty,Primljeno Kol DocType: Purchase Invoice Item,Rate (Company Currency),Rate (Valuta kompanije) DocType: Item Reorder,Request for,Zahtjev za -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Izbrišite zaposlenika {0} da otkažete ovaj dokument" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Instaliranje preseta apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Unesite Rok otplate DocType: Pricing Rule,Advanced Settings,Napredne postavke @@ -4961,7 +4989,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Omogući korpe za kupovinu DocType: Pricing Rule,Apply Rule On Other,Primijeni pravilo na drugo DocType: Vehicle,Last Carbon Check,Last Carbon Check -DocType: Vehicle,Make,Make +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Make apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Faktura prodaje {0} kreirana kao plaćena apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Za kreiranje zahtjeva za plaćanje je potreban referentni dokument apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Porez na prihod @@ -5037,7 +5065,6 @@ DocType: Territory,Parent Territory,Parent Territory DocType: Vehicle Log,Odometer Reading,Odometer Reading DocType: Additional Salary,Salary Slip,Salis Slip DocType: Payroll Entry,Payroll Frequency,Frekvencija plaćanja -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite Sistem za imenovanje zaposlenika u ljudskim resursima> Postavke ljudskih resursa apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Početni i završni datumi koji nisu u važećem obračunskom periodu, ne mogu izračunati {0}" DocType: Products Settings,Home Page is Products,Početna stranica je Proizvodi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Pozivi @@ -5091,7 +5118,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Dohvaćanje zapisa ...... DocType: Delivery Stop,Contact Information,Kontakt informacije DocType: Sales Order Item,For Production,Za proizvodnju -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Molimo vas da podesite Sistem za imenovanje instruktora u obrazovanju> Postavke obrazovanja DocType: Serial No,Asset Details,Detalji o imovini DocType: Restaurant Reservation,Reservation Time,Vreme rezervacije DocType: Selling Settings,Default Territory,Default Territory @@ -5231,6 +5257,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Istekle serije DocType: Shipping Rule,Shipping Rule Type,Vrsta pravila o isporuci DocType: Job Offer,Accepted,Prihvaćeno +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Izbrišite zaposlenika {0} da otkažete ovaj dokument" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Već ste procijenili kriterije procjene {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Izaberite Serijski brojevi apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Dob (Dani) @@ -5247,6 +5275,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,U paketu stavke u vrijeme prodaje. DocType: Payment Reconciliation Payment,Allocated Amount,Dodijeljeni iznos apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Molimo odaberite Društvo i oznaku +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,Potreban je datum DocType: Email Digest,Bank Credit Balance,Saldo kredita banke apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Prikaži kumulativni iznos apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Nemate dovoljno bodova lojalnosti da biste ih iskoristili @@ -5307,11 +5336,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,On Previous Row Total DocType: Student,Student Email Address,Adresa e-pošte studenta DocType: Academic Term,Education,Obrazovanje DocType: Supplier Quotation,Supplier Address,Adresa dobavljača -DocType: Salary Component,Do not include in total,Ne uključujte ukupno +DocType: Salary Detail,Do not include in total,Ne uključujte ukupno apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Nije moguće postaviti višestruke zadane postavke za tvrtku. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ne postoji DocType: Purchase Receipt Item,Rejected Quantity,Odbijena količina DocType: Cashier Closing,To TIme,To TIme +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverzijski faktor ({0} -> {1}) nije pronađen za stavku: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Dnevni radni pregled grupe korisnika DocType: Fiscal Year Company,Fiscal Year Company,Fiskalna godina Kompanija apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternativna stavka ne smije biti ista kao kod stavke @@ -5421,7 +5451,6 @@ DocType: Fee Schedule,Send Payment Request Email,Pošalji e-poruku sa zahtevom z DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,In Words će biti vidljive kada sačuvate fakturu prodaje. DocType: Sales Invoice,Sales Team1,Prodajni tim1 DocType: Work Order,Required Items,Potrebne stavke -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Posebni znakovi osim "-", "#", "." i "/" nije dozvoljeno u imenovanju serija" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Pročitajte ERPNext priručnik DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Provjerite jedinstvenost broja fakture dobavljača apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Search Sub Assemblies @@ -5489,7 +5518,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Percent Deduction 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: Share Balance,To No,To No DocType: Leave Control Panel,Allocate Leaves,Allocate Leaves -DocType: Quiz,Last Attempt,Last Attempt DocType: Assessment Result,Student Name,Ime studenta apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Plan za posjete održavanju. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Sledeći zahtevi za materijal su podignuti automatski na osnovu re-narudžbine na stavci @@ -5558,6 +5586,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Boja indikatora DocType: Item Variant Settings,Copy Fields to Variant,Kopirajte polja u Variant DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Single Correct Answer apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Od datuma ne može biti manji od datuma pridruživanja zaposlenog DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Dozvolite višestruke narudžbe prodaje protiv narudžbenice naručioca apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5620,7 +5649,7 @@ DocType: Account,Expenses Included In Valuation,Troškovi uključeni u procjenu apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Serijski brojevi DocType: Salary Slip,Deductions,Odbijanja ,Supplier-Wise Sales Analytics,Analitika prodaje dobavljača -DocType: Quality Goal,February,februar +DocType: GSTR 3B Report,February,februar DocType: Appraisal,For Employee,Za zaposlenika apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Stvarni datum isporuke DocType: Sales Partner,Sales Partner Name,Ime partnera za prodaju @@ -5716,7 +5745,6 @@ DocType: Procedure Prescription,Procedure Created,Postupak stvoren apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Protiv fakture dobavljača {0} od {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Promijenite POS profil apps/erpnext/erpnext/utilities/activation.py,Create Lead,Create Lead -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> Tip dobavljača DocType: Shopify Settings,Default Customer,Default Customer DocType: Payment Entry Reference,Supplier Invoice No,Faktura dobavljača br DocType: Pricing Rule,Mixed Conditions,Mixed Conditions @@ -5767,12 +5795,14 @@ DocType: Item,End of Life,Kraj života DocType: Lab Test Template,Sensitivity,Osetljivost DocType: Territory,Territory Targets,Ciljevi teritorije apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Preskakanje izdvajanja za sljedeće zaposlenike, jer evidencija o alociranju ostavljanja već postoji protiv njih. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Rezolucija akcije kvalitete DocType: Sales Invoice Item,Delivered By Supplier,Isporučeno od dobavljača DocType: Agriculture Analysis Criteria,Plant Analysis,Plant Analysis apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Račun troškova je obavezan za stavku {0} ,Subcontracted Raw Materials To Be Transferred,Podugovorene sirovine koje treba prenijeti DocType: Cashier Closing,Cashier Closing,Zatvaranje blagajnika apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Stavka {0} je već vraćena +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Nevažeći GSTIN! Unos koji ste uneli ne odgovara GSTIN formatu za UIN nositelje ili nerezidentne OIDAR pružatelje usluga apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Za ovo skladište postoji dječje skladište. Ne možete izbrisati ovo skladište. DocType: Diagnosis,Diagnosis,Dijagnoza apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Ne postoji period odlaska između {0} i {1} @@ -5789,6 +5819,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Postavke autorizacije DocType: Homepage,Products,Proizvodi ,Profit and Loss Statement,Izvještaj o dobiti i gubitku apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Sobe Rezervirano +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Dvostruki unos u odnosu na kôd stavke {0} i proizvođač {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Ukupna tezina apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Putovanje @@ -5837,6 +5868,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Default Customer Group DocType: Journal Entry Account,Debit in Company Currency,Zaduženje u valuti kompanije DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Povratna serija je "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Program sastanaka o kvalitetu DocType: Cash Flow Mapper,Section Header,Zaglavlje sekcije apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Vaše proizvode ili usluge DocType: Crop,Perennial,Perennial @@ -5882,7 +5914,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Proizvod ili usluga koja se kupuje, prodaje ili drži na skladištu." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Zatvaranje (otvaranje + ukupno) DocType: Supplier Scorecard Criteria,Criteria Formula,Formula kriterija -,Support Analytics,Support Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Support Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Pregled i akcija DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ako je račun zamrznut, unosi su dozvoljeni ograničenim korisnicima." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Iznos nakon amortizacije @@ -5927,7 +5959,6 @@ DocType: Contract Template,Contract Terms and Conditions,Uvjeti i odredbe ugovor apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Fetch Data DocType: Stock Settings,Default Item Group,Default Item Group DocType: Sales Invoice Timesheet,Billing Hours,Sati plaćanja -DocType: Item,Item Code for Suppliers,Šifra artikla za dobavljače apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Ostavi aplikaciju {0} već postoji protiv studenta {1} DocType: Pricing Rule,Margin Type,Margin Type DocType: Purchase Invoice Item,Rejected Serial No,Odbijena serijska br @@ -6000,6 +6031,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Lišće je uspješno izdano DocType: Loyalty Point Entry,Expiry Date,Datum isteka DocType: Project Task,Working,Rad +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} već ima nadređenu proceduru {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Ovo se zasniva na transakcijama protiv ovog pacijenta. Za detalje pogledajte vremensku liniju ispod DocType: Material Request,Requested For,Requested For DocType: SMS Center,All Sales Person,Sva prodajna osoba @@ -6087,6 +6119,7 @@ DocType: Loan Type,Maximum Loan Amount,Maksimalni iznos kredita apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-pošta nije pronađena u zadanom kontaktu DocType: Hotel Room Reservation,Booked,Booked DocType: Maintenance Visit,Partially Completed,Delimično završeno +DocType: Quality Procedure Process,Process Description,Opis procesa DocType: Company,Default Employee Advance Account,Default Account Advance Account DocType: Leave Type,Allow Negative Balance,Dopusti negativno stanje apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Naziv plana procjene @@ -6128,6 +6161,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Zahtjev za stavku ponude apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} dvaput je uneseno u porez na stavku DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Oduzmi punu porez na izabrani datum plata +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Zadnji datum provjere ugljika ne može biti budući datum apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Odaberite račun za promjenu iznosa DocType: Support Settings,Forum Posts,Forum Posts DocType: Timesheet Detail,Expected Hrs,Očekivani sati @@ -6137,7 +6171,7 @@ DocType: Program Enrollment Tool,Enroll Students,Upišite studente apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Ponovite prihode klijenata DocType: Company,Date of Commencement,Datum početka DocType: Bank,Bank Name,Ime banke -DocType: Quality Goal,December,Decembar +DocType: GSTR 3B Report,December,Decembar apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Važeći od datuma mora biti manji od važećeg datuma apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Ovo se zasniva na prisustvu ovog zaposlenog DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ako je označeno, početna stranica će biti zadana grupa predmeta za web lokaciju" @@ -6180,6 +6214,7 @@ DocType: Payment Entry,Payment Type,Vrsta plaćanja apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Brojevi folija se ne podudaraju DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Inspekcija kvalitete: {0} nije poslana za stavku: {1} u redu {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Prikaži {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,Pronađena je {0} stavka. ,Stock Ageing,Stock Aging DocType: Customer Group,Mention if non-standard receivable account applicable,Navedite ako je primjenjiv račun nestandardnog potraživanja @@ -6457,6 +6492,7 @@ DocType: Travel Request,Costing,Costing apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Fiksna sredstva DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Totalna zarada +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> Korisnička grupa> Teritorija DocType: Share Balance,From No,From No DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Račun poravnanja plaćanja DocType: Purchase Invoice,Taxes and Charges Added,Dodati porezi i naknade @@ -6464,7 +6500,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Razmotrite porez DocType: Authorization Rule,Authorized Value,Ovlašćena vrijednost apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Primljeno od apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Skladište {0} ne postoji +DocType: Item Manufacturer,Item Manufacturer,Item Manufacturer DocType: Sales Invoice,Sales Team,Prodajni tim +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Qty DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM DocType: Installation Note,Installation Date,Datum instalacije DocType: Email Digest,New Quotations,New Quotations @@ -6528,7 +6566,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Ime praznične liste DocType: Water Analysis,Collection Temperature ,Temperature Collection DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Upravljajte dostavnicom za naplatu i automatski otkažite za Pacijentov susret -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Podesite Naming Series za {0} preko Setup> Settings> Naming Series DocType: Employee Benefit Claim,Claim Date,Datum potraživanja DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Ostavite prazno ako je dobavljač blokiran na neodređeno vrijeme apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Prisustvo od datuma i prisustva do datuma je obavezno @@ -6539,6 +6576,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Datum povlačenja apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Odaberite Pacijent DocType: Asset,Straight Line,Duž +DocType: Quality Action,Resolutions,Rezolucije DocType: SMS Log,No of Sent SMS,Broj poslanih SMS poruka ,GST Itemised Sales Register,GST Detaljan prodajni registar apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Ukupni iznos akontacije ne može biti veći od ukupnog iznosa sankcije @@ -6649,7 +6687,7 @@ DocType: Account,Profit and Loss,Dobitak i gubitak apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Asset Finance Book,Written Down Value,Zapisana vrijednost apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Početni bilans stanja -DocType: Quality Goal,April,April +DocType: GSTR 3B Report,April,April DocType: Supplier,Credit Limit,Kreditni limit apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Distribucija apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6704,6 +6742,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Povežite Shopify sa ERPNext DocType: Homepage Section Card,Subtitle,Subtitle DocType: Soil Texture,Loam,Loam +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> Tip dobavljača DocType: BOM,Scrap Material Cost(Company Currency),Trošak materijala za otpad (valuta kompanije) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Napomena za isporuku {0} ne smije biti poslana DocType: Task,Actual Start Date (via Time Sheet),Stvarni datum početka (putem vremenskog lista) @@ -6759,7 +6798,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Doziranje DocType: Cheque Print Template,Starting position from top edge,Početna pozicija od gornje ivice apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Trajanje sastanka (min) -DocType: Pricing Rule,Disable,Onemogući +DocType: Accounting Dimension,Disable,Onemogući DocType: Email Digest,Purchase Orders to Receive,Nalozi za kupovinu za primanje apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Porudžbine za proizvodnju se ne mogu podići za: DocType: Projects Settings,Ignore Employee Time Overlap,Zanemari preklapanje vremena zaposlenika @@ -6843,6 +6882,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Naprav DocType: Item Attribute,Numeric Values,Numeric Values DocType: Delivery Note,Instructions,Instrukcije DocType: Blanket Order Item,Blanket Order Item,Deka porudžbina +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Obavezno za račun dobiti i gubitka apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Stopa Komisije ne može biti veća od 100 DocType: Course Topic,Course Topic,Tema kursa DocType: Employee,This will restrict user access to other employee records,Ovo će ograničiti pristup korisnika drugim evidencijama zaposlenih @@ -6867,12 +6907,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Upravljanje pr apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Odvedite klijente apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Reports to +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Account Party DocType: Assessment Plan,Schedule,Raspored apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Unesite DocType: Lead,Channel Partner,Channel Partner apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Iznos fakture DocType: Project,From Template,From Template +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Pretplate apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Količina za izradu DocType: Quality Review Table,Achieved,Postignuto @@ -6919,7 +6961,6 @@ DocType: Journal Entry,Subscription Section,Sekcija za pretplatu DocType: Salary Slip,Payment Days,Dani plaćanja apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informacije o volonterima. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Stocks Older Than` (Zamrznuti stokove starije od) trebao bi biti manji od% d dana. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Odaberite fiskalnu godinu DocType: Bank Reconciliation,Total Amount,Ukupan iznos DocType: Certification Application,Non Profit,Non Profit DocType: Subscription Settings,Cancel Invoice After Grace Period,Otkazivanje fakture nakon perioda otplate @@ -6932,7 +6973,6 @@ DocType: Serial No,Warranty Period (Days),Period garancije (Dani) DocType: Expense Claim Detail,Expense Claim Detail,Detalji troškova potraživanja apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program: DocType: Patient Medical Record,Patient Medical Record,Patient Medical Record -DocType: Quality Action,Action Description,Opis akcije DocType: Item,Variant Based On,Variant Based On DocType: Vehicle Service,Brake Oil,Brake Oil DocType: Employee,Create User,Kreiranje korisnika @@ -6988,7 +7028,7 @@ DocType: Cash Flow Mapper,Section Name,Naziv odjeljka DocType: Packed Item,Packed Item,Packed Item apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Potreban je iznos debitnog ili kreditnog iznosa za {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Slanje slomova plata ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Nema akcije +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Nema akcije apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budžet se ne može dodijeliti protiv {0}, jer to nije račun prihoda ili rashoda" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Majstori i računi DocType: Quality Procedure Table,Responsible Individual,Odgovorna osoba @@ -7111,7 +7151,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Omogućite kreiranje računa protiv kompanije za djecu DocType: Payment Entry,Company Bank Account,Bankovni račun kompanije DocType: Amazon MWS Settings,UK,UK -DocType: Quality Procedure,Procedure Steps,Postupak Koraci DocType: Normal Test Items,Normal Test Items,Normalne test stavke apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Stavka {0}: Naručena količina {1} ne može biti manja od minimalne količine narudžbe {2} (definirana u stavci). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Nije na skladištu @@ -7190,7 +7229,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analitika DocType: Maintenance Team Member,Maintenance Role,Uloga održavanja apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Pravila i uslovi DocType: Fee Schedule Program,Fee Schedule Program,Program naknada -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kurs {0} ne postoji. DocType: Project Task,Make Timesheet,Napravite timesheet DocType: Production Plan Item,Production Plan Item,Proizvodni plan stavka apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Total Student @@ -7212,6 +7250,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Umotavanje apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Možete obnoviti samo ako vaše članstvo ističe u roku od 30 dana apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vrijednost mora biti između {0} i {1} +DocType: Quality Feedback,Parameters,Parametri ,Sales Partner Transaction Summary,Sažetak transakcija prodajnog partnera DocType: Asset Maintenance,Maintenance Manager Name,Ime menadžera održavanja apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Potrebno je dohvatiti detalje stavke. @@ -7250,6 +7289,7 @@ DocType: Student Admission,Student Admission,Student Admission DocType: Designation Skill,Skill,Skill DocType: Budget Account,Budget Account,Račun budžeta DocType: Employee Transfer,Create New Employee Id,Napravite novi ID zaposlenika +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} je potreban za račun 'Profit i gubitak' {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Porez na robu i usluge (GST Indija) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Kreiranje isplata plata ... DocType: Employee Skill,Employee Skill,Veština zaposlenika @@ -7350,6 +7390,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Faktura odvoj DocType: Subscription,Days Until Due,Dana do dospijeća apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Show Completed apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Izvještaj o upisu transakcije u banci +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Red # {0}: Stopa mora biti ista kao {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,FHP-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Stavke zdravstvene službe @@ -7406,6 +7447,7 @@ DocType: Training Event Employee,Invited,Pozvan apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Maksimalni iznos koji odgovara komponenti {0} premašuje {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Iznos za Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","Za {0}, samo debitni računi mogu biti povezani s drugim unosom kredita" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Kreiranje dimenzija ... DocType: Bank Statement Transaction Entry,Payable Account,Plaćeni račun apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Navedite broj potrebnih posjeta DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Izaberite samo ako imate podešavanje dokumenata za mapiranje novčanog toka @@ -7423,6 +7465,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,I DocType: Service Level,Resolution Time,Resolution Time DocType: Grading Scale Interval,Grade Description,Opis razreda DocType: Homepage Section,Cards,Kartice +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Zapisnici o kvalitetu sastanka DocType: Linked Plant Analysis,Linked Plant Analysis,Povezana analiza biljaka apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Datum servisnog zaustavljanja ne može biti nakon datuma završetka usluge apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Postavite B2C granicu u GST postavkama. @@ -7457,7 +7500,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Alat za prisustvo zap DocType: Employee,Educational Qualification,Obrazovna kvalifikacija apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Dostupna vrijednost apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Količina uzorka {0} ne može biti veća od primljene količine {1} -DocType: Quiz,Last Highest Score,Last Highest Score DocType: POS Profile,Taxes and Charges,Porezi i takse DocType: Opportunity,Contact Mobile No,Kontakt Mobile No DocType: Employee,Joining Details,Detalji o pridruživanju diff --git a/erpnext/translations/ca.csv b/erpnext/translations/ca.csv index 60214ab3d7..a24e61bbef 100644 --- a/erpnext/translations/ca.csv +++ b/erpnext/translations/ca.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Núm. Del proveïdor DocType: Journal Entry Account,Party Balance,Balanç de festes apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Font dels fons (passius) DocType: Payroll Period,Taxable Salary Slabs,Taules de retribució imposables +DocType: Quality Action,Quality Feedback,Feedback de qualitat DocType: Support Settings,Support Settings,Configuració de suport apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Introduïu primer l’element de producció DocType: Quiz,Grading Basis,Base de qualificacions @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Més detalls DocType: Salary Component,Earning,Guanyar DocType: Restaurant Order Entry,Click Enter To Add,Feu clic a Inicia per afegir DocType: Employee Group,Employee Group,Grup d’empleats +DocType: Quality Procedure,Processes,Processos DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Especifiqueu el tipus de canvi per convertir una moneda en una altra apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Gamma de envelliment 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Cal un magatzem per a l’article de stock {0} @@ -156,11 +158,13 @@ DocType: Complaint,Complaint,Queixa DocType: Shipping Rule,Restrict to Countries,Restringir als països DocType: Hub Tracked Item,Item Manager,Gestor d'articles apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},La moneda del compte de tancament ha de ser {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Pressupostos apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Obertura del document de factura DocType: Work Order,Plan material for sub-assemblies,Planifiqueu material per a subconjunts apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Maquinari DocType: Budget,Action if Annual Budget Exceeded on MR,Acció sobrepassat el pressupost anual DocType: Sales Invoice Advance,Advance Amount,Import anticipat +DocType: Accounting Dimension,Dimension Name,Nom de la dimensió DocType: Delivery Note Item,Against Sales Invoice Item,Contra l'article de factura de vendes DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.AAAA.- DocType: BOM Explosion Item,Include Item In Manufacturing,Inclou l’element en la fabricació @@ -217,7 +221,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Què fa? ,Sales Invoice Trends,Tendències de factura de vendes DocType: Bank Reconciliation,Payment Entries,Entrades de pagament DocType: Employee Education,Class / Percentage,Classe / Percentatge -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codi d'ítem> Grup d'articles> Marca ,Electronic Invoice Register,Registre de factures electròniques DocType: Sales Invoice,Is Return (Credit Note),Torna (nota de crèdit) DocType: Lab Test Sample,Lab Test Sample,Mostra de prova de laboratori @@ -291,6 +294,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Variants apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Els càrrecs es distribuiran proporcionalment segons la quantitat o la quantitat de l’article, segons la vostra selecció" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Activitats pendents d’avui +DocType: Quality Procedure Process,Quality Procedure Process,Procés de procediment de qualitat DocType: Fee Schedule Program,Student Batch,Lot d'estudiants apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Taxa de valoració necessària per a l'element en fila {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Tarifa d'hores base (moneda de la companyia) @@ -310,7 +314,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Estableix la quantitat en transaccions basades en entrada de sèrie apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},La moneda del compte anticipat ha de ser la mateixa que la moneda de la companyia {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Personalitza les seccions de la pàgina web -DocType: Quality Goal,October,Octubre +DocType: GSTR 3B Report,October,Octubre DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Amaga l’identificador de l’impost del client a les transaccions comercials apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN no vàlid! Un GSTIN ha de tenir 15 caràcters. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,S'ha actualitzat la regla de preus {0} @@ -398,7 +402,7 @@ DocType: Leave Encashment,Leave Balance,Deixa l’equilibri apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Hi ha programació de manteniment {0} contra {1} DocType: Assessment Plan,Supervisor Name,Nom del supervisor DocType: Selling Settings,Campaign Naming By,Nom de la campanya per -DocType: Course,Course Code,Codi del curs +DocType: Student Group Creation Tool Course,Course Code,Codi del curs apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aeroespacial DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuïu càrrecs basats en DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Criteris de puntuació del quadre de comandament del proveïdor @@ -480,10 +484,8 @@ DocType: Restaurant Menu,Restaurant Menu,Menú del restaurant DocType: Asset Movement,Purpose,Propòsit apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,L'estructura salarial La tasca per a empleat ja existeix DocType: Clinical Procedure,Service Unit,Unitat de servei -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clients> Territori DocType: Travel Request,Identification Document Number,Número de document d’identificació DocType: Stock Entry,Additional Costs,Costos addicionals -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Curs de pares (deixeu en blanc, si no forma part del curs de pares)" DocType: Employee Education,Employee Education,Educació per a empleats apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,El nombre de posicions no pot ser inferior al nombre de treballadors actuals apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Tots els grups de clients @@ -530,6 +532,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,La fila {0}: la quantitat és obligatòria DocType: Sales Invoice,Against Income Account,Contingut del compte d’ingressos apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Fila # {0}: la factura de compra no es pot fer contra un actiu existent {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Normes per aplicar diferents esquemes promocionals. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Cal tenir en compte el factor de cobertura de la UOM per a la UOM: {0} a l’element: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Introduïu la quantitat de l’element {0} DocType: Workstation,Electricity Cost,Cost d’electricitat @@ -865,7 +868,6 @@ DocType: Item,Total Projected Qty,Quantitat total projectada apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Data d'inici real 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 esteu presents tots els dies entre dies de sol·licitud de baixa compensatòria -DocType: Company,About the Company,Sobre l'empresa apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Arbre dels comptes financers. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Ingressos indirectes DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Article de reserva d’habitació d’hotel @@ -880,6 +882,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Base de dade DocType: Skill,Skill Name,Nom d’habilitat apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Imprimeix el reportatge DocType: Soil Texture,Ternary Plot,Trama ternària +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configureu les sèries de noms per a {0} mitjançant la configuració> Configuració> Sèries de noms apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Entrades de suport DocType: Asset Category Account,Fixed Asset Account,Compte d'actius fix apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Últim @@ -889,6 +892,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Curs d'inscripc ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Configureu la sèrie que s’utilitzarà. DocType: Delivery Trip,Distance UOM,Distància UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligatori per al balanç DocType: Payment Entry,Total Allocated Amount,Import total assignat DocType: Sales Invoice,Get Advances Received,Obteniu avenços rebuts DocType: Student,B-,B- @@ -912,6 +916,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Element del calenda apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,Perfil de POS requerit per fer l'entrada de TPV DocType: Education Settings,Enable LMS,Habiliteu LMS DocType: POS Closing Voucher,Sales Invoices Summary,Resum de factures de vendes +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Benefici apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,El crèdit al compte ha de ser un compte de balanç DocType: Video,Duration,Durada DocType: Lab Test Template,Descriptive,Descriptiu @@ -963,6 +968,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Dates d'inici i finalització DocType: Supplier Scorecard,Notify Employee,Notifiqueu l’empleat apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Programari +DocType: Program,Allow Self Enroll,Permet inscripció automàtica apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Despeses d'estoc apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,El número de referència és obligatori si heu introduït la data de referència DocType: Training Event,Workshop,Taller @@ -1015,6 +1021,7 @@ DocType: Lab Test Template,Lab Test Template,Plantilla de prova de laboratori apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Màxim: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Falta informació sobre la facturació electrònica apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,No s’ha creat cap sol·licitud de material +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codi d'ítem> Grup d'articles> Marca DocType: Loan,Total Amount Paid,Import total pagat apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Tots aquests articles ja s’han facturat DocType: Training Event,Trainer Name,Nom d'entrenador @@ -1036,6 +1043,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Any escolar DocType: Sales Stage,Stage Name,Nom artistic DocType: SMS Center,All Employee (Active),Tots els empleats (actius) +DocType: Accounting Dimension,Accounting Dimension,Dimensió comptable DocType: Project,Customer Details,Dades del client DocType: Buying Settings,Default Supplier Group,Grup de proveïdors predeterminat apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Anul·lar primer el rebut de compra {0} @@ -1150,7 +1158,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Més el nombre, DocType: Designation,Required Skills,Habilitats necessàries DocType: Marketplace Settings,Disable Marketplace,Desactiva el mercat DocType: Budget,Action if Annual Budget Exceeded on Actual,Acció sobrepassat el pressupost anual sobre real -DocType: Course,Course Abbreviation,Abreviatura del curs apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,L'assistència no s'ha enviat a {0} com a {1} en permís. DocType: Pricing Rule,Promotional Scheme Id,Id del programa promocional apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},La data de finalització de la tasca {0} no pot ser superior a {1} data de finalització prevista {2} @@ -1293,7 +1300,7 @@ DocType: Bank Guarantee,Margin Money,Diners del marge DocType: Chapter,Chapter,Capítol DocType: Purchase Receipt Item Supplied,Current Stock,Stock actual DocType: Employee,History In Company,Història a l'empresa -DocType: Item,Manufacturer,Fabricant +DocType: Purchase Invoice Item,Manufacturer,Fabricant apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Sensibilitat moderada DocType: Compensatory Leave Request,Leave Allocation,Abandona l'assignació DocType: Timesheet,Timesheet,Horari @@ -1359,7 +1366,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Anterior apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Unitat de mesura DocType: Lab Test,Test Template,Plantilla de prova DocType: Fertilizer,Fertilizer Contents,Continguts de fertilitzants -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minut +DocType: Quality Meeting Minutes,Minute,Minut apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","La fila # {0}: l’avant {1} no es pot enviar, ja és {2}" DocType: Task,Actual Time (in Hours),Temps real (en hores) DocType: Period Closing Voucher,Closing Account Head,Tancant el cap del compte @@ -1532,7 +1539,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratori DocType: Purchase Order,To Bill,A Bill apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Despeses d'utilitat DocType: Manufacturing Settings,Time Between Operations (in mins),Temps entre operacions (en minuts) -DocType: Quality Goal,May,Maig +DocType: GSTR 3B Report,May,Maig apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Compte de passarel·la de pagament no creat, creeu-ne un manualment." DocType: Opening Invoice Creation Tool,Purchase,Compra DocType: Program Enrollment,School House,Escola de la casa @@ -1564,6 +1571,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,N DocType: Supplier,Statutory info and other general information about your Supplier,Informació legal i altra informació general sobre el vostre proveïdor DocType: Item Default,Default Selling Cost Center,Centre de costos de venda predeterminat DocType: Sales Partner,Address & Contacts,Adreça i contactes +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Si us plau, configureu les sèries de numeració per assistència mitjançant la configuració> Sèries de numeració" DocType: Subscriber,Subscriber,Subscriptor apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) està fora de stock apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Seleccioneu la data de publicació primer @@ -1591,6 +1599,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Taxa de visita hospitali DocType: Bank Statement Settings,Transaction Data Mapping,Mapatge de dades de transaccions apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Un plom requereix el nom d'una persona o el nom d'una organització DocType: Student,Guardians,Guardians +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configureu el sistema de nomenament d’instructor a l’educació> Configuració de l’educació apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Selecciona marca ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Ingressos mitjans DocType: Shipping Rule,Calculate Based On,Calcular la funció basada @@ -1602,7 +1611,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Anunci de reclamació de de DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Ajust d’arrodoniment (moneda de l’empresa) DocType: Item,Publish in Hub,Publica a Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,Agost +DocType: GSTR 3B Report,August,Agost apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Introduïu primer el rebut de la compra apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Any d'inici apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Objectiu ({}) @@ -1621,6 +1630,7 @@ DocType: Item,Max Sample Quantity,Quantitat màxima de mostra apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,El magatzem d’origen i el destí ha de ser diferent DocType: Employee Benefit Application,Benefits Applied,Beneficis aplicats apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Contra l'entrada de diari {0} no té cap entrada {1} inigualable +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Els caràcters especials, excepte "-", "#", ".", "/", "{" I "}" no estan permesos a les sèries de noms" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Es necessiten lloses de descompte de preus o productes apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Establiu un objectiu apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Hi ha un registre d’assistència {0} contra l’estudiant {1} @@ -1636,10 +1646,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Per mes DocType: Routing,Routing Name,Nom de l’encaminament DocType: Disease,Common Name,Nom comú -DocType: Quality Goal,Measurable,Mesurable DocType: Education Settings,LMS Title,Títol LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Gestió de préstecs -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Donar suport a Analtyics DocType: Clinical Procedure,Consumable Total Amount,Import total consumible apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Habilita la plantilla apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,LPO de clients @@ -1779,6 +1787,7 @@ DocType: Restaurant Order Entry Item,Served,Servit DocType: Loan,Member,Membre DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Horari de la unitat de servei de professionals apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Transferència bancària +DocType: Quality Review Objective,Quality Review Objective,Objectiu de la revisió de la qualitat DocType: Bank Reconciliation Detail,Against Account,Contra el compte DocType: Projects Settings,Projects Settings,Configuració de projectes apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Quantitat real {0} / Quantitat d’espera {1} @@ -1807,6 +1816,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ca apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,La data de finalització de l’exercici fiscal ha de ser d’un any després de la data d’inici de l’exercici fiscal apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Recordatoris diaris DocType: Item,Default Sales Unit of Measure,Unitat de mesura de vendes per defecte +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Empresa GSTIN DocType: Asset Finance Book,Rate of Depreciation,Taxa d’amortització DocType: Support Search Source,Post Description Key,Clau de la descripció del missatge DocType: Loyalty Program Collection,Minimum Total Spent,Total mínim gastat @@ -1878,6 +1888,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,No es permet canviar de grup de clients per al client seleccionat. DocType: Serial No,Creation Document Type,Tipus de document de creació DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Quantitat disponible en lots a Magatzem +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Factura màxima total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Aquest és un territori arrel i no es pot editar. DocType: Patient,Surgical History,Història quirúrgica apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Arbre de procediments de qualitat. @@ -1982,6 +1993,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,C DocType: Item Group,Check this if you want to show in website,Comproveu-ho si voleu mostrar-lo al lloc web apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,No s’ha trobat l’any fiscal {0} DocType: Bank Statement Settings,Bank Statement Settings,Configuració de la declaració bancària +DocType: Quality Procedure Process,Link existing Quality Procedure.,Enllaceu el procediment de qualitat existent. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Importa el gràfic de comptes dels fitxers CSV / Excel DocType: Appraisal Goal,Score (0-5),Puntuació (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Atribut {0} seleccionat diverses vegades a la taula Atributs DocType: Purchase Invoice,Debit Note Issued,S'ha emès una nota de dèbit @@ -1990,7 +2003,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Deixa el detall de política apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Magatzem no trobat al sistema DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -DocType: Quality Goal,Measurable Goal,Objectiu mesurable DocType: Bank Statement Transaction Payment Item,Invoices,Factures DocType: Currency Exchange,Currency Exchange,Canvi de divises DocType: Payroll Entry,Fortnightly,Quinzenalment @@ -2053,6 +2065,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} no s’envia DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Matèries primeres de refredament procedents del magatzem treballat en curs DocType: Maintenance Team Member,Maintenance Team Member,Membre de l’equip de manteniment +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Configureu les dimensions personalitzades per a la comptabilitat DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,La distància mínima entre files de plantes per obtenir un creixement òptim DocType: Employee Health Insurance,Health Insurance Name,Nom de l’assegurança mèdica apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Actius de valors @@ -2085,7 +2098,7 @@ DocType: Delivery Note,Billing Address Name,Nom de l'adreça de facturació apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Element alternatiu DocType: Certification Application,Name of Applicant,Nom del sol · licitant DocType: Leave Type,Earned Leave,Permís guanyat -DocType: Quality Goal,June,juny +DocType: GSTR 3B Report,June,juny apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Fila {0}: es requereix centre de cost per a un element {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Es pot aprovar per {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,S'ha introduït la unitat de mesura {0} més d'una vegada a la taula de factors de conversió @@ -2106,6 +2119,7 @@ DocType: Lab Test Template,Standard Selling Rate,Taxa de venda estàndard apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Establiu un menú actiu per al Restaurant {0} apps/erpnext/erpnext/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 rols del Gestor del sistema i del Gestor d'articles per afegir usuaris al Marketplace. DocType: Asset Finance Book,Asset Finance Book,Llibre de finançament d'actius +DocType: Quality Goal Objective,Quality Goal Objective,Objectiu de l'objectiu de qualitat DocType: Employee Transfer,Employee Transfer,Transferència d'empleats ,Sales Funnel,Embut de vendes DocType: Agriculture Analysis Criteria,Water Analysis,Anàlisi de l’aigua @@ -2144,6 +2158,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Propietat de tran apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Activitats pendents apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Enumereu alguns dels vostres clients. Podrien ser organitzacions o individus. DocType: Bank Guarantee,Bank Account Info,Informació del compte bancari +DocType: Quality Goal,Weekday,Dia de la setmana apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Nom del Guardian1 DocType: Salary Component,Variable Based On Taxable Salary,Variable basada en la retribució imposable DocType: Accounting Period,Accounting Period,Període de comptabilitat @@ -2228,7 +2243,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Ajust d’arrodoniment DocType: Quality Review Table,Quality Review Table,Taula de revisió de la qualitat DocType: Member,Membership Expiry Date,Data d’expiració de l’adhesió DocType: Asset Finance Book,Expected Value After Useful Life,Valor esperat després de la vida útil -DocType: Quality Goal,November,de novembre +DocType: GSTR 3B Report,November,de novembre DocType: Loan Application,Rate of Interest,Taxa d’interès DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Article de pagament de transaccions de declaració bancària DocType: Restaurant Reservation,Waitlisted,Llista d'espera @@ -2292,6 +2307,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Fila {0}: per establir la periodicitat de {1}, la diferència entre la data i la data ha de ser més gran o igual a {2}" DocType: Purchase Invoice Item,Valuation Rate,Taxa de valoració DocType: Shopping Cart Settings,Default settings for Shopping Cart,Configuració predeterminada per a la cistella de la compra +DocType: Quiz,Score out of 100,Puntuació de 100 DocType: Manufacturing Settings,Capacity Planning,Planificació de la capacitat apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Aneu a Instructors DocType: Activity Cost,Projects,Projectes @@ -2301,6 +2317,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,De temps apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Informe de detalls de la variant +,BOM Explorer,Explorador de BOM DocType: Currency Exchange,For Buying,Per comprar apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Les ranures de {0} no s’afegeixen a la programació DocType: Target Detail,Target Distribution,Distribució objectiu @@ -2318,6 +2335,7 @@ DocType: Activity Cost,Activity Cost,Cost de l’activitat DocType: Journal Entry,Payment Order,Ordre de pagament apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Preus ,Item Delivery Date,Data de lliurament de l’article +DocType: Quality Goal,January-April-July-October,Gener-abril-juliol-octubre DocType: Purchase Order Item,Warehouse and Reference,Magatzem i referència apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,El compte amb nodes fills no es pot convertir en llibre major DocType: Soil Texture,Clay Composition (%),Composició d’argila (%) @@ -2368,6 +2386,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,No es permeten dates f apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Fila {0}: establiu el mode de pagament en el calendari de pagaments apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Termini acadèmic: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Paràmetre de comentaris de qualitat apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Seleccioneu Aplicar descompte en apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Fila # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Total de pagaments @@ -2410,7 +2429,7 @@ DocType: Hub Tracked Item,Hub Node,Node del concentrador apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Identificació dels empleats DocType: Salary Structure Assignment,Salary Structure Assignment,Tasca d’estructura salarial DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,TPV Tancant impostos sobre vals -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Acció inicialitzada +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Acció inicialitzada DocType: POS Profile,Applicable for Users,Aplicable als usuaris DocType: Training Event,Exam,Examen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,S'ha trobat un nombre incorrecte d’entrades del llibre major. És possible que hagueu seleccionat un compte incorrecte a la transacció. @@ -2517,6 +2536,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Longitud DocType: Accounts Settings,Determine Address Tax Category From,Determineu la categoria d’impostos d’adreça des de apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Identificació de decisors +DocType: Stock Entry Detail,Reference Purchase Receipt,Rebut de compra de referència apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Obteniu Invocies DocType: Tally Migration,Is Day Book Data Imported,És importada les dades del llibre de dia ,Sales Partners Commission,Comissió de socis comercials @@ -2540,6 +2560,7 @@ DocType: Leave Type,Applicable After (Working Days),Aplicable després (dies fei DocType: Timesheet Detail,Hrs,Hrs DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Criteris del quadre de comandament dels proveïdors DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Paràmetre de plantilla de comentaris de qualitat apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,La data d’adhesió ha de ser superior a la data de naixement DocType: Bank Statement Transaction Invoice Item,Invoice Date,Data de la factura DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Creeu proves de laboratori a l’enviament de factures de vendes @@ -2646,7 +2667,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Valor mínim admissib DocType: Stock Entry,Source Warehouse Address,Adreça del magatzem d'origen DocType: Compensatory Leave Request,Compensatory Leave Request,Sol·licitud de baixa compensatòria DocType: Lead,Mobile No.,Núm. Mòbil -DocType: Quality Goal,July,Juliol +DocType: GSTR 3B Report,July,Juliol apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,CIT elegible DocType: Fertilizer,Density (if liquid),Densitat (si és líquid) DocType: Employee,External Work History,Historial de treball extern @@ -2723,6 +2744,7 @@ DocType: Certification Application,Certification Status,Estat de la certificaci apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},La ubicació de font és necessària per a l’actiu {0} DocType: Employee,Encashment Date,Data de cobrament apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Seleccioneu la data de finalització del registre de manteniment d’actius finalitzat +DocType: Quiz,Latest Attempt,Darrer intent DocType: Leave Block List,Allow Users,Permet als usuaris apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Taula de comptes apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,El client és obligatori si es selecciona "Oportunitat de" com a client @@ -2787,7 +2809,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Configuració del qu DocType: Amazon MWS Settings,Amazon MWS Settings,Configuració de Amazon MWS DocType: Program Enrollment,Walking,Caminar DocType: SMS Log,Requested Numbers,Nombres sol·licitats -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Si us plau, configureu les sèries de numeració per assistència mitjançant la configuració> Sèries de numeració" DocType: Woocommerce Settings,Freight and Forwarding Account,Compte de transport i transport apps/erpnext/erpnext/accounts/party.py,Please select a Company,Seleccioneu una empresa apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,La fila {0}: {1} ha de ser superior a 0 @@ -2857,7 +2878,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Factures re DocType: Training Event,Seminar,Seminari apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Crèdit ({0}) DocType: Payment Request,Subscription Plans,Plans de subscripció -DocType: Quality Goal,March,Març +DocType: GSTR 3B Report,March,Març apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Split Batch DocType: School House,House Name,Nom de la casa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),L’excepcional per a {0} no pot ser inferior a zero ({1}) @@ -2920,7 +2941,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Data d'inici de l’assegurança DocType: Target Detail,Target Detail,Detall de destinació DocType: Packing Slip,Net Weight UOM,Pes UOM net -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}) que no s’ha trobat per a l’article: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Import net (moneda de la companyia) DocType: Bank Statement Transaction Settings Item,Mapped Data,Dades assignades apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Valors i dipòsits @@ -2970,6 +2990,7 @@ DocType: Cheque Print Template,Cheque Height,Comproveu alçada apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Introduïu la data de lliurament. DocType: Loyalty Program,Loyalty Program Help,Ajuda del programa de fidelització DocType: Journal Entry,Inter Company Journal Entry Reference,Referència d’entrada de la revista Inter Company +DocType: Quality Meeting,Agenda,Agenda DocType: Quality Action,Corrective,Correcció apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Agrupar per DocType: Bank Account,Address and Contact,Adreça i contacte @@ -3023,7 +3044,7 @@ DocType: GL Entry,Credit Amount,Import del crèdit apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Quantitat total d’acreditació DocType: Support Search Source,Post Route Key List,Llista de claus de ruta apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} no es troba en cap any fiscal actiu. -DocType: Quality Action Table,Problem,Problema +DocType: Quality Action Resolution,Problem,Problema DocType: Training Event,Conference,Conferència DocType: Mode of Payment Account,Mode of Payment Account,Mode de compte de pagament DocType: Leave Encashment,Encashable days,Dies encasellables @@ -3149,7 +3170,7 @@ DocType: Item,"Purchase, Replenishment Details","Compra, detalls de reposició" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Un cop establerta, aquesta factura quedarà en espera fins a la data fixada" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"L’estil {0} no pot existir, ja que té variants" DocType: Lab Test Template,Grouped,Agrupats -DocType: Quality Goal,January,Gener +DocType: GSTR 3B Report,January,Gener DocType: Course Assessment Criteria,Course Assessment Criteria,Criteris d'avaluació del curs DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Quantitat finalitzada @@ -3245,7 +3266,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Tipus d'u apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Introduïu almenys 1 factura a la taula apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,L’ordre de venda {0} no s’envia apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,L'assistència s'ha marcat amb èxit. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Pre vendes +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pre vendes apps/erpnext/erpnext/config/projects.py,Project master.,Mestre del projecte. DocType: Daily Work Summary,Daily Work Summary,Resum del treball diari DocType: Asset,Partially Depreciated,Parcialment desacreditat @@ -3254,6 +3275,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,S’ha deixat encadenat? DocType: Certified Consultant,Discuss ID,Parleu d’identificació apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Configureu els comptes GST a GST Settings +DocType: Quiz,Latest Highest Score,La darrera puntuació més alta DocType: Supplier,Billing Currency,Moneda de facturació apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Activitat estudiantil apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,És obligatori tenir quantitat o objectiu objectiu @@ -3279,18 +3301,21 @@ DocType: Sales Order,Not Delivered,No lliurat apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"El tipus de sortida {0} no es pot assignar, ja que es deixa sense pagar" DocType: GL Entry,Debit Amount,Quantitat de dèbit apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Ja hi ha un registre per a l’element {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Subconjunts 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 les regles de preus continuen prevalent, se sol·licita als usuaris que configurin la prioritat manualment per resoldre els conflictes." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',No es pot deduir quan la categoria és per a "Valoració" o "Valoració i Total" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Es requereixen quantitats de BOM i fabricació apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},L’element {0} ha arribat al final de la seva vida a {1} DocType: Quality Inspection Reading,Reading 6,Lectura 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Es requereix un camp d’empresa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,El consum de material no està definit a la configuració de fabricació. DocType: Assessment Group,Assessment Group Name,Nom del grup d’avaluació -DocType: Item,Manufacturer Part Number,Número de peça del fabricant +DocType: Purchase Invoice Item,Manufacturer Part Number,Número de peça del fabricant apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Pagament de la nòmina apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},La fila # {0}: {1} no pot ser negativa per a l'article {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balanç Qty +DocType: Question,Multiple Correct Answer,Resposta correcta múltiple DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Punts de fidelitat = Quanta moneda base? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Nota: No hi ha prou saldo per a la sortida de tipus {0} DocType: Clinical Procedure,Inpatient Record,Registre internat @@ -3413,6 +3438,7 @@ DocType: Fee Schedule Program,Total Students,Total d’estudiants apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Local DocType: Chapter Member,Leave Reason,Deixa la raó DocType: Salary Component,Condition and Formula,Condició i fórmula +DocType: Quality Goal,Objectives,Objectius apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","El salari ja processat durant un període entre {0} i {1}, el període de sol·licitud de sortida no pot estar entre aquest interval de dates." DocType: BOM Item,Basic Rate (Company Currency),Tarifa bàsica (moneda de la companyia) DocType: BOM Scrap Item,BOM Scrap Item,Article de recollida de BOM @@ -3463,6 +3489,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.AAAA.- DocType: Expense Claim Account,Expense Claim Account,Compte de reclamació de despeses apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,No hi ha pagaments disponibles per a l'entrada de diari apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} és un estudiant inactiu +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Feu una entrada en accions DocType: Employee Onboarding,Activities,Activitats apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Almenys un magatzem és obligatori ,Customer Credit Balance,Saldo de crèdit de clients @@ -3547,7 +3574,6 @@ DocType: Contract,Contract Terms,Condicions del contracte apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,És obligatori tenir quantitat o objectiu objectiu. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},{0} no vàlid DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Data de reunió DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,L'abreviatura no pot tenir més de 5 caràcters DocType: Employee Benefit Application,Max Benefits (Yearly),Beneficis màxims (anuals) @@ -3650,7 +3676,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Comissions bancàries apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Transferència de mercaderies apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Detalls del contacte principal -DocType: Quality Review,Values,Valors 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, caldrà afegir la llista a cada departament on s’ha d'aplicar." DocType: Item Group,Show this slideshow at the top of the page,Mostra aquesta presentació de diapositives a la part superior de la pàgina apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,El paràmetre {0} no és vàlid @@ -3669,6 +3694,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Compte de càrrecs bancaris DocType: Journal Entry,Get Outstanding Invoices,Obteniu factures destacades DocType: Opportunity,Opportunity From,Oportunitat des de +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Detalls d’orientació DocType: Item,Customer Code,Codi de client apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Introduïu primer l’element apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Llistat de llocs web @@ -3697,7 +3723,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Lliurament a DocType: Bank Statement Transaction Settings Item,Bank Data,Dades bancàries apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Actualització programada -DocType: Quality Goal,Everyday,Tots els dies DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Manteniu les hores de facturació i les hores de treball mateix en el full de temps apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Pista d’orientació per font de plom. DocType: Clinical Procedure,Nursing User,Usuari d'Infermeria @@ -3722,7 +3747,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Gestiona l'arbre d DocType: GL Entry,Voucher Type,Tipus de bo ,Serial No Service Contract Expiry,Expiració del contracte de servei en sèrie DocType: Certification Application,Certified,Certificat -DocType: Material Request Plan Item,Manufacture,Fabricació +DocType: Purchase Invoice Item,Manufacture,Fabricació apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} articles produïts apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Sol·licitud de pagament de {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dies des de l'última comanda @@ -3737,7 +3762,7 @@ DocType: Sales Invoice,Company Address Name,Nom de l'adreça de l'empres apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Mercaderies en trànsit apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Només podeu canviar {0} punts màxims en aquest ordre. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},"Si us plau, establiu el compte a Magatzem {0}" -DocType: Quality Action Table,Resolution,Resolució +DocType: Quality Action,Resolution,Resolució DocType: Sales Invoice,Loyalty Points Redemption,Redempció de punts de fidelitat apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Valor imposable total DocType: Patient Appointment,Scheduled,Programat @@ -3858,6 +3883,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Tarifa apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},S'està desant {0} DocType: SMS Center,Total Message(s),Missatge total (s) +DocType: Purchase Invoice,Accounting Dimensions,Dimensions comptables apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Agrupar per compte DocType: Quotation,In Words will be visible once you save the Quotation.,En paraules serà visible una vegada que deseu la cita. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Quantitat per produir @@ -4022,7 +4048,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,C apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Si teniu alguna pregunta, torneu-nos a rebre." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,El rebut de compra {0} no s’envia DocType: Task,Total Expense Claim (via Expense Claim),Reclamació de despeses totals (mitjançant reclamació de despeses) -DocType: Quality Action,Quality Goal,Objectiu de qualitat +DocType: Quality Goal,Quality Goal,Objectiu de qualitat DocType: Support Settings,Support Portal,Portal de suport apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},La data de finalització de la tasca {0} no pot ser inferior a {1} data d'inici prevista {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},L'empleat {0} està en Deixar a {1} @@ -4081,7 +4107,6 @@ DocType: BOM,Operating Cost (Company Currency),Cost operatiu (moneda de la compa DocType: Item Price,Item Price,Preu de l’article DocType: Payment Entry,Party Name,Nom de la festa apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Seleccioneu un client -DocType: Course,Course Intro,Curs d'introducció DocType: Program Enrollment Tool,New Program,Nou programa apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Nombre de centre de costos nou, s'inclourà al nom del centre de costos com a prefix" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Seleccioneu el client o el proveïdor. @@ -4282,6 +4307,7 @@ DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,El salari net no pot ser negatiu apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Nombre d'interaccions 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} # ítem {1} no es pot transferir més de {2} que l’ordre de compra {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Canviar apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Gràfic de processament de comptes i partits DocType: Stock Settings,Convert Item Description to Clean HTML,Convertiu la descripció de l'element a HTML net apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Tots els grups de proveïdors @@ -4360,6 +4386,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Article principal apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Intermediació apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Creeu un rebut de compra o una factura de compra de l’element {0} +,Product Bundle Balance,Balanç de paquets de productes apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,El nom de l'empresa no pot ser empresa DocType: Maintenance Visit,Breakdown,Desglossament DocType: Inpatient Record,B Negative,B negatiu @@ -4368,7 +4395,7 @@ DocType: Purchase Invoice,Credit To,Crèdit a apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Envieu aquesta Ordre de Treball per a processaments posteriors. DocType: Bank Guarantee,Bank Guarantee Number,Número de garantia bancària apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Lliurats: {0} -DocType: Quality Action,Under Review,Sota revisió +DocType: Quality Meeting Table,Under Review,Sota revisió apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Agricultura (beta) ,Average Commission Rate,Tarifa mitjana de la comissió DocType: Sales Invoice,Customer's Purchase Order Date,Data de comanda de compra del client @@ -4485,7 +4512,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Fer coincidir els pagaments amb factures DocType: Holiday List,Weekly Off,Setmanalment desactivat apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},No es permet establir un element alternatiu per a l'element {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,El programa {0} no existeix. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,El programa {0} no existeix. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,No podeu editar el node arrel. DocType: Fee Schedule,Student Category,Categoria d’estudiants apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Element {0}: {1} quantitat produïda," @@ -4576,8 +4603,8 @@ DocType: Crop,Crop Spacing,Espai de cultiu DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Amb quina freqüència hauria d’actualitzar-se el projecte i la companyia basant-se en les transaccions de vendes. DocType: Pricing Rule,Period Settings,Configuració del període apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Canvi net en comptes per cobrar +DocType: Quality Feedback Template,Quality Feedback Template,Plantilla de comentaris de qualitat apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Per a Quantitat ha de ser superior a zero -DocType: Quality Goal,Goal Objectives,Objectius de l'objectiu 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 inconsistències entre la taxa, el nombre d’accions i l’import calculat" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Deixeu en blanc si feu grups d’estudiants per any apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Préstecs (passius) @@ -4612,12 +4639,13 @@ DocType: Quality Procedure Table,Step,Pas DocType: Normal Test Items,Result Value,Valor del resultat DocType: Cash Flow Mapping,Is Income Tax Liability,És responsabilitat fiscal DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Article de càrrega de visita hospitalitzada -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} no existeix. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} no existeix. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Actualització de la resposta DocType: Bank Guarantee,Supplier,Proveïdor apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Introduïu el valor entre {0} i {1} DocType: Purchase Order,Order Confirmation Date,Data de confirmació de la comanda DocType: Delivery Trip,Calculate Estimated Arrival Times,Calcula els temps d’arribada estimats +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configureu el sistema de nomenament d'empleats en Recursos humans> Configuració de recursos humans apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumibles DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.AAAA.- DocType: Subscription,Subscription Start Date,Data d'inici de la subscripció @@ -4681,6 +4709,7 @@ DocType: Cheque Print Template,Is Account Payable,Es paga per compte apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Valor total de la comanda apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},El proveïdor {0} no s’ha trobat a {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Configureu la configuració de la passarel·la SMS +DocType: Salary Component,Round to the Nearest Integer,Arribar a l’interior més proper apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Root no pot tenir un centre de costos dels pares DocType: Healthcare Service Unit,Allow Appointments,Permet cites DocType: BOM,Show Operations,Mostra operacions @@ -4809,7 +4838,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Llista de vacances per defecte DocType: Naming Series,Current Value,Valor actual apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Estacionalitat per configurar pressupostos, objectius, etc." -DocType: Program,Program Code,Codi del programa apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Advertència: l'ordre de venda {0} ja existeix contra la comanda de compra del client {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Objectiu de vendes mensual DocType: Guardian,Guardian Interests,Interessos del tutor @@ -4859,10 +4887,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Pagat i no lliurat apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,El codi d'ítem és obligatori perquè l'element no està numerat automàticament DocType: GST HSN Code,HSN Code,Codi HSN -DocType: Quality Goal,September,Setembre +DocType: GSTR 3B Report,September,Setembre apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Despeses administratives DocType: C-Form,C-Form No,C-Formulari núm DocType: Purchase Invoice,End date of current invoice's period,Data de finalització del període de facturació actual +DocType: Item,Manufacturers,Fabricants DocType: Crop Cycle,Crop Cycle,Cicle de cultiu DocType: Serial No,Creation Time,Temps de creació apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Introduïu el paper d'aprovació o l'usuari aprovador @@ -4935,8 +4964,6 @@ DocType: Employee,Short biography for website and other publications.,Biografia DocType: Purchase Invoice Item,Received Qty,Quantitat rebuda DocType: Purchase Invoice Item,Rate (Company Currency),Tarifa (moneda de la companyia) DocType: Item Reorder,Request for,Sol·licitud -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Elimineu l’empleat {0} per cancel·lar aquest document" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Instal·lació de presets apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Introduïu els períodes d’amortització DocType: Pricing Rule,Advanced Settings,Configuració avançada @@ -4962,7 +4989,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Activa el carret de la compra DocType: Pricing Rule,Apply Rule On Other,Aplica la regla a un altre DocType: Vehicle,Last Carbon Check,Última comprovació de carboni -DocType: Vehicle,Make,Fer +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Fer apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Factura de vendes {0} creada com a pagament apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Per crear una sol·licitud de pagament es requereix un document de referència apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Impost sobre la Renda @@ -5038,7 +5065,6 @@ DocType: Territory,Parent Territory,Territori pare DocType: Vehicle Log,Odometer Reading,Lectura del comptaquilòmetres DocType: Additional Salary,Salary Slip,Retard de salari DocType: Payroll Entry,Payroll Frequency,Freqüència de nòmina -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configureu el sistema de nomenament d'empleats en Recursos humans> Configuració de recursos humans apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Les dates d'inici i de finalització no es troben en un període de nòmina vàlid, no es pot calcular {0}" DocType: Products Settings,Home Page is Products,La pàgina principal és productes apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Trucades @@ -5092,7 +5118,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Obtenció de registres ... DocType: Delivery Stop,Contact Information,Informació de contacte DocType: Sales Order Item,For Production,Per a la producció -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configureu el sistema de nomenament d’instructor a l’educació> Configuració de l’educació DocType: Serial No,Asset Details,Detalls de l’actiu DocType: Restaurant Reservation,Reservation Time,Hora de reserva DocType: Selling Settings,Default Territory,Territori per defecte @@ -5119,6 +5144,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure d Serial No.",No es pot assegurar el lliurament per número de sèrie com a l’article {0} que s’afegeix amb i sense assegurar el lliurament per número de sèrie. ,Invoiced Amount (Exclusive Tax),Import facturat (impost exclusiu) apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Cannot change status as student {0} is linked with student application {1},No es pot canviar l'estat com a estudiant {0} està enllaçat amb l'aplicació de l'estudiant {1} +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},El nombre total de fulles assignades és obligatori per al tipus de permís {0} apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Importació i configuració de dades 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 es marca l'opció Auto Opció, els clients es vincularan automàticament amb el programa de fidelització corresponent (en desar)" DocType: Account,Expense Account,Compte de despeses @@ -5231,6 +5257,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,G apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Lots finalitzats DocType: Shipping Rule,Shipping Rule Type,Tipus de regla d'enviament DocType: Job Offer,Accepted,Acceptat +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Elimineu l’empleat {0} per cancel·lar aquest document" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Ja heu avaluat els criteris d’avaluació {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Seleccioneu els números de lot apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Edat (dies) @@ -5247,6 +5275,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Agrupa els articles en el moment de la venda. DocType: Payment Reconciliation Payment,Allocated Amount,Quantitat assignada apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Seleccioneu l'empresa i la designació +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,"Data" és obligatori DocType: Email Digest,Bank Credit Balance,Balanç de crèdit bancari apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Mostra la quantitat acumulada apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,No teniu cap punt de fidelitat per canviar-vos @@ -5307,11 +5336,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,A la fila anterior Tot DocType: Student,Student Email Address,Adreça de correu electrònic de l'estudiant DocType: Academic Term,Education,Educació DocType: Supplier Quotation,Supplier Address,Adreça del proveïdor -DocType: Salary Component,Do not include in total,No inclogueu en total +DocType: Salary Detail,Do not include in total,No inclogueu en total apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,No es poden establir valors predeterminats d'elements múltiples per a una empresa. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} no existeix DocType: Purchase Receipt Item,Rejected Quantity,Quantitat rebutjada DocType: Cashier Closing,To TIme,Al temps +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}) que no s’ha trobat per a l’article: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Resum de treball diari Usuari del grup DocType: Fiscal Year Company,Fiscal Year Company,Empresa de l’exercici fiscal apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,L’element alternatiu no ha de ser el mateix que el codi de l’article @@ -5421,7 +5451,6 @@ DocType: Fee Schedule,Send Payment Request Email,Envia una sol·licitud de pagam DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,En paraules serà visible una vegada que hàgiu desat la factura de vendes. DocType: Sales Invoice,Sales Team1,Equip de vendes1 DocType: Work Order,Required Items,Elements necessaris -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Caràcters especials excepte "-", "#", "." i "/" no està permès en el nom de sèrie" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Llegiu el manual d'ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Comproveu la singularitat del nombre de factures del proveïdor apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Cerca subconjunts @@ -5489,7 +5518,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Percentatge de deducció 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: Share Balance,To No,A No DocType: Leave Control Panel,Allocate Leaves,Assigneu les fulles -DocType: Quiz,Last Attempt,Darrer intent DocType: Assessment Result,Student Name,Nom de l'estudiant apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Planifiqueu visites de manteniment. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Les sol·licituds de material següents s'han elevat automàticament segons el nivell de reordenació de l’article @@ -5558,6 +5586,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Color de l’indicador DocType: Item Variant Settings,Copy Fields to Variant,Copieu els camps a la variant DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Resposta única correcta apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,A partir de la data no pot ser inferior a la data d’adhesió de l’empleat DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Permetre múltiples comandes de vendes contra una comanda de compra del client apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5620,7 +5649,7 @@ DocType: Account,Expenses Included In Valuation,Despeses incloses en la valoraci apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Números de sèrie DocType: Salary Slip,Deductions,Deduccions ,Supplier-Wise Sales Analytics,Anàlisi de vendes sàvia del proveïdor -DocType: Quality Goal,February,Febrer +DocType: GSTR 3B Report,February,Febrer DocType: Appraisal,For Employee,Per a empleats apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Data de lliurament real DocType: Sales Partner,Sales Partner Name,Nom del soci de vendes @@ -5716,7 +5745,6 @@ DocType: Procedure Prescription,Procedure Created,Procediment creat apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Contra la factura del proveïdor {0} de data {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Canvia el perfil de POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Crear plom -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor DocType: Shopify Settings,Default Customer,Client predeterminat DocType: Payment Entry Reference,Supplier Invoice No,Factura del proveïdor núm DocType: Pricing Rule,Mixed Conditions,Condicions mixtes @@ -5767,12 +5795,14 @@ DocType: Item,End of Life,Final de la vida DocType: Lab Test Template,Sensitivity,Sensibilitat DocType: Territory,Territory Targets,Objectius territorials apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","L’assignació d’un salt per als empleats següents, ja que hi ha registres d’assignació de permisos contra ells. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Resolució d’acció de qualitat DocType: Sales Invoice Item,Delivered By Supplier,Lliurada pel proveïdor DocType: Agriculture Analysis Criteria,Plant Analysis,Anàlisi de plantes apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},El compte de despeses és obligatori per a l'article {0} ,Subcontracted Raw Materials To Be Transferred,Matèries primeres subcontractades a transferir DocType: Cashier Closing,Cashier Closing,Tancament de caixer apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,L’article {0} ja s’ha retornat +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN no vàlid! L'entrada que heu introduït no coincideix amb el format GSTIN per als titulars de la UIN o els proveïdors de serveis OIDAR no residents apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Hi ha un magatzem infantil per a aquest magatzem. No podeu suprimir aquest magatzem. DocType: Diagnosis,Diagnosis,Diagnòstic apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},No hi ha cap període de descans entre {0} i {1} @@ -5789,6 +5819,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Configuració de l'autor DocType: Homepage,Products,Productes ,Profit and Loss Statement,Declaració de guanys i pèrdues apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Habitacions reservades +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Entrada duplicada amb el codi de l'article {0} i el fabricant {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Pes total apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Viatjar @@ -5837,6 +5868,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Grup de clients predeterminat DocType: Journal Entry Account,Debit in Company Currency,Deute en moneda de la companyia DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",La sèrie de reserva és "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Agenda de la reunió de qualitat DocType: Cash Flow Mapper,Section Header,Capçalera de secció apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Els vostres productes o serveis DocType: Crop,Perennial,Perenne @@ -5882,7 +5914,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Un producte o servei que es compra, es ven o es manté en estoc." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Tancament (obertura + total) DocType: Supplier Scorecard Criteria,Criteria Formula,Fórmula de criteris -,Support Analytics,Suport a Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Suport a Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Revisió i acció DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Si el compte està bloquejat, les entrades es permeten als usuaris restringits." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Import després d’amortització @@ -5927,7 +5959,6 @@ DocType: Contract Template,Contract Terms and Conditions,Termes i condicions del apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Obtenir dades DocType: Stock Settings,Default Item Group,Grup d’elements per defecte DocType: Sales Invoice Timesheet,Billing Hours,Horari de facturació -DocType: Item,Item Code for Suppliers,Codi d'element per als proveïdors apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Deixa l'aplicació {0} contra l'estudiant {1} DocType: Pricing Rule,Margin Type,Tipus de marge DocType: Purchase Invoice Item,Rejected Serial No,Número de sèrie rebutjat @@ -6000,6 +6031,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Les fulles s'han concedit amb èxit DocType: Loyalty Point Entry,Expiry Date,Data de caducitat DocType: Project Task,Working,Treball +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ja té un procediment principal {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,"Es basa en les transaccions contra aquest pacient. Per a més detalls, vegeu la línia de temps a continuació" DocType: Material Request,Requested For,Sol·licitat DocType: SMS Center,All Sales Person,Totes les vendes @@ -6087,6 +6119,7 @@ DocType: Loan Type,Maximum Loan Amount,Import màxim del préstec apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,El correu electrònic no s'ha trobat al contacte per defecte DocType: Hotel Room Reservation,Booked,Reservat DocType: Maintenance Visit,Partially Completed,Completament parcial +DocType: Quality Procedure Process,Process Description,Descripció del procés DocType: Company,Default Employee Advance Account,Compte anticipat per a empleats per defecte DocType: Leave Type,Allow Negative Balance,Permetre un equilibri negatiu apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Nom del pla d’avaluació @@ -6128,6 +6161,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Sol·licitud d'element de cotització apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} ha entrat dues vegades en l'impost sobre articles DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Dedueixi l’impost complet a la data de nòmina seleccionada +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,La darrera data de verificació de carboni no pot ser una data futura apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Seleccioneu el compte de la quantitat de canvi DocType: Support Settings,Forum Posts,Missatges del fòrum DocType: Timesheet Detail,Expected Hrs,Hores previstes @@ -6137,7 +6171,7 @@ DocType: Program Enrollment Tool,Enroll Students,Inscriviu els estudiants apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Repetiu els ingressos del client DocType: Company,Date of Commencement,Data d'inici DocType: Bank,Bank Name,Nom del banc -DocType: Quality Goal,December,Desembre +DocType: GSTR 3B Report,December,Desembre 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 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Això es basa en l’assistència d’aquest empleat DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Si està marcada, la pàgina d’inici serà el grup d’articles per defecte del lloc web" @@ -6180,6 +6214,7 @@ DocType: Payment Entry,Payment Type,Tipus de pagament apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Els números de folio no coincideixen DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Inspecció de qualitat: {0} no s’envia per l’article: {1} a la fila {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Mostra {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,S'ha trobat {0} element. ,Stock Ageing,Envelliment de valors DocType: Customer Group,Mention if non-standard receivable account applicable,Menció si es pot aplicar un compte de cobrament no estàndard @@ -6456,6 +6491,7 @@ DocType: Travel Request,Costing,Costos apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Actius fixos DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Guanys totals +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clients> Territori DocType: Share Balance,From No,Des del núm DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Factura de reconciliació de pagaments DocType: Purchase Invoice,Taxes and Charges Added,Impostos i despeses afegits @@ -6463,7 +6499,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Penseu en l’imp DocType: Authorization Rule,Authorized Value,Valor autoritzat apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Rebut de apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,El magatzem {0} no existeix +DocType: Item Manufacturer,Item Manufacturer,Fabricant d'articles DocType: Sales Invoice,Sales Team,Equip de vendes +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Quantitat de paquet DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM DocType: Installation Note,Installation Date,Data d'instal·lació DocType: Email Digest,New Quotations,Noves cites @@ -6527,7 +6565,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Nom de la llista de vacances DocType: Water Analysis,Collection Temperature ,Temperatura de recollida DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Gestiona la factura de cites i envieu-la automàticament per a Trobada de pacients -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configureu les sèries de noms per a {0} mitjançant la configuració> Configuració> Sèries de noms DocType: Employee Benefit Claim,Claim Date,Data de reclamació DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Deixeu en blanc si el proveïdor està bloquejat indefinidament apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,L'assistència des de la data i l'assistència fins a la data és obligatòria @@ -6538,6 +6575,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Data de jubilació apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Seleccioneu el pacient DocType: Asset,Straight Line,Línia recta +DocType: Quality Action,Resolutions,Resolucions DocType: SMS Log,No of Sent SMS,No de SMS enviats ,GST Itemised Sales Register,Registre de vendes detallat de GST apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,L’import de l’avanç total no pot superar l’import total sancionat @@ -6648,7 +6686,7 @@ DocType: Account,Profit and Loss,Benefici i pèrdua apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Qt de dif DocType: Asset Finance Book,Written Down Value,Valor per escrit escrit apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Obrir el saldo del saldo -DocType: Quality Goal,April,Abril +DocType: GSTR 3B Report,April,Abril DocType: Supplier,Credit Limit,Límit de crèdit apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Distribució apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,deute_note_amt @@ -6703,6 +6741,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Connect Shopify amb ERPNext DocType: Homepage Section Card,Subtitle,Subtítol DocType: Soil Texture,Loam,Loam +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor DocType: BOM,Scrap Material Cost(Company Currency),Cost del material de ferralla (moneda de la companyia) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,No s’ha d’enviar la nota de lliurament {0} DocType: Task,Actual Start Date (via Time Sheet),Data d'inici real (a través del full de temps) @@ -6758,7 +6797,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosi DocType: Cheque Print Template,Starting position from top edge,Posició inicial des de la vora superior apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Durada de la cita (minuts) -DocType: Pricing Rule,Disable,Inhabilitar +DocType: Accounting Dimension,Disable,Inhabilitar DocType: Email Digest,Purchase Orders to Receive,Ordres de compra per rebre apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Produccions Les comandes no es poden recopilar per: DocType: Projects Settings,Ignore Employee Time Overlap,Ignora la superposició de temps per a empleats @@ -6842,6 +6881,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Crea u DocType: Item Attribute,Numeric Values,Valors numèrics DocType: Delivery Note,Instructions,Instruccions DocType: Blanket Order Item,Blanket Order Item,Blanket Order Item +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Obligatori per al compte de pèrdues i guanys apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,La taxa de comissió no pot ser superior a 100 DocType: Course Topic,Course Topic,Tema del curs DocType: Employee,This will restrict user access to other employee records,Això restringirà l’accés dels usuaris a altres registres dels empleats @@ -6866,12 +6906,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Gestió de sub apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Obteniu clients de apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Informes a +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Compte de festa DocType: Assessment Plan,Schedule,Horari apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,"Si us plau, entra" DocType: Lead,Channel Partner,Soci de canal apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Import facturat DocType: Project,From Template,Des de plantilla +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Subscripcions apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Quantitat per fer DocType: Quality Review Table,Achieved,Assolit @@ -6918,7 +6960,6 @@ DocType: Journal Entry,Subscription Section,Secció de subscripció DocType: Salary Slip,Payment Days,Dies de pagament apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informació de voluntariat. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Congelació d’estades més antigues que` ha de ser inferior a% d dies. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Seleccioneu l’exercici fiscal DocType: Bank Reconciliation,Total Amount,Suma total DocType: Certification Application,Non Profit,Sense ànim de lucre DocType: Subscription Settings,Cancel Invoice After Grace Period,Cancel·la la factura després del període de gràcia @@ -6931,7 +6972,6 @@ DocType: Serial No,Warranty Period (Days),Període de garantia (dies) DocType: Expense Claim Detail,Expense Claim Detail,Detall de reclamació de despeses apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programa: DocType: Patient Medical Record,Patient Medical Record,Registre mèdic del pacient -DocType: Quality Action,Action Description,Descripció de l’acció DocType: Item,Variant Based On,Basat en variants DocType: Vehicle Service,Brake Oil,Oli de fre DocType: Employee,Create User,Crea un usuari @@ -6987,7 +7027,7 @@ DocType: Cash Flow Mapper,Section Name,Nom de la secció DocType: Packed Item,Packed Item,Article envasat apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: s’exigeix un import de dèbit o de crèdit per a {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,S'està enviant fulls de pagament ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Sense acció +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Sense acció apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","El pressupost no es pot assignar a {0}, ja que no és un compte d’ingressos o despeses" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Màsters i comptes DocType: Quality Procedure Table,Responsible Individual,Persona responsable @@ -7110,7 +7150,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Permetre la creació de comptes contra l'empresa infantil DocType: Payment Entry,Company Bank Account,Compte bancari de l'empresa DocType: Amazon MWS Settings,UK,UK -DocType: Quality Procedure,Procedure Steps,Procediments passos DocType: Normal Test Items,Normal Test Items,Articles de prova normals apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Element {0}: el qty ordenat {1} no pot ser inferior a la quantitat mínima de comanda {2} (definida a l'article). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,No està en estoc @@ -7189,7 +7228,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Funció de manteniment apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Plantilla de termes i condicions DocType: Fee Schedule Program,Fee Schedule Program,Programa de tarifes -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,El curs {0} no existeix. DocType: Project Task,Make Timesheet,Feu un full de temps DocType: Production Plan Item,Production Plan Item,Element del pla de producció apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Total d'estudiants @@ -7211,6 +7249,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Ajustament apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Només es pot renovar si la seva subscripció expira dins dels 30 dies apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},El valor ha de ser entre {0} i {1} +DocType: Quality Feedback,Parameters,Paràmetres ,Sales Partner Transaction Summary,Resum de la transacció de soci de vendes DocType: Asset Maintenance,Maintenance Manager Name,Nom del gestor de manteniment apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,És necessari per obtenir detalls de l’element. @@ -7249,6 +7288,7 @@ DocType: Student Admission,Student Admission,Admissió d'estudiants DocType: Designation Skill,Skill,Habilitat DocType: Budget Account,Budget Account,Compte de pressupost DocType: Employee Transfer,Create New Employee Id,Crea una identificació del nou empleat +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} es requereix per al compte "Benefici i pèrdua" {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Impost sobre béns i serveis (GST Índia) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Creació de resums de salaris ... DocType: Employee Skill,Employee Skill,Habilitat dels empleats @@ -7349,6 +7389,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Factura per s DocType: Subscription,Days Until Due,Dies fins a venciment apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Mostra completada apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Informe d’introducció de les transaccions dels estats financers +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Deatils bancaris apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Fila # {0}: la tarifa ha de ser la mateixa que {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Articles del servei sanitari @@ -7405,6 +7446,7 @@ DocType: Training Event Employee,Invited,Invitat apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},La quantitat màxima elegible per al component {0} supera {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Import a Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","Per a {0}, només es poden enllaçar comptes de dèbit amb una altra entrada de crèdit" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Creació de dimensions ... DocType: Bank Statement Transaction Entry,Payable Account,Compte de pagament apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,"Si us plau, mencioneu cap de les visites requerides" DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Seleccioneu només si heu configurat documents de Mapes de fluxos d'efectiu @@ -7422,6 +7464,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,S DocType: Service Level,Resolution Time,Temps de resolució DocType: Grading Scale Interval,Grade Description,Descripció de qualificacions DocType: Homepage Section,Cards,Targetes +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Actes de reunions de qualitat DocType: Linked Plant Analysis,Linked Plant Analysis,Anàlisi de plantes enllaçades apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,La data de parada del servei no es pot fer després de la data de finalització del servei apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,"Si us plau, establiu el límit B2C a GST Settings." @@ -7456,7 +7499,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Eina d’assistència DocType: Employee,Educational Qualification,Qualificació Educacional apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Valor accessible apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},La quantitat de mostra {0} no pot ser més que la quantitat rebuda {1} -DocType: Quiz,Last Highest Score,Última puntuació més alta DocType: POS Profile,Taxes and Charges,Impostos i despeses DocType: Opportunity,Contact Mobile No,Contacte Mòbil No DocType: Employee,Joining Details,Detalls d'unió diff --git a/erpnext/translations/cs.csv b/erpnext/translations/cs.csv index 48400a6005..31e3d649df 100644 --- a/erpnext/translations/cs.csv +++ b/erpnext/translations/cs.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Číslo dílu dodavatele DocType: Journal Entry Account,Party Balance,Party Balance apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Zdroj finančních prostředků (závazky) DocType: Payroll Period,Taxable Salary Slabs,Zdanitelné platové tabulky +DocType: Quality Action,Quality Feedback,Kvalitní zpětná vazba DocType: Support Settings,Support Settings,Nastavení podpory apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Nejprve zadejte výrobní položku DocType: Quiz,Grading Basis,Třídění základů @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Více informac DocType: Salary Component,Earning,Vydělávat DocType: Restaurant Order Entry,Click Enter To Add,Klepněte na tlačítko Enter To Add DocType: Employee Group,Employee Group,Zaměstnanecká skupina +DocType: Quality Procedure,Processes,Procesy DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Určete směnný kurz pro převod jedné měny na jinou apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Rozsah stárnutí 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Sklad je vyžadován Skladem Položka {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Stížnost DocType: Shipping Rule,Restrict to Countries,Omezit na země DocType: Hub Tracked Item,Item Manager,Správce položek apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Měna závěrečného účtu musí být {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Rozpočty apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Položka otevírací faktury DocType: Work Order,Plan material for sub-assemblies,Plán materiálu pro dílčí sestavy apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Budget,Action if Annual Budget Exceeded on MR,Akce v případě překročení ročního rozpočtu na MR DocType: Sales Invoice Advance,Advance Amount,Předběžná částka +DocType: Accounting Dimension,Dimension Name,Název dimenze DocType: Delivery Note Item,Against Sales Invoice Item,Proti položce prodejní faktury DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Zahrnout položku do výroby @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Co to dělá? ,Sales Invoice Trends,Trendy prodejní faktury DocType: Bank Reconciliation,Payment Entries,Platební položky DocType: Employee Education,Class / Percentage,Třída / Procenta -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položek> Značka ,Electronic Invoice Register,Elektronický registr faktur DocType: Sales Invoice,Is Return (Credit Note),Is Return (Credit Note) DocType: Lab Test Sample,Lab Test Sample,Vzorek laboratorního testu @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Varianty apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Poplatky budou rozdělovány úměrně podle položky qty nebo částky, podle vašeho výběru" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Probíhající aktivity pro dnešek +DocType: Quality Procedure Process,Quality Procedure Process,Proces kvality DocType: Fee Schedule Program,Student Batch,Studentská dávka apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Míra ocenění požadovaná pro položku v řádku {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Základní hodinová sazba (měna společnosti) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Nastavte počet v transakcích založených na sériovém vstupu apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Měna zálohového účtu by měla být stejná jako měna společnosti {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Upravit sekce domovské stránky -DocType: Quality Goal,October,říjen +DocType: GSTR 3B Report,October,říjen DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Skrýt daňové identifikační číslo zákazníka z prodejních transakcí apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Neplatný GSTIN! GSTIN musí mít 15 znaků. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Pravidlo cen {0} je aktualizováno @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Nechte zůstatek apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Plán údržby {0} existuje proti {1} DocType: Assessment Plan,Supervisor Name,Jméno supervizora DocType: Selling Settings,Campaign Naming By,Pojmenování podle kampaně -DocType: Course,Course Code,Kód kurzu +DocType: Student Group Creation Tool Course,Course Code,Kód kurzu apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Letectví a kosmonautika DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuovat poplatky založené na DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Kritéria hodnocení skóre dodavatele @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Restaurace Menu DocType: Asset Movement,Purpose,Účel apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Přidělení mzdové struktury pro zaměstnance již existuje DocType: Clinical Procedure,Service Unit,Servisní jednotka -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníků> Území DocType: Travel Request,Identification Document Number,identifikační číslo dokumentu DocType: Stock Entry,Additional Costs,Další výdaje -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Rodičovský kurz (ponechte prázdné, pokud to není součástí mateřského kurzu)" DocType: Employee Education,Employee Education,Vzdělávání zaměstnanců apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Počet míst nemůže být menší než současný počet zaměstnanců apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Všechny skupiny zákazníků @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Řádek {0}: Množství je povinné DocType: Sales Invoice,Against Income Account,Proti účtu příjmů apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Řádek # {0}: Fakturu nelze provést proti existujícímu majetku {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Pravidla pro používání různých propagačních programů. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Koeficient konverze UOM požadovaný pro UOM: {0} v položce: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Zadejte množství pro položku {0} DocType: Workstation,Electricity Cost,Náklady na elektřinu @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Celkový předpokládaný počet apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Aktuální datum zahájení apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Nejsou přítomny všechny dny mezi dny žádostí o náhradní dovolenou -DocType: Company,About the Company,O společnosti apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Strom finančních účtů. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Nepřímý příjem DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Rezervace hotelového pokoje @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Databáze po DocType: Skill,Skill Name,Jméno dovednosti apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Tisk sestavy DocType: Soil Texture,Ternary Plot,Ternární pozemek +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte položku Řada jmen pro {0} přes Nastavení> Nastavení> Řada názvů apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Podpora Vstupenky DocType: Asset Category Account,Fixed Asset Account,Účet stálých aktiv apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Nejnovější @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Kurz zápisu do pro ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Nastavte prosím použitou řadu. DocType: Delivery Trip,Distance UOM,Vzdálenost UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Povinné Pro rozvahu DocType: Payment Entry,Total Allocated Amount,Celková přidělená částka DocType: Sales Invoice,Get Advances Received,Získané zálohy DocType: Student,B-,B- @@ -911,6 +915,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Položka plánu úd apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS profil je nutný pro zadání POS vstupu DocType: Education Settings,Enable LMS,Povolit LMS DocType: POS Closing Voucher,Sales Invoices Summary,Přehled prodejních faktur +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Výhoda apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Úvěr Na účet musí být účet rozvahy DocType: Video,Duration,Doba trvání DocType: Lab Test Template,Descriptive,Popisný @@ -962,6 +967,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Datum zahájení a ukončení DocType: Supplier Scorecard,Notify Employee,Upozornit zaměstnance apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software +DocType: Program,Allow Self Enroll,Povolit zápis apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Skladové náklady apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Referenční číslo je povinné, pokud jste zadali Referenční datum" DocType: Training Event,Workshop,Dílna @@ -1014,6 +1020,7 @@ DocType: Lab Test Template,Lab Test Template,Lab Test šablony apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Chybí informace o elektronické fakturaci apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nebyl vytvořen žádný požadavek na materiál +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položek> Značka DocType: Loan,Total Amount Paid,Celková částka zaplacena 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 DocType: Training Event,Trainer Name,Jméno trenéra @@ -1035,6 +1042,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Akademický rok DocType: Sales Stage,Stage Name,Pseudonym DocType: SMS Center,All Employee (Active),Všichni zaměstnanci (aktivní) +DocType: Accounting Dimension,Accounting Dimension,Účetní rozměr DocType: Project,Customer Details,Detaily zákazníka DocType: Buying Settings,Default Supplier Group,Skupina výchozích dodavatelů apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Nejdříve prosím zrušte nákupní doklad {0} @@ -1149,7 +1157,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Vyšší číslo DocType: Designation,Required Skills,Požadované dovednosti DocType: Marketplace Settings,Disable Marketplace,Zakázat tržiště DocType: Budget,Action if Annual Budget Exceeded on Actual,Akce v případě překročení skutečného ročního rozpočtu -DocType: Course,Course Abbreviation,Kurz Zkratka apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Návštěvnost nebyla předložena na {0} jako {1} na dovolené. DocType: Pricing Rule,Promotional Scheme Id,Id propagačního schématu č apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Datum ukončení úlohy {0} nemůže být delší než {1} očekávané datum ukončení {2} @@ -1292,7 +1299,7 @@ DocType: Bank Guarantee,Margin Money,Margin Money DocType: Chapter,Chapter,Kapitola DocType: Purchase Receipt Item Supplied,Current Stock,Aktuální sklad DocType: Employee,History In Company,Historie ve společnosti -DocType: Item,Manufacturer,Výrobce +DocType: Purchase Invoice Item,Manufacturer,Výrobce apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Střední citlivost DocType: Compensatory Leave Request,Leave Allocation,Opustit přidělení DocType: Timesheet,Timesheet,Rozvrh hodin @@ -1323,6 +1330,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Materiál převedený DocType: Products Settings,Hide Variants,Skrýt varianty DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Zakázat plánování kapacity a sledování času DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Bude vypočteno v transakci. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} je vyžadováno pro účet „Rozvahy“ {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} není dovoleno s {1} obchodovat. Změňte prosím společnost. 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í v případě, že je požadavek na nákup vyžadován == 'ANO', pak pro vytvoření nákupní faktury musí uživatel nejprve vytvořit položku Příjemce pro položku {0}" DocType: Delivery Trip,Delivery Details,detaily objednávky @@ -1358,7 +1366,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Předchozí apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Měrná jednotka DocType: Lab Test,Test Template,Testovací šablona DocType: Fertilizer,Fertilizer Contents,Obsah hnojiva -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minuta +DocType: Quality Meeting Minutes,Minute,Minuta apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Řádek # {0}: Zařízení {1} nelze odeslat, je již {2}" DocType: Task,Actual Time (in Hours),Aktuální čas (v hodinách) DocType: Period Closing Voucher,Closing Account Head,Uzavření účtu vedoucího @@ -1531,7 +1539,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratoř DocType: Purchase Order,To Bill,Bille apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Náklady na služby DocType: Manufacturing Settings,Time Between Operations (in mins),Čas mezi operacemi (v minutách) -DocType: Quality Goal,May,Smět +DocType: GSTR 3B Report,May,Smět apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Účet platební brány nebyl vytvořen, vytvořte jej ručně." DocType: Opening Invoice Creation Tool,Purchase,Nákup DocType: Program Enrollment,School House,Školní dům @@ -1563,6 +1571,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,P DocType: Supplier,Statutory info and other general information about your Supplier,Statutární informace a další obecné informace o dodavateli DocType: Item Default,Default Selling Cost Center,Středisko výchozích prodejních nákladů DocType: Sales Partner,Address & Contacts,Adresa a kontakty +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavte prosím číslovací řadu pro Docházku pomocí Nastavení> Číslovací řada DocType: Subscriber,Subscriber,Odběratel apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) není skladem apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Nejdříve vyberte Datum účtování @@ -1590,6 +1599,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Poplatek za hospitalizac DocType: Bank Statement Settings,Transaction Data Mapping,Mapování transakčních dat apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Vedení vyžaduje jméno osoby nebo jméno organizace DocType: Student,Guardians,Strážci +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavte prosím instruktorský systém pojmenování ve výuce> Nastavení vzdělávání apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Vybrat značku ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Střední příjem DocType: Shipping Rule,Calculate Based On,Vypočítat na základě @@ -1601,7 +1611,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Výplata reklamace DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Úprava zaokrouhlování (měna společnosti) DocType: Item,Publish in Hub,Publikovat v Hubu apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,srpen +DocType: GSTR 3B Report,August,srpen apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Nejdříve zadejte prosím Potvrzení o nákupu apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Začátek roku apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Cílová ({}) @@ -1620,6 +1630,7 @@ DocType: Item,Max Sample Quantity,Max. Množství vzorku apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Zdrojový a cílový sklad musí být odlišný DocType: Employee Benefit Application,Benefits Applied,Aplikované výhody apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Proti položce žurnálu {0} není žádná nesrovnatelná položka {1} +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Zvláštní znaky s výjimkou znaku "-", "#", ".", "/", "{" A "}" nejsou v názvových řadách povoleny" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Vyžadují se ceny nebo slevové desky apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Nastavte cíl apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Záznam o docházce {0} existuje proti studentovi {1} @@ -1635,10 +1646,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Za měsíc DocType: Routing,Routing Name,Název směrování DocType: Disease,Common Name,Běžné jméno -DocType: Quality Goal,Measurable,Měřitelný DocType: Education Settings,LMS Title,Název LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Správa úvěrů -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Podpora Analtyics DocType: Clinical Procedure,Consumable Total Amount,Celková částka spotřebního materiálu apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Povolit šablonu apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Zákaznický LPO @@ -1778,6 +1787,7 @@ DocType: Restaurant Order Entry Item,Served,Sloužil DocType: Loan,Member,Člen DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Plán servisních jednotek apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Drátový převod +DocType: Quality Review Objective,Quality Review Objective,Cíl kontroly kvality DocType: Bank Reconciliation Detail,Against Account,Proti účtu DocType: Projects Settings,Projects Settings,Nastavení projektů apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Skutečné množství {0} / Čekání na množství {1} @@ -1806,6 +1816,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ri apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Datum ukončení fiskálního roku by měl být jeden rok od data zahájení fiskálního roku apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Denní připomenutí DocType: Item,Default Sales Unit of Measure,Výchozí prodejní jednotka měření +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Společnost GSTIN DocType: Asset Finance Book,Rate of Depreciation,Míra odpisů DocType: Support Search Source,Post Description Key,Popis klíče klíče DocType: Loyalty Program Collection,Minimum Total Spent,Minimální útrata @@ -1877,6 +1888,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Změna zákaznické skupiny pro vybraného zákazníka není povolena. DocType: Serial No,Creation Document Type,Typ dokumentu vytvoření DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Dostupné množství dávky ve skladu +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Celkový součet faktur apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Toto je kořenové území a nelze jej upravovat. DocType: Patient,Surgical History,Chirurgická historie apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Strom postupů kvality. @@ -1981,6 +1993,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,P DocType: Item Group,Check this if you want to show in website,"Zaškrtněte toto, pokud chcete zobrazit na webu" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskální rok {0} nebyl nalezen DocType: Bank Statement Settings,Bank Statement Settings,Nastavení výpisu z účtu +DocType: Quality Procedure Process,Link existing Quality Procedure.,Propojit stávající postup kvality. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Importovat graf účtů ze souborů CSV / Excel DocType: Appraisal Goal,Score (0-5),Skóre (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Atribut {0} vybraný vícekrát v tabulce atributů DocType: Purchase Invoice,Debit Note Issued,Vydané debetní oznámení @@ -1989,7 +2003,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Opustit podrobnosti politiky apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Sklad nebyl nalezen v systému DocType: Healthcare Practitioner,OP Consulting Charge,OP Poplatek za poradenství -DocType: Quality Goal,Measurable Goal,Měřitelný cíl DocType: Bank Statement Transaction Payment Item,Invoices,Faktury DocType: Currency Exchange,Currency Exchange,Směnárna DocType: Payroll Entry,Fortnightly,Čtrnáctidenní @@ -2052,6 +2065,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} nebyl odeslán DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Zpětné proplachování surovin z nedokončeného skladu DocType: Maintenance Team Member,Maintenance Team Member,Člen týmu údržby +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Nastavení vlastních dimenzí pro účetnictví 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 DocType: Employee Health Insurance,Health Insurance Name,Jméno zdravotního pojištění apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Aktiva akcií @@ -2082,7 +2096,7 @@ DocType: Delivery Note,Billing Address Name,Název fakturační adresy apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternativní položka DocType: Certification Application,Name of Applicant,Jméno žadatele DocType: Leave Type,Earned Leave,Zasloužená dovolená -DocType: Quality Goal,June,červen +DocType: GSTR 3B Report,June,červen apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Řádek {0}: Pro položku {1} je vyžadováno nákladové středisko apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Může být schválen {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jednotka měření {0} byla zadána více než jednou do tabulky faktoru konverzí @@ -2103,6 +2117,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standardní prodejní kurz apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Nastavte prosím aktivní menu pro restauraci {0} 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.,"Chcete-li přidat uživatele do služby Marketplace, musíte být uživatel s rolemi System Manager a Item Manager." DocType: Asset Finance Book,Asset Finance Book,Finanční správa majetku +DocType: Quality Goal Objective,Quality Goal Objective,Cíl Cíle kvality DocType: Employee Transfer,Employee Transfer,Převod zaměstnanců ,Sales Funnel,Prodejní nálevka DocType: Agriculture Analysis Criteria,Water Analysis,Analýza vody @@ -2141,6 +2156,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Převod majetku z apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Probíhající aktivity apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Seznam několika vašich zákazníků. Mohou to být organizace nebo jednotlivci. DocType: Bank Guarantee,Bank Account Info,Informace o bankovním účtu +DocType: Quality Goal,Weekday,Všední den apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Název Guardian1 DocType: Salary Component,Variable Based On Taxable Salary,Proměnná na základě zdanitelného platu DocType: Accounting Period,Accounting Period,Účetní období @@ -2225,7 +2241,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Úprava zaokrouhlování DocType: Quality Review Table,Quality Review Table,Tabulka kvality DocType: Member,Membership Expiry Date,Datum ukončení členství DocType: Asset Finance Book,Expected Value After Useful Life,Očekávaná hodnota po užitečné životnosti -DocType: Quality Goal,November,listopad +DocType: GSTR 3B Report,November,listopad DocType: Loan Application,Rate of Interest,Úroková míra DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Položka platby bankovního výpisu DocType: Restaurant Reservation,Waitlisted,Waitlisted @@ -2287,6 +2303,7 @@ DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Částka da apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,Získejte Dodavatelé DocType: Purchase Invoice Item,Valuation Rate,Míra ocenění DocType: Shopping Cart Settings,Default settings for Shopping Cart,Výchozí nastavení pro Nákupní košík +DocType: Quiz,Score out of 100,Skóre ze 100 DocType: Manufacturing Settings,Capacity Planning,Plánovaní kapacity apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Přejděte na stránky Instruktoři DocType: Activity Cost,Projects,Projekty @@ -2296,6 +2313,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Od času apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Zpráva Podrobnosti o variantě +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Pro nákup apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Sloty pro {0} nejsou přidány do plánu DocType: Target Detail,Target Distribution,Distribuce cíle @@ -2313,6 +2331,7 @@ DocType: Activity Cost,Activity Cost,Náklady na činnost DocType: Journal Entry,Payment Order,Platební příkaz apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Ceny ,Item Delivery Date,Datum doručení položky +DocType: Quality Goal,January-April-July-October,Leden-duben-červenec-říjen DocType: Purchase Order Item,Warehouse and Reference,Sklad a reference apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Účet s podřízenými uzly nelze převést na účet DocType: Soil Texture,Clay Composition (%),Složení jílu (%) @@ -2363,6 +2382,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Budoucí data nejsou p apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Řádek {0}: Nastavte prosím způsob platby v platebním rozvrhu apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Akademické období: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Parametr kvality zpětné vazby apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Vyberte možnost Použít slevu na apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Řádek # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Celkové platby @@ -2405,7 +2425,7 @@ DocType: Hub Tracked Item,Hub Node,Uzel rozbočovače apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID zaměstnance DocType: Salary Structure Assignment,Salary Structure Assignment,Přiřazení mzdové struktury DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Daňové uzávěrky POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Akce Inicializováno +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Akce Inicializováno DocType: POS Profile,Applicable for Users,Platí pro uživatele DocType: Training Event,Exam,Zkouška apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Byl nalezen nesprávný počet položek hlavní knihy. Možná jste v transakci vybrali nesprávný účet. @@ -2512,6 +2532,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Zeměpisná délka DocType: Accounts Settings,Determine Address Tax Category From,Určete kategorii daně z adresy apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Identifikace rozhodovacích činitelů +DocType: Stock Entry Detail,Reference Purchase Receipt,Referenční doklad o nákupu apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Získejte Faktury DocType: Tally Migration,Is Day Book Data Imported,Je importována data denní knihy ,Sales Partners Commission,Komise obchodních partnerů @@ -2535,6 +2556,7 @@ DocType: Leave Type,Applicable After (Working Days),Použitelné po (pracovní d DocType: Timesheet Detail,Hrs,Hrs DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kritéria pro hodnocení dodavatelů DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parametr kvality šablony zpětné vazby apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Datum připojení musí být větší než datum narození DocType: Bank Statement Transaction Invoice Item,Invoice Date,Datum faktury DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Vytvořte laboratorní testy na prodejní faktuře @@ -2641,7 +2663,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimální přípust DocType: Stock Entry,Source Warehouse Address,Adresa zdrojového skladu DocType: Compensatory Leave Request,Compensatory Leave Request,Žádost o kompenzační dovolenou DocType: Lead,Mobile No.,Mobilní číslo -DocType: Quality Goal,July,červenec +DocType: GSTR 3B Report,July,červenec apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Způsobilé ITC DocType: Fertilizer,Density (if liquid),Hustota (je-li kapalina) DocType: Employee,External Work History,Historie zahraniční práce @@ -2718,6 +2740,7 @@ DocType: Certification Application,Certification Status,Stav certifikace apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Zdroj je vyžadován pro zdroj {0} DocType: Employee,Encashment Date,Datum inkasa apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Vyberte Datum dokončení pro vyplněný Protokol údržby +DocType: Quiz,Latest Attempt,Poslední pokus DocType: Leave Block List,Allow Users,Povolit uživatelům apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Graf účtů apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"Zákazník je povinen, pokud je jako Zákazník vybrána možnost Opportunity From" @@ -2782,7 +2805,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Nastavení Scorecard DocType: Amazon MWS Settings,Amazon MWS Settings,Nastavení Amazon MWS DocType: Program Enrollment,Walking,Chůze DocType: SMS Log,Requested Numbers,Požadovaná čísla -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavte prosím číslovací řadu pro Docházku pomocí Nastavení> Číslovací řada DocType: Woocommerce Settings,Freight and Forwarding Account,Nákladní a zasílatelský účet apps/erpnext/erpnext/accounts/party.py,Please select a Company,Vyberte společnost apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Řádek {0}: {1} musí být větší než 0 @@ -2852,7 +2874,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Účty vzne DocType: Training Event,Seminar,Seminář apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kredit ({0}) DocType: Payment Request,Subscription Plans,Plány předplatného -DocType: Quality Goal,March,březen +DocType: GSTR 3B Report,March,březen apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Rozdělené dávky DocType: School House,House Name,Název domu apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Výjimka {0} nemůže být menší než nula ({1}) @@ -2915,7 +2937,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Datum zahájení pojištění DocType: Target Detail,Target Detail,Detail cíle DocType: Packing Slip,Net Weight UOM,Čistá hmotnost UOM -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverze UOM ({0} -> {1}) nebyl nalezen pro položku: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Čistá částka (měna společnosti) DocType: Bank Statement Transaction Settings Item,Mapped Data,Namapovaná data apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Cenné papíry a vklady @@ -2965,6 +2986,7 @@ DocType: Cheque Print Template,Cheque Height,Zkontrolujte výšku apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Zadejte datum uvolnění. DocType: Loyalty Program,Loyalty Program Help,Nápověda k věrnostnímu programu DocType: Journal Entry,Inter Company Journal Entry Reference,Inter Company Journal Entry Reference +DocType: Quality Meeting,Agenda,Denní program DocType: Quality Action,Corrective,Nápravné apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Skupina vytvořená DocType: Bank Account,Address and Contact,Adresa a kontakt @@ -3018,7 +3040,7 @@ DocType: GL Entry,Credit Amount,Výše kreditu apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Celková částka kreditu DocType: Support Search Source,Post Route Key List,Seznam klíčů po trase apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} není v žádném aktivním fiskálním roce. -DocType: Quality Action Table,Problem,Problém +DocType: Quality Action Resolution,Problem,Problém DocType: Training Event,Conference,Konference DocType: Mode of Payment Account,Mode of Payment Account,Způsob platebního účtu DocType: Leave Encashment,Encashable days,Započaté dny @@ -3144,7 +3166,7 @@ DocType: Item,"Purchase, Replenishment Details","Podrobnosti o nákupu, doplňov DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Po nastavení bude tato faktura pozastavena do stanoveného data apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"Sklad nemůže existovat pro položku {0}, protože má varianty" DocType: Lab Test Template,Grouped,Seskupeno -DocType: Quality Goal,January,leden +DocType: GSTR 3B Report,January,leden DocType: Course Assessment Criteria,Course Assessment Criteria,Kritéria hodnocení kurzu DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Dokončeno množství @@ -3240,7 +3262,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Typ jednotky apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Zadejte prosím alespoň 1 fakturu do tabulky apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Prodejní objednávka {0} není odeslána apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Účast byla úspěšně označena. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Předprodej +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Předprodej apps/erpnext/erpnext/config/projects.py,Project master.,Vedoucí projektu. DocType: Daily Work Summary,Daily Work Summary,Souhrn denní práce DocType: Asset,Partially Depreciated,Částečně znehodnoceno @@ -3249,6 +3271,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Opustit Encashed? DocType: Certified Consultant,Discuss ID,Diskutujte o ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Nastavte GST účty v nastavení GST +DocType: Quiz,Latest Highest Score,Poslední nejvyšší skóre DocType: Supplier,Billing Currency,Fakturační měna apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Aktivita studenta apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Povinné je buď cílové množství nebo cílové množství @@ -3274,18 +3297,21 @@ DocType: Sales Order,Not Delivered,Nedoručeno apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Typ dovolené {0} nelze přidělit, protože je volno bez placení" DocType: GL Entry,Debit Amount,Částka debetu apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Pro položku {0} již existuje záznam +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Dílčí sestavy 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.","Pokud bude nadále platit více pravidel pro určování cen, uživatelé budou požádáni, aby nastavili prioritu ručně, aby vyřešili konflikt." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nelze odečíst, když je kategorie pro „Ocenění“ nebo „Ocenění a Celkem“" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Vyžaduje se kusovník a výrobní množství apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Položka {0} dosáhla konce své životnosti {1} DocType: Quality Inspection Reading,Reading 6,Čtení 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Vyžaduje se pole společnosti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Spotřeba materiálu není nastavena ve výrobním nastavení. DocType: Assessment Group,Assessment Group Name,Název skupiny hodnocení -DocType: Item,Manufacturer Part Number,Označení výrobce +DocType: Purchase Invoice Item,Manufacturer Part Number,Označení výrobce apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Splatné mzdy apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Řádek # {0}: {1} nemůže být záporný pro položku {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Zůst +DocType: Question,Multiple Correct Answer,Více správných odpovědí DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Věrnostní body = Kolik základní měny? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Poznámka: Nedostatek zůstatku dovolené pro typ dovolené {0} DocType: Clinical Procedure,Inpatient Record,Záznam pacienta @@ -3408,6 +3434,7 @@ DocType: Fee Schedule Program,Total Students,Celkový počet studentů apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Místní DocType: Chapter Member,Leave Reason,Nechte důvod DocType: Salary Component,Condition and Formula,Stav a vzorec +DocType: Quality Goal,Objectives,Cíle apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plat již zpracovaný pro období mezi {0} a {1}, doba ponechání aplikace nemůže být mezi tímto rozsahem dat." DocType: BOM Item,Basic Rate (Company Currency),Základní sazba (měna společnosti) DocType: BOM Scrap Item,BOM Scrap Item,Položka kusovníku @@ -3458,6 +3485,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Účet reklamace výdajů apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Pro zápis do deníku nejsou k dispozici žádné splátky apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} je neaktivní student +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Vstup do skladu DocType: Employee Onboarding,Activities,Aktivity apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Minimálně jeden sklad je povinný ,Customer Credit Balance,Zůstatek kreditu zákazníka @@ -3542,7 +3570,6 @@ DocType: Contract,Contract Terms,Smluvní podmínky apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Povinné je buď cílové množství nebo cílové množství. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Neplatné číslo {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Datum schůzky DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Zkratka nesmí mít více než 5 znaků DocType: Employee Benefit Application,Max Benefits (Yearly),Max. Výhody (ročně) @@ -3644,7 +3671,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Bankovní poplatky apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Převedené zboží apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Podrobnosti o primárním kontaktu -DocType: Quality Review,Values,Hodnoty 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í zaškrtnuto, musí být seznam přidán na každé oddělení, kde má být použit." DocType: Item Group,Show this slideshow at the top of the page,Zobrazit tuto prezentaci v horní části stránky apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Parametr {0} je neplatný @@ -3663,6 +3689,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Účet bankovních poplatků DocType: Journal Entry,Get Outstanding Invoices,Získejte nezaplacené faktury DocType: Opportunity,Opportunity From,Příležitost Od +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Detaily cíle DocType: Item,Customer Code,Zákaznický kód apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Zadejte nejprve položku apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Seznam webových stránek @@ -3691,7 +3718,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Doručit DocType: Bank Statement Transaction Settings Item,Bank Data,Bankovní data apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Naplánováno Upto -DocType: Quality Goal,Everyday,Každý den DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Udržujte fakturační hodiny a pracovní hodiny stejné na časovém rozvrhu apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Vedení stopy podle zdroje olova. DocType: Clinical Procedure,Nursing User,Ošetřovatelský uživatel @@ -3716,7 +3742,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Správa stromu území DocType: GL Entry,Voucher Type,Typ poukázky ,Serial No Service Contract Expiry,Zánik smlouvy Serial No Service DocType: Certification Application,Certified,Certifikováno -DocType: Material Request Plan Item,Manufacture,Výroba +DocType: Purchase Invoice Item,Manufacture,Výroba apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} vyrobených položek apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Žádost o platbu pro {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dny od posledního řádu @@ -3731,7 +3757,7 @@ DocType: Sales Invoice,Company Address Name,Název adresy společnosti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Zboží v tranzitu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,V této objednávce můžete uplatnit pouze maximální počet bodů {0}. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Nastavte účet ve skladu {0} -DocType: Quality Action Table,Resolution,Rozlišení +DocType: Quality Action,Resolution,Rozlišení DocType: Sales Invoice,Loyalty Points Redemption,Vykoupení věrnostních bodů apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Celková zdanitelná hodnota DocType: Patient Appointment,Scheduled,Naplánováno @@ -3852,6 +3878,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Hodnotit apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Ukládání {0} DocType: SMS Center,Total Message(s),Celkový počet zpráv +DocType: Purchase Invoice,Accounting Dimensions,Účetní rozměry apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Skupina podle účtu DocType: Quotation,In Words will be visible once you save the Quotation.,V aplikaci Words budou viditelné po uložení nabídky. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Množství k výrobě @@ -4016,7 +4043,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Z apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Máte-li jakékoli dotazy, obraťte se na nás." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Potvrzení o nákupu {0} není odesláno DocType: Task,Total Expense Claim (via Expense Claim),Celkový nárok na výdaje (prostřednictvím nároku na výdaje) -DocType: Quality Action,Quality Goal,Cíl kvality +DocType: Quality Goal,Quality Goal,Cíl kvality DocType: Support Settings,Support Portal,Portál podpory apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Datum ukončení úlohy {0} nemůže být kratší než {1} očekávané datum zahájení {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Zaměstnanec {0} je na dovolené {1} @@ -4075,7 +4102,6 @@ DocType: BOM,Operating Cost (Company Currency),Provozní náklady (měna společ DocType: Item Price,Item Price,Cena položky DocType: Payment Entry,Party Name,Název strany apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Vyberte prosím zákazníka -DocType: Course,Course Intro,Kurz Intro DocType: Program Enrollment Tool,New Program,Nový program apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix",Číslo nového nákladového střediska bude jako předpona zahrnuto do názvu nákladového střediska apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Vyberte zákazníka nebo dodavatele. @@ -4276,6 +4302,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Čistá mzda nemůže být záporná apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Počet interakcí 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} nemůže být převedena více než {2} proti objednávce {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Posun apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Zpracování účtové osnovy a smluvních stran DocType: Stock Settings,Convert Item Description to Clean HTML,Převést Popis položky na Vyčistit HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Všechny skupiny dodavatelů @@ -4354,6 +4381,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Rodičovská položka apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Zprostředkování apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Pro zásilku {0} vytvořte potvrzení o koupi nebo nákupní fakturu +,Product Bundle Balance,Produkt Balíček Balance apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Název společnosti nemůže být společnost DocType: Maintenance Visit,Breakdown,Zhroutit se DocType: Inpatient Record,B Negative,B Negativní @@ -4362,7 +4390,7 @@ DocType: Purchase Invoice,Credit To,Kredit apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Tuto pracovní objednávku odešlete k dalšímu zpracování. DocType: Bank Guarantee,Bank Guarantee Number,Číslo bankovní záruky apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Dodáno: {0} -DocType: Quality Action,Under Review,V části Kontrola +DocType: Quality Meeting Table,Under Review,V části Kontrola apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Zemědělství (beta) ,Average Commission Rate,Průměrná míra provize DocType: Sales Invoice,Customer's Purchase Order Date,Datum objednávky zákazníka @@ -4479,7 +4507,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Shoda plateb s fakturami DocType: Holiday List,Weekly Off,Týdenní vypnuto apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Nepovoluje nastavit alternativní položku pro položku {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Program {0} neexistuje. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} neexistuje. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Kořenový uzel nelze upravit. DocType: Fee Schedule,Student Category,Kategorie studentů apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Položka {0}: {1} vyrobeno," @@ -4570,8 +4598,8 @@ DocType: Crop,Crop Spacing,Mezery oříznutí 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í. DocType: Pricing Rule,Period Settings,Nastavení období apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Čistá změna pohledávek +DocType: Quality Feedback Template,Quality Feedback Template,Šablona kvality zpětné vazby 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 -DocType: Quality Goal,Goal Objectives,Cílové cíle 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čtenou částkou" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Nechte prázdné, pokud zadáváte skupiny studentů za rok" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Úvěry (závazky) @@ -4606,12 +4634,13 @@ DocType: Quality Procedure Table,Step,Krok DocType: Normal Test Items,Result Value,Výsledná hodnota DocType: Cash Flow Mapping,Is Income Tax Liability,Je daň z příjmů DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Poplatek za návštěvu v nemocnici -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} neexistuje. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} neexistuje. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Aktualizovat odpověď DocType: Bank Guarantee,Supplier,Dodavatel apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Zadejte hodnotu betweeen {0} a {1} DocType: Purchase Order,Order Confirmation Date,Datum potvrzení objednávky DocType: Delivery Trip,Calculate Estimated Arrival Times,Vypočítat odhadované časy příjezdu +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Nastavení systému pojmenování zaměstnanců v nastavení lidských zdrojů> Nastavení HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Spotřební materiál DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Datum zahájení odběru @@ -4675,6 +4704,7 @@ DocType: Cheque Print Template,Is Account Payable,Je splatný účet apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Celková hodnota objednávky apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dodavatel {0} nebyl nalezen v {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Nastavení SMS brány +DocType: Salary Component,Round to the Nearest Integer,Zaokrouhlit na nejbližší celé číslo apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Kořen nemůže mít mateřské nákladové středisko DocType: Healthcare Service Unit,Allow Appointments,Povolit události DocType: BOM,Show Operations,Zobrazit operace @@ -4803,7 +4833,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Výchozí seznam dovolené DocType: Naming Series,Current Value,Současná cena apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezónnost pro stanovení rozpočtů, cílů atd." -DocType: Program,Program Code,Kód programu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Upozornění: Objednávka {0} již existuje proti objednávce zákazníka {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Měsíční prodejní cíl ( DocType: Guardian,Guardian Interests,Zájmy opatrovníka @@ -4853,10 +4882,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Placené a nedoručené apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Kód položky je povinný, protože položka není automaticky číslována" DocType: GST HSN Code,HSN Code,Kód HSN -DocType: Quality Goal,September,září +DocType: GSTR 3B Report,September,září apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Správní náklady DocType: C-Form,C-Form No,C-formulář č DocType: Purchase Invoice,End date of current invoice's period,Datum ukončení běžného období faktury +DocType: Item,Manufacturers,Výrobci DocType: Crop Cycle,Crop Cycle,Cyklus oříznutí DocType: Serial No,Creation Time,Doba vytvoření apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Zadejte prosím Schvalovací roli nebo Schvalovací uživatele @@ -4929,8 +4959,6 @@ DocType: Employee,Short biography for website and other publications.,Krátká b DocType: Purchase Invoice Item,Received Qty,Přijaté množství DocType: Purchase Invoice Item,Rate (Company Currency),Sazba (měna společnosti) DocType: Item Reorder,Request for,Žádost o -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, vymažte prosím {0} zaměstnance" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Instalace předvoleb apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Zadejte Doby splácení DocType: Pricing Rule,Advanced Settings,Pokročilé nastavení @@ -4956,7 +4984,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Povolit nákupní košík DocType: Pricing Rule,Apply Rule On Other,Použít pravidlo On Other DocType: Vehicle,Last Carbon Check,Poslední kontrola uhlíku -DocType: Vehicle,Make,Udělat +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Udělat apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Prodejní faktura {0} byla vytvořena jako placená apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Pro vytvoření žádosti o platbu je vyžadován referenční dokument apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Daň z příjmu @@ -5032,7 +5060,6 @@ DocType: Territory,Parent Territory,Rodičovské území DocType: Vehicle Log,Odometer Reading,Stav tachometru DocType: Additional Salary,Salary Slip,Výplatní páska DocType: Payroll Entry,Payroll Frequency,Frekvence mezd -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Nastavení systému pojmenování zaměstnanců v nastavení lidských zdrojů> Nastavení HR apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Datum zahájení a ukončení není v platném období mezd, nelze {0} vypočítat" DocType: Products Settings,Home Page is Products,Domovská stránka je Produkty apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Volání @@ -5086,7 +5113,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Načítání záznamů ...... DocType: Delivery Stop,Contact Information,Kontaktní informace DocType: Sales Order Item,For Production,Pro výrobu -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavte prosím instruktorský systém pojmenování ve výuce> Nastavení vzdělávání DocType: Serial No,Asset Details,Podrobnosti o aktivech DocType: Restaurant Reservation,Reservation Time,Rezervační čas DocType: Selling Settings,Default Territory,Výchozí území @@ -5226,6 +5252,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Zaniklé dávky DocType: Shipping Rule,Shipping Rule Type,Typ pravidla přepravy DocType: Job Offer,Accepted,Přijato +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, vymažte prosím {0} zaměstnance" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Už jste posuzovali hodnotící kritéria {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Vyberte Čísla šarží apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Věk (dny) @@ -5242,6 +5270,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Balíček položek v době prodeje. DocType: Payment Reconciliation Payment,Allocated Amount,Přidělené množství apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Vyberte společnost a označení +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,Je vyžadováno datum DocType: Email Digest,Bank Credit Balance,Bankovní zůstatek apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Zobrazit kumulativní částku apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Nemáte dostatek věrnostních bodů k vykoupení @@ -5302,11 +5331,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Na předchozí řádek DocType: Student,Student Email Address,E-mailová adresa studenta DocType: Academic Term,Education,Vzdělání DocType: Supplier Quotation,Supplier Address,Adresa dodavatele -DocType: Salary Component,Do not include in total,Nezahrnujte celkem +DocType: Salary Detail,Do not include in total,Nezahrnujte celkem apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Nelze nastavit více výchozích hodnot položky pro společnost. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} neexistuje DocType: Purchase Receipt Item,Rejected Quantity,Odmítnuté množství DocType: Cashier Closing,To TIme,Chcete-li +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverze UOM ({0} -> {1}) nebyl nalezen pro položku: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Uživatel skupiny pro denní práci DocType: Fiscal Year Company,Fiscal Year Company,Společnost fiskálního roku apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternativní položka nesmí být stejná jako kód položky @@ -5416,7 +5446,6 @@ DocType: Fee Schedule,Send Payment Request Email,Odeslat e-mail s žádostí o p DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,V aplikaci Words budou viditelné po uložení prodejní faktury. DocType: Sales Invoice,Sales Team1,Prodejní tým1 DocType: Work Order,Required Items,Požadované položky -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Speciální znaky kromě znaku "-", "#", "." a "/" není povoleno v názvových řadách" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Přečtěte si manuál ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Zkontrolujte číslo faktury dodavatele Jedinečnost apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Hledat dílčí sestavy @@ -5484,7 +5513,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Procentní odpočet apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Množství k produkci nemůže být menší než nula DocType: Share Balance,To No,Na Ne DocType: Leave Control Panel,Allocate Leaves,Přidělit listy -DocType: Quiz,Last Attempt,Poslední pokus DocType: Assessment Result,Student Name,Jméno studenta apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Plán údržby. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Následující požadavky na materiál byly automaticky zvýšeny na základě úrovně opakované objednávky položky @@ -5553,6 +5581,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Indikátor Barva DocType: Item Variant Settings,Copy Fields to Variant,Kopírovat pole do varianty DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Single Correct Answer apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Od data nemůže být menší než datum nástupu zaměstnance DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Povolit více objednávek odběratele proti objednávce zákazníka apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5615,7 +5644,7 @@ DocType: Account,Expenses Included In Valuation,Náklady zahrnuté do ocenění apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Sériová čísla DocType: Salary Slip,Deductions,Srážky ,Supplier-Wise Sales Analytics,Analytika prodejních dodavatelů -DocType: Quality Goal,February,Únor +DocType: GSTR 3B Report,February,Únor DocType: Appraisal,For Employee,Pro zaměstnance apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Aktuální datum dodání DocType: Sales Partner,Sales Partner Name,Jméno obchodního partnera @@ -5711,7 +5740,6 @@ DocType: Procedure Prescription,Procedure Created,Postup byl vytvořen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Proti faktuře dodavatele {0} ze dne {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Změna profilu POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Vytvořit olovo -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodavatel> Typ dodavatele DocType: Shopify Settings,Default Customer,Výchozí zákazník DocType: Payment Entry Reference,Supplier Invoice No,Faktura dodavatele č DocType: Pricing Rule,Mixed Conditions,Smíšené podmínky @@ -5762,12 +5790,14 @@ DocType: Item,End of Life,Konec života DocType: Lab Test Template,Sensitivity,Citlivost DocType: Territory,Territory Targets,Územní cíle apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Přeskočení Opustit přidělení pro následující zaměstnance, protože záznamy o přidělení dovolené již existují proti nim. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Řešení kvality DocType: Sales Invoice Item,Delivered By Supplier,Dodáno dodavatelem DocType: Agriculture Analysis Criteria,Plant Analysis,Analýza rostlin apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Účet výdajů je povinný pro položku {0} ,Subcontracted Raw Materials To Be Transferred,"Subdodavatelské suroviny, které mají být převedeny" DocType: Cashier Closing,Cashier Closing,Uzavření pokladny apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Položka {0} již byla vrácena +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Neplatný GSTIN! Zadaný vstup neodpovídá formátu GSTIN pro držitele UIN nebo poskytovatele služeb OIDAR apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Pro tento sklad existuje dětský sklad. Tento sklad nelze smazat. DocType: Diagnosis,Diagnosis,Diagnóza apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Mezi {0} a {1} není žádná dovolená doba @@ -5784,6 +5814,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Nastavení autorizace DocType: Homepage,Products,produkty ,Profit and Loss Statement,Výkaz zisků a ztrát apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Pokoje Rezervace +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Duplicitní položka proti kódu položky {0} a výrobci {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Celková váha apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Cestovat @@ -5832,6 +5863,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Výchozí skupina zákazníků DocType: Journal Entry Account,Debit in Company Currency,Debet v měně společnosti DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Záložní série je "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Agenda kvality jednání DocType: Cash Flow Mapper,Section Header,Záhlaví oddílu apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Vaše produkty nebo služby DocType: Crop,Perennial,Trvalka @@ -5877,7 +5909,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produkt nebo služba, která je kupována, prodávána nebo uchovávána na skladě." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Uzavření (otevření + celkem) DocType: Supplier Scorecard Criteria,Criteria Formula,Kritérium vzorec -,Support Analytics,Podpora Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Podpora Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Recenze a akce DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Pokud je účet zmrazen, jsou položky vyhrazeny omezeným uživatelům." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Částka po odpisu @@ -5922,7 +5954,6 @@ DocType: Contract Template,Contract Terms and Conditions,Smluvní podmínky apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Načíst data DocType: Stock Settings,Default Item Group,Výchozí skupina položek DocType: Sales Invoice Timesheet,Billing Hours,Fakturační hodiny -DocType: Item,Item Code for Suppliers,Kód položky pro dodavatele apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Proti studentovi {0} již existuje aplikace {0} DocType: Pricing Rule,Margin Type,Typ okraje DocType: Purchase Invoice Item,Rejected Serial No,Odmítnuto sériové číslo @@ -5995,6 +6026,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Listy byly uděleny úspěšně DocType: Loyalty Point Entry,Expiry Date,Datum vypršení platnosti DocType: Project Task,Working,Pracovní +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} již má rodičovský postup {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,To je založeno na transakcích s tímto pacientem. Podrobnosti naleznete v níže uvedené časové ose DocType: Material Request,Requested For,Požadováno pro DocType: SMS Center,All Sales Person,Veškerá prodejní osoba @@ -6082,6 +6114,7 @@ DocType: Loan Type,Maximum Loan Amount,Maximální částka úvěru apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-mail nebyl nalezen ve výchozím kontaktu DocType: Hotel Room Reservation,Booked,Zarezervováno DocType: Maintenance Visit,Partially Completed,Částečně dokončeno +DocType: Quality Procedure Process,Process Description,Popis procesu DocType: Company,Default Employee Advance Account,Výchozí účet zaměstnance DocType: Leave Type,Allow Negative Balance,Povolit záporný zůstatek apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Název plánu hodnocení @@ -6123,6 +6156,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Požadavek na položku nabídky apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} zadáno dvakrát v položce Daň z položky DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Srážka plná daň na vybrané mzdové datum +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Poslední datum kontroly uhlíku nemůže být datem do budoucna apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Vyberte účet částky změny DocType: Support Settings,Forum Posts,Fórum Příspěvky DocType: Timesheet Detail,Expected Hrs,Očekávané hodiny @@ -6132,7 +6166,7 @@ DocType: Program Enrollment Tool,Enroll Students,Zapsat studenty apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Opakujte výnosy zákazníka DocType: Company,Date of Commencement,Datum začátku DocType: Bank,Bank Name,Jméno banky -DocType: Quality Goal,December,prosinec +DocType: GSTR 3B Report,December,prosinec apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Platnost od data musí být kratší než platné apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,To je založeno na účasti tohoto zaměstnance DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Pokud je zaškrtnuto, domovská stránka bude výchozí skupinou položek pro webovou stránku" @@ -6175,6 +6209,7 @@ DocType: Payment Entry,Payment Type,Způsob platby apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Čísla folia neodpovídají DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Kontrola kvality: {0} není pro položku předloženo: {1} v řádku {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Zobrazit {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} nalezena položka. ,Stock Ageing,Stárnutí zásob DocType: Customer Group,Mention if non-standard receivable account applicable,"Uveďte, zda lze použít nestandardní účet pohledávek" @@ -6403,6 +6438,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Arrear,Ar apps/erpnext/erpnext/config/buying.py,Supplier Group master.,Řídící skupina dodavatelů. apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py,A customer with the same name already exists,Zákazník se stejným názvem již existuje DocType: Course Enrollment,Program Enrollment,Zápis programu +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}",Pracovní příležitosti pro označení {0} již otevřeno nebo najímání dokončeno podle personálního plánu {1} apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Authorized Signatory,Autorizovaný signatář DocType: Pricing Rule,Discount on Other Item,Sleva na jiné položky apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Quot Count,Počet nabídek @@ -6451,6 +6488,7 @@ DocType: Travel Request,Costing,Kalkulace apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Dlouhodobý majetek DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Celkový zisk +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníků> Území DocType: Share Balance,From No,Od č DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Faktura pro odsouhlasení platby DocType: Purchase Invoice,Taxes and Charges Added,Přidané daně a poplatky @@ -6458,7 +6496,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Zvažte daň nebo DocType: Authorization Rule,Authorized Value,Autorizovaná hodnota apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Přijato od apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Sklad {0} neexistuje +DocType: Item Manufacturer,Item Manufacturer,Položka Výrobce DocType: Sales Invoice,Sales Team,Prodejní tým +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Balík Množství DocType: Purchase Order Item Supplied,Stock UOM,Skladové UOM DocType: Installation Note,Installation Date,Datum instalace DocType: Email Digest,New Quotations,Nové nabídky @@ -6522,7 +6562,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Název seznamu prázdnin DocType: Water Analysis,Collection Temperature ,Teplota sběru DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Spravovat fakturaci schůzky odesílat a rušit automaticky pro pacientské setkání -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte položku Řada jmen pro {0} přes Nastavení> Nastavení> Řada názvů DocType: Employee Benefit Claim,Claim Date,Datum nároku DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"Pokud je dodavatel blokován na dobu neurčitou, ponechte prázdné" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Docházka od data a doposud je povinná @@ -6533,6 +6572,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Datum odchodu do důchodu apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Vyberte možnost Pacient DocType: Asset,Straight Line,Přímka +DocType: Quality Action,Resolutions,Usnesení DocType: SMS Log,No of Sent SMS,Číslo odeslané SMS ,GST Itemised Sales Register,GST Katalogizovaný prodejní registr apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Celková výše záloh nesmí být vyšší než celková sankční částka @@ -6643,7 +6683,7 @@ DocType: Account,Profit and Loss,Zisk a ztráta apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Asset Finance Book,Written Down Value,Napsaná hodnota dolů apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Otevření zůstatku vlastního kapitálu -DocType: Quality Goal,April,duben +DocType: GSTR 3B Report,April,duben DocType: Supplier,Credit Limit,Úvěrový limit apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Rozdělení apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6698,6 +6738,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Připojit Shopify s ERPNext DocType: Homepage Section Card,Subtitle,Podtitul DocType: Soil Texture,Loam,Hlína +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodavatel> Typ dodavatele DocType: BOM,Scrap Material Cost(Company Currency),Cena materiálu šrotu (měna společnosti) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Poznámka k doručení {0} nesmí být odeslána DocType: Task,Actual Start Date (via Time Sheet),Skutečné datum zahájení (přes časový výkaz) @@ -6753,7 +6794,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dávkování DocType: Cheque Print Template,Starting position from top edge,Výchozí pozice od horního okraje apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Trvání schůzky (min) -DocType: Pricing Rule,Disable,Zakázat +DocType: Accounting Dimension,Disable,Zakázat DocType: Email Digest,Purchase Orders to Receive,Objednávky obdržíte apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Výrobní objednávky nelze získat pro: DocType: Projects Settings,Ignore Employee Time Overlap,Ignorovat přesah zaměstnanců @@ -6837,6 +6878,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Vytvo DocType: Item Attribute,Numeric Values,Číselné hodnoty DocType: Delivery Note,Instructions,Instrukce DocType: Blanket Order Item,Blanket Order Item,Položka objednávky deka +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Povinné Pro výkaz zisků a ztrát apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Sazba Komise nesmí být vyšší než 100% DocType: Course Topic,Course Topic,Téma kurzu DocType: Employee,This will restrict user access to other employee records,To omezí přístup uživatele k ostatním záznamům zaměstnanců @@ -6861,12 +6903,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Správa předp apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Získejte zákazníky apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Nahlásit +DocType: Video,YouTube,Youtube DocType: Party Account,Party Account,Účet strany DocType: Assessment Plan,Schedule,Plán apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Prosím Vstupte DocType: Lead,Channel Partner,Partner kanálu apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Fakturovaná částka DocType: Project,From Template,Ze šablony +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Předplatné apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,"Množství, které má být provedeno" DocType: Quality Review Table,Achieved,Dosažené @@ -6913,7 +6957,6 @@ DocType: Journal Entry,Subscription Section,Odběrová sekce DocType: Salary Slip,Payment Days,Platební dny apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informace dobrovolníka. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Zmrazené zásoby starší než` by měly být menší než% d dní. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Vyberte Fiskální rok DocType: Bank Reconciliation,Total Amount,Celková částka DocType: Certification Application,Non Profit,Neziskové DocType: Subscription Settings,Cancel Invoice After Grace Period,Zrušení faktury po období grace @@ -6926,7 +6969,6 @@ DocType: Serial No,Warranty Period (Days),Záruční doba (dny) DocType: Expense Claim Detail,Expense Claim Detail,Detail reklamace nákladů apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program: DocType: Patient Medical Record,Patient Medical Record,Lékařský záznam pacienta -DocType: Quality Action,Action Description,Popis akce DocType: Item,Variant Based On,Varianta založená na DocType: Vehicle Service,Brake Oil,Brzdový olej DocType: Employee,Create User,Vytvořit uživatele @@ -6982,7 +7024,7 @@ DocType: Cash Flow Mapper,Section Name,Název sekce DocType: Packed Item,Packed Item,Balená položka apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Pro účet {2} je vyžadována částka debetní nebo kreditní. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Odeslání výplatních pásek ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Žádná akce +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Žádná akce apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Rozpočet nelze přiřadit k hodnotě {0}, protože se nejedná o účet příjmů ani výdajů" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Mistři a účty DocType: Quality Procedure Table,Responsible Individual,Odpovědný jednotlivec @@ -7105,7 +7147,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Povolit vytvoření účtu proti dětské společnosti DocType: Payment Entry,Company Bank Account,Firemní bankovní účet DocType: Amazon MWS Settings,UK,Spojené království -DocType: Quality Procedure,Procedure Steps,Postup Kroky DocType: Normal Test Items,Normal Test Items,Normální položky testu apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Položka {0}: Objednané množství {1} nemůže být menší než minimální objednávka {2} (definovaná v položce). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Není skladem @@ -7184,7 +7225,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Údržba Role apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Šablona Smluvních podmínek DocType: Fee Schedule Program,Fee Schedule Program,Program poplatků -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kurz {0} neexistuje. DocType: Project Task,Make Timesheet,Vytvořit časový rozvrh DocType: Production Plan Item,Production Plan Item,Položka plánu výroby apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Celkový počet studentů @@ -7206,6 +7246,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Balení apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Obnovit lze pouze v případě, že vaše členství vyprší do 30 dnů" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Hodnota musí být mezi {0} a {1} +DocType: Quality Feedback,Parameters,Parametry ,Sales Partner Transaction Summary,Shrnutí transakce obchodního partnera DocType: Asset Maintenance,Maintenance Manager Name,Název správce údržby apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Je nutné načíst podrobnosti položky. @@ -7244,6 +7285,7 @@ DocType: Student Admission,Student Admission,Vstupné pro studenty DocType: Designation Skill,Skill,Dovednost DocType: Budget Account,Budget Account,Účet rozpočtu DocType: Employee Transfer,Create New Employee Id,Vytvořit nové Id zaměstnance +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} je vyžadováno pro účet 'Zisk a ztráta' {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Daň z zboží a služeb (GST Indie) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Vytváření výplatních pásů ... DocType: Employee Skill,Employee Skill,Zaměstnanecká dovednost @@ -7344,6 +7386,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Faktura oddě DocType: Subscription,Days Until Due,Dny do konce apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Zobrazit dokončeno apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Zpráva o vstupu transakce do výpisu z účtu +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Řádek # {0}: Rychlost musí být stejná jako {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Položky zdravotnické služby @@ -7400,6 +7443,7 @@ DocType: Training Event Employee,Invited,Pozván apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Maximální částka způsobilá pro komponentu {0} přesahuje hodnotu {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Částka pro účet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",V případě {0} lze propojit pouze jiné debetní účty s jinou kreditní položkou +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Vytváření kót ... DocType: Bank Statement Transaction Entry,Payable Account,Platební účet apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Neuvádějte žádné požadované návštěvy DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Vyberte pouze v případě, že máte nastaveny dokumenty mapovače peněžních toků" @@ -7417,6 +7461,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,V DocType: Service Level,Resolution Time,Čas rozlišení DocType: Grading Scale Interval,Grade Description,Popis třídy DocType: Homepage Section,Cards,Karty +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Zápis o kvalitě jednání DocType: Linked Plant Analysis,Linked Plant Analysis,Analýza propojených rostlin apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Datum ukončení služby nemůže být po datu ukončení služ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. @@ -7451,7 +7496,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Nástroj docházky za DocType: Employee,Educational Qualification,Vzdělávací kvalifikace apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Přístupná hodnota apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Množství vzorku {0} nemůže být větší než přijaté množství {1} -DocType: Quiz,Last Highest Score,Poslední nejvyšší skóre DocType: POS Profile,Taxes and Charges,Daně a poplatky DocType: Opportunity,Contact Mobile No,Kontakt Mobilní č DocType: Employee,Joining Details,Podrobnosti o připojení @@ -7468,6 +7512,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Show unclose 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, že {1} neposkytuje cenovou nabídku, ale všechny položky byly citovány. Aktualizace stavu nabídky RFQ." DocType: Asset,Finance Books,Finance Knihy +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,"Buying must be checked, if Applicable For is selected as {0}",Pokud je jako {0} vybráno { DocType: Stock Settings,Role Allowed to edit frozen stock,Role Povoleno editovat zmrazené zásoby apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py,Last Communication Date,Datum posledního sdělení DocType: Activity Cost,Costing Rate,Míra kalkulace diff --git a/erpnext/translations/da.csv b/erpnext/translations/da.csv index 9bbc48df18..fc31dee1ce 100644 --- a/erpnext/translations/da.csv +++ b/erpnext/translations/da.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Leverandørens varenr DocType: Journal Entry Account,Party Balance,Party Balance apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Fondens kilde (forpligtelser) DocType: Payroll Period,Taxable Salary Slabs,Skattepligtige lønplader +DocType: Quality Action,Quality Feedback,Kvalitetsfeedback DocType: Support Settings,Support Settings,Supportindstillinger apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Indtast venligst produktprodukt først DocType: Quiz,Grading Basis,Graderingsgrundlag @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Flere detaljer DocType: Salary Component,Earning,Optjening DocType: Restaurant Order Entry,Click Enter To Add,Klik på Enter for at tilføje DocType: Employee Group,Employee Group,Medarbejdergruppe +DocType: Quality Procedure,Processes,Processer DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Angiv valutakurs for at konvertere en valuta til en anden apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Aging Range 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Lager nødvendig for lager vare {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Klage DocType: Shipping Rule,Restrict to Countries,Begræns til lande DocType: Hub Tracked Item,Item Manager,Item Manager apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Valuta for afslutningskonto skal være {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,budgetter apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Åbning af fakturaelement DocType: Work Order,Plan material for sub-assemblies,Planlæg materiale til underenheder apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Budget,Action if Annual Budget Exceeded on MR,Handling hvis årligt budget oversteg MR DocType: Sales Invoice Advance,Advance Amount,Forskudsbeløb +DocType: Accounting Dimension,Dimension Name,Dimensionsnavn DocType: Delivery Note Item,Against Sales Invoice Item,Mod salgsfaktura DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Inkluder vare i fremstilling @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Hvad gør den? ,Sales Invoice Trends,Salgsfakturaudvikling DocType: Bank Reconciliation,Payment Entries,Betalingsindlæg DocType: Employee Education,Class / Percentage,Klasse / Procentdel -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varenummer> Varegruppe> Mærke ,Electronic Invoice Register,Elektronisk Faktura Register DocType: Sales Invoice,Is Return (Credit Note),Er retur (kredit notat) DocType: Lab Test Sample,Lab Test Sample,Lab Test prøve @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Varianter apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Afgifterne vil blive fordelt forholdsmæssigt baseret på varenummer eller beløb, som du vælger" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Afventer aktiviteter for i dag +DocType: Quality Procedure Process,Quality Procedure Process,Kvalitetsprocedureproces DocType: Fee Schedule Program,Student Batch,Student Batch apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Værdiansættelsesfrekvensen kræves for varen i række {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Base Hour Rate (Virksomhedsvaluta) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Indstil antal i transaktioner baseret på serienummerindgang apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Forskudskursen skal være den samme som virksomhedens valuta {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Tilpas Hjemmeside sektioner -DocType: Quality Goal,October,oktober +DocType: GSTR 3B Report,October,oktober DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Skjul kundens skatte-id fra salgstransaktioner apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Ugyldig GSTIN! En GSTIN skal have 15 tegn. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Prissætning Regel {0} er opdateret @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Forlad balance apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Vedligeholdelsesplan {0} eksisterer imod {1} DocType: Assessment Plan,Supervisor Name,Supervisor Name DocType: Selling Settings,Campaign Naming By,Kampagne navngivning af -DocType: Course,Course Code,Kursuskode +DocType: Student Group Creation Tool Course,Course Code,Kursuskode apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace DocType: Landed Cost Voucher,Distribute Charges Based On,Fordel gebyrer baseret på DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Leverandør Scorecard Scoring Criteria @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Restaurant Menu DocType: Asset Movement,Purpose,Formål apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Løn Structure Assignment for Employee eksisterer allerede DocType: Clinical Procedure,Service Unit,Serviceenhed -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium DocType: Travel Request,Identification Document Number,Identifikationsdokumentnummer DocType: Stock Entry,Additional Costs,Ekstra omkostninger -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Moderskurs (Forlad blank, hvis dette ikke er en del af Moders kursus)" DocType: Employee Education,Employee Education,Medarbejderuddannelse apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Antal stillinger kan ikke være mindre end nuværende antal medarbejdere apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Alle kundegrupper @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Række {0}: Antal er obligatoriske DocType: Sales Invoice,Against Income Account,Mod indkomst konto apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Række nr. {0}: Indkøbsfaktura kan ikke foretages mod et eksisterende aktiv {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Regler for anvendelse af forskellige salgsfremmende ordninger. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM coverion faktor kræves for UOM: {0} i Item: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Indtast venligst antal for vare {0} DocType: Workstation,Electricity Cost,Elektricitet omkostninger @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Samlet Projiceret Antal apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,styklister DocType: Work Order,Actual Start Date,Faktisk startdato 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 -DocType: Company,About the Company,Om virksomheden apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Træ af finansielle konti. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Indirekte indtægter DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotel Room Reservation Item @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database ove DocType: Skill,Skill Name,Færdighedsnavn apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Udskriv rapportkort DocType: Soil Texture,Ternary Plot,Ternary Plot +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Indstil navngivningsserien for {0} via Setup> Settings> Naming Series apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Support Billetter DocType: Asset Category Account,Fixed Asset Account,Fixed Asset Account apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Seneste @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Program tilmeldings ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,"Indstil den serie, der skal bruges." DocType: Delivery Trip,Distance UOM,Afstand UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligatorisk for balancen DocType: Payment Entry,Total Allocated Amount,Samlet tildelt beløb DocType: Sales Invoice,Get Advances Received,Få fremskridt modtaget DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Vedligeholdelse Sch apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,"POS-profil, der kræves for at gøre POS-indtastning" DocType: Education Settings,Enable LMS,Aktivér LMS DocType: POS Closing Voucher,Sales Invoices Summary,Salgsfakturaoversigt +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Fordel apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit til konto skal være en Balance konto DocType: Video,Duration,Varighed DocType: Lab Test Template,Descriptive,Beskrivende @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Start- og slutdatoer DocType: Supplier Scorecard,Notify Employee,Underrette medarbejder apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software +DocType: Program,Allow Self Enroll,Tillad selvtilmelding apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Lagerudgifter apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Referencenummer er obligatorisk, hvis du har indtastet Reference Date" DocType: Training Event,Workshop,Værksted @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-fakturering oplysninger mangler apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Ingen væsentlig forespørgsel oprettet +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varenummer> Varegruppe> Mærke DocType: Loan,Total Amount Paid,Samlede beløb betalt apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Alle disse elementer er allerede faktureret DocType: Training Event,Trainer Name,Træner navn @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Akademi år DocType: Sales Stage,Stage Name,Kunstnernavn DocType: SMS Center,All Employee (Active),Alle medarbejdere (aktive) +DocType: Accounting Dimension,Accounting Dimension,Regnskabsmæssig dimension DocType: Project,Customer Details,Kundeoplysninger DocType: Buying Settings,Default Supplier Group,Standardleverandørgruppe apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Annuller købs kvittering {0} først @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Jo højere talle DocType: Designation,Required Skills,Påkrævede færdigheder DocType: Marketplace Settings,Disable Marketplace,Deaktiver Marketplace DocType: Budget,Action if Annual Budget Exceeded on Actual,Handling hvis årligt budget oversteg på faktisk -DocType: Course,Course Abbreviation,Kursusforkortelse apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Tilstedeværelse er ikke indsendt til {0} som {1} med orlov. DocType: Pricing Rule,Promotional Scheme Id,Salgsfremmende skema id apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Slutdatoen for opgaven {0} kan ikke være større end {1} forventet slutdato {2} @@ -1293,7 +1300,7 @@ DocType: Bank Guarantee,Margin Money,Margen penge DocType: Chapter,Chapter,Kapitel DocType: Purchase Receipt Item Supplied,Current Stock,Aktuel lager DocType: Employee,History In Company,Historie i selskabet -DocType: Item,Manufacturer,Fabrikant +DocType: Purchase Invoice Item,Manufacturer,Fabrikant apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Moderat følsomhed DocType: Compensatory Leave Request,Leave Allocation,Forlad allokering DocType: Timesheet,Timesheet,timeseddel @@ -1324,6 +1331,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Materiale overført t DocType: Products Settings,Hide Variants,Skjul varianter DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Deaktiver kapacitetsplanlægning og tidssporing DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Beregnes i transaktionen. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} er påkrævet for 'Balance Sheet' konto {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} må ikke transagere med {1}. Vær venlig at ændre selskabet. 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øbskvittering for vare {0}" DocType: Delivery Trip,Delivery Details,Leveringsdetaljer @@ -1359,7 +1367,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,forrige apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Måleenhed DocType: Lab Test,Test Template,Test skabelon DocType: Fertilizer,Fertilizer Contents,Indhold af gødning -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minut +DocType: Quality Meeting Minutes,Minute,Minut 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, det er allerede {2}" DocType: Task,Actual Time (in Hours),Faktisk tid (i timer) DocType: Period Closing Voucher,Closing Account Head,Luk kontohode @@ -1532,7 +1540,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorium DocType: Purchase Order,To Bill,At opkræve apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Utility Udgifter DocType: Manufacturing Settings,Time Between Operations (in mins),Tid mellem operationer (i min) -DocType: Quality Goal,May,Kan +DocType: GSTR 3B Report,May,Kan apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Betalingsgateway-konto er ikke oprettet, skal du oprette en manuelt." DocType: Opening Invoice Creation Tool,Purchase,Køb DocType: Program Enrollment,School House,Skolehus @@ -1564,6 +1572,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Lovpligtig information og anden generel information om din leverandør DocType: Item Default,Default Selling Cost Center,Standard salgspriscenter DocType: Sales Partner,Address & Contacts,Adresse og kontakter +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Venligst opsæt nummereringsserien for Tilstedeværelse via Opsætning> Nummereringsserie DocType: Subscriber,Subscriber,abonnent apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) er udsolgt apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Vælg venligst Indsendelsesdato først @@ -1591,6 +1600,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Inpatientbesøgsgebyr DocType: Bank Statement Settings,Transaction Data Mapping,Transaktionsdata Kortlægning apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,En bly kræver enten en persons navn eller en organisations navn DocType: Student,Guardians,Guardians +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vær venlig at installere Instruktør Navngivningssystem i Uddannelse> Uddannelsesindstillinger apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Vælg mærke ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Mellemindkomst DocType: Shipping Rule,Calculate Based On,Beregn Baseret På @@ -1602,7 +1612,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Udgiftskrav Advance DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Afrundingsjustering (Virksomhedsvaluta) DocType: Item,Publish in Hub,Udgiv i Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,august +DocType: GSTR 3B Report,August,august apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Indtast venligst købsmodtagelse først apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Start år apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Mål ({}) @@ -1621,6 +1631,7 @@ DocType: Item,Max Sample Quantity,Maks. Prøvemængde apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Kilde- og mållager skal være anderledes DocType: Employee Benefit Application,Benefits Applied,Fordele Anvendt apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Mod Journal Entry {0} har ikke nogen enestående {1} post +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Særlige tegn undtagen "-", "#", ".", "/", "{" Og "}" ikke tilladt i navngivningsserier" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Pris- eller produktrabatplader er påkrævet apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Indstil et mål apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Tilstedeværelseskort {0} findes mod Student {1} @@ -1636,10 +1647,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Om måneden DocType: Routing,Routing Name,Routing Name DocType: Disease,Common Name,Almindeligt navn -DocType: Quality Goal,Measurable,målbar DocType: Education Settings,LMS Title,LMS Titel apps/erpnext/erpnext/config/non_profit.py,Loan Management,Lånestyring -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Support Analtyics DocType: Clinical Procedure,Consumable Total Amount,Forbrugspris i alt apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Aktivér skabelon apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Kunde LPO @@ -1779,6 +1788,7 @@ DocType: Restaurant Order Entry Item,Served,serveret DocType: Loan,Member,Medlem DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Practitioner Service Unit Schedule apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Wire Transfer +DocType: Quality Review Objective,Quality Review Objective,Kvalitetsrevisionsmål DocType: Bank Reconciliation Detail,Against Account,Mod konto DocType: Projects Settings,Projects Settings,Projekter Indstillinger apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Faktisk antal {0} / ventende antal {1} @@ -1807,6 +1817,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ve apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Skatteårets slutdato bør være et år efter startdato for regnskabsåret apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Daglige påmindelser DocType: Item,Default Sales Unit of Measure,Standard salgsforanstaltning +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Firma GSTIN DocType: Asset Finance Book,Rate of Depreciation,Afskrivningsgrad DocType: Support Search Source,Post Description Key,Indlæg Beskrivelse Nøgle DocType: Loyalty Program Collection,Minimum Total Spent,Minimum samlet forbrug @@ -1878,6 +1889,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Ændring af kundegruppe for den valgte kunde er ikke tilladt. DocType: Serial No,Creation Document Type,Oprettelsesdokumenttype DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Tilgængelig Batch Antal på Lager +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Dette er et rodområde og kan ikke redigeres. DocType: Patient,Surgical History,Kirurgisk historie apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Træ af kvalitetsprocedurer. @@ -1982,6 +1994,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,i DocType: Item Group,Check this if you want to show in website,Tjek dette hvis du vil vise på hjemmesiden apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiscal Year {0} ikke fundet DocType: Bank Statement Settings,Bank Statement Settings,Indstillinger for bankerklæring +DocType: Quality Procedure Process,Link existing Quality Procedure.,Link eksisterende kvalitetsprocedure. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Importer diagram over konti fra CSV / Excel-filer DocType: Appraisal Goal,Score (0-5),Resultat (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Attribut {0} er valgt flere gange i attributtabel DocType: Purchase Invoice,Debit Note Issued,Debet notat udstedt @@ -1990,7 +2004,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Forlad politikoplysninger apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Lager ikke fundet i systemet DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -DocType: Quality Goal,Measurable Goal,Målbart mål DocType: Bank Statement Transaction Payment Item,Invoices,Fakturaer DocType: Currency Exchange,Currency Exchange,Valutaveksling DocType: Payroll Entry,Fortnightly,hver fjortende dag @@ -2053,6 +2066,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} er ikke indsendt DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Backflush råmaterialer fra lager i arbejde DocType: Maintenance Team Member,Maintenance Team Member,Vedligeholdelse Teammedlem +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Opstil brugerdefinerede dimensioner til bogføring DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Den mindste afstand mellem rækker af planter for optimal vækst DocType: Employee Health Insurance,Health Insurance Name,Navn på sygesikring apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Aktiver @@ -2085,7 +2099,7 @@ DocType: Delivery Note,Billing Address Name,Faktureringsadresse navn apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternativt element DocType: Certification Application,Name of Applicant,Ansøgerens navn DocType: Leave Type,Earned Leave,Tjenet Forlad -DocType: Quality Goal,June,juni +DocType: GSTR 3B Report,June,juni apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Række {0}: Omkostningscenter er påkrævet for en vare {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Kan godkendes af {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Enhedsenhed {0} er blevet indtastet mere end en gang i konverteringsfaktordabel @@ -2106,6 +2120,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standard salgspris apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Indstil venligst en aktiv menu for Restaurant {0} 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: Asset Finance Book,Asset Finance Book,Asset Finance Book +DocType: Quality Goal Objective,Quality Goal Objective,Kvalitetsmål DocType: Employee Transfer,Employee Transfer,Medarbejderoverførsel ,Sales Funnel,Salgstragle DocType: Agriculture Analysis Criteria,Water Analysis,Vandanalyse @@ -2144,6 +2159,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Medarbejderoverdr apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Afventer aktiviteter apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Skriv et par af dine kunder. De kunne være organisationer eller enkeltpersoner. DocType: Bank Guarantee,Bank Account Info,Bankkontooplysninger +DocType: Quality Goal,Weekday,Ugedag apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Navn DocType: Salary Component,Variable Based On Taxable Salary,Variabel baseret på skattepligtig løn DocType: Accounting Period,Accounting Period,Regnskabsperiode @@ -2228,7 +2244,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Afrundingsjustering DocType: Quality Review Table,Quality Review Table,Kvalitetsoversigtstabel DocType: Member,Membership Expiry Date,Medlemskabets udløbsdato DocType: Asset Finance Book,Expected Value After Useful Life,Forventet værdi efter brugbart liv -DocType: Quality Goal,November,november +DocType: GSTR 3B Report,November,november DocType: Loan Application,Rate of Interest,Rente DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Kontoudtog Transaktion Betalingselement DocType: Restaurant Reservation,Waitlisted,venteliste @@ -2292,6 +2308,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}",Row {0}: For at indstille {1} periodicitet skal forskellen mellem og til dato \ være større end eller lig med {2} DocType: Purchase Invoice Item,Valuation Rate,Værdiansættelsesrate DocType: Shopping Cart Settings,Default settings for Shopping Cart,Standardindstillinger for Indkøbskurv +DocType: Quiz,Score out of 100,Score ud af 100 DocType: Manufacturing Settings,Capacity Planning,Kapacitetsplanlægning apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Gå til instruktører DocType: Activity Cost,Projects,Projekter @@ -2301,6 +2318,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Fra Tid apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Details Report +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Til køb apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots til {0} tilføjes ikke til skemaet DocType: Target Detail,Target Distribution,Måldistribution @@ -2318,6 +2336,7 @@ DocType: Activity Cost,Activity Cost,Aktivitetsomkostninger DocType: Journal Entry,Payment Order,Betalingsordre apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Prisfastsættelse ,Item Delivery Date,Leveringsdato for vare +DocType: Quality Goal,January-April-July-October,Januar til april juli til oktober DocType: Purchase Order Item,Warehouse and Reference,Lager og Reference apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Konto med børne noder kan ikke konverteres til hovedbog DocType: Soil Texture,Clay Composition (%),Ler sammensætning (%) @@ -2368,6 +2387,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Fremtidige datoer ikke apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Række {0}: Indstil betalingsformen i betalingsplan apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Akademisk Term: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Kvalitetsfeedback Parameter apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Vælg venligst Anvend rabat på apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Række # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Samlede betalinger @@ -2410,7 +2430,7 @@ DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Medarbejder-ID DocType: Salary Structure Assignment,Salary Structure Assignment,Salary Structure Assignment DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Skatter -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Handling initialiseret +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Handling initialiseret DocType: POS Profile,Applicable for Users,Gælder for brugere DocType: Training Event,Exam,Eksamen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Forkert antal hovedbogsnumre fundet. Du har muligvis valgt en forkert konto i transaktionen. @@ -2517,6 +2537,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Længde DocType: Accounts Settings,Determine Address Tax Category From,Bestem adresseskatkategori Fra apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Identificerende beslutningstagere +DocType: Stock Entry Detail,Reference Purchase Receipt,Reference købskvittering apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Få invokationer DocType: Tally Migration,Is Day Book Data Imported,Er data fra dagbog importeret ,Sales Partners Commission,Sales Partners Commission @@ -2540,6 +2561,7 @@ DocType: Leave Type,Applicable After (Working Days),Gældende efter (arbejdsdage DocType: Timesheet Detail,Hrs,timer DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Leverandør Scorecard Criteria DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Kvalitetsfejlskabelon Parameter apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Dato for tilslutning skal være større end fødselsdato DocType: Bank Statement Transaction Invoice Item,Invoice Date,Fakturadato DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Opret labtest (er) på salgsfaktura Send @@ -2646,7 +2668,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Mindste tilladelige v DocType: Stock Entry,Source Warehouse Address,Source Warehouse Address DocType: Compensatory Leave Request,Compensatory Leave Request,Kompenserende Forladelsesforespørgsel DocType: Lead,Mobile No.,Mobil nummer. -DocType: Quality Goal,July,juli +DocType: GSTR 3B Report,July,juli apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Støtteberettigede ITC DocType: Fertilizer,Density (if liquid),Tæthed (hvis væske) DocType: Employee,External Work History,Eksternt arbejde historie @@ -2723,6 +2745,7 @@ DocType: Certification Application,Certification Status,Certificeringsstatus apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Kildens placering er påkrævet for aktivet {0} DocType: Employee,Encashment Date,Indkøbsdato apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Vælg venligst Afslutningsdato for Udfyldt Asset Maintenance Log +DocType: Quiz,Latest Attempt,Seneste forsøg DocType: Leave Block List,Allow Users,Tillad brugere apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Oversigt over konti apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"Kunden er obligatorisk, hvis 'Mulighed Fra' er valgt som kunde" @@ -2787,7 +2810,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Leverandør Scorecar DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS-indstillinger DocType: Program Enrollment,Walking,gåture DocType: SMS Log,Requested Numbers,Ønskede numre -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Venligst opsæt nummereringsserien for Tilstedeværelse via Opsætning> Nummereringsserie DocType: Woocommerce Settings,Freight and Forwarding Account,Fragt og videresendelse konto apps/erpnext/erpnext/accounts/party.py,Please select a Company,Vælg venligst et firma apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Række {0}: {1} skal være større end 0 @@ -2857,7 +2879,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Regninger h DocType: Training Event,Seminar,Seminar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kredit ({0}) DocType: Payment Request,Subscription Plans,Abonnementsplaner -DocType: Quality Goal,March,marts +DocType: GSTR 3B Report,March,marts apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Split Batch DocType: School House,House Name,Husnavn apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Udestående for {0} kan ikke være mindre end nul ({1}) @@ -2920,7 +2942,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Forsikrings startdato DocType: Target Detail,Target Detail,Måldetalj DocType: Packing Slip,Net Weight UOM,Nettovægt UOM -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Konverteringsfaktor ({0} -> {1}) blev ikke fundet for elementet: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Nettobeløb (Company Valuta) DocType: Bank Statement Transaction Settings Item,Mapped Data,Mappede data apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Værdipapirer og indlån @@ -2970,6 +2991,7 @@ DocType: Cheque Print Template,Cheque Height,Kontroller højden apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Indtast venligst aflæsningsdato. DocType: Loyalty Program,Loyalty Program Help,Hjælp til loyalitetsprogrammet DocType: Journal Entry,Inter Company Journal Entry Reference,Inter Company Journal Entry Reference +DocType: Quality Meeting,Agenda,Dagsorden DocType: Quality Action,Corrective,Korrigerende apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Gruppe By DocType: Bank Account,Address and Contact,Adresse og Kontakt @@ -3023,7 +3045,7 @@ DocType: GL Entry,Credit Amount,Kreditbeløb apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Samlede beløb krediteret DocType: Support Search Source,Post Route Key List,Post rute nøgle liste apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} ikke i noget aktivt regnskabsår. -DocType: Quality Action Table,Problem,Problem +DocType: Quality Action Resolution,Problem,Problem DocType: Training Event,Conference,Konference DocType: Mode of Payment Account,Mode of Payment Account,Betalings konto DocType: Leave Encashment,Encashable days,Encashable dage @@ -3149,7 +3171,7 @@ DocType: Item,"Purchase, Replenishment Details","Køb, Replenishment Detaljer" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Når den er indstillet, vil denne faktura være i venteposition indtil den fastsatte dato" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Lager kan ikke eksistere for vare {0} siden har varianter DocType: Lab Test Template,Grouped,grupperet -DocType: Quality Goal,January,januar +DocType: GSTR 3B Report,January,januar DocType: Course Assessment Criteria,Course Assessment Criteria,Kursusvurderingskriterier DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Afsluttet antal @@ -3245,7 +3267,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Sundhedsvæse apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Indtast venligst mindst 1 faktura i tabellen apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Salgsordre {0} er ikke indsendt apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Deltagelse er blevet markeret med succes. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Forud salg +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Forud salg apps/erpnext/erpnext/config/projects.py,Project master.,Projektmester. DocType: Daily Work Summary,Daily Work Summary,Dagligt Arbejdsoversigt DocType: Asset,Partially Depreciated,Delvist afskrivet @@ -3254,6 +3276,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Forlader kæmpet? DocType: Certified Consultant,Discuss ID,Diskuter ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Indstil venligst GST-konti i GST-indstillinger +DocType: Quiz,Latest Highest Score,Seneste højeste score DocType: Supplier,Billing Currency,Faktureringsvaluta apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Studentaktivitet apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Enten målsætning eller målbeløb er obligatorisk @@ -3279,18 +3302,21 @@ DocType: Sales Order,Not Delivered,Ikke afleveret apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Forladetype {0} kan ikke tildeles, da det er ledig uden løn" DocType: GL Entry,Debit Amount,Debitbeløb apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Der findes allerede en post for varen {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Underforsamlinger 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 prissætningsregler fortsat er gældende, bliver brugerne bedt om at angive prioritet manuelt for at løse konflikten." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Kan ikke trække fra, når kategorien er for 'Værdiansættelse' eller 'Værdiansættelse og Total'" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM og fremstillingsmængde er påkrævet apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Punkt {0} er nået til slutningen af livet på {1} DocType: Quality Inspection Reading,Reading 6,Læsning 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Virksomhedsfelt er påkrævet apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Materialforbrug er ikke angivet i fremstillingsindstillinger. DocType: Assessment Group,Assessment Group Name,Bedømmelsesgruppe Navn -DocType: Item,Manufacturer Part Number,Producentens varenummer +DocType: Purchase Invoice Item,Manufacturer Part Number,Producentens varenummer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Løn betales apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} kan ikke være negativt for punkt {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balance Antal +DocType: Question,Multiple Correct Answer,Flere korrekt svar DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Loyalitetspoint = Hvor meget base valuta? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Bemærk: Der er ikke nok efterløbsbalance for orlovstype {0} DocType: Clinical Procedure,Inpatient Record,Inpatient Record @@ -3413,6 +3439,7 @@ DocType: Fee Schedule Program,Total Students,Samlet Studerende apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokal DocType: Chapter Member,Leave Reason,Forlad grunden DocType: Salary Component,Condition and Formula,Tilstand og formel +DocType: Quality Goal,Objectives,mål apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Løn, der allerede er behandlet i perioden mellem {0} og {1}, kan Efterladelsesperiode ikke være mellem dette datointerval." DocType: BOM Item,Basic Rate (Company Currency),Grundfrekvens (selskabsvaluta) DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item @@ -3463,6 +3490,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Expense Claim Account apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Ingen tilbagebetalinger til rådighed for Journal Entry apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} er inaktiv studerende +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Lav lagerregistrering DocType: Employee Onboarding,Activities,Aktiviteter apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast et lager er obligatorisk ,Customer Credit Balance,Kreditorkredit @@ -3547,7 +3575,6 @@ DocType: Contract,Contract Terms,Kontraktvilkår apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Enten målsætning eller målbeløb er obligatorisk. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Ugyldig {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Mødedato DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC np-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Forkortelse må ikke have mere end 5 tegn DocType: Employee Benefit Application,Max Benefits (Yearly),Maksimale fordele (Årlig) @@ -3650,7 +3677,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Bankudgifter apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Varer overført apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primær kontaktoplysninger -DocType: Quality Review,Values,Værdier 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 markeret, skal listen tilføjes til hver afdeling, hvor den skal anvendes." DocType: Item Group,Show this slideshow at the top of the page,Vis dette diasshow øverst på siden apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} parameteren er ugyldig @@ -3669,6 +3695,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Bankgebyrer Konto DocType: Journal Entry,Get Outstanding Invoices,Få udestående fakturaer DocType: Opportunity,Opportunity From,Mulighed fra +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Måldetaljer DocType: Item,Customer Code,Kundekode apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Indtast venligst først vare apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Website liste @@ -3697,7 +3724,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Levering til DocType: Bank Statement Transaction Settings Item,Bank Data,Bankdata apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planlagt Upto -DocType: Quality Goal,Everyday,Hver dag DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Vedligeholde faktureringstid og arbejdstid samme på tidsskema apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Sporledninger af blykilde. DocType: Clinical Procedure,Nursing User,Sygeplejerske bruger @@ -3722,7 +3748,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Administrer Territory DocType: GL Entry,Voucher Type,Voucher Type ,Serial No Service Contract Expiry,Serienr. Service Kontrakt Udløb DocType: Certification Application,Certified,Certificeret -DocType: Material Request Plan Item,Manufacture,Fremstille +DocType: Purchase Invoice Item,Manufacture,Fremstille apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} producerede varer apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Betalingsanmodning om {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dage siden sidste ordre @@ -3737,7 +3763,7 @@ DocType: Sales Invoice,Company Address Name,Virksomhedens adresse navn apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Varer i transit apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Du kan kun indløse maksimalt {0} point i denne ordre. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Venligst indstil konto i lager {0} -DocType: Quality Action Table,Resolution,Løsning +DocType: Quality Action,Resolution,Løsning DocType: Sales Invoice,Loyalty Points Redemption,Loyalitetspoint Indfrielse apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Samlet skattepligtig værdi DocType: Patient Appointment,Scheduled,Planlagt @@ -3858,6 +3884,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Sats apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Gemmer {0} DocType: SMS Center,Total Message(s),Samlet Besked (r) +DocType: Purchase Invoice,Accounting Dimensions,Regnskabsmæssige dimensioner apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Gruppe efter konto DocType: Quotation,In Words will be visible once you save the Quotation.,"I Ord bliver du synlig, når du gemmer citatet." apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Mængde at producere @@ -4022,7 +4049,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,O apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Hvis du har spørgsmål, så kontakt os venligst." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Købskvittering {0} er ikke indsendt DocType: Task,Total Expense Claim (via Expense Claim),Samlet udgiftskrav (via udgiftskrav) -DocType: Quality Action,Quality Goal,Kvalitetsmål +DocType: Quality Goal,Quality Goal,Kvalitetsmål DocType: Support Settings,Support Portal,Support Portal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Slutdatoen for opgaven {0} kan ikke være mindre end {1} forventet startdato {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Medarbejder {0} er på ferie på {1} @@ -4081,7 +4108,6 @@ DocType: BOM,Operating Cost (Company Currency),Driftsomkostninger (Virksomhedsva DocType: Item Price,Item Price,Vare pris DocType: Payment Entry,Party Name,Party Name apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Vælg venligst en kunde -DocType: Course,Course Intro,Kursus Intro DocType: Program Enrollment Tool,New Program,Nyt program apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Antal nye Omkostningscenter, det vil blive inkluderet i priscenterets navn som et præfiks" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Vælg kunde eller leverandør. @@ -4282,6 +4308,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Netto løn kan ikke være negativ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Ingen af interaktioner 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/hr/doctype/employee/employee_dashboard.py,Shift,Flytte apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Behandling af kontoplan og parter DocType: Stock Settings,Convert Item Description to Clean HTML,Konverter varebeskrivelse for at rydde HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alle leverandørgrupper @@ -4360,6 +4387,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Moderselskab apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Opret venligst købskvittering eller købsfaktura for varen {0} +,Product Bundle Balance,Produkt Bundle Balance apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Firmanavn kan ikke være selskab DocType: Maintenance Visit,Breakdown,Sammenbrud DocType: Inpatient Record,B Negative,B Negativ @@ -4368,7 +4396,7 @@ DocType: Purchase Invoice,Credit To,Kredit til apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Send denne arbejdsordre til videre behandling. DocType: Bank Guarantee,Bank Guarantee Number,Bankgaranti nummer apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Leveret: {0} -DocType: Quality Action,Under Review,Under gennemsyn +DocType: Quality Meeting Table,Under Review,Under gennemsyn apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Landbrug (beta) ,Average Commission Rate,Gennemsnitlig Kommissionens sats DocType: Sales Invoice,Customer's Purchase Order Date,Kundens købsdato @@ -4485,7 +4513,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Match betaling med fakturaer DocType: Holiday List,Weekly Off,Ugentlig Off apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Tillad ikke at indstille alternativt element til varen {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Programmet {0} eksisterer ikke. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programmet {0} eksisterer ikke. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Du kan ikke redigere root node. DocType: Fee Schedule,Student Category,Studentkategori apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Vare {0}: {1} produceret mængde," @@ -4576,8 +4604,8 @@ DocType: Crop,Crop Spacing,Beskæringsafstand 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. DocType: Pricing Rule,Period Settings,Periodeindstillinger apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Netto Ændring i Tilgodehavender +DocType: Quality Feedback Template,Quality Feedback Template,Kvalitetsfejlskabelon 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 -DocType: Quality Goal,Goal Objectives,Målsmål 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" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Lad være tom, hvis du laver elever grupper om året" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Lån (forpligtelser) @@ -4612,12 +4640,13 @@ DocType: Quality Procedure Table,Step,Trin DocType: Normal Test Items,Result Value,Resultatværdi DocType: Cash Flow Mapping,Is Income Tax Liability,Er indkomstskat ansvar DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Inpatient Visit Charge Item -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} eksisterer ikke. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} eksisterer ikke. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Opdater svar DocType: Bank Guarantee,Supplier,Leverandør apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Indtast værdi mellem {0} og {1} DocType: Purchase Order,Order Confirmation Date,Ordrebekræftelsesdato DocType: Delivery Trip,Calculate Estimated Arrival Times,Beregn Anslåede ankomsttider +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Opsæt venligst medarbejdernavnesystem i menneskelige ressourcer> HR-indstillinger apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,forbrugsmateriale DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Abonnements startdato @@ -4680,6 +4709,7 @@ DocType: Cheque Print Template,Is Account Payable,Er konto betales apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Samlet ordreværdi apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Leverandør {0} ikke fundet i {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Indstil SMS gateway indstillinger +DocType: Salary Component,Round to the Nearest Integer,Runde til nærmeste integer apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Root kan ikke have et forældreomkostningscenter DocType: Healthcare Service Unit,Allow Appointments,Tillad aftaler DocType: BOM,Show Operations,Vis operationer @@ -4808,7 +4838,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Standard ferie liste DocType: Naming Series,Current Value,Nuværende værdi apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sæsonbestemthed til fastsættelse af budgetter, mål osv." -DocType: Program,Program Code,Programkode apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Advarsel: Salgsordre {0} eksisterer allerede mod kundens købsordre {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Månedligt salgsmål ( DocType: Guardian,Guardian Interests,Guardian Interesser @@ -4858,10 +4887,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Betalt og ikke leveret apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Varekoden er obligatorisk, fordi varen ikke automatisk nummereres" DocType: GST HSN Code,HSN Code,HSN kode -DocType: Quality Goal,September,september +DocType: GSTR 3B Report,September,september apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administrative udgifter DocType: C-Form,C-Form No,C-form nr DocType: Purchase Invoice,End date of current invoice's period,Slutdato for den aktuelle faktura periode +DocType: Item,Manufacturers,producenter DocType: Crop Cycle,Crop Cycle,Afgrødecyklus DocType: Serial No,Creation Time,Creation Time apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Indtast venligst godkendelses rolle eller godkende bruger @@ -4934,8 +4964,6 @@ DocType: Employee,Short biography for website and other publications.,Kort biogr DocType: Purchase Invoice Item,Received Qty,Modtaget antal DocType: Purchase Invoice Item,Rate (Company Currency),Rate (Virksomhedsvaluta) DocType: Item Reorder,Request for,Anmodning om -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Fjern venligst medarbejderen {0} \ for at annullere dette dokument" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Installation af forudindstillinger apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Indtast venligst tilbagebetalingsperioder DocType: Pricing Rule,Advanced Settings,Avancerede indstillinger @@ -4961,7 +4989,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Aktivér indkøbskurv DocType: Pricing Rule,Apply Rule On Other,Anvend regel på andre DocType: Vehicle,Last Carbon Check,Seneste Carbon Check -DocType: Vehicle,Make,Lave +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Lave apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Salgsfaktura {0} oprettet som betalt apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,For at oprette en betalingsanmodning kræves der referencedokument apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Indkomstskat @@ -5037,7 +5065,6 @@ DocType: Territory,Parent Territory,Moderselskab DocType: Vehicle Log,Odometer Reading,Odometer Reading DocType: Additional Salary,Salary Slip,Lønseddel DocType: Payroll Entry,Payroll Frequency,Lønningsfrekvens -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Opsæt venligst medarbejdernavnesystem i menneskelige ressourcer> HR-indstillinger apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Start og slut dato ikke i en gyldig lønseddel, kan ikke beregne {0}" DocType: Products Settings,Home Page is Products,Hjemmeside er Produkter apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,opkald @@ -5091,7 +5118,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Henter poster ...... DocType: Delivery Stop,Contact Information,Kontakt information DocType: Sales Order Item,For Production,Til produktion -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vær venlig at installere Instruktør Navngivningssystem i Uddannelse> Uddannelsesindstillinger DocType: Serial No,Asset Details,Aktivoplysninger DocType: Restaurant Reservation,Reservation Time,Reservetid DocType: Selling Settings,Default Territory,Standard Territory @@ -5231,6 +5257,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Udløbet Batcher DocType: Shipping Rule,Shipping Rule Type,Forsendelsesregel Type DocType: Job Offer,Accepted,Accepteret +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Fjern venligst medarbejderen {0} \ for at annullere dette dokument" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Du har allerede vurderet for bedømmelseskriterierne {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Vælg batchnumre apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Alder (dage) @@ -5247,6 +5275,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bundle varer på salgstidspunktet. DocType: Payment Reconciliation Payment,Allocated Amount,Fordelt beløb apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Vælg venligst Firma og Betegnelse +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'Dato' er påkrævet DocType: Email Digest,Bank Credit Balance,Bankens kreditbalance apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Vis kumulativ mængde apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Du har ikke nok loyalitetspoint til at indløse @@ -5307,11 +5336,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,På forrige række i a DocType: Student,Student Email Address,Student Email Adresse DocType: Academic Term,Education,Uddannelse DocType: Supplier Quotation,Supplier Address,Leverandøradresse -DocType: Salary Component,Do not include in total,Inkluder ikke i alt +DocType: Salary Detail,Do not include in total,Inkluder ikke i alt apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Kan ikke indstille flere standardindstillinger for en virksomhed. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} eksisterer ikke DocType: Purchase Receipt Item,Rejected Quantity,Afvist mængde DocType: Cashier Closing,To TIme,Til tiden +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Konverteringsfaktor ({0} -> {1}) blev ikke fundet for elementet: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Daglig Arbejdsopsummering Gruppe Bruger DocType: Fiscal Year Company,Fiscal Year Company,Fiscal Year Company apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternativt element må ikke være det samme som varekode @@ -5421,7 +5451,6 @@ DocType: Fee Schedule,Send Payment Request Email,Send betalingsanmodning e-mail DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"I Ord bliver du synlig, når du har gemt salgsfakturaen." DocType: Sales Invoice,Sales Team1,Salgsteam1 DocType: Work Order,Required Items,Obligatoriske poster -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Særlige tegn undtagen "-", "#", "." og "/" ikke tilladt i navngivningsserier" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Læs ERPNext Manual DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Tjek leverandør faktura nummer unikhed apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Søg underforsamlinger @@ -5489,7 +5518,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Procent Fradrag apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Mængde at producere kan ikke være mindre end nul DocType: Share Balance,To No,Til nr DocType: Leave Control Panel,Allocate Leaves,Alloker blade -DocType: Quiz,Last Attempt,Sidste forsøg DocType: Assessment Result,Student Name,Elevnavn apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Planlæg for vedligeholdelsesbesøg. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Følgende materialeanmodninger er blevet rejst automatisk baseret på varens genbestillingsniveau @@ -5558,6 +5586,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Indikator Farve DocType: Item Variant Settings,Copy Fields to Variant,Kopier felt til variant DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Enkelt korrekt svar apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Fra dato kan ikke være mindre end medarbejderens tilmeldingsdato DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Tillad flere salgsordrer mod en kundes indkøbsordre apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5620,7 +5649,7 @@ DocType: Account,Expenses Included In Valuation,Udgifter inkluderet i værdians apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Serienumre DocType: Salary Slip,Deductions,Fradrag ,Supplier-Wise Sales Analytics,Leverandør-Wise Sales Analytics -DocType: Quality Goal,February,februar +DocType: GSTR 3B Report,February,februar DocType: Appraisal,For Employee,For medarbejder apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Faktisk Leveringsdato DocType: Sales Partner,Sales Partner Name,Salgspartnernavn @@ -5716,7 +5745,6 @@ DocType: Procedure Prescription,Procedure Created,Fremgangsmåde oprettet apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Mod leverandørfaktura {0} dateret {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Skift POS-profil apps/erpnext/erpnext/utilities/activation.py,Create Lead,Opret bly -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandør Type DocType: Shopify Settings,Default Customer,Standardkunden DocType: Payment Entry Reference,Supplier Invoice No,Leverandørfaktura nr DocType: Pricing Rule,Mixed Conditions,Blandede betingelser @@ -5767,12 +5795,14 @@ DocType: Item,End of Life,Enden på livet DocType: Lab Test Template,Sensitivity,Følsomhed DocType: Territory,Territory Targets,Territory Mål apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Overskridelse af tildeling af tilladelser til følgende medarbejdere, da der allerede eksisterer rekordoverførselsregistre. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Kvalitetsaktionsopløsning DocType: Sales Invoice Item,Delivered By Supplier,Leveret af leverandør DocType: Agriculture Analysis Criteria,Plant Analysis,Plantanalyse apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Udgiftskonto er obligatorisk for punkt {0} ,Subcontracted Raw Materials To Be Transferred,"Underleverede råmaterialer, der skal overføres" DocType: Cashier Closing,Cashier Closing,Cashier Closing apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Konto {0} er allerede returneret +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,"Ugyldig GSTIN! Indgangen, du har indtastet, stemmer ikke overens med GSTIN-formatet for UIN-indehavere eller OIDAR-udbydere, der ikke er hjemmehørende." apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Børneopbevaring eksisterer for dette lager. Du kan ikke slette dette lager. DocType: Diagnosis,Diagnosis,Diagnose apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Der er ingen ledig periode mellem {0} og {1} @@ -5789,6 +5819,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Autorisationsindstillinger DocType: Homepage,Products,Produkter ,Profit and Loss Statement,Opgørelse af aktiver og passiver apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Værelser reserveret +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Duplikér indtastning over varekoden {0} og producenten {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Totalvægt apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Rejse @@ -5837,6 +5868,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Standard kundegruppe DocType: Journal Entry Account,Debit in Company Currency,Debet i selskabets valuta DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Fallback serien er "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Kvalitetsmøde dagsorden DocType: Cash Flow Mapper,Section Header,Sektionsoverskrift apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Dine Produkter eller Tjenester DocType: Crop,Perennial,Perennial @@ -5882,7 +5914,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","En vare eller en tjeneste, der købes, sælges eller opbevares på lager." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Lukning (Åbning + I alt) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterier Formel -,Support Analytics,Support Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Support Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Gennemgang og handling DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Hvis kontoen er indefrosset, er det tilladt at begrænse brugere." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Beløb efter afskrivninger @@ -5927,7 +5959,6 @@ DocType: Contract Template,Contract Terms and Conditions,Kontraktvilkår og beti apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Hent data DocType: Stock Settings,Default Item Group,Standardelementgruppe DocType: Sales Invoice Timesheet,Billing Hours,Faktureringstid -DocType: Item,Item Code for Suppliers,Varekode for leverandører 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} DocType: Pricing Rule,Margin Type,Margen Type DocType: Purchase Invoice Item,Rejected Serial No,Afvist serienummer @@ -6000,6 +6031,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Bladene er blevet givet succesfuldt DocType: Loyalty Point Entry,Expiry Date,Udløbsdato DocType: Project Task,Working,Arbejder +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} har allerede en forældelsesprocedure {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Dette er baseret på transaktioner mod denne patient. Se tidslinjen nedenfor for detaljer DocType: Material Request,Requested For,Anmodet om DocType: SMS Center,All Sales Person,Alle Salg Person @@ -6087,6 +6119,7 @@ DocType: Loan Type,Maximum Loan Amount,Maksimalt lånebeløb apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Email ikke fundet i standardkontakt DocType: Hotel Room Reservation,Booked,Reserveret DocType: Maintenance Visit,Partially Completed,Delvis afsluttet +DocType: Quality Procedure Process,Process Description,Procesbeskrivelse DocType: Company,Default Employee Advance Account,Standardansatskonto DocType: Leave Type,Allow Negative Balance,Tillad negativ saldo apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Evalueringsplan Navn @@ -6128,6 +6161,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Request for Quotation Item apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} indtastet to gange i vareafgift DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Fradrag fuld skat på valgt lønningsdato +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Sidste CO2-checkdato kan ikke være en fremtidig dato apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Vælg ændringsbeløbkonto DocType: Support Settings,Forum Posts,Forumindlæg DocType: Timesheet Detail,Expected Hrs,Forventet tid @@ -6137,7 +6171,7 @@ DocType: Program Enrollment Tool,Enroll Students,Tilmeld studerende apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Gentag kundeindtægter DocType: Company,Date of Commencement,Dato for påbegyndelse DocType: Bank,Bank Name,Bank-navn -DocType: Quality Goal,December,december +DocType: GSTR 3B Report,December,december 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 up to date apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Dette er baseret på denne medarbejders deltagelse DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Hvis det er markeret, vil hjemmesiden være standardelementgruppen til hjemmesiden" @@ -6180,6 +6214,7 @@ DocType: Payment Entry,Payment Type,Betalings type apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Folio numrene matcher ikke DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Kvalitetskontrol: {0} sendes ikke til varen: {1} i række {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Vis {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} vare fundet. ,Stock Ageing,Stock aldring DocType: Customer Group,Mention if non-standard receivable account applicable,"Angiv, hvis ikke-standardfordringskonto gælder" @@ -6458,6 +6493,7 @@ DocType: Travel Request,Costing,koster apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Faste aktiver DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Samlet indtjening +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium DocType: Share Balance,From No,Fra nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betalingsafstemning faktura DocType: Purchase Invoice,Taxes and Charges Added,Skatter og afgifter tilføjet @@ -6465,7 +6501,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Overvej skat elle DocType: Authorization Rule,Authorized Value,Autoriseret værdi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Modtaget af apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Lager {0} eksisterer ikke +DocType: Item Manufacturer,Item Manufacturer,Vareproducent DocType: Sales Invoice,Sales Team,Salgsteam +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Antal DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM DocType: Installation Note,Installation Date,Installationsdato DocType: Email Digest,New Quotations,Nye citater @@ -6529,7 +6567,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Ferieliste Navn DocType: Water Analysis,Collection Temperature ,Indsamlingstemperatur DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Administrer Aftalingsfaktura indsende og annullere automatisk til Patient Encounter -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Indstil navngivningsserien for {0} via Setup> Settings> Naming Series DocType: Employee Benefit Claim,Claim Date,Claim Date DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"Forlad blank, hvis leverandøren er blokeret på ubestemt tid" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Deltagelse fra dato og deltagelse til dato er obligatorisk @@ -6540,6 +6577,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Dato for pensionering apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Vælg venligst Patient DocType: Asset,Straight Line,Lige linje +DocType: Quality Action,Resolutions,beslutninger DocType: SMS Log,No of Sent SMS,Ingen af sendte sms ,GST Itemised Sales Register,GST Itemized Sales Register apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Samlet forskudsbeløb kan ikke være større end det samlede sanktionsbeløb @@ -6650,7 +6688,7 @@ DocType: Account,Profit and Loss,Fortjeneste og tab apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Antal DocType: Asset Finance Book,Written Down Value,Skriftlig nedværdi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Åbningsbalance Egenkapital -DocType: Quality Goal,April,April +DocType: GSTR 3B Report,April,April DocType: Supplier,Credit Limit,Kredit grænse apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Fordeling apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6705,6 +6743,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Tilslut Shopify med ERPNext DocType: Homepage Section Card,Subtitle,Undertekst DocType: Soil Texture,Loam,lerjord +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandør Type DocType: BOM,Scrap Material Cost(Company Currency),Skrotmateriale omkostninger (Company Valuta) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Leveringsnotat {0} må ikke indsendes DocType: Task,Actual Start Date (via Time Sheet),Faktisk startdato (via tidsskrift) @@ -6760,7 +6799,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosis DocType: Cheque Print Template,Starting position from top edge,Startposition fra øverste kant apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Aftale Varighed (minutter) -DocType: Pricing Rule,Disable,Deaktiver +DocType: Accounting Dimension,Disable,Deaktiver DocType: Email Digest,Purchase Orders to Receive,Indkøbsordrer til modtagelse apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Produktioner Ordrer kan ikke rejses for: DocType: Projects Settings,Ignore Employee Time Overlap,Ignorer medarbejdertidens overlapning @@ -6844,6 +6883,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Opret DocType: Item Attribute,Numeric Values,Numeriske værdier DocType: Delivery Note,Instructions,Instruktioner DocType: Blanket Order Item,Blanket Order Item,Tæppe Bestillingsartikel +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Obligatorisk for fortjeneste og tabkonto apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Kommissionens sats kan ikke være større end 100 DocType: Course Topic,Course Topic,Kursus emne DocType: Employee,This will restrict user access to other employee records,Dette vil begrænse brugeradgang til andre medarbejderposter @@ -6868,12 +6908,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Abonnement Man apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Få kunder fra apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Rapporterer til +DocType: Video,YouTube,Youtube DocType: Party Account,Party Account,Party-konto DocType: Assessment Plan,Schedule,Tidsplan apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Kom ind DocType: Lead,Channel Partner,Channel Partner apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Faktureret beløb DocType: Project,From Template,Fra skabelon +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Abonnementer apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Mængde at lave DocType: Quality Review Table,Achieved,Opnået @@ -6920,7 +6962,6 @@ DocType: Journal Entry,Subscription Section,Abonnementsafdeling DocType: Salary Slip,Payment Days,Betalingsdage apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Frivillig information. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Stocks Older Than` burde være mindre end% d dage. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Vælg Regnskabsår DocType: Bank Reconciliation,Total Amount,Total beløb DocType: Certification Application,Non Profit,Ikke fortjeneste DocType: Subscription Settings,Cancel Invoice After Grace Period,Annuller faktura efter Grace Period @@ -6933,7 +6974,6 @@ DocType: Serial No,Warranty Period (Days),Garantiperiode (dage) DocType: Expense Claim Detail,Expense Claim Detail,Udgiftskrav detaljer apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program: DocType: Patient Medical Record,Patient Medical Record,Patient Medical Record -DocType: Quality Action,Action Description,Handling Beskrivelse DocType: Item,Variant Based On,Variant baseret på DocType: Vehicle Service,Brake Oil,Bremseolie DocType: Employee,Create User,Opret bruger @@ -6989,7 +7029,7 @@ DocType: Cash Flow Mapper,Section Name,Afsnit Navn DocType: Packed Item,Packed Item,Pakket vare apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Der kræves enten debit- eller kreditbeløb for {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Indsendelse af lønlister ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Ingen handling +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Ingen handling apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budgettet kan ikke tildeles til {0}, da det ikke er en indtægt eller udgiftskonto" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Masters og konti DocType: Quality Procedure Table,Responsible Individual,Ansvarlig person @@ -7112,7 +7152,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Tillad oprettelse af kontoen mod børneselskabet DocType: Payment Entry,Company Bank Account,Virksomhedens bankkonto DocType: Amazon MWS Settings,UK,UK -DocType: Quality Procedure,Procedure Steps,Procedure trin DocType: Normal Test Items,Normal Test Items,Normale testelementer apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Vare {0}: Bestilt antal {1} må ikke være mindre end minimumsordrenummer {2} (defineret i Item). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Ikke på lager @@ -7191,7 +7230,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Vedligeholdelsesrolle apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Vilkår og betingelser Skabelon DocType: Fee Schedule Program,Fee Schedule Program,Fee Schedule Program -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kursus {0} eksisterer ikke. DocType: Project Task,Make Timesheet,Lav tidsskrift DocType: Production Plan Item,Production Plan Item,Produktionsplan Artikel apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Samlet studerende @@ -7213,6 +7251,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Afslutter apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Du kan kun forny, hvis dit medlemskab udløber inden for 30 dage" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Værdien skal være mellem {0} og {1} +DocType: Quality Feedback,Parameters,Parametre ,Sales Partner Transaction Summary,Salgspartner Transaktionsoversigt DocType: Asset Maintenance,Maintenance Manager Name,Maintenance Manager Navn apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Det er nødvendigt at hente varedetaljer. @@ -7251,6 +7290,7 @@ DocType: Student Admission,Student Admission,Studerende optagelse DocType: Designation Skill,Skill,Dygtighed DocType: Budget Account,Budget Account,Budgetkonto DocType: Employee Transfer,Create New Employee Id,Opret nyt medarbejder-id +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} er påkrævet for 'Profit and Loss'-konto {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Varer og tjenesteydelser Skat (GST Indien) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Oprettelse af lønlister ... DocType: Employee Skill,Employee Skill,Medarbejderfag @@ -7351,6 +7391,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Faktura Separ DocType: Subscription,Days Until Due,Dage indtil forfaldsdato apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Vis afsluttet apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Regnskabsmeddelelse Transaktionsrapport +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Rate skal være den samme som {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Sundhedsydelser @@ -7407,6 +7448,7 @@ DocType: Training Event Employee,Invited,inviteret apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},"Maksimumsbeløb, der er berettiget til komponenten {0}, overstiger {1}" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Beløb til regning apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",For {0} kan kun debetkonti være knyttet til en anden kreditindtastning +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Oprettelse af mål ... DocType: Bank Statement Transaction Entry,Payable Account,Betalbar konto apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Vær venlig at nævne ikke nødvendigt antal besøg DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Vælg kun, hvis du har opsætningen Cash Flow Mapper-dokumenter" @@ -7424,6 +7466,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,V DocType: Service Level,Resolution Time,Opløsningstid DocType: Grading Scale Interval,Grade Description,Grade Beskrivelse DocType: Homepage Section,Cards,Kort +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kvalitetsmøder DocType: Linked Plant Analysis,Linked Plant Analysis,Linked Plant Analysis apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Service Stop Date kan ikke være efter Service Slutdato 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. @@ -7458,7 +7501,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Medarbejdertilstedev DocType: Employee,Educational Qualification,uddannelseskvalifikationer apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Tilgængelig værdi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Prøvekvantitet {0} kan ikke være mere end modtaget mængde {1} -DocType: Quiz,Last Highest Score,Sidste højeste score DocType: POS Profile,Taxes and Charges,Skatter og afgifter DocType: Opportunity,Contact Mobile No,Kontakt Mobilnr DocType: Employee,Joining Details,Sammenføjning Detaljer diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index 01d0cc95ee..0b7485ae14 100644 --- a/erpnext/translations/de.csv +++ b/erpnext/translations/de.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Zulieferer-Teilenr DocType: Journal Entry Account,Party Balance,Party Balance apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Finanzierungsquelle (Verbindlichkeiten) DocType: Payroll Period,Taxable Salary Slabs,Steuerpflichtige Gehaltsplatten +DocType: Quality Action,Quality Feedback,Qualitätsfeedback DocType: Support Settings,Support Settings,Support-Einstellungen apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Bitte geben Sie zuerst den Produktionsartikel ein DocType: Quiz,Grading Basis,Bewertungsgrundlage @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Mehr Details DocType: Salary Component,Earning,Verdienen DocType: Restaurant Order Entry,Click Enter To Add,Klicken Sie auf Enter To Add DocType: Employee Group,Employee Group,Mitarbeitergruppe +DocType: Quality Procedure,Processes,Prozesse DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,"Geben Sie den Wechselkurs an, um eine Währung in eine andere umzurechnen" apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Alterungsbereich 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Lager für Lagerartikel erforderlich {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Beschwerde DocType: Shipping Rule,Restrict to Countries,Auf Länder beschränken DocType: Hub Tracked Item,Item Manager,Artikel-Manager apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Die Währung des Abschlusskontos muss {0} sein. +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budgets apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Rechnungsposition öffnen DocType: Work Order,Plan material for sub-assemblies,Planen Sie das Material für Unterbaugruppen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Budget,Action if Annual Budget Exceeded on MR,Maßnahme bei Überschreitung des Jahresbudgets für MR DocType: Sales Invoice Advance,Advance Amount,Vorausbetrag +DocType: Accounting Dimension,Dimension Name,Dimensionsname DocType: Delivery Note Item,Against Sales Invoice Item,Gegen Verkaufsrechnungsposition DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Artikel in Fertigung einbeziehen @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Was tut es? ,Sales Invoice Trends,Verkaufsrechnungstrends DocType: Bank Reconciliation,Payment Entries,Zahlungseingaben DocType: Employee Education,Class / Percentage,Klasse / Prozentsatz -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgruppe> Marke ,Electronic Invoice Register,Elektronisches Rechnungsregister DocType: Sales Invoice,Is Return (Credit Note),Ist Rückgabe (Gutschrift) DocType: Lab Test Sample,Lab Test Sample,Labortestmuster @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Varianten apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",Die Gebühren werden entsprechend Ihrer Auswahl proportional auf die Artikelmenge oder den Artikelbetrag verteilt apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Ausstehende Aktivitäten für heute +DocType: Quality Procedure Process,Quality Procedure Process,Qualitätsprozess DocType: Fee Schedule Program,Student Batch,Studentenstapel apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Bewertungssatz für Position in Zeile {0} erforderlich DocType: BOM Operation,Base Hour Rate(Company Currency),Basisstundensatz (Firmenwährung) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Menge in Transaktionen basierend auf Seriennummer festlegen apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Die Vorabkontowährung sollte mit der Firmenwährung {0} übereinstimmen. apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Homepage-Bereiche anpassen -DocType: Quality Goal,October,Oktober +DocType: GSTR 3B Report,October,Oktober DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Steuer-ID des Kunden für Verkaufsvorgänge ausblenden apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Ungültige GSTIN! Eine GSTIN muss aus 15 Zeichen bestehen. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Die Preisregel {0} wurde aktualisiert @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Balance verlassen apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Wartungsplan {0} existiert für {1} DocType: Assessment Plan,Supervisor Name,Name des Vorgesetzten DocType: Selling Settings,Campaign Naming By,Kampagnenbenennung von -DocType: Course,Course Code,Kurscode +DocType: Student Group Creation Tool Course,Course Code,Kurscode apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Luft- und Raumfahrt DocType: Landed Cost Voucher,Distribute Charges Based On,Gebühren verteilen auf DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Bewertungskriterien für Lieferanten-Scorecards @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Speisekarte DocType: Asset Movement,Purpose,Zweck apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Die Gehaltsstrukturzuordnung für den Mitarbeiter ist bereits vorhanden DocType: Clinical Procedure,Service Unit,Service-Einheit -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundengruppe> Gebiet DocType: Travel Request,Identification Document Number,Identifikationsnummer des Dokuments DocType: Stock Entry,Additional Costs,Zusätzliche Kosten -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Elternkurs (Leer lassen, wenn dies nicht Teil des Elternkurses ist)" DocType: Employee Education,Employee Education,Mitarbeiterschulung apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Die Anzahl der Stellen kann nicht geringer sein als die aktuelle Anzahl der Mitarbeiter apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Alle Kundengruppen @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Zeile {0}: Menge ist obligatorisch DocType: Sales Invoice,Against Income Account,Gegen Einkommenskonto apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Zeile # {0}: Kaufrechnung kann nicht für ein vorhandenes Asset erstellt werden {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Regeln für die Anwendung verschiedener Werbemaßnahmen. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM-Erfassungsfaktor erforderlich für UOM: {0} in Artikel: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Bitte geben Sie die Menge für Artikel {0} ein DocType: Workstation,Electricity Cost,Stromkosten @@ -864,7 +867,6 @@ DocType: Item,Total Projected Qty,Gesamtprojektionsmenge apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Tatsächliches Startdatum 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 zwischen den Tagen der Ausgleichsurlaubsanfrage anwesend -DocType: Company,About the Company,Über das Unternehmen apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Baum der Finanzkonten. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Indirektes Einkommen DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotelzimmer-Reservierungsartikel @@ -879,6 +881,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Datenbank po DocType: Skill,Skill Name,Name der Fertigkeit apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Bericht drucken DocType: Soil Texture,Ternary Plot,Ternäre Handlung +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Support-Tickets DocType: Asset Category Account,Fixed Asset Account,Anlagekonto apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Neueste @@ -888,6 +891,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Programm-Einschreib ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Bitte stellen Sie die zu verwendende Serie ein. DocType: Delivery Trip,Distance UOM,Entfernung UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligatorisch für Bilanz DocType: Payment Entry,Total Allocated Amount,Zugewiesener Gesamtbetrag DocType: Sales Invoice,Get Advances Received,Erhalten Sie erhaltene Vorschüsse DocType: Student,B-,B- @@ -911,6 +915,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Wartungsplanpositio apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS-Profil für POS-Eingabe erforderlich DocType: Education Settings,Enable LMS,LMS aktivieren DocType: POS Closing Voucher,Sales Invoices Summary,Verkaufsrechnungszusammenfassung +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Vorteil apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Das Guthaben auf Konto muss ein Bilanzkonto sein DocType: Video,Duration,Dauer DocType: Lab Test Template,Descriptive,Beschreibend @@ -962,6 +967,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Start- und Enddatum DocType: Supplier Scorecard,Notify Employee,Mitarbeiter benachrichtigen apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software +DocType: Program,Allow Self Enroll,Selbsteinschreibung zulassen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Lageraufwendungen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Referenznummer ist obligatorisch, wenn Sie das Referenzdatum eingegeben haben" DocType: Training Event,Workshop,Werkstatt @@ -1014,6 +1020,7 @@ DocType: Lab Test Template,Lab Test Template,Labortest-Vorlage apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Fehlende E-Invoicing-Informationen apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Es wurde keine Materialanforderung erstellt +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgruppe> Marke DocType: Loan,Total Amount Paid,Gezahlte Gesamtsumme apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Alle diese Artikel wurden bereits in Rechnung gestellt DocType: Training Event,Trainer Name,Trainer Name @@ -1035,6 +1042,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Akademisches Jahr DocType: Sales Stage,Stage Name,Künstlername DocType: SMS Center,All Employee (Active),Alle Mitarbeiter (Aktiv) +DocType: Accounting Dimension,Accounting Dimension,Abrechnungsdimension DocType: Project,Customer Details,Kundendetails DocType: Buying Settings,Default Supplier Group,Standardlieferantengruppe apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Bitte stornieren Sie zuerst den Kaufbeleg {0} @@ -1149,7 +1157,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Je höher die Za DocType: Designation,Required Skills,Benötigte Fähigkeiten DocType: Marketplace Settings,Disable Marketplace,Marktplatz deaktivieren DocType: Budget,Action if Annual Budget Exceeded on Actual,"Maßnahme, wenn das Jahresbudget am tatsächlichen überschritten wurde" -DocType: Course,Course Abbreviation,Kurs Abkürzung apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Teilnahme nicht für {0} als {1} im Urlaub übermittelt. DocType: Pricing Rule,Promotional Scheme Id,ID des Werbemittels apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Das Enddatum von Aufgabe {0} darf nicht höher sein als das {1} erwartete Enddatum {2}. @@ -1292,7 +1299,7 @@ DocType: Bank Guarantee,Margin Money,Margin Money DocType: Chapter,Chapter,Kapitel DocType: Purchase Receipt Item Supplied,Current Stock,Aktueller Lagerbestand DocType: Employee,History In Company,Geschichte im Unternehmen -DocType: Item,Manufacturer,Hersteller +DocType: Purchase Invoice Item,Manufacturer,Hersteller apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Mäßige Empfindlichkeit DocType: Compensatory Leave Request,Leave Allocation,Zuordnung verlassen DocType: Timesheet,Timesheet,Arbeitszeittabelle @@ -1323,6 +1330,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Material für die Her DocType: Products Settings,Hide Variants,Varianten ausblenden DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Kapazitätsplanung und Zeiterfassung deaktivieren DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Wird in der Transaktion berechnet. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,Für das Konto "Bilanz" {1} ist {0} erforderlich. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} darf keine Transaktionen mit {1} durchführen. Bitte ändern Sie die Firma. 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}","Laut den Einkaufseinstellungen muss der Benutzer zum Erstellen einer Einkaufsrechnung zuerst einen Kaufbeleg für Artikel {0} erstellen, wenn der Kaufbeleg erforderlich ist == 'JA'." DocType: Delivery Trip,Delivery Details,Lieferdetails @@ -1358,7 +1366,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Vorherige apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Maßeinheit DocType: Lab Test,Test Template,Testvorlage DocType: Fertilizer,Fertilizer Contents,Dünger Inhalt -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minute +DocType: Quality Meeting Minutes,Minute,Minute apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Zeile # {0}: Asset {1} kann nicht übermittelt werden, es ist bereits {2}" DocType: Task,Actual Time (in Hours),Aktuelle Zeit (in Stunden) DocType: Period Closing Voucher,Closing Account Head,Konto-Kopf schließen @@ -1531,7 +1539,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Labor DocType: Purchase Order,To Bill,Auf Rechnung apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Dienstprogramm Kosten DocType: Manufacturing Settings,Time Between Operations (in mins),Zeit zwischen Operationen (in Minuten) -DocType: Quality Goal,May,Kann +DocType: GSTR 3B Report,May,Kann apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Payment Gateway Account nicht erstellt, bitte erstellen Sie einen manuell." DocType: Opening Invoice Creation Tool,Purchase,Kauf DocType: Program Enrollment,School House,Schulhaus @@ -1563,6 +1571,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Gesetzliche Informationen und sonstige allgemeine Informationen zu Ihrem Lieferanten DocType: Item Default,Default Selling Cost Center,Standardverkaufskostenstelle DocType: Sales Partner,Address & Contacts,Adresse und Kontakte +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: Subscriber,Subscriber,Teilnehmer apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) ist nicht vorrätig apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Bitte wählen Sie zuerst das Buchungsdatum aus @@ -1590,6 +1599,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Kosten für stationäre DocType: Bank Statement Settings,Transaction Data Mapping,Transaktionsdaten-Mapping apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Ein Lead benötigt entweder den Namen einer Person oder den Namen einer Organisation DocType: Student,Guardians,Wächter +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/public/js/stock_analytics.js,Select Brand...,Marke auswählen ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Mittleres Einkommen DocType: Shipping Rule,Calculate Based On,Berechnen Sie basierend auf @@ -1601,7 +1611,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Expense Claim Advance DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Rundungskorrektur (Firmenwährung) DocType: Item,Publish in Hub,In Hub veröffentlichen apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,August +DocType: GSTR 3B Report,August,August apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Bitte geben Sie zuerst den Kaufbeleg ein apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Startjahr apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Ziel ({}) @@ -1620,6 +1630,7 @@ DocType: Item,Max Sample Quantity,Max. Probenmenge apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Quell- und Ziellager müssen unterschiedlich sein DocType: Employee Benefit Application,Benefits Applied,Angewandte Vorteile apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Für Journaleintrag {0} ist kein nicht übereinstimmender {1} Eintrag vorhanden +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Sonderzeichen außer "-", "#", ".", "/", "{" Und "}" sind bei der Benennung von Serien nicht zulässig" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Preis- oder Produktrabattplatten sind erforderlich apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Ziel setzen apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Anwesenheitsliste {0} für Schüler {1} vorhanden @@ -1635,10 +1646,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Pro Monat DocType: Routing,Routing Name,Routing-Name DocType: Disease,Common Name,Gemeinsamen Namen -DocType: Quality Goal,Measurable,Messbar DocType: Education Settings,LMS Title,LMS-Titel apps/erpnext/erpnext/config/non_profit.py,Loan Management,Kreditmanagement -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Unterstützen Sie Analtyics DocType: Clinical Procedure,Consumable Total Amount,Verbrauchbarer Gesamtbetrag apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Vorlage aktivieren apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Kunden-LPO @@ -1777,6 +1786,7 @@ DocType: Restaurant Order Entry Item,Served,Serviert DocType: Loan,Member,Mitglied DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Zeitplan für die Practitioner Service-Einheit apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Banküberweisung +DocType: Quality Review Objective,Quality Review Objective,Qualitätsüberprüfungsziel DocType: Bank Reconciliation Detail,Against Account,Gegen Rechnung DocType: Projects Settings,Projects Settings,Projekteinstellungen apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Tatsächliche Menge {0} / Wartende Menge {1} @@ -1805,6 +1815,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ri apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Das Enddatum des Geschäftsjahres sollte ein Jahr nach dem Startdatum des Geschäftsjahres liegen apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Tägliche Erinnerungen DocType: Item,Default Sales Unit of Measure,Standardmäßige Verkaufseinheit +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Firma GSTIN DocType: Asset Finance Book,Rate of Depreciation,Abschreibungssatz DocType: Support Search Source,Post Description Key,Beitrag Beschreibung Schlüssel DocType: Loyalty Program Collection,Minimum Total Spent,Minimale Gesamtausgaben @@ -1876,6 +1887,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Das Ändern der Kundengruppe für den ausgewählten Kunden ist nicht zulässig. DocType: Serial No,Creation Document Type,Erstellungsdokumenttyp DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Verfügbare Chargenanzahl im Lager +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Rechnungssumme apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Dies ist ein Stammgebiet und kann nicht bearbeitet werden. DocType: Patient,Surgical History,Chirurgische Geschichte apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Baum der Qualitätsverfahren. @@ -1980,6 +1992,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,B DocType: Item Group,Check this if you want to show in website,"Aktivieren Sie dieses Kontrollkästchen, wenn Sie auf der Website anzeigen möchten" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Geschäftsjahr {0} nicht gefunden DocType: Bank Statement Settings,Bank Statement Settings,Kontoauszugseinstellungen +DocType: Quality Procedure Process,Link existing Quality Procedure.,Bestehendes Qualitätsverfahren verknüpfen. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Kontenplan aus CSV / Excel-Dateien importieren DocType: Appraisal Goal,Score (0-5),Punktzahl (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Attribut {0} mehrfach in der Attributtabelle ausgewählt DocType: Purchase Invoice,Debit Note Issued,Belastungsanzeige ausgestellt @@ -1988,7 +2002,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Richtliniendetails verlassen apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Lager nicht im System gefunden DocType: Healthcare Practitioner,OP Consulting Charge,OP-Beratungsgebühr -DocType: Quality Goal,Measurable Goal,Messbares Ziel DocType: Bank Statement Transaction Payment Item,Invoices,Rechnungen DocType: Currency Exchange,Currency Exchange,Geldwechsel DocType: Payroll Entry,Fortnightly,14-tägig @@ -2051,6 +2064,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} wurde nicht übermittelt DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Rückspülen von Rohstoffen aus dem Lager in Arbeit DocType: Maintenance Team Member,Maintenance Team Member,Mitglied des Wartungsteams +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Richten Sie benutzerdefinierte Dimensionen für die Buchhaltung ein DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Der Mindestabstand zwischen Pflanzenreihen für ein optimales Wachstum DocType: Employee Health Insurance,Health Insurance Name,Name der Krankenkasse apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Bestandsvermögen @@ -2083,7 +2097,7 @@ DocType: Delivery Note,Billing Address Name,Rechnungsadresse Name apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternatives Element DocType: Certification Application,Name of Applicant,Name des Bewerbers DocType: Leave Type,Earned Leave,Verdienter Urlaub -DocType: Quality Goal,June,Juni +DocType: GSTR 3B Report,June,Juni apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Zeile {0}: Für einen Artikel {1} ist eine Kostenstelle erforderlich. apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Kann von {0} genehmigt werden apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Die Maßeinheit {0} wurde mehrmals in die Umrechnungstabelle eingegeben @@ -2104,6 +2118,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standardverkaufsrate apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Bitte legen Sie ein aktives Menü für das Restaurant {0} fest. 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 Artikel-Manager-Rollen sein, um Benutzer zu Marketplace hinzufügen zu können." DocType: Asset Finance Book,Asset Finance Book,Asset Finance-Buch +DocType: Quality Goal Objective,Quality Goal Objective,Qualitätsziel Ziel DocType: Employee Transfer,Employee Transfer,Mitarbeitertransfer ,Sales Funnel,Verkaufstrichter DocType: Agriculture Analysis Criteria,Water Analysis,Wasseranalyse @@ -2142,6 +2157,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Mitarbeiterübert apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Ausstehende Aktivitäten apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Nennen Sie einige Ihrer Kunden. Sie können Organisationen oder Einzelpersonen sein. DocType: Bank Guarantee,Bank Account Info,Bankkontoinformationen +DocType: Quality Goal,Weekday,Wochentag apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Wächter1 Name DocType: Salary Component,Variable Based On Taxable Salary,Variable basierend auf steuerpflichtigem Gehalt DocType: Accounting Period,Accounting Period,Abrechnungszeitraum @@ -2226,7 +2242,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Rundungskorrektur DocType: Quality Review Table,Quality Review Table,Qualitätsüberprüfungstabelle DocType: Member,Membership Expiry Date,Ablaufdatum der Mitgliedschaft DocType: Asset Finance Book,Expected Value After Useful Life,Erwarteter Wert nach Nutzungsdauer -DocType: Quality Goal,November,November +DocType: GSTR 3B Report,November,November DocType: Loan Application,Rate of Interest,Zinssatz DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Kontoauszug Transaktion Zahlungsposten DocType: Restaurant Reservation,Waitlisted,Warteliste @@ -2290,6 +2306,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Zeile {0}: Um die {1} Periodizität festzulegen, muss der Unterschied zwischen dem Datum und dem Datum \ größer oder gleich {2} sein." DocType: Purchase Invoice Item,Valuation Rate,Bewertungsrate DocType: Shopping Cart Settings,Default settings for Shopping Cart,Standardeinstellungen für Einkaufswagen +DocType: Quiz,Score out of 100,Ergebnis aus 100 DocType: Manufacturing Settings,Capacity Planning,Kapazitätsplanung apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Gehe zu Instruktoren DocType: Activity Cost,Projects,Projekte @@ -2299,6 +2316,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Von Zeit apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variantendetails-Bericht +,BOM Explorer,Stücklisten-Explorer DocType: Currency Exchange,For Buying,Für den Kauf apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots für {0} werden nicht zum Zeitplan hinzugefügt DocType: Target Detail,Target Distribution,Zielverteilung @@ -2316,6 +2334,7 @@ DocType: Activity Cost,Activity Cost,Aktivitätskosten DocType: Journal Entry,Payment Order,Zahlungsauftrag apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Preisgestaltung ,Item Delivery Date,Lieferdatum des Artikels +DocType: Quality Goal,January-April-July-October,Januar-April-Juli-Oktober DocType: Purchase Order Item,Warehouse and Reference,Lager und Referenz apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Konto mit untergeordneten Knoten kann nicht in das Hauptbuch konvertiert werden DocType: Soil Texture,Clay Composition (%),Tonzusammensetzung (%) @@ -2366,6 +2385,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Zukünftige Termine ni apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance 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/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Studiensemester: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Qualitäts-Feedback-Parameter apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Bitte wählen Sie Rabatt anwenden auf apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Zeile # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Gesamtzahlungen @@ -2408,7 +2428,7 @@ DocType: Hub Tracked Item,Hub Node,Hub-Knoten apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Mitarbeiter-ID DocType: Salary Structure Assignment,Salary Structure Assignment,Gehaltsstrukturzuordnung DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Taxes -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Aktion initialisiert +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Aktion initialisiert DocType: POS Profile,Applicable for Users,Anwendbar für Benutzer DocType: Training Event,Exam,Prüfung apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Falsche Anzahl gefundener Hauptbucheinträge. Möglicherweise haben Sie in der Transaktion ein falsches Konto ausgewählt. @@ -2515,6 +2535,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Längengrad DocType: Accounts Settings,Determine Address Tax Category From,Adresssteuerkategorie bestimmen von apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Entscheidungsträger identifizieren +DocType: Stock Entry Detail,Reference Purchase Receipt,Referenz Kaufbeleg apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Erhalten Sie Invocies DocType: Tally Migration,Is Day Book Data Imported,Werden Tagebuchdaten importiert? ,Sales Partners Commission,Vertriebspartnerkommission @@ -2538,6 +2559,7 @@ DocType: Leave Type,Applicable After (Working Days),Anwendbar nach (Arbeitstagen DocType: Timesheet Detail,Hrs,Stunden DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kriterien für die Lieferanten-Scorecard DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Qualitäts-Feedback-Vorlagenparameter apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Das Beitrittsdatum muss größer als das Geburtsdatum sein DocType: Bank Statement Transaction Invoice Item,Invoice Date,Rechnungsdatum DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Erstellen Sie Labortests für die Übermittlung der Verkaufsrechnung @@ -2644,7 +2666,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimaler zulässiger DocType: Stock Entry,Source Warehouse Address,Quelllageradresse DocType: Compensatory Leave Request,Compensatory Leave Request,Ausgleichsurlaubsantrag DocType: Lead,Mobile No.,Handynummer -DocType: Quality Goal,July,Juli +DocType: GSTR 3B Report,July,Juli apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Berechtigtes ITC DocType: Fertilizer,Density (if liquid),Dichte (falls flüssig) DocType: Employee,External Work History,Externe Arbeitshistorie @@ -2721,6 +2743,7 @@ DocType: Certification Application,Certification Status,Zertifizierungsstatus apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Der Quellspeicherort ist für das Asset {0} erforderlich. DocType: Employee,Encashment Date,Einlösungstermin apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Bitte wählen Sie das Abschlussdatum für das abgeschlossene Anlagenwartungsprotokoll +DocType: Quiz,Latest Attempt,Letzter Versuch DocType: Leave Block List,Allow Users,Benutzer zulassen apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Kontenplan apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"Der Kunde ist obligatorisch, wenn "Opportunity From" als Kunde ausgewählt ist" @@ -2785,7 +2808,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Lieferanten-Scorecar DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS-Einstellungen DocType: Program Enrollment,Walking,Gehen DocType: SMS Log,Requested Numbers,Angeforderte Nummern -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: Woocommerce Settings,Freight and Forwarding Account,Fracht- und Speditionskonto apps/erpnext/erpnext/accounts/party.py,Please select a Company,Bitte wählen Sie eine Firma aus apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Zeile {0}: {1} muss größer als 0 sein @@ -2855,7 +2877,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,An Kunden e DocType: Training Event,Seminar,Seminar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Gutschrift ({0}) DocType: Payment Request,Subscription Plans,Abo-Pläne -DocType: Quality Goal,March,März +DocType: GSTR 3B Report,March,März apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Stapel teilen DocType: School House,House Name,Hausname apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Ausstehend für {0} darf nicht kleiner als Null sein ({1}) @@ -2918,7 +2940,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Versicherungsbeginn DocType: Target Detail,Target Detail,Zieldetail DocType: Packing Slip,Net Weight UOM,Nettogewicht UOM -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: Purchase Invoice Item,Net Amount (Company Currency),Nettobetrag (Firmenwährung) DocType: Bank Statement Transaction Settings Item,Mapped Data,Zugeordnete Daten apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Wertpapiere und Einlagen @@ -2968,6 +2989,7 @@ DocType: Cheque Print Template,Cheque Height,Überprüfen Sie die Höhe apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Bitte Ablösedatum eingeben. DocType: Loyalty Program,Loyalty Program Help,Hilfe zum Treueprogramm DocType: Journal Entry,Inter Company Journal Entry Reference,Inter Company Journal Eintragsreferenz +DocType: Quality Meeting,Agenda,Agenda DocType: Quality Action,Corrective,Korrigierend apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Gruppiere nach DocType: Bank Account,Address and Contact,Adresse und Kontakt @@ -3021,7 +3043,7 @@ DocType: GL Entry,Credit Amount,Kreditbetrag apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Gesamtbetrag gutgeschrieben DocType: Support Search Source,Post Route Key List,Post Route Key List apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} nicht in einem aktiven Geschäftsjahr. -DocType: Quality Action Table,Problem,Problem +DocType: Quality Action Resolution,Problem,Problem DocType: Training Event,Conference,Konferenz DocType: Mode of Payment Account,Mode of Payment Account,Zahlungsart Konto DocType: Leave Encashment,Encashable days,Einlösbare Tage @@ -3147,7 +3169,7 @@ DocType: Item,"Purchase, Replenishment Details","Kauf, Nachschub Details" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Einmal festgelegt, wird diese Rechnung bis zum festgelegten Datum zurückgestellt" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"Für Artikel {0} kann kein Bestand vorhanden sein, da Varianten vorhanden sind" DocType: Lab Test Template,Grouped,Gruppiert -DocType: Quality Goal,January,Januar +DocType: GSTR 3B Report,January,Januar DocType: Course Assessment Criteria,Course Assessment Criteria,Bewertungskriterien des Kurses DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Abgeschlossene Menge @@ -3243,7 +3265,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Typ der mediz apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Bitte geben Sie mindestens 1 Rechnung in die Tabelle ein apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Kundenauftrag {0} wurde nicht übermittelt apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Die Teilnahme wurde erfolgreich markiert. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Vorverkauf +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Vorverkauf apps/erpnext/erpnext/config/projects.py,Project master.,Projektleiter. DocType: Daily Work Summary,Daily Work Summary,Tägliche Arbeitszusammenfassung DocType: Asset,Partially Depreciated,Teilweise abgeschrieben @@ -3252,6 +3274,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Encashed verlassen? DocType: Certified Consultant,Discuss ID,ID besprechen apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Bitte legen Sie die GST-Konten in den GST-Einstellungen fest +DocType: Quiz,Latest Highest Score,Neueste Höchste Punktzahl DocType: Supplier,Billing Currency,Rechnungswährung apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Schüleraktivität apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Entweder die Zielmenge oder die Zielmenge ist obligatorisch @@ -3277,18 +3300,21 @@ DocType: Sales Order,Not Delivered,Nicht zugestellt apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Die Urlaubsart {0} kann nicht zugeordnet werden, da sie unbezahlt bleibt" DocType: GL Entry,Debit Amount,Sollbetrag apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Für den Artikel {0} ist bereits ein Datensatz vorhanden. +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Unterbaugruppen 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 weiterhin mehrere Preisregeln gelten, werden Benutzer aufgefordert, die Priorität manuell festzulegen, um den Konflikt zu lösen." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Kann nicht abgezogen werden, wenn Kategorie für "Bewertung" oder "Bewertung und Summe" ist" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Stückliste und Fertigungsmenge sind erforderlich apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Artikel {0} hat am {1} sein Lebensende erreicht. DocType: Quality Inspection Reading,Reading 6,Lesen 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Firmenfeld ist erforderlich apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Der Materialverbrauch wird nicht in den Herstellungseinstellungen festgelegt. DocType: Assessment Group,Assessment Group Name,Name der Bewertungsgruppe -DocType: Item,Manufacturer Part Number,Herstellerteilenummer +DocType: Purchase Invoice Item,Manufacturer Part Number,Herstellerteilenummer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll Payable apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Zeile # {0}: {1} darf für Artikel {2} nicht negativ sein apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Saldo Menge +DocType: Question,Multiple Correct Answer,Mehrfach richtige Antwort DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Treuepunkte = Wie viel Basiswährung? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Hinweis: Für die Urlaubsart {0} ist nicht genügend Urlaubsguthaben vorhanden. DocType: Clinical Procedure,Inpatient Record,Patientenakte @@ -3411,6 +3437,7 @@ DocType: Fee Schedule Program,Total Students,Studenten insgesamt apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokal DocType: Chapter Member,Leave Reason,Verlasse die Vernunft DocType: Salary Component,Condition and Formula,Bedingung und Formel +DocType: Quality Goal,Objectives,Ziele apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Das Gehalt wurde bereits für einen Zeitraum zwischen {0} und {1} verarbeitet. Der Urlaubsantragszeitraum kann nicht zwischen diesem Datumsbereich liegen. DocType: BOM Item,Basic Rate (Company Currency),Grundkurs (Firmenwährung) DocType: BOM Scrap Item,BOM Scrap Item,Stücklisten-Ausschussartikel @@ -3461,6 +3488,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Spesenabrechnungskonto apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Keine Rückzahlungen für Journaleintrag verfügbar apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ist inaktiver Schüler +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Bestandserfassung vornehmen DocType: Employee Onboarding,Activities,Aktivitäten apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Mindestens ein Lager ist obligatorisch ,Customer Credit Balance,Kundenguthaben @@ -3545,7 +3573,6 @@ DocType: Contract,Contract Terms,Vertragsbedingungen apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Entweder die Zielmenge oder die Zielmenge ist obligatorisch. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Ungültige {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Datum des Treffens DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Die Abkürzung darf nicht länger als 5 Zeichen sein DocType: Employee Benefit Application,Max Benefits (Yearly),Max Vorteile (Jährlich) @@ -3648,7 +3675,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Bankkosten apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Übergebene Ware apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primäre Kontaktdaten -DocType: Quality Review,Values,Werte DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Wenn nicht markiert, muss die Liste zu jeder Abteilung hinzugefügt werden, in der sie angewendet werden muss." DocType: Item Group,Show this slideshow at the top of the page,Diese Diashow oben auf der Seite anzeigen apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Der Parameter {0} ist ungültig @@ -3667,6 +3693,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Bankgebühren-Konto DocType: Journal Entry,Get Outstanding Invoices,Erhalten Sie ausstehende Rechnungen DocType: Opportunity,Opportunity From,Gelegenheit von +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Zieldetails DocType: Item,Customer Code,Kundennummer apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Bitte zuerst Artikel eingeben apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Website-Auflistung @@ -3695,7 +3722,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Lieferung nach DocType: Bank Statement Transaction Settings Item,Bank Data,Bankdaten apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Geplant bis -DocType: Quality Goal,Everyday,Jeden Tag DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Abrechnungs- und Arbeitszeiten in der Arbeitszeittabelle beibehalten apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Verfolgen Sie Leads nach Lead-Quelle. DocType: Clinical Procedure,Nursing User,Stillender Benutzer @@ -3720,7 +3746,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Gebietsbaum verwalten. DocType: GL Entry,Voucher Type,Belegart ,Serial No Service Contract Expiry,Seriennummer Ablauf des Servicevertrags DocType: Certification Application,Certified,Zertifiziert -DocType: Material Request Plan Item,Manufacture,Herstellung +DocType: Purchase Invoice Item,Manufacture,Herstellung apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} produzierte Artikel apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Zahlungsanforderung für {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Tage seit der letzten Bestellung @@ -3735,7 +3761,7 @@ DocType: Sales Invoice,Company Address Name,Firmenadresse Name apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Waren im Transit apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Sie können nur maximal {0} Punkte in dieser Reihenfolge einlösen. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Bitte Konto in Lager {0} einrichten -DocType: Quality Action Table,Resolution,Auflösung +DocType: Quality Action,Resolution,Auflösung DocType: Sales Invoice,Loyalty Points Redemption,Einlösung von Treuepunkten apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Steuerpflichtiger Gesamtwert DocType: Patient Appointment,Scheduled,Geplant @@ -3856,6 +3882,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Bewertung apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},{0} wird gespeichert DocType: SMS Center,Total Message(s),Gesamte Nachricht (en) +DocType: Purchase Invoice,Accounting Dimensions,Buchhaltung Dimensionen apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Nach Konto gruppieren DocType: Quotation,In Words will be visible once you save the Quotation.,"In Words wird sichtbar, sobald Sie das Angebot speichern." apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Menge zu produzieren @@ -4020,7 +4047,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,R apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.",Bei Fragen wenden Sie sich bitte an uns. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Kaufbeleg {0} wurde nicht übermittelt DocType: Task,Total Expense Claim (via Expense Claim),Gesamtspesenabrechnung (über Spesenabrechnung) -DocType: Quality Action,Quality Goal,Qualitätsziel +DocType: Quality Goal,Quality Goal,Qualitätsziel DocType: Support Settings,Support Portal,Support-Portal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Das Enddatum von Aufgabe {0} darf nicht unter dem {1} erwarteten Startdatum {2} liegen. apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Mitarbeiter {0} ist beurlaubt am {1} @@ -4079,7 +4106,6 @@ DocType: BOM,Operating Cost (Company Currency),Betriebskosten (Firmenwährung) DocType: Item Price,Item Price,Stückpreis DocType: Payment Entry,Party Name,Parteinamen apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Bitte wählen Sie einen Kunden aus -DocType: Course,Course Intro,Kurs-Intro DocType: Program Enrollment Tool,New Program,Neues Programm apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Nummer der neuen Kostenstelle, diese wird als Präfix in den Kostenstellennamen aufgenommen" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Wählen Sie den Kunden oder Lieferanten aus. @@ -4280,6 +4306,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettolohn kann nicht negativ sein apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Anzahl der Interaktionen 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/hr/doctype/employee/employee_dashboard.py,Shift,Verschiebung apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Verarbeiten des Kontenplans und der Parteien DocType: Stock Settings,Convert Item Description to Clean HTML,Artikelbeschreibung in sauberes HTML konvertieren apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alle Lieferantengruppen @@ -4358,6 +4385,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Eltern Artikel apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Vermittlung apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Bitte erstellen Sie einen Kaufbeleg oder eine Kaufrechnung für den Artikel {0}. +,Product Bundle Balance,Produkt-Bundle-Balance apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Firmenname darf nicht Firma sein DocType: Maintenance Visit,Breakdown,Nervenzusammenbruch DocType: Inpatient Record,B Negative,B Negativ @@ -4366,7 +4394,7 @@ DocType: Purchase Invoice,Credit To,Gutschrift an apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Senden Sie diesen Arbeitsauftrag zur weiteren Bearbeitung. DocType: Bank Guarantee,Bank Guarantee Number,Bankgarantienummer apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Geliefert: {0} -DocType: Quality Action,Under Review,Unter Überprüfung +DocType: Quality Meeting Table,Under Review,Unter Überprüfung apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Landwirtschaft (Beta) ,Average Commission Rate,Durchschnittliche Provisionsrate DocType: Sales Invoice,Customer's Purchase Order Date,Bestelldatum des Kunden @@ -4483,7 +4511,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Ordnen Sie Zahlungen Rechnungen zu DocType: Holiday List,Weekly Off,Wöchentliche Auszeit apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Das Festlegen eines alternativen Elements für das Element {0} ist nicht zulässig. -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Programm {0} existiert nicht. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programm {0} existiert nicht. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Sie können den Stammknoten nicht bearbeiten. DocType: Fee Schedule,Student Category,Schülerkategorie apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Artikel {0}: {1} produzierte Menge," @@ -4574,8 +4602,8 @@ DocType: Crop,Crop Spacing,Crop Spacing DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Wie oft sollten Projekt und Unternehmen basierend auf Verkaufsvorgängen aktualisiert werden? DocType: Pricing Rule,Period Settings,Periodeneinstellungen apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Nettoveränderung der Forderungen +DocType: Quality Feedback Template,Quality Feedback Template,Qualitäts-Feedback-Vorlage 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 -DocType: Quality Goal,Goal Objectives,Zielsetzungen 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 Inkonsistenzen zwischen dem Satz, der Anzahl der Aktien und dem berechneten Betrag" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Lassen Sie dieses Feld leer, wenn Sie pro Jahr Schülergruppen bilden" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Kredite (Verbindlichkeiten) @@ -4610,12 +4638,13 @@ DocType: Quality Procedure Table,Step,Schritt DocType: Normal Test Items,Result Value,Ergebniswert DocType: Cash Flow Mapping,Is Income Tax Liability,Ist Einkommensteuerpflicht DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Kostenpunkt für stationäre Besuche -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} existiert nicht. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} existiert nicht. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Antwort aktualisieren DocType: Bank Guarantee,Supplier,Lieferant apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Wert zwischen {0} und {1} eingeben DocType: Purchase Order,Order Confirmation Date,Auftragsbestätigungsdatum DocType: Delivery Trip,Calculate Estimated Arrival Times,Berechnen Sie die voraussichtliche Ankunftszeit +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Richten Sie das Employee Naming System unter Human Resource> HR Settings ein apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Verbrauchbar DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Startdatum des Abonnements @@ -4679,6 +4708,7 @@ DocType: Cheque Print Template,Is Account Payable,Ist das Konto zu bezahlen apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Gesamtauftragswert apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Lieferant {0} nicht in {1} gefunden apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Richten Sie die SMS-Gateway-Einstellungen ein +DocType: Salary Component,Round to the Nearest Integer,Runde auf die nächste Ganzzahl apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Root kann keine übergeordnete Kostenstelle haben DocType: Healthcare Service Unit,Allow Appointments,Termine zulassen DocType: BOM,Show Operations,Vorgänge anzeigen @@ -4807,7 +4837,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Standard-Feiertagsliste DocType: Naming Series,Current Value,Aktueller Wert apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Saisonabhängigkeit für die Festlegung von Budgets, Zielen usw." -DocType: Program,Program Code,Programmcode apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Warnung: Der Kundenauftrag {0} ist bereits für den Kundenauftrag {1} vorhanden. apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Monatliches Umsatzziel ( DocType: Guardian,Guardian Interests,Wächterinteressen @@ -4857,10 +4886,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Bezahlt und nicht geliefert apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Der Artikelcode ist obligatorisch, da der Artikel nicht automatisch nummeriert wird" DocType: GST HSN Code,HSN Code,HSN-Code -DocType: Quality Goal,September,September +DocType: GSTR 3B Report,September,September apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Verwaltungsaufwendungen DocType: C-Form,C-Form No,C-Form Nr DocType: Purchase Invoice,End date of current invoice's period,Enddatum des aktuellen Rechnungszeitraums +DocType: Item,Manufacturers,Hersteller DocType: Crop Cycle,Crop Cycle,Erntezyklus DocType: Serial No,Creation Time,Erschaffungszeit apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Bitte geben Sie Genehmigende Rolle oder Genehmigender Benutzer ein @@ -4933,8 +4963,6 @@ DocType: Employee,Short biography for website and other publications.,Kurzbiogra DocType: Purchase Invoice Item,Received Qty,Erhaltene Menge DocType: Purchase Invoice Item,Rate (Company Currency),Kurs (Firmenwährung) DocType: Item Reorder,Request for,Anfrage für -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/setup/setup_wizard/setup_wizard.py,Installing presets,Presets installieren apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Bitte geben Sie die Rückzahlungsperioden ein DocType: Pricing Rule,Advanced Settings,Erweiterte Einstellungen @@ -4960,7 +4988,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Einkaufswagen aktivieren DocType: Pricing Rule,Apply Rule On Other,Regel auf andere anwenden DocType: Vehicle,Last Carbon Check,Letzter Carbon Check -DocType: Vehicle,Make,Machen +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Machen apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Verkaufsrechnung {0} wurde als bezahlt erstellt apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Zum Erstellen einer Zahlungsanforderung wird ein Referenzdokument benötigt apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Einkommenssteuer @@ -5036,7 +5064,6 @@ DocType: Territory,Parent Territory,Elterngebiet DocType: Vehicle Log,Odometer Reading,Kilometerstand DocType: Additional Salary,Salary Slip,Lohnzettel DocType: Payroll Entry,Payroll Frequency,Abrechnungshäufigkeit -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Richten Sie das Employee Naming System unter Human Resource> HR Settings ein apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",Start- und Enddatum liegen nicht in einer gültigen Abrechnungsperiode. {0} kann nicht berechnet werden. DocType: Products Settings,Home Page is Products,Die Homepage ist Produkte apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Anrufe @@ -5090,7 +5117,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Datensätze werden abgerufen ...... DocType: Delivery Stop,Contact Information,Kontaktinformation DocType: Sales Order Item,For Production,Für die Produktion -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: Serial No,Asset Details,Asset-Details DocType: Restaurant Reservation,Reservation Time,Reservierungszeit DocType: Selling Settings,Default Territory,Standardgebiet @@ -5230,6 +5256,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Abgelaufene Chargen DocType: Shipping Rule,Shipping Rule Type,Versandregel Typ DocType: Job Offer,Accepted,Akzeptiert +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 abzubrechen" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Sie haben bereits für die Bewertungskriterien {} bewertet. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Wählen Sie Chargennummern apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Alter (Tage) @@ -5246,6 +5274,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Artikel zum Zeitpunkt des Verkaufs bündeln. DocType: Payment Reconciliation Payment,Allocated Amount,Zugewiesener Betrag apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Bitte wählen Sie Firma und Bezeichnung +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'Datum' ist erforderlich DocType: Email Digest,Bank Credit Balance,Bankguthaben apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Kumulativen Betrag anzeigen apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,"Sie haben nicht genug Treuepunkte, um diese einzulösen" @@ -5306,11 +5335,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,In der vorherigen Zeil DocType: Student,Student Email Address,E-Mail-Adresse des Schülers DocType: Academic Term,Education,Bildung DocType: Supplier Quotation,Supplier Address,Lieferantenadresse -DocType: Salary Component,Do not include in total,Nicht insgesamt einbeziehen +DocType: Salary Detail,Do not include in total,Nicht insgesamt einbeziehen apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Es können nicht mehrere Artikelstandards für eine Firma festgelegt werden. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} existiert nicht DocType: Purchase Receipt Item,Rejected Quantity,Abgelehnte Menge DocType: Cashier Closing,To TIme,Zur Zeit +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: Daily Work Summary Group User,Daily Work Summary Group User,Tägliche Arbeitszusammenfassung Gruppenbenutzer DocType: Fiscal Year Company,Fiscal Year Company,Geschäftsjahr Unternehmen apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Der alternative Artikel darf nicht mit dem Artikelcode identisch sein @@ -5420,7 +5450,6 @@ DocType: Fee Schedule,Send Payment Request Email,Zahlungsanforderungs-E-Mail sen DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"In Words wird angezeigt, sobald Sie die Verkaufsrechnung speichern." DocType: Sales Invoice,Sales Team1,Verkaufsteam1 DocType: Work Order,Required Items,Benötigte Objekte -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Sonderzeichen außer "-", "#", "." und "/" sind bei der Benennung von Serien nicht erlaubt" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Lesen Sie das ERPNext-Handbuch DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Überprüfen Sie die Eindeutigkeit der Lieferantenrechnungsnummer apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Suchen Sie nach Unterbaugruppen @@ -5488,7 +5517,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Prozentualer Abzug 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: Share Balance,To No,Bis Nr DocType: Leave Control Panel,Allocate Leaves,Blätter zuweisen -DocType: Quiz,Last Attempt,Letzter Versuch DocType: Assessment Result,Student Name,Name des Studenten apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Planen Sie Wartungsbesuche ein. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Die folgenden Materialanforderungen wurden basierend auf der Nachbestellungsstufe des Artikels automatisch ausgelöst @@ -5557,6 +5585,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Anzeigefarbe DocType: Item Variant Settings,Copy Fields to Variant,Felder in Variante kopieren DocType: Soil Texture,Sandy Loam,Sandiger Lehm +DocType: Question,Single Correct Answer,Einzelne richtige Antwort apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Das Ab-Datum darf nicht unter dem Beitrittsdatum des Mitarbeiters liegen DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Mehrere Kundenaufträge für die Bestellung eines Kunden zulassen apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5619,7 +5648,7 @@ DocType: Account,Expenses Included In Valuation,In der Bewertung enthaltene Aufw apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Seriennummer DocType: Salary Slip,Deductions,Abzüge ,Supplier-Wise Sales Analytics,Supplier-Wise Sales Analytics -DocType: Quality Goal,February,Februar +DocType: GSTR 3B Report,February,Februar DocType: Appraisal,For Employee,Für Mitarbeiter apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Tatsächliches Lieferdatum DocType: Sales Partner,Sales Partner Name,Name des Vertriebspartners @@ -5715,7 +5744,6 @@ DocType: Procedure Prescription,Procedure Created,Prozedur erstellt apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Gegen Lieferantenrechnung {0} vom {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS-Profil ändern apps/erpnext/erpnext/utilities/activation.py,Create Lead,Lead erstellen -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Lieferant> Lieferantentyp DocType: Shopify Settings,Default Customer,Standardkunde DocType: Payment Entry Reference,Supplier Invoice No,Lieferantenrechnung Nr DocType: Pricing Rule,Mixed Conditions,Gemischte Bedingungen @@ -5766,12 +5794,14 @@ DocType: Item,End of Life,Ende des Lebens DocType: Lab Test Template,Sensitivity,Empfindlichkeit DocType: Territory,Territory Targets,Gebietsziele apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Überspringen der Urlaubszuteilung für die folgenden Mitarbeiter, da für sie bereits Urlaubszuteilungssätze vorhanden sind. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Qualitätsaktionsauflösung DocType: Sales Invoice Item,Delivered By Supplier,Vom Lieferanten geliefert DocType: Agriculture Analysis Criteria,Plant Analysis,Pflanzenanalyse apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Aufwandskonto ist obligatorisch für Artikel {0} ,Subcontracted Raw Materials To Be Transferred,An Subunternehmer vergebene Rohstoffe DocType: Cashier Closing,Cashier Closing,Kassierer schließen apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Artikel {0} wurde bereits zurückgesandt +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Ungültige GSTIN! Die von Ihnen eingegebene Eingabe stimmt nicht mit dem GSTIN-Format für UIN-Inhaber oder gebietsfremde OIDAR-Dienstanbieter überein apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Für dieses Warehouse ist ein untergeordnetes Warehouse vorhanden. Sie können dieses Lager nicht löschen. DocType: Diagnosis,Diagnosis,Diagnose apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Zwischen {0} und {1} liegt keine Urlaubszeit. @@ -5788,6 +5818,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Autorisierungseinstellungen DocType: Homepage,Products,Produkte ,Profit and Loss Statement,Gewinn-und Verlustrechnung apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Zimmer gebucht +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Doppelte Eingabe gegen Artikelcode {0} und Hersteller {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Gesamtgewicht apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Reise @@ -5836,6 +5867,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Standardkundengruppe DocType: Journal Entry Account,Debit in Company Currency,Lastschrift in Firmenwährung DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Die Fallback-Serie heißt "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Qualitätstreffen Agenda DocType: Cash Flow Mapper,Section Header,Abschnittsüberschrift apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Ihre Produkte oder Dienstleistungen DocType: Crop,Perennial,Mehrjährig @@ -5881,7 +5913,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Ein Produkt oder eine Dienstleistung, die gekauft, verkauft oder auf Lager gehalten wird." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Abschluss (Eröffnung + Summe) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterienformel -,Support Analytics,Support Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Support Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Überprüfung und Aktion DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Wenn das Konto gesperrt ist, dürfen nur eingeschränkte Benutzer teilnehmen." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Betrag nach Abschreibung @@ -5926,7 +5958,6 @@ DocType: Contract Template,Contract Terms and Conditions,Vertragsbedingungen apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Daten abrufen DocType: Stock Settings,Default Item Group,Standardartikelgruppe DocType: Sales Invoice Timesheet,Billing Hours,Rechnungsstunden -DocType: Item,Item Code for Suppliers,Artikelcode für Lieferanten apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Hinterlassen Sie die Anmeldung {0} für den Schüler {1} ist bereits vorhanden. DocType: Pricing Rule,Margin Type,Randtyp DocType: Purchase Invoice Item,Rejected Serial No,Abgelehnte Seriennummer @@ -5999,6 +6030,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Blätter wurden erfolgreich bewilligt DocType: Loyalty Point Entry,Expiry Date,Verfallsdatum DocType: Project Task,Working,Arbeiten +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} hat bereits eine übergeordnete Prozedur {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Dies basiert auf Transaktionen gegen diesen Patienten. Einzelheiten finden Sie in der Zeitleiste unten DocType: Material Request,Requested For,Anfrage für DocType: SMS Center,All Sales Person,Alle Verkäufer @@ -6086,6 +6118,7 @@ DocType: Loan Type,Maximum Loan Amount,Maximaler Darlehensbetrag apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-Mail wurde im Standardkontakt nicht gefunden DocType: Hotel Room Reservation,Booked,Gebucht DocType: Maintenance Visit,Partially Completed,Zum Teil fertiggestellt +DocType: Quality Procedure Process,Process Description,Prozessbeschreibung DocType: Company,Default Employee Advance Account,Default Employee Advance Account DocType: Leave Type,Allow Negative Balance,Negativen Saldo zulassen apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Name des Bewertungsplans @@ -6127,6 +6160,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Angebotsanfrage apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} wurde zweimal in Artikelsteuer eingegeben DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Abzug der vollen Steuer am ausgewählten Abrechnungsdatum +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Das Datum der letzten Kohlenstoffprüfung kann kein zukünftiges Datum sein apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Betrag ändern Konto auswählen DocType: Support Settings,Forum Posts,Forumsbeiträge DocType: Timesheet Detail,Expected Hrs,Erwartete Std @@ -6136,7 +6170,7 @@ DocType: Program Enrollment Tool,Enroll Students,Schüler einschreiben apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Kundenumsatz wiederholen DocType: Company,Date of Commencement,Anfangsdatum DocType: Bank,Bank Name,Bank Name -DocType: Quality Goal,December,Dezember +DocType: GSTR 3B Report,December,Dezember 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 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Dies basiert auf der Anwesenheit dieses Mitarbeiters DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Wenn diese Option aktiviert ist, wird die Startseite als Standardelementgruppe für die Website verwendet" @@ -6179,6 +6213,7 @@ DocType: Payment Entry,Payment Type,Zahlungsart apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Die Folionummern stimmen nicht überein DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Qualitätsprüfung: {0} wurde für den Artikel {1} in Zeile {2} nicht übermittelt. +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},{0} anzeigen apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} Artikel gefunden. ,Stock Ageing,Lager Alterung DocType: Customer Group,Mention if non-standard receivable account applicable,"Erwähnen Sie, wenn ein nicht standardmäßiges Forderungskonto vorliegt" @@ -6457,6 +6492,7 @@ DocType: Travel Request,Costing,Kalkulation apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Anlagevermögen DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Gesamtverdienst +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundengruppe> Gebiet DocType: Share Balance,From No,Ab Nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Zahlungsabgleichsrechnung DocType: Purchase Invoice,Taxes and Charges Added,Steuern und Gebühren hinzugefügt @@ -6464,7 +6500,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Betrachten Sie St DocType: Authorization Rule,Authorized Value,Autorisierter Wert apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Erhalten von apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Lager {0} existiert nicht +DocType: Item Manufacturer,Item Manufacturer,Einzelteil-Hersteller DocType: Sales Invoice,Sales Team,Verkaufsteam +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Menge DocType: Purchase Order Item Supplied,Stock UOM,Lager UOM DocType: Installation Note,Installation Date,Installationsdatum DocType: Email Digest,New Quotations,Neue Zitate @@ -6528,7 +6566,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Feiertagslistenname DocType: Water Analysis,Collection Temperature ,Sammeltemperatur DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Terminabrechnung verwalten für Patient Encounter automatisch senden und stornieren -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stellen Sie die Benennungsserie für {0} über Setup> Einstellungen> Benennungsserie ein DocType: Employee Benefit Claim,Claim Date,Anspruchsdatum DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"Leer lassen, wenn der Lieferant auf unbestimmte Zeit gesperrt ist" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Anwesenheit von Datum und Anwesenheit bis Datum ist obligatorisch @@ -6539,6 +6576,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Datum der Pensionierung apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Bitte wählen Sie Patient DocType: Asset,Straight Line,Gerade Linie +DocType: Quality Action,Resolutions,Beschlüsse DocType: SMS Log,No of Sent SMS,Anzahl gesendeter SMS ,GST Itemised Sales Register,GST-Einzelhandelsregister apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Der Gesamtvorschussbetrag kann nicht höher sein als der genehmigte Gesamtbetrag @@ -6649,7 +6687,7 @@ DocType: Account,Profit and Loss,Gewinn-und Verlust apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Menge DocType: Asset Finance Book,Written Down Value,Geschriebener Wert apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Anfangsbestand Eigenkapital -DocType: Quality Goal,April,April +DocType: GSTR 3B Report,April,April DocType: Supplier,Credit Limit,Kreditlimit apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Verteilung apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6704,6 +6742,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Verbinden Sie Shopify mit ERPNext DocType: Homepage Section Card,Subtitle,Untertitel DocType: Soil Texture,Loam,Lehm +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Lieferant> Lieferantentyp DocType: BOM,Scrap Material Cost(Company Currency),Ausschussmaterialkosten (Firmenwährung) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Lieferschein {0} darf nicht eingereicht werden DocType: Task,Actual Start Date (via Time Sheet),Tatsächliches Startdatum (über Arbeitszeitblatt) @@ -6759,7 +6798,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosierung DocType: Cheque Print Template,Starting position from top edge,Ausgangsposition von der Oberkante apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Termindauer (Minuten) -DocType: Pricing Rule,Disable,Deaktivieren +DocType: Accounting Dimension,Disable,Deaktivieren DocType: Email Digest,Purchase Orders to Receive,Bestellungen zu erhalten apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Produktionen Aufträge können nicht erhoben werden für: DocType: Projects Settings,Ignore Employee Time Overlap,Überlappung der Mitarbeiterzeit ignorieren @@ -6843,6 +6882,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Steuer DocType: Item Attribute,Numeric Values,Numerische Werte DocType: Delivery Note,Instructions,Anleitung DocType: Blanket Order Item,Blanket Order Item,Rahmenbestellung Artikel +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Obligatorisch für Gewinn- und Verlustrechnung apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Der Provisionssatz darf nicht höher als 100 sein DocType: Course Topic,Course Topic,Kursthema DocType: Employee,This will restrict user access to other employee records,Dies schränkt den Benutzerzugriff auf andere Mitarbeiterdatensätze ein @@ -6867,12 +6907,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Abonnementverw apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Holen Sie sich Kunden aus apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Berichte an +DocType: Video,YouTube,Youtube DocType: Party Account,Party Account,Party Account DocType: Assessment Plan,Schedule,Zeitplan apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Bitte eintreten DocType: Lead,Channel Partner,Channel-Partner apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Rechnungsbetrag DocType: Project,From Template,Von Vorlage +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Abonnements apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Menge zu machen DocType: Quality Review Table,Achieved,Erreicht @@ -6919,7 +6961,6 @@ DocType: Journal Entry,Subscription Section,Abo-Bereich DocType: Salary Slip,Payment Days,Zahlungstage apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Freiwilliger Informationen. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Stocks Older Than` sollte kleiner als% d Tage sein. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Wählen Sie das Geschäftsjahr DocType: Bank Reconciliation,Total Amount,Gesamtmenge DocType: Certification Application,Non Profit,Non Profit DocType: Subscription Settings,Cancel Invoice After Grace Period,Rechnung nach Ablauf der Nachfrist stornieren @@ -6932,7 +6973,6 @@ DocType: Serial No,Warranty Period (Days),Garantiezeit (Tage) DocType: Expense Claim Detail,Expense Claim Detail,Detail der Spesenabrechnung apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programm: DocType: Patient Medical Record,Patient Medical Record,Patientenakte -DocType: Quality Action,Action Description,Aktionsbeschreibung DocType: Item,Variant Based On,Variante basierend auf DocType: Vehicle Service,Brake Oil,Bremsöl DocType: Employee,Create User,Benutzer erstellen @@ -6988,7 +7028,7 @@ DocType: Cash Flow Mapper,Section Name,Abteilungsname DocType: Packed Item,Packed Item,Artikel verpackt apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Für {2} ist entweder ein Lastschrift- oder ein Gutschriftbetrag erforderlich. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Gehaltsabrechnungen einreichen ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Keine Aktion +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Keine Aktion apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Das Budget kann nicht für {0} zugewiesen werden, da es sich nicht um ein Einnahmen- oder Ausgabenkonto handelt" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Master und Konten DocType: Quality Procedure Table,Responsible Individual,Verantwortliche Person @@ -7111,7 +7151,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Kontoerstellung für untergeordnete Unternehmen zulassen DocType: Payment Entry,Company Bank Account,Firmenkonto DocType: Amazon MWS Settings,UK,Vereinigtes Königreich -DocType: Quality Procedure,Procedure Steps,Verfahrensschritte DocType: Normal Test Items,Normal Test Items,Normale Testgegenstände apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Artikel {0}: Die bestellte Menge {1} darf nicht kleiner sein als die Mindestbestellmenge {2} (in Artikel definiert). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Nicht lagernd @@ -7190,7 +7229,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Wartungsrolle apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,AGB Vorlage DocType: Fee Schedule Program,Fee Schedule Program,Gebührenplan-Programm -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kurs {0} existiert nicht. DocType: Project Task,Make Timesheet,Arbeitszeittabelle erstellen DocType: Production Plan Item,Production Plan Item,Produktionsplanelement apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Student gesamt @@ -7212,6 +7250,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Einpacken apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Sie können nur erneuern, wenn Ihre Mitgliedschaft innerhalb von 30 Tagen abläuft" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Wert muss zwischen {0} und {1} liegen +DocType: Quality Feedback,Parameters,Parameter ,Sales Partner Transaction Summary,Sales Partner Transaction Summary DocType: Asset Maintenance,Maintenance Manager Name,Name des Wartungsmanagers apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,"Es wird benötigt, um Artikeldetails abzurufen." @@ -7250,6 +7289,7 @@ DocType: Student Admission,Student Admission,Studentenaufnahme DocType: Designation Skill,Skill,Fertigkeit DocType: Budget Account,Budget Account,Budgetkonto DocType: Employee Transfer,Create New Employee Id,Neue Mitarbeiter-ID erstellen +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,Für das Konto "Gewinn und Verlust" {1} ist {0} erforderlich. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Waren- und Dienstleistungssteuer (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Gehaltsabrechnungen erstellen ... DocType: Employee Skill,Employee Skill,Mitarbeiterfähigkeit @@ -7350,6 +7390,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Separat als V DocType: Subscription,Days Until Due,Tage bis zur Fälligkeit apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Show abgeschlossen apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Kontoauszug Transaction Entry Report +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Zeile # {0}: Die Rate muss mit {1}: {2} ({3} / {4}) übereinstimmen. DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLK-HLK-JJJJ.- DocType: Healthcare Settings,Healthcare Service Items,Serviceartikel für das Gesundheitswesen @@ -7406,6 +7447,7 @@ DocType: Training Event Employee,Invited,Eingeladen apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Der für die Komponente {0} zulässige Höchstbetrag überschreitet {1}. apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Betrag in Rechnung apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",Für {0} können nur Debitkonten mit einer anderen Gutschrift verknüpft werden +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Dimensionen erstellen ... DocType: Bank Statement Transaction Entry,Payable Account,Zahlbares Konto apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Bitte erwähnen Sie keine Besuche erforderlich DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Wählen Sie diese Option nur aus, wenn Sie Cash Flow Mapper-Dokumente eingerichtet haben" @@ -7423,6 +7465,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice," DocType: Service Level,Resolution Time,Lösungszeit DocType: Grading Scale Interval,Grade Description,Sortenbeschreibung DocType: Homepage Section,Cards,Karten +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Qualitätssitzungsprotokoll DocType: Linked Plant Analysis,Linked Plant Analysis,Verknüpfte Pflanzenanalyse apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Das Service-Enddatum darf nicht nach dem Service-Enddatum liegen apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Bitte setzen Sie das B2C-Limit in den GST-Einstellungen. @@ -7457,7 +7500,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Tool zur Teilnahme an DocType: Employee,Educational Qualification,Schulische Qualifikation apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Zugänglicher Wert apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Die Probenmenge {0} kann nicht größer sein als die empfangene Menge {1}. -DocType: Quiz,Last Highest Score,Letzte höchste Punktzahl DocType: POS Profile,Taxes and Charges,Steuern und Gebühren DocType: Opportunity,Contact Mobile No,Kontakt Mobil Nr DocType: Employee,Joining Details,Beitrittsdetails diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv index 7c49ffd096..583602ee0b 100644 --- a/erpnext/translations/el.csv +++ b/erpnext/translations/el.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Αρ. Αρ. Προμηθε DocType: Journal Entry Account,Party Balance,Ισοζύγιο των μερών apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Πηγή κεφαλαίων (παθητικού) DocType: Payroll Period,Taxable Salary Slabs,Φορολογικές μισθώσεις +DocType: Quality Action,Quality Feedback,Ποιότητα Ανατροφοδότηση DocType: Support Settings,Support Settings,Ρυθμίσεις υποστήριξης apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Εισαγάγετε πρώτα το στοιχείο παραγωγής DocType: Quiz,Grading Basis,Βάση ταξινόμησης @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Περισσό DocType: Salary Component,Earning,Κερδίστε DocType: Restaurant Order Entry,Click Enter To Add,Κάντε κλικ στο πλήκτρο Enter to Add DocType: Employee Group,Employee Group,Ομάδα εργαζομένων +DocType: Quality Procedure,Processes,Διαδικασίες DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Καθορίστε την τιμή συναλλάγματος για να μετατρέψετε ένα νόμισμα σε άλλο apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Εύρος γήρανσης 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Αποθήκη που απαιτείται για αποθήκη Στοιχείο {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Καταγγελία DocType: Shipping Rule,Restrict to Countries,Περιορίστε σε χώρες DocType: Hub Tracked Item,Item Manager,Διαχειριστής στοιχείου apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Το νόμισμα του κλεισίματος πρέπει να είναι {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Προϋπολογισμοί apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Άνοιγμα στοιχείου τιμολογίου DocType: Work Order,Plan material for sub-assemblies,Σχεδιάστε υλικό για υποσυγκροτήματα apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,"Σκεύη, εξαρτήματα" DocType: Budget,Action if Annual Budget Exceeded on MR,Δράση εάν ο ετήσιος προϋπολογισμός υπερβαίνει το MR DocType: Sales Invoice Advance,Advance Amount,Προκαταβολικό ποσό +DocType: Accounting Dimension,Dimension Name,Όνομα διάστασης DocType: Delivery Note Item,Against Sales Invoice Item,Ενάντια στο στοιχείο τιμολογίου πωλήσεων DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Συμπεριλάβετε στοιχείο στη μεταποίηση @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Τι κάνει? ,Sales Invoice Trends,Τάσεις πωλήσεων τιμολογίων DocType: Bank Reconciliation,Payment Entries,Καταχωρήσεις πληρωμών DocType: Employee Education,Class / Percentage,Κατηγορία / Ποσοστό -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα ,Electronic Invoice Register,Ηλεκτρονικό μητρώο τιμολογίων DocType: Sales Invoice,Is Return (Credit Note),Επιστροφή (Πιστωτική Σημείωση) DocType: Lab Test Sample,Lab Test Sample,Δοκιμαστικό δείγμα εργαστηρίου @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Παραλλαγές apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Οι χρεώσεις κατανέμονται ανάλογα με το είδος ή το ποσό του αντικειμένου, ανάλογα με την επιλογή σας" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Εκκρεμείς δραστηριότητες για σήμερα +DocType: Quality Procedure Process,Quality Procedure Process,Διαδικασία ποιοτικής διαδικασίας DocType: Fee Schedule Program,Student Batch,Φοιτητική παρτίδα apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Απαιτούμενη τιμή αποτίμησης για στοιχείο στη σειρά {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Βαθμός ωρών βάσης (νόμισμα επιχείρησης) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Ορισμός ποσότητας στις συναλλαγές με βάση την αύξουσα σειρά εισόδου apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Το νόμισμα προπληρωμής πρέπει να είναι ίδιο με το νόμισμα της εταιρείας {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Προσαρμόστε τις ενότητες αρχικής σελίδας -DocType: Quality Goal,October,Οκτώβριος +DocType: GSTR 3B Report,October,Οκτώβριος DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Απόκρυψη του φορολογικού αριθμού πελάτη από τις συναλλαγές πωλήσεων apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Μη έγκυρο GSTIN! Ένα GSTIN πρέπει να έχει 15 χαρακτήρες. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Ο Κανονισμός Τιμολόγησης {0} ενημερώνεται @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Αφήστε την ισορροπία apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Το πρόγραμμα συντήρησης {0} υπάρχει έναντι του {1} DocType: Assessment Plan,Supervisor Name,Όνομα εποπτεύοντος DocType: Selling Settings,Campaign Naming By,Ονομασία καμπάνιας από -DocType: Course,Course Code,Κωδικός Μαθήματος +DocType: Student Group Creation Tool Course,Course Code,Κωδικός Μαθήματος apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Αεροδιαστημική DocType: Landed Cost Voucher,Distribute Charges Based On,Διανέμεις χρεώσεις βασισμένες στις DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Κριτήρια βαθμολόγησης προμηθευτή Scorecard @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Εστιατόριο μενού DocType: Asset Movement,Purpose,Σκοπός apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Η εκχώρηση δομής μισθοδοσίας για υπαλλήλους υπάρχει ήδη DocType: Clinical Procedure,Service Unit,Μονάδα υπηρεσιών -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια DocType: Travel Request,Identification Document Number,Αριθμός εγγράφου αναγνώρισης DocType: Stock Entry,Additional Costs,Πρόσθετα έξοδα -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Μάθημα γονέων (Αφήστε κενό, αν αυτό δεν είναι μέρος του μαθήματος γονέων)" DocType: Employee Education,Employee Education,Εκπαίδευση εργαζομένων apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Ο αριθμός των θέσεων δεν μπορεί να είναι μικρότερος από τον τρέχοντα αριθμό εργαζομένων apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Όλες οι ομάδες πελατών @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Γραμμή {0}: Το μέγεθος είναι υποχρεωτικό DocType: Sales Invoice,Against Income Account,Λογαριασμός κατά εισοδήματος apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Σειρά # {0}: Το τιμολόγιο αγοράς δεν μπορεί να γίνει έναντι ενός υπάρχοντος στοιχείου {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Κανόνες εφαρμογής διαφορετικών προγραμμάτων προώθησης. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Ο συντελεστής κάλυψης UOM που απαιτείται για το UOM: {0} στο στοιχείο: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Καταχωρίστε ποσότητα για το στοιχείο {0} DocType: Workstation,Electricity Cost,Κόστος ηλεκτρικής ενέργειας @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Συνολική Προβλεπόμενη Πο apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Bombs DocType: Work Order,Actual Start Date,Πραγματική ημερομηνία έναρξης apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Δεν είστε παρόντες όλη την ημέρα (ες) μεταξύ ημερών αιτήματος αντισταθμιστικής άδειας -DocType: Company,About the Company,Σχετικά με την εταιρεία apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Δέντρο οικονομικών λογαριασμών. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Έμμεσο εισόδημα DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Στοιχείο Ξενοδοχείου Κράτησης @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Βάση δ DocType: Skill,Skill Name,Όνομα δεξιοτήτων apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Εκτύπωση καρτών αναφοράς DocType: Soil Texture,Ternary Plot,Τρισδιάστατο οικόπεδο +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Υποστήριξη εισιτηρίων DocType: Asset Category Account,Fixed Asset Account,Λογαριασμός Σταθερού Ενεργητικού apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Αργότερο @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Πρόγραμμα ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Ρυθμίστε τις σειρές που θα χρησιμοποιηθούν. DocType: Delivery Trip,Distance UOM,Απόσταση UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Υποχρεωτικό για ισολογισμό DocType: Payment Entry,Total Allocated Amount,Συνολικό κατανεμόμενο ποσό DocType: Sales Invoice,Get Advances Received,Λάβετε προπληρωμές DocType: Student,B-,ΣΙ- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Στοιχείο χ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,Προφίλ POS που απαιτείται για την πραγματοποίηση εισόδου POS DocType: Education Settings,Enable LMS,Ενεργοποιήστε το LMS DocType: POS Closing Voucher,Sales Invoices Summary,Περίληψη τιμολογίων πωλήσεων +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Οφελος apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Ο λογαριασμός πίστωσης πρέπει να είναι ένας λογαριασμός ισολογισμού DocType: Video,Duration,Διάρκεια DocType: Lab Test Template,Descriptive,Περιγραφικός @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Ημερομηνίες έναρξης και λήξης DocType: Supplier Scorecard,Notify Employee,Ειδοποιήστε τον υπάλληλο apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Λογισμικό +DocType: Program,Allow Self Enroll,Να επιτρέπεται η εγγραφή σας apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Έξοδα αποθεμάτων apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Ο αριθμός αναφοράς είναι υποχρεωτικός εάν καταχωρίσατε την ημερομηνία αναφοράς DocType: Training Event,Workshop,ΕΡΓΑΣΤΗΡΙ @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Πρότυπο δοκιμής ερ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Στοιχεία ηλεκτρονικής τιμολόγησης που λείπουν apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Δεν δημιουργήθηκε κανένα υλικό υλικό +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα DocType: Loan,Total Amount Paid,Συνολικό ποσό που καταβλήθηκε apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Όλα αυτά τα στοιχεία έχουν ήδη τιμολογηθεί DocType: Training Event,Trainer Name,Όνομα εκπαιδευτή @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Ακαδημαϊκό έτος DocType: Sales Stage,Stage Name,Καλλιτεχνικό ψευδώνυμο DocType: SMS Center,All Employee (Active),Όλοι οι υπάλληλοι (ενεργές) +DocType: Accounting Dimension,Accounting Dimension,Λογιστική διάσταση DocType: Project,Customer Details,Πληροφορίες Πελάτη DocType: Buying Settings,Default Supplier Group,Προεπιλεγμένη ομάδα προμηθευτών apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Ακυρώστε πρώτα την παραλαβή αγοράς {0} @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Μεγαλύτε DocType: Designation,Required Skills,Απαιτούμενα προσόντα DocType: Marketplace Settings,Disable Marketplace,Απενεργοποιήστε το Marketplace DocType: Budget,Action if Annual Budget Exceeded on Actual,Ενέργεια εάν ο ετήσιος προϋπολογισμός υπερβαίνει την πραγματική -DocType: Course,Course Abbreviation,Σύντμηση μαθημάτων apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Η συμμετοχή δεν υποβλήθηκε για {0} ως {1} σε άδεια. DocType: Pricing Rule,Promotional Scheme Id,Αναγνωριστικό Σχήματος Προώθησης apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Η ημερομηνία λήξης της εργασίας {0} δεν μπορεί να είναι μεγαλύτερη από {1} αναμενόμενη ημερομηνία λήξης {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Margin Money DocType: Chapter,Chapter,Κεφάλαιο DocType: Purchase Receipt Item Supplied,Current Stock,Τρέχον απόθεμα DocType: Employee,History In Company,Ιστορία στην εταιρεία -DocType: Item,Manufacturer,Κατασκευαστής +DocType: Purchase Invoice Item,Manufacturer,Κατασκευαστής apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Μέτρια ευαισθησία DocType: Compensatory Leave Request,Leave Allocation,Αφήστε την κατανομή DocType: Timesheet,Timesheet,Πρόγραμμα @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Μεταφερόμε DocType: Products Settings,Hide Variants,Απόκρυψη παραλλαγών DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Απενεργοποιήστε τον προγραμματισμό χωρητικότητας και την παρακολούθηση χρόνου DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Θα υπολογιστεί στη συναλλαγή. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,Το {0} απαιτείται για τον λογαριασμό "Ισολογισμός" {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,Δεν επιτρέπεται η {0} συναλλαγή με {1}. Αλλάξτε την Εταιρεία. 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}" DocType: Delivery Trip,Delivery Details,Λεπτομέρειες αποστολής @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Προηγ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Μονάδα μέτρησης DocType: Lab Test,Test Template,Πρότυπο δοκιμής DocType: Fertilizer,Fertilizer Contents,Περιεχόμενο λιπασμάτων -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Λεπτό +DocType: Quality Meeting Minutes,Minute,Λεπτό apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Σειρά # {0}: Το στοιχείο Asset {1} δεν μπορεί να υποβληθεί, είναι ήδη {2}" DocType: Task,Actual Time (in Hours),Πραγματικός χρόνος (σε ώρες) DocType: Period Closing Voucher,Closing Account Head,Κλείσιμο Λογαριασμού Λογαριασμού @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Εργαστήριο DocType: Purchase Order,To Bill,Στον Bill apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Έξοδα χρησιμότητας DocType: Manufacturing Settings,Time Between Operations (in mins),Χρόνος μεταξύ των λειτουργιών (σε λεπτά) -DocType: Quality Goal,May,Ενδέχεται +DocType: GSTR 3B Report,May,Ενδέχεται apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Ο λογαριασμός πύλης πληρωμής δεν δημιουργήθηκε, δημιουργήστε ένα με μη αυτόματο τρόπο." DocType: Opening Invoice Creation Tool,Purchase,Αγορά DocType: Program Enrollment,School House,Σχολείο @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,Κανονιστικές πληροφορίες και άλλες γενικές πληροφορίες σχετικά με τον προμηθευτή σας DocType: Item Default,Default Selling Cost Center,Προεπιλεγμένο κέντρο κόστους πώλησης DocType: Sales Partner,Address & Contacts,Διεύθυνση & Επαφές +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης DocType: Subscriber,Subscriber,Συνδρομητής apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Φόρμα / Θέμα / {0}) είναι εκτός αποθέματος apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Παρακαλούμε επιλέξτε Ημερομηνία πρώτης δημοσίευσης @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Χρέωση για επ DocType: Bank Statement Settings,Transaction Data Mapping,Χαρτογράφηση δεδομένων συναλλαγών apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Ο μόλυβδος απαιτεί το όνομα ενός ατόμου ή το όνομα ενός οργανισμού DocType: Student,Guardians,Κηδεμόνες +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση> Ρυθμίσεις Εκπαίδευσης apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Επιλογή Μάρκα ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Μεσαιο εισοδημα DocType: Shipping Rule,Calculate Based On,Υπολογισμός βασισμένος σε @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Εκκαθάριση Αξί DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Προσαρμογή στρογγυλοποίησης (νόμισμα εταιρείας) DocType: Item,Publish in Hub,Δημοσιεύστε στο Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,Αύγουστος +DocType: GSTR 3B Report,August,Αύγουστος apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Εισαγάγετε πρώτα την ένδειξη αγοράς apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Έναρξη Έτος apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Στόχος ({} @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,Μέγιστη ποσότητα δείγματ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Η αποθήκη προέλευσης και στόχου πρέπει να είναι διαφορετική DocType: Employee Benefit Application,Benefits Applied,Εφαρμοσμένα οφέλη apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Ενάντια στην καταχώριση ημερολογίου {0} δεν έχει καμία απαράμιλλη καταχώριση {1} +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Ειδικοί χαρακτήρες εκτός από "-", "#", ".", "/", "" Και "}" δεν επιτρέπονται στη σειρά ονομασίας" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Απαιτούνται πλακίδια τιμών ή προϊόντων apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Ορίστε έναν στόχο apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Η εγγραφή συμμετοχής {0} υπάρχει εναντίον του Student {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Κάθε μήνα DocType: Routing,Routing Name,Όνομα δρομολόγησης DocType: Disease,Common Name,Συνηθισμένο όνομα -DocType: Quality Goal,Measurable,Μετρητός DocType: Education Settings,LMS Title,Τίτλος LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Διαχείριση δανείων -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Υποστηρίξτε αναλυτικά DocType: Clinical Procedure,Consumable Total Amount,Συνολικό ποσό κατανάλωσης apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Ενεργοποιήστε το πρότυπο apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Πελάτη LPO @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,Σερβίρεται DocType: Loan,Member,Μέλος DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Πρόγραμμα μονάδας παροχής υπηρεσιών πρακτικής apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Μεταφορά καλωδίων +DocType: Quality Review Objective,Quality Review Objective,Στόχος αναθεώρησης της ποιότητας DocType: Bank Reconciliation Detail,Against Account,Ενάντια στον Λογαριασμό DocType: Projects Settings,Projects Settings,Ρυθμίσεις έργων apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Πραγματική ποσότητα {0} / Ποσότητα αναμονής {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ε apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Η ημερομηνία λήξης του οικονομικού έτους θα πρέπει να είναι ένα έτος μετά την Ημερομηνία Έναρξης Φορολογικού Έτους apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Καθημερινές υπενθυμίσεις DocType: Item,Default Sales Unit of Measure,Μονάδα προεπιλεγμένων πωλήσεων του μέτρου +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Εταιρεία GSTIN DocType: Asset Finance Book,Rate of Depreciation,Συντελεστής αποσβέσεως DocType: Support Search Source,Post Description Key,Πλήκτρο Περιγραφή Post DocType: Loyalty Program Collection,Minimum Total Spent,Ελάχιστο συνολικό υπόλοιπο @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Η αλλαγή της ομάδας πελατών για τον επιλεγμένο πελάτη δεν επιτρέπεται. DocType: Serial No,Creation Document Type,Τύπος εγγράφου δημιουργίας DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Διαθέσιμη ποσότητα παρτίδας στην αποθήκη +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Συνολικό τιμολόγιο apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Αυτό είναι ένα ριζικό έδαφος και δεν μπορεί να επεξεργαστεί. DocType: Patient,Surgical History,Χειρουργική Ιστορία apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Δέντρο Διαδικασιών Ποιότητας. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,Ελέγξτε αν θέλετε να εμφανίζεται στον ιστότοπο apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Το οικονομικό έτος {0} δεν βρέθηκε DocType: Bank Statement Settings,Bank Statement Settings,Ρυθμίσεις τραπεζικής δήλωσης +DocType: Quality Procedure Process,Link existing Quality Procedure.,Συνδέστε την υφιστάμενη διαδικασία ποιότητας. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Εισαγωγή πίνακα λογαριασμών από αρχεία CSV / Excel DocType: Appraisal Goal,Score (0-5),Βαθμολογία (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Το χαρακτηριστικό {0} έχει επιλεγεί πολλές φορές στον Πίνακα Χαρακτηριστικών DocType: Purchase Invoice,Debit Note Issued,Χρεωστική Σημείωση Εκδίδεται @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Αφήστε τις λεπτομέρειες πολιτικής apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Η αποθήκη δεν βρέθηκε στο σύστημα DocType: Healthcare Practitioner,OP Consulting Charge,OP Charge Consulting -DocType: Quality Goal,Measurable Goal,Μέτριος στόχος DocType: Bank Statement Transaction Payment Item,Invoices,Τιμολόγια DocType: Currency Exchange,Currency Exchange,Ανταλλαγή συναλλάγματος DocType: Payroll Entry,Fortnightly,Κατά δεκατετραήμερο @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} δεν έχει υποβληθεί DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Επιστροφή των πρώτων υλών από αποθήκη εργασίας σε εξέλιξη DocType: Maintenance Team Member,Maintenance Team Member,Μέλος της ομάδας συντήρησης +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Ορίστε τις προσαρμοσμένες ιδιότητες για τη λογιστική DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Η ελάχιστη απόσταση μεταξύ σειρών φυτών για βέλτιστη ανάπτυξη DocType: Employee Health Insurance,Health Insurance Name,Όνομα Ασφάλισης Υγείας apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Στοιχεία ενεργητικού @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,Όνομα διεύθυνσης χρ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Εναλλακτικό στοιχείο DocType: Certification Application,Name of Applicant,Όνομα του αιτούντος DocType: Leave Type,Earned Leave,Αποκτήθηκε Αφήστε -DocType: Quality Goal,June,Ιούνιος +DocType: GSTR 3B Report,June,Ιούνιος apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Σειρά {0}: Απαιτείται κέντρο κόστους για ένα στοιχείο {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Μπορεί να εγκριθεί από την {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Η μονάδα μέτρησης {0} εισήχθη περισσότερες από μία φορές στον Πίνακα συντελεστών μετατροπής @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,Τυπική τιμή πώλη apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Ρυθμίστε ένα ενεργό μενού για το εστιατόριο {0} 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: Asset Finance Book,Asset Finance Book,Χρηματοοικονομικό βιβλίο ενεργητικού +DocType: Quality Goal Objective,Quality Goal Objective,Στόχος στόχου ποιότητας DocType: Employee Transfer,Employee Transfer,Μεταφορά εργαζομένων ,Sales Funnel,Χωνί πωλήσεων DocType: Agriculture Analysis Criteria,Water Analysis,Ανάλυση Νερού @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Ιδιότητα apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Εκκρεμείς Δραστηριότητες apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Αναφέρετε μερικούς από τους πελάτες σας. Θα μπορούσαν να είναι οργανώσεις ή άτομα. DocType: Bank Guarantee,Bank Account Info,Πληροφορίες τραπεζικού λογαριασμού +DocType: Quality Goal,Weekday,Καθημερινή apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Όνομα Guardian1 DocType: Salary Component,Variable Based On Taxable Salary,Μεταβλητή βάσει του φορολογητέου μισθού DocType: Accounting Period,Accounting Period,Λογιστική περίοδος @@ -2229,7 +2245,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Προσαρμογή στρογγ DocType: Quality Review Table,Quality Review Table,Πίνακας αναθεώρησης ποιότητας DocType: Member,Membership Expiry Date,Ημερομηνία λήξης μέλους DocType: Asset Finance Book,Expected Value After Useful Life,Αναμενόμενη αξία μετά την ωφέλιμη ζωή -DocType: Quality Goal,November,Νοέμβριος +DocType: GSTR 3B Report,November,Νοέμβριος DocType: Loan Application,Rate of Interest,Βαθμός ενδιαφέροντος DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Στοιχείο Πληρωμής Τραπεζικής Κατάστασης Πληρωμής DocType: Restaurant Reservation,Waitlisted,Περίεργο @@ -2293,6 +2309,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Σειρά {0}: Για να ορίσετε περιοδικότητα {1}, η διαφορά μεταξύ από και μέχρι την ημερομηνία \ πρέπει να είναι μεγαλύτερη ή ίση με {2}" DocType: Purchase Invoice Item,Valuation Rate,Ποσοστό εκτίμησης DocType: Shopping Cart Settings,Default settings for Shopping Cart,Προεπιλεγμένες ρυθμίσεις για το καλάθι αγορών +DocType: Quiz,Score out of 100,Αποτέλεσμα από 100 DocType: Manufacturing Settings,Capacity Planning,Πρόβλεψη χωρητικότητας apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Πηγαίνετε στους εκπαιδευτές DocType: Activity Cost,Projects,Εργα @@ -2302,6 +2319,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,ΙΙ DocType: Cashier Closing,From Time,Από την ώρα apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Αναφορά λεπτομερειών παραλλαγής +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Για την αγορά apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Οι χρονοθυρίδες {0} δεν προστίθενται στο πρόγραμμα DocType: Target Detail,Target Distribution,Διανομή στόχων @@ -2319,6 +2337,7 @@ DocType: Activity Cost,Activity Cost,Κόστος δραστηριότητας DocType: Journal Entry,Payment Order,Σειρά ΠΛΗΡΩΜΗΣ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Τιμολόγηση ,Item Delivery Date,Ημερομηνία παράδοσης στοιχείου +DocType: Quality Goal,January-April-July-October,Ιανουάριος-Απρίλιος-Ιούλιος-Οκτώβριος DocType: Purchase Order Item,Warehouse and Reference,Αποθήκη και αναφορά apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Ο λογαριασμός με τους παιδικούς κόμβους δεν μπορεί να μετατραπεί σε ημερολόγιο DocType: Soil Texture,Clay Composition (%),Σύνθεση πηλού (%) @@ -2369,6 +2388,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Οι μελλοντι apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Σειρά {0}: Ρυθμίστε τον τρόπο πληρωμής στο χρονοδιάγραμμα πληρωμών apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Ακαδημαϊκός όρος: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Ποιότητα Παράμετρος Ανατροφοδότησης apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Παρακαλούμε επιλέξτε Εφαρμογή έκπτωσης apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Σειρά # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Συνολικές Πληρωμές @@ -2411,7 +2431,7 @@ DocType: Hub Tracked Item,Hub Node,Κόμβος Hub apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Ταυτότητα Υπαλλήλου DocType: Salary Structure Assignment,Salary Structure Assignment,Αντιστοίχιση διάρθρωσης μισθοδοσίας DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Φόροι από το κουπόνι κλεισίματος POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Ενέργεια Αρχικοποιήθηκε +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Ενέργεια Αρχικοποιήθηκε DocType: POS Profile,Applicable for Users,Ισχύει για χρήστες DocType: Training Event,Exam,Εξέταση apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Εμφανίστηκε εσφαλμένος αριθμός εγγραφών γενικής εφημερίδας. Μπορεί να έχετε επιλέξει λάθος λογαριασμό στη συναλλαγή. @@ -2518,6 +2538,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Γεωγραφικό μήκος DocType: Accounts Settings,Determine Address Tax Category From,Προσδιορίστε τη φορολογική κατηγορία διευθύνσεων από apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Προσδιορισμός των υπεύθυνων λήψης αποφάσεων +DocType: Stock Entry Detail,Reference Purchase Receipt,Αναφορά παραλαβής αναφοράς apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Λάβετε Τιμωρίες DocType: Tally Migration,Is Day Book Data Imported,Εισάγονται δεδομένα βιβλίου ημέρας ,Sales Partners Commission,Επιτροπή Συνεργατών Πωλήσεων @@ -2541,6 +2562,7 @@ DocType: Leave Type,Applicable After (Working Days),Εφαρμόζεται με DocType: Timesheet Detail,Hrs,Ώρες DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Κριτήρια καρτών βαθμολογίας προμηθευτών DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Παράμετρος πρότυπου αναφοράς ποιότητας apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Η ημερομηνία εγγραφής πρέπει να είναι μεγαλύτερη από την ημερομηνία γέννησης DocType: Bank Statement Transaction Invoice Item,Invoice Date,Την ημερομηνία του τιμολογίου DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Δημιουργία δοκιμών εργαστηρίου στην υποβολή τιμολογίου πωλήσεων @@ -2647,7 +2669,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Ελάχιστη επ DocType: Stock Entry,Source Warehouse Address,Διεύθυνση αποθήκης προέλευσης DocType: Compensatory Leave Request,Compensatory Leave Request,Αίτημα αντισταθμιστικής άδειας DocType: Lead,Mobile No.,Οχι κινητό. -DocType: Quality Goal,July,Ιούλιος +DocType: GSTR 3B Report,July,Ιούλιος apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Επιλέξιμο ITC DocType: Fertilizer,Density (if liquid),Πυκνότητα (εάν είναι υγρή) DocType: Employee,External Work History,Ιστορικό εξωτερικών εργασιών @@ -2724,6 +2746,7 @@ DocType: Certification Application,Certification Status,Κατάσταση πι apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Η τοποθεσία προέλευσης απαιτείται για το στοιχείο {0} DocType: Employee,Encashment Date,Ημερομηνία ενσωμάτωσης apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Παρακαλούμε επιλέξτε Ημερομηνία ολοκλήρωσης για το ολοκληρωμένο αρχείο συντήρησης περιουσιακών στοιχείων +DocType: Quiz,Latest Attempt,Τελευταία προσπάθεια DocType: Leave Block List,Allow Users,Επιτρέψτε στους χρήστες apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Λογιστικό Σχέδιο apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Ο Πελάτης είναι υποχρεωτικός αν επιλέξει ως Πελάτη η επιλογή «Ευκαιρία Από» @@ -2788,7 +2811,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Ρύθμιση πί DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Ρυθμίσεις DocType: Program Enrollment,Walking,Το περπάτημα DocType: SMS Log,Requested Numbers,Ζητούμενοι αριθμοί -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης DocType: Woocommerce Settings,Freight and Forwarding Account,Λογαριασμός Μεταφοράς και Μεταφοράς apps/erpnext/erpnext/accounts/party.py,Please select a Company,Επιλέξτε μια εταιρεία apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Η σειρά {0}: {1} πρέπει να είναι μεγαλύτερη από 0 @@ -2858,7 +2880,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Λογαρ DocType: Training Event,Seminar,Σεμινάριο apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Πιστωτική ({0}) DocType: Payment Request,Subscription Plans,Σχέδια συνδρομής -DocType: Quality Goal,March,Μάρτιος +DocType: GSTR 3B Report,March,Μάρτιος apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Διαχωρίστε παρτίδα DocType: School House,House Name,Ονομα σπιτιού apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Η εμφάνιση του {0} δεν μπορεί να είναι μικρότερη από μηδέν ({1}) @@ -2921,7 +2943,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Ημερομηνία έναρξης ασφάλισης DocType: Target Detail,Target Detail,Λεπτομέρεια στόχου DocType: Packing Slip,Net Weight UOM,Καθαρό βάρος UOM -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: Purchase Invoice Item,Net Amount (Company Currency),Καθαρό Ποσό (Νόμισμα Εταιρείας) DocType: Bank Statement Transaction Settings Item,Mapped Data,Χαρτογραφημένα δεδομένα apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Τίτλοι και καταθέσεις @@ -2971,6 +2992,7 @@ DocType: Cheque Print Template,Cheque Height,Ελέγξτε το ύψος apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Παρακαλούμε εισάγετε ημερομηνία αναβολής. DocType: Loyalty Program,Loyalty Program Help,Βοήθεια του προγράμματος πιστότητας DocType: Journal Entry,Inter Company Journal Entry Reference,Αναφορά Εισαγωγής Περιοδικής Εταιρείας +DocType: Quality Meeting,Agenda,Ημερήσια διάταξη DocType: Quality Action,Corrective,Διορθωτικός apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Ομάδα με DocType: Bank Account,Address and Contact,Διεύθυνση και Επαφή @@ -3024,7 +3046,7 @@ DocType: GL Entry,Credit Amount,Ποσό πίστωσης apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Συνολικό ποσό που πιστώθηκε DocType: Support Search Source,Post Route Key List,Λίστα καταλόγου διαδρομών μετά apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} δεν είναι σε κανένα ενεργό Φορολογικό Έτος. -DocType: Quality Action Table,Problem,Πρόβλημα +DocType: Quality Action Resolution,Problem,Πρόβλημα DocType: Training Event,Conference,Διάσκεψη DocType: Mode of Payment Account,Mode of Payment Account,Τρόπος πληρωμής λογαριασμού DocType: Leave Encashment,Encashable days,Ενδεχόμενες ημέρες @@ -3150,7 +3172,7 @@ DocType: Item,"Purchase, Replenishment Details","Αγορά, Λεπτομέρε DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Αφού οριστεί, αυτό το τιμολόγιο θα παραμείνει αναμμένο μέχρι την καθορισμένη ημερομηνία" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Το απόθεμα δεν μπορεί να υπάρχει για το στοιχείο {0} αφού έχει παραλλαγές DocType: Lab Test Template,Grouped,Ομαδοποιημένο -DocType: Quality Goal,January,Ιανουάριος +DocType: GSTR 3B Report,January,Ιανουάριος DocType: Course Assessment Criteria,Course Assessment Criteria,Κριτήρια αξιολόγησης μαθημάτων DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Ολοκληρωμένη ποσότητα @@ -3246,7 +3268,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Τύπος μ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Εισαγάγετε τουλάχιστον 1 τιμολόγιο στον πίνακα apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Η εντολή πωλήσεων {0} δεν έχει υποβληθεί apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Η παρακολούθηση έχει επισημανθεί επιτυχώς. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Προπωλήσεις +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Προπωλήσεις apps/erpnext/erpnext/config/projects.py,Project master.,Κύριος Έργου. DocType: Daily Work Summary,Daily Work Summary,Ημερήσια σύνοψη εργασιών DocType: Asset,Partially Depreciated,Εν μέρει αποσβέστηκε @@ -3255,6 +3277,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Αφήστε Encashed; DocType: Certified Consultant,Discuss ID,Συζητήστε ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Ορίστε λογαριασμούς GST στις ρυθμίσεις GST +DocType: Quiz,Latest Highest Score,Τελευταία υψηλότερη βαθμολογία DocType: Supplier,Billing Currency,Νόμισμα χρέωσης apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Δραστηριότητα σπουδαστών apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Είτε στόχος qty είτε ποσό στόχος είναι υποχρεωτικό @@ -3280,18 +3303,21 @@ DocType: Sales Order,Not Delivered,Δεν έχει παραδωθεί apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Ο τύπος άδειας {0} δεν μπορεί να διατεθεί αφού είναι χωρίς άδεια DocType: GL Entry,Debit Amount,Ποσό χρέωσης apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Υπάρχει ήδη εγγραφή για το στοιχείο {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Υποσυστήματα 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.","Εάν εξακολουθούν να ισχύουν πολλοί Κανόνες Τιμολόγησης, οι χρήστες καλούνται να ορίσουν μη αυτόματα την Προτεραιότητα για την επίλυση συγκρούσεων." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Δεν είναι δυνατή η έκπτωση όταν η κατηγορία είναι για την "Εκτίμηση" ή "Εκτίμηση και Σύνολο" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM και Ποσότητα Παραγωγής apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Το στοιχείο {0} έχει φτάσει στο τέλος της ζωής του στις {1} DocType: Quality Inspection Reading,Reading 6,Ανάγνωση 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Απαιτείται πεδίο εταιρείας apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Η κατανάλωση υλικού δεν έχει οριστεί στις Ρυθμίσεις κατασκευής. DocType: Assessment Group,Assessment Group Name,Όνομα ομάδας αξιολόγησης -DocType: Item,Manufacturer Part Number,Αριθμός μέρους κατασκευαστή +DocType: Purchase Invoice Item,Manufacturer Part Number,Αριθμός μέρους κατασκευαστή apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Μισθοδοσία πληρωτέα apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Η σειρά # {0}: {1} δεν μπορεί να είναι αρνητική για το στοιχείο {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Ποσότητα ισορροπίας +DocType: Question,Multiple Correct Answer,Πολλαπλή σωστή απάντηση DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Πόντοι Πίστης = Πόσο βασικό νόμισμα; apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Σημείωση: Δεν υπάρχει αρκετό υπόλοιπο άδειας για το Leave Type {0} DocType: Clinical Procedure,Inpatient Record,Εγγραφή στα νοσοκομεία @@ -3414,6 +3440,7 @@ DocType: Fee Schedule Program,Total Students,Σύνολο φοιτητών apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Τοπικός DocType: Chapter Member,Leave Reason,Αφήστε τον λόγο DocType: Salary Component,Condition and Formula,Κατάσταση και τύπος +DocType: Quality Goal,Objectives,Στόχοι apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Ο μισθός που έχει ήδη υποβληθεί για περίοδο μεταξύ {0} και {1}, η περίοδος περιόδου εφαρμογής δεν μπορεί να είναι μεταξύ αυτού του εύρους ημερομηνιών." DocType: BOM Item,Basic Rate (Company Currency),Βασικό επιτόκιο (νόμισμα εταιρείας) DocType: BOM Scrap Item,BOM Scrap Item,Απορρίμματα BOM Στοιχείο @@ -3464,6 +3491,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Λογαριασμός Αξίωσης Εξόδων apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Δεν υπάρχουν διαθέσιμες επιστροφές για την καταχώριση εισερχομένων apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} είναι ανενεργός φοιτητής +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Κάντε καταχώρηση αποθέματος DocType: Employee Onboarding,Activities,Δραστηριότητες apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Τουλάχιστον μία αποθήκη είναι υποχρεωτική ,Customer Credit Balance,Πιστωτικό υπόλοιπο πελατών @@ -3548,7 +3576,6 @@ DocType: Contract,Contract Terms,Όροι Συμβολαίου apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Είτε στόχος qty είτε ποσό στόχος είναι υποχρεωτικό. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Μη έγκυρο {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Ημερομηνία συνεδρίασης DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Η συντομογραφία δεν μπορεί να έχει περισσότερους από 5 χαρακτήρες DocType: Employee Benefit Application,Max Benefits (Yearly),Μέγιστα οφέλη (ετησίως) @@ -3651,7 +3678,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Τραπεζικές χρεώσεις apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Μεταφορά εμπορευμάτων apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Κύρια στοιχεία επικοινωνίας -DocType: Quality Review,Values,Αξίες DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Εάν δεν έχει επιλεγεί, ο κατάλογος θα πρέπει να προστεθεί σε κάθε Τμήμα όπου πρέπει να εφαρμοστεί." DocType: Item Group,Show this slideshow at the top of the page,Εμφάνιση αυτής της προβολής διαφανειών στο επάνω μέρος της σελίδας apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Η παράμετρος {0} δεν είναι έγκυρη @@ -3670,6 +3696,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Λογαριασμός τραπεζικών χρεώσεων DocType: Journal Entry,Get Outstanding Invoices,Αποκτήστε εξαιρετικά τιμολόγια DocType: Opportunity,Opportunity From,Ευκαιρία από +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Στοιχεία στόχου DocType: Item,Customer Code,Κωδικός πελάτη apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Εισαγάγετε πρώτα το στοιχείο apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Καταχώρηση ιστότοπου @@ -3698,7 +3725,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Παράδοση σε DocType: Bank Statement Transaction Settings Item,Bank Data,Στοιχεία τράπεζας apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Προγραμματισμένη μέχρι -DocType: Quality Goal,Everyday,Κάθε μέρα DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Διατηρήστε τις ώρες χρέωσης και τις ώρες εργασίας ίδιες με το φύλλο εργασίας apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Το κομμάτι οδηγεί από την κύρια πηγή. DocType: Clinical Procedure,Nursing User,Χρήστης νοσηλευτικής @@ -3723,7 +3749,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Διαχείριση DocType: GL Entry,Voucher Type,Τύπος κουπονιού ,Serial No Service Contract Expiry,Δεν λήγει η σύμβαση παροχής υπηρεσιών DocType: Certification Application,Certified,Πιστοποιημένο -DocType: Material Request Plan Item,Manufacture,Κατασκευή +DocType: Purchase Invoice Item,Manufacture,Κατασκευή apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} παραγόμενα στοιχεία apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Αίτημα πληρωμής για {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Ημέρες από την τελευταία σειρά @@ -3738,7 +3764,7 @@ DocType: Sales Invoice,Company Address Name,Όνομα διεύθυνσης ετ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Τα εμπορεύματα κατά τη διαμετακόμιση apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Μπορείτε να εξαργυρώσετε τα μέγιστα {0} πόντους σε αυτή τη σειρά. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Ορίστε λογαριασμό στην αποθήκη {0} -DocType: Quality Action Table,Resolution,Ανάλυση +DocType: Quality Action,Resolution,Ανάλυση DocType: Sales Invoice,Loyalty Points Redemption,Πόντοι πίστης εξαγοράς apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Συνολική φορολογητέα αξία DocType: Patient Appointment,Scheduled,Προγραμματισμένος @@ -3859,6 +3885,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Τιμή apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Αποθήκευση {0} DocType: SMS Center,Total Message(s),Σύνολο μηνύματος (ων) +DocType: Purchase Invoice,Accounting Dimensions,Λογιστικές διαστάσεις apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Ομάδα ανά λογαριασμό DocType: Quotation,In Words will be visible once you save the Quotation.,Οι λέξεις θα είναι ορατές μόλις αποθηκεύσετε την προσφορά. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Ποσότητα προς παραγωγή @@ -4023,7 +4050,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Εάν έχετε οποιεσδήποτε ερωτήσεις, παρακαλούμε επικοινωνήστε μαζί μας." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Η παραλαβή αγοράς {0} δεν έχει υποβληθεί DocType: Task,Total Expense Claim (via Expense Claim),Αίτηση συνολικής δαπάνης (μέσω Αξίωσης εξόδων) -DocType: Quality Action,Quality Goal,Στόχος ποιότητας +DocType: Quality Goal,Quality Goal,Στόχος ποιότητας DocType: Support Settings,Support Portal,Υποστήριξη πύλης apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Η ημερομηνία λήξης της εργασίας {0} δεν μπορεί να είναι μικρότερη από την {1} αναμενόμενη ημερομηνία έναρξης {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Ο υπάλληλος {0} είναι ανοιχτός στο {1} @@ -4082,7 +4109,6 @@ DocType: BOM,Operating Cost (Company Currency),Κόστος Λειτουργία DocType: Item Price,Item Price,Τιμη προιοντος DocType: Payment Entry,Party Name,Όνομα κόμματος apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Επιλέξτε έναν πελάτη -DocType: Course,Course Intro,Εισαγωγή μαθήματος DocType: Program Enrollment Tool,New Program,Νέο Πρόγραμμα apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Αριθμός νέου Κέντρου Κόστους, θα συμπεριληφθεί στο όνομα του κέντρου κόστους ως πρόθεμα" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Επιλέξτε τον πελάτη ή τον προμηθευτή. @@ -4283,6 +4309,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Η καθαρή αμοιβή δεν μπορεί να είναι αρνητική apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Αριθ. Αλληλεπιδράσεων 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/hr/doctype/employee/employee_dashboard.py,Shift,Βάρδια apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Επεξεργασία Λογαριασμών και Συμβαλλόμενων Μερών DocType: Stock Settings,Convert Item Description to Clean HTML,Μετατρέψτε την περιγραφή στοιχείου για να καθαρίσετε το HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Όλες οι ομάδες προμηθευτών @@ -4361,6 +4388,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Το γονικό στοιχείο apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Μεσιτεία apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Δημιουργήστε την απόδειξη αγοράς ή το τιμολόγιο αγοράς για το στοιχείο {0} +,Product Bundle Balance,Υπόλοιπο δέσμης προϊόντων apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Το όνομα της εταιρείας δεν μπορεί να είναι εταιρεία DocType: Maintenance Visit,Breakdown,Επαθε βλάβη DocType: Inpatient Record,B Negative,Β Αρνητικό @@ -4369,7 +4397,7 @@ DocType: Purchase Invoice,Credit To,Πιστωτική προς apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Υποβάλετε αυτήν την εντολή εργασίας για περαιτέρω επεξεργασία. DocType: Bank Guarantee,Bank Guarantee Number,Αριθμός τραπεζικής εγγύησης apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Παραδόθηκε: {0} -DocType: Quality Action,Under Review,Υπό εξέταση +DocType: Quality Meeting Table,Under Review,Υπό εξέταση apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Γεωργία (βήτα) ,Average Commission Rate,Μέση τιμή της Επιτροπής DocType: Sales Invoice,Customer's Purchase Order Date,Ημερομηνία παραγγελίας αγοράς πελάτη @@ -4486,7 +4514,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Πληρωμή πληρωμών με τιμολόγια DocType: Holiday List,Weekly Off,Εβδομαδιαία απενεργοποίηση apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Δεν επιτρέπεται να ορίσετε εναλλακτικό στοιχείο για το στοιχείο {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Το πρόγραμμα {0} δεν υπάρχει. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Το πρόγραμμα {0} δεν υπάρχει. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Δεν μπορείτε να επεξεργαστείτε τον κόμβο ρίζας. DocType: Fee Schedule,Student Category,Κατηγορία σπουδαστών apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",Στοιχείο {0}: {1} @@ -4577,8 +4605,8 @@ DocType: Crop,Crop Spacing,Διαχωρισμός καλλιεργειών DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Πόσο συχνά πρέπει να ενημερώνεται το έργο και η εταιρεία με βάση τις συναλλαγές πωλήσεων. DocType: Pricing Rule,Period Settings,Ρυθμίσεις περιόδου apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Καθαρή μεταβολή των εισπρακτέων λογαριασμών +DocType: Quality Feedback Template,Quality Feedback Template,Πρότυπο σχολιασμού ποιότητας apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Για την ποσότητα πρέπει να είναι μεγαλύτερη από μηδέν -DocType: Quality Goal,Goal Objectives,Στόχοι στόχων apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Υπάρχουν ανακολουθίες μεταξύ του ποσοστού, του αριθμού των μετοχών και του ποσού που υπολογίζεται" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Αφήστε κενό αν κάνετε ομάδες φοιτητών ανά έτος apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Δάνεια (Υποχρεώσεις) @@ -4613,12 +4641,13 @@ DocType: Quality Procedure Table,Step,Βήμα DocType: Normal Test Items,Result Value,Τιμή αποτελέσματος DocType: Cash Flow Mapping,Is Income Tax Liability,Είναι η Φορολογία Εισοδήματος DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Στοιχείο επιβάρυνσης επισκεπτών ασθενών -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} δεν υπάρχει. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} δεν υπάρχει. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Ενημέρωση απάντησης DocType: Bank Guarantee,Supplier,Προμηθευτής apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Εισαγάγετε αξία μεταξύ {0} και {1} DocType: Purchase Order,Order Confirmation Date,Ημερομηνία επιβεβαίωσης παραγγελίας DocType: Delivery Trip,Calculate Estimated Arrival Times,Υπολογίστε τους εκτιμώμενους χρόνους άφιξης +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Καταναλώσιμος DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Ημερομηνία Έναρξης Συνδρομής @@ -4682,6 +4711,7 @@ DocType: Cheque Print Template,Is Account Payable,Είναι λογαριασμ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Συνολική τιμή παραγγελίας apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Ο προμηθευτής {0} δεν βρέθηκε στο {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Ρύθμιση ρυθμίσεων πύλης SMS +DocType: Salary Component,Round to the Nearest Integer,Στρογγυλά στο πλησιέστερο ακέραιο apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Η ρίζα δεν μπορεί να έχει γονικό κέντρο κόστους DocType: Healthcare Service Unit,Allow Appointments,Επιτρέψτε τα ραντεβού DocType: BOM,Show Operations,Εμφάνιση λειτουργιών @@ -4810,7 +4840,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Προεπιλεγμένη λίστα διακοπών DocType: Naming Series,Current Value,Τρέχουσα τιμή apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Εποχικότητα για τον καθορισμό προϋπολογισμών, στόχων κ.λπ." -DocType: Program,Program Code,Κωδικός προγράμματος apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Προειδοποίηση: Η εντολή πωλήσεων {0} υπάρχει ήδη κατά της εντολής αγοράς {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Μηνιαίο Στόχο Πωλήσεων ( DocType: Guardian,Guardian Interests,Τα συμφέροντα του φύλακα @@ -4860,10 +4889,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Πληρωμή και μη παράδοση apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Ο κωδικός στοιχείου είναι υποχρεωτικός, επειδή το στοιχείο δεν αριθμείται αυτόματα" DocType: GST HSN Code,HSN Code,Κωδικός HSN -DocType: Quality Goal,September,Σεπτέμβριος +DocType: GSTR 3B Report,September,Σεπτέμβριος apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Εξοδα διοικητικής λειτουργίας DocType: C-Form,C-Form No,Αριθ. C της φόρμας DocType: Purchase Invoice,End date of current invoice's period,Ημερομηνία λήξης της περιόδου του τρέχοντος τιμολογίου +DocType: Item,Manufacturers,Κατασκευαστές DocType: Crop Cycle,Crop Cycle,Κύκλος καλλιέργειας DocType: Serial No,Creation Time,Ώρα δημιουργίας apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Εισαγάγετε τον ρόλο έγκρισης ή τον εγκεκριμένο χρήστη @@ -4936,8 +4966,6 @@ DocType: Employee,Short biography for website and other publications.,Σύντο DocType: Purchase Invoice Item,Received Qty,Παραλήφθηκε ποσότητα DocType: Purchase Invoice Item,Rate (Company Currency),Τιμή (νόμισμα εταιρείας) DocType: Item Reorder,Request for,Αίτηση για -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Διαγράψτε τον υπάλληλο {0} \ για να ακυρώσετε αυτό το έγγραφο" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Εγκατάσταση προρυθμίσεων apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Εισαγάγετε τις Περίοδοι Αποπληρωμής DocType: Pricing Rule,Advanced Settings,Προηγμένες ρυθμίσεις @@ -4963,7 +4991,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Ενεργοποιήστε το καλάθι αγορών DocType: Pricing Rule,Apply Rule On Other,Εφαρμογή κανόνα σε άλλο DocType: Vehicle,Last Carbon Check,Τελευταίος έλεγχος άνθρακα -DocType: Vehicle,Make,"Φτιαχνω, κανω" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,"Φτιαχνω, κανω" apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Το Τιμολόγιο Πωλήσεων {0} δημιουργήθηκε ως πληρωμένο apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Για να δημιουργήσετε ένα έγγραφο αναφοράς αιτήματος πληρωμής απαιτείται apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Φόρος εισοδήματος @@ -5039,7 +5067,6 @@ DocType: Territory,Parent Territory,Γονική επικράτεια DocType: Vehicle Log,Odometer Reading,Αναγνώριση οδόμετρου DocType: Additional Salary,Salary Slip,Πληρωμή μισθοδοσίας DocType: Payroll Entry,Payroll Frequency,Συχνότητα μισθοδοσίας -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Οι ημερομηνίες έναρξης και λήξης δεν ισχύουν σε μια έγκυρη περίοδο μισθοδοσίας, δεν μπορούν να υπολογίσουν {0}" DocType: Products Settings,Home Page is Products,Η Αρχική Σελίδα είναι Προϊόντα apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Κλήσεις @@ -5093,7 +5120,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Ανάκτηση αρχείων ...... DocType: Delivery Stop,Contact Information,Στοιχεία επικοινωνίας DocType: Sales Order Item,For Production,Για την παραγωγή -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση> Ρυθμίσεις Εκπαίδευσης DocType: Serial No,Asset Details,Στοιχεία ενεργητικού DocType: Restaurant Reservation,Reservation Time,Χρόνος κράτησης DocType: Selling Settings,Default Territory,Προεπιλεγμένο έδαφος @@ -5233,6 +5259,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Έληξε παρτίδες DocType: Shipping Rule,Shipping Rule Type,Τύπος κανόνα αποστολής DocType: Job Offer,Accepted,Αποδεκτό +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Διαγράψτε τον υπάλληλο {0} \ για να ακυρώσετε αυτό το έγγραφο" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Έχετε ήδη αξιολογήσει τα κριτήρια αξιολόγησης {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Επιλέξτε αριθμούς παρτίδας apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Ηλικία (ημέρες) @@ -5249,6 +5277,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Πακέτα αντικειμένων κατά την πώληση. DocType: Payment Reconciliation Payment,Allocated Amount,Χορηγηθέν ποσό apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Επιλέξτε Εταιρεία και ονομασία +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,Απαιτείται η "Ημερομηνία" DocType: Email Digest,Bank Credit Balance,Τραπεζικό υπόλοιπο τραπεζών apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Εμφάνιση αθροιστικού ποσού apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Δεν διαθέτετε σημεία πίστης για να εξαργυρώσετε @@ -5309,11 +5338,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Στο προηγού DocType: Student,Student Email Address,Διεύθυνση ηλεκτρονικού ταχυδρομείου σπουδαστών DocType: Academic Term,Education,Εκπαίδευση DocType: Supplier Quotation,Supplier Address,Διεύθυνση προμηθευτή -DocType: Salary Component,Do not include in total,Μην συμπεριλάβετε συνολικά +DocType: Salary Detail,Do not include in total,Μην συμπεριλάβετε συνολικά apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Δεν είναι δυνατή η ρύθμιση πολλών προεπιλογών στοιχείων για μια εταιρεία. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} δεν υπάρχει DocType: Purchase Receipt Item,Rejected Quantity,Απόρριψη ποσότητας DocType: Cashier Closing,To TIme,Για το TIme +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: Daily Work Summary Group User,Daily Work Summary Group User,Καθημερινός χρήστης ομάδας σύνοψης εργασίας DocType: Fiscal Year Company,Fiscal Year Company,Εταιρεία οικονομικών ετών apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Το εναλλακτικό στοιχείο δεν πρέπει να είναι ίδιο με τον κωδικό είδους @@ -5423,7 +5453,6 @@ DocType: Fee Schedule,Send Payment Request Email,Αποστολή ηλεκτρο DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Οι λέξεις θα είναι ορατές μόλις αποθηκεύσετε το Τιμολόγιο Πωλήσεων. DocType: Sales Invoice,Sales Team1,Ομάδα πωλήσεων1 DocType: Work Order,Required Items,Απαιτούμενα στοιχεία -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Ειδικοί χαρακτήρες εκτός από "-", "#", "" ". και "/" δεν επιτρέπονται στη σειρά ονομασιών" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Διαβάστε το Εγχειρίδιο ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Ελέγξτε την μοναδικότητα του αριθμού του τιμολογίου του προμηθευτή apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Αναζήτηση υποσυγκροτημάτων @@ -5491,7 +5520,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Ποσοστό Αφαίρεσης apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Η ποσότητα παραγωγής δεν μπορεί να είναι μικρότερη από μηδέν DocType: Share Balance,To No,Σε Όχι DocType: Leave Control Panel,Allocate Leaves,Κατανομή φύλλων -DocType: Quiz,Last Attempt,Τελευταία προσπάθεια DocType: Assessment Result,Student Name,Ονομα μαθητή apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Σχέδιο για επισκέψεις συντήρησης. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Τα ακόλουθα αιτήματα υλικού έχουν αυξηθεί αυτόματα με βάση το επίπεδο επαναφοράς της παραγγελίας @@ -5560,6 +5588,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Χρώμα δείκτη DocType: Item Variant Settings,Copy Fields to Variant,Αντιγραφή πεδίων στην παραλλαγή DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Ενιαία σωστή απάντηση apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Από την ημερομηνία δεν μπορεί να είναι μικρότερη από την ημερομηνία ένταξης των εργαζομένων DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Να επιτρέπονται πολλαπλές εντολές πώλησης βάσει εντολής αγοράς πελάτη apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5622,7 +5651,7 @@ DocType: Account,Expenses Included In Valuation,Έξοδα που περιλαμ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Σειριακοί αριθμοί DocType: Salary Slip,Deductions,Κρατήσεις ,Supplier-Wise Sales Analytics,Προμηθευτής-Wise Analytics Sales -DocType: Quality Goal,February,Φεβρουάριος +DocType: GSTR 3B Report,February,Φεβρουάριος DocType: Appraisal,For Employee,Για τον υπάλληλο apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Πραγματική ημερομηνία παράδοσης DocType: Sales Partner,Sales Partner Name,Όνομα συνεργάτη πωλήσεων @@ -5718,7 +5747,6 @@ DocType: Procedure Prescription,Procedure Created,Η διαδικασία δημ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Ενάντια στο τιμολόγιο προμηθευτή {0} με ημερομηνία {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Αλλάξτε το προφίλ POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Δημιουργία μολύβδου -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή DocType: Shopify Settings,Default Customer,Προεπιλεγμένος πελάτης DocType: Payment Entry Reference,Supplier Invoice No,Αριθμός τιμολογίου προμηθευτή DocType: Pricing Rule,Mixed Conditions,Μικτές συνθήκες @@ -5769,12 +5797,14 @@ DocType: Item,End of Life,Τέλος της ζωής DocType: Lab Test Template,Sensitivity,Ευαισθησία DocType: Territory,Territory Targets,Στόχοι της επικράτειας apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Η παράλειψη της παραχώρησης άδειας παραχώρησης για τους ακόλουθους υπαλλήλους, δεδομένου ότι οι εγγραφές Ακύρωση κατανομής υπάρχουν ήδη εναντίον τους. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Ποιότητα Ψήφισμα Δράσης DocType: Sales Invoice Item,Delivered By Supplier,Παράδοση από προμηθευτή DocType: Agriculture Analysis Criteria,Plant Analysis,Ανάλυση φυτών apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Ο λογαριασμός εξόδων είναι υποχρεωτικός για το στοιχείο {0} ,Subcontracted Raw Materials To Be Transferred,Υπεργολαβικές πρώτες ύλες που πρέπει να μεταφερθούν DocType: Cashier Closing,Cashier Closing,Τερματισμός Ταμίας apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Το στοιχείο {0} έχει ήδη επιστραφεί +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Μη έγκυρο GSTIN! Η είσοδος που έχετε πληκτρολογήσει δεν αντιστοιχεί στη μορφή GSTIN για τους κατόχους UIN ή τους παροχείς υπηρεσιών OIDAR που δεν είναι κάτοικοι apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Υπάρχει αποθήκη παιδιού για αυτήν την αποθήκη. Δεν μπορείτε να διαγράψετε αυτήν την αποθήκη. DocType: Diagnosis,Diagnosis,Διάγνωση apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Δεν υπάρχει περίοδος άδειας μεταξύ {0} και {1} @@ -5791,6 +5821,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Ρυθμίσεις εξου DocType: Homepage,Products,Προϊόντα ,Profit and Loss Statement,Δήλωση Κερδών και Ζημιών apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Δωμάτια Κράτηση +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Διπλότυπη καταχώρηση έναντι του κωδικού {0} και του κατασκευαστή {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Συνολικό βάρος apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Ταξίδι @@ -5839,6 +5870,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Προεπιλεγμένη ομάδα πελατών DocType: Journal Entry Account,Debit in Company Currency,Χρεωστική αξία σε νόμισμα εταιρείας DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Η εφεδρική σειρά είναι "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Ατζέντα ποιότητας DocType: Cash Flow Mapper,Section Header,Κεφαλίδα τμήματος apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Τα προϊόντα ή τις υπηρεσίες σας DocType: Crop,Perennial,Αιωνόβιος @@ -5884,7 +5916,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Ένα Προϊόν ή μια Υπηρεσία που αγοράζεται, πωλείται ή διατηρείται σε απόθεμα." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Κλείσιμο (Άνοιγμα + Σύνολο) DocType: Supplier Scorecard Criteria,Criteria Formula,Κριτήρια Φόρμουλα -,Support Analytics,Υποστήριξη Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Υποστήριξη Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Ανασκόπηση και δράση DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Εάν ο λογαριασμός είναι παγωμένος, οι καταχωρήσεις επιτρέπονται σε περιορισμένους χρήστες." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Ποσό μετά από αποσβέσεις @@ -5929,7 +5961,6 @@ DocType: Contract Template,Contract Terms and Conditions,Όροι και προ apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Λήψη δεδομένων DocType: Stock Settings,Default Item Group,Προεπιλεγμένη ομάδα στοιχείων DocType: Sales Invoice Timesheet,Billing Hours,Ώρες χρέωσης -DocType: Item,Item Code for Suppliers,Κωδικός στοιχείου για προμηθευτές apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Αφήστε την εφαρμογή {0} να υπάρχει ήδη εναντίον του μαθητή {1} DocType: Pricing Rule,Margin Type,Τύπος περιθωρίου DocType: Purchase Invoice Item,Rejected Serial No,Απόρριψη σειριακού αριθμού @@ -6002,6 +6033,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Τα φύλλα έχουν χορηγηθεί με επιτυχία DocType: Loyalty Point Entry,Expiry Date,Ημερομηνία λήξης DocType: Project Task,Working,Εργαζόμενος +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} έχει ήδη μια διαδικασία γονέα {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,"Αυτό βασίζεται σε συναλλαγές κατά αυτού του Ασθενούς. Για λεπτομέρειες, δείτε την παρακάτω χρονολογική σειρά" DocType: Material Request,Requested For,Ζητήθηκε για DocType: SMS Center,All Sales Person,Όλα τα άτομα πωλήσεων @@ -6089,6 +6121,7 @@ DocType: Loan Type,Maximum Loan Amount,Μέγιστο ποσό δανείου apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Το ηλεκτρονικό ταχυδρομείο δεν βρέθηκε στην προεπιλεγμένη επαφή DocType: Hotel Room Reservation,Booked,Κράτηση DocType: Maintenance Visit,Partially Completed,Εν μέρει ολοκληρώθηκε +DocType: Quality Procedure Process,Process Description,Περιγραφή διαδικασίας DocType: Company,Default Employee Advance Account,Προεπιλεγμένος λογαριασμός προπληρωμένου προσωπικού DocType: Leave Type,Allow Negative Balance,Επιτρέψτε το αρνητικό υπόλοιπο apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Όνομα σχεδίου αξιολόγησης @@ -6130,6 +6163,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Αίτημα για στοιχείο προσφοράς apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} καταχωρίστηκε δύο φορές στο Φόρο Στοιχείων DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Αφαίρεση πλήρους φόρου στην επιλεγμένη ημερομηνία μισθοδοσίας +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Η τελευταία ημερομηνία ελέγχου άνθρακα δεν μπορεί να είναι μελλοντική ημερομηνία apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Επιλέξτε λογαριασμό αλλαγής ποσού DocType: Support Settings,Forum Posts,Δημοσιεύσεις φόρουμ DocType: Timesheet Detail,Expected Hrs,Αναμενόμενες ώρες @@ -6139,7 +6173,7 @@ DocType: Program Enrollment Tool,Enroll Students,Εγγραφή Φοιτητών apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Επαναλαμβανόμενα έσοδα πελατών DocType: Company,Date of Commencement,Ημερομηνία έναρξης DocType: Bank,Bank Name,Ονομα τράπεζας -DocType: Quality Goal,December,Δεκέμβριος +DocType: GSTR 3B Report,December,Δεκέμβριος apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Ισχύει από την ημερομηνία πρέπει να είναι μικρότερη από την ισχύουσα μέχρι σήμερα apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Αυτό βασίζεται στη συμμετοχή αυτού του υπαλλήλου DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Εάν είναι επιλεγμένο, η Αρχική σελίδα θα είναι η προεπιλεγμένη Ομάδα Στοιχείων για τον ιστότοπο" @@ -6182,6 +6216,7 @@ DocType: Payment Entry,Payment Type,Τρόπος πληρωμής apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Οι αριθμοί των φύλλων δεν ταιριάζουν DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Έλεγχος ποιότητας: Δεν έχει υποβληθεί {0} για το στοιχείο: {1} στη σειρά {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Εμφάνιση {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} αντικείμενο βρέθηκε. ,Stock Ageing,Η γήρανση των αποθεμάτων DocType: Customer Group,Mention if non-standard receivable account applicable,Αναφέρετε αν ισχύει μη συμβατικός εισπρακτικός λογαριασμός @@ -6460,6 +6495,7 @@ DocType: Travel Request,Costing,Κοστολόγηση apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Πάγιο ενεργητικό DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Συνολικά κέρδη +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια DocType: Share Balance,From No,Από τον αριθμό DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Τιμολόγιο Συμφιλίωσης Πληρωμών DocType: Purchase Invoice,Taxes and Charges Added,Φόροι και χρεώσεις προστέθηκαν @@ -6467,7 +6503,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Εξετάστε DocType: Authorization Rule,Authorized Value,Επιτρεπόμενη τιμή apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Λήψη από apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Η αποθήκη {0} δεν υπάρχει +DocType: Item Manufacturer,Item Manufacturer,Στοιχείο Κατασκευαστής DocType: Sales Invoice,Sales Team,Ομάδα πωλήσεων +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Ποσότητα δέσμης DocType: Purchase Order Item Supplied,Stock UOM,Χρηματιστήριο UOM DocType: Installation Note,Installation Date,Ημερομηνία εγκατάστασης DocType: Email Digest,New Quotations,Νέες προσφορές @@ -6531,7 +6569,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Όνομα λίστας διακοπών DocType: Water Analysis,Collection Temperature ,Θερμοκρασία συλλογής DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Διαχειριστείτε την αποστολή τιμολογίου και την αυτόματη ακύρωση της συνδρομής για τη συνάντηση ασθενών -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ορίστε την Ονοματοδοσία για {0} μέσω του Setup> Settings> Naming Series DocType: Employee Benefit Claim,Claim Date,Ημερομηνία αξίωσης DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Αφήστε κενό εάν ο Προμηθευτής μπλοκάρει επ 'αόριστον apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Η συμμετοχή από την ημερομηνία και η συμμετοχή στην ημερομηνία είναι υποχρεωτική @@ -6542,6 +6579,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Ημερομηνία συνταξιοδότησης apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Επιλέξτε Ασθενή DocType: Asset,Straight Line,Ευθεία +DocType: Quality Action,Resolutions,Ψηφίσματα DocType: SMS Log,No of Sent SMS,Αριθμός αποστολής SMS ,GST Itemised Sales Register,GST Αναλυτικό Μητρώο Πωλήσεων apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Το συνολικό ποσό προκαταβολής δεν μπορεί να είναι μεγαλύτερο από το συνολικό ποσό που έχει επιβληθεί @@ -6652,7 +6690,7 @@ DocType: Account,Profit and Loss,Κέρδος και ζημία apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Διαφορά Ποσ DocType: Asset Finance Book,Written Down Value,Γραπτή τιμή κάτω apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Ανοιχτό Ισοζύγιο Ισοζυγίου -DocType: Quality Goal,April,Απρίλιος +DocType: GSTR 3B Report,April,Απρίλιος DocType: Supplier,Credit Limit,Πιστωτικό όριο apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Κατανομή apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6707,6 +6745,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Συνδέστε το Shopify με το ERPNext DocType: Homepage Section Card,Subtitle,Υπότιτλος DocType: Soil Texture,Loam,Παχύ χώμα +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή DocType: BOM,Scrap Material Cost(Company Currency),Κόστος παλαιοσιδήρου (νόμισμα εταιρείας) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Δεν πρέπει να υποβληθεί η παραλαβή {0} DocType: Task,Actual Start Date (via Time Sheet),Ημερομηνία πραγματικής έναρξης (μέσω του φύλλου εργασίας) @@ -6762,7 +6801,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Δοσολογία DocType: Cheque Print Template,Starting position from top edge,Θέση εκκίνησης από την πάνω άκρη apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Διάρκεια Συνάντησης (λεπτά) -DocType: Pricing Rule,Disable,Καθιστώ ανίκανο +DocType: Accounting Dimension,Disable,Καθιστώ ανίκανο DocType: Email Digest,Purchase Orders to Receive,Παραγγελίες αγοράς για λήψη apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Οι παραγγελίες παραγωγής δεν μπορούν να δημιουργηθούν για: DocType: Projects Settings,Ignore Employee Time Overlap,Αγνοήστε την επικάλυψη χρόνου εργασίας των εργαζομένων @@ -6846,6 +6885,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Δημ DocType: Item Attribute,Numeric Values,Αριθμητικές τιμές DocType: Delivery Note,Instructions,Οδηγίες DocType: Blanket Order Item,Blanket Order Item,Στοιχείο Παραγγελίας Κουβέρτα +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Υποχρεωτικό για λογαριασμό κερδών και ζημιών apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Η τιμή της Επιτροπής δεν μπορεί να είναι μεγαλύτερη από 100 DocType: Course Topic,Course Topic,Θέμα μαθήματος DocType: Employee,This will restrict user access to other employee records,Αυτό θα περιορίσει την πρόσβαση των χρηστών σε άλλα αρχεία υπαλλήλων @@ -6870,12 +6910,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Διαχείρ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Αποκτήστε πελάτες από apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Ψηφίστε DocType: Employee,Reports to,Αναφέρει στο +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Λογαριασμός Κόμματος DocType: Assessment Plan,Schedule,Πρόγραμμα apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Παρακαλώ περάστε DocType: Lead,Channel Partner,Συνεργάτης καναλιού apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Τιμολογημένο ποσό DocType: Project,From Template,Από το Πρότυπο +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Συνδρομές apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Ποσότητα που πρέπει να γίνει DocType: Quality Review Table,Achieved,Επιτεύχθηκε @@ -6922,7 +6964,6 @@ DocType: Journal Entry,Subscription Section,Τμήμα συνδρομής DocType: Salary Slip,Payment Days,Ημέρες πληρωμής apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Πληροφορίες εθελοντών. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Παγώστε τα αποθέματα παλαιότερα από 'θα πρέπει να είναι μικρότερα από% d ημέρες. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Επιλέξτε Φορολογικό Έτος DocType: Bank Reconciliation,Total Amount,Συνολικό ποσό DocType: Certification Application,Non Profit,Μη κερδοσκοπικος DocType: Subscription Settings,Cancel Invoice After Grace Period,Ακύρωση τιμολογίου μετά την περίοδο χάριτος @@ -6935,7 +6976,6 @@ DocType: Serial No,Warranty Period (Days),Περίοδος εγγύησης (η DocType: Expense Claim Detail,Expense Claim Detail,Λεπτομέρειες διεκδίκησης δαπανών apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Πρόγραμμα: DocType: Patient Medical Record,Patient Medical Record,Ιατρικό αρχείο ασθενών -DocType: Quality Action,Action Description,Περιγραφή ενέργειας DocType: Item,Variant Based On,Βασισμένο σε παραλλαγές DocType: Vehicle Service,Brake Oil,Φρένο πετρελαίου DocType: Employee,Create User,Δημιουργία χρήστη @@ -6991,7 +7031,7 @@ DocType: Cash Flow Mapper,Section Name,Όνομα τμήματος DocType: Packed Item,Packed Item,Συσκευασμένο στοιχείο apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Απαιτείται χρεωστική ή πιστωτική χρέωση για {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Υποβολή μισθών πληρωμών ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Καμία ενέργεια +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Καμία ενέργεια apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Ο προϋπολογισμός δεν μπορεί να αποδοθεί σε {0}, καθώς δεν είναι λογαριασμός εισοδήματος ή εξόδων" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Μάστερ και Λογαριασμοί DocType: Quality Procedure Table,Responsible Individual,Υπεύθυνο άτομο @@ -7114,7 +7154,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Να επιτρέπεται η δημιουργία λογαριασμού έναντι εταιρείας παιδιού DocType: Payment Entry,Company Bank Account,Εταιρικός τραπεζικός λογαριασμός DocType: Amazon MWS Settings,UK,Ηνωμένο Βασίλειο -DocType: Quality Procedure,Procedure Steps,Διαδικασία Βήματα DocType: Normal Test Items,Normal Test Items,Κανονικά στοιχεία δοκιμής apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Το στοιχείο {0}: Το παραγγελθέν qty {1} δεν μπορεί να είναι μικρότερο από την ελάχιστη ποσότητα qty {2} (ορίζεται στο στοιχείο). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Δεν υπάρχει σε απόθεμα @@ -7193,7 +7232,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Ρόλος συντήρησης apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Πρότυπα όρων και προϋποθέσεων DocType: Fee Schedule Program,Fee Schedule Program,Πρόγραμμα προγράμματος χρεώσεων -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Το μάθημα {0} δεν υπάρχει. DocType: Project Task,Make Timesheet,Κάντε Timesheet DocType: Production Plan Item,Production Plan Item,Στοιχείο σχεδίου παραγωγής apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Σύνολο φοιτητών @@ -7215,6 +7253,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Τυλίγοντας apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Μπορείτε να το ανανεώσετε μόνο αν λήξει η ιδιότητά σας εντός 30 ημερών apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Η τιμή πρέπει να είναι μεταξύ {0} και {1} +DocType: Quality Feedback,Parameters,Παράμετροι ,Sales Partner Transaction Summary,Περίληψη συναλλαγών συνεργάτη πωλήσεων DocType: Asset Maintenance,Maintenance Manager Name,Όνομα διαχειριστή συντήρησης apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Απαιτείται η λήψη στοιχείων στοιχείου. @@ -7253,6 +7292,7 @@ DocType: Student Admission,Student Admission,Είσοδος φοιτητών DocType: Designation Skill,Skill,Επιδεξιότητα DocType: Budget Account,Budget Account,Λογαριασμός προϋπολογισμού DocType: Employee Transfer,Create New Employee Id,Δημιουργία νέου αναγνωριστικού προσωπικού +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} απαιτείται για λογαριασμό "Κέρδη και Απώλεια" {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Φόρος αγαθών και υπηρεσιών (GST Ινδία) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Δημιουργία μισθοδοσίας μισθοδοσίας ... DocType: Employee Skill,Employee Skill,Επιδεξιότητα των εργαζομένων @@ -7353,6 +7393,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Τιμολό DocType: Subscription,Days Until Due,Ημέρες μέχρι Λήξη apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Εμφάνιση ολοκληρωθεί apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Έκθεση εισόδου συναλλαγής κατάστασης συναλλαγών +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Τράπεζα Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Σειρά # {0}: Η τιμή πρέπει να είναι ίδια με {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Στοιχεία Υπηρεσίας Υγείας @@ -7409,6 +7450,7 @@ DocType: Training Event Employee,Invited,Καλεσμένος apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Το μέγιστο ποσό που είναι επιλέξιμο για το στοιχείο {0} υπερβαίνει το {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Ποσό στον Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","Για το {0}, μόνο χρεωστικοί λογαριασμοί μπορούν να συνδεθούν με μια άλλη καταχώρηση πίστωσης" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Δημιουργία διαστάσεων ... DocType: Bank Statement Transaction Entry,Payable Account,Υποχρεωτικό Λογαριασμό apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Παρακαλείσθε να αναφέρετε όχι τις απαιτούμενες επισκέψεις DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Επιλέξτε μόνο εάν έχετε εγκαταστήσει έγγραφα χαρτογράφησης ροών ροής μετρητών @@ -7426,6 +7468,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,Χρόνος ανάλυσης DocType: Grading Scale Interval,Grade Description,Βαθμός Περιγραφή DocType: Homepage Section,Cards,Καρτέλλες +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Πρακτικά πρακτικά συνάντησης DocType: Linked Plant Analysis,Linked Plant Analysis,Ανάλυση συνδεδεμένων εγκαταστάσεων apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Η ημερομηνία διακοπής υπηρεσίας δεν μπορεί να είναι μετά την Ημερομηνία λήξης υπηρεσίας apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Ορίστε το όριο B2C στις ρυθμίσεις GST. @@ -7460,7 +7503,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Εργαλείο πα DocType: Employee,Educational Qualification,Εκπαιδευτικά Προσόντα apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Προσβάσιμη τιμή apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Η ποσότητα δείγματος {0} δεν μπορεί να υπερβαίνει την ποσότητα που ελήφθη {1} -DocType: Quiz,Last Highest Score,Τελευταία υψηλότερη βαθμολογία DocType: POS Profile,Taxes and Charges,Φόροι και χρεώσεις DocType: Opportunity,Contact Mobile No,Επικοινωνήστε με το κινητό τηλέφωνο DocType: Employee,Joining Details,Συμμετοχή σε λεπτομέρειες diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv index 7f07efd5ae..eceab13a33 100644 --- a/erpnext/translations/es.csv +++ b/erpnext/translations/es.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Número de parte del provee DocType: Journal Entry Account,Party Balance,Balance del partido apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Fuente de Fondos (Pasivos) DocType: Payroll Period,Taxable Salary Slabs,Losas de salarios gravables +DocType: Quality Action,Quality Feedback,Comentarios de calidad DocType: Support Settings,Support Settings,Configuraciones de soporte apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Por favor ingrese el artículo de producción primero DocType: Quiz,Grading Basis,Base de calificaciones @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Más detalles DocType: Salary Component,Earning,Ganador DocType: Restaurant Order Entry,Click Enter To Add,Haga clic en Entrar para agregar DocType: Employee Group,Employee Group,Grupo de empleados +DocType: Quality Procedure,Processes,Procesos DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Especifique el tipo de cambio para convertir una moneda en otra. apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Rango de envejecimiento 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Almacén requerido para stock artículo {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Queja DocType: Shipping Rule,Restrict to Countries,Restringir a los países DocType: Hub Tracked Item,Item Manager,Gerente de artículo apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},La moneda de la cuenta de cierre debe ser {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Presupuestos apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Apertura de la factura DocType: Work Order,Plan material for sub-assemblies,Plan de material para subconjuntos. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Budget,Action if Annual Budget Exceeded on MR,Acción si se excede el presupuesto anual en MR DocType: Sales Invoice Advance,Advance Amount,Cantidad de avance +DocType: Accounting Dimension,Dimension Name,Nombre de dimensión DocType: Delivery Note Item,Against Sales Invoice Item,Contra el artículo de la factura de ventas DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Incluir artículo en la fabricación @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,¿Qué hace? ,Sales Invoice Trends,Tendencias de la factura de ventas DocType: Bank Reconciliation,Payment Entries,Entradas de pago DocType: Employee Education,Class / Percentage,Clase / Porcentaje -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código del artículo> Grupo de artículos> Marca ,Electronic Invoice Register,Registro de factura electrónica DocType: Sales Invoice,Is Return (Credit Note),Es Retorno (Nota De Crédito) DocType: Lab Test Sample,Lab Test Sample,Muestra de prueba de laboratorio @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Variantes apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Los cargos se distribuirán proporcionalmente en función de la cantidad o cantidad de artículos, según su selección" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Actividades pendientes para hoy. +DocType: Quality Procedure Process,Quality Procedure Process,Proceso de Procedimiento de Calidad DocType: Fee Schedule Program,Student Batch,Lote de estudiante apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Tasa de valoración requerida para el artículo en la fila {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Tarifa base por hora (moneda de la empresa) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Establecer cantidad en transacciones basadas en serial sin entrada apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},La divisa de la cuenta anticipada debe ser la misma que la divisa de la empresa {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Personalizar las secciones de la página de inicio -DocType: Quality Goal,October,octubre +DocType: GSTR 3B Report,October,octubre DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ocultar la identificación fiscal del cliente de las transacciones de ventas apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN inválido! Un GSTIN debe tener 15 caracteres. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,La regla de precios {0} se actualiza @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Abandona el equilibrio apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},El programa de mantenimiento {0} existe en contra de {1} DocType: Assessment Plan,Supervisor Name,Nombre del supervisor DocType: Selling Settings,Campaign Naming By,Nombre de la campaña por -DocType: Course,Course Code,Código del curso +DocType: Student Group Creation Tool Course,Course Code,Código del curso apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aeroespacial DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuir Cargos Basados en DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Criterios de puntuación del Scorecard del proveedor @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Menú del restaurante DocType: Asset Movement,Purpose,Propósito apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Asignación de estructura salarial para el empleado ya existe DocType: Clinical Procedure,Service Unit,Unidad de servicio -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio DocType: Travel Request,Identification Document Number,Número del documento de identificación DocType: Stock Entry,Additional Costs,Costes adicionales -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Curso para padres (déjelo en blanco, si esto no es parte del curso para padres)" DocType: Employee Education,Employee Education,Educacion de empleados apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,El número de puestos no puede ser menor que el número actual de empleados. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Todos los grupos de clientes @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Fila {0}: la cantidad es obligatoria DocType: Sales Invoice,Against Income Account,Cuenta de Ingresos apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Fila # {0}: la factura de compra no se puede realizar contra un activo existente {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Reglas para la aplicación de diferentes esquemas promocionales. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Factor de cobertura de UOM requerido para UOM: {0} en el artículo: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Por favor ingrese la cantidad para el artículo {0} DocType: Workstation,Electricity Cost,Costo de electricidad @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Cantidad proyectada total apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Fecha de inicio real 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 todo el día (s) entre los días de solicitud de licencia compensatoria -DocType: Company,About the Company,Sobre la empresa apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Árbol de las cuentas financieras. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Ingresos indirectos DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Artículo de reserva de habitación de hotel @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Base de dato DocType: Skill,Skill Name,nombre de la habilidad apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Imprimir la tarjeta de informe DocType: Soil Texture,Ternary Plot,Parcela ternaria +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configure la serie de nombres para {0} a través de Configuración> Configuración> Series de nombres apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Entradas de apoyo DocType: Asset Category Account,Fixed Asset Account,Cuenta de Activos Fijos apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Último @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Curso de inscripci ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,"Por favor, establezca la serie que se utilizará." DocType: Delivery Trip,Distance UOM,Distancia UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligatorio para el balance DocType: Payment Entry,Total Allocated Amount,Cantidad total asignada DocType: Sales Invoice,Get Advances Received,Obtener los anticipos recibidos DocType: Student,B-,SEGUNDO- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Elemento del progra apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,Perfil POS requerido para hacer entrada POS DocType: Education Settings,Enable LMS,Habilitar LMS DocType: POS Closing Voucher,Sales Invoices Summary,Resumen de facturas de venta +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Beneficio 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 ser una cuenta de balance. DocType: Video,Duration,Duración DocType: Lab Test Template,Descriptive,Descriptivo @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Fechas de inicio y finalización DocType: Supplier Scorecard,Notify Employee,Notificar al empleado apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software +DocType: Program,Allow Self Enroll,Permitir auto inscripción apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Gastos de Stock apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,El número de referencia es obligatorio si ingresó la Fecha de referencia DocType: Training Event,Workshop,Taller @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Plantilla de prueba de laboratorio apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Falta información de facturación electrónica apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,No se ha creado ninguna solicitud de material. +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código del artículo> Grupo de artículos> Marca DocType: Loan,Total Amount Paid,Cantidad total pagada apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Todos estos artículos ya han sido facturados. DocType: Training Event,Trainer Name,Nombre del entrenador @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Año académico DocType: Sales Stage,Stage Name,Nombre del escenario DocType: SMS Center,All Employee (Active),Todos los empleados (activo) +DocType: Accounting Dimension,Accounting Dimension,Dimensión contable DocType: Project,Customer Details,Detalles del cliente DocType: Buying Settings,Default Supplier Group,Grupo de proveedores predeterminado apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,"Por favor, cancele el recibo de compra {0} primero" @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Cuanto mayor sea DocType: Designation,Required Skills,Habilidades requeridas DocType: Marketplace Settings,Disable Marketplace,Deshabilitar el mercado DocType: Budget,Action if Annual Budget Exceeded on Actual,Acción si se excede el presupuesto anual en real -DocType: Course,Course Abbreviation,Abreviatura del curso apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Asistencia no presentada para {0} como {1} en licencia. DocType: Pricing Rule,Promotional Scheme Id,ID de esquema promocional apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},La fecha de finalización de la tarea {0} no puede ser mayor que {1} fecha de finalización esperada {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Margen de dinero DocType: Chapter,Chapter,Capítulo DocType: Purchase Receipt Item Supplied,Current Stock,Stock actual DocType: Employee,History In Company,Historia en la empresa -DocType: Item,Manufacturer,Fabricante +DocType: Purchase Invoice Item,Manufacturer,Fabricante apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Sensibilidad moderada DocType: Compensatory Leave Request,Leave Allocation,Dejar la asignación DocType: Timesheet,Timesheet,Hoja de horas @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Material transferido DocType: Products Settings,Hide Variants,Ocultar variantes DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Deshabilitar la planificación de la capacidad y el seguimiento del tiempo DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Se calculará en la transacción. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} es obligatorio para la cuenta 'Balance general' {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} no está permitido realizar transacciones con {1}. Por favor cambia la empresa. 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 acuerdo con la Configuración de compra si el Recibo de compra es requerido == 'SÍ', luego, para crear la factura de compra, el usuario debe crear el recibo de compra primero para el artículo {0}" DocType: Delivery Trip,Delivery Details,detalles de la entrega @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Prev apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Unidad de medida DocType: Lab Test,Test Template,Plantilla de prueba DocType: Fertilizer,Fertilizer Contents,Contenido de fertilizante -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minuto +DocType: Quality Meeting Minutes,Minute,Minuto apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Fila # {0}: el activo {1} no se puede enviar, ya está {2}" DocType: Task,Actual Time (in Hours),Tiempo real (en horas) DocType: Period Closing Voucher,Closing Account Head,Jefe de cuenta de cierre @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorio DocType: Purchase Order,To Bill,Cobrar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Gastos de utilidad DocType: Manufacturing Settings,Time Between Operations (in mins),Tiempo entre operaciones (en minutos) -DocType: Quality Goal,May,Mayo +DocType: GSTR 3B Report,May,Mayo apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Cuenta de pasarela de pago no creada, cree una manualmente." DocType: Opening Invoice Creation Tool,Purchase,Compra DocType: Program Enrollment,School House,Casa de la escuela @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Información legal y otra información general sobre su Proveedor DocType: Item Default,Default Selling Cost Center,Centro de coste de venta predeterminado DocType: Sales Partner,Address & Contacts,Dirección y Contactos +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configure las series de numeración para Asistencia a través de Configuración> Series de numeración DocType: Subscriber,Subscriber,Abonado apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Formulario / Artículo / {0}) está agotado apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Por favor, seleccione la fecha de publicación primero" @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Cargo por visita de paci DocType: Bank Statement Settings,Transaction Data Mapping,Mapeo de datos de transacción apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Un líder requiere el nombre de una persona o el nombre de una organización DocType: Student,Guardians,Guardianes +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/public/js/stock_analytics.js,Select Brand...,Seleccione la marca ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Ingreso medio DocType: Shipping Rule,Calculate Based On,Calcular basado en @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Anticipo de gastos DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Ajuste de redondeo (moneda de la empresa) DocType: Item,Publish in Hub,Publicar en Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,agosto +DocType: GSTR 3B Report,August,agosto apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,"Por favor, introduzca el recibo de compra primero" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Año de inicio apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Objetivo ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,Cantidad máxima de muestra apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,El almacén de origen y destino debe ser diferente DocType: Employee Benefit Application,Benefits Applied,Beneficios aplicados 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 entrada {1} no coincidente +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Caracteres especiales excepto "-", "#", ".", "/", "{" Y "}" no se permiten en las series de nombres" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Se requieren losas de precio o descuento del producto. apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Establece un objetivo apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},El registro de asistencia {0} existe contra el estudiante {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Por mes DocType: Routing,Routing Name,Nombre de enrutamiento DocType: Disease,Common Name,Nombre común -DocType: Quality Goal,Measurable,Mensurable DocType: Education Settings,LMS Title,Título de LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Gestion de prestamos -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Analítica de Apoyo DocType: Clinical Procedure,Consumable Total Amount,Cantidad total de consumibles apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Habilitar plantilla apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Cliente LPO @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,Servido DocType: Loan,Member,Miembro DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Horario de la Unidad de Servicio Profesional apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Transferencia bancaria +DocType: Quality Review Objective,Quality Review Objective,Objetivo de revisión de calidad DocType: Bank Reconciliation Detail,Against Account,Contra Cuenta DocType: Projects Settings,Projects Settings,Ajustes de proyectos apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Cantidad real {0} / Cantidad en espera {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ca apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,La fecha de finalización del año fiscal debe ser un año después de la fecha de inicio del año fiscal apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Recordatorios diarios DocType: Item,Default Sales Unit of Measure,Unidad de medida de ventas por defecto +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Empresa GSTIN DocType: Asset Finance Book,Rate of Depreciation,Tasa de Depreciación DocType: Support Search Source,Post Description Key,Clave de descripción de publicación DocType: Loyalty Program Collection,Minimum Total Spent,Mínimo total gastado @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,No se permite cambiar el grupo de clientes para el cliente seleccionado. DocType: Serial No,Creation Document Type,Tipo de documento de creación DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Cantidad de lote disponible en el almacén +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Total de la factura apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Este es un territorio raíz y no se puede editar. DocType: Patient,Surgical History,Historia quirúrgica apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Procedimientos del Árbol de la Calidad. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,O DocType: Item Group,Check this if you want to show in website,Marque esto si desea mostrar en el sitio web apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Año fiscal {0} no encontrado DocType: Bank Statement Settings,Bank Statement Settings,Ajustes del extracto bancario +DocType: Quality Procedure Process,Link existing Quality Procedure.,Enlace al Procedimiento de Calidad existente. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Importar el cuadro de cuentas de archivos CSV / Excel DocType: Appraisal Goal,Score (0-5),Puntuación (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Atributo {0} seleccionado varias veces en la tabla de atributos DocType: Purchase Invoice,Debit Note Issued,Nota de débito emitida @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Dejar detalle de la política apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Almacén no encontrado en el sistema. DocType: Healthcare Practitioner,OP Consulting Charge,Cargo de Consultoría OP -DocType: Quality Goal,Measurable Goal,Meta medible DocType: Bank Statement Transaction Payment Item,Invoices,Facturas DocType: Currency Exchange,Currency Exchange,Cambio de divisas DocType: Payroll Entry,Fortnightly,Quincenal @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} no se ha enviado DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Backflush materias primas de almacén de trabajo en progreso DocType: Maintenance Team Member,Maintenance Team Member,Miembro del Equipo de Mantenimiento +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Configurar dimensiones personalizadas para la contabilidad. DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,La distancia mínima entre hileras de plantas para un crecimiento óptimo. DocType: Employee Health Insurance,Health Insurance Name,Nombre del seguro de salud apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Activos comunes @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,Nombre de dirección de facturación apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Elemento alternativo DocType: Certification Application,Name of Applicant,Nombre del solicitante DocType: Leave Type,Earned Leave,Ausencia ganada -DocType: Quality Goal,June,junio +DocType: GSTR 3B Report,June,junio apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Fila {0}: se requiere centro de costo para un elemento {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Puede ser aprobado por {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,La unidad de medida {0} se ha ingresado más de una vez en la tabla de factores de conversión @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,Tasa de venta estándar apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},"Por favor, establezca un menú activo para Restaurante {0}" 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 roles de Administrador del sistema y Administrador de elementos para agregar usuarios a Marketplace. DocType: Asset Finance Book,Asset Finance Book,Libro de finanzas de activos +DocType: Quality Goal Objective,Quality Goal Objective,Objetivo de calidad objetivo DocType: Employee Transfer,Employee Transfer,Transferencia de empleados ,Sales Funnel,Embudo de ventas DocType: Agriculture Analysis Criteria,Water Analysis,Analisis de agua @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Propiedad de tran apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Actividades pendientes apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Lista de algunos de sus clientes. Podrían ser organizaciones o individuos. DocType: Bank Guarantee,Bank Account Info,Información de la cuenta bancaria +DocType: Quality Goal,Weekday,Día laborable apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Nombre Guardian1 DocType: Salary Component,Variable Based On Taxable Salary,Variable basada en el salario imponible DocType: Accounting Period,Accounting Period,Período contable @@ -2229,7 +2245,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Ajuste de redondeo DocType: Quality Review Table,Quality Review Table,Tabla de revisión de calidad DocType: Member,Membership Expiry Date,Fecha de vencimiento de la membresía DocType: Asset Finance Book,Expected Value After Useful Life,Valor esperado después de la vida útil -DocType: Quality Goal,November,noviembre +DocType: GSTR 3B Report,November,noviembre DocType: Loan Application,Rate of Interest,Tipo de interés DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Pago de transacción del extracto bancario DocType: Restaurant Reservation,Waitlisted,Lista de espera @@ -2293,6 +2309,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Fila {0}: para establecer la periodicidad {1}, la diferencia entre la fecha y la fecha \ debe ser mayor o igual que {2}" DocType: Purchase Invoice Item,Valuation Rate,Tasa de valoración DocType: Shopping Cart Settings,Default settings for Shopping Cart,Ajustes predeterminados para la cesta de la compra +DocType: Quiz,Score out of 100,Puntaje de 100 DocType: Manufacturing Settings,Capacity Planning,Planificación de capacidad apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Ir a instructores DocType: Activity Cost,Projects,Proyectos @@ -2302,6 +2319,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,De vez apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Informe de detalles de variantes +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Por comprar apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Las ranuras para {0} no se agregan a la programación DocType: Target Detail,Target Distribution,Distribución de objetivos @@ -2319,6 +2337,7 @@ DocType: Activity Cost,Activity Cost,Costo de actividad DocType: Journal Entry,Payment Order,Orden de pago apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Precios ,Item Delivery Date,Fecha de entrega del artículo +DocType: Quality Goal,January-April-July-October,Enero-abril-julio-octubre DocType: Purchase Order Item,Warehouse and Reference,Almacén y Referencia apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,La cuenta con nodos secundarios no se puede convertir en libro mayor DocType: Soil Texture,Clay Composition (%),Composición de arcilla (%) @@ -2369,6 +2388,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Fechas futuras no perm apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varianza 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/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Término académico: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Parámetro de retroalimentación de calidad apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,"Por favor, seleccione Aplicar descuento en" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Fila # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Pagos totales @@ -2411,7 +2431,7 @@ DocType: Hub Tracked Item,Hub Node,Nodo central apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID de empleado DocType: Salary Structure Assignment,Salary Structure Assignment,Asignación de estructura salarial DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Impuestos de Vales de Cierre de POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Acción inicializada +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Acción inicializada DocType: POS Profile,Applicable for Users,Aplicable para usuarios DocType: Training Event,Exam,Examen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Se ha encontrado un número incorrecto de entradas del libro mayor. Es posible que haya seleccionado una cuenta incorrecta en la transacción. @@ -2518,6 +2538,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Longitud DocType: Accounts Settings,Determine Address Tax Category From,Determinar la categoría de impuesto de dirección de apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,La identificación de los tomadores de decisiones +DocType: Stock Entry Detail,Reference Purchase Receipt,Recibo de compra de referencia apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Obtener invocies DocType: Tally Migration,Is Day Book Data Imported,Se importan los datos del libro de día ,Sales Partners Commission,Comisión de Socios de Ventas @@ -2541,6 +2562,7 @@ DocType: Leave Type,Applicable After (Working Days),Aplicable después (días la DocType: Timesheet Detail,Hrs,Horas DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Criterios de puntuación del proveedor DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parámetro de la plantilla de comentarios de calidad apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,La fecha de ingreso debe ser mayor que la fecha de nacimiento. DocType: Bank Statement Transaction Invoice Item,Invoice Date,Fecha de la factura DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Crear pruebas de laboratorio en la factura de venta @@ -2647,7 +2669,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Valor mínimo permisi DocType: Stock Entry,Source Warehouse Address,Dirección del almacén de origen DocType: Compensatory Leave Request,Compensatory Leave Request,Solicitud de Licencia Compensatoria DocType: Lead,Mobile No.,No móviles. -DocType: Quality Goal,July,julio +DocType: GSTR 3B Report,July,julio apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC elegible DocType: Fertilizer,Density (if liquid),Densidad (si es líquida) DocType: Employee,External Work History,Historial de trabajo externo @@ -2724,6 +2746,7 @@ DocType: Certification Application,Certification Status,Estado de certificación apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Se requiere la Ubicación de la Fuente para el activo {0} DocType: Employee,Encashment Date,Fecha de cobro apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Seleccione la Fecha de finalización para el Registro de mantenimiento de activos completado +DocType: Quiz,Latest Attempt,Último intento DocType: Leave Block List,Allow Users,Permitir a los usuarios apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Catálogo de cuentas apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,El cliente es obligatorio si se selecciona 'Oportunidad de' como cliente @@ -2788,7 +2811,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Configuración de ta DocType: Amazon MWS Settings,Amazon MWS Settings,Configuraciones de Amazon MWS DocType: Program Enrollment,Walking,Para caminar DocType: SMS Log,Requested Numbers,Números solicitados -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configure las series de numeración para Asistencia a través de Configuración> Series de numeración DocType: Woocommerce Settings,Freight and Forwarding Account,Flete y cuenta de reenvío apps/erpnext/erpnext/accounts/party.py,Please select a Company,Por favor seleccione una empresa apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Fila {0}: {1} debe ser mayor que 0 @@ -2858,7 +2880,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Facturas el DocType: Training Event,Seminar,Seminario apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Crédito ({0}) DocType: Payment Request,Subscription Plans,Planes de suscripción -DocType: Quality Goal,March,marzo +DocType: GSTR 3B Report,March,marzo apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Lote dividido DocType: School House,House Name,Nombre de la casa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Sobresaliente para {0} no puede ser menor que cero ({1}) @@ -2921,7 +2943,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Fecha de inicio del seguro DocType: Target Detail,Target Detail,Detalle del objetivo DocType: Packing Slip,Net Weight UOM,Peso neto UOM -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: Purchase Invoice Item,Net Amount (Company Currency),Importe neto (moneda de la empresa) DocType: Bank Statement Transaction Settings Item,Mapped Data,Datos mapeados apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Valores y Depósitos @@ -2971,6 +2992,7 @@ DocType: Cheque Print Template,Cheque Height,Compruebe la altura apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,"Por favor, introduzca la fecha de descarga." DocType: Loyalty Program,Loyalty Program Help,Ayuda del programa de lealtad DocType: Journal Entry,Inter Company Journal Entry Reference,Referencia de entrada de diario entre empresas +DocType: Quality Meeting,Agenda,Agenda DocType: Quality Action,Corrective,Correctivo apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Agrupar por DocType: Bank Account,Address and Contact,Dirección y Contacto @@ -3024,7 +3046,7 @@ DocType: GL Entry,Credit Amount,Monto de crédito apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Importe total acreditado DocType: Support Search Source,Post Route Key List,Publicar lista de claves de ruta apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} no está en ningún año fiscal activo. -DocType: Quality Action Table,Problem,Problema +DocType: Quality Action Resolution,Problem,Problema DocType: Training Event,Conference,Conferencia DocType: Mode of Payment Account,Mode of Payment Account,Modo de cuenta de pago DocType: Leave Encashment,Encashable days,Días encajables @@ -3150,7 +3172,7 @@ DocType: Item,"Purchase, Replenishment Details","Detalles de Compra, Reposición DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Una vez establecida, esta factura quedará en espera hasta la fecha establecida" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,El stock no puede existir para el artículo {0} ya que tiene variantes DocType: Lab Test Template,Grouped,Agrupados -DocType: Quality Goal,January,enero +DocType: GSTR 3B Report,January,enero DocType: Course Assessment Criteria,Course Assessment Criteria,Criterios de evaluación del curso DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Qty completado @@ -3246,7 +3268,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Tipo de unida apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Por favor, introduzca al menos 1 factura en la tabla" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,La orden de venta {0} no se ha enviado apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,La asistencia ha sido marcada con éxito. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Pre ventas +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pre ventas apps/erpnext/erpnext/config/projects.py,Project master.,Proyecto maestro. DocType: Daily Work Summary,Daily Work Summary,Resumen de trabajo diario DocType: Asset,Partially Depreciated,Depreciados parcialmente @@ -3255,6 +3277,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Dejar enjaulado? DocType: Certified Consultant,Discuss ID,Discutir ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,"Por favor, establezca las cuentas de GST en la configuración de GST" +DocType: Quiz,Latest Highest Score,Último puntaje más alto DocType: Supplier,Billing Currency,Moneda de facturación apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Actividad estudiantil apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,La cantidad objetivo o la cantidad objetivo es obligatoria @@ -3280,18 +3303,21 @@ DocType: Sales Order,Not Delivered,No entregado apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,El tipo de licencia {0} no se puede asignar ya que es licencia sin sueldo DocType: GL Entry,Debit Amount,Monto de débito apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Ya existe registro para el item {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Sub asambleas 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 las Reglas de precios múltiples continúan prevaleciendo, se les pide a los usuarios que establezcan Prioridad manualmente para resolver conflictos." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',No se puede deducir cuando la categoría es para 'Valoración' o 'Valoración y total' apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Se requieren BOM y cantidad de fabricación. apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},El artículo {0} ha llegado al final de su vida útil en {1} DocType: Quality Inspection Reading,Reading 6,Lectura 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Campo de la empresa es obligatorio apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,El consumo de material no se establece en la configuración de fabricación. DocType: Assessment Group,Assessment Group Name,Nombre del grupo de evaluación -DocType: Item,Manufacturer Part Number,Número de pieza del fabricante +DocType: Purchase Invoice Item,Manufacturer Part Number,Número de pieza del fabricante apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Nómina a pagar apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Fila # {0}: {1} no puede ser negativo para el elemento {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balance Qty +DocType: Question,Multiple Correct Answer,Respuesta correcta múltiple DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Puntos de fidelidad = ¿Cuánta moneda base? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Nota: no hay saldo suficiente para el tipo de licencia {0} DocType: Clinical Procedure,Inpatient Record,Registro de hospitalización @@ -3414,6 +3440,7 @@ DocType: Fee Schedule Program,Total Students,Total de estudiantes apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Local DocType: Chapter Member,Leave Reason,Dejar la razón DocType: Salary Component,Condition and Formula,Condicion y Formula +DocType: Quality Goal,Objectives,Los objetivos apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","El salario ya procesado para el período comprendido entre {0} y {1}, el período de abandono de la solicitud no puede estar entre este intervalo de fechas." DocType: BOM Item,Basic Rate (Company Currency),Tasa Básica (Moneda de la empresa) DocType: BOM Scrap Item,BOM Scrap Item,Artículo de chatarra de la lista de materiales @@ -3464,6 +3491,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Cuenta de gastos apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,No hay reembolsos disponibles para la entrada de diario apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} es un estudiante inactivo +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Hacer entrada de stock DocType: Employee Onboarding,Activities,Ocupaciones apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Por lo menos una bodega es obligatoria. ,Customer Credit Balance,Saldo de crédito del cliente @@ -3548,7 +3576,6 @@ DocType: Contract,Contract Terms,Terminos y condiciones apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,La cantidad objetivo o la cantidad objetivo es obligatoria. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},{0} no válido DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Fecha de la reunión DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,La abreviatura no puede tener más de 5 caracteres. DocType: Employee Benefit Application,Max Benefits (Yearly),Beneficios máximos (anuales) @@ -3651,7 +3678,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Cargos bancarios apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Bienes transferidos apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Datos de contacto primarios -DocType: Quality Review,Values,Valores 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 se marca, la lista deberá agregarse a cada Departamento donde se debe aplicar." DocType: Item Group,Show this slideshow at the top of the page,Muestra esta presentación en la parte superior de la página. apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} parámetro no es válido @@ -3670,6 +3696,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Cuenta de Cargos Bancarios DocType: Journal Entry,Get Outstanding Invoices,Obtener facturas pendientes DocType: Opportunity,Opportunity From,Oportunidad de +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Detalles del objetivo DocType: Item,Customer Code,Código de cliente apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Por favor ingrese el artículo primero apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Listado de sitios web @@ -3698,7 +3725,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Entregar a DocType: Bank Statement Transaction Settings Item,Bank Data,Datos bancarios apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Programado hasta -DocType: Quality Goal,Everyday,Todos los días DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Mantenga las horas de facturación y las horas de trabajo iguales en la hoja de horas apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Seguimiento de pistas por fuente de plomo. DocType: Clinical Procedure,Nursing User,Usuario de enfermería @@ -3723,7 +3749,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Administrar el árbol DocType: GL Entry,Voucher Type,Tipo de cupón ,Serial No Service Contract Expiry,Caducidad sin contrato de expiración del contrato DocType: Certification Application,Certified,Certificado -DocType: Material Request Plan Item,Manufacture,Fabricar +DocType: Purchase Invoice Item,Manufacture,Fabricar apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} artículos producidos apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Solicitud de pago para {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Días desde la última orden @@ -3738,7 +3764,7 @@ DocType: Sales Invoice,Company Address Name,Nombre de la dirección de la empres apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Las mercancías en tránsito apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Solo puede canjear los puntos {0} máximos en este orden. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},"Por favor, establezca la cuenta en el almacén {0}" -DocType: Quality Action Table,Resolution,Resolución +DocType: Quality Action,Resolution,Resolución DocType: Sales Invoice,Loyalty Points Redemption,Redención de puntos de fidelidad. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Valor imponible total DocType: Patient Appointment,Scheduled,Programado @@ -3859,6 +3885,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Tarifa apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Guardando {0} DocType: SMS Center,Total Message(s),Mensaje (s) total (es) +DocType: Purchase Invoice,Accounting Dimensions,Dimensiones contables apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupo por cuenta DocType: Quotation,In Words will be visible once you save the Quotation.,En Palabras será visible una vez que guarde la Cotización. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Cantidad a Producir @@ -4023,7 +4050,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,C apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Si tiene alguna pregunta, por favor contáctenos." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,El recibo de compra {0} no se ha enviado DocType: Task,Total Expense Claim (via Expense Claim),Reclamación de gastos totales (a través de Reclamación de gastos) -DocType: Quality Action,Quality Goal,Objetivo de calidad +DocType: Quality Goal,Quality Goal,Objetivo de calidad DocType: Support Settings,Support Portal,Portal de soporte apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},La fecha de finalización de la tarea {0} no puede ser menor que {1} fecha de inicio esperada {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},El empleado {0} está en licencia en {1} @@ -4082,7 +4109,6 @@ DocType: BOM,Operating Cost (Company Currency),Costo de operación (moneda de la DocType: Item Price,Item Price,Precio del articulo DocType: Payment Entry,Party Name,Nombre de la fiesta apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Por favor seleccione un cliente -DocType: Course,Course Intro,Curso de Introducción DocType: Program Enrollment Tool,New Program,Nuevo programa apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Número de centro de costos nuevo, se incluirá en el nombre del centro de costos como prefijo" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Seleccione el cliente o proveedor. @@ -4283,6 +4309,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,La paga neta no puede ser negativa apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,No de interacciones 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} # Artículo {1} no se puede transferir más de {2} a la orden de compra {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Cambio apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Tramitación del Plan de Cuentas y Partes DocType: Stock Settings,Convert Item Description to Clean HTML,Convertir la descripción del artículo a HTML limpio apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Todos los grupos de proveedores @@ -4361,6 +4388,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Artículo principal apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Corretaje apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Cree el recibo de compra o la factura de compra para el artículo {0} +,Product Bundle Balance,Balance del paquete de productos apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Nombre de la empresa no puede ser la empresa DocType: Maintenance Visit,Breakdown,Descompostura DocType: Inpatient Record,B Negative,B Negativo @@ -4369,7 +4397,7 @@ DocType: Purchase Invoice,Credit To,Crédito a apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Enviar esta orden de trabajo para su posterior procesamiento. DocType: Bank Guarantee,Bank Guarantee Number,Número de garantía bancaria apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Entregado: {0} -DocType: Quality Action,Under Review,Bajo revisión +DocType: Quality Meeting Table,Under Review,Bajo revisión apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Agricultura (beta) ,Average Commission Rate,Tasa de comisión promedio DocType: Sales Invoice,Customer's Purchase Order Date,Fecha de pedido de compra del cliente @@ -4486,7 +4514,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Relacionar pagos con facturas DocType: Holiday List,Weekly Off,Semanalmente apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},No se permite establecer un elemento alternativo para el elemento {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,El programa {0} no existe. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,El programa {0} no existe. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,No puede editar el nodo raíz. DocType: Fee Schedule,Student Category,Categoría de estudiante apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Artículo {0}: {1} cantidad producida," @@ -4577,8 +4605,8 @@ DocType: Crop,Crop Spacing,Espaciamiento de cultivos 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 ventas? DocType: Pricing Rule,Period Settings,Ajustes de periodo apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Cambio neto en cuentas por cobrar +DocType: Quality Feedback Template,Quality Feedback Template,Plantilla de comentarios de calidad apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Para la cantidad debe ser mayor que cero -DocType: Quality Goal,Goal Objectives,Objetivos del objetivo apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Existen inconsistencias entre la tasa, el no de acciones y el monto calculado." DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Deje en blanco si hace grupos de estudiantes por año. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Préstamos (Pasivos) @@ -4613,12 +4641,13 @@ DocType: Quality Procedure Table,Step,Paso DocType: Normal Test Items,Result Value,Valor del resultado DocType: Cash Flow Mapping,Is Income Tax Liability,Es la responsabilidad del impuesto sobre la renta DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Artículo de cargo por visita de paciente hospitalizado -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} no existe. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} no existe. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Respuesta de actualización DocType: Bank Guarantee,Supplier,Proveedor apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Ingrese el valor entre {0} y {1} DocType: Purchase Order,Order Confirmation Date,Fecha de confirmación del pedido DocType: Delivery Trip,Calculate Estimated Arrival Times,Calcular los tiempos de llegada estimados +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configure el Sistema de nombres de empleados en Recursos humanos> Configuración de recursos humanos apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumible DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Fecha de inicio de la suscripción @@ -4682,6 +4711,7 @@ DocType: Cheque Print Template,Is Account Payable,Es la cuenta por pagar apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Valor total del pedido apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Proveedor {0} no encontrado en {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Configurar la configuración de la puerta de enlace SMS +DocType: Salary Component,Round to the Nearest Integer,Redondear al entero más cercano apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,La raíz no puede tener un centro de coste principal DocType: Healthcare Service Unit,Allow Appointments,Permitir citas DocType: BOM,Show Operations,Mostrar operaciones @@ -4810,7 +4840,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Lista de vacaciones por defecto DocType: Naming Series,Current Value,Valor actual apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Estacionalidad para el establecimiento de presupuestos, objetivos, etc." -DocType: Program,Program Code,Código de programa apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Advertencia: la orden de venta {0} ya existe contra la orden de compra del cliente {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Objetivo de ventas mensuales ( DocType: Guardian,Guardian Interests,Intereses del guardián @@ -4860,10 +4889,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Pagado y no entregado apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,El código del artículo es obligatorio porque el artículo no se numera automáticamente DocType: GST HSN Code,HSN Code,Código HSN -DocType: Quality Goal,September,septiembre +DocType: GSTR 3B Report,September,septiembre apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Gastos administrativos DocType: C-Form,C-Form No,C-Forma No DocType: Purchase Invoice,End date of current invoice's period,Fecha de finalización del período de facturación actual. +DocType: Item,Manufacturers,Fabricantes DocType: Crop Cycle,Crop Cycle,Ciclo de cultivo DocType: Serial No,Creation Time,Tiempo de creación apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Por favor, introduzca el rol de aprobación o el usuario de aprobación." @@ -4936,8 +4966,6 @@ DocType: Employee,Short biography for website and other publications.,Breve biog DocType: Purchase Invoice Item,Received Qty,Cantidad recibida DocType: Purchase Invoice Item,Rate (Company Currency),Tasa (Moneda de la empresa) DocType: Item Reorder,Request for,Solicitud de -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Por favor borre el empleado {0} \ para cancelar este documento" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Instalando presets apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Por favor ingrese los periodos de pago DocType: Pricing Rule,Advanced Settings,Ajustes avanzados @@ -4963,7 +4991,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Habilitar carrito de compras DocType: Pricing Rule,Apply Rule On Other,Aplicar regla en otro DocType: Vehicle,Last Carbon Check,Último cheque de carbono -DocType: Vehicle,Make,Hacer +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Hacer apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Factura de venta {0} creada como pagada apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Para crear una solicitud de pago se requiere un documento de referencia. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Impuesto sobre la renta @@ -5039,7 +5067,6 @@ DocType: Territory,Parent Territory,Territorio de los padres DocType: Vehicle Log,Odometer Reading,Lectura de cuentakilómetros DocType: Additional Salary,Salary Slip,Nómina DocType: Payroll Entry,Payroll Frequency,Frecuencia de la nómina -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configure el Sistema de nombres de empleados en Recursos humanos> Configuración de recursos humanos apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Las fechas de inicio y finalización no están en un período de nómina válido, no se puede calcular {0}" DocType: Products Settings,Home Page is Products,Página de inicio es productos apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Llamadas @@ -5093,7 +5120,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Obteniendo registros ...... DocType: Delivery Stop,Contact Information,Información del contacto DocType: Sales Order Item,For Production,Para producción -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: Serial No,Asset Details,Detalles del activo DocType: Restaurant Reservation,Reservation Time,Tiempo de reserva DocType: Selling Settings,Default Territory,Territorio predeterminado @@ -5233,6 +5259,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,G apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Lotes caducados DocType: Shipping Rule,Shipping Rule Type,Tipo de regla de envío DocType: Job Offer,Accepted,Aceptado +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Por favor borre el empleado {0} \ para cancelar este documento" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Ya has evaluado los criterios de evaluación {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Seleccionar números de lote apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Edad (Días) @@ -5249,6 +5277,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Paquetes de artículos al momento de la venta. DocType: Payment Reconciliation Payment,Allocated Amount,Cantidad asignada apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Por favor seleccione Empresa y Designación +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,Se requiere 'fecha' DocType: Email Digest,Bank Credit Balance,Saldo de crédito bancario apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Mostrar la cantidad acumulada apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,No tienes suficientes puntos de fidelidad para canjear. @@ -5309,11 +5338,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,En la fila anterior To DocType: Student,Student Email Address,Dirección de correo electrónico del estudiante DocType: Academic Term,Education,Educación DocType: Supplier Quotation,Supplier Address,Dirección del proveedor -DocType: Salary Component,Do not include in total,No incluir en total. +DocType: Salary Detail,Do not include in total,No incluir en total. 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. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} no existe DocType: Purchase Receipt Item,Rejected Quantity,Cantidad Rechazada DocType: Cashier Closing,To TIme,A tiempo +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: Daily Work Summary Group User,Daily Work Summary Group User,Resumen de trabajo diario Grupo de usuarios DocType: Fiscal Year Company,Fiscal Year Company,Empresa del año fiscal apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,El artículo alternativo no debe ser el mismo que el código del artículo @@ -5423,7 +5453,6 @@ DocType: Fee Schedule,Send Payment Request Email,Enviar correo electrónico de s DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,En Palabras será visible una vez que guarde la Factura de Ventas. DocType: Sales Invoice,Sales Team1,Equipo de ventas1 DocType: Work Order,Required Items,Objetos requeridos -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Caracteres especiales excepto "-", "#", "." y "/" no permitido en las series de nombres" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Lea el manual de ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Verifique la singularidad del número de factura del proveedor apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Buscar Sub Asambleas @@ -5491,7 +5520,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Porcentaje de deducción apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,La cantidad a producir no puede ser inferior a cero. DocType: Share Balance,To No,A no DocType: Leave Control Panel,Allocate Leaves,Asignar hojas -DocType: Quiz,Last Attempt,Último intento DocType: Assessment Result,Student Name,Nombre del estudiante apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Plan de visitas de mantenimiento. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Las siguientes solicitudes de material se han generado automáticamente en función del nivel de reorden del artículo @@ -5560,6 +5588,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Color indicador DocType: Item Variant Settings,Copy Fields to Variant,Copiar campos a variante DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Una sola respuesta correcta apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Desde la fecha no puede ser inferior a la fecha de ingreso del empleado. DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Permitir múltiples órdenes de venta contra la orden de compra de un cliente apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5622,7 +5651,7 @@ DocType: Account,Expenses Included In Valuation,Gastos incluidos en la valoraci apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Números seriales DocType: Salary Slip,Deductions,Deducciones ,Supplier-Wise Sales Analytics,Analista de ventas sabio proveedor -DocType: Quality Goal,February,febrero +DocType: GSTR 3B Report,February,febrero DocType: Appraisal,For Employee,Para empleado apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Fecha de entrega real DocType: Sales Partner,Sales Partner Name,Nombre del socio de ventas @@ -5718,7 +5747,6 @@ DocType: Procedure Prescription,Procedure Created,Procedimiento creado apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Contra factura del proveedor {0} con fecha {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Cambiar el perfil de POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Crear Lead -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveedor> Tipo de proveedor DocType: Shopify Settings,Default Customer,Cliente predeterminado DocType: Payment Entry Reference,Supplier Invoice No,Factura del proveedor No DocType: Pricing Rule,Mixed Conditions,Condiciones mixtas @@ -5769,12 +5797,14 @@ DocType: Item,End of Life,Fin de la vida DocType: Lab Test Template,Sensitivity,Sensibilidad DocType: Territory,Territory Targets,Objetivos territoriales apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Omitir Asignación de licencia para los siguientes empleados, ya que ya existen registros de Asignación de licencia en su contra. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Resolución de acción de calidad DocType: Sales Invoice Item,Delivered By Supplier,Entregado por el proveedor DocType: Agriculture Analysis Criteria,Plant Analysis,Análisis de plantas apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},La cuenta de gastos es obligatoria para el artículo {0} ,Subcontracted Raw Materials To Be Transferred,Materias primas subcontratadas para ser transferidas DocType: Cashier Closing,Cashier Closing,Cierre de cajero apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,El artículo {0} ya ha sido devuelto +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN inválido! La entrada que ingresó no coincide con el formato GSTIN para los titulares UIN o los proveedores de servicios OIDAR no residentes apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Existe almacén infantil para este almacén. No puedes borrar este almacén. DocType: Diagnosis,Diagnosis,Diagnóstico apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},No hay período de licencia entre {0} y {1} @@ -5791,6 +5821,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Configuraciones de autorizac DocType: Homepage,Products,Productos ,Profit and Loss Statement,Declaración de ganancias y pérdidas apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Habitaciones reservadas +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Duplique la entrada contra el código del artículo {0} y el fabricante {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Peso total apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Viajar @@ -5839,6 +5870,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Grupo de clientes predeterminado DocType: Journal Entry Account,Debit in Company Currency,Débito en moneda de la empresa DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",La serie alternativa es "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Agenda de reuniones de calidad DocType: Cash Flow Mapper,Section Header,Encabezado de sección apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Sus productos o servicios DocType: Crop,Perennial,Perenne @@ -5884,7 +5916,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Un producto o un servicio que se compra, se vende o se mantiene en stock." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Cierre (Apertura + Total) DocType: Supplier Scorecard Criteria,Criteria Formula,Fórmula de Criterios -,Support Analytics,Analítica de soporte +apps/erpnext/erpnext/config/support.py,Support Analytics,Analítica de soporte apps/erpnext/erpnext/config/quality_management.py,Review and Action,Revisión y Acción DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Si la cuenta está congelada, se permiten entradas a usuarios restringidos." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Importe después de la depreciación @@ -5929,7 +5961,6 @@ DocType: Contract Template,Contract Terms and Conditions,Términos y condiciones apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Obtener datos DocType: Stock Settings,Default Item Group,Grupo de elementos predeterminado DocType: Sales Invoice Timesheet,Billing Hours,Horas de facturación -DocType: Item,Item Code for Suppliers,Código de artículo para proveedores 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} DocType: Pricing Rule,Margin Type,Tipo de margen DocType: Purchase Invoice Item,Rejected Serial No,Rechazado Serial No @@ -6002,6 +6033,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Las hojas se han otorgado con éxito. DocType: Loyalty Point Entry,Expiry Date,Fecha de caducidad DocType: Project Task,Working,Trabajando +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ya tiene un procedimiento para padres {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Esto se basa en transacciones contra este paciente. Ver la línea de tiempo a continuación para más detalles DocType: Material Request,Requested For,Requerido para DocType: SMS Center,All Sales Person,Toda la persona de ventas @@ -6089,6 +6121,7 @@ DocType: Loan Type,Maximum Loan Amount,Monto máximo del préstamo apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Correo electrónico no encontrado en contacto predeterminado DocType: Hotel Room Reservation,Booked,Reservado DocType: Maintenance Visit,Partially Completed,Parcialmente completado +DocType: Quality Procedure Process,Process Description,Descripción del proceso DocType: Company,Default Employee Advance Account,Cuenta de adelanto de empleado predeterminada DocType: Leave Type,Allow Negative Balance,Permitir balance negativo apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Nombre del plan de evaluación @@ -6130,6 +6163,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Solicitud de cotización apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} ingresó dos veces en el ítem Impuesto DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Deducir el impuesto total en la fecha de nómina seleccionada +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,La última fecha de verificación de carbono no puede ser una fecha futura apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Seleccione cambiar cantidad de cuenta DocType: Support Settings,Forum Posts,Publicaciones en el foro DocType: Timesheet Detail,Expected Hrs,Horas esperadas @@ -6139,7 +6173,7 @@ DocType: Program Enrollment Tool,Enroll Students,Inscribir estudiantes apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Repetir los ingresos del cliente DocType: Company,Date of Commencement,Fecha de comienzo DocType: Bank,Bank Name,Nombre del banco -DocType: Quality Goal,December,diciembre +DocType: GSTR 3B Report,December,diciembre apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Válido desde la fecha debe ser inferior a la fecha de validez apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Esto se basa en la asistencia de este empleado. DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Si se marca, la página de inicio será el grupo de artículos predeterminado para el sitio web" @@ -6182,6 +6216,7 @@ DocType: Payment Entry,Payment Type,Tipo de pago apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Los números de folio no coinciden. DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Inspección de calidad: {0} no se envía para el artículo: {1} en la fila {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Mostrar {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} artículo encontrado. ,Stock Ageing,Envejecimiento DocType: Customer Group,Mention if non-standard receivable account applicable,Mención si es aplicable una cuenta por cobrar no estándar @@ -6460,6 +6495,7 @@ DocType: Travel Request,Costing,Costeo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Activos fijos DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Ganancia total +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio DocType: Share Balance,From No,De no DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Factura de Reconciliación de Pagos DocType: Purchase Invoice,Taxes and Charges Added,Impuestos y cargos añadidos @@ -6467,7 +6503,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Considere impuest DocType: Authorization Rule,Authorized Value,Valor Autorizado apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Recibido de apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,El almacén {0} no existe +DocType: Item Manufacturer,Item Manufacturer,Fabricante del artículo DocType: Sales Invoice,Sales Team,Equipo de ventas +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Cantidad de paquete DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM DocType: Installation Note,Installation Date,Fecha de instalación DocType: Email Digest,New Quotations,Nuevas cotizaciones @@ -6531,7 +6569,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Nombre de la lista de vacaciones DocType: Water Analysis,Collection Temperature ,Temperatura de recogida DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Gestionar facturas de citas enviar y cancelar automáticamente para Encuentro con el paciente -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configure la serie de nombres para {0} a través de Configuración> Configuración> Series de nombres DocType: Employee Benefit Claim,Claim Date,Fecha de reclamo DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Deje en blanco si el Proveedor está bloqueado indefinidamente apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,La asistencia desde la fecha y la asistencia hasta la fecha es obligatoria @@ -6542,6 +6579,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Fecha de jubilación apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Por favor seleccione paciente DocType: Asset,Straight Line,Línea recta +DocType: Quality Action,Resolutions,Resoluciones DocType: SMS Log,No of Sent SMS,No de SMS enviados ,GST Itemised Sales Register,Registro de ventas detalladas GST apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,El monto total adelantado no puede ser mayor que el monto total sancionado @@ -6652,7 +6690,7 @@ DocType: Account,Profit and Loss,Ganancia y perdida apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Asset Finance Book,Written Down Value,Valor Escrito apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Balance de apertura de equidad -DocType: Quality Goal,April,abril +DocType: GSTR 3B Report,April,abril DocType: Supplier,Credit Limit,Límite de crédito apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Distribución apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6707,6 +6745,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Conecta Shopify con ERPNext DocType: Homepage Section Card,Subtitle,Subtitular DocType: Soil Texture,Loam,Marga +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveedor> Tipo de proveedor DocType: BOM,Scrap Material Cost(Company Currency),Costo del material de desecho (moneda de la empresa) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Nota de entrega {0} no debe ser enviada DocType: Task,Actual Start Date (via Time Sheet),Fecha de inicio real (a través de la hoja de tiempo) @@ -6762,7 +6801,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosificación DocType: Cheque Print Template,Starting position from top edge,Posición inicial desde el borde superior. apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Duración de la cita (minutos) -DocType: Pricing Rule,Disable,Inhabilitar +DocType: Accounting Dimension,Disable,Inhabilitar DocType: Email Digest,Purchase Orders to Receive,Órdenes de compra para recibir apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Las órdenes de producción no pueden ser levantadas para: DocType: Projects Settings,Ignore Employee Time Overlap,Ignorar la superposición de tiempo del empleado @@ -6846,6 +6885,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Crear DocType: Item Attribute,Numeric Values,Valores numéricos DocType: Delivery Note,Instructions,Instrucciones DocType: Blanket Order Item,Blanket Order Item,Artículo de orden de manta +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Obligatorio de cuenta de pérdidas y ganancias apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,La tasa de comisión no puede ser superior a 100 DocType: Course Topic,Course Topic,Tema del curso DocType: Employee,This will restrict user access to other employee records,Esto restringirá el acceso del usuario a otros registros de empleados @@ -6870,12 +6910,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Gestión de su apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Obtener clientes de apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Compendio DocType: Employee,Reports to,Informes a +DocType: Video,YouTube,Youtube DocType: Party Account,Party Account,Cuenta del partido DocType: Assessment Plan,Schedule,Programar apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Por favor escribe DocType: Lead,Channel Partner,Socio de canal apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Cantidad facturada DocType: Project,From Template,De la plantilla +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Suscripciones apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Cantidad a hacer DocType: Quality Review Table,Achieved,Logrado @@ -6922,7 +6964,6 @@ DocType: Journal Entry,Subscription Section,Seccion de suscripcion DocType: Salary Slip,Payment Days,Días de pago apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Información de voluntariado. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Las acciones de congelación más antiguas que 'deben ser menores que% d días. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Seleccione el año fiscal DocType: Bank Reconciliation,Total Amount,Cantidad total DocType: Certification Application,Non Profit,Sin ánimo de lucro DocType: Subscription Settings,Cancel Invoice After Grace Period,Cancelar factura después del período de gracia @@ -6935,7 +6976,6 @@ DocType: Serial No,Warranty Period (Days),Periodo de garantía (días) DocType: Expense Claim Detail,Expense Claim Detail,Reclamo de gastos detalle apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programa: DocType: Patient Medical Record,Patient Medical Record,Expediente médico del paciente -DocType: Quality Action,Action Description,Acción Descripción DocType: Item,Variant Based On,Variante basada en DocType: Vehicle Service,Brake Oil,Aceite de freno DocType: Employee,Create User,Crear usuario @@ -6991,7 +7031,7 @@ DocType: Cash Flow Mapper,Section Name,Nombre de la sección DocType: Packed Item,Packed Item,Artículo empacado apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: se requiere un monto de débito o crédito para {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Presentación de comprobantes de sueldo ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Ninguna acción +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Ninguna acción apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","El presupuesto no se puede asignar contra {0}, ya que no es una cuenta de ingresos o gastos" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Maestros y Cuentas DocType: Quality Procedure Table,Responsible Individual,Persona responsable @@ -7114,7 +7154,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Permitir la creación de cuentas contra la empresa infantil DocType: Payment Entry,Company Bank Account,Cuenta bancaria de la empresa DocType: Amazon MWS Settings,UK,Reino Unido -DocType: Quality Procedure,Procedure Steps,Pasos del procedimiento DocType: Normal Test Items,Normal Test Items,Artículos de prueba normales apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Artículo {0}: la cantidad solicitada {1} no puede ser inferior a la cantidad mínima de pedido {2} (definida en el Artículo). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,No disponible en stock @@ -7193,7 +7232,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analítica DocType: Maintenance Team Member,Maintenance Role,Rol de mantenimiento apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Plantilla de términos y condiciones DocType: Fee Schedule Program,Fee Schedule Program,Programa de tarifas programadas -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,El curso {0} no existe. DocType: Project Task,Make Timesheet,Hacer hoja de horas DocType: Production Plan Item,Production Plan Item,Elemento del plan de producción apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Estudiante total @@ -7215,6 +7253,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Terminando apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Solo puede renovar si su membresía expira dentro de los 30 días apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},El valor debe estar entre {0} y {1} +DocType: Quality Feedback,Parameters,Parámetros ,Sales Partner Transaction Summary,Resumen de transacciones del socio de ventas DocType: Asset Maintenance,Maintenance Manager Name,Nombre del gerente de mantenimiento apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Es necesario para obtener detalles del artículo. @@ -7253,6 +7292,7 @@ DocType: Student Admission,Student Admission,Admisión de estudiantes DocType: Designation Skill,Skill,Habilidad DocType: Budget Account,Budget Account,Cuenta de presupuesto DocType: Employee Transfer,Create New Employee Id,Crear nueva identificación de empleado +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} es obligatorio para la cuenta de 'Pérdidas y Ganancias' {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Impuesto sobre bienes y servicios (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Creación de hojas de salario ... DocType: Employee Skill,Employee Skill,Habilidad del empleado @@ -7353,6 +7393,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Factura por s DocType: Subscription,Days Until Due,Días hasta el vencimiento apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Show Completado apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Informe de entrada de transacciones del extracto bancario +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Deatils del banco apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Fila # {0}: la tasa debe ser la misma que {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Artículos de servicios de salud @@ -7409,6 +7450,7 @@ DocType: Training Event Employee,Invited,Invitado apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},La cantidad máxima elegible para el componente {0} excede de {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Monto a Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","Para {0}, solo las cuentas de débito pueden vincularse con otra entrada de crédito" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Creando Dimensiones ... DocType: Bank Statement Transaction Entry,Payable Account,Cuenta por pagar apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Por favor mencione no de visitas requeridas DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Seleccione solo si ha configurado documentos de Cash Flow Mapper @@ -7426,6 +7468,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,S DocType: Service Level,Resolution Time,Tiempo de resolucion DocType: Grading Scale Interval,Grade Description,Descripción del grado DocType: Homepage Section,Cards,Tarjetas +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Minutos de reuniones de calidad DocType: Linked Plant Analysis,Linked Plant Analysis,Análisis de plantas vinculadas apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,La fecha de finalización del servicio no puede ser posterior a la fecha de finalización del servicio apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,"Por favor, establezca el límite B2C en la configuración de GST." @@ -7460,7 +7503,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Herramienta de asiste DocType: Employee,Educational Qualification,Calificación educativa apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Valor accesible apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},La cantidad de muestra {0} no puede ser mayor que la cantidad recibida {1} -DocType: Quiz,Last Highest Score,Último puntaje más alto DocType: POS Profile,Taxes and Charges,Impuestos y Cargos DocType: Opportunity,Contact Mobile No,Contacto Móvil No DocType: Employee,Joining Details,Detalles de unión diff --git a/erpnext/translations/et.csv b/erpnext/translations/et.csv index a1440c54fe..bcf9800f53 100644 --- a/erpnext/translations/et.csv +++ b/erpnext/translations/et.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Tarnija osa nr DocType: Journal Entry Account,Party Balance,Partei tasakaal apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Fondide allikas (kohustused) DocType: Payroll Period,Taxable Salary Slabs,Maksustatavad palga plaadid +DocType: Quality Action,Quality Feedback,Kvaliteetne tagasiside DocType: Support Settings,Support Settings,Toetusseaded apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Sisestage esmalt tootmisüksus DocType: Quiz,Grading Basis,Hindamise alus @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Rohkem detaile DocType: Salary Component,Earning,Teenimine DocType: Restaurant Order Entry,Click Enter To Add,Klõpsake nuppu Enter To Add DocType: Employee Group,Employee Group,Töötajate rühm +DocType: Quality Procedure,Processes,Protsessid DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,"Määrake vahetuskurss, et konverteerida üks valuuta teiseks" apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Vananemise vahemik 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Laoseisu {0} jaoks vajalik ladu @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Kaebus DocType: Shipping Rule,Restrict to Countries,Piirake ainult riikidega DocType: Hub Tracked Item,Item Manager,Üksuse haldur apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Lõpetamiskonto valuuta peab olema {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Eelarve apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Arve kirje avamine DocType: Work Order,Plan material for sub-assemblies,Plaanige alakoostude materjal apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Riistvara DocType: Budget,Action if Annual Budget Exceeded on MR,"Tegevus, kui aastaeelarve ületab MR-i" DocType: Sales Invoice Advance,Advance Amount,Ettemakse summa +DocType: Accounting Dimension,Dimension Name,Mõõtme nimi DocType: Delivery Note Item,Against Sales Invoice Item,Müügiarve kirje vastu DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Kaasa toote tootmine @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Mida see teeb? ,Sales Invoice Trends,Müügiarve trendid DocType: Bank Reconciliation,Payment Entries,Makse kirjed DocType: Employee Education,Class / Percentage,Klass / protsent -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Üksuse kood> Punktirühm> Bränd ,Electronic Invoice Register,Elektroonilise arve register DocType: Sales Invoice,Is Return (Credit Note),Kas tagastamine (krediidi märkus) DocType: Lab Test Sample,Lab Test Sample,Lab-testi proov @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Variandid apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",Tasud jaotatakse proportsionaalselt vastavalt elemendi kogusele või kogusele vastavalt teie valikule apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Praegu toimuvad tegevused +DocType: Quality Procedure Process,Quality Procedure Process,Kvaliteediprotseduuri protsess DocType: Fee Schedule Program,Student Batch,Õpilase partii apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},{0} reas olevale üksusele nõutav hindamismäär DocType: BOM Operation,Base Hour Rate(Company Currency),Baashinna määr (ettevõtte valuuta) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,"Määra Kogus tehingutes, mis põhinevad seerianumbrite sisendil" apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Eelmise konto valuuta peaks olema sama kui ettevõtte valuuta {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Kohanda kodulehe sektsioone -DocType: Quality Goal,October,Oktoober +DocType: GSTR 3B Report,October,Oktoober DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Peida Kliendi maksutunnus müügitehingutest apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Kehtetu GSTIN! GSTINil peab olema 15 tähemärki. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Hinnakujunduse reegel {0} on uuendatud @@ -398,7 +402,7 @@ DocType: Leave Encashment,Leave Balance,Jäta tasakaal apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Hoolduskava {0} on {1} vastu DocType: Assessment Plan,Supervisor Name,Juhendaja nimi DocType: Selling Settings,Campaign Naming By,Kampaania nimetamine -DocType: Course,Course Code,Kursuse kood +DocType: Student Group Creation Tool Course,Course Code,Kursuse kood apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace DocType: Landed Cost Voucher,Distribute Charges Based On,Jaotage tasud vastavalt sellele DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Tarnija tulemustabelite hindamiskriteeriumid @@ -480,10 +484,8 @@ DocType: Restaurant Menu,Restaurant Menu,Restorani menüü DocType: Asset Movement,Purpose,Eesmärk apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Palga struktuuri määramine töötajatele on juba olemas DocType: Clinical Procedure,Service Unit,Teenindusüksus -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> Kliendirühm> Territoorium DocType: Travel Request,Identification Document Number,Identifitseerimisdokumendi number DocType: Stock Entry,Additional Costs,Täiendavad kulud -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Vanemekursus (jätke tühjaks, kui see ei kuulu vanemate kursuste hulka)" DocType: Employee Education,Employee Education,Töötajate haridus apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Positsioonide arv ei tohi olla väiksem kui töötajate arv apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Kõik kliendirühmad @@ -530,6 +532,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Rida {0}: Kogus on kohustuslik DocType: Sales Invoice,Against Income Account,Tulukonto vastu apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rida # {0}: ostuarvet ei saa esitada olemasoleva vara {1} vastu +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Erinevate reklaamikavade kohaldamise eeskirjad. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM-i jaoks vajalik UOM-i teisendustegur: {0} punktis: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Palun sisesta kogus {0} DocType: Workstation,Electricity Cost,Elektrienergia maksumus @@ -862,7 +865,6 @@ DocType: Item,Total Projected Qty,Kavandatav kogus kokku apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Tegelik alguskuupäev 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 kogu päeva (de) vältel kompenseeriva puhkuse taotluse päeva vahel -DocType: Company,About the Company,Ettevõttest apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Finantskontode puu. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Kaudsed tulud DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotelli tubade broneerimise punkt @@ -877,6 +879,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Potentsiaals DocType: Skill,Skill Name,Oskuse nimi apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Trüki aruande kaart DocType: Soil Texture,Ternary Plot,Ternary Plot +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Palun seadistage Naming Series {0} seadistuseks> Seadistused> Nimetamise seeria apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Tugipiletid DocType: Asset Category Account,Fixed Asset Account,Fikseeritud varade konto apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Viimati @@ -886,6 +889,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Programmi registree ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Palun määrake kasutatav seeria. DocType: Delivery Trip,Distance UOM,Kaugus UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Kohustuslik bilansi jaoks DocType: Payment Entry,Total Allocated Amount,Kokku eraldatud summa DocType: Sales Invoice,Get Advances Received,Saage ettemakseid DocType: Student,B-,B- @@ -909,6 +913,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Hooldusgraafik apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS-i sisestamiseks vajalik POS-profiil DocType: Education Settings,Enable LMS,LMS-i lubamine DocType: POS Closing Voucher,Sales Invoices Summary,Müügiarvete kokkuvõte +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Kasu apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Krediidi kontole peab olema bilansikonto DocType: Video,Duration,Kestus DocType: Lab Test Template,Descriptive,Kirjeldav @@ -960,6 +965,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Algus- ja lõppkuupäevad DocType: Supplier Scorecard,Notify Employee,Teata töötajale apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Tarkvara +DocType: Program,Allow Self Enroll,Luba Self Enroll apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Varude kulud apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Võrdlusnumber on kohustuslik, kui sisestasite võrdluskuupäeva" DocType: Training Event,Workshop,Töökoda @@ -1012,6 +1018,7 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maksimaalne: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-arvete teave puudub apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Materiaalset taotlust ei loodud +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Üksuse kood> Punktirühm> Bränd DocType: Loan,Total Amount Paid,Tasutud kogusumma apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Kõik need esemed on juba arvestatud DocType: Training Event,Trainer Name,Treeneri nimi @@ -1032,6 +1039,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Õppeaasta DocType: Sales Stage,Stage Name,Etapi nimi DocType: SMS Center,All Employee (Active),Kõik töötajad (aktiivsed) +DocType: Accounting Dimension,Accounting Dimension,Raamatupidamise mõõde DocType: Project,Customer Details,Kliendi andmed DocType: Buying Settings,Default Supplier Group,Vaikimisi tarnijagrupp apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Esmalt tühistage ostutõend {0} @@ -1146,7 +1154,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Suurem number, k DocType: Designation,Required Skills,Nõutavad oskused DocType: Marketplace Settings,Disable Marketplace,Keela turg DocType: Budget,Action if Annual Budget Exceeded on Actual,"Tegevus, kui aastane eelarve ületab tegelikku" -DocType: Course,Course Abbreviation,Kursuse lühend apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,"Osavõtul, mida {0} ei esitatud kui {1} puhkusel." DocType: Pricing Rule,Promotional Scheme Id,Reklaamiskeemi ID apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Ülesande {0} lõppkuupäev ei tohi olla suurem kui {1} eeldatav lõppkuupäev {2} @@ -1289,7 +1296,7 @@ DocType: Bank Guarantee,Margin Money,Marginaalne raha DocType: Chapter,Chapter,Peatükk DocType: Purchase Receipt Item Supplied,Current Stock,Hetke varu DocType: Employee,History In Company,Ajalugu ettevõttes -DocType: Item,Manufacturer,Tootja +DocType: Purchase Invoice Item,Manufacturer,Tootja apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Mõõdukas tundlikkus DocType: Compensatory Leave Request,Leave Allocation,Jäta eraldamine välja DocType: Timesheet,Timesheet,Töögraafik @@ -1320,6 +1327,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Tootmisele üle kantu DocType: Products Settings,Hide Variants,Peida variandid DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Keela võimsuse planeerimine ja aja jälgimine DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Arvutatakse tehingus. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{Balance} konto {1} puhul on vajalik {0}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} ei tohi {1} -ga tehinguid teha. Palun muutke ettevõte. 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}","Vastavalt ostu seadetele, kui nõutav ostu sooritamine on vajalik == 'JAH', peab ostude arve loomiseks esmalt {0} kirje jaoks looma ostutšekk" DocType: Delivery Trip,Delivery Details,Saatmise üksikasjad @@ -1355,7 +1363,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Eelmine apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Mõõtühik DocType: Lab Test,Test Template,Testi mall DocType: Fertilizer,Fertilizer Contents,Väetise sisu -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minutit +DocType: Quality Meeting Minutes,Minute,Minutit apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rida # {0}: vara {1} ei saa esitada, on juba {2}" DocType: Task,Actual Time (in Hours),Tegelik aeg (tundides) DocType: Period Closing Voucher,Closing Account Head,Konto sulgemine @@ -1527,7 +1535,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratoorium DocType: Purchase Order,To Bill,Billile apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Kasulikkuse kulud DocType: Manufacturing Settings,Time Between Operations (in mins),Toimingute vaheline aeg (minutites) -DocType: Quality Goal,May,Mai +DocType: GSTR 3B Report,May,Mai apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Maksete lüüsi konto pole loodud, looge see käsitsi." DocType: Opening Invoice Creation Tool,Purchase,Ostmine DocType: Program Enrollment,School House,Koolimaja @@ -1559,6 +1567,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,H DocType: Supplier,Statutory info and other general information about your Supplier,Kohustuslik teave ja muu üldine teave teie tarnija kohta DocType: Item Default,Default Selling Cost Center,Vaikemüügikulu keskus DocType: Sales Partner,Address & Contacts,Aadress ja kontaktid +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Palun seadistage nummerdamise seeria osalemiseks seadistamise> Nummerdamise seeria kaudu DocType: Subscriber,Subscriber,Abonent apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# vorm / üksus / {0}) on laos apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Valige kõigepealt postitamise kuupäev @@ -1586,6 +1595,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Statsionaalse külastuse DocType: Bank Statement Settings,Transaction Data Mapping,Tehingute andmete kaardistamine apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Plii vajab kas isiku nime või organisatsiooni nime DocType: Student,Guardians,Valvurid +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Palun seadistage õpetaja nimetamise süsteem hariduses> hariduse seaded apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Valige bränd ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Keskmine sissetulek DocType: Shipping Rule,Calculate Based On,Arvuta põhjal @@ -1597,7 +1607,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Kulude hüvitamise nõue DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Ümardamise korrigeerimine (ettevõtte valuuta) DocType: Item,Publish in Hub,Avaldage jaotises Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,august +DocType: GSTR 3B Report,August,august apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Sisestage esmalt ostutšekk apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Algusaasta apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Siht ({}) @@ -1616,6 +1626,7 @@ DocType: Item,Max Sample Quantity,Maksimaalne proovikogus apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Allikas ja sihtlaos peavad olema erinevad DocType: Employee Benefit Application,Benefits Applied,Rakendatud hüvitised apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Ajakirja kirje vastu {0} ei ole ühtegi {1} kirjet +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Eri tähemärki, välja arvatud "-", "#", ".", "/", "{" Ja "}", ei ole lubatud seeriate nimetamisel" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Hind või toote allahindlusplaadid on vajalikud apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Määra sihtmärk apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Õpilase {1} vastu on kohaloleku kirje {0} @@ -1631,10 +1642,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Kuus DocType: Routing,Routing Name,Marsruudi nimi DocType: Disease,Common Name,Üldnimi -DocType: Quality Goal,Measurable,Mõõdetav DocType: Education Settings,LMS Title,LMS-i pealkiri apps/erpnext/erpnext/config/non_profit.py,Loan Management,Laenude haldamine -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Analüüsi toetamine DocType: Clinical Procedure,Consumable Total Amount,Tarbitav kogusumma apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Luba mall apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Kliendi LPO @@ -1774,6 +1783,7 @@ DocType: Restaurant Order Entry Item,Served,Serveeritud DocType: Loan,Member,Liige DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Praktiku teenuse üksuse ajakava apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Traadi ülekanne +DocType: Quality Review Objective,Quality Review Objective,Kvaliteedi läbivaatamise eesmärk DocType: Bank Reconciliation Detail,Against Account,Konto vastu DocType: Projects Settings,Projects Settings,Projektide seaded apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Tegelik kogus {0} / oodatav kogus {1} @@ -1802,6 +1812,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ri apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Eelarveaasta lõppkuupäev peaks olema üks aasta pärast eelarveaasta alguskuupäeva apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Päeva meeldetuletused DocType: Item,Default Sales Unit of Measure,Vaikimisi müüdud mõõtühik +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Ettevõte GSTIN DocType: Asset Finance Book,Rate of Depreciation,Kulumi määr DocType: Support Search Source,Post Description Key,Postituse kirjeldus DocType: Loyalty Program Collection,Minimum Total Spent,Minimaalne kogukulu @@ -1873,6 +1884,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Kliendi grupi muutmine valitud kliendile ei ole lubatud. DocType: Serial No,Creation Document Type,Loomise dokumendi tüüp DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Laos saadaval olev partii kogus +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Arve Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,See on juurterritoorium ja seda ei saa muuta. DocType: Patient,Surgical History,Kirurgiline ajalugu apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Kvaliteediprotseduuride puu. @@ -1975,6 +1987,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,H DocType: Item Group,Check this if you want to show in website,"Kontrollige seda, kui soovite veebisaidil näidata" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Eelarveaastat {0} ei leitud DocType: Bank Statement Settings,Bank Statement Settings,Panga väljavõtte seaded +DocType: Quality Procedure Process,Link existing Quality Procedure.,Seostage olemasolev kvaliteediprotseduur. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Importige kontode kaart CSV / Exceli failidest DocType: Appraisal Goal,Score (0-5),Skoor (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Atribuutide tabelis mitu korda valitud atribuut {0} DocType: Purchase Invoice,Debit Note Issued,Väljastatud deebet Märkus @@ -1983,7 +1997,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Jäta poliitika üksikasjad välja apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Ladu ei leitud süsteemis DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -DocType: Quality Goal,Measurable Goal,Mõõdetav eesmärk DocType: Bank Statement Transaction Payment Item,Invoices,Arveid DocType: Currency Exchange,Currency Exchange,Valuutavahetus DocType: Payroll Entry,Fortnightly,Kord nädalas @@ -2046,6 +2059,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} ei esitata DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Tooraine tagasivool töötlemata laost DocType: Maintenance Team Member,Maintenance Team Member,Hooldusmeeskonna liige +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Seadistage kohandatud mõõtmed raamatupidamiseks DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimaalne kaugus taimede ridade vahel optimaalse kasvu saavutamiseks DocType: Employee Health Insurance,Health Insurance Name,Tervisekindlustuse nimi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Aktsiavarad @@ -2078,7 +2092,7 @@ DocType: Delivery Note,Billing Address Name,Arvelduse aadressi nimi apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternatiivne kirje DocType: Certification Application,Name of Applicant,Taotleja nimi DocType: Leave Type,Earned Leave,Teenitud lahkumine -DocType: Quality Goal,June,Juuni +DocType: GSTR 3B Report,June,Juuni apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Saab kinnitada {0} 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 konversiooniteguri tabelisse sisestatud rohkem kui üks kord DocType: Purchase Invoice Item,Net Rate (Company Currency),Netomäär (ettevõtte valuuta) @@ -2098,6 +2112,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standardne müügihind apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Valige restoranile {0} aktiivne menüü 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.,"Peate olema süsteemihalduri ja üksusehalduri rollidega kasutaja, et lisada kasutajaid turuplatsile." DocType: Asset Finance Book,Asset Finance Book,Varade finantsraamat +DocType: Quality Goal Objective,Quality Goal Objective,Kvaliteedi eesmärgi eesmärk DocType: Employee Transfer,Employee Transfer,Töötajate üleminek ,Sales Funnel,Müügikanal DocType: Agriculture Analysis Criteria,Water Analysis,Vee analüüs @@ -2136,6 +2151,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Töötajate ülea apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Ootel tegevused apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Loetlege mõned oma kliendid. Nad võivad olla organisatsioonid või üksikisikud. DocType: Bank Guarantee,Bank Account Info,Pangakonto teave +DocType: Quality Goal,Weekday,Nädalapäev apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 nimi DocType: Salary Component,Variable Based On Taxable Salary,Muutuja põhineb maksustataval palgal DocType: Accounting Period,Accounting Period,Raamatupidamisperiood @@ -2220,7 +2236,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Ümardamine DocType: Quality Review Table,Quality Review Table,Kvaliteedi läbivaatamise tabel DocType: Member,Membership Expiry Date,Liikmestaatuse lõppemise kuupäev DocType: Asset Finance Book,Expected Value After Useful Life,Oodatav väärtus pärast eluiga -DocType: Quality Goal,November,November +DocType: GSTR 3B Report,November,November DocType: Loan Application,Rate of Interest,Intressimäär DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Panga väljavõtte tehingu makse kirje DocType: Restaurant Reservation,Waitlisted,Oodatud @@ -2284,6 +2300,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}",Rida {0}: perioodilisuse seadmiseks {1} peab erinevus kuupäeva ja kuupäeva vahel olema suurem kui {2} või võrdne sellega DocType: Purchase Invoice Item,Valuation Rate,Hindamismäär DocType: Shopping Cart Settings,Default settings for Shopping Cart,Ostukorvi vaikesätted +DocType: Quiz,Score out of 100,Punkt 100-st DocType: Manufacturing Settings,Capacity Planning,Võimekuse planeerimine apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Mine instruktoritele DocType: Activity Cost,Projects,Projektid @@ -2293,6 +2310,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Ajast apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variandi üksikasjade aruanne +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Ostmiseks apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} jaoks mõeldud teenindusaegu ei lisata ajakavale DocType: Target Detail,Target Distribution,Sihtjaotus @@ -2310,6 +2328,7 @@ DocType: Activity Cost,Activity Cost,Tegevuskulud DocType: Journal Entry,Payment Order,Maksekorraldus apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Hinnakujundus ,Item Delivery Date,Kauba kohaletoimetamise kuupäev +DocType: Quality Goal,January-April-July-October,Jaanuar-aprill – juuli-oktoober DocType: Purchase Order Item,Warehouse and Reference,Ladu ja viide apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Laste sõlmedega kontot ei saa muuta pearaamatusse DocType: Soil Texture,Clay Composition (%),Savikompositsioon (%) @@ -2360,6 +2379,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Tulevased kuupäevad p apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rida {0}: valige makseviis maksegraafikus apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Akadeemiline tähtaeg: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Kvaliteedi tagasiside parameeter apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Palun valige Apply Discount apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Rida # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Maksed kokku @@ -2402,7 +2422,7 @@ DocType: Hub Tracked Item,Hub Node,Rummu sõlm apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,töötaja ID DocType: Salary Structure Assignment,Salary Structure Assignment,Palga struktuuri määramine DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS sulgemiskupongid -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Toiming algatatud +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Toiming algatatud DocType: POS Profile,Applicable for Users,Kasutatav kasutajatele DocType: Training Event,Exam,Eksam apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Leitud on vale arv pearaamatu kirjeid. Võib-olla olete valinud tehingus vale konto. @@ -2509,6 +2529,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Pikkuskraad DocType: Accounts Settings,Determine Address Tax Category From,Määrake aadressimaksukategooria alates apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Otsuste tegijate tuvastamine +DocType: Stock Entry Detail,Reference Purchase Receipt,Võrdlusostu kviitung apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Võta Invocies DocType: Tally Migration,Is Day Book Data Imported,Kas päeva raamatu andmed imporditakse ,Sales Partners Commission,Müügipartnerite komisjon @@ -2532,6 +2553,7 @@ DocType: Leave Type,Applicable After (Working Days),Kohaldatav pärast (tööpä DocType: Timesheet Detail,Hrs,Hrs DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Tarnijate tulemustabeli kriteeriumid DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Kvaliteedi tagasiside malli parameeter apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Liitumise kuupäev peab olema suurem kui sünniaeg DocType: Bank Statement Transaction Invoice Item,Invoice Date,Arve kuupäevast DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Loo müügi arve saatmisel Lab-test (id) @@ -2638,7 +2660,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimaalne lubatud v DocType: Stock Entry,Source Warehouse Address,Alla lao aadress DocType: Compensatory Leave Request,Compensatory Leave Request,Kompenseeriva puhkuse taotlus DocType: Lead,Mobile No.,Mobiili number. -DocType: Quality Goal,July,Juuli +DocType: GSTR 3B Report,July,Juuli apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Abikõlblik ITC DocType: Fertilizer,Density (if liquid),Tihedus (kui vedelik) DocType: Employee,External Work History,Väline tööajalugu @@ -2715,6 +2737,7 @@ DocType: Certification Application,Certification Status,Sertifitseerimise staatu apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Allika asukoht on vajalik vara {0} jaoks DocType: Employee,Encashment Date,Kogumiskuupäev apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Palun vali lõpetatud varade hoolduslogi täitmise kuupäev +DocType: Quiz,Latest Attempt,Viimane katse DocType: Leave Block List,Allow Users,Luba kasutajatel apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Kontode kaart apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"Klient on kohustuslik, kui klient on valitud „Opportunity From”" @@ -2779,7 +2802,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Tarnija tulemuste ka DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS seaded DocType: Program Enrollment,Walking,Kõndimine DocType: SMS Log,Requested Numbers,Taotletud numbrid -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Palun seadistage nummerdamise seeria osalemiseks seadistamise> Nummerdamise seeria kaudu DocType: Woocommerce Settings,Freight and Forwarding Account,Ekspedeerimis- ja kaubakonto apps/erpnext/erpnext/accounts/party.py,Please select a Company,Valige ettevõte apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Rida {0}: {1} peab olema suurem kui 0 @@ -2849,7 +2871,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Klientidele DocType: Training Event,Seminar,Seminar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Krediit ({0}) DocType: Payment Request,Subscription Plans,Tellimiskavad -DocType: Quality Goal,March,Märts +DocType: GSTR 3B Report,March,Märts apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Jagatud partii DocType: School House,House Name,Maja nimi apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0} puhul ei saa väljavõte olla väiksem kui null ({1}) @@ -2912,7 +2934,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Kindlustuse alguskuupäev DocType: Target Detail,Target Detail,Sihtmärk DocType: Packing Slip,Net Weight UOM,Netomass UOM -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Konversioonitegur ({0} -> {1}) üksusele: {2} ei leitud DocType: Purchase Invoice Item,Net Amount (Company Currency),Netosumma (ettevõtte valuuta) DocType: Bank Statement Transaction Settings Item,Mapped Data,Kaardistatud andmed apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Väärtpaberid ja hoiused @@ -2962,6 +2983,7 @@ DocType: Cheque Print Template,Cheque Height,Kontrollige kõrgust apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Palun sisestage vabastamise kuupäev. DocType: Loyalty Program,Loyalty Program Help,Lojaalsusprogrammi abi DocType: Journal Entry,Inter Company Journal Entry Reference,Ettevõtte ajakirja sissekande viide +DocType: Quality Meeting,Agenda,Päevakord DocType: Quality Action,Corrective,Parandus apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Grupi järgi DocType: Bank Account,Address and Contact,Aadress ja kontakt @@ -3015,7 +3037,7 @@ DocType: GL Entry,Credit Amount,Krediidi summa apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Krediteeritud kogusumma DocType: Support Search Source,Post Route Key List,Marsruudi postiloendi nimekiri apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} mitte ühelgi aktiivsel eelarveaastal. -DocType: Quality Action Table,Problem,Probleem +DocType: Quality Action Resolution,Problem,Probleem DocType: Training Event,Conference,Konverents DocType: Mode of Payment Account,Mode of Payment Account,Makseviisi konto DocType: Leave Encashment,Encashable days,Saabuvad päevad @@ -3141,7 +3163,7 @@ DocType: Item,"Purchase, Replenishment Details","Ostmine, täiendamise üksikasj DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Kui see on määratud, jääb arve ootele määratud kuupäevani" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"Varu {0} jaoks ei ole varu olemas, kuna neil on variante" DocType: Lab Test Template,Grouped,Grupeeritud -DocType: Quality Goal,January,Jaanuar +DocType: GSTR 3B Report,January,Jaanuar DocType: Course Assessment Criteria,Course Assessment Criteria,Kursuse hindamise kriteeriumid DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Valminud kogus @@ -3236,7 +3258,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Tervishoiutee apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Palun sisestage tabelisse vähemalt üks arve apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Müügitellimust {0} ei esitata apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Osavõtt on edukalt märgistatud. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Müügieelne +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Müügieelne apps/erpnext/erpnext/config/projects.py,Project master.,Projekti juht. DocType: Daily Work Summary,Daily Work Summary,Igapäevane töö kokkuvõte DocType: Asset,Partially Depreciated,Osaline amortisatsioon @@ -3245,6 +3267,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Kas lahkuda? DocType: Certified Consultant,Discuss ID,Arutage ID-d apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Palun määrake GST-i kontod GST seadetes +DocType: Quiz,Latest Highest Score,Viimane kõrgeim skoor DocType: Supplier,Billing Currency,Arveldusvaluuta apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Üliõpilaste tegevus apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Kumbki sihtmärk või sihtväärtus on kohustuslik @@ -3270,18 +3293,21 @@ DocType: Sales Order,Not Delivered,Ei edastata apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Lahkumistüüpi {0} ei saa jaotada, sest see on palgata puhkus" DocType: GL Entry,Debit Amount,Deebet apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Üksuse {0} jaoks on juba salvestatud +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Alamkomplektid 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 hinnakujunduse reeglit jätkuvad, palutakse kasutajatel seada prioriteet käsitsi konflikti lahendamiseks." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ei saa maha arvata, kui kategooria on „Hindamine” või „Hindamine ja kokku”" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM ja tootmismaht on nõutavad apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Üksus {0} on jõudnud oma elu lõpuni {1} DocType: Quality Inspection Reading,Reading 6,Lugemine 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Ettevõtte väli on kohustuslik apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Materjalide tarbimine ei ole seadistustes seadistatud. DocType: Assessment Group,Assessment Group Name,Hindamisgrupi nimi -DocType: Item,Manufacturer Part Number,Tootja osa number +DocType: Purchase Invoice Item,Manufacturer Part Number,Tootja osa number apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Tasuline palgafond apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Rida # {0}: {1} ei saa olla positsioonile {2} negatiivne apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Saldo kogus +DocType: Question,Multiple Correct Answer,Mitme õige vastus DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Lojaalsuspunktid = Kui palju baasvaluutat? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Märkus: lahkumisjäägi jätmine tüübile {0} ei ole piisav DocType: Clinical Procedure,Inpatient Record,Haiglaravi @@ -3401,6 +3427,7 @@ DocType: Fee Schedule Program,Total Students,Õpilased kokku apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Kohalik DocType: Chapter Member,Leave Reason,Lahkumise põhjus DocType: Salary Component,Condition and Formula,Seisund ja valem +DocType: Quality Goal,Objectives,Eesmärgid apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",{0} ja {1} vahelisel perioodil juba töödeldud palk ei saa jääda selle ajavahemiku vahele. DocType: BOM Item,Basic Rate (Company Currency),Põhihind (ettevõtte valuuta) DocType: BOM Scrap Item,BOM Scrap Item,BOM jäägid @@ -3451,6 +3478,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Kulude nõude konto apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Journal Entry jaoks tagasimaksed puuduvad apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} on passiivne õpilane +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Tehke laoseisu DocType: Employee Onboarding,Activities,Tegevused apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast üks ladu on kohustuslik ,Customer Credit Balance,Kliendi krediidi saldo @@ -3535,7 +3563,6 @@ DocType: Contract,Contract Terms,Lepingu tingimused apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Kumbki sihtmärk või sihtväärtus on kohustuslik. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Kehtetu {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Koosoleku kuupäev DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Lühendil ei tohi olla rohkem kui 5 tähemärki DocType: Employee Benefit Application,Max Benefits (Yearly),Maksimaalne kasu (aasta) @@ -3636,7 +3663,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Pangatasud apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Ülekantud kaubad apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Esmane kontaktandmed -DocType: Quality Review,Values,Väärtused DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Kui seda ei kontrollita, tuleb nimekiri lisada igasse osakonda, kus seda tuleb rakendada." DocType: Item Group,Show this slideshow at the top of the page,Näita seda slaidiesitust lehe ülaosas apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Parameeter {0} on kehtetu @@ -3655,6 +3681,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Pangatasude konto DocType: Journal Entry,Get Outstanding Invoices,Saage tasumata arved DocType: Opportunity,Opportunity From,Võimalus alates +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Sihtandmete üksikasjad DocType: Item,Customer Code,Kliendi kood apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Sisestage esmalt kirje apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Veebilehtede loetelu @@ -3683,7 +3710,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Kohaletoimetamine DocType: Bank Statement Transaction Settings Item,Bank Data,Pangaandmed apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planeeritud Upto -DocType: Quality Goal,Everyday,Iga päev DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Säilitage arveldusaeg ja töötundide arv töögraafikus apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Plii allikate jälgimine. DocType: Clinical Procedure,Nursing User,Õendusabi kasutaja @@ -3708,7 +3734,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Halda territooriumi pu DocType: GL Entry,Voucher Type,Kupongi tüüp ,Serial No Service Contract Expiry,Seerianumbri teenuse lepingu lõppemine DocType: Certification Application,Certified,Sertifitseeritud -DocType: Material Request Plan Item,Manufacture,Tootmine +DocType: Purchase Invoice Item,Manufacture,Tootmine apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} toodetud esemed apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0} maksetaotlus apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Päevad alates viimasest korraldusest @@ -3723,7 +3749,7 @@ DocType: Sales Invoice,Company Address Name,Ettevõtte aadressi nimi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Transiitkaubad apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Selles järjekorras saate lunastada maksimaalselt {0} punkti. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Palun määrake konto laos {0} -DocType: Quality Action Table,Resolution,Resolutsioon +DocType: Quality Action,Resolution,Resolutsioon DocType: Sales Invoice,Loyalty Points Redemption,Lojaalsuspunktide tagasivõtmine apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Maksustatav maksumus DocType: Patient Appointment,Scheduled,Planeeritud @@ -3844,6 +3870,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Hinda apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},{0} salvestamine DocType: SMS Center,Total Message(s),Sõnum (id) kokku +DocType: Purchase Invoice,Accounting Dimensions,Raamatupidamise mõõtmed apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Konto konto järgi DocType: Quotation,In Words will be visible once you save the Quotation.,Sõnad on nähtavad pärast pakkumise salvestamist. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Kogus tootmiseks @@ -4007,7 +4034,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,S apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Kui teil on küsimusi, pöörduge palun meile tagasi." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Ostukviitungit {0} ei esitata DocType: Task,Total Expense Claim (via Expense Claim),Kogukulude nõue (kulutaotluse kaudu) -DocType: Quality Action,Quality Goal,Kvaliteedi eesmärk +DocType: Quality Goal,Quality Goal,Kvaliteedi eesmärk DocType: Support Settings,Support Portal,Toetusportaal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Ülesande {0} lõppkuupäev ei tohi olla väiksem kui {1} eeldatav alguskuupäev {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Töötaja {0} on lahkumisel {1} @@ -4066,7 +4093,6 @@ DocType: BOM,Operating Cost (Company Currency),Tegevuskulud (ettevõtte valuuta) DocType: Item Price,Item Price,Punkt Hind DocType: Payment Entry,Party Name,Partei nimi apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Palun valige klient -DocType: Course,Course Intro,Kursuse sissejuhatus DocType: Program Enrollment Tool,New Program,Uus programm apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Uue kulukeskuse number, see lisatakse kulukeskuse nimele prefiksina" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Valige klient või tarnija. @@ -4266,6 +4292,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Netopalk ei tohi olla negatiivne apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Interaktsioonide arv 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} # Üksust {1} ei saa üle {2} osta tellimuse {3} vastu +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Kontode ja poolte töötlemise graafik DocType: Stock Settings,Convert Item Description to Clean HTML,Teisenda elemendi kirjeldus puhtaks HTML-ks apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Kõik tarnijagrupid @@ -4344,6 +4371,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Vanema kirje apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Vahendus apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Looge kirje {0} ostutšekk või ostutarve +,Product Bundle Balance,Toote komplekti tasakaal apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Ettevõtte nimi ei saa olla Firma DocType: Maintenance Visit,Breakdown,Lagunema DocType: Inpatient Record,B Negative,B Negatiivne @@ -4352,7 +4380,7 @@ DocType: Purchase Invoice,Credit To,Krediitkaardiga apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Esitage see töökorraldus edasiseks töötlemiseks. DocType: Bank Guarantee,Bank Guarantee Number,Pangagarantii number apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Edastatud: {0} -DocType: Quality Action,Under Review,Ülevaatlusel +DocType: Quality Meeting Table,Under Review,Ülevaatlusel apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Põllumajandus (beeta) ,Average Commission Rate,Keskmine komisjoni määr DocType: Sales Invoice,Customer's Purchase Order Date,Kliendi ostutellimuse kuupäev @@ -4469,7 +4497,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Maksete sobitamine arvetega DocType: Holiday List,Weekly Off,Nädala väljalülitamine apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Ei luba seadistada elemendile {0} alternatiivset elementi -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Programmi {0} ei eksisteeri. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programmi {0} ei eksisteeri. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Sa ei saa juure sõlme redigeerida. DocType: Fee Schedule,Student Category,Õpilaste kategooria apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Üksus {0}: {1} toodetud kogus," @@ -4560,8 +4588,8 @@ DocType: Crop,Crop Spacing,Kärbi vahe DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Kui tihti peaks projekti ja ettevõtte müügi tehingute põhjal uuendama. DocType: Pricing Rule,Period Settings,Perioodi seaded apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Nõuete netosumma muutus +DocType: Quality Feedback Template,Quality Feedback Template,Kvaliteedi tagasiside mall apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Kogus peab olema suurem kui null -DocType: Quality Goal,Goal Objectives,Eesmärgi eesmärgid apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Määrade, aktsiate ja arvutatud summa vahel esineb vastuolusid" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Kui teete õpilaste gruppe aastas, jäta need tühjaks" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Laenud (kohustused) @@ -4596,12 +4624,13 @@ DocType: Quality Procedure Table,Step,Samm DocType: Normal Test Items,Result Value,Tulemuse väärtus DocType: Cash Flow Mapping,Is Income Tax Liability,Kas tulumaksukohustus DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Haigla külastamise tasu element -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} ei eksisteeri. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} ei eksisteeri. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Vastuse värskendamine DocType: Bank Guarantee,Supplier,Tarnija apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Sisestage väärtus {0} ja {1} DocType: Purchase Order,Order Confirmation Date,Tellimuse kinnitamise kuupäev DocType: Delivery Trip,Calculate Estimated Arrival Times,Arvuta eeldatav saabumisaeg +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Palun seadistage töötajate allikate süsteem inimressurssides> HR seaded apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Kulumaterjal DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Tellimuse alguskuupäev @@ -4665,6 +4694,7 @@ DocType: Cheque Print Template,Is Account Payable,Kas konto on tasumisele kuuluv apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Tellimuse koguväärtus apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Tarnija {0} ei leitud {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Seadistage SMS-lüüsi seaded +DocType: Salary Component,Round to the Nearest Integer,Ümmargune lähima täisarvuni apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Juuril ei saa olla vanemkulude keskust DocType: Healthcare Service Unit,Allow Appointments,Luba kohtumisi DocType: BOM,Show Operations,Näita toiminguid @@ -4792,7 +4822,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Vaikepuhkuste nimekiri DocType: Naming Series,Current Value,Praegune väärtus apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Hooajalisus eelarvete, sihtmärkide jne määramisel" -DocType: Program,Program Code,Programmikood apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Hoiatus: müügitellimus {0} on juba kliendi ostutellimuse {1} vastu apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Igakuine müügieesmärk ( DocType: Guardian,Guardian Interests,Guardian Huvid @@ -4842,10 +4871,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Tasutud ja mitte tarnitud apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Üksuse kood on kohustuslik, sest üksus ei ole automaatselt nummerdatud" DocType: GST HSN Code,HSN Code,HSN-kood -DocType: Quality Goal,September,September +DocType: GSTR 3B Report,September,September apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administratiivsed kulud DocType: C-Form,C-Form No,C-vorm nr DocType: Purchase Invoice,End date of current invoice's period,Arve kehtivuse lõppkuupäev +DocType: Item,Manufacturers,Tootjad DocType: Crop Cycle,Crop Cycle,Kärbi tsükkel DocType: Serial No,Creation Time,Loomise aeg apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Palun sisestage heakskiitev roll või heakskiitev kasutaja @@ -4918,8 +4948,6 @@ DocType: Employee,Short biography for website and other publications.,Lühike el DocType: Purchase Invoice Item,Received Qty,Saadud kogus DocType: Purchase Invoice Item,Rate (Company Currency),Hinda (ettevõtte valuuta) DocType: Item Reorder,Request for,Taotlus -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Palun eemaldage töötaja {0} selle dokumendi tühistamiseks" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Eelseadete installimine apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Palun sisestage tagasimakseperioodid DocType: Pricing Rule,Advanced Settings,Täpsemad seaded @@ -4945,7 +4973,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Luba ostukorvi DocType: Pricing Rule,Apply Rule On Other,Rakenda reegel teistega DocType: Vehicle,Last Carbon Check,Viimane süsiniku kontroll -DocType: Vehicle,Make,Tegema +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Tegema apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Müügiarve {0} on loodud makstud kujul apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Maksetaotluse viitedokumendi loomiseks on vaja apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Tulumaks @@ -5021,7 +5049,6 @@ DocType: Territory,Parent Territory,Vanema territoorium DocType: Vehicle Log,Odometer Reading,Odomeetri lugemine DocType: Additional Salary,Salary Slip,Palgalipik DocType: Payroll Entry,Payroll Frequency,Palgaarvestuse sagedus -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Palun seadistage töötajate allikate süsteem inimressurssides> HR seaded apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",Algus- ja lõppkuupäevad ei ole kehtivas palgaarvestusperioodis {0} DocType: Products Settings,Home Page is Products,Avaleht on Tooted apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Kõned @@ -5075,7 +5102,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Dokumentide allalaadimine ...... DocType: Delivery Stop,Contact Information,Kontaktinfo DocType: Sales Order Item,For Production,Tootmiseks -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Palun seadistage õpetaja nimetamise süsteem hariduses> hariduse seaded DocType: Serial No,Asset Details,Varade üksikasjad DocType: Restaurant Reservation,Reservation Time,Reserveerimise aeg DocType: Selling Settings,Default Territory,Vaikevöönd @@ -5215,6 +5241,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Aegunud partiid DocType: Shipping Rule,Shipping Rule Type,Saatmise reegli tüüp DocType: Job Offer,Accepted,Vastu võetud +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Palun eemaldage töötaja {0} selle dokumendi tühistamiseks" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Olete hindamiskriteeriume juba hinnanud {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Valige Batch Numbers apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Vanus (päeva) @@ -5231,6 +5259,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Pakiüksused müügi ajal. DocType: Payment Reconciliation Payment,Allocated Amount,Eraldatud summa apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Palun valige Firma ja nimetus +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,„Kuupäev” on vajalik DocType: Email Digest,Bank Credit Balance,Pangakrediidi saldo apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Näita kumulatiivset summat apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Te ei ole lojaalsuspunkte lunastama @@ -5290,11 +5319,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Eelmisel real kokku DocType: Student,Student Email Address,Õpilase e-posti aadress DocType: Academic Term,Education,Haridus DocType: Supplier Quotation,Supplier Address,Tarnija aadress -DocType: Salary Component,Do not include in total,Ärge lisage kokku +DocType: Salary Detail,Do not include in total,Ärge lisage kokku apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Ettevõttele ei saa määrata mitu üksuse vaikeväärtust. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ei eksisteeri DocType: Purchase Receipt Item,Rejected Quantity,Tagasilükatud kogus DocType: Cashier Closing,To TIme,TIme +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Konversioonitegur ({0} -> {1}) üksusele: {2} ei leitud DocType: Daily Work Summary Group User,Daily Work Summary Group User,Igapäevane töö kokkuvõte Grupi kasutaja DocType: Fiscal Year Company,Fiscal Year Company,Eelarveaasta ettevõte apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,"Alternatiivne kirje ei tohi olla sama, mis kirje kood" @@ -5404,7 +5434,6 @@ DocType: Fee Schedule,Send Payment Request Email,Saada maksenõude e-post DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Sõnades on nähtav pärast müügiarve salvestamist. DocType: Sales Invoice,Sales Team1,Müügimeeskond1 DocType: Work Order,Required Items,Nõutavad elemendid -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Erimärgid peale "-", "#", "." ja "/" nimetuste seerias ei ole lubatud" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Lugege ERPNext käsiraamatut DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Kontrolli tarnija arve numbrit unikaalsust apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Otsi alamkomplekte @@ -5472,7 +5501,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Protsendi vähendamine apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Kogus tootmiseks ei tohi olla väiksem kui null DocType: Share Balance,To No,Kuni Ei DocType: Leave Control Panel,Allocate Leaves,Eraldage lehed -DocType: Quiz,Last Attempt,Viimane katse DocType: Assessment Result,Student Name,Õpilase nimi apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Hooldusvisiidide plaan. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,"Järgmised materiaalsed taotlused on tõstetud automaatselt, lähtudes kirje ümberkorraldamise tasemest" @@ -5541,6 +5569,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Näidiku värv DocType: Item Variant Settings,Copy Fields to Variant,Kopeeri väljad variandile DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Ühekordne õige vastus apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Alates kuupäevast ei tohi olla vähem kui töötaja liitumiskuupäev DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Luba mitu ostutellimust kliendi ostutellimuse vastu apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5603,7 +5632,7 @@ DocType: Account,Expenses Included In Valuation,Kulude hindamine apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Seerianumbrid DocType: Salary Slip,Deductions,Mahaarvamised ,Supplier-Wise Sales Analytics,Tarnija-tark müügi analüüs -DocType: Quality Goal,February,Veebruar +DocType: GSTR 3B Report,February,Veebruar DocType: Appraisal,For Employee,Töötaja jaoks apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Tegelik tarnekuupäev DocType: Sales Partner,Sales Partner Name,Müügipartneri nimi @@ -5699,7 +5728,6 @@ DocType: Procedure Prescription,Procedure Created,Menetlus on loodud apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Tarnijate arve vastu {0} {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Muuda POS-profiili apps/erpnext/erpnext/utilities/activation.py,Create Lead,Loo plii -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tarnija> Tarnija tüüp DocType: Shopify Settings,Default Customer,Vaikimisi klient DocType: Payment Entry Reference,Supplier Invoice No,Tarnija arve nr DocType: Pricing Rule,Mixed Conditions,Segatud tingimused @@ -5750,12 +5778,14 @@ DocType: Item,End of Life,Elu lõpp DocType: Lab Test Template,Sensitivity,Tundlikkus DocType: Territory,Territory Targets,Territooriumi eesmärgid apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Järgmiste töötajate lahkumise eraldamise vahelejätmine, kuna lahkumise eraldamise kirjed on nende vastu juba olemas. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Kvaliteedimeetme resolutsioon DocType: Sales Invoice Item,Delivered By Supplier,Tarnitakse tarnija poolt DocType: Agriculture Analysis Criteria,Plant Analysis,Tehase analüüs apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Kulukonto on kirje {0} jaoks kohustuslik ,Subcontracted Raw Materials To Be Transferred,"Alltöövõtu toorained, mis tuleb üle kanda" DocType: Cashier Closing,Cashier Closing,Kassa sulgemine apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Üksus {0} on juba tagastatud +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Kehtetu GSTIN! Sisestatud sisend ei vasta GIN-vormingule UIN-hoidjate või mitte-Resident OIDAR-i teenusepakkujate jaoks apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Selle lao jaoks on olemas laste ladu. Te ei saa seda latti kustutada. DocType: Diagnosis,Diagnosis,Diagnoos apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0} ja {1} vahel ei ole puhkeperioodi @@ -5772,6 +5802,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Autoriseerimisseaded DocType: Homepage,Products,Tooted ,Profit and Loss Statement,Kasumiaruanne apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Toad broneeritud +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Dubleeriv kirje kirje koodi {0} ja tootja {1} vastu DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Kogumass apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Reisimine @@ -5820,6 +5851,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Kliendi vaikegrupp DocType: Journal Entry Account,Debit in Company Currency,Deebet ettevõtte valuutas DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Varusarja on "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Kvaliteedi koosoleku päevakord DocType: Cash Flow Mapper,Section Header,Jaotise päis apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Teie tooted või teenused DocType: Crop,Perennial,Mitmeaastane @@ -5865,7 +5897,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Toode või teenus, mida ostetakse, müüakse või hoitakse laos." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Sulgemine (avamine + kokku) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriteeriumi valem -,Support Analytics,Toetage Analyticsit +apps/erpnext/erpnext/config/support.py,Support Analytics,Toetage Analyticsit apps/erpnext/erpnext/config/quality_management.py,Review and Action,Läbivaatamine ja tegevus DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Kui konto on külmutatud, on lubatud piirata kasutajaid." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Summa pärast kulumit @@ -5910,7 +5942,6 @@ DocType: Contract Template,Contract Terms and Conditions,Lepingu tingimused apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Andmete hankimine DocType: Stock Settings,Default Item Group,Vaikepunkti grupp DocType: Sales Invoice Timesheet,Billing Hours,Arveldusaeg -DocType: Item,Item Code for Suppliers,Tarnijate kood apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Jäta taotlus {0} juba õpilase vastu {1} DocType: Pricing Rule,Margin Type,Marginaali tüüp DocType: Purchase Invoice Item,Rejected Serial No,Tagasilükatud seerianumber @@ -5983,6 +6014,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Lehed on edukalt antud DocType: Loyalty Point Entry,Expiry Date,Kehtivusaeg DocType: Project Task,Working,Töötamine +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} on juba vanemprotseduuriga {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,See põhineb tehingutel selle patsiendi vastu. Täpsemat teavet vt allpool toodud ajastusest DocType: Material Request,Requested For,Taotletud DocType: SMS Center,All Sales Person,Kõik müügipersonal @@ -6070,6 +6102,7 @@ DocType: Loan Type,Maximum Loan Amount,Maksimaalne laenusumma apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-posti ei leitud vaikekontaktis DocType: Hotel Room Reservation,Booked,Broneeritud DocType: Maintenance Visit,Partially Completed,Osaliselt täidetud +DocType: Quality Procedure Process,Process Description,Protsessi kirjeldus DocType: Company,Default Employee Advance Account,Töötaja vaikimisi eelkonto DocType: Leave Type,Allow Negative Balance,Lubage negatiivne saldo apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Hindamiskava nimi @@ -6111,6 +6144,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Pakkumise taotlus apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} sisestatud kaks korda kirje maksus DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Vähendage täielikku maksu valitud palgaarvestuse kuupäeval +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Viimase süsiniku kontrollimise kuupäev ei saa olla tulevane kuupäev apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Valige muudatuse summa konto DocType: Support Settings,Forum Posts,Foorumi postitused DocType: Timesheet Detail,Expected Hrs,Oodatav tund @@ -6120,7 +6154,7 @@ DocType: Program Enrollment Tool,Enroll Students,Registreerige õpilased apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Korrake kliendi tulu DocType: Company,Date of Commencement,Alguskuupäev DocType: Bank,Bank Name,Panga nimi -DocType: Quality Goal,December,Detsember +DocType: GSTR 3B Report,December,Detsember 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 kui kehtiv kuupäev apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,See põhineb selle töötaja kohalolekul DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Kui see on märgitud, on kodulehekülg kodulehe vaikepunkt" @@ -6161,6 +6195,7 @@ DocType: Payment Entry,Payment Type,Makse tüüp apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Folio numbrid ei sobi DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Kvaliteedikontroll: {0} ei esitata üksuse {1} reas {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Näita {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} leitud üksus. ,Stock Ageing,Varude vananemine DocType: Customer Group,Mention if non-standard receivable account applicable,"Märkida, kas kohaldatakse mittestandardset saadaolevat kontot" @@ -6437,6 +6472,7 @@ DocType: Travel Request,Costing,Hindamine apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Põhivara DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Kokku teenimine +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> Kliendirühm> Territoorium DocType: Share Balance,From No,Alates nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Maksekorralduse arve DocType: Purchase Invoice,Taxes and Charges Added,Lisatud on maksud ja tasud @@ -6444,7 +6480,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Mõtle maksule v DocType: Authorization Rule,Authorized Value,Volitatud väärtus apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Saadud apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Ladu {0} ei eksisteeri +DocType: Item Manufacturer,Item Manufacturer,Punkt Tootja DocType: Sales Invoice,Sales Team,Müügimeeskond +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Paki kogus DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM DocType: Installation Note,Installation Date,Installimise kuupäev DocType: Email Digest,New Quotations,Uued pakkumised @@ -6508,7 +6546,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Puhkuste nimekirja nimi DocType: Water Analysis,Collection Temperature ,Kogumise temperatuur DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Halda arve esitamist ja tühistage automaatselt patsiendi kohtumine -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Palun seadistage Naming Series {0} seadistuseks> Seadistused> Nimetamise seeria DocType: Employee Benefit Claim,Claim Date,Nõude kuupäev DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"Kui tarnija on lõputult blokeeritud, jätke see tühjaks" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Osalemine kuupäeva ja kohaloleku kuupäeva vahel on kohustuslik @@ -6519,6 +6556,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Pensionile jäämise kuupäev apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Valige patsient DocType: Asset,Straight Line,Sirgjoon +DocType: Quality Action,Resolutions,Resolutsioonid DocType: SMS Log,No of Sent SMS,Saadetud SMS-i number ,GST Itemised Sales Register,GST detailiseeritud müügiregister apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Ettemakse kogusumma ei tohi olla suurem kui kogu sanktsioonisumma @@ -6629,7 +6667,7 @@ DocType: Account,Profit and Loss,Kasum ja kahjum apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Erinev kogus DocType: Asset Finance Book,Written Down Value,Kirjutatud alla väärtus apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Tasakaalu avamine -DocType: Quality Goal,April,Aprill +DocType: GSTR 3B Report,April,Aprill DocType: Supplier,Credit Limit,Krediidilimiit apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Jaotus apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6684,6 +6722,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Ühendage Shopify ERPNext-ga DocType: Homepage Section Card,Subtitle,Subtiitrid DocType: Soil Texture,Loam,Loam +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tarnija> Tarnija tüüp DocType: BOM,Scrap Material Cost(Company Currency),Vanametalli maksumus (ettevõtte valuuta) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Edastamise märkust {0} ei tohi esitada DocType: Task,Actual Start Date (via Time Sheet),Tegelik alguskuupäev (ajalehe kaudu) @@ -6739,7 +6778,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Annustamine DocType: Cheque Print Template,Starting position from top edge,Alguspunkt ülemisest servast apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Kohtumise kestus (min) -DocType: Pricing Rule,Disable,Keela +DocType: Accounting Dimension,Disable,Keela DocType: Email Digest,Purchase Orders to Receive,Ostu tellimuste ostmine apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Productions Tellimusi ei saa esitada: DocType: Projects Settings,Ignore Employee Time Overlap,Ignoreeri töötajate aja kattumist @@ -6823,6 +6862,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Loo ma DocType: Item Attribute,Numeric Values,Numbrilised väärtused DocType: Delivery Note,Instructions,Juhised DocType: Blanket Order Item,Blanket Order Item,Tekkide tellimuse element +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Kohustuslik kasumiaruande jaoks apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Komisjoni määr ei tohi olla suurem kui 100%. \ T DocType: Course Topic,Course Topic,Kursuse teema DocType: Employee,This will restrict user access to other employee records,See piirab kasutaja juurdepääsu teistele töötajate dokumentidele @@ -6847,12 +6887,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Tellimuse hald apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Hankige kliente apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Aruanded +DocType: Video,YouTube,Youtube DocType: Party Account,Party Account,Pidu konto DocType: Assessment Plan,Schedule,Ajakava apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Palun sisesta DocType: Lead,Channel Partner,Kanali partner apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Arve summa DocType: Project,From Template,Mallist +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Tellimused apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Teostatav kogus DocType: Quality Review Table,Achieved,Saavutatud @@ -6899,7 +6941,6 @@ DocType: Journal Entry,Subscription Section,Tellimuse osa DocType: Salary Slip,Payment Days,Maksepäevad apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Vabatahtlike teave. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"Varude varu vanemad kui" peaksid olema väiksemad kui% d päeva. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Valige eelarveaasta DocType: Bank Reconciliation,Total Amount,Kogu summa DocType: Certification Application,Non Profit,Kasumita DocType: Subscription Settings,Cancel Invoice After Grace Period,Tühista arve pärast ajapikendust @@ -6911,7 +6952,6 @@ DocType: Serial No,Warranty Period (Days),Garantiiaeg (päevad) DocType: Expense Claim Detail,Expense Claim Detail,Kulude nõude üksikasjad apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programm: DocType: Patient Medical Record,Patient Medical Record,Patsiendi meditsiiniline kirje -DocType: Quality Action,Action Description,Tegevuse kirjeldus DocType: Item,Variant Based On,Variant põhineb DocType: Vehicle Service,Brake Oil,Piduriõli DocType: Employee,Create User,Loo kasutaja @@ -6967,7 +7007,7 @@ DocType: Cash Flow Mapper,Section Name,Jao nimi DocType: Packed Item,Packed Item,Pakitud toode apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: {2} jaoks on nõutav kas deebet- või krediidi summa apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Palgatõendite esitamine ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Toiming puudub +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Toiming puudub apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Eelarvet ei saa määrata {0} vastu, kuna see ei ole tulu- ega kulu konto" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Meistrid ja kontod DocType: Quality Procedure Table,Responsible Individual,Vastutav isik @@ -7090,7 +7130,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Luba konto loomine lapsettevõtte vastu DocType: Payment Entry,Company Bank Account,Ettevõtte pangakonto DocType: Amazon MWS Settings,UK,Ühendkuningriik -DocType: Quality Procedure,Procedure Steps,Menetluse sammud DocType: Normal Test Items,Normal Test Items,Tavalised testimiselemendid apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Üksus {0}: tellitud kogus {1} ei tohi olla väiksem kui minimaalne tellimuse kogus {2} (määratletud punktis). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Ei ole laos @@ -7169,7 +7208,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Hoolduse roll apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Tingimused Mall DocType: Fee Schedule Program,Fee Schedule Program,Tasude ajakava programm -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kursust {0} ei eksisteeri. DocType: Project Task,Make Timesheet,Tee ajagraafik DocType: Production Plan Item,Production Plan Item,Tootmisplaani punkt apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Üliõpilane kokku @@ -7190,6 +7228,7 @@ DocType: Expense Claim,Total Claimed Amount,Nõutud summa kokku apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Pakendamine apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Võite uuendada ainult siis, kui teie liikmelisus lõpeb 30 päeva jooksul" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Väärtus peab olema vahemikus {0} kuni {1} +DocType: Quality Feedback,Parameters,Parameetrid ,Sales Partner Transaction Summary,Müügipartnerite tehingute kokkuvõte DocType: Asset Maintenance,Maintenance Manager Name,Hooldushalduri nimi apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Üksuse üksikasjad on vaja tõmmata. @@ -7227,6 +7266,7 @@ DocType: Student Admission,Student Admission,Üliõpilaste sissepääs DocType: Designation Skill,Skill,Oskus DocType: Budget Account,Budget Account,Eelarve konto DocType: Employee Transfer,Create New Employee Id,Loo uus töötaja ID +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} on vajalik kasumi ja kahjumi konto {1} jaoks. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Kaupade ja teenuste maks (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Palgatõendite loomine ... DocType: Employee Skill,Employee Skill,Töötaja oskused @@ -7327,6 +7367,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Arve eraldi t DocType: Subscription,Days Until Due,Päevad kuni tasumiseni apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Näita lõpetatud apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Panga väljavõtte tehinguteatise aruanne +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Rida # {0}: määr peab olema sama kui {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Tervishoiuteenuste üksused @@ -7383,6 +7424,7 @@ DocType: Training Event Employee,Invited,Kutsutud apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Komponendi {0} jaoks kõlblik maksimaalne summa ületab {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Summa Billile apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",{0} puhul saab teise krediidi kirjega siduda ainult deebetkontod +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Mõõtmete loomine ... DocType: Bank Statement Transaction Entry,Payable Account,Makstav konto apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,"Palun märkige, milliseid külastusi pole vaja" DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Valige ainult siis, kui teil on dokumente Cash Flow Mapper" @@ -7400,6 +7442,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,V DocType: Service Level,Resolution Time,Lahenduse aeg DocType: Grading Scale Interval,Grade Description,Hinne kirjeldus DocType: Homepage Section,Cards,Kaardid +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kvaliteedi koosolekute protokollid DocType: Linked Plant Analysis,Linked Plant Analysis,Seotud tehase analüüs apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Teenuse lõppkuupäev ei saa olla pärast teenuse lõppkuupäeva apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Valige GST seadetes B2C limiit. @@ -7434,7 +7477,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Töötajate osalemise DocType: Employee,Educational Qualification,Hariduskvalifikatsioon apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Kättesaadav väärtus apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Proovi kogus {0} ei saa olla suurem kui saadud kogus {1} -DocType: Quiz,Last Highest Score,Viimane kõrgeim skoor DocType: POS Profile,Taxes and Charges,Maksud ja tasud DocType: Opportunity,Contact Mobile No,Võta ühendust mobiiliga nr DocType: Employee,Joining Details,Andmete ühendamine diff --git a/erpnext/translations/fa.csv b/erpnext/translations/fa.csv index f30cdf2376..29caa0cdf5 100644 --- a/erpnext/translations/fa.csv +++ b/erpnext/translations/fa.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,بخش تامین کنند DocType: Journal Entry Account,Party Balance,تعادل حزب apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),منبع بودجه (بدهی) DocType: Payroll Period,Taxable Salary Slabs,اسلب حقوق مشمول مالیات +DocType: Quality Action,Quality Feedback,بازخورد کیفی DocType: Support Settings,Support Settings,تنظیمات پشتیبانی apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,لطفا ابتدا محصول را وارد کنید DocType: Quiz,Grading Basis,ارزیابی پایه @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,جزئیات ب DocType: Salary Component,Earning,درآمد DocType: Restaurant Order Entry,Click Enter To Add,برای افزودن کلیک کنید DocType: Employee Group,Employee Group,گروه کارمند +DocType: Quality Procedure,Processes,فرآیندهای DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,تعریف نرخ ارز برای تبدیل یک ارز به یک دیگر apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,محدوده پیری 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},انبار مورد نیاز برای سهام مورد {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,شکایت DocType: Shipping Rule,Restrict to Countries,محدود به کشورهای DocType: Hub Tracked Item,Item Manager,مدیر بخش apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},پول حساب معوق باید {0} باشد +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,بودجه apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,افتتاح صورتحساب DocType: Work Order,Plan material for sub-assemblies,طرح مواد برای زیر مجموعه ها apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,سخت افزار DocType: Budget,Action if Annual Budget Exceeded on MR,اقدام اگر بودجه سالانه بیش از MR باشد DocType: Sales Invoice Advance,Advance Amount,مبلغ پیشنهادی +DocType: Accounting Dimension,Dimension Name,نام ابعاد DocType: Delivery Note Item,Against Sales Invoice Item,علیه آیتم فاکتور فروش DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP- .YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,شامل بخش در ساخت @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,چه کار می ,Sales Invoice Trends,روند فروش صورتحساب DocType: Bank Reconciliation,Payment Entries,نوشته های پرداختی DocType: Employee Education,Class / Percentage,کلاس / درصد -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,کد مورد> گروه مورد> نام تجاری ,Electronic Invoice Register,ثبت نام صورت حساب الکترونیکی DocType: Sales Invoice,Is Return (Credit Note),آیا بازگشت (اعتبار یادداشت) DocType: Lab Test Sample,Lab Test Sample,آزمایش آزمایشی نمونه @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,گزینه ها apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",هزینه ها به ترتیب در انتخاب شما بر اساس مبلغ مورد یا مبلغ مبلغ توزیع می شوند apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,فعالیت های انتظار برای امروز +DocType: Quality Procedure Process,Quality Procedure Process,فرایند کیفیت DocType: Fee Schedule Program,Student Batch,دسته دانشجویی apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},نرخ ارز مورد نیاز برای Item در ردیف {0} DocType: BOM Operation,Base Hour Rate(Company Currency),نرخ پایه ساعت (ارزش شرکت) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,مقدار را در معاملات بر اساس سریال بدون ورودی تنظیم کنید apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},پول حساب پیشنهادی باید به عنوان پول شرکت باشد. {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,بخش های صفحه اصلی را سفارشی کنید -DocType: Quality Goal,October,اکتبر +DocType: GSTR 3B Report,October,اکتبر DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,پنهان کردن شناسه مالیات مشتری از معاملات فروش apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN نامعتبر است! GSTIN باید دارای 15 کاراکتر باشد. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,قانون قیمت گذاری {0} به روز می شود @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,برهم زدن تعادل apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},برنامه نگهداری {0} علیه {1} وجود دارد DocType: Assessment Plan,Supervisor Name,نام سرپرست DocType: Selling Settings,Campaign Naming By,نامگذاری کمپین توسط -DocType: Course,Course Code,کد درس +DocType: Student Group Creation Tool Course,Course Code,کد درس apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,هوافضا DocType: Landed Cost Voucher,Distribute Charges Based On,توزیع هزینه ها بر اساس DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,معیارهای ارزیابی کارت امتیازی تامین کننده @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,منوی رستوران DocType: Asset Movement,Purpose,هدف apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,وظیفه ساختار حقوق و دستمزد برای کارمند در حال حاضر وجود دارد DocType: Clinical Procedure,Service Unit,واحد خدمات -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,مشتری> گروه مشتری> قلمرو DocType: Travel Request,Identification Document Number,تشخیص شماره سند DocType: Stock Entry,Additional Costs,هزینه های اضافی -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",دوره والدین (اگر بخشی از دوره والدین نباشد، خالی بگذارید) DocType: Employee Education,Employee Education,آموزش کارکنان apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,تعداد موقعیت ها نمی تواند کمتر از تعداد فعلی کارمندان باشد apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,همه گروه های مشتری @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,ردیف {0}: مقدار اجباری است DocType: Sales Invoice,Against Income Account,علیه حساب درآمد apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ردیف # {0}: صورتحساب خرید را نمی توان در برابر دارایی موجود ایجاد کرد {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,قوانین برای استفاده از طرح های مختلف تبلیغاتی. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},فاکتور جاذبه UOM مورد نیاز برای UOM: {0} در مورد: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},لطفا مقدار را برای مورد {0} وارد کنید DocType: Workstation,Electricity Cost,هزینه برق @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,مجموع تعداد پیش بینی شده apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,بم DocType: Work Order,Actual Start Date,تاریخ شروع واقعی apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,شما در تمام روز بین روزهای درخواست بازپرداخت جبران خسارت حاضر نیستید -DocType: Company,About the Company,درباره شرکت apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,درخت حسابداری مالی apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,درآمد غیر مستقیم DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,اقامت رزرو اتاق هتل @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,بانک ا DocType: Skill,Skill Name,نام مهارت apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,کارت گزارش چاپ DocType: Soil Texture,Ternary Plot,قطعه سه بعدی +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,لطفا سری نامگذاری را برای {0} از طریق Setup> Settings> نامگذاری سری انتخاب کنید apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,بلیط های پشتیبانی DocType: Asset Category Account,Fixed Asset Account,حساب دارایی ثابت apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,آخرین @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,دوره ثبت ن ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,لطفا سری را که مورد استفاده قرار می گیرد تنظیم کنید DocType: Delivery Trip,Distance UOM,فاصله UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,اجباری برای برگه تعادل DocType: Payment Entry,Total Allocated Amount,مجموع مبلغ اختصاص داده شده DocType: Sales Invoice,Get Advances Received,دریافت پیشرفت دریافت شده DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,مورد برنام apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,مشخصات POS مورد نیاز برای ورود به POS DocType: Education Settings,Enable LMS,فعال کردن LMS DocType: POS Closing Voucher,Sales Invoices Summary,خلاصه فروش صورتحساب +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,سود apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,اعتبار برای حساب باید یک حساب برگه تعادل باشد DocType: Video,Duration,مدت زمان DocType: Lab Test Template,Descriptive,توصیفی @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,شروع و پایان تاریخ DocType: Supplier Scorecard,Notify Employee,اعلام کارمند apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,نرم افزار +DocType: Program,Allow Self Enroll,اجازه ثبت نام خود را apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,هزینه های سهام apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,ارجاع شماره اجباری است اگر تاریخ مرجع را وارد کنید DocType: Training Event,Workshop,کارگاه @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,آزمایش آزمایشی apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},حداکثر: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-Invoicing اطلاعات گم شده apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,درخواست مادری ایجاد نشد +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,کد مورد> گروه مورد> نام تجاری DocType: Loan,Total Amount Paid,کل مبلغ پرداخت شده apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,همه این موارد قبلا محاسبه شده اند DocType: Training Event,Trainer Name,نام مربی @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,سال تحصیلی DocType: Sales Stage,Stage Name,نام مرحله DocType: SMS Center,All Employee (Active),همه کارمندان (فعال) +DocType: Accounting Dimension,Accounting Dimension,ابعاد حسابداری DocType: Project,Customer Details,اطلاعات مشتری DocType: Buying Settings,Default Supplier Group,گروه پیشفرض شرکت apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,لطفا ابتدا رسیدگی به خرید را لغو کنید {0} @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority",شماره بال DocType: Designation,Required Skills,مهارت های مورد نیاز DocType: Marketplace Settings,Disable Marketplace,غیرفعال کردن بازار DocType: Budget,Action if Annual Budget Exceeded on Actual,اقدام اگر بودجه سالانه بیش از واقعی باشد -DocType: Course,Course Abbreviation,اختصار دوره apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,حضور برای {0} به عنوان {1} در بازنشستگی ارائه نشده است. DocType: Pricing Rule,Promotional Scheme Id,شناسه طرح تبلیغاتی apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},تاریخ پایان کار {0} نمیتواند بیشتر از {1} تاریخ پایان امید {2} باشد @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,پول حاشیه DocType: Chapter,Chapter,فصل DocType: Purchase Receipt Item Supplied,Current Stock,موجودی سهام DocType: Employee,History In Company,تاریخ در شرکت -DocType: Item,Manufacturer,شرکت تولید کننده +DocType: Purchase Invoice Item,Manufacturer,شرکت تولید کننده apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,حساسیت متوسط DocType: Compensatory Leave Request,Leave Allocation,ترک اعانه DocType: Timesheet,Timesheet,جدول زمانی @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,ماده انتقال DocType: Products Settings,Hide Variants,مخفی کردن گزینه ها DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,غیر فعال کردن برنامه ریزی ظرفیت و ردیابی زمان DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* در معامله محاسبه خواهد شد. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} برای حساب 'Balance Sheet' {1} لازم است. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} مجاز به انجام معاملات با {1} نیست. لطفا شرکت را تغییر دهید 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}",همانطور که در مورد تنظیمات خرید اگر Purchece Reciept مورد نیاز == 'YES'، سپس برای ایجاد فاکتور خرید، کاربر برای اولین بار برای آیتم {0} DocType: Delivery Trip,Delivery Details,جزئیات تحویل @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,پیش از apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,واحد اندازه گیری DocType: Lab Test,Test Template,قالب تست DocType: Fertilizer,Fertilizer Contents,محتویات کود -apps/erpnext/erpnext/utilities/user_progress.py,Minute,دقیقه +DocType: Quality Meeting Minutes,Minute,دقیقه apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",ردیف # {0}: دارایی {1} نمیتواند ارسال شود، در حال حاضر {2} DocType: Task,Actual Time (in Hours),زمان واقعی (در ساعت) DocType: Period Closing Voucher,Closing Account Head,پایان سر حساب @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,آزمایشگاه DocType: Purchase Order,To Bill,بیل apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,هزینه های سودمند DocType: Manufacturing Settings,Time Between Operations (in mins),زمان بین عملیات (در دقیقه) -DocType: Quality Goal,May,ممکن است +DocType: GSTR 3B Report,May,ممکن است apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",حساب دروازه پرداخت ایجاد نشده است، لطفا یک نفر را به صورت دستی ایجاد کنید. DocType: Opening Invoice Creation Tool,Purchase,خرید DocType: Program Enrollment,School House,خانه مدرسه @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,اطلاعات قانونی و سایر اطلاعات کلی درباره تامین کننده شما DocType: Item Default,Default Selling Cost Center,مرکز فروش پیش فروش DocType: Sales Partner,Address & Contacts,آدرس و مخاطبین +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,لطفا شماره سریال را برای شرکت کنندگان از طریق Setup> Numbering Series بفرستید DocType: Subscriber,Subscriber,مشترک apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# فرم / مورد / {0}) موجود نیست apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,لطفا ابتدا تاریخ ارسال را انتخاب کنید @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,شارژ بیمارست DocType: Bank Statement Settings,Transaction Data Mapping,نقشه برداری داده های تراکنش apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,سرب نیاز به نام فرد یا نام سازمان دارد DocType: Student,Guardians,نگهبانان +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,لطفا سیستم نامگذاری مربی را در آموزش و پرورش> تنظیمات تحصیلی تنظیم کنید apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,برند را انتخاب کنید ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,درآمد متوسط DocType: Shipping Rule,Calculate Based On,محاسبه بر اساس @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,پیش پرداخت هزی DocType: Purchase Invoice,Rounding Adjustment (Company Currency),تعدیل گرد کردن (ارزش شرکت) DocType: Item,Publish in Hub,انتشار در مرکز apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,آگوست +DocType: GSTR 3B Report,August,آگوست apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,لطفا اولین خرید را وارد کنید apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,سال شروع apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),هدف ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,حداکثر تعداد نمونه apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,انبار منبع و هدف باید متفاوت باشد DocType: Employee Benefit Application,Benefits Applied,مزایای کاربردی apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,علیه مجله ورود {0} هیچ ورودی بی نظیر {1} ندارد +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",کاراکترهای ویژه به جز "-"، "#"، "."، "/"، "{" و "}" در مجموعه نامگذاری مجاز نیست apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,صفحات تخفیف قیمت یا محصول مورد نیاز است apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,یک هدف را تنظیم کنید apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},ضبط حضور {0} علیه دانشجو {1} وجود دارد @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,هر ماه DocType: Routing,Routing Name,نام مسیر DocType: Disease,Common Name,نام متداول -DocType: Quality Goal,Measurable,قابل سنجش است DocType: Education Settings,LMS Title,عنوان LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,مدیریت وام -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Analtyics پشتیبانی DocType: Clinical Procedure,Consumable Total Amount,مقدار کل مصرفی apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,فعال کردن الگو apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,مشتری LPO @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,خدمت کرده است DocType: Loan,Member,عضو DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,برنامه واحد خدمات پزشک apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,انتقال سیم +DocType: Quality Review Objective,Quality Review Objective,هدف بررسی کیفیت DocType: Bank Reconciliation Detail,Against Account,علیه حساب DocType: Projects Settings,Projects Settings,تنظیمات پروژه apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},تعداد واقعی {0} / انتظار تعداد {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,س apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,تاریخ پایان سال مالی باید یک سال پس از شروع تاریخ مالی سال باشد apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,یادآوری روزانه DocType: Item,Default Sales Unit of Measure,واحد پیش فروش واحد اندازه گیری +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,شرکت GSTIN DocType: Asset Finance Book,Rate of Depreciation,نرخ استهلاک DocType: Support Search Source,Post Description Key,کلید ارسال پست DocType: Loyalty Program Collection,Minimum Total Spent,حداقل کل صرفه جویی شده @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,تغییر گروه مشتری برای مشتری انتخاب شده مجاز نیست. DocType: Serial No,Creation Document Type,نوع سند ایجاد DocType: Sales Invoice Item,Available Batch Qty at Warehouse,تعداد بیت موجود در انبار +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,صورت حساب بزرگ مجموع apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,این یک سرزمین ریشه است و نمی تواند ویرایش شود. DocType: Patient,Surgical History,تاریخ جراحی apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,درخت روش های کیفیت @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,اگر می خواهید در وب سایت نشان داده شود، این را بررسی کنید apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,سال مالی {0} یافت نشد DocType: Bank Statement Settings,Bank Statement Settings,تنظیمات بیانیه بانکی +DocType: Quality Procedure Process,Link existing Quality Procedure.,پیوند کیفیت موجود را دنبال کنید. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,نمودار واردات از حساب ها از فایل های CSV / اکسل DocType: Appraisal Goal,Score (0-5),نمره (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,مشخصه {0} بار چندگانه را در جدول Attributes ها انتخاب کرده است DocType: Purchase Invoice,Debit Note Issued,توجه داشته باشید بدهی صادر شده است @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,ترک جزئیات سیاست apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,انبار موجود در سیستم یافت نشد DocType: Healthcare Practitioner,OP Consulting Charge,مسئولیت محدود OP -DocType: Quality Goal,Measurable Goal,هدف قابل اندازه گیری DocType: Bank Statement Transaction Payment Item,Invoices,فاکتورها DocType: Currency Exchange,Currency Exchange,تبدیل ارز DocType: Payroll Entry,Fortnightly,چهارشنبه @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} ارائه نشده است DocType: Work Order,Backflush raw materials from work-in-progress warehouse,مواد خام اولیه از انبار کار در حال پیشرفت DocType: Maintenance Team Member,Maintenance Team Member,عضو تیم تعمیر و نگهداری +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,ابعاد سفارشی برای حسابداری را تنظیم کنید DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,حداقل فاصله بین ردیف گیاهان برای رشد مطلوب DocType: Employee Health Insurance,Health Insurance Name,نام بیمه بهداشتی apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,دارایی های سهام @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,نام آدرس صورتحساب apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,مورد جایگزین DocType: Certification Application,Name of Applicant,نام متقاضی DocType: Leave Type,Earned Leave,درآمد کسب شده -DocType: Quality Goal,June,ژوئن +DocType: GSTR 3B Report,June,ژوئن apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},ردیف {0}: مرکز هزینه برای یک آیتم {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},می تواند توسط {0} تایید شود apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,واحد اندازه گیری {0} بیش از یک بار در جدول فاکتور تبدیل تبدیل شده است @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,نرخ فروش استاندا apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},لطفا یک منوی فعال برای رستوران {0} را تنظیم کنید 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: Asset Finance Book,Asset Finance Book,دارایی کتاب +DocType: Quality Goal Objective,Quality Goal Objective,هدف هدف کیفیت DocType: Employee Transfer,Employee Transfer,انتقال کارفرمایان ,Sales Funnel,ورقه فروش DocType: Agriculture Analysis Criteria,Water Analysis,تجزیه و تحلیل آب @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,کارمند ان apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,فعالیت های در انتظار apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,لیستی از مشتریان خود را لیست کنید. آنها می توانند سازمان ها یا افراد باشند. DocType: Bank Guarantee,Bank Account Info,اطلاعات حساب بانکی +DocType: Quality Goal,Weekday,روز کاری apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,نام محافظ 1 DocType: Salary Component,Variable Based On Taxable Salary,متغیر بر اساس حقوق و دستمزد قابل پرداخت DocType: Accounting Period,Accounting Period,دوره حسابرسی @@ -2229,7 +2245,7 @@ DocType: Purchase Invoice,Rounding Adjustment,تنظیم گرد کردن DocType: Quality Review Table,Quality Review Table,جدول بررسی کیفیت DocType: Member,Membership Expiry Date,عضویت در تاریخ انقضا DocType: Asset Finance Book,Expected Value After Useful Life,ارزش پیش بینی پس از زندگی مفید -DocType: Quality Goal,November,نوامبر +DocType: GSTR 3B Report,November,نوامبر DocType: Loan Application,Rate of Interest,نرخ بهره DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,بیانیه بیانیه معامله پرداخت مورد DocType: Restaurant Reservation,Waitlisted,منتظر @@ -2293,6 +2309,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}",ردیف {0}: برای تنظیم {1} periodicity، تفاوت بین و تا تاریخ باید بیشتر یا برابر {2} باشد DocType: Purchase Invoice Item,Valuation Rate,نرخ ارزیابی DocType: Shopping Cart Settings,Default settings for Shopping Cart,تنظیمات پیش فرض برای سبد خرید +DocType: Quiz,Score out of 100,نمره از 100 DocType: Manufacturing Settings,Capacity Planning,برنامه ریزی ظرفیت apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,به مربیان برو برو DocType: Activity Cost,Projects,پروژه ها @@ -2302,6 +2319,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,دوم DocType: Cashier Closing,From Time,از زمان apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,گزارش جزئیات متغیر +,BOM Explorer,BOM اکسپلورر DocType: Currency Exchange,For Buying,برای خرید apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,اسلات برای {0} به برنامه اضافه نمی شوند DocType: Target Detail,Target Distribution,توزیع هدف @@ -2319,6 +2337,7 @@ DocType: Activity Cost,Activity Cost,هزینه فعالیت DocType: Journal Entry,Payment Order,دستور پرداخت apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,قیمت گذاری ,Item Delivery Date,تاریخ تحویل کالا +DocType: Quality Goal,January-April-July-October,ژانویه-آوریل-ژوئیه-اکتبر DocType: Purchase Order Item,Warehouse and Reference,انبار و مرجع apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,حساب با گره های فرزند نمی تواند به حساب کاربری تبدیل شود DocType: Soil Texture,Clay Composition (%),ترکیب خشت (٪) @@ -2369,6 +2388,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,تاریخ های آی apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,مزرعه apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,ردیف {0}: لطفا حالت پرداخت در برنامه پرداخت را تنظیم کنید apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,شرایط تحصیلی: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,پارامتر بازخورد کیفیت apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,لطفا درخواست تخفیف را انتخاب کنید apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,ردیف # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,مجموع پرداخت ها @@ -2411,7 +2431,7 @@ DocType: Hub Tracked Item,Hub Node,گره توپی apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,شناسه کارمند DocType: Salary Structure Assignment,Salary Structure Assignment,تخصیص ساختار حقوق و دستمزد DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,بستن بسته مالیات کوپن -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,اقدام ابتکاری +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,اقدام ابتکاری DocType: POS Profile,Applicable for Users,مناسب برای کاربران DocType: Training Event,Exam,امتحان apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,تعداد اشتباهی از نوشته های عمومی لجر موجود است. شما ممکن است یک حساب اشتباه در معامله را انتخاب کنید. @@ -2518,6 +2538,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,عرض جغرافیایی DocType: Accounts Settings,Determine Address Tax Category From,تعیین رده مالیات آدرس از apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,شناسایی تصمیم گیرندگان +DocType: Stock Entry Detail,Reference Purchase Receipt,دریافت خرید مرجع apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,دریافت صورتحساب DocType: Tally Migration,Is Day Book Data Imported,اطلاعات کتاب روز وارد شده است ,Sales Partners Commission,کمپانی Sales Partners @@ -2541,6 +2562,7 @@ DocType: Leave Type,Applicable After (Working Days),قابل اجرا بعد ا DocType: Timesheet Detail,Hrs,ساعت DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,معیارهای کارت امتیازی تامین کننده DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parameter Quality Template Feedback apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,تاریخ عضویت باید بیشتر از تاریخ تولد باشد DocType: Bank Statement Transaction Invoice Item,Invoice Date,تاریخ فاکتور DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,ایجاد تست آزمایشگاه (ها) در فروش فاکتور ارسال @@ -2647,7 +2669,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,حداقل ارزش DocType: Stock Entry,Source Warehouse Address,آدرس انبار منبع DocType: Compensatory Leave Request,Compensatory Leave Request,درخواست بازپرداخت جبران خسارت DocType: Lead,Mobile No.,هیچ موبایل. -DocType: Quality Goal,July,جولای +DocType: GSTR 3B Report,July,جولای apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC واجد شرایط DocType: Fertilizer,Density (if liquid),تراکم (در صورت مایع) DocType: Employee,External Work History,تاریخ کار خارجی @@ -2724,6 +2746,7 @@ DocType: Certification Application,Certification Status,وضعیت صدور گو apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},محل منبع برای دارایی مورد نیاز است {0} DocType: Employee,Encashment Date,تاریخ انقباض apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,لطفا تاریخ تکمیلی را برای ورود به سیستم نگهداری دارایی کامل انتخاب کنید +DocType: Quiz,Latest Attempt,آخرین تلاش DocType: Leave Block List,Allow Users,اجازه کاربران apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,نمودار حساب apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,اگر "فرصت از" به عنوان مشتری انتخاب شود، مشتری اجباری است @@ -2788,7 +2811,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,تنظیم کارت DocType: Amazon MWS Settings,Amazon MWS Settings,آمازون تنظیمات MWS DocType: Program Enrollment,Walking,پیاده روی DocType: SMS Log,Requested Numbers,شماره های درخواست شده -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,لطفا شماره سریال را برای شرکت کنندگان از طریق Setup> Numbering Series بفرستید DocType: Woocommerce Settings,Freight and Forwarding Account,حمل و نقل و حمل و نقل حساب apps/erpnext/erpnext/accounts/party.py,Please select a Company,لطفا شرکت را انتخاب کنید apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,ردیف {0}: {1} باید بیشتر از 0 باشد @@ -2858,7 +2880,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,صورتح DocType: Training Event,Seminar,سمینار apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),اعتبار ({0}) DocType: Payment Request,Subscription Plans,طرح های اشتراک -DocType: Quality Goal,March,مارس +DocType: GSTR 3B Report,March,مارس apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,تقسیم بیت DocType: School House,House Name,نام خانه apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),برجسته برای {0} نمیتواند کمتر از صفر باشد ({1}) @@ -2921,7 +2943,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,تاریخ شروع بیمه DocType: Target Detail,Target Detail,جزئیات هدف DocType: Packing Slip,Net Weight UOM,وزن خالص UOM -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Conversion factor ({0} -> {1}) برای مورد یافت نشد: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),مقدار خالص (ارزش شرکت) DocType: Bank Statement Transaction Settings Item,Mapped Data,داده های مکث شده apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,اوراق بهادار و سپرده @@ -2971,6 +2992,7 @@ DocType: Cheque Print Template,Cheque Height,چک کردن ارتفاع apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,لطفا تاریخ آزادی را وارد کنید DocType: Loyalty Program,Loyalty Program Help,راهنمای برنامه وفاداری DocType: Journal Entry,Inter Company Journal Entry Reference,مرجع ورود مجله ی اینتر +DocType: Quality Meeting,Agenda,دستور جلسه DocType: Quality Action,Corrective,تصحیح کننده apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,دسته بندی بر اساس DocType: Bank Account,Address and Contact,آدرس و تماس @@ -3024,7 +3046,7 @@ DocType: GL Entry,Credit Amount,مقدار اعتبار apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,مبلغ کل اعتبار DocType: Support Search Source,Post Route Key List,پیام مسیر مسیر پیام apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} در هیچ سال مالی فعال نیست. -DocType: Quality Action Table,Problem,مسئله +DocType: Quality Action Resolution,Problem,مسئله DocType: Training Event,Conference,کنفرانس DocType: Mode of Payment Account,Mode of Payment Account,حالت پرداخت حساب DocType: Leave Encashment,Encashable days,روزهای Encashable @@ -3150,7 +3172,7 @@ DocType: Item,"Purchase, Replenishment Details",خرید، جزئیات تکمی DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",پس از تنظیم، این فاکتور تا تاریخ تعیین شده به تعویق افتاده است apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,سهام ممکن است برای Item {0} وجود داشته باشد چرا که دارای انواع است DocType: Lab Test Template,Grouped,گروه بندی شده -DocType: Quality Goal,January,ژانویه +DocType: GSTR 3B Report,January,ژانویه DocType: Course Assessment Criteria,Course Assessment Criteria,معیارهای ارزیابی دوره DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,تعداد کامل شده @@ -3246,7 +3268,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,نوع خدم apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,لطفا در صورت لزوم شماره حساب 1 را در جدول وارد کنید apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,سفارش فروش {0} ارائه نشده است apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,شرکت کنندگان با موفقیت مشخص شده اند. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,پیش فروش +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,پیش فروش apps/erpnext/erpnext/config/projects.py,Project master.,استاد پروژه DocType: Daily Work Summary,Daily Work Summary,خلاصه روزانه کار DocType: Asset,Partially Depreciated,به طور جزئی تخریب شده @@ -3255,6 +3277,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,ترک محل سکونت DocType: Certified Consultant,Discuss ID,بحث ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,لطفا تنظیمات GST را در تنظیمات GST تنظیم کنید +DocType: Quiz,Latest Highest Score,جدیدترین بالاترین امتیاز DocType: Supplier,Billing Currency,صورتحساب ارز apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,فعالیت دانشجویی apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,مقدار هدف یا مقدار هدف ضروری است @@ -3280,18 +3303,21 @@ DocType: Sales Order,Not Delivered,تحویل داده نشده apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,نوع خروج {0} را نمی توان اختصاص داد زیرا بدون پرداخت بدون پرداخت می شود DocType: GL Entry,Debit Amount,میزان بدهی apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},قبلا ثبت برای آیتم {0} وجود دارد +DocType: Video,Vimeo,ویمیو apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,مجامع زیر 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.",اگر قوانین قیمت گذاری چندگانه ادامه یابد، کاربران از خواسته شدن برای تعیین اولویت به صورت دستی برای حل مناقشات استفاده می کنند. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',نمی توان کسر زمانی که دسته برای "ارزش گذاری" یا "ارزش گذاری و مجموع" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM و تعداد تولید مورد نیاز است apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},{0} به پایان عمر خود در {1} رسیده است DocType: Quality Inspection Reading,Reading 6,خواندن 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,زمینه شرکت مورد نیاز است apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,مصرف مواد در تنظیمات تولید تنظیم نشده است. DocType: Assessment Group,Assessment Group Name,نام گروه ارزیابی -DocType: Item,Manufacturer Part Number,شماره بخش تولید کننده +DocType: Purchase Invoice Item,Manufacturer Part Number,شماره بخش تولید کننده apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,حقوق و دستمزد قابل پرداخت apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},ردیف # {0}: {1} نمیتواند برای آیتم {2} منفی باشد apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,تعداد موجودی +DocType: Question,Multiple Correct Answer,جواب صحیح چندگانه DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 امتیاز وفاداری = چه مقدار ارز پایه؟ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},توجه: تعادل برگزاری کافی برای نوع ترک {0} وجود ندارد DocType: Clinical Procedure,Inpatient Record,رکورد بستری @@ -3413,6 +3439,7 @@ DocType: Fee Schedule Program,Total Students,دانش آموزان apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,محلی DocType: Chapter Member,Leave Reason,دلیل را ترک کنید DocType: Salary Component,Condition and Formula,شرایط و فرمول +DocType: Quality Goal,Objectives,اهداف apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",حقوق در حال حاضر برای دوره بین {0} و {1} پردازش می شود، مدت زمان درخواست اعمال نمی تواند بین این محدوده تاریخ باشد. DocType: BOM Item,Basic Rate (Company Currency),نرخ پایه (پول شرکت) DocType: BOM Scrap Item,BOM Scrap Item,مورد BOM ضایعات @@ -3463,6 +3490,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,هزینه ادعای حساب apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,هیچ مجوزی برای ورود مجله وجود ندارد apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} دانشجو غیر فعال است +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,ورودی سهام DocType: Employee Onboarding,Activities,فعالیت ها apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,یک انبار انبوه اجباری است ,Customer Credit Balance,تعادل اعتباری مشتری @@ -3547,7 +3575,6 @@ DocType: Contract,Contract Terms,شرایط قرارداد apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,مقدار هدف یا مقدار هدف ضروری است. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},{0} نامعتبر است DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,تاریخ جلسه DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP- .YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,اختصار نمی تواند بیش از 5 کاراکتر باشد DocType: Employee Benefit Application,Max Benefits (Yearly),حداکثر مزایا (سالانه) @@ -3650,7 +3677,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,اتهامات بانکی apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,محصولات منتقل شده apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,اطلاعات اولیه اولیه -DocType: Quality Review,Values,ارزش های DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",اگر چک نشده باشد، لیست باید به هر بخش اضافه شود که در آن باید اعمال شود. DocType: Item Group,Show this slideshow at the top of the page,این نمایش اسلاید را در بالای صفحه نمایش دهید apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} پارامتر نامعتبر است @@ -3669,6 +3695,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,حساب بانکی را پرداخت می کند DocType: Journal Entry,Get Outstanding Invoices,دریافت صورتحساب های برجسته DocType: Opportunity,Opportunity From,فرصت از +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,جزئیات هدف DocType: Item,Customer Code,کد مشتری apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,لطفا برای اولین بار وارد کنید apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,لیست وبسایت @@ -3697,7 +3724,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,تحویل به DocType: Bank Statement Transaction Settings Item,Bank Data,داده های بانکی apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,برنامه ریزی شده تا -DocType: Quality Goal,Everyday,هر روز DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,نگه داشتن ساعت های صورتحساب و ساعات کار همان زمان بندی apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,پیگیری توسط منبع سرب DocType: Clinical Procedure,Nursing User,پرستار کاربر @@ -3722,7 +3748,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,مدیریت درخت DocType: GL Entry,Voucher Type,نوع کوپن ,Serial No Service Contract Expiry,خاتمه قرارداد بدون قرارداد سرويس DocType: Certification Application,Certified,گواهی شده -DocType: Material Request Plan Item,Manufacture,تولید +DocType: Purchase Invoice Item,Manufacture,تولید apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} موارد تولید شده apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},درخواست پرداخت برای {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,روز از آخرین سفارش @@ -3737,7 +3763,7 @@ DocType: Sales Invoice,Company Address Name,آدرس شرکت نام apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,محصولات در ترانزیت apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,شما فقط می توانید حداکثر {0} امتیاز را در این ترتیب استفاده کنید. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},لطفا حساب را در Warehouse تنظیم کنید {0} -DocType: Quality Action Table,Resolution,وضوح +DocType: Quality Action,Resolution,وضوح DocType: Sales Invoice,Loyalty Points Redemption,بازده وفاداری apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,ارزش کل مالیاتی DocType: Patient Appointment,Scheduled,برنامه ریزی شده @@ -3858,6 +3884,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,نرخ apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},صرفه جویی {0} DocType: SMS Center,Total Message(s),پیغام (های) کلیدی +DocType: Purchase Invoice,Accounting Dimensions,ابعاد حسابداری apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,گروه با حساب DocType: Quotation,In Words will be visible once you save the Quotation.,در «کلمات» هنگامی که شما نقل قول را ذخیره میکنید قابل مشاهده است. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,مقدار تولید @@ -4022,7 +4049,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.",اگر سوالی دارید، لطفا به ما بگویید. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,دریافت رسید {0} ارائه نشده است DocType: Task,Total Expense Claim (via Expense Claim),ادعای کل هزینه (از طریق هزینه ادعا) -DocType: Quality Action,Quality Goal,هدف کیفیت +DocType: Quality Goal,Quality Goal,هدف کیفیت DocType: Support Settings,Support Portal,پورتال پشتیبانی apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},تاریخ پایان کار {0} نمیتواند کمتر از {1} تاریخ شروع محاسبه باشد {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},کارمند {0} در حال ترک {1} @@ -4081,7 +4108,6 @@ DocType: BOM,Operating Cost (Company Currency),هزینه عملیاتی (ارز DocType: Item Price,Item Price,قیمت آیتم DocType: Payment Entry,Party Name,نام حزب apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,لطفا یک مشتری را انتخاب کنید -DocType: Course,Course Intro,معرفی دوره DocType: Program Enrollment Tool,New Program,برنامه جدید apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix",تعداد مرکز هزینه جدید، آن را در نام مرکز هزینه به عنوان پیشوند گنجانده خواهد شد apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,مشتری یا فروشنده را انتخاب کنید. @@ -4282,6 +4308,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,پرداخت خالص منفی نیست apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,هیچ تعاملات 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/hr/doctype/employee/employee_dashboard.py,Shift,تغییر مکان apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,نمودار پردازش حساب ها و احزاب DocType: Stock Settings,Convert Item Description to Clean HTML,Convert Item Description برای پاک کردن HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,همه گروه های تولید کننده @@ -4360,6 +4387,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,مورد والدین apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,کارگزاری apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},لطفا رسید خرید یا خرید صورتحساب را برای آیتم {0} +,Product Bundle Balance,تعادل محصول Bundle apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,نام شرکت نمی تواند شرکت باشد DocType: Maintenance Visit,Breakdown,درهم شکستن DocType: Inpatient Record,B Negative,B منفی است @@ -4368,7 +4396,7 @@ DocType: Purchase Invoice,Credit To,اعتبار به apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,این کار را برای پردازش بیشتر ارسال کنید. DocType: Bank Guarantee,Bank Guarantee Number,شماره تضمین بانکی apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},تحویل: {0} -DocType: Quality Action,Under Review,تحت بررسی +DocType: Quality Meeting Table,Under Review,تحت بررسی apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),کشاورزی (بتا) ,Average Commission Rate,میانگین نرخ کمیسیون DocType: Sales Invoice,Customer's Purchase Order Date,تاریخ خرید سفارش مشتری @@ -4485,7 +4513,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,مسابقات پرداخت با صورتحساب DocType: Holiday List,Weekly Off,هفتگی خاموش apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},اجازه نمیدهد که آیتم جایگزین برای آیتم {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,برنامه {0} وجود ندارد +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,برنامه {0} وجود ندارد apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,شما نمی توانید گره ریشه را ویرایش کنید DocType: Fee Schedule,Student Category,گروه دانشجویی apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",مورد {0}: {1} تعداد تولید شده @@ -4576,8 +4604,8 @@ DocType: Crop,Crop Spacing,فاصله کاشت DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,چگونه باید پروژه و شرکت را بر اساس تراکنشهای فروش به روز کرد. DocType: Pricing Rule,Period Settings,تنظیمات دوره apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,تغییر خالص در حسابهای دریافتنی +DocType: Quality Feedback Template,Quality Feedback Template,قالب بازخورد کیفیت apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,برای مقدار باید بیشتر از صفر باشد -DocType: Quality Goal,Goal Objectives,اهداف هدف apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",ناسازگاری بین نرخ، بدون سهام و مقدار محاسبه شده وجود دارد DocType: Student Group Creation Tool,Leave blank if you make students groups per year,اگر گروه های دانشجویی را در سال ایجاد کنید خالی بگذارید apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),وام (وام) @@ -4612,12 +4640,13 @@ DocType: Quality Procedure Table,Step,گام DocType: Normal Test Items,Result Value,مقدار ارزش DocType: Cash Flow Mapping,Is Income Tax Liability,آیا مسئولیت مالیات بر درآمد است؟ DocType: Healthcare Practitioner,Inpatient Visit Charge Item,مورد شارژ بیمارستان بستری -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} وجود ندارد +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} وجود ندارد apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,به روز رسانی پاسخ DocType: Bank Guarantee,Supplier,تامین کننده apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},مقداری را وارد کنید {0} و {1} DocType: Purchase Order,Order Confirmation Date,سفارش تایید تاریخ DocType: Delivery Trip,Calculate Estimated Arrival Times,محاسبه زمان ورود تخمینی +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,لطفا سیستم نامگذاری کارکنان را در منابع انسانی> تنظیمات HR تنظیم کنید apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,مصرفی DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS- .YYYY.- DocType: Subscription,Subscription Start Date,تاریخ شروع اشتراک @@ -4681,6 +4710,7 @@ DocType: Cheque Print Template,Is Account Payable,حساب قابل پرداخت apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,مقدار سفارش کامل apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},{0} ارائه نشده در {1} یافت نشد apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,تنظیم تنظیمات دروازه SMS +DocType: Salary Component,Round to the Nearest Integer,دور به نزدیک ترین عدد صحیح apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,ریشه نمی تواند مرکز هزینه پدر و مادر داشته باشد DocType: Healthcare Service Unit,Allow Appointments,اجازه ملاقات ها DocType: BOM,Show Operations,نمایش عملیات @@ -4809,7 +4839,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,تعطیلات پیش فرض DocType: Naming Series,Current Value,ارزش فعلی apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",فصلی بودن برای تنظیم بودجه، اهداف و غیره -DocType: Program,Program Code,کد برنامه apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},هشدار: سفارش فروش {0} در حال حاضر در برابر سفارش خرید مشتری وجود دارد {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,هدف فروش ماهانه ( DocType: Guardian,Guardian Interests,منافع نگهبان @@ -4859,10 +4888,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,پرداخت شده و تحویل نمی شود apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,کد اجباری اجباری است زیرا عنصر به صورت خودکار شماره گذاری نمی شود DocType: GST HSN Code,HSN Code,HSN کد -DocType: Quality Goal,September,سپتامبر +DocType: GSTR 3B Report,September,سپتامبر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,هزینه های اداری DocType: C-Form,C-Form No,فرم C شماره DocType: Purchase Invoice,End date of current invoice's period,تاریخ پایان دوره فاکتور فعلی +DocType: Item,Manufacturers,سازندگان DocType: Crop Cycle,Crop Cycle,چرخه محصول DocType: Serial No,Creation Time,زمان ایجاد apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,لطفا وارد تأیید یا تأیید کاربر شوید @@ -4935,8 +4965,6 @@ DocType: Employee,Short biography for website and other publications.,بیوگر DocType: Purchase Invoice Item,Received Qty,تعداد دریافتی DocType: Purchase Invoice Item,Rate (Company Currency),نرخ (شرکت) DocType: Item Reorder,Request for,درخواست برای -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","لطفا کارمند {0} \ را برای لغو این سند حذف کنید" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,نصب ایستگاه از پیش تنظیم apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,لطفا دوره های بازپرداخت را وارد کنید DocType: Pricing Rule,Advanced Settings,تنظیمات پیشرفته @@ -4962,7 +4990,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,سبد خرید را فعال کنید DocType: Pricing Rule,Apply Rule On Other,اعمال قانون دیگر DocType: Vehicle,Last Carbon Check,آخرین بررسی کربن -DocType: Vehicle,Make,ساختن +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,ساختن apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,فاکتور فروش {0} به عنوان پرداخت شده ایجاد شده است apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,برای ایجاد یک سند مرجع درخواست پرداخت لازم است apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,مالیات بر درآمد @@ -5038,7 +5066,6 @@ DocType: Territory,Parent Territory,قلمرو والدین DocType: Vehicle Log,Odometer Reading,خواندن کیلومترشمار DocType: Additional Salary,Salary Slip,لغزش حقوق DocType: Payroll Entry,Payroll Frequency,فرکانس حقوق و دستمزد -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,لطفا سیستم نامگذاری کارکنان را در منابع انسانی> تنظیمات HR تنظیم کنید apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",تاریخ شروع و پایان را در یک دوره ثبت نام معیوب معتبر، نمیتوان {0} محاسبه کرد DocType: Products Settings,Home Page is Products,صفحه اصلی محصولات است apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,تماس ها @@ -5092,7 +5119,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,گرفتن سوابق ...... DocType: Delivery Stop,Contact Information,اطلاعات تماس DocType: Sales Order Item,For Production,برای تولید -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,لطفا سیستم نامگذاری مربی را در آموزش و پرورش> تنظیمات تحصیلی تنظیم کنید DocType: Serial No,Asset Details,جزئیات دارایی DocType: Restaurant Reservation,Reservation Time,زمان رزرو DocType: Selling Settings,Default Territory,قلمرو پیش فرض @@ -5232,6 +5258,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,بسته های منقضی شده DocType: Shipping Rule,Shipping Rule Type,نوع حمل و نقل DocType: Job Offer,Accepted,پذیرفته شده +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","لطفا کارمند {0} \ را برای لغو این سند حذف کنید" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,شما قبلا برای معیارهای ارزیابی ارزیابی کرده اید {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,شماره های دسته را انتخاب کنید apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),سن (روز) @@ -5248,6 +5276,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,موارد بسته بندی در زمان فروش. DocType: Payment Reconciliation Payment,Allocated Amount,مقدار اختصاص داده شده apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,لطفا شرکت و تعیین کننده را انتخاب کنید +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'تاریخ' مورد نیاز است DocType: Email Digest,Bank Credit Balance,تعادل اعتبار بانکی apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,نمایش مقدار تجمعی apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,شما امتیازات وفاداری را برای بازخرید ندارید @@ -5308,11 +5337,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,در مجموع ردی DocType: Student,Student Email Address,آدرس ایمیل دانشجو DocType: Academic Term,Education,تحصیلات DocType: Supplier Quotation,Supplier Address,آدرس ارائه دهنده -DocType: Salary Component,Do not include in total,در مجموع شامل نمی شود +DocType: Salary Detail,Do not include in total,در مجموع شامل نمی شود apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,می توانید چندین مورد پیش فرض برای یک شرکت تنظیم کنید. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} وجود ندارد DocType: Purchase Receipt Item,Rejected Quantity,مقدار رد شده DocType: Cashier Closing,To TIme,برای TIme +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Conversion factor ({0} -> {1}) برای مورد یافت نشد: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,کاربر گروه خلاصه روزانه کار DocType: Fiscal Year Company,Fiscal Year Company,سال مالی شرکت apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,آیتم جایگزین نباید همانند کد آیتم باشد @@ -5422,7 +5452,6 @@ DocType: Fee Schedule,Send Payment Request Email,ارسال ایمیل درخو DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,در مواردی که اسناد فروش را ذخیره می کنید، در کلمات می بینید. DocType: Sales Invoice,Sales Team1,تیم فروش 1 DocType: Work Order,Required Items,مورد نیاز -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",کاراکترهای ویژه به جز "-"، "#"، "." و "/" در مجموعه نامگذاری مجاز نیست apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,دستورالعمل ERPNext را بخوانید DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,بررسی صورتحساب شماره صورتحساب انحصاری را بررسی کنید apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,جستجو در مجامع @@ -5490,7 +5519,6 @@ DocType: Taxable Salary Slab,Percent Deduction,تقسیم درصد apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,مقدار تولید می تواند کمتر از صفر باشد DocType: Share Balance,To No,نه DocType: Leave Control Panel,Allocate Leaves,برگ برگزیدن -DocType: Quiz,Last Attempt,آخرین تلاش DocType: Assessment Result,Student Name,نام دانش آموز apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,برنامه ریزی برای بازرسی های تعمیر و نگهداری apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,پس از درخواست مواد به طور خودکار مطابق با سطح مجدد سفارش مورد مطرح شده است @@ -5559,6 +5587,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,رنگ نشانگر DocType: Item Variant Settings,Copy Fields to Variant,کپی زمینه به گزینه DocType: Soil Texture,Sandy Loam,لنگ شنی +DocType: Question,Single Correct Answer,پاسخ صحیح تنها apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,از تاریخ نمیتواند کمتر از تاریخ پیوستن کارکنان باشد DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,اجازه سفارش چند سفارش فروش را درمورد خرید سفارش مشتری apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5621,7 +5650,7 @@ DocType: Account,Expenses Included In Valuation,هزینه های موجود د apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,شماره سریال DocType: Salary Slip,Deductions,کسر ,Supplier-Wise Sales Analytics,تجزیه و تحلیل فروش هوشمند عرضه کننده -DocType: Quality Goal,February,فوریه +DocType: GSTR 3B Report,February,فوریه DocType: Appraisal,For Employee,برای کارمند apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,تاریخ تحویل واقعی DocType: Sales Partner,Sales Partner Name,نام تجاری فروشنده @@ -5717,7 +5746,6 @@ DocType: Procedure Prescription,Procedure Created,روش ایجاد شده اس apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},علیه تهیه کننده فاکتور {0} تاریخ {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,تغییر مشخصات حساب کاربری apps/erpnext/erpnext/utilities/activation.py,Create Lead,ایجاد سرب -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,تامین کننده> نوع عرضه کننده DocType: Shopify Settings,Default Customer,مشتری پیش فرض DocType: Payment Entry Reference,Supplier Invoice No,فاکتور تامین کننده شماره DocType: Pricing Rule,Mixed Conditions,شرایط مختلف @@ -5768,12 +5796,14 @@ DocType: Item,End of Life,پایان زندگی DocType: Lab Test Template,Sensitivity,حساسیت DocType: Territory,Territory Targets,اهداف قلمرو apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",تخصیص مجوز برای کارکنان زیر، از آنجا که پرونده های تخصیص خروج در برابر آنها وجود دارد. {0} +DocType: Quality Action Resolution,Quality Action Resolution,قطعنامه کیفیت کار DocType: Sales Invoice Item,Delivered By Supplier,تحویل توسط تامین کننده DocType: Agriculture Analysis Criteria,Plant Analysis,تجزیه و تحلیل گیاه apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},حساب هزینه برای آیتم {0} اجباری است ,Subcontracted Raw Materials To Be Transferred,مواد اولیه مورد توافق قرارداد منتقل می شود DocType: Cashier Closing,Cashier Closing,بسته شدن قدیس apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,مورد {0} قبلا بازگشته است +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN نامعتبر است! ورودی که وارد کرده اید با فرمت GSTIN برای ارائه دهندگان خدمات UIN یا Non-Resident OIDAR مطابقت ندارد apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,انبار کودک برای این انبار وجود دارد. شما نمی توانید این انبار را حذف کنید. DocType: Diagnosis,Diagnosis,تشخیص apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},فاصله زمانی بین {0} و {1} وجود ندارد @@ -5790,6 +5820,7 @@ DocType: QuickBooks Migrator,Authorization Settings,تنظیمات مجوز DocType: Homepage,Products,محصولات ,Profit and Loss Statement,بیانیه سود و زیان apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,اتاق رزرو +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},ورودی کپی شده در برابر کد مورد {0} و سازنده {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,وزن کل apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,مسافرت رفتن @@ -5838,6 +5869,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,گروه مشتری پیش فرض DocType: Journal Entry Account,Debit in Company Currency,بدهی در شرکت ارز DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",سری بازگشتی "SO-WOO-" است. +DocType: Quality Meeting Agenda,Quality Meeting Agenda,برنامه ملاقات با کیفیت DocType: Cash Flow Mapper,Section Header,سربرگ بخش apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,محصولات یا خدمات شما DocType: Crop,Perennial,چند ساله @@ -5883,7 +5915,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",یک محصول یا یک سرویس که خریداری شده، به فروش می رسد یا در انبار ذخیره می شود. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),بستن (باز کردن + مجموع) DocType: Supplier Scorecard Criteria,Criteria Formula,معیارهای فرمول -,Support Analytics,پشتیبانی از تجزیه و تحلیل +apps/erpnext/erpnext/config/support.py,Support Analytics,پشتیبانی از تجزیه و تحلیل apps/erpnext/erpnext/config/quality_management.py,Review and Action,مرور و اقدام DocType: Account,"If the account is frozen, entries are allowed to restricted users.",اگر حساب یخ زده باشد، ورودی ها به کاربران محدود می شود. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,مقدار پس از استهلاک @@ -5928,7 +5960,6 @@ DocType: Contract Template,Contract Terms and Conditions,شرایط و ضواب apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,بارگیری دادههای DocType: Stock Settings,Default Item Group,گروه پیش فرض مورد DocType: Sales Invoice Timesheet,Billing Hours,ساعت حساب -DocType: Item,Item Code for Suppliers,کد کالا برای تامین کنندگان apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},ترک برنامه {0} در حال حاضر در برابر دانش آموز وجود دارد {1} DocType: Pricing Rule,Margin Type,نوع مارجین DocType: Purchase Invoice Item,Rejected Serial No,شماره سریال رد شد @@ -6001,6 +6032,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,برگ ها به موفقیت آموخته شده اند DocType: Loyalty Point Entry,Expiry Date,تاریخ انقضا DocType: Project Task,Working,کار کردن +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} در حال حاضر یک روش والدین {1} دارد. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,این بر مبنای معاملات علیه این بیمار است. برای جزئیات بیشتر به جدول زمانی مراجعه کنید DocType: Material Request,Requested For,درخواست شده برای DocType: SMS Center,All Sales Person,همه فروش شخص @@ -6088,6 +6120,7 @@ DocType: Loan Type,Maximum Loan Amount,حداکثر مبلغ وام apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,ایمیل در ارتباط پیش فرض یافت نشد DocType: Hotel Room Reservation,Booked,رزرو DocType: Maintenance Visit,Partially Completed,تقریبا تکمیل شده +DocType: Quality Procedure Process,Process Description,شرح فرایند DocType: Company,Default Employee Advance Account,پیشفرض پیشفرض کارمند DocType: Leave Type,Allow Negative Balance,اجازه دادن به مانده منفی apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,نام طرح ارزیابی @@ -6129,6 +6162,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,درخواست برای نقل قول apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} دوبار در مالیات بر عهده وارد می شود DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,تخفیف مالیات کامل در تاریخ شمارش حقوق و دستمزد انتخابی +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,آخرین تاریخ شمارش کربن نمی تواند تاریخ آینده باشد apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,حساب مقدار تغییر را انتخاب کنید DocType: Support Settings,Forum Posts,پست های انجمن DocType: Timesheet Detail,Expected Hrs,ساعت انتظار @@ -6138,7 +6172,7 @@ DocType: Program Enrollment Tool,Enroll Students,ثبت نام دانش آموز apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,تکرار درآمد مشتری DocType: Company,Date of Commencement,تاریخ شروع DocType: Bank,Bank Name,نام بانک -DocType: Quality Goal,December,دسامبر +DocType: GSTR 3B Report,December,دسامبر apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,معتبر از تاریخ باید کمتر از تا تاریخ معتبر باشد apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,این براساس حضور این کارمند است DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",اگر چک شود، صفحه اصلی به عنوان گروه پیش فرض برای وب سایت خواهد بود @@ -6181,6 +6215,7 @@ DocType: Payment Entry,Payment Type,نوع پرداخت apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,اعداد برگه مطابق نیست DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF- .YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},بازرسی کیفیت: {0} برای این مورد ارسال نشده است: {1} در ردیف {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},نمایش {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} مورد یافت شد ,Stock Ageing,پیری سهام DocType: Customer Group,Mention if non-standard receivable account applicable,ذکر کنید که حساب غیر قابل قبولی قابل دریافت باشد @@ -6459,6 +6494,7 @@ DocType: Travel Request,Costing,هزینه کردن apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,دارایی های ثابت DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,مجموع درآمد +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,مشتری> گروه مشتری> قلمرو DocType: Share Balance,From No,از شماره DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,فاکتور تطبیق پرداخت DocType: Purchase Invoice,Taxes and Charges Added,مالیات ها و هزینه ها اضافه شده است @@ -6466,7 +6502,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,مالیات یا DocType: Authorization Rule,Authorized Value,ارزش مجاز apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,دریافت شده از apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,انبار {0} وجود ندارد +DocType: Item Manufacturer,Item Manufacturer,تولید کننده مورد DocType: Sales Invoice,Sales Team,تیم فروش +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,تعداد باندل DocType: Purchase Order Item Supplied,Stock UOM,UOM سهام DocType: Installation Note,Installation Date,تاریخ نصب DocType: Email Digest,New Quotations,نقل قول های جدید @@ -6530,7 +6568,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,نام تعطیلات نام DocType: Water Analysis,Collection Temperature ,درجه حرارت مجموعه DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,مدیریت فاکتور انتصاب ارسال و لغو خودکار برای برخورد بیمار -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,لطفا سری نامگذاری را برای {0} از طریق Setup> Settings> نامگذاری سری انتخاب کنید DocType: Employee Benefit Claim,Claim Date,تاریخ ادعا DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,خالی اگر فروشنده به طور نامحدود مسدود شده خالی apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,حضور از تاریخ و حضور به تاریخ اجباری است @@ -6541,6 +6578,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,تاریخ بازنشستگی apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,لطفا بیمار را انتخاب کنید DocType: Asset,Straight Line,خط مستقیم +DocType: Quality Action,Resolutions,قطعنامه DocType: SMS Log,No of Sent SMS,پیام کوتاه ارسالی ,GST Itemised Sales Register,GST ثبت شده در بخش فروش apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,مبلغ پیشنهادی کل نمیتواند بیشتر از مجموع مبلغ مجاز باشد @@ -6651,7 +6689,7 @@ DocType: Account,Profit and Loss,سود و زیان apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,تعداد تقسیم DocType: Asset Finance Book,Written Down Value,نوشته شده ارزش پایین apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,بازده حقوق متعادل -DocType: Quality Goal,April,آوریل +DocType: GSTR 3B Report,April,آوریل DocType: Supplier,Credit Limit,محدودیت اعتبار apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,توزیع apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6706,6 +6744,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Shopify را با ERPNext وصل کنید DocType: Homepage Section Card,Subtitle,عنوان فرعی DocType: Soil Texture,Loam,لام +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,تامین کننده> نوع عرضه کننده DocType: BOM,Scrap Material Cost(Company Currency),هزینه مواد قراضه (ارزش شرکت) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,یادداشت تحویل {0} نباید ارسال شود DocType: Task,Actual Start Date (via Time Sheet),تاریخ شروع واقعی (از طریق ورق زمان) @@ -6761,7 +6800,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,مصرف DocType: Cheque Print Template,Starting position from top edge,موقعیت شروع از لبه بالا apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),مدت زمان انتصاب (دقیقه) -DocType: Pricing Rule,Disable,غیرفعال کردن +DocType: Accounting Dimension,Disable,غیرفعال کردن DocType: Email Digest,Purchase Orders to Receive,سفارشات خرید برای دریافت apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,دستورالعمل های تولید نمی توانند مطرح شوند: DocType: Projects Settings,Ignore Employee Time Overlap,نادیده گرفتن همپوشانی زمان کارکنان @@ -6845,6 +6884,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,ایج DocType: Item Attribute,Numeric Values,مقادیر عددی DocType: Delivery Note,Instructions,دستورالعمل ها DocType: Blanket Order Item,Blanket Order Item,مورد سفارش پتو +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,ضروری برای حساب سود و زیان apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,نرخ کمیسیون نمی تواند بیش از 100 باشد DocType: Course Topic,Course Topic,موضوع دوره DocType: Employee,This will restrict user access to other employee records,این دسترسی کاربر به سوابق کارمند دیگر محدود می شود @@ -6869,12 +6909,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,مدیریت apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,مشتریان را از apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} خلاصه DocType: Employee,Reports to,گزارش میشود به +DocType: Video,YouTube,یوتیوب DocType: Party Account,Party Account,حساب کاربری DocType: Assessment Plan,Schedule,برنامه apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,لطفا وارد شوید DocType: Lead,Channel Partner,شریک کانال apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,مبلغ حساب شده DocType: Project,From Template,از الگو +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,اشتراک ها apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,مقدار به صورت DocType: Quality Review Table,Achieved,به دست آورد @@ -6921,7 +6963,6 @@ DocType: Journal Entry,Subscription Section,بخش اشتراک DocType: Salary Slip,Payment Days,روز پرداخت apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,اطلاعات داوطلب apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'سهام فریزر قدیمی تر از `باید کمتر از٪ d روز باشد. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,سال مالی را انتخاب کنید DocType: Bank Reconciliation,Total Amount,مقدار کل DocType: Certification Application,Non Profit,غیر انتفاعی DocType: Subscription Settings,Cancel Invoice After Grace Period,لغو صورتحساب بعد از تمدید دوره @@ -6934,7 +6975,6 @@ DocType: Serial No,Warranty Period (Days),دوره گارانتی (روز) DocType: Expense Claim Detail,Expense Claim Detail,جزئیات ادعای هزینه apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,برنامه: DocType: Patient Medical Record,Patient Medical Record,پرونده پزشکی بیمار -DocType: Quality Action,Action Description,شرح عمل DocType: Item,Variant Based On,متنوع مبتنی بر DocType: Vehicle Service,Brake Oil,روغن ترمز DocType: Employee,Create User,ایجاد کاربر @@ -6990,7 +7030,7 @@ DocType: Cash Flow Mapper,Section Name,نام بخش DocType: Packed Item,Packed Item,مورد بسته بندی شده apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: مبلغ بدهی یا اعتبار برای {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,ارسال حقوق و دستمزد ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,بدون اقدام +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,بدون اقدام apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",بودجه نمی تواند در برابر {0} اختصاص داده شود، زیرا این یک حساب درآمد یا هزینه نیست apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,کارشناسی ارشد و حساب DocType: Quality Procedure Table,Responsible Individual,فرد واجد شرایط @@ -7113,7 +7153,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,اجازه ایجاد حساب کاربری در برابر شرکت فرزند DocType: Payment Entry,Company Bank Account,حساب بانکی شرکت DocType: Amazon MWS Settings,UK,انگلستان -DocType: Quality Procedure,Procedure Steps,مراحل روش DocType: Normal Test Items,Normal Test Items,آیتم های معمول عادی apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,مورد {0}: مقدار سفارش شده {1} نمیتواند کمتر از حداقل مقدار سفارش باشد {2} (تعریف شده در بخش). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,موجود نیست @@ -7192,7 +7231,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,تجزیه و تحلیل DocType: Maintenance Team Member,Maintenance Role,نقش تعمیر و نگهداری apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,قالب شرایط و ضوابط DocType: Fee Schedule Program,Fee Schedule Program,برنامه برنامه ریزی هزینه -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,دوره {0} وجود ندارد DocType: Project Task,Make Timesheet,زمانبندی را انجام دهید DocType: Production Plan Item,Production Plan Item,مورد طرح تولید apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,دانش آموز مجموعا @@ -7214,6 +7252,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,بسته شدن apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,شما فقط می توانید تمدید کنید اگر عضویت شما در 30 روز منقضی شود apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},مقدار باید بین {0} و {1} باشد +DocType: Quality Feedback,Parameters,مولفه های ,Sales Partner Transaction Summary,خلاصه تراکنش فروش شریک DocType: Asset Maintenance,Maintenance Manager Name,نام مدیر تعمیر و نگهداری apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,لازم است که جزئیات مورد را انتخاب کنید. @@ -7252,6 +7291,7 @@ DocType: Student Admission,Student Admission,پذیرش دانشجویی DocType: Designation Skill,Skill,مهارت DocType: Budget Account,Budget Account,حساب بودجه DocType: Employee Transfer,Create New Employee Id,ایجاد شناسه کارمند جدید +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} برای حساب سود و زیان {1} لازم است. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),مالیات بر محصولات و خدمات (GST هند) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,ایجاد حقوق و دستمزد ... DocType: Employee Skill,Employee Skill,مهارت کارمند @@ -7352,6 +7392,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,فاکتور DocType: Subscription,Days Until Due,روز تا زمان تحقق apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,نمایش کامل شده apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,صورتجلسه بیانیه گزارش معاملات تراکنش +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,تحریم بانک apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ردیف # {0}: نرخ باید همانند {1}: {2} ({3} / {4} باشد) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR- .YYYY.- DocType: Healthcare Settings,Healthcare Service Items,اقلام خدمات بهداشتی @@ -7408,6 +7449,7 @@ DocType: Training Event Employee,Invited,دعوت کرد apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},حداکثر واجد شرایط برای کامپوننت {0} بیش از {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,مقدار بیل apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",برای {0}، فقط حساب های بدهی را می توان در رابطه با یک اعتبار دیگر مرتبط کرد +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,ایجاد ابعاد ... DocType: Bank Statement Transaction Entry,Payable Account,حساب قابل پرداخت apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,لطفا بدون نیاز به بازدید از مراجعه کنید DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,فقط اگر شما اسناد Flow Mapper را راه اندازی کرده اید، انتخاب کنید @@ -7425,6 +7467,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,زمان قطع شدن DocType: Grading Scale Interval,Grade Description,توصیف درجه DocType: Homepage Section,Cards,کارت ها +DocType: Quality Meeting Minutes,Quality Meeting Minutes,دقیقه جلسه کیفیت DocType: Linked Plant Analysis,Linked Plant Analysis,مرتبط با تجزیه و تحلیل گیاه apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,تاریخ توقف خدمات نمی تواند پس از پایان تاریخ سرویس باشد apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,لطفا B2C Limit را در تنظیمات GST تنظیم کنید. @@ -7459,7 +7502,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,ابزار مشارک DocType: Employee,Educational Qualification,مدارک تحصیلی apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,ارزش دسترسی apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},مقدار نمونه {0} نمیتواند بیش از مقدار دریافت شده باشد {1} -DocType: Quiz,Last Highest Score,بالاترین امتیاز آخرین DocType: POS Profile,Taxes and Charges,مالیات و هزینه ها DocType: Opportunity,Contact Mobile No,تماس با موبایل شماره DocType: Employee,Joining Details,پیوستن به جزئیات diff --git a/erpnext/translations/fi.csv b/erpnext/translations/fi.csv index 067dfcb78b..1295a08541 100644 --- a/erpnext/translations/fi.csv +++ b/erpnext/translations/fi.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Toimittajan osanumero DocType: Journal Entry Account,Party Balance,Party Balance apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Rahastojen lähde (velat) DocType: Payroll Period,Taxable Salary Slabs,Verotettavat palkat +DocType: Quality Action,Quality Feedback,Laatu palaute DocType: Support Settings,Support Settings,Tukiasetukset apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Anna ensin tuotannon kohta DocType: Quiz,Grading Basis,Arviointiperuste @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Lisätietoja DocType: Salary Component,Earning,ansaita DocType: Restaurant Order Entry,Click Enter To Add,Napsauta Enter To Add DocType: Employee Group,Employee Group,Työntekijäryhmä +DocType: Quality Procedure,Processes,Prosessit DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Määritä valuuttakurssi muuntaaksesi yhden valuutan toiseen apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Ikääntymisalue 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Varastoon tarvittava varasto {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Valitus DocType: Shipping Rule,Restrict to Countries,Rajoita maihin DocType: Hub Tracked Item,Item Manager,Kohteenhallinta apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Suljetun tilin valuutan on oltava {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,budjetit apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Laskun avaaminen DocType: Work Order,Plan material for sub-assemblies,Suunnittele alikokoonpanojen materiaali apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Laitteisto DocType: Budget,Action if Annual Budget Exceeded on MR,"Toimi, jos vuotuinen talousarvio ylittyy MR: llä" DocType: Sales Invoice Advance,Advance Amount,Ennakkomäärä +DocType: Accounting Dimension,Dimension Name,Mitoituksen nimi DocType: Delivery Note Item,Against Sales Invoice Item,Myyntilasku-kohtaa vastaan DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Sisällytä tuote valmistuksessa @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Mitä se tekee? ,Sales Invoice Trends,Myyntilaskun trendit DocType: Bank Reconciliation,Payment Entries,Maksutiedot DocType: Employee Education,Class / Percentage,Luokka / prosenttiosuus -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Tuotekoodi> Tuoteryhmä> Merkki ,Electronic Invoice Register,Sähköisen laskun rekisteri DocType: Sales Invoice,Is Return (Credit Note),Onko palautus (luottoilmoitus) DocType: Lab Test Sample,Lab Test Sample,Lab-testinäyte @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,variantit apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",Maksut jaetaan oikeassa suhteessa kohteen määrään tai määrään valintasi mukaan apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Odottavia toimia tänään +DocType: Quality Procedure Process,Quality Procedure Process,Laatuprosessin prosessi DocType: Fee Schedule Program,Student Batch,Opiskelijaerä apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},"Arviointihinta, joka tarvitaan riville {0}" DocType: BOM Operation,Base Hour Rate(Company Currency),Base Hour Rate (yrityksen valuutta) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Määritä määrä sarjoissa tapahtuvaan tuloon perustuvissa transaktioissa apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Ennakkomaksun tulee olla sama kuin yrityksen valuutta {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Muokkaa kotisivuja -DocType: Quality Goal,October,lokakuu +DocType: GSTR 3B Report,October,lokakuu DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Piilota Asiakkaan verotunnus myyntitapahtumista apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Virheellinen GSTIN! GSTIN-koodissa on oltava 15 merkkiä. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Hinnoittelusääntö {0} päivitetään @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Jätä tasapaino apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Ylläpitoaikataulu {0} on {1} vastaan DocType: Assessment Plan,Supervisor Name,Ohjaajan nimi DocType: Selling Settings,Campaign Naming By,Kampanjan nimeäminen -DocType: Course,Course Code,Kurssin koodi +DocType: Student Group Creation Tool Course,Course Code,Kurssin koodi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,ilmailu DocType: Landed Cost Voucher,Distribute Charges Based On,Jakele maksuja perustuen DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Toimittajan tuloskortin pisteytyskriteerit @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Ravintolavalikko DocType: Asset Movement,Purpose,Tarkoitus apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Palkkarakenteen palkkaaminen työntekijälle on jo olemassa DocType: Clinical Procedure,Service Unit,Huoltoyksikkö -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Asiakas> Asiakasryhmä> Alue DocType: Travel Request,Identification Document Number,henkilöllisyystodistuksen numero DocType: Stock Entry,Additional Costs,Lisäkustannukset -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Vanhempi kurssi (jätä tyhjäksi, jos tämä ei ole osa vanhempien kursseja)" DocType: Employee Education,Employee Education,Työntekijöiden koulutus apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Paikkojen määrä ei voi olla pienempi kuin nykyinen työntekijöiden määrä apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Kaikki asiakasryhmät @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Rivi {0}: Määrä on pakollinen DocType: Sales Invoice,Against Income Account,Tulotiliä vastaan apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rivi # {0}: Ostolaskua ei voi tehdä olemassa olevaa omaisuutta vastaan {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Eri myynninedistämisohjelmien soveltamista koskevat säännöt. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM: n UOM-muunnoskerroin: {0} kohdassa: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Anna määrä {0} kohtaan DocType: Workstation,Electricity Cost,Sähkön hinta @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Ennustettu kokonaismäärä apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,BOMs DocType: Work Order,Actual Start Date,Todellinen alkamispäivä 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 (s) korvausloman pyyntöpäivien välillä -DocType: Company,About the Company,Yrityksestä apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Taloudellisten tilien puu. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Välilliset tuotot DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotellihuoneen varaus @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Potentiaalis DocType: Skill,Skill Name,Taiton nimi apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Tulosta raporttikortti DocType: Soil Texture,Ternary Plot,Ternary Plot +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Aseta Naming Series {0} -asetukseksi Setup> Settings> Naming Series apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Tukiliput DocType: Asset Category Account,Fixed Asset Account,Kiinteä omaisuus-tili apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Uusin @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Ohjelman ilmoittaut ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Aseta käytettävä sarja. DocType: Delivery Trip,Distance UOM,Etäisyys UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Pakollinen tase DocType: Payment Entry,Total Allocated Amount,Jaettu kokonaismäärä DocType: Sales Invoice,Get Advances Received,Hanki ennakkomaksut DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Huoltoaikataulu Koh apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS-profiili edellyttää POS-merkinnän tekemistä DocType: Education Settings,Enable LMS,Ota LMS käyttöön DocType: POS Closing Voucher,Sales Invoices Summary,Myyntilaskuyhteenveto +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,hyöty apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Luotto tilille on oltava tasetili DocType: Video,Duration,Kesto DocType: Lab Test Template,Descriptive,kuvaileva @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Aloitus- ja lopetuspäivät DocType: Supplier Scorecard,Notify Employee,Ilmoita työntekijälle apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Ohjelmisto +DocType: Program,Allow Self Enroll,Salli itserekisteröinti apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Varastokulut apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Viitenumero on pakollinen, jos olet syöttänyt viitepäivämäärän" DocType: Training Event,Workshop,työpaja @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-laskutiedot puuttuvat apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Mitään aineellista pyyntöä ei ole luotu +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Tuotekoodi> Tuoteryhmä> Merkki DocType: Loan,Total Amount Paid,Maksettu kokonaismäärä apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Kaikki nämä kohteet on jo laskutettu DocType: Training Event,Trainer Name,Kouluttajan nimi @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Lukuvuosi DocType: Sales Stage,Stage Name,Taiteilijanimi DocType: SMS Center,All Employee (Active),Kaikki työntekijä (aktiivinen) +DocType: Accounting Dimension,Accounting Dimension,Kirjanpidon ulottuvuus DocType: Project,Customer Details,asiakkaan tiedot DocType: Buying Settings,Default Supplier Group,Tavarantoimittajaryhmä apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Peruuta ostokuitti {0} ensin @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Korkeampi numero DocType: Designation,Required Skills,Vaaditut taidot DocType: Marketplace Settings,Disable Marketplace,Poista markkinapaikka käytöstä DocType: Budget,Action if Annual Budget Exceeded on Actual,"Toimi, jos vuotuinen talousarvio ylittää todellisen" -DocType: Course,Course Abbreviation,Kurssin lyhenne apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,"Läsnäoloa, jota ei jätetty {0}: ksi {1} lomalla." DocType: Pricing Rule,Promotional Scheme Id,Kampanjaohjelman tunnus apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Tehtävän {0} päättymispäivä ei voi olla suurempi kuin {1} odotettu päättymispäivä {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Rahamäärä DocType: Chapter,Chapter,luku DocType: Purchase Receipt Item Supplied,Current Stock,Varastotilanne DocType: Employee,History In Company,Historia yrityksessä -DocType: Item,Manufacturer,Valmistaja +DocType: Purchase Invoice Item,Manufacturer,Valmistaja apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Kohtalainen herkkyys DocType: Compensatory Leave Request,Leave Allocation,Jätä allokointi DocType: Timesheet,Timesheet,Kellokortti @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Tuotantoon siirretty DocType: Products Settings,Hide Variants,Piilota vaihtoehdot DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Poista kapasiteetin suunnittelu ja ajan seuranta käytöstä DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Lasketaan tapahtumassa. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} vaaditaan "Taseen" tilille {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} ei saa käydä kauppaa {1}: n kanssa. Ole hyvä ja vaihda Yhtiö. 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}","Mikäli ostotiedot ovat pakollisia == 'KYLLÄ', niin ostolaskun luomiseksi käyttäjän on luotava ensin ostokuitti kohteen {0} osalta" DocType: Delivery Trip,Delivery Details,Toimitusehdot @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Taaksepäin apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Mittayksikkö DocType: Lab Test,Test Template,Testimalli DocType: Fertilizer,Fertilizer Contents,Lannoitteen sisältö -apps/erpnext/erpnext/utilities/user_progress.py,Minute,minuutti +DocType: Quality Meeting Minutes,Minute,minuutti apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rivi # {0}: Varaa {1} ei voi lähettää, se on jo {2}" DocType: Task,Actual Time (in Hours),Todellinen aika (tunnissa) DocType: Period Closing Voucher,Closing Account Head,Tilin päätyttäminen @@ -1532,7 +1540,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,laboratorio DocType: Purchase Order,To Bill,Bill apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Utility-kulut DocType: Manufacturing Settings,Time Between Operations (in mins),Toimintojen välinen aika (minuutteina) -DocType: Quality Goal,May,saattaa +DocType: GSTR 3B Report,May,saattaa apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Maksun yhdyskäytävän tiliä ei ole luotu, luo yksi manuaalisesti." DocType: Opening Invoice Creation Tool,Purchase,Ostaa DocType: Program Enrollment,School House,Koulutalo @@ -1564,6 +1572,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,H DocType: Supplier,Statutory info and other general information about your Supplier,Lakisääteiset tiedot ja muut yleiset tiedot toimittajalta DocType: Item Default,Default Selling Cost Center,Oletusmyynnin kustannuskeskus DocType: Sales Partner,Address & Contacts,Osoite ja yhteystiedot +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ole hyvä ja asenna numerointisarja osallistumiseen asetusten avulla> Numerosarja DocType: Subscriber,Subscriber,Tilaaja apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) on loppunut apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Valitse ensin Lähetyspäivä @@ -1591,6 +1600,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Sairaanhoitokäynti DocType: Bank Statement Settings,Transaction Data Mapping,Transaktiotietojen kartoitus apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Johtaja vaatii joko henkilön nimen tai organisaation nimen DocType: Student,Guardians,Guardians +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Asenna opettajan nimeämisjärjestelmä opetuksessa> Koulutusasetukset apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Valitse tuotemerkki ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Keskitulot DocType: Shipping Rule,Calculate Based On,Laske perustana @@ -1602,7 +1612,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Kustannusvaatimuksen ennakk DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Pyöristyskorjaus (yrityksen valuutta) DocType: Item,Publish in Hub,Julkaise Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,elokuu +DocType: GSTR 3B Report,August,elokuu apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Anna ensin ostokuitti apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Aloita vuosi apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Kohde ({}) @@ -1621,6 +1631,7 @@ DocType: Item,Max Sample Quantity,Max näytteen määrä apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Lähde- ja kohdevaraston on oltava erilainen DocType: Employee Benefit Application,Benefits Applied,Sovelletut edut apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Päivämäärän vastaanottoa vastaan {0} ei ole yhtäläistä {1} -merkintää +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Erikoismerkit paitsi "-", "#", ".", "/", "{" Ja "}" ei sallita sarjojen nimeämisessä" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Hinta tai tuotteen alennuslevyt ovat pakollisia apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Aseta kohde apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Osallistumistietue {0} on opiskelijaa {1} vastaan @@ -1636,10 +1647,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Kuukaudessa DocType: Routing,Routing Name,Reitityksen nimi DocType: Disease,Common Name,Yleinen nimi -DocType: Quality Goal,Measurable,mitattava DocType: Education Settings,LMS Title,LMS-nimike apps/erpnext/erpnext/config/non_profit.py,Loan Management,Lainojen hallinta -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Tuki Analtyicsille DocType: Clinical Procedure,Consumable Total Amount,Kulutustavara yhteensä apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Ota malli käyttöön apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Asiakas LPO @@ -1779,6 +1788,7 @@ DocType: Restaurant Order Entry Item,Served,palveli DocType: Loan,Member,Jäsen DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Harjoittajan palveluyksikön aikataulu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Langallinen siirto +DocType: Quality Review Objective,Quality Review Objective,Laatuarvioinnin tavoite DocType: Bank Reconciliation Detail,Against Account,Tilin vastainen DocType: Projects Settings,Projects Settings,Projektin asetukset apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Todellinen määrä {0} / odotusarvo {1} @@ -1807,6 +1817,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ri apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Tilikauden päättymispäivän tulisi olla vuoden kuluttua tilivuoden alkamispäivästä apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Päivittäiset muistutukset DocType: Item,Default Sales Unit of Measure,Oletusmyyntiyksikkö +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Yritys GSTIN DocType: Asset Finance Book,Rate of Depreciation,Poistot DocType: Support Search Source,Post Description Key,Postikuvauksen avain DocType: Loyalty Program Collection,Minimum Total Spent,Minimimäärä yhteensä @@ -1878,6 +1889,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Asiakasryhmän muuttaminen valitulle asiakkaalle ei ole sallittua. DocType: Serial No,Creation Document Type,Luontiasiakirjan tyyppi DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Varastossa käytettävissä oleva erä +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Lasku Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Tämä on juurialue ja sitä ei voi muokata. DocType: Patient,Surgical History,Kirurginen historia apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Laatuprosessien puu. @@ -1980,6 +1992,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,h DocType: Item Group,Check this if you want to show in website,"Tarkista tämä, jos haluat näyttää sivustossa" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Talousvuotta {0} ei löytynyt DocType: Bank Statement Settings,Bank Statement Settings,Pankkitilin asetukset +DocType: Quality Procedure Process,Link existing Quality Procedure.,Linkitä olemassa oleva laatujärjestelmä. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Tuo kaavion tilit CSV / Excel-tiedostoista DocType: Appraisal Goal,Score (0-5),Pisteet (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Attribuutti-taulukossa valittiin useita kertoja attribuutti {0} DocType: Purchase Invoice,Debit Note Issued,Debit-huomautus on annettu @@ -1988,7 +2002,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Jätä politiikan tiedot apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Varasto ei löydy järjestelmästä DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -DocType: Quality Goal,Measurable Goal,Mitattavissa oleva tavoite DocType: Bank Statement Transaction Payment Item,Invoices,laskut DocType: Currency Exchange,Currency Exchange,Valuutanvaihto DocType: Payroll Entry,Fortnightly,joka toinen viikko @@ -2051,6 +2064,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} ei ole toimitettu DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Tyhjennä raaka-aineet jatkuvasta varastosta DocType: Maintenance Team Member,Maintenance Team Member,Huoltoryhmän jäsen +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Aseta mukautetut mitat kirjanpitoon DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Vähimmäisetäisyys kasvien rivien välillä optimaalisen kasvun saavuttamiseksi DocType: Employee Health Insurance,Health Insurance Name,Terveysvakuutuksen nimi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Osakkeet @@ -2083,7 +2097,7 @@ DocType: Delivery Note,Billing Address Name,Laskutusosoitteen nimi apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Vaihtoehtoinen kohde DocType: Certification Application,Name of Applicant,Hakijan nimi DocType: Leave Type,Earned Leave,Ansaittu lähti -DocType: Quality Goal,June,kesäkuu +DocType: GSTR 3B Report,June,kesäkuu apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Rivi {0}: Kohteen {1} kustannuskeskus tarvitaan apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Voidaan hyväksyä {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mittayksikkö {0} on syötetty useammin kuin kerran tulosprosenttitaulukossa @@ -2104,6 +2118,7 @@ DocType: Lab Test Template,Standard Selling Rate,Normaali myyntihinta apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Aseta aktiivinen menu ravintolalle {0} 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-palveluun." DocType: Asset Finance Book,Asset Finance Book,Varainhoitokirja +DocType: Quality Goal Objective,Quality Goal Objective,Laatutavoitteen tavoite DocType: Employee Transfer,Employee Transfer,Työntekijöiden siirto ,Sales Funnel,Myyntikanava DocType: Agriculture Analysis Criteria,Water Analysis,Vesianalyysi @@ -2142,6 +2157,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Työntekijän sii apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Odottavat toiminnot apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Listaa muutamia asiakkaistasi. He voivat olla organisaatioita tai yksilöitä. DocType: Bank Guarantee,Bank Account Info,Pankkitilin tiedot +DocType: Quality Goal,Weekday,arkipäivä apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1-nimi DocType: Salary Component,Variable Based On Taxable Salary,Muuttuja perustuu verolliseen palkkaan DocType: Accounting Period,Accounting Period,Tilikausi @@ -2226,7 +2242,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Pyöristyksen säätö DocType: Quality Review Table,Quality Review Table,Laatuarviointitaulukko DocType: Member,Membership Expiry Date,Jäsenyyden päättymispäivä DocType: Asset Finance Book,Expected Value After Useful Life,Odotettu arvo käytön jälkeen -DocType: Quality Goal,November,marraskuu +DocType: GSTR 3B Report,November,marraskuu DocType: Loan Application,Rate of Interest,Kiinnostuksen taso DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Pankin tiliotteen maksutapa DocType: Restaurant Reservation,Waitlisted,Jonossa @@ -2290,6 +2306,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Rivi {0}: Jos haluat asettaa {1} jaksollisuuden, erotuksen ja päivämäärän välillä on oltava suurempi tai yhtä suuri kuin {2}" DocType: Purchase Invoice Item,Valuation Rate,Arvostusprosentti DocType: Shopping Cart Settings,Default settings for Shopping Cart,Ostoskorin oletusasetukset +DocType: Quiz,Score out of 100,Pisteet 100: sta DocType: Manufacturing Settings,Capacity Planning,Kapasiteettisuunnittelu apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Mene opettajille DocType: Activity Cost,Projects,projektit @@ -2299,6 +2316,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Ajasta apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variantin tiedot -raportti +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Ostaminen apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0}: n aikavälejä ei lisätä aikatauluun DocType: Target Detail,Target Distribution,Kohdejakauma @@ -2316,6 +2334,7 @@ DocType: Activity Cost,Activity Cost,Toimintakustannukset DocType: Journal Entry,Payment Order,Maksumääräys apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,hinnoittelu ,Item Delivery Date,Kohteen toimituspäivä +DocType: Quality Goal,January-April-July-October,Tammi-huhtikuu-heinäkuun ja lokakuun DocType: Purchase Order Item,Warehouse and Reference,Varasto ja viite apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Lasten solmujen tiliä ei voi muuntaa pääkirjaksi DocType: Soil Texture,Clay Composition (%),Clay-koostumus (%) @@ -2366,6 +2385,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Tulevat päivämäär apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rivi {0}: Aseta maksutapa maksun aikataulussa apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Akateeminen termi: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Laatupalautteen parametri apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Valitse Käytä alennusta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Rivi # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Maksut yhteensä @@ -2408,7 +2428,7 @@ DocType: Hub Tracked Item,Hub Node,Hub-solmu apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,henkilöstökortti DocType: Salary Structure Assignment,Salary Structure Assignment,Palkkarakenteen määritys DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Loppukuponkien verot -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Toimenpide aloitettu +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Toimenpide aloitettu DocType: POS Profile,Applicable for Users,Sovellettavissa käyttäjille DocType: Training Event,Exam,Koe apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Virheellinen määrä yleisiä kirjaimia löytyi. Olet ehkä valinnut väärän tilin tilissä. @@ -2515,6 +2535,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,pituusaste DocType: Accounts Settings,Determine Address Tax Category From,Määritä osoitteen veroluokka alkaen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Päätöksentekijöiden tunnistaminen +DocType: Stock Entry Detail,Reference Purchase Receipt,Viitehankinta apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Hanki Invocies DocType: Tally Migration,Is Day Book Data Imported,Onko päivän kirjan tiedot tuotu ,Sales Partners Commission,Myyntikumppanien komissio @@ -2538,6 +2559,7 @@ DocType: Leave Type,Applicable After (Working Days),Sovellettavissa jälkeen (ty DocType: Timesheet Detail,Hrs,tuntia DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Toimittajan tuloskortin kriteerit DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Laadun palautteen mallin parametri apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Liittymispäivän on oltava suurempi kuin syntymäaika DocType: Bank Statement Transaction Invoice Item,Invoice Date,Laskutus päivämäärä DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Luo Lab-testi (t) myyntilaskussa Lähetä @@ -2643,7 +2665,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Vähimmäisarvo DocType: Stock Entry,Source Warehouse Address,Lähdevaraston osoite DocType: Compensatory Leave Request,Compensatory Leave Request,Korvauslomapyyntö DocType: Lead,Mobile No.,Kännykkänumero. -DocType: Quality Goal,July,heinäkuu +DocType: GSTR 3B Report,July,heinäkuu apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Tukikelpoinen ITC DocType: Fertilizer,Density (if liquid),Tiheys (jos nestettä) DocType: Employee,External Work History,Ulkoinen työhistoria @@ -2720,6 +2742,7 @@ DocType: Certification Application,Certification Status,Sertifiointitila apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Lähde-sijainti vaaditaan omaisuudelle {0} DocType: Employee,Encashment Date,Liitäntäpäivä apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Ole hyvä ja valitse Täydennyspäivämäärä valmiiden varojen ylläpitolokiin +DocType: Quiz,Latest Attempt,Uusin yritys DocType: Leave Block List,Allow Users,Salli käyttäjät apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Tilikartta apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"Asiakas on pakollinen, jos ”Opportunity From” on valittu asiakkaaksi" @@ -2784,7 +2807,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Toimittajan tuloskor DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS -asetukset DocType: Program Enrollment,Walking,Kävely DocType: SMS Log,Requested Numbers,Pyydetyt numerot -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ole hyvä ja asenna numerointisarja osallistumiseen asetusten avulla> Numerosarja DocType: Woocommerce Settings,Freight and Forwarding Account,Rahti- ja huolintatili apps/erpnext/erpnext/accounts/party.py,Please select a Company,Valitse yritys apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Rivillä {0}: {1} on oltava suurempi kuin 0 @@ -2854,7 +2876,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Asiakkaille DocType: Training Event,Seminar,seminaari apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Luotto ({0}) DocType: Payment Request,Subscription Plans,Tilaussuunnitelmat -DocType: Quality Goal,March,maaliskuu +DocType: GSTR 3B Report,March,maaliskuu apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Split-erä DocType: School House,House Name,Talon nimi apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0} ei voi olla pienempi kuin nolla ({1}) @@ -2917,7 +2939,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Vakuutuksen aloituspäivä DocType: Target Detail,Target Detail,Kohdetiedot DocType: Packing Slip,Net Weight UOM,Nettopaino UOM -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM: n muuntokerrointa ({0} -> {1}) ei löytynyt kohdasta {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Nettomäärä (yrityksen valuutta) DocType: Bank Statement Transaction Settings Item,Mapped Data,Kartoitetut tiedot apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Arvopaperit ja talletukset @@ -2967,6 +2988,7 @@ DocType: Cheque Print Template,Cheque Height,Tarkista korkeus apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Anna vapautuspäivä. DocType: Loyalty Program,Loyalty Program Help,Loyalty Program Help DocType: Journal Entry,Inter Company Journal Entry Reference,Inter Company Journal Entry Reference +DocType: Quality Meeting,Agenda,esityslista DocType: Quality Action,Corrective,korjaavat apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Ryhmittele DocType: Bank Account,Address and Contact,Osoite ja yhteystiedot @@ -3020,7 +3042,7 @@ DocType: GL Entry,Credit Amount,Luottomäärä apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Luoton kokonaismäärä DocType: Support Search Source,Post Route Key List,Reitin avainten luettelo apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} ei ole missään aktiivisessa verovuonna. -DocType: Quality Action Table,Problem,Ongelma +DocType: Quality Action Resolution,Problem,Ongelma DocType: Training Event,Conference,Konferenssi DocType: Mode of Payment Account,Mode of Payment Account,Maksutili DocType: Leave Encashment,Encashable days,Sekoitettavat päivät @@ -3146,7 +3168,7 @@ DocType: Item,"Purchase, Replenishment Details","Osto, täydennystiedot" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Kun tämä lasku on asetettu, se pysyy voimassa määrättyyn päivämäärään saakka" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"Tuotetta {0} ei voi olla varastossa, koska sillä on vaihtoehtoja" DocType: Lab Test Template,Grouped,ryhmitelty -DocType: Quality Goal,January,tammikuu +DocType: GSTR 3B Report,January,tammikuu DocType: Course Assessment Criteria,Course Assessment Criteria,Kurssin arviointikriteerit DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Valmistunut määrä @@ -3241,7 +3263,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Terveydenhuol apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Anna taulukossa vähintään yksi lasku apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Myyntitilausta {0} ei toimiteta apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Osallistuminen on merkitty onnistuneesti. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Ennakkomyynti +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Ennakkomyynti apps/erpnext/erpnext/config/projects.py,Project master.,Hankkeen päällikkö. DocType: Daily Work Summary,Daily Work Summary,Päivittäinen työn yhteenveto DocType: Asset,Partially Depreciated,Poistetaan osittain @@ -3250,6 +3272,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Jätä karkotettu? DocType: Certified Consultant,Discuss ID,Keskustele ID: stä apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Aseta GST-tilit GST-asetuksissa +DocType: Quiz,Latest Highest Score,Viimeisin korkein pistemäärä DocType: Supplier,Billing Currency,Laskutusvaluutta apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Opiskelijan toiminta apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Kumpikin kohde-määrä tai tavoitemäärä on pakollinen @@ -3275,18 +3298,21 @@ DocType: Sales Order,Not Delivered,Ei toimitettu apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Poistumistyyppiä {0} ei voida jakaa, koska se on vapaata palkkaa" DocType: GL Entry,Debit Amount,Debit-summa apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Kohde {0} on jo tallennettu +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Sub-kokoonpanot 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.","Jos useita hinnoittelusääntöjä sovelletaan edelleen, käyttäjiä pyydetään asettamaan prioriteetti manuaalisesti ratkaistakseen konfliktit." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ei voida vähentää, kun luokka on "Arviointi" tai "Arviointi ja yhteensä"" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM ja valmistusmäärät ovat pakollisia apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Kohde {0} on saavuttanut elämänsä loppuun {1} DocType: Quality Inspection Reading,Reading 6,Lukeminen 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Yrityksen kenttä on pakollinen apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Materiaalinkulutusta ei ole määritetty valmistusasetuksissa. DocType: Assessment Group,Assessment Group Name,Arviointiryhmän nimi -DocType: Item,Manufacturer Part Number,Valmistajan osanumero +DocType: Purchase Invoice Item,Manufacturer Part Number,Valmistajan osanumero apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Palkkasumma maksetaan apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Rivi # {0}: {1} ei voi olla negatiivinen kohteen {2} osalta apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Tasapaino +DocType: Question,Multiple Correct Answer,Useita oikeat vastaukset DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Lojaalisuuspisteet = Kuinka paljon perusvaluuttaa? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Huomautus: Jätä tasapainoa jätetyypin {0} osalta ei ole riittävästi DocType: Clinical Procedure,Inpatient Record,Sairaanhoitotietue @@ -3408,6 +3434,7 @@ DocType: Fee Schedule Program,Total Students,Opiskelijat yhteensä apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,paikallinen DocType: Chapter Member,Leave Reason,Jätä syy DocType: Salary Component,Condition and Formula,Kunto ja kaava +DocType: Quality Goal,Objectives,tavoitteet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Aika, joka on jo käsitelty {0} ja {1} välisenä aikana, jätä hakemusjakso ei voi olla tämän ajanjakson välillä." DocType: BOM Item,Basic Rate (Company Currency),Perushinta (yrityksen valuutta) DocType: BOM Scrap Item,BOM Scrap Item,BOM-romu @@ -3458,6 +3485,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Kustannusvaatimuksen tili apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Journal Entry -palvelussa ei ole maksuja apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} on passiivinen opiskelija +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Tee kaluston merkintä DocType: Employee Onboarding,Activities,toiminta apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast yksi varasto on pakollinen ,Customer Credit Balance,Asiakkaan luottotase @@ -3542,7 +3570,6 @@ DocType: Contract,Contract Terms,Sopimuksen ehdot apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Kumpikin kohde-määrä tai tavoitemäärä on pakollinen. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Virheellinen {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Kokouspäivämäärä DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Lyhenteessä ei saa olla yli 5 merkkiä DocType: Employee Benefit Application,Max Benefits (Yearly),Maks. Edut (vuosittain) @@ -3645,7 +3672,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Pankkikulut apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Siirretyt tavarat apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Ensisijaiset yhteystiedot -DocType: Quality Review,Values,arvot DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Jos sitä ei ole valittu, luettelo on lisättävä kullekin osastolle, jossa sitä on sovellettava." DocType: Item Group,Show this slideshow at the top of the page,Näytä tämä diaesitys sivun yläreunassa apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} parametri on virheellinen @@ -3664,6 +3690,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Pankkikulutili DocType: Journal Entry,Get Outstanding Invoices,Hanki erinomaiset laskut DocType: Opportunity,Opportunity From,Opportunity From +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Kohdetiedot DocType: Item,Customer Code,Asiakaskoodi apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Anna kohta ensin apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Verkkosivujen luettelo @@ -3692,7 +3719,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Toimitus kohteeseen DocType: Bank Statement Transaction Settings Item,Bank Data,Pankkitiedot apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Suunniteltu Upto -DocType: Quality Goal,Everyday,Joka päivä DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Säilytä laskutusajat ja työtunnit samoin aikalehdessä apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Seuraa lähdekoodin johtoja. DocType: Clinical Procedure,Nursing User,Hoitotyön käyttäjä @@ -3717,7 +3743,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Hallitse aluepuuta. DocType: GL Entry,Voucher Type,Kupongin tyyppi ,Serial No Service Contract Expiry,Sarjanumeropalvelusopimuksen päättyminen DocType: Certification Application,Certified,varmennettu -DocType: Material Request Plan Item,Manufacture,Valmistus +DocType: Purchase Invoice Item,Manufacture,Valmistus apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} tuotettuja kohteita apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Maksupyyntö {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Päiviä viimeisestä tilauksesta @@ -3732,7 +3758,7 @@ DocType: Sales Invoice,Company Address Name,Yrityksen osoitteen nimi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Tavarat kuljetuksessa apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Voit vain lunastaa max {0} pistettä tässä järjestyksessä. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Määritä tili Varastossa {0} -DocType: Quality Action Table,Resolution,päätöslauselma +DocType: Quality Action,Resolution,päätöslauselma DocType: Sales Invoice,Loyalty Points Redemption,Lojaalisuuspisteet Lunastus apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Verotettava arvo yhteensä DocType: Patient Appointment,Scheduled,suunniteltu @@ -3853,6 +3879,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,nopeus apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},{0} tallentaminen DocType: SMS Center,Total Message(s),Viesti (t) yhteensä +DocType: Purchase Invoice,Accounting Dimensions,Kirjanpidon mitat apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Ryhmittele tili DocType: Quotation,In Words will be visible once you save the Quotation.,"Sanoissa näkyy, kun olet tallentanut tarjouksen." apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Tuotettava määrä @@ -4017,7 +4044,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,A apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Jos sinulla on kysyttävää, ota yhteyttä." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Ostotodistusta {0} ei toimiteta DocType: Task,Total Expense Claim (via Expense Claim),Kustannusvaatimus (kulukorvauksen kautta) -DocType: Quality Action,Quality Goal,Laatu tavoite +DocType: Quality Goal,Quality Goal,Laatu tavoite DocType: Support Settings,Support Portal,Tukiportaali apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Tehtävän {0} päättymispäivä ei voi olla pienempi kuin {1} odotettu alkamispäivä {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Työntekijä {0} on poistumassa {1} @@ -4076,7 +4103,6 @@ DocType: BOM,Operating Cost (Company Currency),Käyttökustannukset (yrityksen v DocType: Item Price,Item Price,Tuotteen hinta DocType: Payment Entry,Party Name,Puolueen nimi apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Valitse asiakas -DocType: Course,Course Intro,Kurssin intro DocType: Program Enrollment Tool,New Program,Uusi ohjelma apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Uusien kustannuskeskusten lukumäärä, se sisällytetään kustannuskeskuksen nimeksi etuliitteeksi" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Valitse asiakas tai toimittaja. @@ -4277,6 +4303,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettopalkka ei voi olla negatiivinen apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Ei vuorovaikutuksia 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} # Kohta {1} ei voi siirtää enemmän kuin {2} ostotilausta vastaan {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Siirtää apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Tilien ja sopimuspuolten käsittely DocType: Stock Settings,Convert Item Description to Clean HTML,Muunna kohteen kuvaus puhtaaksi HTML-koodiksi apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Kaikki toimittajaryhmät @@ -4355,6 +4382,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Vanhempi kohde apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,välityspalkkio apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Ole hyvä ja luo ostokuitin tai ostolaskun kohde {0} +,Product Bundle Balance,Tuotepaketin saldo apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Yrityksen nimi ei voi olla Yritys DocType: Maintenance Visit,Breakdown,Hajota DocType: Inpatient Record,B Negative,B Negatiivinen @@ -4363,7 +4391,7 @@ DocType: Purchase Invoice,Credit To,Luotto apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Lähetä tämä työjärjestys jatkokäsittelyä varten. DocType: Bank Guarantee,Bank Guarantee Number,Pankkitakauksen numero apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Toimitettu: {0} -DocType: Quality Action,Under Review,Tarkistuksessa +DocType: Quality Meeting Table,Under Review,Tarkistuksessa apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Maatalous (beta) ,Average Commission Rate,Keskimääräinen komission kurssi DocType: Sales Invoice,Customer's Purchase Order Date,Asiakkaan ostotilauspäivä @@ -4479,7 +4507,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Sovita maksut laskuilla DocType: Holiday List,Weekly Off,Viikoittain pois päältä apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Ei sallita vaihtoehtoisen kohteen asettamista {0} -kohtaan -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Ohjelmaa {0} ei ole olemassa. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Ohjelmaa {0} ei ole olemassa. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Et voi muokata juurisolmua. DocType: Fee Schedule,Student Category,Opiskelijaluokka apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Tuote {0}: {1} tuotettu määrä," @@ -4569,8 +4597,8 @@ DocType: Crop,Crop Spacing,Viljelyvälit DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Kuinka usein hanketta ja yritystä päivitetään myyntioperaatioiden perusteella. DocType: Pricing Rule,Period Settings,Ajan asetukset apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Myyntisaamisten nettomuutos +DocType: Quality Feedback Template,Quality Feedback Template,Laadun palautteen malli apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Määrä on oltava suurempi kuin nolla -DocType: Quality Goal,Goal Objectives,Tavoitteet apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Koron, osakkeiden lukumäärän ja lasketun määrän välillä on epäjohdonmukaisuuksia" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Jätä tyhjäksi, jos teet opiskelijoiden ryhmiä vuodessa" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Lainat (velat) @@ -4605,12 +4633,13 @@ DocType: Quality Procedure Table,Step,vaihe DocType: Normal Test Items,Result Value,Tuloksen arvo DocType: Cash Flow Mapping,Is Income Tax Liability,Onko tuloverovelvollisuus DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Sairaanhoitokäynnin maksu -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} ei ole olemassa. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} ei ole olemassa. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Päivitä vastaus DocType: Bank Guarantee,Supplier,toimittaja apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Anna arvo {0} ja {1} DocType: Purchase Order,Order Confirmation Date,Tilausvahvistuksen päivämäärä DocType: Delivery Trip,Calculate Estimated Arrival Times,Laske arvioidut saapumisajat +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ole hyvä ja asenna työntekijöiden nimeämisjärjestelmä henkilöstöresurssissa> HR-asetukset apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,kuluvia DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Tilauksen aloituspäivä @@ -4674,6 +4703,7 @@ DocType: Cheque Print Template,Is Account Payable,Onko tili maksettava apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Tilauksen kokonaisarvo apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Toimittaja {0} ei löydy {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Aseta SMS-yhdyskäytävän asetukset +DocType: Salary Component,Round to the Nearest Integer,Pyöritä lähimpään kokonaislukuun apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Juurella ei voi olla vanhemman kustannuskeskusta DocType: Healthcare Service Unit,Allow Appointments,Salli nimitykset DocType: BOM,Show Operations,Näytä toiminnot @@ -4800,7 +4830,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Oletusloma DocType: Naming Series,Current Value,Nykyinen arvo apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Talousarvioiden, tavoitteiden jne. Asettaminen kausittain" -DocType: Program,Program Code,Ohjelmakoodi apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Varoitus: Myyntitilaus {0} on jo olemassa asiakkaan ostotilauksesta {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Kuukausittainen myyntitavoite ( DocType: Guardian,Guardian Interests,Guardian-edut @@ -4850,10 +4879,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Maksettu ja toimitettu apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Tuotekoodi on pakollinen, koska kohdetta ei numeroida automaattisesti" DocType: GST HSN Code,HSN Code,HSN-koodi -DocType: Quality Goal,September,syyskuu +DocType: GSTR 3B Report,September,syyskuu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Hallinnolliset kulut DocType: C-Form,C-Form No,C-lomake nro DocType: Purchase Invoice,End date of current invoice's period,Tämän laskun ajanjakson päättymispäivä +DocType: Item,Manufacturers,valmistajat DocType: Crop Cycle,Crop Cycle,Rajaa jakso DocType: Serial No,Creation Time,Luomisaika apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Anna Hyväksyttävä rooli tai Hyväksyttävä käyttäjä @@ -4926,8 +4956,6 @@ DocType: Employee,Short biography for website and other publications.,Lyhyt elä DocType: Purchase Invoice Item,Received Qty,Vastaanotettu määrä DocType: Purchase Invoice Item,Rate (Company Currency),Hinta (yrityksen valuutta) DocType: Item Reorder,Request for,Pyyntö -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Poista työntekijä {0} poistamalla tämä asiakirja" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Esiasetusten asentaminen apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Anna palautusjaksot DocType: Pricing Rule,Advanced Settings,Lisäasetukset @@ -4953,7 +4981,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Ota ostoskori käyttöön DocType: Pricing Rule,Apply Rule On Other,Käytä sääntöä muilla DocType: Vehicle,Last Carbon Check,Viimeinen hiilen tarkistus -DocType: Vehicle,Make,Tehdä +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Tehdä apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Myyntilasku {0} luotiin maksettuna apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Maksupyynnön viittausasiakirjan luominen edellyttää apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Tulovero @@ -5029,7 +5057,6 @@ DocType: Territory,Parent Territory,Vanhempi alue DocType: Vehicle Log,Odometer Reading,Mittarilukema DocType: Additional Salary,Salary Slip,Palkan lippa DocType: Payroll Entry,Payroll Frequency,Palkkalaskutaajuus -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ole hyvä ja asenna työntekijöiden nimeämisjärjestelmä henkilöstöresurssissa> HR-asetukset apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Alkamis- ja päättymispäivät eivät ole voimassaolevassa palkka-ajanjaksossa, eivät voi laskea {0}" DocType: Products Settings,Home Page is Products,Kotisivu on Tuotteet apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,puhelut @@ -5083,7 +5110,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Tietojen hakeminen ...... DocType: Delivery Stop,Contact Information,Yhteystiedot DocType: Sales Order Item,For Production,Tuotantoon -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Asenna opettajan nimeämisjärjestelmä opetuksessa> Koulutusasetukset DocType: Serial No,Asset Details,Omaisuuden tiedot DocType: Restaurant Reservation,Reservation Time,Varausaika DocType: Selling Settings,Default Territory,Oletusalue @@ -5223,6 +5249,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,j apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Vanhentuneet erät DocType: Shipping Rule,Shipping Rule Type,Lähetyssäännön tyyppi DocType: Job Offer,Accepted,Hyväksytyt +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Poista työntekijä {0} poistamalla tämä asiakirja" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Olet jo arvioinut arviointiperusteita {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Valitse Eränumerot apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Ikä (päivät) @@ -5239,6 +5267,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bundle-kohteet myynnin aikana. DocType: Payment Reconciliation Payment,Allocated Amount,Määritetty määrä apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Valitse yritys ja nimitys +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,"Päivämäärä" on pakollinen DocType: Email Digest,Bank Credit Balance,Pankin luottotase apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Näytä kumulatiivinen summa apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Sinulla ei ole ollut lojaalisuuspisteitä lunastettavaksi @@ -5298,11 +5327,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Edellinen rivi yhteens DocType: Student,Student Email Address,Opiskelijan sähköpostiosoite DocType: Academic Term,Education,koulutus DocType: Supplier Quotation,Supplier Address,Toimittajan osoite -DocType: Salary Component,Do not include in total,Älä sisällä yhteensä +DocType: Salary Detail,Do not include in total,Älä sisällä yhteensä apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Yritykselle ei voi asettaa useita oletusarvoja. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ei ole olemassa DocType: Purchase Receipt Item,Rejected Quantity,Hylätty määrä DocType: Cashier Closing,To TIme,TIme +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM: n muuntokerrointa ({0} -> {1}) ei löytynyt kohdasta {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Päivittäinen työn yhteenveto Ryhmän käyttäjä DocType: Fiscal Year Company,Fiscal Year Company,Tilivuoden yhtiö apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Vaihtoehtoinen kohde ei saa olla sama kuin alkukoodi @@ -5412,7 +5442,6 @@ DocType: Fee Schedule,Send Payment Request Email,Lähetä maksupyyntö sähköpo DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Sanoissa näkyy, kun olet tallentanut myynti laskun." DocType: Sales Invoice,Sales Team1,Myyntitiimi1 DocType: Work Order,Required Items,Vaaditut kohteet -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Erityismerkit paitsi "-", "#", "." ja "/" ei sallita nimeämis sarjassa" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Lue ERPNext-käsikirja DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Tarkista toimittajan laskun numero ainutlaatuisuudesta apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Hae osajärjestelmiä @@ -5480,7 +5509,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Vähennysprosentti 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: Share Balance,To No,Ei DocType: Leave Control Panel,Allocate Leaves,Jaa lehdet -DocType: Quiz,Last Attempt,Viimeinen yritys DocType: Assessment Result,Student Name,Opiskelijan nimi apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Suunnittele huoltokäyntejä. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Seuraavat aineelliset pyynnöt on nostettu automaattisesti kohteen uudelleenjärjestyksen perusteella @@ -5549,6 +5577,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Indikaattorin väri DocType: Item Variant Settings,Copy Fields to Variant,Kopioi kentät muunnokseen DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Yksittäinen oikea vastaus apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Päivämäärä ei voi olla pienempi kuin työntekijän liittymispäivä DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Salli useita myyntitilauksia asiakkaan ostotilausta vastaan apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5611,7 +5640,7 @@ DocType: Account,Expenses Included In Valuation,Kustannukset sisältyvät arvost apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Sarjanumerot DocType: Salary Slip,Deductions,vähennykset ,Supplier-Wise Sales Analytics,Toimittaja-viisas myynnin analytiikka -DocType: Quality Goal,February,helmikuu +DocType: GSTR 3B Report,February,helmikuu DocType: Appraisal,For Employee,Työntekijälle apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Todellinen toimituspäivä DocType: Sales Partner,Sales Partner Name,Myyntikumppanin nimi @@ -5707,7 +5736,6 @@ DocType: Procedure Prescription,Procedure Created,Menettely luotu apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Toimittajan laskua vastaan {0} päivätty {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Muuta POS-profiilia apps/erpnext/erpnext/utilities/activation.py,Create Lead,Luo lyijy -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Toimittaja> Toimittajan tyyppi DocType: Shopify Settings,Default Customer,Oletusasiakas DocType: Payment Entry Reference,Supplier Invoice No,Toimittajalasku nro DocType: Pricing Rule,Mixed Conditions,Sekalaiset olosuhteet @@ -5758,12 +5786,14 @@ DocType: Item,End of Life,Elämän loppu DocType: Lab Test Template,Sensitivity,Herkkyys DocType: Territory,Territory Targets,Alueelliset tavoitteet apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Ohituslähetysten ohittaminen seuraaville työntekijöille, koska Leave Allocation -kirjaa on jo olemassa. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Laadunvarmistus DocType: Sales Invoice Item,Delivered By Supplier,Toimittaja DocType: Agriculture Analysis Criteria,Plant Analysis,Kasvien analyysi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Kulutili on pakollinen kohde {0} ,Subcontracted Raw Materials To Be Transferred,Siirrettävät alihankintana olevat raaka-aineet DocType: Cashier Closing,Cashier Closing,Kassan sulkeminen apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Kohde {0} on jo palautettu +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Virheellinen GSTIN! Syötetty syötteesi ei vastaa GIN-muotoa UIN-haltijoille tai ei-Resident OIDAR -palveluntarjoajille apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Varastolle on olemassa lastivarasto. Et voi poistaa tätä varastoa. DocType: Diagnosis,Diagnosis,Diagnoosi apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0} ja {1} välillä ei ole poistumisaikaa @@ -5780,6 +5810,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Valtuutusasetukset DocType: Homepage,Products,Tuotteet ,Profit and Loss Statement,Tuloslaskelma apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Huoneet varattu +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Kopioi merkintä kohteen koodiin {0} ja valmistajaan {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Kokonaispaino apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Matkustaa @@ -5828,6 +5859,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Oletusasiakasryhmä DocType: Journal Entry Account,Debit in Company Currency,Veloitus yrityksen valuutassa DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Takasarja on "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Laadun kokousohjelma DocType: Cash Flow Mapper,Section Header,Osaotsikko apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Tuotteet tai palvelut DocType: Crop,Perennial,Monivuotinen @@ -5873,7 +5905,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Tuote tai palvelu, jota ostetaan, myydään tai varastoidaan." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Sulkeminen (avaaminen + yhteensä) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriteerien kaava -,Support Analytics,Tuki Analyticsille +apps/erpnext/erpnext/config/support.py,Support Analytics,Tuki Analyticsille apps/erpnext/erpnext/config/quality_management.py,Review and Action,Tarkastelu ja toiminta DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Jos tili on jäädytetty, käyttäjät voivat rajoittaa merkintöjä." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Määrä poistojen jälkeen @@ -5918,7 +5950,6 @@ DocType: Contract Template,Contract Terms and Conditions,Sopimuksen ehdot apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Hae tietoja DocType: Stock Settings,Default Item Group,Oletusarvoryhmä DocType: Sales Invoice Timesheet,Billing Hours,Laskutustunnit -DocType: Item,Item Code for Suppliers,Toimittajien koodi 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} jo opiskelijaa vastaan {1} DocType: Pricing Rule,Margin Type,Marginaalityyppi DocType: Purchase Invoice Item,Rejected Serial No,Hylätty Serial No @@ -5991,6 +6022,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Lehdet on myönnetty menestyksekkäästi DocType: Loyalty Point Entry,Expiry Date,Päättymispäivä DocType: Project Task,Working,Työskentely +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0}: lla on jo vanhemman menettely {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Tämä perustuu tähän potilaaseen kohdistuviin liiketoimiin. Katso lisätietoja alla olevasta aikataulusta DocType: Material Request,Requested For,Pyydetty DocType: SMS Center,All Sales Person,Kaikki myyntihenkilö @@ -6078,6 +6110,7 @@ DocType: Loan Type,Maximum Loan Amount,Lainan enimmäismäärä apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Sähköpostia ei löydy oletusyhteystiedoista DocType: Hotel Room Reservation,Booked,Varattu DocType: Maintenance Visit,Partially Completed,Osittain suoritettu +DocType: Quality Procedure Process,Process Description,Prosessin kuvaus DocType: Company,Default Employee Advance Account,Työntekijän ennakkotili DocType: Leave Type,Allow Negative Balance,Salli negatiivinen saldo apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Arviointisuunnitelman nimi @@ -6118,6 +6151,7 @@ DocType: Vehicle Service,Change,Muuttaa DocType: Request for Quotation Item,Request for Quotation Item,Tarjouspyynnön kohde apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} syötettiin kahdesti tuoteverona DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Vähennä täysi vero valitulle palkkapäivälle +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Viimeinen hiilen tarkistuspäivä ei voi olla tuleva päivä apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Valitse muutosmäärätili DocType: Support Settings,Forum Posts,Foorumin viestit DocType: Timesheet Detail,Expected Hrs,Odotettu aika @@ -6127,7 +6161,7 @@ DocType: Program Enrollment Tool,Enroll Students,Ilmoita opiskelijat apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Toista asiakkaan tulot DocType: Company,Date of Commencement,Aloituspäivä DocType: Bank,Bank Name,Pankin nimi -DocType: Quality Goal,December,joulukuu +DocType: GSTR 3B Report,December,joulukuu apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Päivämäärän voimassaolon on oltava vähemmän kuin voimassa oleva ajankohta apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Tämä perustuu tämän työntekijän osallistumiseen DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jos tämä on valittuna, kotisivu on verkkosivuston oletusarvoinen kohde-ryhmä" @@ -6170,6 +6204,7 @@ DocType: Payment Entry,Payment Type,Maksutapa apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Folio-numerot eivät ole yhteensopivia DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Laadunvalvonta: {0} ei lähetetä kohdalle: {1} rivillä {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Näytä {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} kohde löytyi. ,Stock Ageing,Varastojen ikääntyminen DocType: Customer Group,Mention if non-standard receivable account applicable,"Mainitse, jos sovellettava ei-vakio-tili on voimassa" @@ -6446,6 +6481,7 @@ DocType: Travel Request,Costing,maksaa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Kiinteä omaisuus DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Voitto yhteensä +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Asiakas> Asiakasryhmä> Alue DocType: Share Balance,From No,Vuodesta No DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Maksun täsmäytyslasku DocType: Purchase Invoice,Taxes and Charges Added,Lisätyt verot ja maksut @@ -6453,7 +6489,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Harkitse veroa ta DocType: Authorization Rule,Authorized Value,Valtuutettu arvo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Vastaanotettu apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Varastoa {0} ei ole olemassa +DocType: Item Manufacturer,Item Manufacturer,Tuotteen valmistaja DocType: Sales Invoice,Sales Team,Myyntitiimi +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Paketin määrä DocType: Purchase Order Item Supplied,Stock UOM,Osakemäärä DocType: Installation Note,Installation Date,Asennuspäivä DocType: Email Digest,New Quotations,Uudet tarjoukset @@ -6517,7 +6555,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Loma-luettelon nimi DocType: Water Analysis,Collection Temperature ,Kokoelman lämpötila DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Hallinnoi nimityslaskua ja peruuta automaattisesti potilaan kohtaaminen -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Aseta Naming Series {0} -asetukseksi Setup> Settings> Naming Series DocType: Employee Benefit Claim,Claim Date,Vaatimuspäivä DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"Jätä tyhjäksi, jos toimittaja on estetty loputtomiin" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Osallistuminen päivämäärästä ja osallistumispäivästä on pakollinen @@ -6528,6 +6565,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Eläkkeelle siirtymispäivä apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Valitse Potilas DocType: Asset,Straight Line,Suora viiva +DocType: Quality Action,Resolutions,päätöslauselmat DocType: SMS Log,No of Sent SMS,Lähetettyjen tekstiviestien numero ,GST Itemised Sales Register,GST-eritelty myyntirekisteri apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Kokonaisrahamäärä ei voi olla suurempi kuin seuraamusten kokonaismäärä @@ -6638,7 +6676,7 @@ DocType: Account,Profit and Loss,Voitto ja tappio apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff. Määrä DocType: Asset Finance Book,Written Down Value,Kirjallinen alasarvo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Balance Equity avaus -DocType: Quality Goal,April,huhtikuu +DocType: GSTR 3B Report,April,huhtikuu DocType: Supplier,Credit Limit,Luottoraja apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Jakelu apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6693,6 +6731,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Yhdistä Shopify ERPNextin avulla DocType: Homepage Section Card,Subtitle,alaotsikko DocType: Soil Texture,Loam,savimaata +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Toimittaja> Toimittajan tyyppi DocType: BOM,Scrap Material Cost(Company Currency),Romun materiaalikustannukset (yrityksen valuutta) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Toimitusilmoitusta {0} ei saa lähettää DocType: Task,Actual Start Date (via Time Sheet),Todellinen aloituspäivä @@ -6748,7 +6787,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,annostus DocType: Cheque Print Template,Starting position from top edge,Lähtöasento yläreunasta apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Nimitysten kesto (min) -DocType: Pricing Rule,Disable,Poista käytöstä +DocType: Accounting Dimension,Disable,Poista käytöstä DocType: Email Digest,Purchase Orders to Receive,Hanki tilauksia vastaanottaaksesi apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Productions-tilauksia ei voi nostaa: DocType: Projects Settings,Ignore Employee Time Overlap,Ohita Työntekijöiden aika päällekkäisyys @@ -6832,6 +6871,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Luo ve DocType: Item Attribute,Numeric Values,Numeeriset arvot DocType: Delivery Note,Instructions,Ohjeet DocType: Blanket Order Item,Blanket Order Item,Peitotilauksen kohde +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Pakollinen tuloslaskelmaan apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Komission määrä ei voi olla yli 100 DocType: Course Topic,Course Topic,Kurssin aihe DocType: Employee,This will restrict user access to other employee records,Tämä rajoittaa käyttäjien pääsyä muihin työntekijöiden tietueisiin @@ -6856,12 +6896,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Tilaushallinta apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Hanki asiakkaita apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Raportoi +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Party-tili DocType: Assessment Plan,Schedule,Ajoittaa apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Ole hyvä ja astu sisään DocType: Lead,Channel Partner,Kanavapartneri apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Laskutettu määrä DocType: Project,From Template,Mallista +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Tilaukset apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Määrä tehdä DocType: Quality Review Table,Achieved,saavutettu @@ -6908,7 +6950,6 @@ DocType: Journal Entry,Subscription Section,Tilausosa DocType: Salary Slip,Payment Days,Maksupäivät apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Vapaaehtoistyön tiedot. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"Varastojen varojen vanheneminen" pitäisi olla pienempi kuin% d päivää. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Valitse tilikausi DocType: Bank Reconciliation,Total Amount,Kokonaismäärä DocType: Certification Application,Non Profit,Voittoa tavoittelematon DocType: Subscription Settings,Cancel Invoice After Grace Period,Peruuta laskun jälkeinen aika @@ -6921,7 +6962,6 @@ DocType: Serial No,Warranty Period (Days),Takuuaika (päivät) DocType: Expense Claim Detail,Expense Claim Detail,Kustannusvaatimuksen yksityiskohdat apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Ohjelmoida: DocType: Patient Medical Record,Patient Medical Record,Potilaan lääketieteellinen ennätys -DocType: Quality Action,Action Description,Toiminnan kuvaus DocType: Item,Variant Based On,Vaihtoehto perustuu päälle DocType: Vehicle Service,Brake Oil,Jarruöljy DocType: Employee,Create User,Luo käyttäjä @@ -6977,7 +7017,7 @@ DocType: Cash Flow Mapper,Section Name,Kohteen nimi DocType: Packed Item,Packed Item,Pakattu tuote apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: {2} vaaditaan joko veloitus- tai luottomäärä apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Palkkakirjojen lähettäminen ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Ei toimintaa +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Ei toimintaa apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Talousarviota ei voi määrittää {0} vastaan, koska se ei ole tulo- tai kulutustili" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Mestarit ja tilit DocType: Quality Procedure Table,Responsible Individual,Vastuullinen henkilö @@ -7100,7 +7140,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Salli tilin luominen lapsiyhtiötä vastaan DocType: Payment Entry,Company Bank Account,Yrityksen pankkitili DocType: Amazon MWS Settings,UK,UK -DocType: Quality Procedure,Procedure Steps,Menettelyn vaiheet DocType: Normal Test Items,Normal Test Items,Normaali testi apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Kohde {0}: Tilattu määrä {1} ei voi olla pienempi kuin minimitilausmäärä {2} (määritelty kohdassa). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Ei varastossa @@ -7179,7 +7218,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Huolto-rooli apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Käyttöehdot ja mallit DocType: Fee Schedule Program,Fee Schedule Program,Maksuaikatauluohjelma -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kurssia {0} ei ole olemassa. DocType: Project Task,Make Timesheet,Tee aikalehti DocType: Production Plan Item,Production Plan Item,Tuotantosuunnitelma apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Opiskelija yhteensä @@ -7201,6 +7239,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Käärimistä apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Voit uusia vain, jos jäsenyytesi päättyy 30 päivän kuluessa" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Arvon on oltava välillä {0} ja {1} +DocType: Quality Feedback,Parameters,parametrit ,Sales Partner Transaction Summary,Myyntikumppanin transaktioiden yhteenveto DocType: Asset Maintenance,Maintenance Manager Name,Huoltokeskuksen nimi apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Tuotteen tiedot on haettava. @@ -7239,6 +7278,7 @@ DocType: Student Admission,Student Admission,Opiskelijapääsy DocType: Designation Skill,Skill,Taito DocType: Budget Account,Budget Account,Budjettitili DocType: Employee Transfer,Create New Employee Id,Luo uusi työntekijän tunnus +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} vaaditaan 'Tulos ja tappio' -tili {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Tavaroiden ja palvelujen vero (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Palkkakirjojen luominen ... DocType: Employee Skill,Employee Skill,Työntekijäosaaminen @@ -7339,6 +7379,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Lasku eriksee DocType: Subscription,Days Until Due,Päiviä erääntymiseen asti apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Näytä valmis apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Pankkitilinpäätöksen tapahtumaraportti +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Rivi # {0}: Hinta on sama kuin {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Terveydenhuollon palvelut @@ -7395,6 +7436,7 @@ DocType: Training Event Employee,Invited,Kutsuttu apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Komponentin {0} enimmäismäärä ylittää {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Summa Billille apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","{0}, vain debit-tilit voidaan yhdistää toiseen luottotietoon" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Mittojen luominen ... DocType: Bank Statement Transaction Entry,Payable Account,Maksettava tili apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,"Ilmoittakaa, ettei vierailuja tarvita" DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Valitse vain, jos sinulla on setup Cash Flow Mapper -asiakirjat" @@ -7412,6 +7454,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,V DocType: Service Level,Resolution Time,Tarkkuusaika DocType: Grading Scale Interval,Grade Description,Luokan kuvaus DocType: Homepage Section,Cards,Kortit +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Laadun kokouspöytäkirjat DocType: Linked Plant Analysis,Linked Plant Analysis,Linkitetty laitosanalyysi apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Palvelun lopetuspäivä ei voi olla Palvelun päättymispäivän jälkeen apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Aseta B2C-raja GST-asetuksissa. @@ -7445,7 +7488,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Työntekijöiden osal DocType: Employee,Educational Qualification,Koulutuksellinen pätevyys apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Käytettävissä oleva arvo apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Näytemäärä {0} ei voi olla suurempi kuin vastaanotettu määrä {1} -DocType: Quiz,Last Highest Score,Viimeisin korkein pistemäärä DocType: POS Profile,Taxes and Charges,Verot ja maksut DocType: Opportunity,Contact Mobile No,Ota yhteyttä Mobile No DocType: Employee,Joining Details,Tietojen yhdistäminen diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index 61ae988e23..85c39ad4e3 100644 --- a/erpnext/translations/fr.csv +++ b/erpnext/translations/fr.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Numéro de pièce fournisse DocType: Journal Entry Account,Party Balance,Solde de fête apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Source de financement (passif) DocType: Payroll Period,Taxable Salary Slabs,Dalles de salaire imposables +DocType: Quality Action,Quality Feedback,Commentaires sur la qualité DocType: Support Settings,Support Settings,Paramètres de support apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Veuillez entrer le premier article de production DocType: Quiz,Grading Basis,Base de classement @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Plus de détail DocType: Salary Component,Earning,Revenus DocType: Restaurant Order Entry,Click Enter To Add,Cliquez sur Entrer pour ajouter DocType: Employee Group,Employee Group,Groupe d'employés +DocType: Quality Procedure,Processes,Les processus DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Spécifier le taux de change pour convertir une devise dans une autre apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Gamme de vieillissement 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Magasin requis pour l'article en stock {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Plainte DocType: Shipping Rule,Restrict to Countries,Restreindre aux pays DocType: Hub Tracked Item,Item Manager,Gestionnaire d'objets apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},La devise du compte de clôture doit être {0}. +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Les budgets apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Poste de facture d'ouverture DocType: Work Order,Plan material for sub-assemblies,Planifier les matériaux pour les sous-ensembles apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Matériel DocType: Budget,Action if Annual Budget Exceeded on MR,Action en cas de dépassement du budget annuel sur le MR DocType: Sales Invoice Advance,Advance Amount,Avance Montant +DocType: Accounting Dimension,Dimension Name,Nom de la dimension DocType: Delivery Note Item,Against Sales Invoice Item,Contre la facture de vente DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.AAAA.- DocType: BOM Explosion Item,Include Item In Manufacturing,Inclure l'article dans la fabrication @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Qu'est ce qu ,Sales Invoice Trends,Tendances des factures de vente DocType: Bank Reconciliation,Payment Entries,Entrées de paiement DocType: Employee Education,Class / Percentage,Classe / pourcentage -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Code d'article> Groupe d'articles> Marque ,Electronic Invoice Register,Registre de facture électronique DocType: Sales Invoice,Is Return (Credit Note),Est le retour (note de crédit) DocType: Lab Test Sample,Lab Test Sample,Échantillon de test de laboratoire @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Des variantes apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Les frais seront répartis proportionnellement en fonction de la quantité ou du nombre d'articles, selon votre sélection." apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Activités en suspens pour aujourd'hui +DocType: Quality Procedure Process,Quality Procedure Process,Processus de procédure de qualité DocType: Fee Schedule Program,Student Batch,Lot étudiant apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Taux de valorisation requis pour le poste de la ligne {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Taux horaire de base (devise de la société) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Définir la quantité dans les transactions en fonction du numéro de série 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 identique à la devise de la société {0}. apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Personnaliser les sections de la page d'accueil -DocType: Quality Goal,October,octobre +DocType: GSTR 3B Report,October,octobre DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Masquer l'ID de taxe du client dans les transactions de vente apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN invalide! Un GSTIN doit comporter 15 caractères. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,La règle de tarification {0} est mise à jour @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Congé de solde apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Le planning de maintenance {0} existe contre {1} DocType: Assessment Plan,Supervisor Name,Nom du superviseur DocType: Selling Settings,Campaign Naming By,Nom de la campagne par -DocType: Course,Course Code,Code de cours +DocType: Student Group Creation Tool Course,Course Code,Code de cours apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aérospatial DocType: Landed Cost Voucher,Distribute Charges Based On,Répartir les frais en fonction de DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Critères de notation du scorecard des fournisseurs @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Le menu du restaurant DocType: Asset Movement,Purpose,Objectif apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,La structure de la structure salariale pour l'employé existe déjà DocType: Clinical Procedure,Service Unit,Unité de service -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Groupe de clients> Territoire DocType: Travel Request,Identification Document Number,numéro du document d'identification DocType: Stock Entry,Additional Costs,Coûts additionnels -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Cours pour les parents (laissez ce champ vide, s'il ne fait pas partie du cours pour les parents)" DocType: Employee Education,Employee Education,Éducation des employés apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Le nombre de postes ne peut pas être inférieur au nombre actuel d'employés apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Tous les groupes de clients @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Ligne {0}: la quantité est obligatoire DocType: Sales Invoice,Against Income Account,Compte contre le revenu apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ligne n ° {0}: la facture d'achat ne peut pas être créée avec un actif existant {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/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Facteur de couverture UOM requis pour UOM: {0} dans élément: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Entrez la quantité pour l'article {0}. DocType: Workstation,Electricity Cost,Coût de l'électricité @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Quantité totale projetée apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Date de début réelle 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 toute la journée entre les jours de demande de congé compensateur -DocType: Company,About the Company,À propos de l'entreprise apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Arbre des comptes financiers. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Revenu indirect DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Article de réservation de chambre d'hôtel @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Base de donn DocType: Skill,Skill Name,Nom de la compétence apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Imprimer le bulletin DocType: Soil Texture,Ternary Plot,Terrain ternaire +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Billets de soutien DocType: Asset Category Account,Fixed Asset Account,Compte d'immobilisation apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Dernier @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Cours d'inscrip ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Veuillez définir la série à utiliser. DocType: Delivery Trip,Distance UOM,Distance UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligatoire pour le bilan DocType: Payment Entry,Total Allocated Amount,Montant total alloué DocType: Sales Invoice,Get Advances Received,Recevoir les avances reçues DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Poste de maintenanc apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,Profil de point de vente requis pour entrer dans le point de vente DocType: Education Settings,Enable LMS,Activer LMS DocType: POS Closing Voucher,Sales Invoices Summary,Récapitulatif des factures de vente +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Avantage apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Le compte au crédit doit être un compte de bilan DocType: Video,Duration,Durée DocType: Lab Test Template,Descriptive,Descriptif @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Dates de début et de fin DocType: Supplier Scorecard,Notify Employee,Aviser l'employé apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Logiciel +DocType: Program,Allow Self Enroll,Autoriser l'auto-inscription apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Stock Dépenses apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Le numéro de référence est obligatoire si vous avez entré la date de référence. DocType: Training Event,Workshop,Atelier @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Modèle de test de laboratoire apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informations manquantes sur la facturation électronique apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Aucune demande matérielle créée +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Code d'article> Groupe d'articles> Marque DocType: Loan,Total Amount Paid,Montant total payé 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 DocType: Training Event,Trainer Name,Nom du formateur @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Année académique DocType: Sales Stage,Stage Name,Nom de scène DocType: SMS Center,All Employee (Active),Tous les employés (actifs) +DocType: Accounting Dimension,Accounting Dimension,Dimension comptable DocType: Project,Customer Details,Détails du client DocType: Buying Settings,Default Supplier Group,Groupe de fournisseurs par défaut apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,S'il vous plaît annuler le reçu d'achat {0} premier @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Plus le nombre e DocType: Designation,Required Skills,Compétences Requises DocType: Marketplace Settings,Disable Marketplace,Désactiver le marché DocType: Budget,Action if Annual Budget Exceeded on Actual,Action en cas de dépassement du budget annuel réel -DocType: Course,Course Abbreviation,Abréviation du cours apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Présence non soumise pour {0} comme {1} en congé. DocType: Pricing Rule,Promotional Scheme Id,Id de schéma promotionnel apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},La date de fin de la tâche {0} ne peut pas être supérieure à {1} date de fin attendue {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Argent de marge DocType: Chapter,Chapter,Chapitre DocType: Purchase Receipt Item Supplied,Current Stock,Stock actuel DocType: Employee,History In Company,Histoire en entreprise -DocType: Item,Manufacturer,Fabricant +DocType: Purchase Invoice Item,Manufacturer,Fabricant apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Sensibilité modérée DocType: Compensatory Leave Request,Leave Allocation,Allocation de congé DocType: Timesheet,Timesheet,Emploi du temps @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Matière transférée DocType: Products Settings,Hide Variants,Masquer les variantes DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Désactiver la planification de la capacité et le suivi du temps DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Sera calculé dans la transaction. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} est requis pour le compte "Bilan" {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} non autorisé à effectuer des transactions avec {1}. S'il vous plaît changer la société. 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}","Selon les paramètres d'achat si le reçu d'achat est requis == "OUI", pour créer une facture d'achat, l'utilisateur doit d'abord créer un reçu d'achat pour l'élément {0}." DocType: Delivery Trip,Delivery Details,détails de livraison @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Prev apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Unité de mesure DocType: Lab Test,Test Template,Modèle de test DocType: Fertilizer,Fertilizer Contents,Contenu de l'engrais -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minute +DocType: Quality Meeting Minutes,Minute,Minute apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ligne n ° {0}: le bien {1} ne peut pas être soumis, il est déjà {2}" DocType: Task,Actual Time (in Hours),Temps réel (en heures) DocType: Period Closing Voucher,Closing Account Head,Chef de compte en fermeture @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratoire DocType: Purchase Order,To Bill,Facturer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Dépenses de services publics DocType: Manufacturing Settings,Time Between Operations (in mins),Temps entre les opérations (en minutes) -DocType: Quality Goal,May,Peut +DocType: GSTR 3B Report,May,Peut apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Compte de passerelle de paiement non créé, veuillez en créer un manuellement." DocType: Opening Invoice Creation Tool,Purchase,achat DocType: Program Enrollment,School House,Maison d'école @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Informations statutaires et autres informations générales sur votre fournisseur DocType: Item Default,Default Selling Cost Center,Centre de coûts de vente par défaut DocType: Sales Partner,Address & Contacts,Adresse et contacts +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: Subscriber,Subscriber,Abonné apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) est en rupture de stock apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Veuillez sélectionner la date d'affichage en premier @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Frais de visite hospital DocType: Bank Statement Settings,Transaction Data Mapping,Cartographie des données de transaction apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Un responsable requiert le nom d'une personne ou le nom d'une organisation DocType: Student,Guardians,Gardiens +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/public/js/stock_analytics.js,Select Brand...,Sélectionnez une marque ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Revenu moyen DocType: Shipping Rule,Calculate Based On,Calculer sur @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Avance de remboursement de DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Ajustement d'arrondi (devise de la société) DocType: Item,Publish in Hub,Publier dans le hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,août +DocType: GSTR 3B Report,August,août apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,S'il vous plaît entrer le reçu d'achat en premier apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Année de début apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Cible ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,Quantité maximale d'échantillons apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Les entrepôts source et cible doivent être différents DocType: Employee Benefit Application,Benefits Applied,Avantages appliqués apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Contre l'entrée de journal {0} n'a pas d'entrée {1} sans correspondance +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Caractères spéciaux sauf "-", "#", ".", "/", "{" Et "}" non autorisés dans les séries de nommage" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Des dalles de prix ou de remise de produit sont requises apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Fixer une cible apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},La fiche de présence {0} existe contre l'élève {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Par mois DocType: Routing,Routing Name,Nom de routage DocType: Disease,Common Name,Nom commun -DocType: Quality Goal,Measurable,Mesurable DocType: Education Settings,LMS Title,Titre LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Gestion des prêts -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Soutien Analtyics DocType: Clinical Procedure,Consumable Total Amount,Montant total consommable apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Activer le modèle apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,LPO client @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,Servi DocType: Loan,Member,Membre DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Calendrier de l'unité de service des praticiens apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Virement bancaire +DocType: Quality Review Objective,Quality Review Objective,Objectif de revue de qualité DocType: Bank Reconciliation Detail,Against Account,Contre compte DocType: Projects Settings,Projects Settings,Paramètres de projets apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Qté réelle {0} / Qté en attente {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ca apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,La date de fin d'exercice doit être un an après la date de début d'exercice apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Rappels quotidiens DocType: Item,Default Sales Unit of Measure,Unité de quantité de vente par défaut +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Société GSTIN DocType: Asset Finance Book,Rate of Depreciation,Taux d'amortissement DocType: Support Search Source,Post Description Key,Clé de description de poste DocType: Loyalty Program Collection,Minimum Total Spent,Total minimum dépensé @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Le changement de groupe de clients pour le client sélectionné n'est pas autorisé. DocType: Serial No,Creation Document Type,Type de document de création DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Quantité disponible dans l'entrepôt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Total général de la facture apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Ceci est un territoire racine et ne peut pas être édité. DocType: Patient,Surgical History,Histoire chirurgicale apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Arbre de la qualité des procédures. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,A DocType: Item Group,Check this if you want to show in website,Cochez cette option si vous souhaitez afficher sur le site Web apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Année fiscale {0} non trouvée DocType: Bank Statement Settings,Bank Statement Settings,Relevés de compte bancaire +DocType: Quality Procedure Process,Link existing Quality Procedure.,Lier la procédure qualité existante. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Importer un graphique des comptes à partir de fichiers CSV / Excel DocType: Appraisal Goal,Score (0-5),Score (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Attribut {0} sélectionné plusieurs fois dans la table des attributs DocType: Purchase Invoice,Debit Note Issued,Note de débit émise @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Détails de la politique de congé apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Entrepôt introuvable dans le système DocType: Healthcare Practitioner,OP Consulting Charge,Frais de consultation OP -DocType: Quality Goal,Measurable Goal,Objectif mesurable DocType: Bank Statement Transaction Payment Item,Invoices,Factures DocType: Currency Exchange,Currency Exchange,Échange de devises DocType: Payroll Entry,Fortnightly,Bimensuel @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} n'est pas soumis. DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Backflush des matières premières de l'entrepôt en cours DocType: Maintenance Team Member,Maintenance Team Member,Membre de l'équipe de maintenance +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Configuration de dimensions personnalisées pour la comptabilité 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 DocType: Employee Health Insurance,Health Insurance Name,Nom de l'assurance maladie apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Stock Actifs @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,Nom de l'adresse de facturation apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Article alternatif DocType: Certification Application,Name of Applicant,Nom du demandeur DocType: Leave Type,Earned Leave,Congé gagné -DocType: Quality Goal,June,juin +DocType: GSTR 3B Report,June,juin apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Ligne {0}: un centre de coûts est requis pour un article {1}. apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Peut être approuvé par {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,L'unité de mesure {0} a été entrée plusieurs fois dans le tableau des facteurs de conversion. @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,Taux de vente standard apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Définissez un menu actif pour le restaurant {0}. 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 avec les rôles System Manager et Item Manager pour ajouter des utilisateurs à Marketplace. DocType: Asset Finance Book,Asset Finance Book,Livre de financement d'actifs +DocType: Quality Goal Objective,Quality Goal Objective,Objectif de qualité Objectif DocType: Employee Transfer,Employee Transfer,Transfert d'employé ,Sales Funnel,Entonnoir de vente DocType: Agriculture Analysis Criteria,Water Analysis,Analyse de l'eau @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Transfert de prop apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Activités en attente apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Citez quelques uns de vos clients. Ils pourraient être des organisations ou des individus. DocType: Bank Guarantee,Bank Account Info,Informations sur le compte bancaire +DocType: Quality Goal,Weekday,Jour de la semaine apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Nom du gardien1 DocType: Salary Component,Variable Based On Taxable Salary,Variable basée sur le salaire imposable DocType: Accounting Period,Accounting Period,Période comptable @@ -2229,7 +2245,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Ajustement d'arrondi DocType: Quality Review Table,Quality Review Table,Tableau d'examen de la qualité DocType: Member,Membership Expiry Date,Date d'expiration de l'adhésion DocType: Asset Finance Book,Expected Value After Useful Life,Valeur attendue après la vie utile -DocType: Quality Goal,November,novembre +DocType: GSTR 3B Report,November,novembre DocType: Loan Application,Rate of Interest,Taux d'intérêt DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,"Relevé de banque, élément de paiement de transaction" DocType: Restaurant Reservation,Waitlisted,En liste d'attente @@ -2293,6 +2309,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Ligne {0}: pour définir la {1} périodicité, la différence entre de début et de date doit être supérieure ou égale à {2}." DocType: Purchase Invoice Item,Valuation Rate,Taux d'évaluation DocType: Shopping Cart Settings,Default settings for Shopping Cart,Paramètres par défaut pour le panier +DocType: Quiz,Score out of 100,Score sur 100 DocType: Manufacturing Settings,Capacity Planning,Planification de la capacité apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Aller aux instructeurs DocType: Activity Cost,Projects,Projets @@ -2302,6 +2319,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,De temps apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Rapport de détails de variante +,BOM Explorer,Explorateur de nomenclature DocType: Currency Exchange,For Buying,Pour acheter apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Les emplacements pour {0} ne sont pas ajoutés à la planification. DocType: Target Detail,Target Distribution,Distribution cible @@ -2319,6 +2337,7 @@ DocType: Activity Cost,Activity Cost,Coût de l'activité DocType: Journal Entry,Payment Order,Ordre de paiement apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Prix ,Item Delivery Date,Date de livraison de l'article +DocType: Quality Goal,January-April-July-October,Janvier-avril-juillet-octobre DocType: Purchase Order Item,Warehouse and Reference,Entrepôt et référence apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Le compte avec des noeuds enfants ne peut pas être converti en grand livre DocType: Soil Texture,Clay Composition (%),Composition d'argile (%) @@ -2369,6 +2388,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Dates futures non auto apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance 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/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Terme académique: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Paramètre de retour qualité apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Veuillez sélectionner Appliquer le rabais sur apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Rangée # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Total des paiements @@ -2411,7 +2431,7 @@ DocType: Hub Tracked Item,Hub Node,Nœud Hub apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Numéro d'employé DocType: Salary Structure Assignment,Salary Structure Assignment,Affectation de la structure salariale DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Taxes sur les bons d'achat -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Action initialisée +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Action initialisée DocType: POS Profile,Applicable for Users,Applicable pour les utilisateurs DocType: Training Event,Exam,Examen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nombre incorrect d'entrées du grand livre général trouvé. Vous avez peut-être sélectionné un compte incorrect dans la transaction. @@ -2518,6 +2538,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Longitude DocType: Accounts Settings,Determine Address Tax Category From,Déterminer la catégorie de taxe d'adresse à partir de apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Identifier les décideurs +DocType: Stock Entry Detail,Reference Purchase Receipt,Reçu d'achat de référence apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Obtenir des invocies DocType: Tally Migration,Is Day Book Data Imported,Les données du carnet de jour sont-elles importées? ,Sales Partners Commission,Commission des partenaires commerciaux @@ -2541,6 +2562,7 @@ DocType: Leave Type,Applicable After (Working Days),Applicable après (jours ouv DocType: Timesheet Detail,Hrs,Heures DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Critères du tableau de bord des fournisseurs DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Paramètre de modèle de commentaires de qualité apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,La date d'adhésion doit être supérieure à la date de naissance DocType: Bank Statement Transaction Invoice Item,Invoice Date,Date de facturation DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Créer des tests de laboratoire sur la facture de vente à soumettre @@ -2647,7 +2669,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Valeur minimale autor DocType: Stock Entry,Source Warehouse Address,Adresse de l'entrepôt source DocType: Compensatory Leave Request,Compensatory Leave Request,Demande de congé compensatoire DocType: Lead,Mobile No.,Numéro de mobile -DocType: Quality Goal,July,juillet +DocType: GSTR 3B Report,July,juillet apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,CTI éligible DocType: Fertilizer,Density (if liquid),Densité (si liquide) DocType: Employee,External Work History,Histoire de travail externe @@ -2724,6 +2746,7 @@ DocType: Certification Application,Certification Status,Statut de certification apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},L'emplacement source est requis pour l'actif {0}. DocType: Employee,Encashment Date,Date d'encaissement apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Veuillez sélectionner la date d'achèvement pour le journal de maintenance des actifs terminé. +DocType: Quiz,Latest Attempt,Dernière tentative DocType: Leave Block List,Allow Users,Autoriser les utilisateurs apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Plan comptable apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Le client est obligatoire si "Opportunité de" est sélectionné en tant que client. @@ -2788,7 +2811,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Configuration de la DocType: Amazon MWS Settings,Amazon MWS Settings,Paramètres Amazon MWS DocType: Program Enrollment,Walking,En marchant DocType: SMS Log,Requested Numbers,Nombre demandé -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: Woocommerce Settings,Freight and Forwarding Account,Compte de fret et d'expédition apps/erpnext/erpnext/accounts/party.py,Please select a Company,Veuillez sélectionner une entreprise apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Ligne {0}: {1} doit être supérieur à 0 @@ -2858,7 +2880,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Factures é DocType: Training Event,Seminar,Séminaire apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Crédit ({0}) DocType: Payment Request,Subscription Plans,Plans d'abonnement -DocType: Quality Goal,March,Mars +DocType: GSTR 3B Report,March,Mars apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Lot divisé DocType: School House,House Name,Nom de la maison apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),En suspens pour {0} ne peut pas être inférieur à zéro ({1}) @@ -2921,7 +2943,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Date de début de l'assurance DocType: Target Detail,Target Detail,Détail de la cible DocType: Packing Slip,Net Weight UOM,UM de poids net -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: Purchase Invoice Item,Net Amount (Company Currency),Montant net (devise de la société) DocType: Bank Statement Transaction Settings Item,Mapped Data,Données mappées apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Titres et Dépôts @@ -2971,6 +2992,7 @@ DocType: Cheque Print Template,Cheque Height,Vérifiez la hauteur apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,S'il vous plaît entrer la date de soulagement. DocType: Loyalty Program,Loyalty Program Help,Aide du programme de fidélité DocType: Journal Entry,Inter Company Journal Entry Reference,Référence de saisie de journal inter-entreprises +DocType: Quality Meeting,Agenda,Ordre du jour DocType: Quality Action,Corrective,Correctif apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Par groupe DocType: Bank Account,Address and Contact,Adresse et contact @@ -3024,7 +3046,7 @@ DocType: GL Entry,Credit Amount,Montant du crédit apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Montant total crédité DocType: Support Search Source,Post Route Key List,Liste de clés post-route apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} pas au cours d'un exercice financier en cours. -DocType: Quality Action Table,Problem,Problème +DocType: Quality Action Resolution,Problem,Problème DocType: Training Event,Conference,Conférence DocType: Mode of Payment Account,Mode of Payment Account,Compte de mode de paiement DocType: Leave Encashment,Encashable days,Jours emballables @@ -3150,7 +3172,7 @@ DocType: Item,"Purchase, Replenishment Details","Détails d'achat, de réapp DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Une fois établie, cette facture sera en attente jusqu'à la date fixée." apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Le stock ne peut pas exister pour le poste {0} car a des variantes DocType: Lab Test Template,Grouped,Groupé -DocType: Quality Goal,January,janvier +DocType: GSTR 3B Report,January,janvier DocType: Course Assessment Criteria,Course Assessment Criteria,Critères d'évaluation du cours DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Qté complétée @@ -3246,7 +3268,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Type d'un apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Veuillez entrer au moins 1 facture dans le tableau. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,La commande client {0} n'est pas soumise. apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,La participation a été marquée avec succès. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Pré-vente +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pré-vente apps/erpnext/erpnext/config/projects.py,Project master.,Maître de projet. DocType: Daily Work Summary,Daily Work Summary,Résumé du travail quotidien DocType: Asset,Partially Depreciated,Partiellement déprécié @@ -3255,6 +3277,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Laisser encaissé? DocType: Certified Consultant,Discuss ID,Discuter de l'identité apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Veuillez définir les comptes de la TPS dans les paramètres de la TPS +DocType: Quiz,Latest Highest Score,Dernier plus haut score DocType: Supplier,Billing Currency,Monnaie de facturation apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Activité étudiante apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,La quantité cible ou le montant cible est obligatoire @@ -3280,18 +3303,21 @@ DocType: Sales Order,Not Delivered,Non livrés 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 être attribué car il s'agit d'un congé sans solde. DocType: GL Entry,Debit Amount,Montant du débit apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},L'enregistrement existe déjà pour l'élément {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Sous-assemblages 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 tarification continuent de prévaloir, il est demandé aux utilisateurs de définir la priorité manuellement pour résoudre les conflits." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Impossible de déduire lorsque la catégorie correspond à "Evaluation" ou "Evaluation et total" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,La nomenclature et la quantité de fabrication sont requises apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},L'élément {0} est arrivé en fin de vie le {1} DocType: Quality Inspection Reading,Reading 6,Lecture 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Le champ de l'entreprise est obligatoire apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,La consommation de matière n'est pas définie dans les paramètres de fabrication. DocType: Assessment Group,Assessment Group Name,Nom du groupe d'évaluation -DocType: Item,Manufacturer Part Number,Référence fabricant +DocType: Purchase Invoice Item,Manufacturer Part Number,Référence fabricant apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Paie Payable apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},La ligne # {0}: {1} ne peut pas être négative pour l'élément {2}. apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Quantité d'équilibre +DocType: Question,Multiple Correct Answer,Réponse correcte multiple DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 points de fidélité = combien de devise de base? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Remarque: le solde de congés n'est pas suffisant pour le type de congés {0}. DocType: Clinical Procedure,Inpatient Record,Dossier d'hospitalisation @@ -3414,6 +3440,7 @@ DocType: Fee Schedule Program,Total Students,Total des étudiants apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Local DocType: Chapter Member,Leave Reason,Laisser la raison DocType: Salary Component,Condition and Formula,Condition et formule +DocType: Quality Goal,Objectives,Objectifs apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Salaire déjà traité pour la période comprise entre {0} et {1}. La période de demande de congé ne peut pas être comprise dans cette plage de dates. DocType: BOM Item,Basic Rate (Company Currency),Taux de base (devise de la société) DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item @@ -3464,6 +3491,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.AAAAAA.- DocType: Expense Claim Account,Expense Claim Account,Compte de remboursement des dépenses apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Aucun remboursement disponible pour l'écriture au journal apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} est un étudiant inactif +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Faire une entrée de stock DocType: Employee Onboarding,Activities,Activités apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Au moins un entrepôt est obligatoire ,Customer Credit Balance,Solde du crédit client @@ -3548,7 +3576,6 @@ DocType: Contract,Contract Terms,Termes de contrat apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,La quantité cible ou le montant cible est obligatoire. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Non valide {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Date de la réunion DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,L'abréviation ne peut pas avoir plus de 5 caractères DocType: Employee Benefit Application,Max Benefits (Yearly),Max avantages (annuel) @@ -3651,7 +3678,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Frais bancaires apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Marchandises transférées apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Coordonnées principales -DocType: Quality Review,Values,Valeurs DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Si cette case n'est pas cochée, la liste devra être ajoutée à chaque département où elle devra être appliquée." DocType: Item Group,Show this slideshow at the top of the page,Afficher ce diaporama en haut de la page apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Le paramètre {0} n'est pas valide @@ -3670,6 +3696,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Compte de frais bancaires DocType: Journal Entry,Get Outstanding Invoices,Obtenir des factures exceptionnelles DocType: Opportunity,Opportunity From,Opportunité De +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Détails de la cible DocType: Item,Customer Code,Code client apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Veuillez entrer l'article en premier apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Liste de site Web @@ -3698,7 +3725,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Livraison à DocType: Bank Statement Transaction Settings Item,Bank Data,Données bancaires apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Prévu jusqu'à -DocType: Quality Goal,Everyday,Tous les jours DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Maintenir les heures de facturation et les heures de travail identiques sur la feuille de temps apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Suivi des leads par source de leads. DocType: Clinical Procedure,Nursing User,Utilisateur infirmier @@ -3723,7 +3749,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Gérer un arbre de ter DocType: GL Entry,Voucher Type,Type de coupon ,Serial No Service Contract Expiry,Date d'expiration du contrat de service de série DocType: Certification Application,Certified,Agréé -DocType: Material Request Plan Item,Manufacture,Fabrication +DocType: Purchase Invoice Item,Manufacture,Fabrication apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} articles produits apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Demande de paiement pour {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Jours depuis la dernière commande @@ -3738,7 +3764,7 @@ DocType: Sales Invoice,Company Address Name,Nom de l'entreprise apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Les marchandises en transit apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Vous pouvez uniquement échanger un maximum de {0} points dans cet ordre. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Veuillez définir le compte dans l'entrepôt {0} -DocType: Quality Action Table,Resolution,Résolution +DocType: Quality Action,Resolution,Résolution DocType: Sales Invoice,Loyalty Points Redemption,Échange de points de fidélité apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Valeur taxable totale DocType: Patient Appointment,Scheduled,Prévu @@ -3859,6 +3885,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Taux apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Enregistrement {0} DocType: SMS Center,Total Message(s),Total Message (s) +DocType: Purchase Invoice,Accounting Dimensions,Dimensions comptables apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grouper par compte DocType: Quotation,In Words will be visible once you save the Quotation.,En mots sera visible une fois que vous enregistrez la citation. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Quantité à produire @@ -4023,7 +4050,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,C apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Si vous avez des questions, n'hésitez pas à nous contacter." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Le reçu d'achat {0} n'est pas soumis. DocType: Task,Total Expense Claim (via Expense Claim),Demande de remboursement totale (via la demande de remboursement) -DocType: Quality Action,Quality Goal,Objectif de qualité +DocType: Quality Goal,Quality Goal,Objectif de qualité DocType: Support Settings,Support Portal,Portail d'assistance apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},La date de fin de la tâche {0} ne peut pas être inférieure à {1} date de début attendue {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},L'employé {0} est en congé le {1} @@ -4082,7 +4109,6 @@ DocType: BOM,Operating Cost (Company Currency),Coût d'exploitation (devise DocType: Item Price,Item Price,Prix de l'article DocType: Payment Entry,Party Name,Nom de la fête apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,S'il vous plaît sélectionner un client -DocType: Course,Course Intro,Intro du cours DocType: Program Enrollment Tool,New Program,Nouveau programme apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Numéro du nouveau centre de coûts, il sera inclus dans le nom du centre de coûts comme préfixe" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Sélectionnez le client ou le fournisseur. @@ -4283,6 +4309,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.AAAAAA.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Le salaire net ne peut être négatif apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Nombre d'interactions 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} # d'article {1} ne peut pas être transférée plus de {2} par rapport au bon de commande {3}. +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Décalage apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Plan de traitement des comptes et des parties DocType: Stock Settings,Convert Item Description to Clean HTML,Convertir la description de l'élément en HTML propre apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Tous les groupes de fournisseurs @@ -4361,6 +4388,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Article parent apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Courtage apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Créez un reçu d'achat ou une facture d'achat pour l'article {0}. +,Product Bundle Balance,Balance de produit apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Le nom de l'entreprise ne peut pas être l'entreprise DocType: Maintenance Visit,Breakdown,Panne DocType: Inpatient Record,B Negative,B négatif @@ -4369,7 +4397,7 @@ DocType: Purchase Invoice,Credit To,Crédit à apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Soumettez ce bon de travail pour traitement ultérieur. DocType: Bank Guarantee,Bank Guarantee Number,Numéro de garantie bancaire apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Livré: {0} -DocType: Quality Action,Under Review,À l'étude +DocType: Quality Meeting Table,Under Review,À l'étude apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Agriculture (beta) ,Average Commission Rate,Taux de commission moyen DocType: Sales Invoice,Customer's Purchase Order Date,Date du bon de commande du client @@ -4486,7 +4514,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Faire correspondre les paiements aux factures DocType: Holiday List,Weekly Off,Arrêt hebdomadaire apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Ne pas autoriser la définition d'un élément de remplacement pour l'élément {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Le programme {0} n'existe pas. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Le programme {0} n'existe pas. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Vous ne pouvez pas modifier le nœud racine. DocType: Fee Schedule,Student Category,Catégorie d'étudiant apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Article {0}: {1} quantité produite," @@ -4577,8 +4605,8 @@ DocType: Crop,Crop Spacing,Espacement des cultures 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 en fonction des transactions de vente? DocType: Pricing Rule,Period Settings,Paramètres de période apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Variation nette des comptes débiteurs +DocType: Quality Feedback Template,Quality Feedback Template,Modèle de commentaires sur la qualité apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Pour la quantité doit être supérieure à zéro -DocType: Quality Goal,Goal Objectives,Objectif objectifs 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 taux, le nombre d'actions et le montant calculé" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Laissez vide si vous créez des groupes d'étudiants par an apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Prêts (passifs) @@ -4613,12 +4641,13 @@ DocType: Quality Procedure Table,Step,Étape DocType: Normal Test Items,Result Value,Valeur du résultat DocType: Cash Flow Mapping,Is Income Tax Liability,La responsabilité fiscale est-elle DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Article de frais de visite pour patients hospitalisés -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} n'existe pas. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} n'existe pas. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Mettre à jour la réponse DocType: Bank Guarantee,Supplier,Fournisseur apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Entrez une valeur entre {0} et {1} DocType: Purchase Order,Order Confirmation Date,Date de confirmation de la commande DocType: Delivery Trip,Calculate Estimated Arrival Times,Calculer les heures d'arrivée estimées +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Veuillez configurer le système de nommage des employés dans Ressources humaines> Paramètres RH apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consommable DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Date de début de l'abonnement @@ -4682,6 +4711,7 @@ DocType: Cheque Print Template,Is Account Payable,Est le compte à payer apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Valeur totale de la commande apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Fournisseur {0} introuvable dans {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Configurer les paramètres de la passerelle SMS +DocType: Salary Component,Round to the Nearest Integer,Arrondir à l'entier le plus proche apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,La racine ne peut pas avoir un centre de coûts parent DocType: Healthcare Service Unit,Allow Appointments,Autoriser les rendez-vous DocType: BOM,Show Operations,Afficher les opérations @@ -4810,7 +4840,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Liste de vacances par défaut DocType: Naming Series,Current Value,Valeur actuelle apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Caractère saisonnier pour l'établissement de budgets, d'objectifs, etc." -DocType: Program,Program Code,Code du programme apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Avertissement: La commande client {0} existe déjà pour la commande client du client {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Cible de vente mensuelle ( DocType: Guardian,Guardian Interests,Intérêts du gardien @@ -4860,10 +4889,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Payé et non livré apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Le code d'article est obligatoire car l'article n'est pas numéroté automatiquement DocType: GST HSN Code,HSN Code,Code HSN -DocType: Quality Goal,September,septembre +DocType: GSTR 3B Report,September,septembre apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Dépenses administratives DocType: C-Form,C-Form No,C-Form No DocType: Purchase Invoice,End date of current invoice's period,Date de fin de la période de la facture en cours +DocType: Item,Manufacturers,Les fabricants DocType: Crop Cycle,Crop Cycle,Cycle de culture DocType: Serial No,Creation Time,Temps de creation apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Veuillez entrer un rôle d'approbation ou un utilisateur approbateur @@ -4936,8 +4966,6 @@ DocType: Employee,Short biography for website and other publications.,Courte bio DocType: Purchase Invoice Item,Received Qty,Quantité reçue DocType: Purchase Invoice Item,Rate (Company Currency),Taux (devise de la société) DocType: Item Reorder,Request for,Demande -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/setup/setup_wizard/setup_wizard.py,Installing presets,Installation de presets apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,S'il vous plaît entrer des périodes de remboursement DocType: Pricing Rule,Advanced Settings,Réglages avancés @@ -4963,7 +4991,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Activer le panier DocType: Pricing Rule,Apply Rule On Other,Appliquer la règle sur autre DocType: Vehicle,Last Carbon Check,Dernier bilan carbone -DocType: Vehicle,Make,Faire +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Faire apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Facture Ventes {0} créée en tant que paiement apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Pour créer un document de référence de demande de paiement est requis apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Impôt sur le revenu @@ -5039,7 +5067,6 @@ DocType: Territory,Parent Territory,Territoire parent DocType: Vehicle Log,Odometer Reading,Relevé du compteur kilométrique DocType: Additional Salary,Salary Slip,Fiche de salaire DocType: Payroll Entry,Payroll Frequency,Fréquence de paie -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Veuillez configurer le système de nommage des employés dans Ressources humaines> Paramètres RH apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Les dates de début et de fin ne faisant pas partie d'une période de paie valide, impossible de calculer {0}" DocType: Products Settings,Home Page is Products,La page d'accueil est des produits apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Appels @@ -5092,7 +5119,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Récupération des enregistrements ...... DocType: Delivery Stop,Contact Information,Informations de contact DocType: Sales Order Item,For Production,Pour la production -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: Serial No,Asset Details,Détails de l'actif DocType: Restaurant Reservation,Reservation Time,Heure de réservation DocType: Selling Settings,Default Territory,Territoire par défaut @@ -5232,6 +5258,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,D apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Lots expirés DocType: Shipping Rule,Shipping Rule Type,Type de règle d'expédition DocType: Job Offer,Accepted,Accepté +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/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Vous avez déjà évalué les critères d'évaluation {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Sélectionner des numéros de lot apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Age (jours) @@ -5248,6 +5276,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Regroupez les articles au moment de la vente. DocType: Payment Reconciliation Payment,Allocated Amount,Montant alloué apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Veuillez sélectionner une société et une désignation +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'Date' est requis DocType: Email Digest,Bank Credit Balance,Solde bancaire apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Afficher le montant cumulatif apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Vous n'avez pas assez de points de fidélité à échanger @@ -5308,11 +5337,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Sur la ligne précéde DocType: Student,Student Email Address,Adresse électronique de l'étudiant DocType: Academic Term,Education,Éducation DocType: Supplier Quotation,Supplier Address,Adresse du fournisseur -DocType: Salary Component,Do not include in total,Ne pas inclure au total +DocType: Salary Detail,Do not include in total,Ne pas inclure au total 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. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} n'existe pas DocType: Purchase Receipt Item,Rejected Quantity,Quantité rejetée DocType: Cashier Closing,To TIme,À l'heure +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: Daily Work Summary Group User,Daily Work Summary Group User,Utilisateur du groupe de résumé du travail quotidien DocType: Fiscal Year Company,Fiscal Year Company,Année fiscale Société apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,L'article alternatif ne doit pas être identique au code d'article @@ -5422,7 +5452,6 @@ DocType: Fee Schedule,Send Payment Request Email,Envoyer un e-mail de demande de DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,En mots sera visible une fois que vous enregistrez la facture de vente. DocType: Sales Invoice,Sales Team1,Équipe commerciale1 DocType: Work Order,Required Items,Articles requis -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Caractères spéciaux sauf "-", "#", "." et "/" non autorisés dans les séries de nommage" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Lire le manuel ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Vérifier le caractère unique du numéro de facture du fournisseur apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Rechercher des sous-assemblages @@ -5490,7 +5519,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Déduction en pourcentage 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: Share Balance,To No,À non DocType: Leave Control Panel,Allocate Leaves,Allouer des feuilles -DocType: Quiz,Last Attempt,Dernière tentative DocType: Assessment Result,Student Name,Nom d'étudiant apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Planifiez les visites de maintenance. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Les demandes d'articles suivantes ont été automatiquement levées en fonction du niveau de réapprovisionnement de l'article. @@ -5559,6 +5587,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Couleur de l'indicateur DocType: Item Variant Settings,Copy Fields to Variant,Copier les champs dans la variante DocType: Soil Texture,Sandy Loam,Loam sableux +DocType: Question,Single Correct Answer,Réponse correcte unique apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,La date de début ne peut être inférieure à la date d'adhésion de l'employé DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Autoriser plusieurs commandes sur la commande d'achat d'un client apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5621,7 +5650,7 @@ DocType: Account,Expenses Included In Valuation,Dépenses incluses dans l'é apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Numéros de série DocType: Salary Slip,Deductions,Déductions ,Supplier-Wise Sales Analytics,Analyse des ventes par fournisseur -DocType: Quality Goal,February,février +DocType: GSTR 3B Report,February,février DocType: Appraisal,For Employee,Pour employé apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Date de livraison réelle DocType: Sales Partner,Sales Partner Name,Nom du partenaire commercial @@ -5717,7 +5746,6 @@ DocType: Procedure Prescription,Procedure Created,Procédure créée apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Contre facture fournisseur {0} du {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Changer le profil du PDV apps/erpnext/erpnext/utilities/activation.py,Create Lead,Créer une piste -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fournisseur> Type de fournisseur DocType: Shopify Settings,Default Customer,Client par défaut DocType: Payment Entry Reference,Supplier Invoice No,Facture fournisseur no DocType: Pricing Rule,Mixed Conditions,Conditions mixtes @@ -5768,12 +5796,14 @@ DocType: Item,End of Life,Fin de vie DocType: Lab Test Template,Sensitivity,Sensibilité DocType: Territory,Territory Targets,Cibles du territoire apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Ignorer les allocations de congé pour les employés suivants, car des enregistrements d’allocation de congés existent déjà pour eux. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Quality Action Resolution DocType: Sales Invoice Item,Delivered By Supplier,Livré par fournisseur DocType: Agriculture Analysis Criteria,Plant Analysis,Analyse des plantes apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Le compte de dépenses est obligatoire pour le poste {0}. ,Subcontracted Raw Materials To Be Transferred,Matières premières sous-traitées à transférer DocType: Cashier Closing,Cashier Closing,Fermeture de caisse apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,L'élément {0} a déjà été renvoyé +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN invalide! L'entrée que vous avez entrée ne correspond pas au format GSTIN pour les titulaires d'un UIN ou les fournisseurs de services OIDAR non résidents apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Un entrepôt pour enfants existe pour cet entrepôt. Vous ne pouvez pas supprimer cet entrepôt. DocType: Diagnosis,Diagnosis,Diagnostic apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Il n'y a pas de période de congé entre {0} et {1}. @@ -5790,6 +5820,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Paramètres d'autorisati DocType: Homepage,Products,Des produits ,Profit and Loss Statement,Compte de résultat apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Chambres réservées +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Dupliquer la saisie par rapport au code article {0} et au fabricant {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Poids total apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Voyage @@ -5838,6 +5869,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Groupe de clients par défaut DocType: Journal Entry Account,Debit in Company Currency,Débit en devise de l'entreprise DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",La série de repli est "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Agenda de réunion de qualité DocType: Cash Flow Mapper,Section Header,En-tête de section apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Vos produits ou services DocType: Crop,Perennial,Vivace @@ -5883,7 +5915,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Un produit ou un service acheté, vendu ou conservé en stock." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Clôture (ouverture + total) DocType: Supplier Scorecard Criteria,Criteria Formula,Formule de critères -,Support Analytics,Support analytique +apps/erpnext/erpnext/config/support.py,Support Analytics,Support analytique apps/erpnext/erpnext/config/quality_management.py,Review and Action,Révision et action DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Si le compte est gelé, les entrées sont autorisées aux utilisateurs restreints." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Montant après amortissement @@ -5928,7 +5960,6 @@ DocType: Contract Template,Contract Terms and Conditions,Conditions contractuell apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Récupérer des données DocType: Stock Settings,Default Item Group,Groupe d'articles par défaut DocType: Sales Invoice Timesheet,Billing Hours,Heures de facturation -DocType: Item,Item Code for Suppliers,Code d'article pour les fournisseurs apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Quitter l'application {0} existe déjà pour l'élève {1} DocType: Pricing Rule,Margin Type,Type de marge DocType: Purchase Invoice Item,Rejected Serial No,Numéro de série rejeté @@ -6001,6 +6032,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Les feuilles ont été accordées avec succès DocType: Loyalty Point Entry,Expiry Date,Date d'expiration DocType: Project Task,Working,Travail +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} a déjà une procédure parent {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Ceci est basé sur les transactions avec ce patient. Voir la chronologie ci-dessous pour plus de détails DocType: Material Request,Requested For,Demandé pour DocType: SMS Center,All Sales Person,Tout vendeur @@ -6088,6 +6120,7 @@ DocType: Loan Type,Maximum Loan Amount,Montant maximum du prêt apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Email introuvable dans le contact par défaut DocType: Hotel Room Reservation,Booked,Réservé DocType: Maintenance Visit,Partially Completed,Partiellement achevé +DocType: Quality Procedure Process,Process Description,Description du processus DocType: Company,Default Employee Advance Account,Compte d'avance d'employé par défaut DocType: Leave Type,Allow Negative Balance,Autoriser un solde négatif apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Nom du plan d'évaluation @@ -6129,6 +6162,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Demande d'offre Article apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} entré deux fois dans la taxe à la pièce DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Déduire la taxe complète à la date de paie sélectionnée +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,La date du dernier bilan carbone ne peut pas être une date future apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Sélectionnez modifier le montant du compte DocType: Support Settings,Forum Posts,Messages du forum DocType: Timesheet Detail,Expected Hrs,Heures prévues @@ -6138,7 +6172,7 @@ DocType: Program Enrollment Tool,Enroll Students,Inscrire des étudiants apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Répéter le revenu du client DocType: Company,Date of Commencement,Date de démarrage DocType: Bank,Bank Name,Nom de banque -DocType: Quality Goal,December,décembre +DocType: GSTR 3B Report,December,décembre 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é apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Ceci est basé sur la présence de cet employé DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Si coché, la page d'accueil sera le groupe d'éléments par défaut pour le site Web." @@ -6181,6 +6215,7 @@ DocType: Payment Entry,Payment Type,Type de paiement apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Les numéros de folio ne correspondent pas DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Contrôle qualité: {0} n'est pas soumis pour l'élément: {1} à la ligne {2}. +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Montrer {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} élément trouvé. ,Stock Ageing,Stock vieillissement DocType: Customer Group,Mention if non-standard receivable account applicable,Mention si le compte client non standard est applicable @@ -6459,6 +6494,7 @@ DocType: Travel Request,Costing,Calcul des coûts apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Immobilisations DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Gain total +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Groupe de clients> Territoire DocType: Share Balance,From No,À partir de DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Facture de rapprochement des paiements DocType: Purchase Invoice,Taxes and Charges Added,Taxes et frais ajoutés @@ -6466,7 +6502,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Considérer des t DocType: Authorization Rule,Authorized Value,Valeur autorisée apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Reçu de apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Le magasin {0} n'existe pas +DocType: Item Manufacturer,Item Manufacturer,Article Fabricant DocType: Sales Invoice,Sales Team,Équipe de vente +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Quantité de paquet DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM DocType: Installation Note,Installation Date,Date d'installation DocType: Email Digest,New Quotations,Nouvelles citations @@ -6530,7 +6568,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Nom de la liste de vacances DocType: Water Analysis,Collection Temperature ,Température de collecte DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,"Gérer la facture de rendez-vous, soumettre et annuler automatiquement pour Patient Encounter" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Définissez la série de noms pour {0} via Configuration> Paramètres> Série de noms. DocType: Employee Benefit Claim,Claim Date,Date de réclamation DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Laisser en blanc si le fournisseur est bloqué indéfiniment apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,La présence à partir de la date et la présence à la date est obligatoire @@ -6541,6 +6578,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Date de retraite apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Veuillez sélectionner un patient DocType: Asset,Straight Line,Ligne droite +DocType: Quality Action,Resolutions,Les résolutions DocType: SMS Log,No of Sent SMS,N ° de SMS envoyé ,GST Itemised Sales Register,Registre des ventes détaillées de la TPS apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Le montant total de l'avance ne peut être supérieur au montant total approuvé @@ -6651,7 +6689,7 @@ DocType: Account,Profit and Loss,Profit et perte apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Qté Diff DocType: Asset Finance Book,Written Down Value,Valeur dépréciée apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Solde d'ouverture des capitaux propres -DocType: Quality Goal,April,avril +DocType: GSTR 3B Report,April,avril DocType: Supplier,Credit Limit,Limite de crédit apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Distribution apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6706,6 +6744,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Connectez Shopify avec ERPNext DocType: Homepage Section Card,Subtitle,Sous-titre DocType: Soil Texture,Loam,Terreau +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fournisseur> Type de fournisseur DocType: BOM,Scrap Material Cost(Company Currency),Coût du matériel de rebut (devise de l'entreprise) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Le bon de livraison {0} ne doit pas être envoyé. DocType: Task,Actual Start Date (via Time Sheet),Date de début réelle (via la feuille de temps) @@ -6761,7 +6800,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosage DocType: Cheque Print Template,Starting position from top edge,Position de départ du bord supérieur apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Durée du rendez-vous (min) -DocType: Pricing Rule,Disable,Désactiver +DocType: Accounting Dimension,Disable,Désactiver DocType: Email Digest,Purchase Orders to Receive,Commandes d'achat à recevoir apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Les commandes de productions ne peuvent pas être passées pour: DocType: Projects Settings,Ignore Employee Time Overlap,Ignorer le chevauchement du temps des employés @@ -6845,6 +6884,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Créer DocType: Item Attribute,Numeric Values,Valeurs numériques DocType: Delivery Note,Instructions,Instructions DocType: Blanket Order Item,Blanket Order Item,Poste de commande général +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Compte de résultat obligatoire apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Le taux de commission ne peut être supérieur à 100 DocType: Course Topic,Course Topic,Sujet du cours DocType: Employee,This will restrict user access to other employee records,Cela limitera l'accès des utilisateurs aux enregistrements d'autres employés @@ -6869,12 +6909,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Gestion des ab apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Obtenir des clients de apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Rapports à +DocType: Video,YouTube,Youtube DocType: Party Account,Party Account,Compte de parti DocType: Assessment Plan,Schedule,Programme apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Entrez s'il vous plait DocType: Lead,Channel Partner,Partenaire de canal apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Montant facturé DocType: Project,From Template,À partir du modèle +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Abonnements apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Quantité à fabriquer DocType: Quality Review Table,Achieved,Atteint @@ -6921,7 +6963,6 @@ DocType: Journal Entry,Subscription Section,Section d'abonnement DocType: Salary Slip,Payment Days,Jours de paiement apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informations sur les volontaires. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Stocks Older Than` devrait être inférieur à% d jours. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Sélectionnez l'exercice financier DocType: Bank Reconciliation,Total Amount,Montant total DocType: Certification Application,Non Profit,Non lucratif DocType: Subscription Settings,Cancel Invoice After Grace Period,Annuler la facture après le délai de grâce @@ -6934,7 +6975,6 @@ DocType: Serial No,Warranty Period (Days),Période de garantie (jours) DocType: Expense Claim Detail,Expense Claim Detail,Détail de la dépense apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programme: DocType: Patient Medical Record,Patient Medical Record,Dossier médical du patient -DocType: Quality Action,Action Description,Description de l'action DocType: Item,Variant Based On,Variante basée sur DocType: Vehicle Service,Brake Oil,Huile de frein DocType: Employee,Create User,Créer un utilisateur @@ -6990,7 +7030,7 @@ DocType: Cash Flow Mapper,Section Name,Nom de la section DocType: Packed Item,Packed Item,Article emballé apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: un montant débiteur ou créditeur est requis pour {2}. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Envoi des fiches de salaire ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Pas d'action +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Pas d'action apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Le budget ne peut pas être attribué à {0}, car ce n'est pas un compte de revenus ou de dépenses" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Maîtres et comptes DocType: Quality Procedure Table,Responsible Individual,Individu responsable @@ -7112,7 +7152,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Autoriser la création de compte contre une entreprise enfant DocType: Payment Entry,Company Bank Account,Compte bancaire de l'entreprise DocType: Amazon MWS Settings,UK,Royaume-Uni -DocType: Quality Procedure,Procedure Steps,Étapes de la procédure DocType: Normal Test Items,Normal Test Items,Articles de test normaux apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Article {0}: La quantité commandée {1} ne peut pas être inférieure à la commande minimum {2} (définie dans l'article). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,En rupture @@ -7191,7 +7230,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytique DocType: Maintenance Team Member,Maintenance Role,Rôle de maintenance apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Modèle de conditions d'utilisation DocType: Fee Schedule Program,Fee Schedule Program,Programme de tarification -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Le cours {0} n'existe pas. DocType: Project Task,Make Timesheet,Faire une feuille de temps DocType: Production Plan Item,Production Plan Item,Poste de production apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Total étudiant @@ -7213,6 +7251,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Emballer apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Vous ne pouvez renouveler votre adhésion que si votre adhésion expire dans les 30 jours. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},La valeur doit être comprise entre {0} et {1}. +DocType: Quality Feedback,Parameters,Paramètres ,Sales Partner Transaction Summary,Récapitulatif des transactions du partenaire commercial DocType: Asset Maintenance,Maintenance Manager Name,Nom du responsable de la maintenance apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Il est nécessaire de récupérer les détails de l'article. @@ -7251,6 +7290,7 @@ DocType: Student Admission,Student Admission,Admission des étudiants DocType: Designation Skill,Skill,Compétence DocType: Budget Account,Budget Account,Compte budgétaire DocType: Employee Transfer,Create New Employee Id,Créer un nouvel identifiant d'employé +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} est requis pour le compte 'Profit and Loss' {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Taxe sur les produits et services (TPS Inde) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Création de bulletins de salaire ... DocType: Employee Skill,Employee Skill,Compétence de l'employé @@ -7351,6 +7391,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Facture sépa DocType: Subscription,Days Until Due,Jours avant échéance apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Montrer terminé apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Relevé de saisie des transactions des extraits bancaires +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Deatils Bank apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ligne n ° {0}: le taux doit être identique à {1}: {2} ({3} / {4}). DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Articles de service de santé @@ -7407,6 +7448,7 @@ DocType: Training Event Employee,Invited,Invité apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Le montant maximal éligible pour le composant {0} dépasse {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Montant à facturer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","Pour {0}, seuls les comptes débiteurs peuvent être liés à une autre entrée de crédit." +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Créer des dimensions ... DocType: Bank Statement Transaction Entry,Payable Account,Compte Payable apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Merci de mentionner le nombre de visites requises DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Ne sélectionnez que si vous avez configuré des documents Cash Flow Mapper @@ -7424,6 +7466,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,S DocType: Service Level,Resolution Time,Temps de résolution DocType: Grading Scale Interval,Grade Description,Description du grade DocType: Homepage Section,Cards,Cartes +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Compte rendu de réunion de qualité DocType: Linked Plant Analysis,Linked Plant Analysis,Analyse des plantes liées apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,La date d'arrêt du service ne peut pas être postérieure à la date de fin du service 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. @@ -7458,7 +7501,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Outil d'assistanc DocType: Employee,Educational Qualification,Qualification pour l'éducation apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Valeur accessible apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},La quantité d'échantillon {0} ne peut pas être supérieure à la quantité reçue {1} -DocType: Quiz,Last Highest Score,Dernier score le plus élevé DocType: POS Profile,Taxes and Charges,Taxes et frais DocType: Opportunity,Contact Mobile No,Contact Mobile Non DocType: Employee,Joining Details,Détails de l'adhésion diff --git a/erpnext/translations/gu.csv b/erpnext/translations/gu.csv index 592196a374..8d33180d8f 100644 --- a/erpnext/translations/gu.csv +++ b/erpnext/translations/gu.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,સપ્લાયર ભ DocType: Journal Entry Account,Party Balance,પાર્ટી બેલેન્સ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),ભંડોળનો સ્રોત (જવાબદારીઓ) DocType: Payroll Period,Taxable Salary Slabs,કરપાત્ર પગાર સ્લેબ +DocType: Quality Action,Quality Feedback,ગુણવત્તા પ્રતિસાદ DocType: Support Settings,Support Settings,સપોર્ટ સેટિંગ્સ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,કૃપા કરીને પહેલા ઉત્પાદન પ્રોડકટ દાખલ કરો DocType: Quiz,Grading Basis,ગ્રેડિંગ બેઝિસ @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,વધુ વ DocType: Salary Component,Earning,કમાણી DocType: Restaurant Order Entry,Click Enter To Add,ઍડ કરવા માટે Enter પર ક્લિક કરો DocType: Employee Group,Employee Group,કર્મચારી ગ્રુપ +DocType: Quality Procedure,Processes,પ્રક્રિયાઓ DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,એક ચલણને બીજામાં રૂપાંતરિત કરવા માટે એક્સચેન્જ રેટનો ઉલ્લેખ કરો apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,એજિંગ રેંજ 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},સ્ટોક માટે જરૂરી વેરહાઉસ વસ્તુ {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,ફરિયાદ DocType: Shipping Rule,Restrict to Countries,દેશોને પ્રતિબંધિત કરો DocType: Hub Tracked Item,Item Manager,આઇટમ મેનેજર apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},બંધ ખાતાની કરન્સી {0} હોવી આવશ્યક છે +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,બજેટ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,ભરતિયું વસ્તુ ખુલી DocType: Work Order,Plan material for sub-assemblies,પેટા-સંમેલનો માટે યોજના સામગ્રી apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,હાર્ડવેર DocType: Budget,Action if Annual Budget Exceeded on MR,એમ.આર. પર વાર્ષિક અંદાજપત્ર વધે તો ક્રિયા DocType: Sales Invoice Advance,Advance Amount,એડવાન્સ રકમ +DocType: Accounting Dimension,Dimension Name,પરિમાણ નામ DocType: Delivery Note Item,Against Sales Invoice Item,સેલ્સ ઇન્વૉઇસ આઇટમ સામે DocType: Expense Claim,HR-EXP-.YYYY.-,એચઆર-એક્સપી- .YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,ઉત્પાદનમાં વસ્તુ શામેલ કરો @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,તે શું ,Sales Invoice Trends,વેચાણ ઇનવોઇસ પ્રવાહો DocType: Bank Reconciliation,Payment Entries,ચુકવણી પ્રવેશો DocType: Employee Education,Class / Percentage,વર્ગ / ટકાવારી -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,આઇટમ કોડ> આઇટમ જૂથ> બ્રાન્ડ ,Electronic Invoice Register,ઇલેક્ટ્રોનિક ભરતિયું નોંધણી DocType: Sales Invoice,Is Return (Credit Note),રીટર્ન છે (ક્રેડિટ નોંધ) DocType: Lab Test Sample,Lab Test Sample,લેબ ટેસ્ટ નમૂના @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,ચલો apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",ચાર્જિસ તમારી પસંદગી અનુસાર આઇટમ ક્વૉટી અથવા રકમના આધારે પ્રમાણમાં વહેંચવામાં આવશે apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,આજે માટે બાકી પ્રવૃત્તિઓ +DocType: Quality Procedure Process,Quality Procedure Process,ગુણવત્તા પ્રક્રિયા પ્રક્રિયા DocType: Fee Schedule Program,Student Batch,વિદ્યાર્થી બેચ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},પંક્તિમાં આઇટમ માટે મૂલ્યાંકન દર જરૂરી છે {0} DocType: BOM Operation,Base Hour Rate(Company Currency),બેઝ કલાક દર (કંપની કરન્સી) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,સીરીયલ નો ઇનપુટ પર આધારિત ટ્રાંઝેક્શન્સ માં Qty સુયોજિત કરો apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},એડવાન્સ એકાઉન્ટ ચલણ કંપની ચલણ જેવી જ હોવી જોઈએ {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,મુખપૃષ્ઠ વિભાગો કસ્ટમાઇઝ કરો -DocType: Quality Goal,October,ઑક્ટોબર +DocType: GSTR 3B Report,October,ઑક્ટોબર DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,સેલ્સ ટ્રાંઝેક્શન્સથી ગ્રાહકના ટેક્સ ID છુપાવો apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,અમાન્ય GSTIN! જીએસટીઆઈએનમાં 15 અક્ષરો હોવા જોઈએ. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,પ્રાઇસીંગ રૂલ {0} અપડેટ થયેલ છે @@ -398,7 +402,7 @@ DocType: GoCardless Mandate,GoCardless Customer,ગોકાર્ડલેસ DocType: Leave Encashment,Leave Balance,બેલેન્સ છોડી દો DocType: Assessment Plan,Supervisor Name,સુપરવાઇઝર નામ DocType: Selling Settings,Campaign Naming By,દ્વારા ઝુંબેશ નામકરણ -DocType: Course,Course Code,કોર્સ કોડ +DocType: Student Group Creation Tool Course,Course Code,કોર્સ કોડ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,એરોસ્પેસ DocType: Landed Cost Voucher,Distribute Charges Based On,આધારીત ખર્ચ વહેંચો DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,સપ્લાયર સ્કોરકાર્ડ સ્કોરિંગ માપદંડ @@ -480,10 +484,8 @@ DocType: Restaurant Menu,Restaurant Menu,રેસ્ટોરાં મેન DocType: Asset Movement,Purpose,હેતુ apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,કર્મચારી માટે વેતન માળખું સોંપણી પહેલેથી અસ્તિત્વમાં છે DocType: Clinical Procedure,Service Unit,સેવા એકમ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> પ્રદેશ DocType: Travel Request,Identification Document Number,ઓળખ દસ્તાવેજ નંબર DocType: Stock Entry,Additional Costs,વધારાના ખર્ચ -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","પિતૃ કોર્સ (ખાલી છોડો, જો આ પિતૃ કોર્સનો ભાગ નથી)" DocType: Employee Education,Employee Education,કર્મચારી શિક્ષણ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,કર્મચારીઓની વર્તમાન ગણતરી પછી સ્થિતિની સંખ્યા ઓછી હોઈ શકતી નથી apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,બધા ગ્રાહક જૂથો @@ -530,6 +532,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,પંક્તિ {0}: જથ્થા ફરજિયાત છે DocType: Sales Invoice,Against Income Account,આવક ખાતા સામે apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},પંક્તિ # {0}: અસ્તિત્વમાં રહેલી ઇન્વેસ્ટિન્સની ખરીદી વર્તમાન અસ્કયામતો સામે કરી શકાતી નથી {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,વિવિધ પ્રમોશનલ યોજનાઓ લાગુ કરવાના નિયમો. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},યુએમએમ (UOM) માટે જરૂરી યુએમએમ (UOM) આવરણ પરિબળ: {0} વસ્તુમાં: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},આઇટમ {0} માટે જથ્થો દાખલ કરો DocType: Workstation,Electricity Cost,વીજળી ખર્ચ @@ -861,7 +864,6 @@ DocType: Item,Total Projected Qty,કુલ પ્રોજેક્ટેડ Qt apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,બોમ્સ DocType: Work Order,Actual Start Date,વાસ્તવિક પ્રારંભ તારીખ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,તમે વળતરની રજા વિનંતી દિવસો વચ્ચે બધા દિવસો (્સ) હાજર નથી -DocType: Company,About the Company,કંપની વિશે apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,નાણાકીય ખાતાની ઝાડ. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,પરોક્ષ આવક DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,હોટેલ રૂમ આરક્ષણ આઇટમ @@ -876,6 +878,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,સંભવ DocType: Skill,Skill Name,કૌશલ્ય નામ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,પ્રિન્ટ રિપોર્ટ કાર્ડ DocType: Soil Texture,Ternary Plot,ટર્નીરી પ્લોટ +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,આધાર ટિકિટ DocType: Asset Category Account,Fixed Asset Account,ફિક્સ્ડ એસેટ એકાઉન્ટ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,નવીનતમ @@ -885,6 +888,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,પ્રોગ્ ,IRS 1099,આઈઆરએસ 10 99 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,ઉપયોગ કરવા માટે શ્રેણી સેટ કરો. DocType: Delivery Trip,Distance UOM,અંતર યુએમએમ +DocType: Accounting Dimension,Mandatory For Balance Sheet,બેલેન્સ શીટ માટે ફરજિયાત DocType: Payment Entry,Total Allocated Amount,કુલ ફાળવેલ રકમ DocType: Sales Invoice,Get Advances Received,એડવાન્સિસ પ્રાપ્ત કરો DocType: Student,B-,બી- @@ -906,6 +910,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,જાળવણી apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS પ્રોફાઇલને POS એન્ટ્રી બનાવવા માટે આવશ્યક છે DocType: Education Settings,Enable LMS,એલએમએસ સક્ષમ કરો DocType: POS Closing Voucher,Sales Invoices Summary,વેચાણ ઇનવોઇસ સારાંશ +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,લાભ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,એકાઉન્ટ માટે ક્રેડિટ બેલેન્સ શીટ એકાઉન્ટ હોવું આવશ્યક છે DocType: Video,Duration,અવધિ DocType: Lab Test Template,Descriptive,વર્ણનાત્મક @@ -956,6 +961,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,પ્રારંભ અને સમાપ્તિ તારીખો DocType: Supplier Scorecard,Notify Employee,કર્મચારીને સૂચિત કરો apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,સૉફ્ટવેર +DocType: Program,Allow Self Enroll,સ્વ નોંધણી આપો apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,સ્ટોક ખર્ચ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,સંદર્ભ તારીખ દાખલ કરેલ હોય તો સંદર્ભ ક્રમાંક ફરજિયાત છે DocType: Training Event,Workshop,વર્કશોપ @@ -1008,6 +1014,7 @@ DocType: Lab Test Template,Lab Test Template,લેબ ટેસ્ટ ઢાં apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},મહત્તમ: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ઇ-ઇનવોઇસિંગ માહિતી ખૂટે છે apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,કોઈ સામગ્રી વિનંતી બનાવતી નથી +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,આઇટમ કોડ> આઇટમ જૂથ> બ્રાન્ડ DocType: Loan,Total Amount Paid,ચૂકવેલ કુલ રકમ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,આ બધી વસ્તુઓ પહેલેથી જ ભરપાઈ કરવામાં આવી છે DocType: Training Event,Trainer Name,ટ્રેનર નામ @@ -1029,6 +1036,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,શૈક્ષણીક વર્ષ DocType: Sales Stage,Stage Name,સ્ટેજ નામ DocType: SMS Center,All Employee (Active),બધા કર્મચારી (સક્રિય) +DocType: Accounting Dimension,Accounting Dimension,એકાઉન્ટિંગ પરિમાણ DocType: Project,Customer Details,ગ્રાહક વિગતો DocType: Buying Settings,Default Supplier Group,ડિફોલ્ટ સપ્લાયર ગ્રુપ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,કૃપા કરીને પ્રથમ ખરીદો રસીદ {0} રદ કરો @@ -1143,7 +1151,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","ઉચ્ચત DocType: Designation,Required Skills,આવશ્યક કુશળતા DocType: Marketplace Settings,Disable Marketplace,માર્કેટપ્લેસ નિષ્ક્રિય કરો DocType: Budget,Action if Annual Budget Exceeded on Actual,જો વાર્ષિક અંદાજપત્ર વાસ્તવિક પર વધે તો ક્રિયા -DocType: Course,Course Abbreviation,કોર્સ સંક્ષેપ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,રજા પર {0} તરીકે {1} માટે હાજરી આપી નથી. DocType: Pricing Rule,Promotional Scheme Id,પ્રમોશનલ સ્કીમ આઈડી DocType: Driver,License Details,લાઈસન્સ વિગતો @@ -1285,7 +1292,7 @@ DocType: Bank Guarantee,Margin Money,માર્જિન મની DocType: Chapter,Chapter,પ્રકરણ DocType: Purchase Receipt Item Supplied,Current Stock,વર્તમાન સ્ટોક DocType: Employee,History In Company,કંપનીમાં ઇતિહાસ -DocType: Item,Manufacturer,ઉત્પાદક +DocType: Purchase Invoice Item,Manufacturer,ઉત્પાદક apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,મધ્યસ્થી સંવેદનશીલતા DocType: Compensatory Leave Request,Leave Allocation,ફાળવણી છોડી દો DocType: Timesheet,Timesheet,સમય પત્રક @@ -1316,6 +1323,7 @@ DocType: Work Order,Material Transferred for Manufacturing,ઉત્પાદન DocType: Products Settings,Hide Variants,ચલો છુપાવો DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ક્ષમતા આયોજન અને સમય ટ્રેકિંગને અક્ષમ કરો DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* વ્યવહારમાં ગણતરી કરવામાં આવશે. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} 'બેલેન્સ શીટ' એકાઉન્ટ માટે જરૂરી છે {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} ને {1} સાથે વ્યવહાર કરવાની મંજૂરી નથી. કૃપા કરીને કંપની બદલો. 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}" DocType: Delivery Trip,Delivery Details,ડિલિવરી વિગતો @@ -1351,7 +1359,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,પૂર્વ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,માપ નો એકમ DocType: Lab Test,Test Template,પરીક્ષણ ઢાંચો DocType: Fertilizer,Fertilizer Contents,ખાતર સામગ્રી -apps/erpnext/erpnext/utilities/user_progress.py,Minute,મિનિટ +DocType: Quality Meeting Minutes,Minute,મિનિટ apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","પંક્તિ # {0}: સંપત્તિ {1} સબમિટ કરી શકાતી નથી, તે પહેલેથી જ {2} છે" DocType: Task,Actual Time (in Hours),વાસ્તવિક સમય (કલાકમાં) DocType: Period Closing Voucher,Closing Account Head,બંધ એકાઉન્ટ હેડ @@ -1524,7 +1532,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,લેબોરેટરી DocType: Purchase Order,To Bill,બિલ માટે apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,ઉપયોગિતા ખર્ચ DocType: Manufacturing Settings,Time Between Operations (in mins),ઓપરેશન્સ વચ્ચેનો સમય (મિનિટમાં) -DocType: Quality Goal,May,મે +DocType: GSTR 3B Report,May,મે apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","ચુકવણી ગેટવે એકાઉન્ટ બનાવ્યું નથી, કૃપા કરીને એક મેન્યુઅલી બનાવો." DocType: Opening Invoice Creation Tool,Purchase,ખરીદી DocType: Program Enrollment,School House,સ્કૂલ હાઉસ @@ -1556,6 +1564,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,તમારી સપ્લાયર વિશે વૈધાનિક માહિતી અને અન્ય સામાન્ય માહિતી DocType: Item Default,Default Selling Cost Center,મૂળભૂત વેચાણ ખર્ચ કેન્દ્ર DocType: Sales Partner,Address & Contacts,સરનામું અને સંપર્કો +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,કૃપા કરીને સેટઅપ> નંબરિંગ સીરીઝ દ્વારા હાજરી માટે નંબરિંગ શ્રેણી સેટ કરો DocType: Subscriber,Subscriber,સબ્સ્ક્રાઇબર apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ફોર્મ / આઇટમ / {0}) સ્ટોકની બહાર છે apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,કૃપા કરીને પહેલા પોસ્ટિંગ તારીખ પસંદ કરો @@ -1583,6 +1592,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,ઇનપેશિયન DocType: Bank Statement Settings,Transaction Data Mapping,ટ્રાન્ઝેક્શન ડેટા મેપિંગ apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,લીડને કોઈ વ્યક્તિનું નામ અથવા સંસ્થાના નામની જરૂર હોય છે DocType: Student,Guardians,વાલીઓ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,કૃપા કરીને શિક્ષણ> શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,બ્રાન્ડ પસંદ કરો ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,મધ્ય આવક DocType: Shipping Rule,Calculate Based On,ગણતરી આધારિત @@ -1594,7 +1604,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,ખર્ચ દાવા DocType: Purchase Invoice,Rounding Adjustment (Company Currency),રાઉન્ડિંગ એડજસ્ટમેન્ટ (કંપની કરન્સી) DocType: Item,Publish in Hub,હબમાં પ્રકાશિત કરો apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,જીએસટીઆઈએન -DocType: Quality Goal,August,ઓગસ્ટ +DocType: GSTR 3B Report,August,ઓગસ્ટ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,કૃપા કરીને પ્રથમ ખરીદો રસીદ દાખલ કરો apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,વર્ષ શરૂ કરો apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),લક્ષ્ય ({}) @@ -1613,6 +1623,7 @@ DocType: Item,Max Sample Quantity,મેક્સ નમૂના જથ્થ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,સોર્સ અને લક્ષ્ય વેરહાઉસ અલગ હોવું આવશ્યક છે DocType: Employee Benefit Application,Benefits Applied,લાભો લાગુ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,જર્નલ એન્ટ્રી સામે {0} માં કોઈ મેળ ખાતી {1} એન્ટ્રી નથી +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","નામકરણ શ્રેણીમાં "-", "#", ".", "/", "{" અને "}" સિવાય વિશેષ અક્ષરો નથી." apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,ભાવ અથવા ઉત્પાદન ડિસ્કાઉન્ટ સ્લેબ જરૂરી છે apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,લક્ષ્ય સેટ કરો apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},વિદ્યાર્થી સામે હાજરી રેકોર્ડ {0} અસ્તિત્વ ધરાવે છે {1} @@ -1628,10 +1639,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,પ્રતિ મહિના DocType: Routing,Routing Name,રાઉટીંગ નામ DocType: Disease,Common Name,સામાન્ય નામ -DocType: Quality Goal,Measurable,માપી શકાય તેવું DocType: Education Settings,LMS Title,એલએમએસ શીર્ષક apps/erpnext/erpnext/config/non_profit.py,Loan Management,લોન વ્યવસ્થાપન -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,સપોર્ટ એનાલિટીક્સ DocType: Clinical Procedure,Consumable Total Amount,ઉપભોક્તા કુલ રકમ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,ઢાંચો સક્ષમ કરો apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,ગ્રાહક એલ.પી.ઓ. @@ -1770,6 +1779,7 @@ DocType: Restaurant Order Entry Item,Served,સેવા આપી DocType: Loan,Member,સભ્ય DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,પ્રેક્ટિશનર સર્વિસ યુનિટ શેડ્યૂલ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,વાયર ટ્રાન્સફર +DocType: Quality Review Objective,Quality Review Objective,ગુણવત્તા સમીક્ષા ઉદ્દેશ DocType: Bank Reconciliation Detail,Against Account,એકાઉન્ટ સામે DocType: Projects Settings,Projects Settings,પ્રોજેક્ટ સેટિંગ્સ apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},વાસ્તવિક Qty {0} / રાહ જોવાની ક્વોલિટી {1} @@ -1798,6 +1808,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,નાણાકીય વર્ષ સમાપ્તિ તારીખ ફિસ્કલ વર્ષ પ્રારંભ તારીખ પછી એક વર્ષ હોવી જોઈએ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,દૈનિક રીમાઇન્ડર્સ DocType: Item,Default Sales Unit of Measure,ડિફૉલ્ટ સેલ્સ યુનિટ ઓફ મેઝર +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,કંપની જીએસટીઆઈએન DocType: Asset Finance Book,Rate of Depreciation,અવમૂલ્યન દર DocType: Support Search Source,Post Description Key,પોસ્ટ વર્ણન કી DocType: Loyalty Program Collection,Minimum Total Spent,ન્યૂનતમ કુલ ખર્ચ @@ -1868,6 +1879,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,પસંદ કરેલ ગ્રાહક માટે ગ્રાહક જૂથ બદલવાનું માન્ય નથી. DocType: Serial No,Creation Document Type,બનાવટ દસ્તાવેજ પ્રકાર DocType: Sales Invoice Item,Available Batch Qty at Warehouse,વેરહાઉસ પર ઉપલબ્ધ બેચ જથ્થો +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ભરતિયું ગ્રાન્ડ કુલ apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,આ એક મૂળ પ્રદેશ છે અને સંપાદિત કરી શકાતું નથી. DocType: Patient,Surgical History,સર્જિકલ ઇતિહાસ apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,ગુણવત્તા પ્રક્રિયા વૃક્ષ. @@ -1972,6 +1984,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,જો તમે વેબસાઇટમાં બતાવવા માંગતા હોવ તો આ તપાસો apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ફિસ્કલ વર્ષ {0} મળ્યું નથી DocType: Bank Statement Settings,Bank Statement Settings,બેંક સ્ટેટમેન્ટ સેટિંગ્સ +DocType: Quality Procedure Process,Link existing Quality Procedure.,હાલની ગુણવત્તા પ્રક્રિયા લિંક કરો. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,સીએસવી / એક્સેલ ફાઇલોમાંથી એકાઉન્ટ્સનું ચાર્ટ આયાત કરો DocType: Appraisal Goal,Score (0-5),સ્કોર (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,એટ્રીબ્યુટ {0} એટ્રીબ્યુટ્સ કોષ્ટકમાં અનેક વખત પસંદ કરેલ છે DocType: Purchase Invoice,Debit Note Issued,ડેબિટ નોંધ રજૂ @@ -1980,7 +1994,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,નીતિ વિગતવાર છોડી દો apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,વેરહાઉસ સિસ્ટમમાં મળ્યું નથી DocType: Healthcare Practitioner,OP Consulting Charge,ઓપી કન્સલ્ટિંગ ચાર્જ -DocType: Quality Goal,Measurable Goal,માપી શકાય તેવું લક્ષ્ય DocType: Bank Statement Transaction Payment Item,Invoices,ઇન્વૉઇસેસ DocType: Currency Exchange,Currency Exchange,કરન્સી એક્સચેન્જ DocType: Payroll Entry,Fortnightly,પખવાડિયામાં @@ -2043,6 +2056,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} સબમિટ નથી DocType: Work Order,Backflush raw materials from work-in-progress warehouse,વર્ક-ઇન-પ્રોગ્રેસ વેરહાઉસમાંથી બેકફ્લાશ કાચો માલ DocType: Maintenance Team Member,Maintenance Team Member,જાળવણી ટીમ સભ્ય +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,એકાઉન્ટિંગ માટે કસ્ટમ પરિમાણો સુયોજિત કરો DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,મહત્તમ વૃદ્ધિ માટે છોડની હરોળની વચ્ચેનો લઘુત્તમ અંતર DocType: Employee Health Insurance,Health Insurance Name,આરોગ્ય વીમા નામ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,સ્ટોક એસેટ્સ @@ -2075,7 +2089,7 @@ DocType: Delivery Note,Billing Address Name,બિલિંગ સરનામ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,વૈકલ્પિક વસ્તુ DocType: Certification Application,Name of Applicant,અરજદારનુંં નામ DocType: Leave Type,Earned Leave,ઉપાર્જિત રજા -DocType: Quality Goal,June,જૂન +DocType: GSTR 3B Report,June,જૂન apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},પંક્તિ {0}: આઇટમ માટે ખર્ચ કેન્દ્ર આવશ્યક છે {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},{0} દ્વારા મંજૂર કરી શકાય છે apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,રૂપાંતર પરિબળ કોષ્ટકમાં {0} એકમથી વધુ એક વખત દાખલ કરવામાં આવ્યું છે @@ -2096,6 +2110,7 @@ DocType: Lab Test Template,Standard Selling Rate,ધોરણ વેચાણ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},મહેરબાની કરીને રેસ્ટોરન્ટ માટે સક્રિય મેનૂ સુયોજિત કરો {0} 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: Asset Finance Book,Asset Finance Book,એસેટ ફાઈનાન્સ બુક +DocType: Quality Goal Objective,Quality Goal Objective,ગુણવત્તા લક્ષ્ય ઉદ્દેશ્ય DocType: Employee Transfer,Employee Transfer,કર્મચારી ટ્રાન્સફર ,Sales Funnel,સેલ્સ ફનલ DocType: Agriculture Analysis Criteria,Water Analysis,પાણી વિશ્લેષણ @@ -2134,6 +2149,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,કર્મચ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,બાકી પ્રવૃત્તિઓ apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,તમારા કેટલાક ગ્રાહકોની સૂચિ બનાવો. તેઓ સંસ્થાઓ અથવા વ્યક્તિઓ હોઈ શકે છે. DocType: Bank Guarantee,Bank Account Info,બેંક એકાઉન્ટ માહિતી +DocType: Quality Goal,Weekday,અઠવાડિક દિવસ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,ગાર્ડિયન 1 નામ DocType: Salary Component,Variable Based On Taxable Salary,કરપાત્ર પગાર પર આધારિત વેરિયેબલ DocType: Accounting Period,Accounting Period,એકાઉન્ટિંગ પીરિયડ @@ -2216,7 +2232,7 @@ DocType: Purchase Invoice,Rounding Adjustment,રાઉન્ડિંગ એડ DocType: Quality Review Table,Quality Review Table,ગુણવત્તા સમીક્ષા કોષ્ટક DocType: Member,Membership Expiry Date,સભ્યપદ સમાપ્તિ તારીખ DocType: Asset Finance Book,Expected Value After Useful Life,ઉપયોગી જીવન પછી અપેક્ષિત મૂલ્ય -DocType: Quality Goal,November,નવેમ્બર +DocType: GSTR 3B Report,November,નવેમ્બર DocType: Loan Application,Rate of Interest,વ્યાજના દર DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,બેંક સ્ટેટમેન્ટ ટ્રાન્ઝેક્શન પેમેન્ટ આઇટમ DocType: Restaurant Reservation,Waitlisted,રાહ જોવી @@ -2280,6 +2296,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","પંક્તિ {0}: {1} સમયાંતરે સેટ કરવા માટે, તારીખ અને તારીખ વચ્ચેનો તફાવત \ {2} કરતા વધુ અથવા બરાબર હોવો આવશ્યક છે" DocType: Purchase Invoice Item,Valuation Rate,મૂલ્યાંકન દર DocType: Shopping Cart Settings,Default settings for Shopping Cart,શોપિંગ કાર્ટ માટે મૂળભૂત સેટિંગ્સ +DocType: Quiz,Score out of 100,100 ની બહાર સ્કોર DocType: Manufacturing Settings,Capacity Planning,ક્ષમતા આયોજન apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,પ્રશિક્ષકો પર જાઓ DocType: Activity Cost,Projects,પ્રોજેક્ટ્સ @@ -2289,6 +2306,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,સમય પ્રતિ apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,વેરિઅન્ટ વિગતો રિપોર્ટ +,BOM Explorer,બોમ એક્સપ્લોરર DocType: Currency Exchange,For Buying,ખરીદી માટે apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} માટેની સ્લોટ્સ શેડ્યૂલમાં ઉમેરવામાં આવી નથી DocType: Target Detail,Target Distribution,લક્ષ્ય વિતરણ @@ -2306,6 +2324,7 @@ DocType: Activity Cost,Activity Cost,પ્રવૃત્તિ ખર્ચ DocType: Journal Entry,Payment Order,ચુકવણી ઓર્ડર apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,પ્રાઇસીંગ ,Item Delivery Date,આઇટમ ડિલિવરી તારીખ +DocType: Quality Goal,January-April-July-October,જાન્યુઆરી-એપ્રિલ-જુલાઈ-ઓક્ટોબર DocType: Purchase Order Item,Warehouse and Reference,વેરહાઉસ અને સંદર્ભ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,"બાળક નોડ્સ સાથેનો એકાઉન્ટ, ખાતામાં રૂપાંતરિત કરી શકાતો નથી" DocType: Soil Texture,Clay Composition (%),ક્લે રચના (%) @@ -2356,6 +2375,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,ભાવિ તાર apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,વાયરિયેશન apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,પંક્તિ {0}: કૃપા કરીને ચૂકવણીની સૂચિમાં ચુકવણીનો મોડ સેટ કરો apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,શૈક્ષણિક મુદત: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,ગુણવત્તા પ્રતિસાદ પરિમાણ apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,કૃપા કરીને ડિસ્કાઉન્ટ લાગુ કરો પસંદ કરો apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,પંક્તિ # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,કુલ ચુકવણીઓ @@ -2398,7 +2418,7 @@ DocType: Hub Tracked Item,Hub Node,હબ નોડ apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,કર્મચારી આઈડી DocType: Salary Structure Assignment,Salary Structure Assignment,વેતન માળખું સોંપણી DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,પોસ ક્લોઝિંગ વાઉચર ટેક્સ -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,ક્રિયા પ્રારંભિક +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,ક્રિયા પ્રારંભિક DocType: POS Profile,Applicable for Users,વપરાશકર્તાઓ માટે લાગુ DocType: Training Event,Exam,પરીક્ષા apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,ખોટી સંખ્યામાં સામાન્ય લેજર પ્રવેશો મળી. તમે ટ્રાન્ઝેક્શનમાં ખોટો ખાતા પસંદ કર્યો હશે. @@ -2505,6 +2525,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,રેખાંશ DocType: Accounts Settings,Determine Address Tax Category From,સરનામુ કરવેરા કેટેગરી નક્કી કરો apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,નિર્ણય ઉત્પાદકોની ઓળખ +DocType: Stock Entry Detail,Reference Purchase Receipt,સંદર્ભ ખરીદી રસીદ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,આમંત્રણ મેળવો DocType: Tally Migration,Is Day Book Data Imported,દિવસ બુક ડેટા આયાત કરેલો છે ,Sales Partners Commission,સેલ્સ પાર્ટનર્સ કમિશન @@ -2528,6 +2549,7 @@ DocType: Leave Type,Applicable After (Working Days),પછી લાગુ (ક DocType: Timesheet Detail,Hrs,હાર્સ DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,સપ્લાયર સ્કોરકાર્ડ માપદંડ DocType: Amazon MWS Settings,FR,એફઆર +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,ગુણવત્તા પ્રતિસાદ ઢાંચો પરિમાણ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,જોડાવાની તારીખ જન્મ તારીખ કરતાં વધારે હોવી આવશ્યક છે DocType: Bank Statement Transaction Invoice Item,Invoice Date,ભરતિયું તારીખ DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,સેલ્સ ભરતિયું સબમિટ પર લેબ પરીક્ષણ (ઓ) બનાવો @@ -2634,7 +2656,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,ન્યૂનતમ DocType: Stock Entry,Source Warehouse Address,સોર્સ વેરહાઉસ સરનામું DocType: Compensatory Leave Request,Compensatory Leave Request,વળતર રજા અરજી DocType: Lead,Mobile No.,મોબાઈલ નમ્બર. -DocType: Quality Goal,July,જુલાઈ +DocType: GSTR 3B Report,July,જુલાઈ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,પાત્ર આઇટીસી DocType: Fertilizer,Density (if liquid),ઘનતા (પ્રવાહી હોય તો) DocType: Employee,External Work History,બાહ્ય કાર્ય ઇતિહાસ @@ -2711,6 +2733,7 @@ DocType: Certification Application,Certification Status,પ્રમાણન apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},સંપત્તિ માટે સ્રોત સ્થાન આવશ્યક છે {0} DocType: Employee,Encashment Date,એન્કેશમેન્ટ તારીખ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,પૂર્ણ સંપત્તિ જાળવણી લૉગ માટે કૃપા કરીને પૂર્ણ તારીખ પસંદ કરો +DocType: Quiz,Latest Attempt,નવીનતમ પ્રયાસ DocType: Leave Block List,Allow Users,વપરાશકર્તાઓને મંજૂરી આપો apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,હિસાબનો ચાર્ટ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,કસ્ટમર તરીકે 'ઑપોર્ચ્યુનિટી ફ્રોમ' પસંદ કરવામાં આવે તો ગ્રાહક ફરજિયાત છે @@ -2775,7 +2798,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,સપ્લાય DocType: Amazon MWS Settings,Amazon MWS Settings,એમેઝોન MWS સેટિંગ્સ DocType: Program Enrollment,Walking,વૉકિંગ DocType: SMS Log,Requested Numbers,વિનંતી કરેલા નંબર્સ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,કૃપા કરીને સેટઅપ> નંબરિંગ સીરીઝ દ્વારા હાજરી માટે નંબરિંગ શ્રેણી સેટ કરો DocType: Woocommerce Settings,Freight and Forwarding Account,માલ અને ફોરવર્ડિંગ એકાઉન્ટ apps/erpnext/erpnext/accounts/party.py,Please select a Company,કૃપા કરીને કોઈ કંપની પસંદ કરો apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,પંક્તિ {0}: {1} 0 થી મોટી હોવી આવશ્યક છે @@ -2845,7 +2867,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ગ્ર DocType: Training Event,Seminar,સેમિનાર apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),ક્રેડિટ ({0}) DocType: Payment Request,Subscription Plans,ઉમેદવારી યોજનાઓ -DocType: Quality Goal,March,કુચ +DocType: GSTR 3B Report,March,કુચ apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,સ્પ્લિટ બેચ DocType: School House,House Name,ઘરનું નામ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0} માટે ઉત્કૃષ્ટ શૂન્ય કરતાં ઓછું હોઈ શકતું નથી ({1}) @@ -2908,7 +2930,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,વીમા પ્રારંભ તારીખ DocType: Target Detail,Target Detail,લક્ષ્ય વિગતવાર DocType: Packing Slip,Net Weight UOM,નેટ વેઇટ યુએમએમ -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},યુઓએમ રૂપાંતરણ પરિબળ ({0} -> {1}) આઇટમ માટે મળ્યું નથી: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),નેટ રકમ (કંપની કરન્સી) DocType: Bank Statement Transaction Settings Item,Mapped Data,મેપ કરેલ ડેટા apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,સિક્યોરિટીઝ અને ડિપોઝિટ @@ -2958,6 +2979,7 @@ DocType: Cheque Print Template,Cheque Height,ઊંચાઈ તપાસો apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,કૃપા કરીને રાહત તારીખ દાખલ કરો. DocType: Loyalty Program,Loyalty Program Help,વફાદારી કાર્યક્રમ સહાય DocType: Journal Entry,Inter Company Journal Entry Reference,ઇન્ટર કંપની જર્નલ એન્ટ્રી સંદર્ભ +DocType: Quality Meeting,Agenda,એજન્ડા DocType: Quality Action,Corrective,સુધારાત્મક apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,ગ્રુપ દ્વારા DocType: Bank Account,Address and Contact,સરનામું અને સંપર્ક @@ -3011,7 +3033,7 @@ DocType: GL Entry,Credit Amount,ક્રેડિટ રકમ apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,કુલ રકમ ક્રેડિટ DocType: Support Search Source,Post Route Key List,પોસ્ટ રૂટ કી સૂચિ apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} કોઈપણ સક્રિય નાણાકીય વર્ષમાં નહીં. -DocType: Quality Action Table,Problem,સમસ્યા +DocType: Quality Action Resolution,Problem,સમસ્યા DocType: Training Event,Conference,કોન્ફરન્સ DocType: Mode of Payment Account,Mode of Payment Account,ચુકવણી ખાતાની સ્થિતિ DocType: Leave Encashment,Encashable days,એન્કેશનેબલ દિવસો @@ -3137,7 +3159,7 @@ DocType: Item,"Purchase, Replenishment Details","ખરીદી, પુનઃ DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","એકવાર સેટ કર્યા પછી, આ ઇન્વૉઇસ સેટ તારીખ સુધી પકડશે" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,વસ્તુ {0} માટે સ્ટોક અસ્તિત્વમાં નથી કારણ કે તેમાં ચલો છે DocType: Lab Test Template,Grouped,જૂથ થયેલ -DocType: Quality Goal,January,જાન્યુઆરી +DocType: GSTR 3B Report,January,જાન્યુઆરી DocType: Course Assessment Criteria,Course Assessment Criteria,કોર્સ મૂલ્યાંકન માપદંડ DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,પૂર્ણ જથ્થો @@ -3232,7 +3254,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,હેલ્ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,મહેરબાની કરીને ટેબલમાં ઓછામાં ઓછા 1 ઇન્વૉઇસ દાખલ કરો apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,વેચાણ ઑર્ડર {0} સબમિટ નથી apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,હાજરી સફળતાપૂર્વક ચિહ્નિત કરવામાં આવી છે. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,પૂર્વ વેચાણ +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,પૂર્વ વેચાણ apps/erpnext/erpnext/config/projects.py,Project master.,પ્રોજેક્ટ માસ્ટર. DocType: Daily Work Summary,Daily Work Summary,દૈનિક વર્ક સારાંશ DocType: Asset,Partially Depreciated,આંશિક રીતે અવ્યવસ્થિત @@ -3241,6 +3263,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,એન્કેશ છોડો? DocType: Certified Consultant,Discuss ID,ચર્ચા કરો apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,કૃપા કરીને જીએસટી સેટિંગ્સમાં જીએસટી એકાઉન્ટ્સ સેટ કરો +DocType: Quiz,Latest Highest Score,તાજેતરના ઉચ્ચતમ સ્કોર DocType: Supplier,Billing Currency,બિલિંગ કરન્સી apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,વિદ્યાર્થી પ્રવૃત્તિ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,ક્યાં તો લક્ષ્ય ક્યુટી અથવા લક્ષ્ય રકમ ફરજિયાત છે @@ -3266,18 +3289,21 @@ DocType: Sales Order,Not Delivered,વિતરિત નથી apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,છોડો પ્રકાર {0} ફાળવવામાં આવી શકતા નથી કારણ કે તે પગાર વિના છોડી દે છે DocType: GL Entry,Debit Amount,ડેબિટ રકમ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},આઇટમ {0} માટે પહેલેથી રેકોર્ડ અસ્તિત્વમાં છે +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,સબ એસેમ્બલીઝ 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.","જો બહુવિધ પ્રાઇસીંગ નિયમો ચાલુ રહે છે, તો વપરાશકર્તાઓને સંઘર્ષને ઉકેલવા માટે પ્રાધાન્યતાને મેન્યુઅલી સેટ કરવાનું કહેવામાં આવે છે." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total','મૂલ્યાંકન' અથવા 'મૂલ્યાંકન અને કુલ' માટે કેટેગરી હોય ત્યારે કપાત કરી શકાતું નથી apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,બીએમ અને ઉત્પાદન જથ્થો જરૂરી છે apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},વસ્તુ {0} તેના જીવનના અંત સુધી પહોંચી ગઈ છે {1} DocType: Quality Inspection Reading,Reading 6,વાંચન 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,કંપની ક્ષેત્ર આવશ્યક છે apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,મટીરીઅલ કન્ઝ્યુમશન મેન્યુફેક્ચરીંગ સેટિંગમાં નથી. DocType: Assessment Group,Assessment Group Name,આકારણી જૂથ નામ -DocType: Item,Manufacturer Part Number,ઉત્પાદક ભાગ ક્રમાંક +DocType: Purchase Invoice Item,Manufacturer Part Number,ઉત્પાદક ભાગ ક્રમાંક apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,પગારપત્રક ચૂકવવાપાત્ર apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},પંક્તિ # {0}: {1} વસ્તુ માટે નકારાત્મક ન હોઈ શકે {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,બેલેન્સ Qty +DocType: Question,Multiple Correct Answer,મલ્ટીપલ સાચો જવાબ DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 લોયલ્ટી પોઇન્ટ = કેટલો આધાર ચલણ? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},નોંધ: છોડવાના પ્રકાર માટે {0} પૂરતી રજા બાકી નથી DocType: Clinical Procedure,Inpatient Record,ઇનપેશિયન્ટ રેકોર્ડ @@ -3400,6 +3426,7 @@ DocType: Fee Schedule Program,Total Students,કુલ વિદ્યાર્ apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,સ્થાનિક DocType: Chapter Member,Leave Reason,કારણ છોડો DocType: Salary Component,Condition and Formula,શરત અને ફોર્મ્યુલા +DocType: Quality Goal,Objectives,હેતુઓ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","{0} અને {1} ની વચ્ચેના સમયગાળા માટે પગારની પ્રક્રિયા પહેલાથી થઈ છે, બાકીની અરજી અવધિ આ તારીખ શ્રેણી વચ્ચે હોઈ શકતી નથી." DocType: BOM Item,Basic Rate (Company Currency),મૂળભૂત દર (કંપની કરન્સી) DocType: BOM Scrap Item,BOM Scrap Item,બોમ સ્ક્રેપ વસ્તુ @@ -3450,6 +3477,7 @@ DocType: Supplier,SUP-.YYYY.-,સુપ્રીમ- YYYYY.- DocType: Expense Claim Account,Expense Claim Account,ખર્ચ એકાઉન્ટ ખર્ચ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,જર્નલ એન્ટ્રી માટે કોઈ ચુકવણી ઉપલબ્ધ નથી apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} નિષ્ક્રિય વિદ્યાર્થી છે +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,સ્ટોક એન્ટ્રી બનાવો DocType: Employee Onboarding,Activities,પ્રવૃત્તિઓ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,ઓછામાં ઓછું એક વેરહાઉસ ફરજિયાત છે ,Customer Credit Balance,ગ્રાહક ક્રેડિટ બેલેન્સ @@ -3534,7 +3562,6 @@ DocType: Contract,Contract Terms,કરાર શરતો apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,ક્યાં તો લક્ષ્ય ક્યુટી અથવા લક્ષ્ય રકમ ફરજિયાત છે. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},અમાન્ય {0} DocType: Item,FIFO,ફીફો -DocType: Quality Meeting,Meeting Date,મીટિંગ તારીખ DocType: Inpatient Record,HLC-INP-.YYYY.-,એચએલસી-આઈએનપી- .YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,સંક્ષિપ્તમાં 5 અક્ષરો કરતા વધુ હોઈ શકતા નથી DocType: Employee Benefit Application,Max Benefits (Yearly),મહત્તમ લાભો (વાર્ષિક) @@ -3637,7 +3664,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,બેંક ચાર્જિસ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,ગુડ્સ સ્થાનાંતરિત apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,પ્રાથમિક સંપર્ક વિગતો -DocType: Quality Review,Values,મૂલ્યો DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","જો ચેક ન કરાય તો, તે દરેક વિભાગમાં તે ઉમેરવાની રહેશે જ્યાં તેને અરજી કરવી પડશે." DocType: Item Group,Show this slideshow at the top of the page,પૃષ્ઠના શીર્ષ પર આ સ્લાઇડશો બતાવો apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} પરિમાણ અમાન્ય છે @@ -3656,6 +3682,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,બેંક ચાર્જિસ એકાઉન્ટ DocType: Journal Entry,Get Outstanding Invoices,ઉત્કૃષ્ટ ઇનવોઇસ મેળવો DocType: Opportunity,Opportunity From,તક +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,લક્ષ્ય વિગતો DocType: Item,Customer Code,ગ્રાહક કોડ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,કૃપા કરીને પહેલા વસ્તુ દાખલ કરો apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,વેબસાઇટ લિસ્ટિંગ @@ -3684,7 +3711,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,ડિલિવરી DocType: Bank Statement Transaction Settings Item,Bank Data,બેંક ડેટા apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,સુનિશ્ચિત સુધી -DocType: Quality Goal,Everyday,દરરોજ DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,ટાઇમશીટ પર બિલિંગ અવર્સ અને કાર્યકાળનો સમય જાળવો apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,ટ્રેક લીડ સોર્સ દ્વારા દોરી જાય છે. DocType: Clinical Procedure,Nursing User,નર્સિંગ યુઝર @@ -3709,7 +3735,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,પ્રદેશ વ DocType: GL Entry,Voucher Type,વાઉચર પ્રકાર ,Serial No Service Contract Expiry,સીરીયલ કોઈ સેવા કરાર સમાપ્તિ DocType: Certification Application,Certified,પ્રમાણિત -DocType: Material Request Plan Item,Manufacture,ઉત્પાદન +DocType: Purchase Invoice Item,Manufacture,ઉત્પાદન apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} વસ્તુઓ બનાવ્યાં apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0} માટે ચુકવણી વિનંતી apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,છેલ્લા આદેશથી દિવસો @@ -3724,7 +3750,7 @@ DocType: Sales Invoice,Company Address Name,કંપનીનું સરન apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,ટ્રાંઝિટમાં માલ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,તમે આ ક્રમમાં મહત્તમ {0} બિંદુઓને ફક્ત રિડીમ કરી શકો છો. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},કૃપા કરીને વેરહાઉસમાં એકાઉન્ટ સેટ કરો {0} -DocType: Quality Action Table,Resolution,ઠરાવ +DocType: Quality Action,Resolution,ઠરાવ DocType: Sales Invoice,Loyalty Points Redemption,વફાદારી પોઇન્ટ મુક્તિ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,કુલ કરપાત્ર મૂલ્ય DocType: Patient Appointment,Scheduled,અનુસૂચિત @@ -3845,6 +3871,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,દર apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},સાચવી રહ્યું છે {0} DocType: SMS Center,Total Message(s),કુલ સંદેશો +DocType: Purchase Invoice,Accounting Dimensions,એકાઉન્ટિંગ પરિમાણો apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,એકાઉન્ટ દ્વારા જૂથ DocType: Quotation,In Words will be visible once you save the Quotation.,એકવાર તમે અવતરણ સાચવો તે પછી શબ્દોમાં દેખાશે. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,ઉત્પાદન કરવા માટેના જથ્થા @@ -4009,7 +4036,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","જો તમારી પાસે કોઈ પ્રશ્નો હોય, તો કૃપા કરીને અમને પાછા મેળવો." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,ખરીદી રસીદ {0} સબમિટ નથી DocType: Task,Total Expense Claim (via Expense Claim),કુલ ખર્ચ દાવો (ખર્ચ દાવાની મારફત) -DocType: Quality Action,Quality Goal,ગુણવત્તા લક્ષ્ય +DocType: Quality Goal,Quality Goal,ગુણવત્તા લક્ષ્ય DocType: Support Settings,Support Portal,આધાર પોર્ટલ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},એમ્પ્લોયી {0} ચાલુ છે {1} DocType: Employee,Held On,પર રાખવામાં @@ -4067,7 +4094,6 @@ DocType: BOM,Operating Cost (Company Currency),ઓપરેટિંગ કો DocType: Item Price,Item Price,આઇટમ ભાવ DocType: Payment Entry,Party Name,પાર્ટીનું નામ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,કૃપા કરીને ગ્રાહક પસંદ કરો -DocType: Course,Course Intro,કોર્સ પ્રસ્તાવના DocType: Program Enrollment Tool,New Program,નવો કાર્યક્રમ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","નવા ખર્ચ કેન્દ્રની સંખ્યા, તે કિંમત કેન્દ્રના નામમાં ઉપસર્ગ તરીકે સમાવવામાં આવશે" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ગ્રાહક અથવા સપ્લાયર પસંદ કરો. @@ -4268,6 +4294,7 @@ DocType: Customer,CUST-.YYYY.-,સી.ટી.સી.-વાયવાયવાય apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,નેટ પેજ નકારાત્મક ન હોઈ શકે apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,કોઈ ક્રિયાપ્રતિક્રિયા નથી 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/hr/doctype/employee/employee_dashboard.py,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,એકાઉન્ટ્સ અને પક્ષોના પ્રોસેસિંગ ચાર્ટ DocType: Stock Settings,Convert Item Description to Clean HTML,એચટીએમએલ સાફ કરવા માટે આઇટમ વર્ણન કન્વર્ટ apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,બધા પુરવઠોકર્તા જૂથો @@ -4346,6 +4373,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,પિતૃ વસ્તુ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,બ્રોકરેજ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},કૃપા કરીને આઇટમ માટે ખરીદી રસીદ અથવા ખરીદી ઇન્વૉઇસ બનાવો {0} +,Product Bundle Balance,ઉત્પાદન બંડલ બેલેન્સ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,કંપનીનું નામ કંપની હોઈ શકતું નથી DocType: Maintenance Visit,Breakdown,ભંગાણ DocType: Inpatient Record,B Negative,બી નકારાત્મક @@ -4354,7 +4382,7 @@ DocType: Purchase Invoice,Credit To,ક્રેડિટ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,આગળ પ્રક્રિયા માટે આ વર્ક ઓર્ડર સબમિટ કરો. DocType: Bank Guarantee,Bank Guarantee Number,બેંક ગેરંટી નંબર apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},વિતરિત: {0} -DocType: Quality Action,Under Review,સમીક્ષા હેઠળ +DocType: Quality Meeting Table,Under Review,સમીક્ષા હેઠળ apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),કૃષિ (બીટા) ,Average Commission Rate,સરેરાશ કમિશન દર DocType: Sales Invoice,Customer's Purchase Order Date,ગ્રાહકની ખરીદી ઑર્ડર તારીખ @@ -4471,7 +4499,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,ભરતિયાં સાથે મેચ ચુકવણી DocType: Holiday List,Weekly Off,સાપ્તાહિક બંધ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},આઇટમ {0} માટે વૈકલ્પિક વસ્તુને સેટ કરવાની મંજૂરી આપતી નથી -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,પ્રોગ્રામ {0} અસ્તિત્વમાં નથી. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,પ્રોગ્રામ {0} અસ્તિત્વમાં નથી. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,તમે રૂટ નોડને સંપાદિત કરી શકતા નથી. DocType: Fee Schedule,Student Category,વિદ્યાર્થી કેટેગરી apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","આઇટમ {0}: {1} ક્યુટી બનાવ્યું," @@ -4562,8 +4590,8 @@ DocType: Crop,Crop Spacing,પાક જગ્યા DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,સેલ્સ વ્યવહારોના આધારે પ્રોજેક્ટ અને કંપની કેટલી વાર અપડેટ થવી જોઈએ. DocType: Pricing Rule,Period Settings,સમયગાળો સેટિંગ્સ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,એકાઉન્ટ્સમાં નેટ ચેન્જ પ્રાપ્ય +DocType: Quality Feedback Template,Quality Feedback Template,ગુણવત્તા પ્રતિસાદ ઢાંચો apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,જથ્થા માટે શૂન્ય કરતા વધારે હોવું આવશ્યક છે -DocType: Quality Goal,Goal Objectives,લક્ષ્ય ઉદ્દેશ્યો apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","દર, શેરની સંખ્યા અને ગણતરીની રકમ વચ્ચે અસંગતતા છે" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,જો તમે દર વર્ષે વિદ્યાર્થી જૂથો બનાવો તો ખાલી છોડી દો apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),લોન (જવાબદારીઓ) @@ -4598,12 +4626,13 @@ DocType: Quality Procedure Table,Step,પગલું DocType: Normal Test Items,Result Value,પરિણામ મૂલ્ય DocType: Cash Flow Mapping,Is Income Tax Liability,આવકવેરા જવાબદારી છે DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ઇનપેસન્ટ ચાર્જ આઇટમની મુલાકાત લો -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} અસ્તિત્વમાં નથી. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} અસ્તિત્વમાં નથી. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,સુધારા પ્રતિભાવ DocType: Bank Guarantee,Supplier,પુરવઠોકર્તા apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},મૂલ્ય betweeen {0} અને {1} દાખલ કરો DocType: Purchase Order,Order Confirmation Date,ઓર્ડર પુષ્ટિ તારીખ DocType: Delivery Trip,Calculate Estimated Arrival Times,અંદાજિત આગમન ટાઇમ્સની ગણતરી કરો +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,કૃપા કરીને માનવ સંસાધન> એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,ઉપભોક્તા DocType: Instructor,EDU-INS-.YYYY.-,એજ્યુ-આઈએનએસ- .YYYY.- DocType: Subscription,Subscription Start Date,ઉમેદવારી પ્રારંભ તારીખ @@ -4667,6 +4696,7 @@ DocType: Cheque Print Template,Is Account Payable,એકાઉન્ટ ચૂ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,કુલ ઓર્ડર મૂલ્ય apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},સપ્લાયર {0} {1} માં મળી નથી apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,સેટઅપ એસએમએસ ગેટવે સેટિંગ્સ +DocType: Salary Component,Round to the Nearest Integer,નજીકના પૂર્ણાંક તરફ રાઉન્ડ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,રુટમાં પિતૃ ખર્ચ કેન્દ્ર હોઈ શકતો નથી DocType: Healthcare Service Unit,Allow Appointments,નિમણૂકની મંજૂરી આપો DocType: BOM,Show Operations,ઓપરેશન્સ બતાવો @@ -4795,7 +4825,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,ડિફૉલ્ટ હોલીડે સૂચિ DocType: Naming Series,Current Value,વર્તમાન કિંમત apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","બજેટ્સ, લક્ષ્યો વગેરેને સેટ કરવા માટે મોસમ." -DocType: Program,Program Code,કાર્યક્રમ કોડ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},ચેતવણી: સેલ્સ ઓર્ડર {0} ગ્રાહકના ખરીદ ઓર્ડર {1} સામે પહેલેથી હાજર છે apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,માસિક વેચાણ લક્ષ્યાંક ( DocType: Guardian,Guardian Interests,ગાર્ડિયન રસ @@ -4845,10 +4874,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,ચુકવેલ અને વિતરિત નથી apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,વસ્તુ કોડ ફરજિયાત છે કારણ કે આઇટમ આપમેળે ક્રમાંકિત નથી DocType: GST HSN Code,HSN Code,એચએસએન કોડ -DocType: Quality Goal,September,સપ્ટેમ્બર +DocType: GSTR 3B Report,September,સપ્ટેમ્બર apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,વહીવટી ખર્ચ DocType: C-Form,C-Form No,સી-ફોર્મ નં DocType: Purchase Invoice,End date of current invoice's period,વર્તમાન ઇન્વૉઇસની અવધિની સમાપ્તિ તારીખ +DocType: Item,Manufacturers,ઉત્પાદકો DocType: Crop Cycle,Crop Cycle,પાક સાયકલ DocType: Serial No,Creation Time,બનાવટનો સમય apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,કૃપા કરીને રોલ મંજૂર કરો અથવા વપરાશકર્તાને મંજૂરી આપો @@ -4921,8 +4951,6 @@ DocType: Employee,Short biography for website and other publications.,વેબ DocType: Purchase Invoice Item,Received Qty,જથ્થો પ્રાપ્ત DocType: Purchase Invoice Item,Rate (Company Currency),દર (કંપની કરન્સી) DocType: Item Reorder,Request for,ની વિનંતી -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","કૃપા કરીને આ દસ્તાવેજને રદ કરવા માટે કર્મચારી {0} \ કાઢી નાખો" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,પ્રીસેટ્સ ઇન્સ્ટોલ કરી રહ્યું છે apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,કૃપા કરીને ચુકવણી કાળો દાખલ કરો DocType: Pricing Rule,Advanced Settings,અદ્યતન સેટિંગ્સ @@ -4948,7 +4976,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,શોપિંગ કાર્ટ સક્ષમ કરો DocType: Pricing Rule,Apply Rule On Other,અન્ય પર નિયમ લાગુ કરો DocType: Vehicle,Last Carbon Check,છેલ્લું કાર્બન ચેક -DocType: Vehicle,Make,બનાવો +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,બનાવો apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,વેચાણ ભરતિયું {0} ચુકવણી તરીકે બનાવેલ છે apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,ચુકવણી વિનંતી સંદર્ભ દસ્તાવેજ બનાવવા માટે આવશ્યક છે apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,આવક વેરો @@ -5024,7 +5052,6 @@ DocType: Territory,Parent Territory,પિતૃ પ્રદેશ DocType: Vehicle Log,Odometer Reading,ઓડોમીટર વાંચન DocType: Additional Salary,Salary Slip,પગાર કાપલી DocType: Payroll Entry,Payroll Frequency,પેરોલ આવર્તન -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,કૃપા કરીને માનવ સંસાધન> એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","પ્રારંભિક અને સમાપ્તિ તારીખો માન્ય પેરોલ અવધિમાં નથી, {0} ની ગણતરી કરી શકાતી નથી" DocType: Products Settings,Home Page is Products,હોમ પેજ પ્રોડક્ટ્સ છે apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,કૉલ્સ @@ -5078,7 +5105,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,રેકોર્ડ્સ લાવી રહ્યું છે ...... DocType: Delivery Stop,Contact Information,સંપર્ક માહિતી DocType: Sales Order Item,For Production,ઉત્પાદન માટે -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,કૃપા કરીને શિક્ષણ> શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો DocType: Serial No,Asset Details,સંપત્તિ વિગતો DocType: Restaurant Reservation,Reservation Time,આરક્ષિત સમય DocType: Selling Settings,Default Territory,ડિફૉલ્ટ ટેરીટરી @@ -5218,6 +5244,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,સમાપ્ત બૅચેસ DocType: Shipping Rule,Shipping Rule Type,શિપિંગ રૂલ પ્રકાર DocType: Job Offer,Accepted,સ્વીકાર્યું +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","કૃપા કરીને આ દસ્તાવેજને રદ કરવા માટે કર્મચારી {0} \ કાઢી નાખો" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,તમે આકારણી માપદંડ {} માટે પહેલાથી મૂલ્યાંકન કર્યું છે. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,બેચ નંબર પસંદ કરો apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),ઉંમર (દિવસો) @@ -5234,6 +5262,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,વેચાણ સમયે બંડલ વસ્તુઓ. DocType: Payment Reconciliation Payment,Allocated Amount,ફાળવેલ રકમ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,કૃપા કરીને કંપની અને હોદ્દો પસંદ કરો +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'તારીખ' આવશ્યક છે DocType: Email Digest,Bank Credit Balance,બેંક ક્રેડિટ બેલેન્સ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,સંચયિત રકમ બતાવો apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,તમારી પાસે રિડીમ કરવા માટે લોયલ્ટી પોઇન્ટ્સની માંગ નથી @@ -5294,11 +5323,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,અગાઉના પ DocType: Student,Student Email Address,વિદ્યાર્થી ઇમેઇલ સરનામું DocType: Academic Term,Education,શિક્ષણ DocType: Supplier Quotation,Supplier Address,સપ્લાયર સરનામું -DocType: Salary Component,Do not include in total,કુલ સમાવેલ નથી +DocType: Salary Detail,Do not include in total,કુલ સમાવેલ નથી apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,કોઈ કંપની માટે બહુવિધ આઇટમ ડિફોલ્ટ્સ સેટ કરી શકતા નથી. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} અસ્તિત્વમાં નથી DocType: Purchase Receipt Item,Rejected Quantity,નામંજૂર જથ્થો DocType: Cashier Closing,To TIme,ટીઆઇએમ માટે +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},યુઓએમ રૂપાંતરણ પરિબળ ({0} -> {1}) આઇટમ માટે મળ્યું નથી: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,દૈનિક વર્ક સારાંશ ગ્રુપ વપરાશકર્તા DocType: Fiscal Year Company,Fiscal Year Company,ફિસ્કલ યર કંપની apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,વૈકલ્પિક વસ્તુ વસ્તુ કોડ તરીકે સમાન હોવી જોઈએ નહીં @@ -5407,7 +5437,6 @@ DocType: Fee Schedule,Send Payment Request Email,ચુકવણી વિનં DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,એકવાર તમે વેચાણ ઇન્વૉઇસને સાચવો તે પછી શબ્દોમાં દેખાશે. DocType: Sales Invoice,Sales Team1,વેચાણ ટીમ 1 DocType: Work Order,Required Items,આવશ્યક વસ્તુઓ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","વિશેષ અક્ષરો સિવાય "-", "#", "." અને નામકરણ શ્રેણીમાં "/" ને મંજૂરી નથી" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,ERPNext મેન્યુઅલ વાંચો DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ચેક સપ્લાયર ઇન્વોઇસ નંબર વિશિષ્ટતા apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,સબ એસેમ્બલીઝ શોધો @@ -5475,7 +5504,6 @@ DocType: Taxable Salary Slab,Percent Deduction,ટકા ઘટાડો apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,ઉત્પાદનની માત્રા ઝીરો કરતાં ઓછી હોઈ શકતી નથી DocType: Share Balance,To No,ના DocType: Leave Control Panel,Allocate Leaves,ફાળવણી પાંદડાઓ -DocType: Quiz,Last Attempt,છેલ્લો પ્રયત્ન DocType: Assessment Result,Student Name,વિદ્યાર્થીનું નામ apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,જાળવણી મુલાકાત માટે યોજના. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,આઇટમના પુનઃ ક્રમાંકિત સ્તરના આધારે નીચેની સામગ્રી વિનંતીઓ આપમેળે ઉભા કરવામાં આવી છે @@ -5544,6 +5572,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,સૂચક રંગ DocType: Item Variant Settings,Copy Fields to Variant,કૉપિ કરો ફીલ્ડ્સને વેરિએન્ટ DocType: Soil Texture,Sandy Loam,સેન્ડી લોમ +DocType: Question,Single Correct Answer,એક જ સાચો જવાબ apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,તારીખથી કર્મચારીની જોડાઈ તારીખ કરતાં ઓછી હોઈ શકતી નથી DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,ગ્રાહકના ખરીદી ઑર્ડર સામે બહુવિધ વેચાણ ઑર્ડરને મંજૂરી આપો apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,પીડીસી / એલસી @@ -5606,7 +5635,7 @@ DocType: Account,Expenses Included In Valuation,ખર્ચ મૂલ્યા apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,સીરીયલ નંબર્સ DocType: Salary Slip,Deductions,કપાત ,Supplier-Wise Sales Analytics,સપ્લાયર-વાઈસ સેલ્સ ઍનલિટિક્સ -DocType: Quality Goal,February,ફેબ્રુઆરી +DocType: GSTR 3B Report,February,ફેબ્રુઆરી DocType: Appraisal,For Employee,કર્મચારી માટે apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,વાસ્તવિક ડિલિવરી તારીખ DocType: Sales Partner,Sales Partner Name,વેચાણ પાર્ટનર નામ @@ -5702,7 +5731,6 @@ DocType: Procedure Prescription,Procedure Created,પ્રક્રિયા apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},સપ્લાયર ઇનવોઇસ સામે {0} તારીખ {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,પોસ પ્રોફાઇલ બદલો apps/erpnext/erpnext/utilities/activation.py,Create Lead,લીડ બનાવો -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,સપ્લાયર> સપ્લાયર પ્રકાર DocType: Shopify Settings,Default Customer,ડિફૉલ્ટ ગ્રાહક DocType: Payment Entry Reference,Supplier Invoice No,સપ્લાયર ઇન્વોઇસ નં DocType: Pricing Rule,Mixed Conditions,મિશ્ર શરતો @@ -5752,12 +5780,14 @@ DocType: Item,End of Life,જીવનનો અંત DocType: Lab Test Template,Sensitivity,સંવેદનશીલતા DocType: Territory,Territory Targets,ક્ષેત્ર લક્ષ્યાંક apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","નીચે આપેલા કર્મચારીઓ માટે છોડવાની ફાળવણી છોડવી, કારણ કે રજા વિતરણના રેકોર્ડ્સ તેમની સામે પહેલાથી અસ્તિત્વમાં છે. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,ગુણવત્તા ક્રિયા ઠરાવ DocType: Sales Invoice Item,Delivered By Supplier,સપ્લાયર દ્વારા વિતરિત DocType: Agriculture Analysis Criteria,Plant Analysis,પ્લાન્ટ એનાલિસિસ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},આઇટમ {0} માટે ખર્ચ એકાઉન્ટ ફરજિયાત છે ,Subcontracted Raw Materials To Be Transferred,સ્થાનાંતરિત કાચા માલસામાનને સ્થાનાંતરિત કરવા DocType: Cashier Closing,Cashier Closing,કેશિયર બંધ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,આઇટમ {0} પહેલેથી જ પાછો ફર્યો છે +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,"અમાન્ય GSTIN! તમે દાખલ કરેલ ઇનપુટ, UIN ધારકો અથવા બિન-નિવાસી OIDAR સેવા પ્રદાતાઓ માટે GSTIN ફોર્મેટથી મેળ ખાતું નથી" apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,આ વેરહાઉસ માટે બાળ વેરહાઉસ અસ્તિત્વમાં છે. તમે આ વેરહાઉસને કાઢી શકતા નથી. DocType: Diagnosis,Diagnosis,નિદાન apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0} અને {1} ની વચ્ચે કોઈ રજા અવધિ નથી @@ -5774,6 +5804,7 @@ DocType: QuickBooks Migrator,Authorization Settings,અધિકૃતતા સ DocType: Homepage,Products,પ્રોડક્ટ્સ ,Profit and Loss Statement,નફા અને નુકસાન નિવેદન apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,રૂમ બુક કર્યા +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},આઇટમ કોડ {0} અને ઉત્પાદક {1} વિરુદ્ધ ડુપ્લિકેટ એન્ટ્રી DocType: Item Barcode,EAN,ઇએન DocType: Purchase Invoice Item,Total Weight,કૂલ વજન apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,પ્રવાસ @@ -5820,6 +5851,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,ડિફૉલ્ટ ગ્રાહક જૂથ DocType: Journal Entry Account,Debit in Company Currency,કંપની ચલણમાં ડેબિટ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",ફોલબેક શ્રેણી "SO-WOO-" છે. +DocType: Quality Meeting Agenda,Quality Meeting Agenda,ગુણવત્તા સભા એજન્ડા DocType: Cash Flow Mapper,Section Header,વિભાગ મથાળું apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,તમારા ઉત્પાદનો અથવા સેવાઓ DocType: Crop,Perennial,બારમાસી @@ -5865,7 +5897,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","એક પ્રોડક્ટ અથવા સેવા કે જે ખરીદી, વેચાણ અથવા સ્ટોકમાં રાખવામાં આવે છે." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),બંધ (ખુલ્લું + કુલ) DocType: Supplier Scorecard Criteria,Criteria Formula,માપદંડ ફોર્મ્યુલા -,Support Analytics,આધાર ઍનલિટિક્સ +apps/erpnext/erpnext/config/support.py,Support Analytics,આધાર ઍનલિટિક્સ apps/erpnext/erpnext/config/quality_management.py,Review and Action,સમીક્ષા અને ક્રિયા DocType: Account,"If the account is frozen, entries are allowed to restricted users.","જો એકાઉન્ટ સ્થિર થઈ ગયું છે, તો પ્રતિબંધિત વપરાશકર્તાઓને પ્રવેશોની મંજૂરી છે." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,અવમૂલ્યન પછી રકમ @@ -5910,7 +5942,6 @@ DocType: Contract Template,Contract Terms and Conditions,કરાર શરત apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,માહિતી મેળવો DocType: Stock Settings,Default Item Group,ડિફૉલ્ટ આઇટમ જૂથ DocType: Sales Invoice Timesheet,Billing Hours,બિલિંગ અવર્સ -DocType: Item,Item Code for Suppliers,પુરવઠો માટે વસ્તુ કોડ apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},છોડો એપ્લિકેશન {0} વિદ્યાર્થી સામે પહેલાથી અસ્તિત્વમાં છે {1} DocType: Pricing Rule,Margin Type,માર્જિન પ્રકાર DocType: Purchase Invoice Item,Rejected Serial No,નામંજૂર સીરીયલ નં @@ -5983,6 +6014,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,પાંદડાઓ સફળતાપૂર્વક આપવામાં આવી છે DocType: Loyalty Point Entry,Expiry Date,અંતિમ તારીખ DocType: Project Task,Working,કામ +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} પાસે પહેલેથી જ પિતૃ કાર્યવાહી છે {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,આ આ પેશન્ટ સામેના વ્યવહારો પર આધારિત છે. વિગતો માટે નીચે સમયરેખા જુઓ DocType: Material Request,Requested For,માટે વિનંતી કરી DocType: SMS Center,All Sales Person,બધા વેચાણ વ્યક્તિ @@ -6068,6 +6100,7 @@ DocType: Loan Type,Maximum Loan Amount,મહત્તમ લોન રકમ apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,ડિફૉલ્ટ સંપર્કમાં ઇમેઇલ મળ્યો નથી DocType: Hotel Room Reservation,Booked,બુક કર્યું DocType: Maintenance Visit,Partially Completed,આંશિક રીતે પૂર્ણ +DocType: Quality Procedure Process,Process Description,પ્રક્રિયા વર્ણન DocType: Company,Default Employee Advance Account,ડિફોલ્ટ કર્મચારી એડવાન્સ એકાઉન્ટ DocType: Leave Type,Allow Negative Balance,નકારાત્મક બેલેન્સ મંજૂરી આપો apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,આકારણી યોજનાનું નામ @@ -6109,6 +6142,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,ક્વોટેશન આઇટમ માટે વિનંતી apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} આઇટમ ટેક્સમાં બે વાર દાખલ થયો DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,પસંદ કરેલ પગારપત્રક તારીખે સંપૂર્ણ કરવેરા ઘટાડવું +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,છેલ્લી કાર્બન ચેક તારીખ ભવિષ્યની તારીખ હોઈ શકતી નથી apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,બદલો રકમ એકાઉન્ટ પસંદ કરો DocType: Support Settings,Forum Posts,ફોરમ પોસ્ટ્સ DocType: Timesheet Detail,Expected Hrs,અપેક્ષિત હાર્સ @@ -6118,7 +6152,7 @@ DocType: Program Enrollment Tool,Enroll Students,વિદ્યાર્થી apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,ગ્રાહક આવક પુનરાવર્તન કરો DocType: Company,Date of Commencement,પ્રારંભની તારીખ DocType: Bank,Bank Name,બેંકનું નામ -DocType: Quality Goal,December,ડિસેમ્બર +DocType: GSTR 3B Report,December,ડિસેમ્બર apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,તારીખથી માન્ય માન્ય તારીખથી ઓછું હોવું આવશ્યક છે apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,આ કર્મચારીઓની હાજરી પર આધારિત છે DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","જો ચેક કરેલું છે, તો હોમ પેજ વેબસાઇટ માટે ડિફૉલ્ટ આઇટમ જૂથ હશે" @@ -6161,6 +6195,7 @@ DocType: Payment Entry,Payment Type,ચુકવણીનો પ્રકાર apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,ફોલિયો નંબરો મેળ ખાતા નથી DocType: C-Form,ACC-CF-.YYYY.-,એસીસી-સીએફ- .YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},ગુણવત્તા નિરીક્ષણ: {0} આઇટમ માટે સબમિટ કરેલ નથી: {1} પંક્તિમાં {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},બતાવો {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} આઇટમ મળી. ,Stock Ageing,સ્ટોક એજિંગ DocType: Customer Group,Mention if non-standard receivable account applicable,નોન-સ્ટાન્ડર્ડ રીસીવેબલ એકાઉન્ટ લાગુ પડે છે તેનો ઉલ્લેખ કરો @@ -6438,6 +6473,7 @@ DocType: Travel Request,Costing,ખર્ચ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,"ચોક્કસ સંપતી, નક્કી કરેલી સંપતી" DocType: Purchase Order,Ref SQ,રેફ એસક્યૂ DocType: Salary Structure,Total Earning,કુલ કમાણી +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> પ્રદેશ DocType: Share Balance,From No,ના DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ચુકવણી સમાધાન ભરતિયું DocType: Purchase Invoice,Taxes and Charges Added,કર અને ચાર્જ ઉમેરાઈ @@ -6445,7 +6481,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,માટે ક DocType: Authorization Rule,Authorized Value,અધિકૃત મૂલ્ય apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,તરફથી મળ્યુ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,વેરહાઉસ {0} અસ્તિત્વમાં નથી +DocType: Item Manufacturer,Item Manufacturer,આઇટમ નિર્માતા DocType: Sales Invoice,Sales Team,વેચાણ ટીમ +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,બંડલ Qty DocType: Purchase Order Item Supplied,Stock UOM,સ્ટોક યુએમએમ DocType: Installation Note,Installation Date,સ્થાપન તારીખ DocType: Email Digest,New Quotations,નવા અવતરણ @@ -6509,7 +6547,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,હોલીડે સૂચિ નામ DocType: Water Analysis,Collection Temperature ,સંગ્રહ તાપમાન DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,નિમણૂંક ઇનવોઇસ મેનેજ કરો પેશન્ટ એન્કાઉન્ટર માટે આપમેળે સબમિટ કરો અને રદ કરો -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,કૃપા કરીને {0} સેટઅપ> સેટિંગ્સ> નામકરણ શ્રેણી દ્વારા નામકરણ સીરીઝ સેટ કરો DocType: Employee Benefit Claim,Claim Date,દાવાની તારીખ DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,જો સપ્લાયર અનિશ્ચિત રૂપે અવરોધિત હોય તો ખાલી છોડો apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,તારીખથી હાજરી અને હાજર રહેવાની તારીખ ફરજિયાત છે @@ -6520,6 +6557,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,નિવૃત્તિની તારીખ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,કૃપા કરીને દર્દી પસંદ કરો DocType: Asset,Straight Line,સીધી લીટી +DocType: Quality Action,Resolutions,રિઝોલ્યુશન DocType: SMS Log,No of Sent SMS,મોકલેલા એસએમએસ નથી ,GST Itemised Sales Register,જીએસટી આઇટમલાઈઝ્ડ સેલ્સ રજિસ્ટર apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,કુલ મંજૂર રકમ કુલ મંજૂર રકમ કરતાં મોટી હોઈ શકતી નથી @@ -6629,7 +6667,7 @@ DocType: Account,Profit and Loss,નફા અને નુકસાન apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,ભેજ જથ્થો DocType: Asset Finance Book,Written Down Value,લેખિત ડાઉન વેલ્યુ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,ઓપનિંગ બેલેન્સ ઇક્વિટી -DocType: Quality Goal,April,એપ્રિલ +DocType: GSTR 3B Report,April,એપ્રિલ DocType: Supplier,Credit Limit,ક્રેડિટ મર્યાદા apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,વિતરણ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6683,6 +6721,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext સાથે Shopify ને કનેક્ટ કરો DocType: Homepage Section Card,Subtitle,ઉપશીર્ષક DocType: Soil Texture,Loam,લોમ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,સપ્લાયર> સપ્લાયર પ્રકાર DocType: BOM,Scrap Material Cost(Company Currency),સ્ક્રેપ મટીરીયલ કોસ્ટ (કંપની કરન્સી) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ડિલિવરી નોટ {0} સબમિટ કરવી આવશ્યક નથી DocType: Task,Actual Start Date (via Time Sheet),વાસ્તવિક પ્રારંભ તારીખ (ટાઇમ શીટ દ્વારા) @@ -6738,7 +6777,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,ડોઝ DocType: Cheque Print Template,Starting position from top edge,ટોચની ધારથી શરૂ થતી સ્થિતિ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),નિમણૂંક અવધિ (મિનિટ) -DocType: Pricing Rule,Disable,અક્ષમ કરો +DocType: Accounting Dimension,Disable,અક્ષમ કરો DocType: Email Digest,Purchase Orders to Receive,ખરીદી ઓર્ડર પ્રાપ્ત કરવા માટે apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,પ્રોડક્શન્સ ઓર્ડર્સ માટે ઉભા કરી શકાતા નથી: DocType: Projects Settings,Ignore Employee Time Overlap,એમ્પ્લોયી સમય ઓવરલેપ અવગણો @@ -6822,6 +6861,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,કર DocType: Item Attribute,Numeric Values,આંકડાકીય મૂલ્યો DocType: Delivery Note,Instructions,સૂચનાઓ DocType: Blanket Order Item,Blanket Order Item,બ્લેન્ક ઓર્ડર વસ્તુ +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,નફાકારક અને નુકસાન એકાઉન્ટ માટે ફરજિયાત apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,કમિશનનો દર 100 કરતા વધારે ન હોઈ શકે DocType: Course Topic,Course Topic,અભ્યાસક્રમ વિષય DocType: Employee,This will restrict user access to other employee records,આ વપરાશકર્તાની ઍક્સેસ અન્ય કર્મચારી રેકોર્ડ્સ પર પ્રતિબંધિત કરશે @@ -6846,12 +6886,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,સબ્સ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,ગ્રાહકો પાસેથી મેળવો apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} ડાયજેસ્ટ DocType: Employee,Reports to,અહેવાલ +DocType: Video,YouTube,યુ ટ્યુબ DocType: Party Account,Party Account,પાર્ટી એકાઉન્ટ DocType: Assessment Plan,Schedule,સૂચિ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,મહેરબાની કરીને દાખલ કરો DocType: Lead,Channel Partner,ચેનલ પાર્ટનર apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,ભરતિયું રકમ DocType: Project,From Template,ઢાંચો માંથી +,DATEV,તારીખ વી apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,સબ્સ્ક્રિપ્શન્સ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,બનાવવા માટે જથ્થો DocType: Quality Review Table,Achieved,પ્રાપ્ત @@ -6898,7 +6940,6 @@ DocType: Journal Entry,Subscription Section,સબ્સ્ક્રિપ્શ DocType: Salary Slip,Payment Days,ચુકવણી દિવસો apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,સ્વયંસેવક માહિતી. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'ફ્રીઝ સ્ટોક્સ ઓલ્ડ થાન'% ડી દિવસ કરતાં નાની હોવી જોઈએ. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,ફિસ્કલ વર્ષ પસંદ કરો DocType: Bank Reconciliation,Total Amount,કુલ રકમ DocType: Certification Application,Non Profit,નોન પ્રોફિટ DocType: Subscription Settings,Cancel Invoice After Grace Period,ગ્રેસ પીરિયડ પછી ભરતિયું રદ કરો @@ -6911,7 +6952,6 @@ DocType: Serial No,Warranty Period (Days),વોરંટી પીરિયડ DocType: Expense Claim Detail,Expense Claim Detail,ખર્ચ વિગતો ખર્ચ કરો apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,પ્રોગ્રામ: DocType: Patient Medical Record,Patient Medical Record,દર્દી તબીબી રેકોર્ડ -DocType: Quality Action,Action Description,ક્રિયા વર્ણન DocType: Item,Variant Based On,ચલ આધારિત છે DocType: Vehicle Service,Brake Oil,બ્રેક ઓઇલ DocType: Employee,Create User,વપરાશકર્તા બનાવો @@ -6966,7 +7006,7 @@ DocType: Cash Flow Mapper,Section Name,વિભાગ નામ DocType: Packed Item,Packed Item,પેક્ડ વસ્તુ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: {2} માટે ડેબિટ અથવા ક્રેડિટ રકમની જરૂર છે apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,પગાર સ્લિપ્સ સબમિટ કરી રહ્યું છે ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,કાર્યવાહી નથી +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,કાર્યવાહી નથી apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",બજેટને {0} સામે સોંપી શકાશે નહીં કારણ કે તે કોઈ આવક અથવા ખર્ચ એકાઉન્ટ નથી apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,માસ્ટર્સ અને એકાઉન્ટ્સ DocType: Quality Procedure Table,Responsible Individual,જવાબદાર વ્યક્તિ @@ -7089,7 +7129,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,બાળ કંપની સામે એકાઉન્ટ બનાવવાની મંજૂરી આપો DocType: Payment Entry,Company Bank Account,કંપની બેન્ક એકાઉન્ટ DocType: Amazon MWS Settings,UK,યુકે -DocType: Quality Procedure,Procedure Steps,પ્રક્રિયા પગલાંઓ DocType: Normal Test Items,Normal Test Items,સામાન્ય ટેસ્ટ આઈટમ્સ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,આઇટમ {0}: ઓર્ડર્ડ ક્વર્ટી {1} ન્યૂનતમ ઓર્ડર ક્યુટી {2} (વસ્તુમાં વ્યાખ્યાયિત) કરતા ઓછી હોઈ શકતી નથી. apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,સ્ટોક નથી @@ -7166,7 +7205,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,ઍનલિટિક્સ DocType: Maintenance Team Member,Maintenance Role,જાળવણી ભૂમિકા apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,નિયમો અને શરતો ઢાંચો DocType: Fee Schedule Program,Fee Schedule Program,ફી શેડ્યૂલ પ્રોગ્રામ -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,અભ્યાસક્રમ {0} અસ્તિત્વમાં નથી. DocType: Project Task,Make Timesheet,ટાઇમશીટ બનાવો DocType: Production Plan Item,Production Plan Item,ઉત્પાદન યોજના વસ્તુ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,કુલ વિદ્યાર્થી @@ -7188,6 +7226,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,લપેટવું apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,જો તમારી સદસ્યતા 30 દિવસની અંદર સમાપ્ત થઈ જાય તો તમે ફક્ત નવીકરણ કરી શકો છો apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},મૂલ્ય {0} અને {1} ની વચ્ચે હોવું આવશ્યક છે +DocType: Quality Feedback,Parameters,પરિમાણો ,Sales Partner Transaction Summary,સેલ્સ પાર્ટનર ટ્રાંઝેક્શન સારાંશ DocType: Asset Maintenance,Maintenance Manager Name,જાળવણી મેનેજર નામ apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,આઇટમ વિગતો મેળવવા માટે તે જરૂરી છે. @@ -7226,6 +7265,7 @@ DocType: Student Admission,Student Admission,વિદ્યાર્થી પ DocType: Designation Skill,Skill,કૌશલ્ય DocType: Budget Account,Budget Account,બજેટ એકાઉન્ટ DocType: Employee Transfer,Create New Employee Id,નવી કર્મચારી આઈડી બનાવો +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} 'નફા અને નુકસાન' ખાતા માટે જરૂરી છે {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),ગુડ્સ અને સર્વિસ ટેક્સ (જીએસટી ઇન્ડિયા) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,પગારની કાપલી બનાવવી ... DocType: Employee Skill,Employee Skill,કર્મચારી કુશળતા @@ -7325,6 +7365,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,કન્વ DocType: Subscription,Days Until Due,દિવસ સુધી દિવસો apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,સમાપ્ત બતાવો apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,બેંક સ્ટેટમેન્ટ ટ્રાંઝેક્શન એન્ટ્રી રિપોર્ટ +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,બેંક ડેટીલ્સ DocType: Clinical Procedure,HLC-CPR-.YYYY.-,એચએલસી-સીપીઆર- .YYYY.- DocType: Healthcare Settings,Healthcare Service Items,હેલ્થકેર સર્વિસ આઈટમ્સ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,કોઈ રેકોર્ડ મળ્યાં નથી @@ -7380,6 +7421,7 @@ DocType: Training Event Employee,Invited,આમંત્રિત apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},ઘટક {0} માટે પાત્ર મહત્તમ રકમ {1} થી વધુ છે apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,બિલ રકમ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","{0} માટે, ફક્ત ડેબિટ એકાઉન્ટ્સ અન્ય ક્રેડિટ એન્ટ્રી સામે લિંક કરી શકાય છે" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,પરિમાણ બનાવી રહ્યું છે ... DocType: Bank Statement Transaction Entry,Payable Account,ચૂકવવાપાત્ર એકાઉન્ટ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,કૃપા કરીને આવશ્યક મુલાકાતોનો ઉલ્લેખ કરો DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,ફક્ત કેશ ફ્લો મેપર દસ્તાવેજો સેટ કરેલું છે તે પસંદ કરો @@ -7397,6 +7439,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,ઠરાવ સમય DocType: Grading Scale Interval,Grade Description,ગ્રેડ વર્ણન DocType: Homepage Section,Cards,કાર્ડ્સ +DocType: Quality Meeting Minutes,Quality Meeting Minutes,ગુણવત્તા સભા મિનિટ DocType: Linked Plant Analysis,Linked Plant Analysis,લિંક્ડ પ્લાન્ટ એનાલિસિસ apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,સેવા સમાપ્તિ તારીખ સેવા સમાપ્તિ તારીખ પછી હોઈ શકતી નથી apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,કૃપા કરીને જીએસટી સેટિંગ્સમાં બી 2 સી સીમા સેટ કરો. @@ -7430,7 +7473,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,કર્મચાર DocType: Employee,Educational Qualification,શૈક્ષણિક લાયકાત apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,પ્રવેશ યોગ્ય મૂલ્ય apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},નમૂના જથ્થો {0} પ્રાપ્ત જથ્થા કરતા વધુ હોઈ શકતું નથી {1} -DocType: Quiz,Last Highest Score,છેલ્લું ઉચ્ચતમ સ્કોર DocType: POS Profile,Taxes and Charges,કર અને ચાર્જ DocType: Opportunity,Contact Mobile No,મોબાઇલ નંબરનો સંપર્ક કરો DocType: Employee,Joining Details,વિગતો જોડાઓ diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv index be8f4f2db5..5b0a999d86 100644 --- a/erpnext/translations/hi.csv +++ b/erpnext/translations/hi.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,आपूर्तिकर DocType: Journal Entry Account,Party Balance,पार्टी संतुलन apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),निधियों का स्रोत (देयताएं) DocType: Payroll Period,Taxable Salary Slabs,कर योग्य वेतन स्लैब +DocType: Quality Action,Quality Feedback,गुणवत्ता प्रतिक्रिया DocType: Support Settings,Support Settings,समर्थन सेटिंग्स apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,कृपया पहले उत्पादन आइटम दर्ज करें DocType: Quiz,Grading Basis,ग्रेडिंग बेसिस @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,अधिक DocType: Salary Component,Earning,कमाई DocType: Restaurant Order Entry,Click Enter To Add,Add To Add पर क्लिक करें DocType: Employee Group,Employee Group,कर्मचारी समूह +DocType: Quality Procedure,Processes,प्रक्रियाओं DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,एक मुद्रा को दूसरे में बदलने के लिए विनिमय दर निर्दिष्ट करें apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,आयु सीमा 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},स्टॉक आइटम के लिए आवश्यक वेयरहाउस {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,शिकायत DocType: Shipping Rule,Restrict to Countries,देशों के लिए प्रतिबंधित DocType: Hub Tracked Item,Item Manager,आइटम प्रबंधक apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},समापन खाता की मुद्रा {0} होनी चाहिए +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,बजट apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,उद्घाटन आइटम DocType: Work Order,Plan material for sub-assemblies,उप-विधानसभाओं के लिए योजना सामग्री apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,हार्डवेयर DocType: Budget,Action if Annual Budget Exceeded on MR,यदि एमआर पर वार्षिक बजट से अधिक हो तो कार्रवाई करें DocType: Sales Invoice Advance,Advance Amount,अग्रिम राशि +DocType: Accounting Dimension,Dimension Name,आयाम का नाम DocType: Delivery Note Item,Against Sales Invoice Item,बिक्री चालान आइटम के खिलाफ DocType: Expense Claim,HR-EXP-.YYYY.-,मानव संसाधन-ऍक्स्प-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,आइटम को विनिर्माण में शामिल करें @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,यह क्य ,Sales Invoice Trends,बिक्री चालान रुझान DocType: Bank Reconciliation,Payment Entries,भुगतान प्रविष्टियां DocType: Employee Education,Class / Percentage,कक्षा / प्रतिशत -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड ,Electronic Invoice Register,इलेक्ट्रॉनिक चालान रजिस्टर DocType: Sales Invoice,Is Return (Credit Note),रिटर्न (क्रेडिट नोट) DocType: Lab Test Sample,Lab Test Sample,लैब टेस्ट का नमूना @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,वेरिएंट apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","आपके चयन के अनुसार, आइटम मात्रा या राशि के आधार पर शुल्क वितरित किए जाएंगे" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,आज के लिए लंबित गतिविधियाँ +DocType: Quality Procedure Process,Quality Procedure Process,गुणवत्ता प्रक्रिया प्रक्रिया DocType: Fee Schedule Program,Student Batch,छात्र बैच apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},पंक्ति {0} में आइटम के लिए आवश्यक मूल्यांकन दर DocType: BOM Operation,Base Hour Rate(Company Currency),आधार घंटे की दर (कंपनी मुद्रा) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,सीरियल नो इनपुट के आधार पर लेन-देन में मात्रा निर्धारित करें apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},एडवांस अकाउंट करेंसी कंपनी की मुद्रा {0} के बराबर होनी चाहिए apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,मुखपृष्ठ अनुभागों को अनुकूलित करें -DocType: Quality Goal,October,अक्टूबर +DocType: GSTR 3B Report,October,अक्टूबर DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,बिक्री कर से ग्राहक के कर आईडी को छिपाएं apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,अमान्य GSTIN! एक GSTIN में 15 वर्ण होने चाहिए। apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,मूल्य निर्धारण नियम {0} अपडेट किया गया है @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,बकाया छुट्टिया apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},रखरखाव अनुसूची {0} {1} के खिलाफ मौजूद है DocType: Assessment Plan,Supervisor Name,पर्यवेक्षक का नाम DocType: Selling Settings,Campaign Naming By,नामकरण अभियान -DocType: Course,Course Code,विषय क्रमांक +DocType: Student Group Creation Tool Course,Course Code,विषय क्रमांक apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,एयरोस्पेस DocType: Landed Cost Voucher,Distribute Charges Based On,पर आधारित शुल्क वितरित करें DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,आपूर्तिकर्ता स्कोरकार्ड स्कोरिंग मानदंड @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,रेस्तरां मेनू DocType: Asset Movement,Purpose,उद्देश्य apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,कर्मचारी के लिए वेतन संरचना असाइनमेंट पहले से मौजूद है DocType: Clinical Procedure,Service Unit,सेवा इकाई -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र DocType: Travel Request,Identification Document Number,पहचान दस्तावेज़ संख्या DocType: Stock Entry,Additional Costs,अतिरिक्त लागत -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","मूल पाठ्यक्रम (रिक्त छोड़ें, यदि यह मूल पाठ्यक्रम का हिस्सा नहीं है)" DocType: Employee Education,Employee Education,कर्मचारी शिक्षा apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,पदों की संख्या कर्मचारियों की वर्तमान संख्या से कम नहीं हो सकती है apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,सभी ग्राहक समूह @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,रो {0}: मात्रा अनिवार्य है DocType: Sales Invoice,Against Income Account,आय खाते के खिलाफ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},पंक्ति # {0}: खरीद चालान मौजूदा संपत्ति के खिलाफ नहीं किया जा सकता {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,विभिन्न प्रचार योजनाओं को लागू करने के लिए नियम। apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},यूओएम के लिए यूओएम सहसंक्रमण कारक: {0} मद में: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},कृपया आइटम {0} के लिए मात्रा दर्ज करें DocType: Workstation,Electricity Cost,बिजली का खर्च @@ -865,7 +868,6 @@ DocType: Item,Total Projected Qty,कुल अनुमानित मात apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,वास्तविक प्रारंभ तिथि apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,आप क्षतिपूर्ति अवकाश अनुरोध दिनों के बीच पूरे दिन मौजूद नहीं हैं -DocType: Company,About the Company,कंपनी के बारे में apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,वित्तीय खातों का पेड़। apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,अप्रत्यक्ष आय DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,होटल के कमरे का आरक्षण मद @@ -880,6 +882,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,संभा DocType: Skill,Skill Name,कौशल का नाम apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,रिपोर्ट कार्ड प्रिंट करें DocType: Soil Texture,Ternary Plot,टर्नरी प्लॉट +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,समर्थन टिकट DocType: Asset Category Account,Fixed Asset Account,फिक्स्ड एसेट अकाउंट apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,नवीनतम @@ -889,6 +892,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,कार्यक ,IRS 1099,आईआरएस 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,कृपया उपयोग की जाने वाली श्रृंखला निर्धारित करें। DocType: Delivery Trip,Distance UOM,दूरी UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,बैलेंस शीट के लिए अनिवार्य DocType: Payment Entry,Total Allocated Amount,कुल आवंटित राशि DocType: Sales Invoice,Get Advances Received,अग्रिम प्राप्त करें DocType: Student,B-,बी @@ -912,6 +916,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,रखरखाव apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,पीओएस एंट्री करने के लिए पीओएस प्रोफाइल जरूरी DocType: Education Settings,Enable LMS,एलएमएस सक्षम करें DocType: POS Closing Voucher,Sales Invoices Summary,बिक्री चालान सारांश +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,लाभ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,क्रेडिट टू अकाउंट बैलेंस शीट खाता होना चाहिए DocType: Video,Duration,अवधि DocType: Lab Test Template,Descriptive,वर्णनात्मक @@ -963,6 +968,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,आरंभ और समाप्ति तिथि DocType: Supplier Scorecard,Notify Employee,कर्मचारी को सूचित करें apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,सॉफ्टवेयर +DocType: Program,Allow Self Enroll,स्व नामांकन की अनुमति दें apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,स्टॉक खर्च apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,यदि आप संदर्भ दिनांक दर्ज करते हैं तो संदर्भ संख्या अनिवार्य नहीं है DocType: Training Event,Workshop,कार्यशाला @@ -1015,6 +1021,7 @@ DocType: Lab Test Template,Lab Test Template,लैब टेस्ट टेम apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},अधिकतम: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ई-चालान सूचना गुम apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,कोई सामग्री अनुरोध नहीं बनाया गया +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड DocType: Loan,Total Amount Paid,भुगतान की गई कुल राशि apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,इन सभी वस्तुओं का पहले ही चालान किया जा चुका है DocType: Training Event,Trainer Name,ट्रेनर का नाम @@ -1036,6 +1043,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,शैक्षणिक वर्ष DocType: Sales Stage,Stage Name,मंच का नाम DocType: SMS Center,All Employee (Active),सभी कर्मचारी (सक्रिय) +DocType: Accounting Dimension,Accounting Dimension,लेखांकन आयाम DocType: Project,Customer Details,उपभोक्ता विवरण DocType: Buying Settings,Default Supplier Group,डिफ़ॉल्ट आपूर्तिकर्ता समूह apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,कृपया खरीद रसीद को रद्द करें {0} पहले @@ -1150,7 +1158,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","संख्य DocType: Designation,Required Skills,आवश्यक कुशलता DocType: Marketplace Settings,Disable Marketplace,बाज़ार को अक्षम करें DocType: Budget,Action if Annual Budget Exceeded on Actual,यदि वार्षिक बजट वास्तविक से अधिक हो तो कार्रवाई करें -DocType: Course,Course Abbreviation,पाठ्यक्रम संक्षिप्त apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,उपस्थिति {0} के रूप में छुट्टी पर {1} के लिए प्रस्तुत नहीं की गई। DocType: Pricing Rule,Promotional Scheme Id,प्रचार योजना आईडी apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},कार्य की अंतिम तिथि {0} से अधिक नहीं हो सकती है {1} अपेक्षित अंतिम तिथि {2} @@ -1293,7 +1300,7 @@ DocType: Bank Guarantee,Margin Money,मार्जिन मनी DocType: Chapter,Chapter,अध्याय DocType: Purchase Receipt Item Supplied,Current Stock,वर्तमान स्टॉक DocType: Employee,History In Company,कंपनी में इतिहास -DocType: Item,Manufacturer,उत्पादक +DocType: Purchase Invoice Item,Manufacturer,उत्पादक apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,मध्यम संवेदनशीलता DocType: Compensatory Leave Request,Leave Allocation,आवंटन छोड़ दें DocType: Timesheet,Timesheet,समय पत्र @@ -1359,7 +1366,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,पिछला apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,माप की इकाई DocType: Lab Test,Test Template,टेस्ट टेम्पलेट DocType: Fertilizer,Fertilizer Contents,उर्वरक सामग्री -apps/erpnext/erpnext/utilities/user_progress.py,Minute,मिनट +DocType: Quality Meeting Minutes,Minute,मिनट apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","रो # {0}: एसेट {1} सबमिट नहीं किया जा सकता है, यह पहले से ही {2} है" DocType: Task,Actual Time (in Hours),वास्तविक समय (घंटे में) DocType: Period Closing Voucher,Closing Account Head,समापन खाता प्रमुख @@ -1532,7 +1539,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,प्रयोगशाल DocType: Purchase Order,To Bill,बिल apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,उपयोगिता खर्च DocType: Manufacturing Settings,Time Between Operations (in mins),संचालन के बीच का समय (मिनट में) -DocType: Quality Goal,May,मई +DocType: GSTR 3B Report,May,मई apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","भुगतान गेटवे खाता नहीं बनाया गया, कृपया मैन्युअल रूप से एक बनाएं।" DocType: Opening Invoice Creation Tool,Purchase,खरीद फरोख्त DocType: Program Enrollment,School House,स्कूल हाउस @@ -1564,6 +1571,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,सांविधिक जानकारी और आपके आपूर्तिकर्ता के बारे में अन्य सामान्य जानकारी DocType: Item Default,Default Selling Cost Center,डिफॉल्ट सेलिंग कॉस्ट सेंटर DocType: Sales Partner,Address & Contacts,पता और संपर्क +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए क्रमांकन श्रृंखला की स्थापना करें DocType: Subscriber,Subscriber,ग्राहक apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# फॉर्म / आइटम / {0}) आउट ऑफ स्टॉक है apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,कृपया पोस्टिंग तिथि पहले चुनें @@ -1591,6 +1599,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,असंगत या DocType: Bank Statement Settings,Transaction Data Mapping,लेन-देन डेटा मानचित्रण apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,लीड के लिए किसी व्यक्ति के नाम या संगठन के नाम की आवश्यकता होती है DocType: Student,Guardians,रखवालों +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षा> शिक्षा सेटिंग्स में इंस्ट्रक्टर नामकरण प्रणाली सेटअप करें apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ब्रांड चुनें ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,मध्य आय DocType: Shipping Rule,Calculate Based On,के आधार पर गणना करें @@ -1602,7 +1611,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,व्यय का दा DocType: Purchase Invoice,Rounding Adjustment (Company Currency),गोलाई समायोजन (कंपनी मुद्रा) DocType: Item,Publish in Hub,हब में प्रकाशित apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,अगस्त +DocType: GSTR 3B Report,August,अगस्त apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,कृपया खरीद रसीद पहले दर्ज करें apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,शुरुवाती साल apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),लक्ष्य ({}) @@ -1621,6 +1630,7 @@ DocType: Item,Max Sample Quantity,अधिकतम नमूना मात apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,स्रोत और लक्ष्य गोदाम अलग होना चाहिए DocType: Employee Benefit Application,Benefits Applied,लाभ लागू apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,जर्नल एंट्री {0} के खिलाफ कोई बेजोड़ {1} एंट्री नहीं है +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",""-", "#", "।", "/", "{" और "}" को छोड़कर विशेष वर्ण श्रृंखला में अनुमति नहीं है" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,मूल्य या उत्पाद छूट स्लैब आवश्यक हैं apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,लक्ष्य रखना apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},उपस्थिति रिकॉर्ड {0} छात्र के खिलाफ मौजूद है {1} @@ -1636,10 +1646,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,प्रति माह DocType: Routing,Routing Name,रूटिंग नाम DocType: Disease,Common Name,साधारण नाम -DocType: Quality Goal,Measurable,औसत दर्जे का DocType: Education Settings,LMS Title,एलएमएस शीर्षक apps/erpnext/erpnext/config/non_profit.py,Loan Management,ऋण प्रबंधन -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,समर्थन एनालिटिक्स DocType: Clinical Procedure,Consumable Total Amount,उपभोग्य कुल राशि apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,टेम्पलेट सक्षम करें apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,ग्राहक एल.पी.ओ. @@ -1779,6 +1787,7 @@ DocType: Restaurant Order Entry Item,Served,सेवित DocType: Loan,Member,सदस्य DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,प्रैक्टिशनर सर्विस यूनिट अनुसूची apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,तार स्थानांतरण +DocType: Quality Review Objective,Quality Review Objective,गुणवत्ता की समीक्षा उद्देश्य DocType: Bank Reconciliation Detail,Against Account,खाते के खिलाफ DocType: Projects Settings,Projects Settings,परियोजनाओं सेटिंग्स apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},वास्तविक मात्रा {0} / प्रतीक्षारत मात्रा {1} @@ -1807,6 +1816,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,फिस्कल इयर स्टार्ट डेट के एक साल बाद फिस्कल ईयर एंड डेट होनी चाहिए apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,दैनिक अनुस्मारक DocType: Item,Default Sales Unit of Measure,माप की डिफ़ॉल्ट बिक्री इकाई +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,कंपनी जीएसटीआईएन DocType: Asset Finance Book,Rate of Depreciation,मूल्यह्रास की दर DocType: Support Search Source,Post Description Key,पोस्ट विवरण कुंजी DocType: Loyalty Program Collection,Minimum Total Spent,न्यूनतम कुल खर्च @@ -1878,6 +1888,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,चयनित ग्राहक के लिए ग्राहक समूह बदलने की अनुमति नहीं है। DocType: Serial No,Creation Document Type,निर्माण दस्तावेज़ प्रकार DocType: Sales Invoice Item,Available Batch Qty at Warehouse,वेयरहाउस में उपलब्ध बैच मात्रा +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,इनवॉइस ग्रैंड टोटल apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,यह एक मूल क्षेत्र है और इसे संपादित नहीं किया जा सकता है। DocType: Patient,Surgical History,सर्जिकल इतिहास apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,गुणवत्ता प्रक्रियाओं का पेड़। @@ -1982,6 +1993,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,यदि आप वेबसाइट में दिखाना चाहते हैं तो इसे देखें apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,वित्तीय वर्ष {0} नहीं मिला DocType: Bank Statement Settings,Bank Statement Settings,बैंक स्टेटमेंट सेटिंग्स +DocType: Quality Procedure Process,Link existing Quality Procedure.,लिंक मौजूदा गुणवत्ता प्रक्रिया। +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,CSV / Excel फ़ाइलों से खातों का आयात चार्ट DocType: Appraisal Goal,Score (0-5),स्कोर (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,विशेषता तालिका में कई बार {0} का चयन करें DocType: Purchase Invoice,Debit Note Issued,डेबिट नोट जारी किया गया @@ -1990,7 +2003,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,पॉलिसी विस्तार को छोड़ दें apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,वेयरहाउस सिस्टम में नहीं मिला DocType: Healthcare Practitioner,OP Consulting Charge,ओपी परामर्श प्रभारी -DocType: Quality Goal,Measurable Goal,मापने योग्य गोल DocType: Bank Statement Transaction Payment Item,Invoices,चालान DocType: Currency Exchange,Currency Exchange,मुद्रा विनिमय DocType: Payroll Entry,Fortnightly,पाक्षिक @@ -2053,6 +2065,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} सबमिट नहीं किया गया है DocType: Work Order,Backflush raw materials from work-in-progress warehouse,वर्क-इन-प्रोग्रेस गोदाम से कच्चे माल की बैकफ्लश DocType: Maintenance Team Member,Maintenance Team Member,रखरखाव टीम के सदस्य +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,लेखांकन के लिए कस्टम आयाम सेट करें DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,इष्टतम विकास के लिए पौधों की पंक्तियों के बीच न्यूनतम दूरी DocType: Employee Health Insurance,Health Insurance Name,स्वास्थ्य बीमा का नाम apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,स्टॉक एसेट्स @@ -2083,7 +2096,7 @@ DocType: Delivery Note,Billing Address Name,बिलिंग पता ना apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,वैकल्पिक आइटम DocType: Certification Application,Name of Applicant,आवेदक का नाम DocType: Leave Type,Earned Leave,अर्जित छुट्टी -DocType: Quality Goal,June,जून +DocType: GSTR 3B Report,June,जून apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},पंक्ति {0}: एक वस्तु {1} के लिए लागत केंद्र आवश्यक है apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},{0} द्वारा अनुमोदित किया जा सकता है apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,माप की इकाई {0} को रूपांतरण कारक तालिका में एक से अधिक बार दर्ज किया गया है @@ -2104,6 +2117,7 @@ DocType: Lab Test Template,Standard Selling Rate,स्टैंडर्ड स apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},कृपया रेस्तरां {0} के लिए एक सक्रिय मेनू सेट करें 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: Asset Finance Book,Asset Finance Book,एसेट फाइनेंस बुक +DocType: Quality Goal Objective,Quality Goal Objective,गुणवत्ता लक्ष्य उद्देश्य DocType: Employee Transfer,Employee Transfer,कर्मचारी स्थानांतरण ,Sales Funnel,बिक्री फ़नल DocType: Agriculture Analysis Criteria,Water Analysis,जल विश्लेषण @@ -2142,6 +2156,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,कर्मच apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,लंबित गतिविधियाँ apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,अपने कुछ ग्राहकों को सूचीबद्ध करें। वे संगठन या व्यक्ति हो सकते हैं। DocType: Bank Guarantee,Bank Account Info,बैंक खाता जानकारी +DocType: Quality Goal,Weekday,काम करने के दिन apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,संरक्षक १ नाम DocType: Salary Component,Variable Based On Taxable Salary,कर योग्य वेतन पर आधारित DocType: Accounting Period,Accounting Period,लेखांकन अवधि @@ -2226,7 +2241,7 @@ DocType: Purchase Invoice,Rounding Adjustment,गोलाई समायोज DocType: Quality Review Table,Quality Review Table,गुणवत्ता की समीक्षा तालिका DocType: Member,Membership Expiry Date,सदस्यता समाप्ति की तारीख DocType: Asset Finance Book,Expected Value After Useful Life,उपयोगी जीवन के बाद अपेक्षित मूल्य -DocType: Quality Goal,November,नवंबर +DocType: GSTR 3B Report,November,नवंबर DocType: Loan Application,Rate of Interest,ब्याज की दर DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,बैंक स्टेटमेंट ट्रांजेक्शन पेमेंट आइटम DocType: Restaurant Reservation,Waitlisted,प्रतीक्षा सूची @@ -2290,6 +2305,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","रो {0}: {1} आवधिकता निर्धारित करने के लिए, से और दिनांक के बीच का अंतर {2} से अधिक या बराबर होना चाहिए" DocType: Purchase Invoice Item,Valuation Rate,मूल्यांकन की दर DocType: Shopping Cart Settings,Default settings for Shopping Cart,शॉपिंग कार्ट के लिए डिफ़ॉल्ट सेटिंग्स +DocType: Quiz,Score out of 100,स्कोर 100 के पार DocType: Manufacturing Settings,Capacity Planning,क्षमता की योजना apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,प्रशिक्षकों के पास जाओ DocType: Activity Cost,Projects,परियोजनाओं @@ -2299,6 +2315,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,द्वितीय DocType: Cashier Closing,From Time,समय से apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,वेरिएंट विवरण रिपोर्ट +,BOM Explorer,BOM एक्सप्लोरर DocType: Currency Exchange,For Buying,खरीदने के लिए apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} के स्लॉट शेड्यूल में नहीं जोड़े गए हैं DocType: Target Detail,Target Distribution,लक्ष्य वितरण @@ -2316,6 +2333,7 @@ DocType: Activity Cost,Activity Cost,गतिविधि लागत DocType: Journal Entry,Payment Order,भुगतान आदेश apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,मूल्य निर्धारण ,Item Delivery Date,आइटम डिलीवरी की तारीख +DocType: Quality Goal,January-April-July-October,जनवरी से अप्रैल-जुलाई से अक्टूबर DocType: Purchase Order Item,Warehouse and Reference,गोदाम और संदर्भ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,चाइल्ड नोड्स वाले खाते को बही में परिवर्तित नहीं किया जा सकता है DocType: Soil Texture,Clay Composition (%),मिट्टी संरचना (%) @@ -2366,6 +2384,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,भविष्य क apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,पंक्ति {0}: कृपया भुगतान अनुसूची में भुगतान का तरीका निर्धारित करें apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,शैक्षणिक अवधि: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,गुणवत्ता प्रतिक्रिया पैरामीटर apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,कृपया लागू डिस्काउंट का चयन करें apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,पंक्ति # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,कुल भुगतान @@ -2408,7 +2427,7 @@ DocType: Hub Tracked Item,Hub Node,हब नोड apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,कर्मचारी आयडी DocType: Salary Structure Assignment,Salary Structure Assignment,वेतन संरचना असाइनमेंट DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,पीओएस क्लोजिंग वाउचर टैक्स -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,कार्रवाई शुरू की +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,कार्रवाई शुरू की DocType: POS Profile,Applicable for Users,उपयोगकर्ताओं के लिए लागू है DocType: Training Event,Exam,परीक्षा apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,सामान्य लेज़र प्रविष्टियों की गलत संख्या मिली। आपने लेनदेन में गलत खाते का चयन किया होगा। @@ -2514,6 +2533,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,देशान्तर DocType: Accounts Settings,Determine Address Tax Category From,पता कर श्रेणी से निर्धारित करें apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,निर्णय लेने वालों की पहचान करना +DocType: Stock Entry Detail,Reference Purchase Receipt,संदर्भ खरीद रसीद apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,चालान प्राप्त करें DocType: Tally Migration,Is Day Book Data Imported,क्या डे बुक डेटा आयात किया गया है ,Sales Partners Commission,बिक्री भागीदार आयोग @@ -2537,6 +2557,7 @@ DocType: Leave Type,Applicable After (Working Days),लागू होने DocType: Timesheet Detail,Hrs,घंटे DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,आपूर्तिकर्ता स्कोरकार्ड मानदंड DocType: Amazon MWS Settings,FR,एफआर +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,गुणवत्ता प्रतिक्रिया टेम्पलेट पैरामीटर apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,जुड़ने की तारीख जन्म तिथि से अधिक होनी चाहिए DocType: Bank Statement Transaction Invoice Item,Invoice Date,चालान की तारीख DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,सेल्स इनवॉइस सबमिट पर लैब टेस्ट बनाएं @@ -2643,7 +2664,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,न्यूनतम DocType: Stock Entry,Source Warehouse Address,स्रोत वेयरहाउस का पता DocType: Compensatory Leave Request,Compensatory Leave Request,अनिवार्य छुट्टी का अनुरोध DocType: Lead,Mobile No.,मोबाइल नहीं है। -DocType: Quality Goal,July,जुलाई +DocType: GSTR 3B Report,July,जुलाई apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,योग्य आईटीसी DocType: Fertilizer,Density (if liquid),घनत्व (यदि तरल) DocType: Employee,External Work History,बाहरी कार्य इतिहास @@ -2720,6 +2741,7 @@ DocType: Certification Application,Certification Status,प्रमाणन apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},स्रोत स्थान संपत्ति के लिए आवश्यक है {0} DocType: Employee,Encashment Date,नकदीकरण तिथि apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,कृपया पूर्ण एसेट रखरखाव लॉग के लिए समापन तिथि चुनें +DocType: Quiz,Latest Attempt,नवीनतम प्रयास DocType: Leave Block List,Allow Users,उपयोगकर्ताओं को अनुमति दें apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,लेखा जोखा का व्यौरा apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"यदि ग्राहक is अवसर से ’ग्राहक के रूप में चुना जाता है, तो ग्राहक अनिवार्य है" @@ -2784,7 +2806,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,आपूर्त DocType: Amazon MWS Settings,Amazon MWS Settings,अमेज़न MWS सेटिंग्स DocType: Program Enrollment,Walking,चलना DocType: SMS Log,Requested Numbers,अनुरोधित संख्या -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए क्रमांकन श्रृंखला की स्थापना करें DocType: Woocommerce Settings,Freight and Forwarding Account,माल ढुलाई और अग्रेषण खाता apps/erpnext/erpnext/accounts/party.py,Please select a Company,कृपया एक कंपनी चुनें apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,रो {0}: {1} 0 से अधिक होना चाहिए @@ -2854,7 +2875,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ग्र DocType: Training Event,Seminar,सेमिनार apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),क्रेडिट ({0}) DocType: Payment Request,Subscription Plans,सदस्यता योजनाएँ -DocType: Quality Goal,March,मार्च +DocType: GSTR 3B Report,March,मार्च apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,स्प्लिट बैच DocType: School House,House Name,घरेलु नाम apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0} के लिए बकाया शून्य से कम नहीं हो सकता ({1}) @@ -2917,7 +2938,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,इंश्योरेंस स्टार्ट डेट DocType: Target Detail,Target Detail,लक्ष्य विवरण DocType: Packing Slip,Net Weight UOM,नेट वजन UOM -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: Purchase Invoice Item,Net Amount (Company Currency),शुद्ध राशि (कंपनी मुद्रा) DocType: Bank Statement Transaction Settings Item,Mapped Data,मैप किया गया डेटा apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,प्रतिभूति और जमा राशि @@ -2967,6 +2987,7 @@ DocType: Cheque Print Template,Cheque Height,ऊँचाई की जाँच apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,कृपया राहत की तारीख दर्ज करें। DocType: Loyalty Program,Loyalty Program Help,निष्ठा कार्यक्रम सहायता DocType: Journal Entry,Inter Company Journal Entry Reference,इंटर कंपनी जर्नल एंट्री संदर्भ +DocType: Quality Meeting,Agenda,कार्यसूची DocType: Quality Action,Corrective,सुधारात्मक apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,समूह द्वारा DocType: Bank Account,Address and Contact,पता और संपर्क @@ -3020,7 +3041,7 @@ DocType: GL Entry,Credit Amount,राशि क्रेडिट करें apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,कुल राशि जमा की गई DocType: Support Search Source,Post Route Key List,पोस्ट रूट कुंजी सूची apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} किसी भी सक्रिय वित्तीय वर्ष में नहीं। -DocType: Quality Action Table,Problem,संकट +DocType: Quality Action Resolution,Problem,संकट DocType: Training Event,Conference,सम्मेलन DocType: Mode of Payment Account,Mode of Payment Account,भुगतान का तरीका DocType: Leave Encashment,Encashable days,बीते हुए दिन @@ -3146,7 +3167,7 @@ DocType: Item,"Purchase, Replenishment Details","खरीद, प्रति DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","एक बार सेट होने पर, यह चालान सेट तिथि तक होल्ड पर रहेगा" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,आइटम के लिए स्टॉक मौजूद नहीं हो सकता {0} क्योंकि इसके प्रकार हैं DocType: Lab Test Template,Grouped,समूहीकृत -DocType: Quality Goal,January,जनवरी +DocType: GSTR 3B Report,January,जनवरी DocType: Course Assessment Criteria,Course Assessment Criteria,पाठ्यक्रम मूल्यांकन मानदंड DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,पूरा कर लिया @@ -3242,7 +3263,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,हेल् apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,कृपया तालिका में कम से कम 1 चालान दर्ज करें apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,बिक्री आदेश {0} प्रस्तुत नहीं किया गया है apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,उपस्थिति को सफलतापूर्वक चिह्नित किया गया है। -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,बेचने से पहले +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,बेचने से पहले apps/erpnext/erpnext/config/projects.py,Project master.,प्रोजेक्ट मास्टर। DocType: Daily Work Summary,Daily Work Summary,दैनिक कार्य सारांश DocType: Asset,Partially Depreciated,आंशिक रूप से मूल्यह्रास @@ -3251,6 +3272,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,छोड़े गए एनकाउंटर? DocType: Certified Consultant,Discuss ID,आईडी पर चर्चा करें apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,कृपया GST सेटिंग में GST खाते सेट करें +DocType: Quiz,Latest Highest Score,नवीनतम उच्चतम स्कोर DocType: Supplier,Billing Currency,बिलिंग मुद्रा apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,छात्र गतिविधि apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,या तो लक्ष्य मात्रा या लक्ष्य राशि अनिवार्य है @@ -3276,18 +3298,21 @@ DocType: Sales Order,Not Delivered,डिलीवर नहीं हुआ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"लीव टाइप {0} को तब तक आवंटित नहीं किया जा सकता है, जब तक कि यह बिना वेतन के न हो" DocType: GL Entry,Debit Amount,निकाली गई राशि apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},आइटम {0} के लिए पहले से ही रिकॉर्ड मौजूद है +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,उप विधानसभाएं 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.","यदि कई मूल्य निर्धारण नियम लागू होते हैं, तो उपयोगकर्ताओं को संघर्ष को हल करने के लिए प्राथमिकता निर्धारित करने के लिए कहा जाता है।" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',श्रेणी 'वैल्यूएशन' या 'मूल्यांकन और कुल' के लिए कब घट सकती है apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,बीओएम और विनिर्माण मात्रा की आवश्यकता होती है apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},{1} आइटम {0} अपने जीवन के अंत तक पहुँच गया है DocType: Quality Inspection Reading,Reading 6,पढ़ना ६ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,कंपनी क्षेत्र की आवश्यकता है apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,सामग्री की खपत विनिर्माण सेटिंग्स में सेट नहीं की गई है। DocType: Assessment Group,Assessment Group Name,मूल्यांकन समूह का नाम -DocType: Item,Manufacturer Part Number,उत्पादक हिस्सा करमार्क +DocType: Purchase Invoice Item,Manufacturer Part Number,उत्पादक हिस्सा करमार्क apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,पेरोल देय apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},पंक्ति # {0}: {1} आइटम {2} के लिए नकारात्मक नहीं हो सकता apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,संतुलन मात्रा +DocType: Question,Multiple Correct Answer,एकाधिक सही उत्तर DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 वफादारी अंक = आधार मुद्रा कितनी है? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},नोट: छुट्टी के प्रकार {0} के लिए पर्याप्त अवकाश शेष नहीं है DocType: Clinical Procedure,Inpatient Record,रोगी का रिकॉर्ड @@ -3408,6 +3433,7 @@ DocType: Fee Schedule Program,Total Students,कुल छात्र apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,स्थानीय DocType: Chapter Member,Leave Reason,कारण छोड़ो DocType: Salary Component,Condition and Formula,हालत और सूत्र +DocType: Quality Goal,Objectives,उद्देश्य apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","वेतन पहले से ही {0} और {1} के बीच की अवधि के लिए संसाधित किया गया है, आवेदन की अवधि इस तिथि सीमा के बीच नहीं हो सकती है।" DocType: BOM Item,Basic Rate (Company Currency),मूल दर (कंपनी मुद्रा) DocType: BOM Scrap Item,BOM Scrap Item,बॉम स्क्रैप आइटम @@ -3458,6 +3484,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,व्यय का दावा खाता apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,जर्नल एंट्री के लिए कोई पुनर्भुगतान उपलब्ध नहीं है apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} निष्क्रिय छात्र है +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,स्टॉक एंट्री करें DocType: Employee Onboarding,Activities,क्रियाएँ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,कम से कम एक गोदाम अनिवार्य है ,Customer Credit Balance,ग्राहक क्रेडिट शेष @@ -3542,7 +3569,6 @@ DocType: Contract,Contract Terms,अनुबंध की शर्तें apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,या तो लक्ष्य मात्रा या लक्ष्य राशि अनिवार्य है। apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},अमान्य {0} DocType: Item,FIFO,फीफो -DocType: Quality Meeting,Meeting Date,मिलने की तारीख DocType: Inpatient Record,HLC-INP-.YYYY.-,उच्च स्तरीय समिति-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,संक्षिप्तिकरण में 5 से अधिक वर्ण नहीं हो सकते DocType: Employee Benefit Application,Max Benefits (Yearly),अधिकतम लाभ (वार्षिक) @@ -3645,7 +3671,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,बैंक प्रभार apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,माल हस्तांतरित apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,प्राथमिक संपर्क विवरण -DocType: Quality Review,Values,मान DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","अगर जाँच नहीं की जाती है, तो सूची को प्रत्येक विभाग में जोड़ना होगा जहाँ इसे लागू किया जाना है।" DocType: Item Group,Show this slideshow at the top of the page,पृष्ठ के शीर्ष पर इस स्लाइड शो को दिखाएं apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} पैरामीटर अमान्य है @@ -3664,6 +3689,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,बैंक प्रभार खाता DocType: Journal Entry,Get Outstanding Invoices,बकाया चालान प्राप्त करें DocType: Opportunity,Opportunity From,अवसर से +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,लक्ष्य विवरण DocType: Item,Customer Code,ग्राहक क्रमांक apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,कृपया आइटम पहले दर्ज करें apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,वेबसाइट लिस्टिंग @@ -3692,7 +3718,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,वितरण के लिए DocType: Bank Statement Transaction Settings Item,Bank Data,बैंक डेटा apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,अनुसूचित तक -DocType: Quality Goal,Everyday,रोज रोज DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Timesheet पर बिलिंग घंटे और कार्य समय समान रखें apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,लीड सोर्स द्वारा ट्रैक लीड्स। DocType: Clinical Procedure,Nursing User,नर्सिंग उपयोगकर्ता @@ -3717,7 +3742,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,प्रादेश DocType: GL Entry,Voucher Type,वाउचर प्रकार ,Serial No Service Contract Expiry,सीरियल नो सर्विस कॉन्ट्रैक्ट एक्सपायरी DocType: Certification Application,Certified,प्रमाणित -DocType: Material Request Plan Item,Manufacture,उत्पादन +DocType: Purchase Invoice Item,Manufacture,उत्पादन apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} आइटम का उत्पादन किया apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0} के लिए भुगतान अनुरोध apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,अंतिम आदेश के बाद के दिन @@ -3732,7 +3757,7 @@ DocType: Sales Invoice,Company Address Name,कंपनी का पता न apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,दूसरी जगह ले जाया जाता सामान apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,आप केवल इस क्रम में अधिकतम {0} अंक भुना सकते हैं। apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},कृपया वेयरहाउस में खाता सेट करें {0} -DocType: Quality Action Table,Resolution,संकल्प +DocType: Quality Action,Resolution,संकल्प DocType: Sales Invoice,Loyalty Points Redemption,वफादारी अंक मोचन apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,कुल कर योग्य मूल्य DocType: Patient Appointment,Scheduled,अनुसूचित @@ -3853,6 +3878,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,मूल्यांकन करें apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},बचत {0} DocType: SMS Center,Total Message(s),कुल संदेश +DocType: Purchase Invoice,Accounting Dimensions,लेखा आयाम apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,समूह द्वारा खाता DocType: Quotation,In Words will be visible once you save the Quotation.,एक बार जब आप उद्धरण को सहेजेंगे तो शब्द दिखाई देंगे। apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,उत्पादन करने की मात्रा @@ -4017,7 +4043,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","यदि आपके कोई प्रश्न हैं, तो कृपया हमसे संपर्क करें।" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,खरीद रसीद {0} प्रस्तुत नहीं की गई है DocType: Task,Total Expense Claim (via Expense Claim),कुल व्यय दावा (व्यय दावे के माध्यम से) -DocType: Quality Action,Quality Goal,गुणवत्ता लक्ष्य +DocType: Quality Goal,Quality Goal,गुणवत्ता लक्ष्य DocType: Support Settings,Support Portal,समर्थन पोर्टल apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},कार्य की अंतिम तिथि {0} से कम नहीं हो सकती है {1} अपेक्षित आरंभ तिथि {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},कर्मचारी {0} छुट्टी पर है {1} @@ -4076,7 +4102,6 @@ DocType: BOM,Operating Cost (Company Currency),परिचालन लाग DocType: Item Price,Item Price,सामान की क़ीमत DocType: Payment Entry,Party Name,दल का नाम apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,कृपया एक ग्राहक चुनें -DocType: Course,Course Intro,कोर्स परिचय DocType: Program Enrollment Tool,New Program,नया कार्यक्रम apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","नए लागत केंद्र की संख्या, इसे उपसर्ग के रूप में लागत केंद्र के नाम में शामिल किया जाएगा" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ग्राहक या आपूर्तिकर्ता का चयन करें। @@ -4277,6 +4302,7 @@ DocType: Customer,CUST-.YYYY.-,कस्टमर-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,नेट पे नेगेटिव नहीं हो सकता apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,कोई सहभागिता नहीं 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/hr/doctype/employee/employee_dashboard.py,Shift,खिसक जाना apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,लेखा और दलों का प्रसंस्करण चार्ट DocType: Stock Settings,Convert Item Description to Clean HTML,कन्वर्ट आइटम विवरण HTML को साफ करने के लिए apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,सभी आपूर्तिकर्ता समूह @@ -4355,6 +4381,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,मूल वस्तु apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,दलाली apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},कृपया आइटम {0} के लिए खरीद रसीद या खरीद चालान बनाएं +,Product Bundle Balance,उत्पाद बंडल शेष apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,कंपनी का नाम कंपनी नहीं हो सकता DocType: Maintenance Visit,Breakdown,टूट - फूट DocType: Inpatient Record,B Negative,B नकारात्मक @@ -4363,7 +4390,7 @@ DocType: Purchase Invoice,Credit To,को श्रेय apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,आगे की प्रक्रिया के लिए यह वर्क ऑर्डर जमा करें। DocType: Bank Guarantee,Bank Guarantee Number,बैंक गारंटी संख्या apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},वितरित: {0} -DocType: Quality Action,Under Review,समीक्षाधीन +DocType: Quality Meeting Table,Under Review,समीक्षाधीन apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),कृषि (बीटा) ,Average Commission Rate,औसत कमीशन दर DocType: Sales Invoice,Customer's Purchase Order Date,ग्राहक की खरीद आदेश दिनांक @@ -4480,7 +4507,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,चालान से भुगतान का मिलान करें DocType: Holiday List,Weekly Off,साप्ताहिक बंद apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},आइटम {0} के लिए वैकल्पिक आइटम सेट करने की अनुमति न दें -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,कार्यक्रम {0} मौजूद नहीं है। +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,कार्यक्रम {0} मौजूद नहीं है। apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,आप रूट नोड को संपादित नहीं कर सकते। DocType: Fee Schedule,Student Category,छात्र श्रेणी apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","आइटम {0}: {1} मात्रा का उत्पादन," @@ -4571,8 +4598,8 @@ DocType: Crop,Crop Spacing,फसल का अंतर DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,सेल्स ट्रांजैक्शंस के आधार पर कितनी बार प्रोजेक्ट और कंपनी को अपडेट किया जाना चाहिए। DocType: Pricing Rule,Period Settings,अवधि सेटिंग्स apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,प्राप्य खातों में शुद्ध परिवर्तन +DocType: Quality Feedback Template,Quality Feedback Template,गुणवत्ता प्रतिक्रिया टेम्पलेट apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,मात्रा के लिए शून्य से अधिक होना चाहिए -DocType: Quality Goal,Goal Objectives,लक्ष्य उद्देश्य apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","दर, शेयरों की संख्या और गणना की गई राशि के बीच विसंगतियां हैं" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,यदि आप प्रति वर्ष छात्रों के समूह बनाते हैं तो खाली छोड़ दें apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ऋण (देयताएं) @@ -4607,12 +4634,13 @@ DocType: Quality Procedure Table,Step,चरण DocType: Normal Test Items,Result Value,परिणाम मान DocType: Cash Flow Mapping,Is Income Tax Liability,क्या इनकम टैक्स लायबिलिटी DocType: Healthcare Practitioner,Inpatient Visit Charge Item,असंगत यात्रा प्रभारी आइटम -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} मौजूद नहीं है। +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} मौजूद नहीं है। apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,प्रतिक्रिया अद्यतन करें DocType: Bank Guarantee,Supplier,प्रदायक apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},मान betweeen {0} और {1} दर्ज करें DocType: Purchase Order,Order Confirmation Date,आदेश की पुष्टि की तारीख DocType: Delivery Trip,Calculate Estimated Arrival Times,अनुमानित आगमन टाइम्स की गणना करें +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> HR सेटिंग्स में कर्मचारी नामकरण प्रणाली सेटअप करें apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,उपभोज्य DocType: Instructor,EDU-INS-.YYYY.-,EDU-आईएनएस-.YYYY.- DocType: Subscription,Subscription Start Date,सदस्यता प्रारंभ दिनांक @@ -4676,6 +4704,7 @@ DocType: Cheque Print Template,Is Account Payable,खाता देय है apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,कुल ऑर्डर मूल्य apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},आपूर्तिकर्ता {0} {1} में नहीं मिला apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,SMS गेटवे सेटिंग सेटअप करें +DocType: Salary Component,Round to the Nearest Integer,निकटतम इंटेगर का दौर apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,रूट का मूल लागत केंद्र नहीं हो सकता DocType: Healthcare Service Unit,Allow Appointments,अपॉइंटमेंट्स की अनुमति दें DocType: BOM,Show Operations,संचालन दिखाएं @@ -4804,7 +4833,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,डिफ़ॉल्ट अवकाश सूची DocType: Naming Series,Current Value,वर्तमान मूल्य apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","बजट, लक्ष्य आदि की स्थापना के लिए मौसम" -DocType: Program,Program Code,प्रोग्राम कोड apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},चेतावनी: बिक्री आदेश {0} पहले से ही ग्राहक के खरीद आदेश के खिलाफ मौजूद है {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,मासिक बिक्री लक्ष्य ( DocType: Guardian,Guardian Interests,अभिभावक रुचि रखते हैं @@ -4854,10 +4882,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,भुगतान किया और वितरित नहीं किया गया apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,आइटम कोड अनिवार्य है क्योंकि आइटम स्वचालित रूप से क्रमांकित नहीं है DocType: GST HSN Code,HSN Code,HSN कोड -DocType: Quality Goal,September,सितंबर +DocType: GSTR 3B Report,September,सितंबर apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,प्रशासनिक व्यय DocType: C-Form,C-Form No,C- फॉर्म नं DocType: Purchase Invoice,End date of current invoice's period,वर्तमान चालान की अवधि की अंतिम तिथि +DocType: Item,Manufacturers,निर्माता DocType: Crop Cycle,Crop Cycle,फसल चक्र DocType: Serial No,Creation Time,रचना समय apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,कृपया अनुमोदन भूमिका या उपयोगकर्ता का अनुमोदन दर्ज करें @@ -4930,8 +4959,6 @@ DocType: Employee,Short biography for website and other publications.,वेब DocType: Purchase Invoice Item,Received Qty,मात्रा प्राप्त की DocType: Purchase Invoice Item,Rate (Company Currency),दर (कंपनी मुद्रा) DocType: Item Reorder,Request for,के लिए अनुरोध -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","कृपया इस दस्तावेज़ को रद्द करने के लिए कर्मचारी {0} \ _ हटाएं" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,प्रीसेट स्थापित करना apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,कृपया चुकौती अवधि दर्ज करें DocType: Pricing Rule,Advanced Settings,एडवांस सेटिंग @@ -4957,7 +4984,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,शॉपिंग कार्ट सक्षम करें DocType: Pricing Rule,Apply Rule On Other,अन्य पर नियम लागू करें DocType: Vehicle,Last Carbon Check,अंतिम कार्बन की जाँच -DocType: Vehicle,Make,बनाना +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,बनाना apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,बिक्री चालान {0} भुगतान के रूप में बनाया गया apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,भुगतान अनुरोध बनाने के लिए संदर्भ दस्तावेज़ आवश्यक है apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,आयकर @@ -5033,7 +5060,6 @@ DocType: Territory,Parent Territory,जनक क्षेत्र DocType: Vehicle Log,Odometer Reading,ओडोमीटर की चिह्नित संख्या DocType: Additional Salary,Salary Slip,वेतन पर्ची DocType: Payroll Entry,Payroll Frequency,पेरोल फ्रीक्वेंसी -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> HR सेटिंग्स में कर्मचारी नामकरण प्रणाली सेटअप करें apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","मान्य पेरोल अवधि में प्रारंभ और समाप्ति दिनांक, {0} की गणना नहीं कर सकते" DocType: Products Settings,Home Page is Products,होम पेज उत्पाद है apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,कॉल @@ -5087,7 +5113,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,रिकॉर्ड प्राप्त कर रहा है ...... DocType: Delivery Stop,Contact Information,संपर्क जानकारी DocType: Sales Order Item,For Production,उत्पादन के लिए -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षा> शिक्षा सेटिंग्स में इंस्ट्रक्टर नामकरण प्रणाली सेटअप करें DocType: Serial No,Asset Details,एसेट विवरण DocType: Restaurant Reservation,Reservation Time,आरक्षण का समय DocType: Selling Settings,Default Territory,डिफ़ॉल्ट क्षेत्र @@ -5227,6 +5252,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,एक्सपायरी बैच DocType: Shipping Rule,Shipping Rule Type,शिपिंग नियम प्रकार DocType: Job Offer,Accepted,स्वीकार किए जाते हैं +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","कृपया इस दस्तावेज़ को रद्द करने के लिए कर्मचारी {0} \ _ हटाएं" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,आप पहले से ही मूल्यांकन मानदंड {} के लिए मूल्यांकन कर चुके हैं। apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,बैच नंबर चुनें apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),आयु (दिन) @@ -5243,6 +5270,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,बिक्री के समय वस्तुओं को बंडल करें। DocType: Payment Reconciliation Payment,Allocated Amount,आवंटित राशि apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,कृपया कंपनी और पदनाम चुनें +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'दिनांक' की आवश्यकता है DocType: Email Digest,Bank Credit Balance,बैंक क्रेडिट बैलेंस apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,संचयी राशि दिखाएँ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,आपको रिडीम करने के लिए पर्याप्त लॉयल्टी पॉइंट्स नहीं हैं @@ -5302,11 +5330,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,पिछले रो DocType: Student,Student Email Address,छात्र ईमेल पता DocType: Academic Term,Education,शिक्षा DocType: Supplier Quotation,Supplier Address,आपूर्तिकर्ता पता -DocType: Salary Component,Do not include in total,कुल में शामिल न करें +DocType: Salary Detail,Do not include in total,कुल में शामिल न करें apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,एक कंपनी के लिए कई आइटम डिफॉल्ट सेट नहीं कर सकते। apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} मौजूद नहीं है DocType: Purchase Receipt Item,Rejected Quantity,अस्वीकृत मात्रा DocType: Cashier Closing,To TIme,समय पर +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: Daily Work Summary Group User,Daily Work Summary Group User,दैनिक कार्य सारांश समूह उपयोगकर्ता DocType: Fiscal Year Company,Fiscal Year Company,फिस्कल ईयर कंपनी apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,वैकल्पिक आइटम आइटम कोड के समान नहीं होना चाहिए @@ -5415,7 +5444,6 @@ DocType: Fee Schedule,Send Payment Request Email,भुगतान अनुर DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"एक बार जब आप सेल्स इनवॉयस को बचाएंगे, तो शब्द दिखाई देंगे।" DocType: Sales Invoice,Sales Team1,सेल्स टीम १ DocType: Work Order,Required Items,आवश्यक आइटम -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",""-", "#", "को छोड़कर विशेष वर्ण।" और "/" नामकरण श्रृंखला में अनुमति नहीं है" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,ERPNext मैनुअल पढ़ें DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,आपूर्तिकर्ता चालान संख्या विशिष्टता की जाँच करें apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,उप असेंबली खोजें @@ -5483,7 +5511,6 @@ DocType: Taxable Salary Slab,Percent Deduction,प्रतिशत कटौ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,उत्पादन की मात्रा शून्य से कम नहीं हो सकती DocType: Share Balance,To No,को नहीं DocType: Leave Control Panel,Allocate Leaves,पत्तियां आवंटित करें -DocType: Quiz,Last Attempt,अंतिम प्रयास DocType: Assessment Result,Student Name,छात्र का नाम apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,अनुरक्षण यात्राओं की योजना। apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,मद के पुन: आदेश स्तर के आधार पर सामग्री अनुरोधों को स्वचालित रूप से उठाया गया है @@ -5552,6 +5579,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,संकेतक रंग DocType: Item Variant Settings,Copy Fields to Variant,वेरिएंट को कॉपी फ़ील्ड DocType: Soil Texture,Sandy Loam,सैंडी लोम +DocType: Question,Single Correct Answer,एकल सही उत्तर apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,तारीख से कर्मचारी की ज्वाइनिंग डेट से कम नहीं हो सकती DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,एक ग्राहक के खरीद आदेश के खिलाफ कई बिक्री आदेश की अनुमति दें apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,पीडीसी / साख पत्र @@ -5614,7 +5642,7 @@ DocType: Account,Expenses Included In Valuation,व्यय में शाम apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,क्रम संख्याएँ DocType: Salary Slip,Deductions,कटौती ,Supplier-Wise Sales Analytics,आपूर्तिकर्ता-समझदार बिक्री विश्लेषिकी -DocType: Quality Goal,February,फरवरी +DocType: GSTR 3B Report,February,फरवरी DocType: Appraisal,For Employee,कर्मचारी के लिए apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,वास्तविक वितरण तिथि DocType: Sales Partner,Sales Partner Name,सेल्स पार्टनर का नाम @@ -5710,7 +5738,6 @@ DocType: Procedure Prescription,Procedure Created,प्रक्रिया apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},आपूर्तिकर्ता चालान के खिलाफ {0} दिनांक {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,पीओएस प्रोफाइल बदलें apps/erpnext/erpnext/utilities/activation.py,Create Lead,लीड बनाएँ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,आपूर्तिकर्ता> आपूर्तिकर्ता प्रकार DocType: Shopify Settings,Default Customer,डिफ़ॉल्ट ग्राहक DocType: Payment Entry Reference,Supplier Invoice No,आपूर्तिकर्ता चालान सं DocType: Pricing Rule,Mixed Conditions,मिश्रित स्थिति @@ -5760,12 +5787,14 @@ DocType: Item,End of Life,जीवन का अंत DocType: Lab Test Template,Sensitivity,संवेदनशीलता DocType: Territory,Territory Targets,क्षेत्र लक्ष्य apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","निम्नलिखित कर्मचारियों के लिए छोड़ें आवंटन को छोड़ दें, क्योंकि अवकाश आवंटन रिकॉर्ड उनके खिलाफ पहले से मौजूद हैं। {0}" +DocType: Quality Action Resolution,Quality Action Resolution,गुणवत्ता कार्रवाई संकल्प DocType: Sales Invoice Item,Delivered By Supplier,आपूर्तिकर्ता द्वारा वितरित DocType: Agriculture Analysis Criteria,Plant Analysis,पादप विश्लेषण apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},आइटम {0} के लिए व्यय खाता अनिवार्य है ,Subcontracted Raw Materials To Be Transferred,हस्तांतरित होने के लिए कच्चे माल को उप-संकुचित किया गया DocType: Cashier Closing,Cashier Closing,कैशियर समापन apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,आइटम {0} पहले ही वापस कर दिया गया है +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,अमान्य GSTIN! आपके द्वारा दर्ज किया गया इनपुट UIN धारकों या गैर-निवासी OIDAR सेवा प्रदाताओं के लिए GSTIN प्रारूप से मेल नहीं खाता है apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,इस गोदाम के लिए बाल गोदाम मौजूद है। आप इस वेयरहाउस को हटा नहीं सकते। DocType: Diagnosis,Diagnosis,निदान apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0} और {1} के बीच कोई अवकाश अवधि नहीं है @@ -5782,6 +5811,7 @@ DocType: QuickBooks Migrator,Authorization Settings,प्राधिकरण DocType: Homepage,Products,उत्पाद ,Profit and Loss Statement,लाभ और हानि विवरण apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,कमरे बुक किए गए +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},आइटम कोड {0} और निर्माता {1} के खिलाफ डुप्लिकेट प्रविष्टि DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,कुल वजन apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,यात्रा @@ -5830,6 +5860,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,डिफ़ॉल्ट ग्राहक समूह DocType: Journal Entry Account,Debit in Company Currency,कंपनी की मुद्रा में डेबिट DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",फ़ॉलबैक श्रृंखला "SO-WOO-" है। +DocType: Quality Meeting Agenda,Quality Meeting Agenda,गुणवत्ता बैठक एजेंडा DocType: Cash Flow Mapper,Section Header,अनुभाग हैडर apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,आपके उत्पाद या सेवाएँ DocType: Crop,Perennial,चिरस्थायी @@ -5875,7 +5906,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","एक उत्पाद या एक सेवा जिसे स्टॉक में खरीदा, बेचा या रखा जाता है।" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),समापन (उद्घाटन + कुल) DocType: Supplier Scorecard Criteria,Criteria Formula,मानदंड सूत्र -,Support Analytics,एनालिटिक्स का समर्थन करें +apps/erpnext/erpnext/config/support.py,Support Analytics,एनालिटिक्स का समर्थन करें apps/erpnext/erpnext/config/quality_management.py,Review and Action,समीक्षा और कार्रवाई DocType: Account,"If the account is frozen, entries are allowed to restricted users.","यदि खाता जमे हुए है, तो प्रविष्टियों को प्रतिबंधित उपयोगकर्ताओं को अनुमति दी जाती है।" apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,मूल्यह्रास के बाद की राशि @@ -5920,7 +5951,6 @@ DocType: Contract Template,Contract Terms and Conditions,अनुबंध क apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,डेटा प्राप्त करें DocType: Stock Settings,Default Item Group,डिफ़ॉल्ट आइटम समूह DocType: Sales Invoice Timesheet,Billing Hours,बिलिंग के घंटे -DocType: Item,Item Code for Suppliers,आपूर्तिकर्ताओं के लिए आइटम कोड apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},छात्र {1} के खिलाफ पहले से मौजूद {0} आवेदन छोड़ दें DocType: Pricing Rule,Margin Type,मार्जिन प्रकार DocType: Purchase Invoice Item,Rejected Serial No,रिजेक्टेड सीरियल नं @@ -5993,6 +6023,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,पत्तियां पर्याप्त रूप से दी गई हैं DocType: Loyalty Point Entry,Expiry Date,समाप्ति तिथि DocType: Project Task,Working,काम कर रहे +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} पहले से ही एक पेरेंट प्रोसीजर {1} है। apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,यह इस रोगी के खिलाफ लेनदेन पर आधारित है। विवरण के लिए नीचे समयरेखा देखें DocType: Material Request,Requested For,के लिए अनुरोध DocType: SMS Center,All Sales Person,सभी बिक्री व्यक्ति @@ -6080,6 +6111,7 @@ DocType: Loan Type,Maximum Loan Amount,अधिकतम ऋण राशि apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,ईमेल डिफ़ॉल्ट संपर्क में नहीं मिला DocType: Hotel Room Reservation,Booked,बुक्ड DocType: Maintenance Visit,Partially Completed,आंशिक रूप से पूरा +DocType: Quality Procedure Process,Process Description,प्रक्रिया वर्णन DocType: Company,Default Employee Advance Account,डिफ़ॉल्ट कर्मचारी अग्रिम खाता DocType: Leave Type,Allow Negative Balance,नकारात्मक संतुलन की अनुमति दें apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,मूल्यांकन योजना का नाम @@ -6121,6 +6153,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,कोटेशन मद के लिए अनुरोध apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} आइटम टैक्स में दो बार प्रवेश किया DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,चयनित पेरोल तिथि पर डिडक्ट पूर्ण कर +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,अंतिम कार्बन जांच की तारीख भविष्य की तारीख नहीं हो सकती apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,परिवर्तन राशि खाते का चयन करें DocType: Support Settings,Forum Posts,फोरम पोस्ट DocType: Timesheet Detail,Expected Hrs,उम्मीद की गई हर्स @@ -6130,7 +6163,7 @@ DocType: Program Enrollment Tool,Enroll Students,छात्रों को apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,ग्राहक राजस्व दोहराएं DocType: Company,Date of Commencement,प्रारंभ होने की तिथि DocType: Bank,Bank Name,बैंक का नाम -DocType: Quality Goal,December,दिसंबर +DocType: GSTR 3B Report,December,दिसंबर apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,दिनांक से मान्य मान्य तिथि से कम होना चाहिए apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,यह इस कर्मचारी की उपस्थिति पर आधारित है DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",अगर जांच की जाए तो वेबसाइट के लिए होम पेज डिफॉल्ट आइटम ग्रुप होगा @@ -6171,6 +6204,7 @@ DocType: Payment Entry,Payment Type,भुगतान के प्रकार apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,फोलियो संख्याएं मेल नहीं खा रही हैं DocType: C-Form,ACC-CF-.YYYY.-,एसीसी-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},गुणवत्ता निरीक्षण: {0} आइटम के लिए प्रस्तुत नहीं किया जाता है: {1} पंक्ति में {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},{0} दिखाएं apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} आइटम मिला। ,Stock Ageing,स्टॉक एजिंग DocType: Customer Group,Mention if non-standard receivable account applicable,यदि गैर-मानक प्राप्य खाता लागू हो तो उल्लेख करें @@ -6448,6 +6482,7 @@ DocType: Travel Request,Costing,लागत apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,अचल सम्पत्ति DocType: Purchase Order,Ref SQ,रेफरी एसक्यू DocType: Salary Structure,Total Earning,कुल कमाई +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र DocType: Share Balance,From No,से नहीं DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,भुगतान सुलह चालान DocType: Purchase Invoice,Taxes and Charges Added,कर और शुल्क जोड़ा गया @@ -6455,7 +6490,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,के लिए DocType: Authorization Rule,Authorized Value,अधिकृत मूल्य apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,से प्राप्त किया apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,वेयरहाउस {0} मौजूद नहीं है +DocType: Item Manufacturer,Item Manufacturer,आइटम निर्माता DocType: Sales Invoice,Sales Team,बिक्री समूह +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,बंटी Qty DocType: Purchase Order Item Supplied,Stock UOM,स्टॉक यूओएम DocType: Installation Note,Installation Date,स्थापना की तिथि DocType: Email Digest,New Quotations,नए उद्धरण @@ -6519,7 +6556,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,छुट्टी की सूची का नाम DocType: Water Analysis,Collection Temperature ,संग्रह तापमान DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,अपॉइंटमेंट इनवॉइस प्रबंधित करें और रोगी एनकाउंटर के लिए स्वचालित रूप से रद्द करें -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया सेटिंग> सेटिंग> नामकरण श्रृंखला के माध्यम से {0} के लिए नामकरण श्रृंखला निर्धारित करें DocType: Employee Benefit Claim,Claim Date,दावा तिथि DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,यदि आपूर्तिकर्ता अनिश्चित काल के लिए अवरुद्ध है तो खाली छोड़ दें apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,तिथि से उपस्थिति और तिथि के लिए उपस्थिति अनिवार्य है @@ -6530,6 +6566,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,सेवानिवृत्ति की तिथि apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,कृपया रोगी का चयन करें DocType: Asset,Straight Line,सीधी रेखा +DocType: Quality Action,Resolutions,संकल्प DocType: SMS Log,No of Sent SMS,भेजे गए एसएमएस का नहीं ,GST Itemised Sales Register,जीएसटी आइटम बिक्री रजिस्टर apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,कुल अग्रिम राशि कुल स्वीकृत राशि से अधिक नहीं हो सकती है @@ -6640,7 +6677,7 @@ DocType: Account,Profit and Loss,लाभ और हानि apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,डिफ क्यूटी DocType: Asset Finance Book,Written Down Value,नीचे लिखा हुआ मूल्य apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,प्रारम्भिक शेष इक्विटी -DocType: Quality Goal,April,अप्रैल +DocType: GSTR 3B Report,April,अप्रैल DocType: Supplier,Credit Limit,क्रेडिट सीमा apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,वितरण apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6695,6 +6732,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Shopify को ERPNext से कनेक्ट करें DocType: Homepage Section Card,Subtitle,उपशीर्षक DocType: Soil Texture,Loam,चिकनी बलुई मिट्टी +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,आपूर्तिकर्ता> आपूर्तिकर्ता प्रकार DocType: BOM,Scrap Material Cost(Company Currency),स्क्रैप सामग्री लागत (कंपनी मुद्रा) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,डिलीवरी नोट {0} प्रस्तुत नहीं किया जाना चाहिए DocType: Task,Actual Start Date (via Time Sheet),वास्तविक प्रारंभ तिथि (टाइम शीट के माध्यम से) @@ -6750,7 +6788,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,मात्रा बनाने की विधि DocType: Cheque Print Template,Starting position from top edge,शीर्ष किनारे से स्थिति शुरू करना apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),नियुक्ति अवधि (मिनट) -DocType: Pricing Rule,Disable,अक्षम +DocType: Accounting Dimension,Disable,अक्षम DocType: Email Digest,Purchase Orders to Receive,खरीद आदेश प्राप्त करने के लिए apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,प्रस्तुतियों के लिए आदेश नहीं उठाए जा सकते हैं: DocType: Projects Settings,Ignore Employee Time Overlap,कर्मचारी टाइम ओवरलैप को अनदेखा करें @@ -6834,6 +6872,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,टै DocType: Item Attribute,Numeric Values,सांख्यिक मान DocType: Delivery Note,Instructions,अनुदेश DocType: Blanket Order Item,Blanket Order Item,कंबल आदेश आइटम +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,अनिवार्य लाभ और हानि खाते के लिए apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,आयोग की दर 100 से अधिक नहीं हो सकती DocType: Course Topic,Course Topic,पाठ्यक्रम विषय DocType: Employee,This will restrict user access to other employee records,यह अन्य कर्मचारी रिकॉर्ड के लिए उपयोगकर्ता की पहुंच को प्रतिबंधित करेगा @@ -6858,12 +6897,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,सदस् apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,ग्राहकों से प्राप्त करें apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} पाचन DocType: Employee,Reports to,को रिपोर्ट करो +DocType: Video,YouTube,यूट्यूब DocType: Party Account,Party Account,पार्टी खाता DocType: Assessment Plan,Schedule,अनुसूची apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,कृपया दर्ज करें DocType: Lead,Channel Partner,चैनल पार्टनर apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,चालान राशि DocType: Project,From Template,टेम्पलेट से +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,सदस्यता apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,बनाने की मात्रा DocType: Quality Review Table,Achieved,हासिल @@ -6910,7 +6951,6 @@ DocType: Journal Entry,Subscription Section,सदस्यता अनुभ DocType: Salary Slip,Payment Days,भुगतान के दिन apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,स्वयंसेवक की जानकारी। apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`फ्रीज स्टॉक पुराना थान`% d दिनों से छोटा होना चाहिए। -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,वित्तीय वर्ष का चयन करें DocType: Bank Reconciliation,Total Amount,कुल रकम DocType: Certification Application,Non Profit,गैर लाभ DocType: Subscription Settings,Cancel Invoice After Grace Period,अनुग्रह अवधि के बाद चालान रद्द करें @@ -6923,7 +6963,6 @@ DocType: Serial No,Warranty Period (Days),वारंटी अवधि (द DocType: Expense Claim Detail,Expense Claim Detail,व्यय का दावा विस्तार से apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,कार्यक्रम: DocType: Patient Medical Record,Patient Medical Record,रोगी चिकित्सा रिकॉर्ड -DocType: Quality Action,Action Description,कार्रवाई का विवरण DocType: Item,Variant Based On,वेरिएंट आधारित DocType: Vehicle Service,Brake Oil,ब्रेक ऑयल DocType: Employee,Create User,उपयोगकर्ता बनाइये @@ -6979,7 +7018,7 @@ DocType: Cash Flow Mapper,Section Name,अनुभाग का नाम DocType: Packed Item,Packed Item,पैक की गई वस्तु apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: {2} के लिए या तो डेबिट या क्रेडिट राशि आवश्यक है apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,सैलरी स्लिप सबमिट करना ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,कोई कार्रवाई नहीं +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,कोई कार्रवाई नहीं apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","बजट को {0} के खिलाफ नहीं सौंपा जा सकता है, क्योंकि यह आय या व्यय खाता नहीं है" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,परास्नातक और लेखा DocType: Quality Procedure Table,Responsible Individual,जिम्मेदार व्यक्ति @@ -7102,7 +7141,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,बाल कंपनी के खिलाफ खाता निर्माण की अनुमति दें DocType: Payment Entry,Company Bank Account,कंपनी बैंक खाता DocType: Amazon MWS Settings,UK,यूके -DocType: Quality Procedure,Procedure Steps,प्रक्रिया चरण DocType: Normal Test Items,Normal Test Items,सामान्य परीक्षण आइटम apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,आइटम {0}: ऑर्डर किया गया मात्रा {1} न्यूनतम आदेश मात्रा {2} (आइटम में परिभाषित) से कम नहीं हो सकता है। apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,स्टॉक में नहीं @@ -7181,7 +7219,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,एनालिटिक् DocType: Maintenance Team Member,Maintenance Role,रखरखाव की भूमिका apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,नियम और शर्तें टेम्पलेट DocType: Fee Schedule Program,Fee Schedule Program,शुल्क अनुसूची कार्यक्रम -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,कोर्स {0} मौजूद नहीं है। DocType: Project Task,Make Timesheet,टाइम्सशीट बनाओ DocType: Production Plan Item,Production Plan Item,उत्पादन योजना मद apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,कुल छात्र @@ -7203,6 +7240,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,समेट रहा हु apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,आप केवल तभी नवीनीकरण कर सकते हैं जब आपकी सदस्यता 30 दिनों के भीतर समाप्त हो जाए apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},मान {0} और {1} के बीच होना चाहिए +DocType: Quality Feedback,Parameters,पैरामीटर ,Sales Partner Transaction Summary,बिक्री भागीदार लेनदेन सारांश DocType: Asset Maintenance,Maintenance Manager Name,रखरखाव प्रबंधक का नाम apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,यह आइटम विवरण लाने के लिए आवश्यक है। @@ -7241,6 +7279,7 @@ DocType: Student Admission,Student Admission,छात्र प्रवेश DocType: Designation Skill,Skill,कौशल DocType: Budget Account,Budget Account,बजट खाता DocType: Employee Transfer,Create New Employee Id,नई कर्मचारी आईडी बनाएँ +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{प्रॉफिट एंड लॉस ’अकाउंट {1} के लिए {0} जरूरी है। apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),माल और सेवा कर (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,वेतन पर्ची बनाना ... DocType: Employee Skill,Employee Skill,कर्मचारी कौशल @@ -7341,6 +7380,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,उपभो DocType: Subscription,Days Until Due,दिन होने तक apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,पूरा करके दिखाओ apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,बैंक स्टेटमेंट ट्रांजेक्शन एंट्री रिपोर्ट +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,बैंक Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,पंक्ति # {0}: दर {1}: {2} ({3} / {4}) के समान होनी चाहिए DocType: Clinical Procedure,HLC-CPR-.YYYY.-,उच्च स्तरीय समिति-सीपीआर-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,हेल्थकेयर सेवा आइटम @@ -7397,6 +7437,7 @@ DocType: Training Event Employee,Invited,आमंत्रित apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},घटक {0} के लिए अधिकतम राशि {1} से अधिक है apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,राशि से बिल apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","{0} के लिए, केवल डेबिट खातों को अन्य क्रेडिट प्रविष्टि के खिलाफ जोड़ा जा सकता है" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,आयाम बनाना ... DocType: Bank Statement Transaction Entry,Payable Account,देय खाता apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,कृपया आवश्यक विज़िट का उल्लेख न करें DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,केवल तभी चुनें जब आपके पास कैश फ़्लो मैपर दस्तावेज़ सेटअप हों @@ -7414,6 +7455,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,संकल्प समय DocType: Grading Scale Interval,Grade Description,ग्रेड विवरण DocType: Homepage Section,Cards,पत्ते +DocType: Quality Meeting Minutes,Quality Meeting Minutes,गुणवत्ता बैठक मिनट DocType: Linked Plant Analysis,Linked Plant Analysis,लिंक्ड प्लांट एनालिसिस apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,सेवा समाप्ति तिथि सेवा समाप्ति तिथि के बाद नहीं हो सकती apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,कृपया जीएसटी सेटिंग्स में बी 2 सी लिमिट सेट करें। @@ -7448,7 +7490,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,कर्मचार DocType: Employee,Educational Qualification,शैक्षिक योग्यता apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,सुलभ मूल्य apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},नमूना मात्रा {0} प्राप्त मात्रा से अधिक नहीं हो सकती {1} -DocType: Quiz,Last Highest Score,अंतिम उच्चतम स्कोर DocType: POS Profile,Taxes and Charges,कर और शुल्क DocType: Opportunity,Contact Mobile No,संपर्क करें मोबाइल नं DocType: Employee,Joining Details,ज्वाइनिंग डिटेल्स diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv index bd71373493..09bb2ffcc6 100644 --- a/erpnext/translations/hr.csv +++ b/erpnext/translations/hr.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Broj dijela dobavljača DocType: Journal Entry Account,Party Balance,Balans stranke apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Izvor sredstava (obveza) DocType: Payroll Period,Taxable Salary Slabs,Oporezive plaće za plaće +DocType: Quality Action,Quality Feedback,Povratne informacije o kvaliteti DocType: Support Settings,Support Settings,Postavke podrške apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Najprije unesite proizvodnu stavku DocType: Quiz,Grading Basis,Osnova ocjenjivanja @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Više detalja DocType: Salary Component,Earning,zarađivanje DocType: Restaurant Order Entry,Click Enter To Add,Kliknite Unos za dodavanje DocType: Employee Group,Employee Group,Grupa zaposlenika +DocType: Quality Procedure,Processes,procesi DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Navedite tečaj za pretvorbu jedne valute u drugu apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Raspon starenja 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Potrebna skladišta za zalihe Stavka {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,prigovor DocType: Shipping Rule,Restrict to Countries,Ograničite na zemlje DocType: Hub Tracked Item,Item Manager,Upravitelj stavki apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Valuta završnog računa mora biti {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,proračuni apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Otvaranje stavke dostavnice DocType: Work Order,Plan material for sub-assemblies,Planirajte materijal za podsklopove apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardver DocType: Budget,Action if Annual Budget Exceeded on MR,Akcija ako je godišnji proračun premašen na MR DocType: Sales Invoice Advance,Advance Amount,Iznos unaprijed +DocType: Accounting Dimension,Dimension Name,Naziv dimenzije DocType: Delivery Note Item,Against Sales Invoice Item,Protiv stavke dostavnice DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Uključi stavku u proizvodnji @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Što to radi? ,Sales Invoice Trends,Trendovi dostavnice DocType: Bank Reconciliation,Payment Entries,Unosi za plaćanje DocType: Employee Education,Class / Percentage,Klasa / postotak -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Šifra artikla> Grupa proizvoda> Marka ,Electronic Invoice Register,Elektronički registar računa DocType: Sales Invoice,Is Return (Credit Note),Je li povrat (kreditna napomena) DocType: Lab Test Sample,Lab Test Sample,Uzorak laboratorijskog ispitivanja @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,varijante apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Troškovi će se distribuirati proporcionalno na temelju količine ili iznosa stavke, prema Vašem odabiru" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Aktivnosti na čekanju za danas +DocType: Quality Procedure Process,Quality Procedure Process,Postupak kvalitete postupka DocType: Fee Schedule Program,Student Batch,Studentska serija apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Potrebna stopa procjene za stavku u retku {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Osnovna stopa sata (valuta tvrtke) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Postavite količinu transakcija na temelju serijskog ulaza apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Valuta računa unaprijed trebala bi biti ista kao i valuta tvrtke {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Prilagodite odjeljke početne stranice -DocType: Quality Goal,October,listopad +DocType: GSTR 3B Report,October,listopad DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Sakrij porezni ID klijenta iz transakcija prodaje apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Nevažeći GSTIN! GSTIN mora imati 15 znakova. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Pravilo određivanja cijena {0} je ažurirano @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Ostavite ravnotežu apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Raspored održavanja {0} postoji u odnosu na {1} DocType: Assessment Plan,Supervisor Name,Ime nadzornika DocType: Selling Settings,Campaign Naming By,Imenovanje kampanje -DocType: Course,Course Code,Šifra predmeta +DocType: Student Group Creation Tool Course,Course Code,Šifra predmeta apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,zračno-kosmički prostor DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuirajte na temelju naknada DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Kriteriji za bodovanje dobavljača rezultata dobavljača @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Izbornik restorana DocType: Asset Movement,Purpose,Svrha apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Dodjela strukture plaća zaposleniku već postoji DocType: Clinical Procedure,Service Unit,Servisna jedinica -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> Korisnička grupa> Teritorij DocType: Travel Request,Identification Document Number,Broj identifikacijskog dokumenta DocType: Stock Entry,Additional Costs,Dodatni troškovi -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Roditeljski tečaj (ostavite prazno, ako to nije dio Parent Course)" DocType: Employee Education,Employee Education,Obrazovanje zaposlenika apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Broj radnih mjesta ne može biti manji od trenutnog broja zaposlenih apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Sve korisničke grupe @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Redak {0}: Količina je obavezna DocType: Sales Invoice,Against Income Account,Protiv računa prihoda apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Redak # {0}: faktura kupovine ne može se izvršiti protiv postojeće imovine {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Pravila za primjenu različitih promotivnih programa. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Potreban faktor pokrivanja UOM-a za UOM: {0} u stavci: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Unesite količinu za stavku {0} DocType: Workstation,Electricity Cost,Cijena struje @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Ukupna projicirana količina apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,sastavnice DocType: Work Order,Actual Start Date,Stvarni datum početka 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 cijeli dan (e) između dana za kompenzacijski dopust -DocType: Company,About the Company,O tvrtki apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Stablo financijskih računa. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Neizravni prihodi DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Rezervacija za hotelsku sobu @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Baza potenci DocType: Skill,Skill Name,Naziv vještine apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Ispis izvješćne kartice DocType: Soil Texture,Ternary Plot,Trostruka parcela +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Podesite serije Naming za {0} putem postavke> Postavke> Serije imenovanja apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Ulaznice za podršku DocType: Asset Category Account,Fixed Asset Account,Račun fiksnih sredstava apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Najnoviji @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Program upisa progr ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Postavite seriju koja će se koristiti. DocType: Delivery Trip,Distance UOM,Udaljenost UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Obvezno za bilancu DocType: Payment Entry,Total Allocated Amount,Ukupni dodijeljeni iznos DocType: Sales Invoice,Get Advances Received,Primite primljene predujmove DocType: Student,B-,B- @@ -911,6 +915,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Stavka rasporeda od apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS profil potreban za POS ulaz DocType: Education Settings,Enable LMS,Omogući LMS DocType: POS Closing Voucher,Sales Invoices Summary,Sažetak dostavnica za prodaju +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Korist 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 račun stanja DocType: Video,Duration,Trajanje DocType: Lab Test Template,Descriptive,Opisni @@ -962,6 +967,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Početni i završni datumi DocType: Supplier Scorecard,Notify Employee,Obavijestite zaposlenika apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Softver +DocType: Program,Allow Self Enroll,Dopusti samoprijavu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Troškovi zaliha apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Referentni broj je obavezan ako ste unijeli referentni datum DocType: Training Event,Workshop,Radionica @@ -1014,6 +1020,7 @@ DocType: Lab Test Template,Lab Test Template,Predložak laboratorijskog testiran apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks.: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informacije o e-fakturiranju nedostaju apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nije napravljen nikakav zahtjev za materijal +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Šifra artikla> Grupa proizvoda> Marka DocType: Loan,Total Amount Paid,Ukupno plaćeni iznos apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Sve su te stavke već fakturirane DocType: Training Event,Trainer Name,Ime trenera @@ -1035,6 +1042,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Akademska godina DocType: Sales Stage,Stage Name,Naziv faze DocType: SMS Center,All Employee (Active),Svi zaposlenici (aktivni) +DocType: Accounting Dimension,Accounting Dimension,Dimenzija računovodstva DocType: Project,Customer Details,Detalji o klijentu DocType: Buying Settings,Default Supplier Group,Zadana grupa dobavljača apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Prvo poništite potvrdu o kupnji {0} @@ -1149,7 +1157,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Veći broj, viš DocType: Designation,Required Skills,Potrebne vještine DocType: Marketplace Settings,Disable Marketplace,Onemogući tržište DocType: Budget,Action if Annual Budget Exceeded on Actual,Akcija ako je godišnji proračun premašen na stvarni -DocType: Course,Course Abbreviation,Kratica kolegija apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Sudjelovanje nije poslano na {0} kao {1} na odsustvu. DocType: Pricing Rule,Promotional Scheme Id,Id promotivne sheme apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Datum završetka zadatka {0} ne može biti veći od {1} očekivanog datuma završetka {2} @@ -1292,7 +1299,7 @@ DocType: Bank Guarantee,Margin Money,Margina novca DocType: Chapter,Chapter,Poglavlje DocType: Purchase Receipt Item Supplied,Current Stock,Trenutna zaliha DocType: Employee,History In Company,Povijest u tvrtki -DocType: Item,Manufacturer,Proizvođač +DocType: Purchase Invoice Item,Manufacturer,Proizvođač apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Umjerena osjetljivost DocType: Compensatory Leave Request,Leave Allocation,Napuštanje DocType: Timesheet,Timesheet,kontrolna kartica @@ -1323,6 +1330,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Materijal prenesen za DocType: Products Settings,Hide Variants,Sakrij varijante DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Onemogući planiranje kapaciteta i praćenje vremena DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Izračunat će se u transakciji. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} je potreban za račun "Bilanca" {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} nije dopušteno obavljati transakcije s {1}. Molimo promijenite tvrtku. 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 postavkama za kupnju ako je potrebna kupnja == "DA", tada za izradu fakture kupnje korisnik mora najprije izraditi potvrdu o kupnji za stavku {0}" DocType: Delivery Trip,Delivery Details,detalji dostave @@ -1358,7 +1366,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Prethodna apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Jedinica mjere DocType: Lab Test,Test Template,Predložak testa DocType: Fertilizer,Fertilizer Contents,Sadržaj gnojiva -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minuta +DocType: Quality Meeting Minutes,Minute,Minuta apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Redak # {0}: Imovina {1} nije moguće poslati, već je {2}" DocType: Task,Actual Time (in Hours),Stvarno vrijeme (u satima) DocType: Period Closing Voucher,Closing Account Head,Završni voditelj računa @@ -1531,7 +1539,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorija DocType: Purchase Order,To Bill,Naplatiti apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Komunalni troškovi DocType: Manufacturing Settings,Time Between Operations (in mins),Vrijeme između operacija (u minima) -DocType: Quality Goal,May,svibanj +DocType: GSTR 3B Report,May,svibanj apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Račun za Gateway plaćanja nije izrađen, napravite ga ručno." DocType: Opening Invoice Creation Tool,Purchase,Kupiti DocType: Program Enrollment,School House,Školska kuća @@ -1563,6 +1571,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,P DocType: Supplier,Statutory info and other general information about your Supplier,Zakonske informacije i ostale opće informacije o Vašem Dobavljaču DocType: Item Default,Default Selling Cost Center,Zadano mjesto troška prodaje DocType: Sales Partner,Address & Contacts,Adresa i kontakti +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Postavite nizove brojeva za nazočnost putem postavke> Brojčane serije DocType: Subscriber,Subscriber,Pretplatnik apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) nema na skladištu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Prvo odaberite Datum knjiženja @@ -1590,6 +1599,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Naknada u bolničkom pos DocType: Bank Statement Settings,Transaction Data Mapping,Mapiranje podataka o transakcijama apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Olovo zahtijeva ili ime osobe ili ime organizacije DocType: Student,Guardians,čuvari +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Postavite sustav imenovanja instruktora u obrazovanju> Postavke obrazovanja apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Odaberite robnu marku ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Srednji dohodak DocType: Shipping Rule,Calculate Based On,Izračunajte na temelju @@ -1601,7 +1611,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Predujam troškova potraži DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Prilagodba zaokruživanja (valuta tvrtke) DocType: Item,Publish in Hub,Objavi u Hubu apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,kolovoz +DocType: GSTR 3B Report,August,kolovoz apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Prvo unesite potvrdu o kupnji apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Početak godine apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Ciljanje ({}) @@ -1620,6 +1630,7 @@ DocType: Item,Max Sample Quantity,Maksimalna količina uzorka apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Izvorno i ciljno skladište mora biti različito DocType: Employee Benefit Application,Benefits Applied,Primijenjene prednosti apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Protiv unosa dnevnika {0} nema nijedan neusporediv {1} unos +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Posebni znakovi osim "-", "#", ".", "/", "{" I "}" nisu dopušteni u imenovanju nizova" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Potrebne su ploče s popustom za cijenu ili proizvod apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Postavite cilj apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Zapis o prisustvu {0} postoji protiv studenta {1} @@ -1635,10 +1646,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Na mjesec DocType: Routing,Routing Name,Naziv rute DocType: Disease,Common Name,Uobičajeno ime -DocType: Quality Goal,Measurable,Mjerljiv DocType: Education Settings,LMS Title,Naslov LMS-a apps/erpnext/erpnext/config/non_profit.py,Loan Management,Upravljanje kreditima -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Podrška analtyics DocType: Clinical Procedure,Consumable Total Amount,Ukupni potrošni iznos apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Omogući predložak apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Korisnička LPO @@ -1778,6 +1787,7 @@ DocType: Restaurant Order Entry Item,Served,Posluženo DocType: Loan,Member,Član DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Raspored usluga jedinice za liječenje apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Žični prijenos +DocType: Quality Review Objective,Quality Review Objective,Cilj ocjene kvalitete DocType: Bank Reconciliation Detail,Against Account,Protiv računa DocType: Projects Settings,Projects Settings,Postavke projekata apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Stvarna količina {0} / količina čekanja {1} @@ -1806,6 +1816,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ve apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Datum završetka fiskalne godine trebao bi biti godinu dana nakon početka fiskalne godine apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Dnevni podsjetnici DocType: Item,Default Sales Unit of Measure,Zadana prodajna jedinica mjere +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Tvrtka GSTIN DocType: Asset Finance Book,Rate of Depreciation,Stopa amortizacije DocType: Support Search Source,Post Description Key,Ključ za opis posta DocType: Loyalty Program Collection,Minimum Total Spent,Minimalna potrošena količina @@ -1877,6 +1888,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Promjena grupe korisnika za odabranog korisnika nije dopuštena. DocType: Serial No,Creation Document Type,Vrsta dokumenta stvaranja DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Dostupan komad u skladištu +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Ovo je korijensko područje i ne može se uređivati. DocType: Patient,Surgical History,Kirurška povijest apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Stablo postupaka kvalitete. @@ -1981,6 +1993,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,n DocType: Item Group,Check this if you want to show in website,Označite ovo ako želite prikazati na web-lokaciji apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskalna godina {0} nije pronađena DocType: Bank Statement Settings,Bank Statement Settings,Postavke bankovnog izvoda +DocType: Quality Procedure Process,Link existing Quality Procedure.,Poveži postojeću proceduru kvalitete. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Uvezite grafikon računa iz CSV / Excel datoteka DocType: Appraisal Goal,Score (0-5),Rezultat (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Atribut {0} odabran više puta u tablici atributa DocType: Purchase Invoice,Debit Note Issued,Izdana debitna bilješka @@ -1989,7 +2003,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Ostavite pojedinosti o pravilima apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Skladište nije pronađeno u sustavu DocType: Healthcare Practitioner,OP Consulting Charge,OP konzultantska naknada -DocType: Quality Goal,Measurable Goal,Mjerljivi cilj DocType: Bank Statement Transaction Payment Item,Invoices,računi DocType: Currency Exchange,Currency Exchange,Razmjena valute DocType: Payroll Entry,Fortnightly,četrnaestodnevni @@ -2052,6 +2065,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} nije poslan DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Ispraznite sirovine iz skladišta u tijeku DocType: Maintenance Team Member,Maintenance Team Member,Član tima za održavanje +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Postavljanje prilagođenih dimenzija za računovodstvo DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimalna udaljenost između redova biljaka za optimalan rast DocType: Employee Health Insurance,Health Insurance Name,Naziv zdravstvenog osiguranja apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Imovina dionica @@ -2084,7 +2098,7 @@ DocType: Delivery Note,Billing Address Name,Naziv adrese za naplatu apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternativna stavka DocType: Certification Application,Name of Applicant,Naziv podnositelja zahtjeva DocType: Leave Type,Earned Leave,Zasluženi odlazak -DocType: Quality Goal,June,lipanj +DocType: GSTR 3B Report,June,lipanj apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Redak {0}: Mjesto troška je potrebno za stavku {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Može se odobriti do {0} 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} unesena je više puta u tablicu faktora konverzije @@ -2105,6 +2119,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standardna stopa prodaje apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Postavite aktivni izbornik za restoran {0} apps/erpnext/erpnext/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 da biste dodali korisnike na Marketplace. DocType: Asset Finance Book,Asset Finance Book,Knjiga o imovini +DocType: Quality Goal Objective,Quality Goal Objective,Cilj cilja kvalitete DocType: Employee Transfer,Employee Transfer,Prijenos zaposlenika ,Sales Funnel,Tok za prodaju DocType: Agriculture Analysis Criteria,Water Analysis,Analiza vode @@ -2143,6 +2158,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Posao prijenosa z apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Aktivnosti na čekanju apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Navedite nekoliko svojih klijenata. To mogu biti organizacije ili pojedinci. DocType: Bank Guarantee,Bank Account Info,Podaci o bankovnom računu +DocType: Quality Goal,Weekday,radni dan apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Ime Guardian1 DocType: Salary Component,Variable Based On Taxable Salary,Varijabla na temelju oporezive plaće DocType: Accounting Period,Accounting Period,Obračunsko razdoblje @@ -2227,7 +2243,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Podešavanje zaokruživanja DocType: Quality Review Table,Quality Review Table,Tablica pregleda kvalitete DocType: Member,Membership Expiry Date,Datum isteka članstva DocType: Asset Finance Book,Expected Value After Useful Life,Očekivana vrijednost nakon korisnog života -DocType: Quality Goal,November,studeni +DocType: GSTR 3B Report,November,studeni DocType: Loan Application,Rate of Interest,Kamatna stopa DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Stavka plaćanja transakcijskog računa DocType: Restaurant Reservation,Waitlisted,na listi čekanja @@ -2291,6 +2307,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Redak {0}: da biste postavili {1} periodičnost, razlika između dana i datuma mora biti veća ili jednaka {2}" DocType: Purchase Invoice Item,Valuation Rate,Stopa procjene DocType: Shopping Cart Settings,Default settings for Shopping Cart,Zadane postavke za Košaricu +DocType: Quiz,Score out of 100,Rezultat od 100 DocType: Manufacturing Settings,Capacity Planning,Planiranje kapaciteta apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Idite na instruktore DocType: Activity Cost,Projects,Projekti @@ -2300,6 +2317,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,S vremena apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Izvješće s pojedinostima o varijanti +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Za kupnju apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Mjesta za {0} nisu dodana rasporedu DocType: Target Detail,Target Distribution,Ciljna distribucija @@ -2317,6 +2335,7 @@ DocType: Activity Cost,Activity Cost,Trošak aktivnosti DocType: Journal Entry,Payment Order,Nalog za plaćanje apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,cijena ,Item Delivery Date,Datum isporuke stavke +DocType: Quality Goal,January-April-July-October,Siječanj-travanj-srpanj-listopad DocType: Purchase Order Item,Warehouse and Reference,Skladište i reference apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Račun s čvorovima za dijete ne može se pretvoriti u knjigu DocType: Soil Texture,Clay Composition (%),Sastav gline (%) @@ -2367,6 +2386,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Budući datumi nisu do apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance 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 na rasporedu plaćanja apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Akademski pojam: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Parametar povratne informacije kvalitete apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Odaberite Primijeni popust na apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Redak {{0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Ukupna plaćanja @@ -2409,7 +2429,7 @@ DocType: Hub Tracked Item,Hub Node,Čvor Huba apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID zaposlenika DocType: Salary Structure Assignment,Salary Structure Assignment,Dodjela strukture plaća DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Porez na vaučer za zatvaranje POS terminala -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Postupak inicijaliziran +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Postupak inicijaliziran DocType: POS Profile,Applicable for Users,Primjenjivo za korisnike DocType: Training Event,Exam,Ispit apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Pronađen je pogrešan broj unosa glavne knjige. Možda ste u transakciji odabrali pogrešan račun. @@ -2516,6 +2536,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,dužina DocType: Accounts Settings,Determine Address Tax Category From,Odredite poreznu kategoriju iz apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Identificiranje donositelja odluka +DocType: Stock Entry Detail,Reference Purchase Receipt,Referentni račun za kupnju apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Nabavite račune DocType: Tally Migration,Is Day Book Data Imported,Podaci o danu knjige su uvezeni ,Sales Partners Commission,Komisija za prodajne partnere @@ -2539,6 +2560,7 @@ DocType: Leave Type,Applicable After (Working Days),Primjenjivo nakon (radnih da DocType: Timesheet Detail,Hrs,sati DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kriteriji ocjene dobavljača DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parametar predloška predloška kvalitete apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Datum pridruživanja mora biti veći od datuma rođenja DocType: Bank Statement Transaction Invoice Item,Invoice Date,Datum dostavnice DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Izradite laboratorijske testove na dostavnici dostavnice @@ -2645,7 +2667,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimalna dopuštena DocType: Stock Entry,Source Warehouse Address,Adresa skladišta izvora DocType: Compensatory Leave Request,Compensatory Leave Request,Zahtjev za kompenzacijskim dopustom DocType: Lead,Mobile No.,Broj mobitela. -DocType: Quality Goal,July,srpanj +DocType: GSTR 3B Report,July,srpanj apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Prihvatljivi ITC DocType: Fertilizer,Density (if liquid),Gustoća (ako je tekućina) DocType: Employee,External Work History,Vanjska radna povijest @@ -2722,6 +2744,7 @@ DocType: Certification Application,Certification Status,Status certifikacije apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Lokacija izvora potrebna je za snimku {0} DocType: Employee,Encashment Date,Datum unovčavanja apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Odaberite Datum dovršetka dovršenog dnevnika održavanja imovine +DocType: Quiz,Latest Attempt,Najnoviji pokušaj DocType: Leave Block List,Allow Users,Dopusti korisnike apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Kontni plan apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Kupac je obavezan ako je za klijenta odabran "Prilika od" @@ -2786,7 +2809,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Podešavanje popisa DocType: Amazon MWS Settings,Amazon MWS Settings,Postavke za Amazon MWS DocType: Program Enrollment,Walking,Hodanje DocType: SMS Log,Requested Numbers,Traženi brojevi -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Postavite nizove brojeva za nazočnost putem postavke> Brojčane serije DocType: Woocommerce Settings,Freight and Forwarding Account,Račun za otpremu i otpremu apps/erpnext/erpnext/accounts/party.py,Please select a Company,Odaberite tvrtku apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Redak {0}: {1} mora biti veći od 0 @@ -2856,7 +2878,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Računi pod DocType: Training Event,Seminar,Seminar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kredit ({0}) DocType: Payment Request,Subscription Plans,Planovi pretplate -DocType: Quality Goal,March,ožujak +DocType: GSTR 3B Report,March,ožujak apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Split Batch DocType: School House,House Name,Ime kuće apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Izvanredno za {0} ne može biti manja od nule ({1}) @@ -2919,7 +2941,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Datum početka osiguranja DocType: Target Detail,Target Detail,Ciljni detalj DocType: Packing Slip,Net Weight UOM,Neto težina UOM -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverzijski faktor ({0} -> {1}) nije pronađen za stavku: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Neto iznos (valuta tvrtke) DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapirani podaci apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Vrijednosni papiri i depoziti @@ -2969,6 +2990,7 @@ DocType: Cheque Print Template,Cheque Height,Provjerite visinu apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Unesite datum olakšavanja. DocType: Loyalty Program,Loyalty Program Help,Pomoć za program lojalnosti DocType: Journal Entry,Inter Company Journal Entry Reference,Upute za unos internog dnevnika +DocType: Quality Meeting,Agenda,dnevni red DocType: Quality Action,Corrective,korektiv apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Grupiraj po DocType: Bank Account,Address and Contact,Adresa i kontakt @@ -3022,7 +3044,7 @@ DocType: GL Entry,Credit Amount,Iznos kredita apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Ukupni iznos kredita DocType: Support Search Source,Post Route Key List,Popis ključnih riječi rute apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} nije aktivna fiskalna godina. -DocType: Quality Action Table,Problem,Problem +DocType: Quality Action Resolution,Problem,Problem DocType: Training Event,Conference,Konferencija DocType: Mode of Payment Account,Mode of Payment Account,Račun načina plaćanja DocType: Leave Encashment,Encashable days,Dani koji se mogu onemogućiti @@ -3148,7 +3170,7 @@ DocType: Item,"Purchase, Replenishment Details","Kupnja, pojedinosti o dopuni" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Nakon postavljanja, ova će faktura biti na čekanju do određenog datuma" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Stock ne može postojati za stavku {0} jer ima varijante DocType: Lab Test Template,Grouped,grupirane -DocType: Quality Goal,January,siječanj +DocType: GSTR 3B Report,January,siječanj DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteriji ocjenjivanja kolegija DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Dovršeno Kol @@ -3244,7 +3266,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Vrsta jedinic apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,U tablicu unesite najmanje 1 dostavnicu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Prodajni nalog {0} nije poslan apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Sudjelovanje je uspješno označeno. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Pretprodaja +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pretprodaja apps/erpnext/erpnext/config/projects.py,Project master.,Voditelj projekta. DocType: Daily Work Summary,Daily Work Summary,Sažetak dnevnog rada DocType: Asset,Partially Depreciated,Djelomično amortizirano @@ -3253,6 +3275,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Ostavite zauzeto? DocType: Certified Consultant,Discuss ID,Raspravljajte ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Postavite GST račune u GST postavkama +DocType: Quiz,Latest Highest Score,Najnoviji najviši rezultat DocType: Supplier,Billing Currency,Valuta naplate apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Studentska aktivnost apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Ciljna količina ili ciljni iznos je obavezan @@ -3278,18 +3301,21 @@ DocType: Sales Order,Not Delivered,Nije dostavljeno apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Vrsta ostavljanja {0} ne može se dodijeliti jer je to dopust bez plaćanja DocType: GL Entry,Debit Amount,Iznos dugovanja apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Već postoji zapis za stavku {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Podskupovi 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 i dalje prevladavaju višestruka pravila za određivanje cijena, od korisnika se traži da ručno odrede prioritet za rješavanje sukoba." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Nije moguće odbiti kada je kategorija za "Procjena" ili "Procjena i ukupni iznos" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Sastavnica i količina proizvodnje su potrebne apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Stavka {0} je završila svoj život na {1} DocType: Quality Inspection Reading,Reading 6,Čitanje 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Polje tvrtke je obavezno apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Potrošnja materijala nije postavljena u Postavkama proizvodnje. DocType: Assessment Group,Assessment Group Name,Naziv skupine za procjenu -DocType: Item,Manufacturer Part Number,Broj dijela proizvođača +DocType: Purchase Invoice Item,Manufacturer Part Number,Broj dijela proizvođača apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Plaće se plaćaju apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Redak {0}: {1} ne može biti negativan za stavku {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Količina bilance +DocType: Question,Multiple Correct Answer,Višestruki ispravan odgovor DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Bodovi lojalnosti = Kolika je osnovna valuta? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Napomena: nema dovoljno preostalog balansa za vrstu ostavljanja {0} DocType: Clinical Procedure,Inpatient Record,Stacionarni zapis @@ -3412,6 +3438,7 @@ DocType: Fee Schedule Program,Total Students,Ukupno studenata apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,lokalne DocType: Chapter Member,Leave Reason,Ostavi razlog DocType: Salary Component,Condition and Formula,Stanje i formula +DocType: Quality Goal,Objectives,Ciljevi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plaća je već obrađena za razdoblje između {0} i {1}, razdoblje napuštanja aplikacije ne može biti između tog raspona datuma." DocType: BOM Item,Basic Rate (Company Currency),Osnovna stopa (valuta tvrtke) DocType: BOM Scrap Item,BOM Scrap Item,Stavka BOM bilješke @@ -3462,6 +3489,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Račun potraživanja troškova apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nema otplata za unos dnevnika apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} je neaktivan student +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Unos dionica DocType: Employee Onboarding,Activities,djelatnost apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,U najmanju ruku jedno skladište je obvezno ,Customer Credit Balance,Stanje kredita za klijente @@ -3546,7 +3574,6 @@ DocType: Contract,Contract Terms,Uvjeti ugovora apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Ciljna količina ili ciljni iznos je obavezan. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Nevažeće {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Datum sastanka DocType: Inpatient Record,HLC-INP-.YYYY.-,FHP-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Skraćenica ne može imati više od 5 znakova DocType: Employee Benefit Application,Max Benefits (Yearly),Maksimalne prednosti (godišnje) @@ -3649,7 +3676,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Bankovne naknade apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Prijenos robe apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Osnovni kontaktni podaci -DocType: Quality Review,Values,vrijednosti 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 se morati dodati svakom odjelu gdje ga treba primijeniti." DocType: Item Group,Show this slideshow at the top of the page,Prikaži ovu prezentaciju na vrhu stranice apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Parametar {0} nije valjan @@ -3668,6 +3694,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Račun bankovnih naknada DocType: Journal Entry,Get Outstanding Invoices,Dobijte izvanredne dostavnice DocType: Opportunity,Opportunity From,Mogućnost od +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Pojedinosti ciljanja DocType: Item,Customer Code,Kod kupca apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Najprije unesite stavku apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Oglas s web-lokacije @@ -3696,7 +3723,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Dostava u DocType: Bank Statement Transaction Settings Item,Bank Data,Bankovni podaci apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,U planu je -DocType: Quality Goal,Everyday,Svaki dan DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Održavajte sate za naplatu i radno vrijeme na obrascu timesheet apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Pratite trag pomoću glavnog izvora. DocType: Clinical Procedure,Nursing User,Korisnik skrbi @@ -3721,7 +3747,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Upravljanje stablom te DocType: GL Entry,Voucher Type,Vrsta vaučera ,Serial No Service Contract Expiry,Istek ugovora o serijskom ugovaranju DocType: Certification Application,Certified,potvrđen -DocType: Material Request Plan Item,Manufacture,Proizvodnja +DocType: Purchase Invoice Item,Manufacture,Proizvodnja apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,Proizvedeno je {0} stavki apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Zahtjev za plaćanje za {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dani od zadnjeg reda @@ -3736,7 +3762,7 @@ DocType: Sales Invoice,Company Address Name,Naziv adrese tvrtke apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Roba u tranzitu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Ovim redoslijedom možete iskoristiti najviše {0} bodova. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Postavite račun u skladištu {0} -DocType: Quality Action Table,Resolution,rezolucija +DocType: Quality Action,Resolution,rezolucija DocType: Sales Invoice,Loyalty Points Redemption,Otkup bodova lojalnosti apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Ukupna porezna vrijednost DocType: Patient Appointment,Scheduled,planiran @@ -3857,6 +3883,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Stopa apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Spremanje {0} DocType: SMS Center,Total Message(s),Ukupno poruka (e) +DocType: Purchase Invoice,Accounting Dimensions,Dimenzije računovodstva apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupirajte po računu DocType: Quotation,In Words will be visible once you save the Quotation.,U riječima će biti vidljivo kada spremite ponudu. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Količina za proizvodnju @@ -4021,7 +4048,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,P apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Ako imate bilo kakvih pitanja, javite nam se." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Potvrda o kupnji {0} nije poslana DocType: Task,Total Expense Claim (via Expense Claim),Ukupni zahtjev za trošak (putem potraživanja troškova) -DocType: Quality Action,Quality Goal,Cilj kvalitete +DocType: Quality Goal,Quality Goal,Cilj kvalitete DocType: Support Settings,Support Portal,Portal za podršku apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Datum završetka zadatka {0} ne može biti manji od {1} očekivanog datuma početka {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Zaposlenik {0} je ostavio na {1} @@ -4080,7 +4107,6 @@ DocType: BOM,Operating Cost (Company Currency),Operativni trošak (valuta tvrtke DocType: Item Price,Item Price,Cijena stavke DocType: Payment Entry,Party Name,Ime stranke apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Odaberite klijenta -DocType: Course,Course Intro,Uvod u tečaj DocType: Program Enrollment Tool,New Program,Novi program apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Broj novog mjesta troška, on će biti uključen u naziv mjesta troška kao prefiks" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Odaberite kupca ili dobavljača. @@ -4281,6 +4307,7 @@ DocType: Customer,CUST-.YYYY.-,Prilagodi-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto plaća ne može biti negativna apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Broj interakcija apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Redak {0} # Stavka {1} ne može se prenijeti više od {2} prema Narudžbenici {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,smjena apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Obrada kontnog plana i stranaka DocType: Stock Settings,Convert Item Description to Clean HTML,Pretvori opis stavke u Clean HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Sve grupe dobavljača @@ -4359,6 +4386,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Stavka roditelja apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,posredništvo apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Izradite račun za kupnju ili račun za stavku {0} +,Product Bundle Balance,Ravnoteža paketa proizvoda apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Naziv tvrtke ne može biti tvrtka DocType: Maintenance Visit,Breakdown,kvar DocType: Inpatient Record,B Negative,B Negativno @@ -4367,7 +4395,7 @@ DocType: Purchase Invoice,Credit To,Kreditiranje apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Pošaljite ovaj radni nalog za daljnju obradu. DocType: Bank Guarantee,Bank Guarantee Number,Broj bankovne garancije apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Isporučeno: {0} -DocType: Quality Action,Under Review,U pregledu +DocType: Quality Meeting Table,Under Review,U pregledu apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Poljoprivreda (beta) ,Average Commission Rate,Prosječna stopa provizije DocType: Sales Invoice,Customer's Purchase Order Date,Datum narudžbe kupca @@ -4484,7 +4512,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Uskladite plaćanja s računima DocType: Holiday List,Weekly Off,Tjedno je isključeno apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Nije dopušteno postaviti alternativnu stavku za stavku {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Program {0} ne postoji. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} ne postoji. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Ne možete uređivati korijenski čvor. DocType: Fee Schedule,Student Category,Kategorija učenika apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Stavka {0}: {1} proizvedeno," @@ -4575,8 +4603,8 @@ DocType: Crop,Crop Spacing,Razmak usjeva DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Koliko često treba ažurirati projekt i tvrtku na temelju prodajnih transakcija. DocType: Pricing Rule,Period Settings,Postavke razdoblja apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Neto promjena potraživanja +DocType: Quality Feedback Template,Quality Feedback Template,Predložak kvalitete povratnih informacija apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Za Količina mora biti veća od nule -DocType: Quality Goal,Goal Objectives,Ciljevi cilja 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čunatog iznosa" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Ostavite prazno ako napravite grupe studenata godišnje apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Zajmovi (obveze) @@ -4611,12 +4639,13 @@ DocType: Quality Procedure Table,Step,Korak DocType: Normal Test Items,Result Value,Vrijednost rezultata DocType: Cash Flow Mapping,Is Income Tax Liability,Odgovornost za porez na dohodak DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Stavka plaćanja u bolničkom posjetu -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} ne postoji. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} ne postoji. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Ažuriraj odgovor DocType: Bank Guarantee,Supplier,Dobavljač apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Unesite vrijednost između {0} i {1} DocType: Purchase Order,Order Confirmation Date,Datum potvrde narudžbe DocType: Delivery Trip,Calculate Estimated Arrival Times,Izračunaj procijenjeno vrijeme dolaska +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sustav imenovanja zaposlenika u ljudskim resursima> Postavke ljudskih resursa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,potrošni DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Datum početka pretplate @@ -4680,6 +4709,7 @@ DocType: Cheque Print Template,Is Account Payable,Je li obveza prema dobavljaču apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Ukupna vrijednost narudžbe apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dobavljač {0} nije pronađen u {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Postavite postavke SMS pristupnika +DocType: Salary Component,Round to the Nearest Integer,Zaokružite na najbliži cijeli broj apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Root ne može imati nadređeno mjesto troška DocType: Healthcare Service Unit,Allow Appointments,Dopusti sastanke DocType: BOM,Show Operations,Prikaži operacije @@ -4808,7 +4838,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Zadani popis za odmor DocType: Naming Series,Current Value,Trenutna vrijednost apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezonsko za postavljanje proračuna, ciljeva itd." -DocType: Program,Program Code,Programski kod apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Upozorenje: prodajni nalog {0} već postoji protiv narudžbenice kupca {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Mjesečni cilj prodaje ( DocType: Guardian,Guardian Interests,Interesi čuvara @@ -4858,10 +4887,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Plaćeno i nije isporučeno apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Šifra artikla je obavezna jer stavka nije automatski numerirana DocType: GST HSN Code,HSN Code,HSN kod -DocType: Quality Goal,September,rujan +DocType: GSTR 3B Report,September,rujan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administrativni troškovi DocType: C-Form,C-Form No,C-Obrazac br DocType: Purchase Invoice,End date of current invoice's period,Datum završetka razdoblja tekućeg računa +DocType: Item,Manufacturers,Proizvođači DocType: Crop Cycle,Crop Cycle,Crop Cycle DocType: Serial No,Creation Time,Vrijeme stvaranja apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Unesite uloga za odobravanje ili korisnika za odobravanje @@ -4934,8 +4964,6 @@ DocType: Employee,Short biography for website and other publications.,Kratka bio DocType: Purchase Invoice Item,Received Qty,Primljeno Kol DocType: Purchase Invoice Item,Rate (Company Currency),Stopa (valuta tvrtke) DocType: Item Reorder,Request for,Zahtjev za -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/setup/setup_wizard/setup_wizard.py,Installing presets,Instaliranje unaprijed definiranih postavki apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Unesite razdoblja otplate DocType: Pricing Rule,Advanced Settings,Napredne postavke @@ -4961,7 +4989,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Omogući košaricu za kupnju DocType: Pricing Rule,Apply Rule On Other,Primijeni pravilo na drugo DocType: Vehicle,Last Carbon Check,Provjera posljednjeg ugljika -DocType: Vehicle,Make,Napraviti +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Napraviti apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Faktura prodaje {0} stvorena kao plaćena apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Za izradu zahtjeva za plaćanje potreban je referentni dokument apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Porez na dohodak @@ -5037,7 +5065,6 @@ DocType: Territory,Parent Territory,Teritorij roditelja DocType: Vehicle Log,Odometer Reading,Očitanje odometra DocType: Additional Salary,Salary Slip,Ispuštanje plaće DocType: Payroll Entry,Payroll Frequency,Frekvencija obračuna plaća -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sustav imenovanja zaposlenika u ljudskim resursima> Postavke ljudskih resursa apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Početni i završni datumi koji nisu u važećem obračunskom razdoblju, ne mogu izračunati {0}" DocType: Products Settings,Home Page is Products,Početna stranica je Proizvodi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,pozivi @@ -5091,7 +5118,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Dohvaćanje zapisa ...... DocType: Delivery Stop,Contact Information,Podaci za kontakt DocType: Sales Order Item,For Production,Za proizvodnju -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Postavite sustav imenovanja instruktora u obrazovanju> Postavke obrazovanja DocType: Serial No,Asset Details,Pojedinosti o objektu DocType: Restaurant Reservation,Reservation Time,Vrijeme rezervacije DocType: Selling Settings,Default Territory,Zadano područje @@ -5231,6 +5257,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Istekle serije DocType: Shipping Rule,Shipping Rule Type,Vrsta pravila slanja DocType: Job Offer,Accepted,prihvaćeno +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/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Već ste procijenili kriterije procjene {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Odaberite Serijski brojevi apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Dob (Dani) @@ -5247,6 +5275,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,U paketu stavke u vrijeme prodaje. DocType: Payment Reconciliation Payment,Allocated Amount,Dodijeljeni iznos apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Odaberite tvrtku i oznaku +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,"Datum" je obavezan DocType: Email Digest,Bank Credit Balance,Stanje kredita apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Prikaži kumulativni iznos apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Nemate dovoljno bodova lojalnosti da biste ih iskoristili @@ -5307,11 +5336,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Ukupno na prethodnom r DocType: Student,Student Email Address,Adresa e-pošte studenta DocType: Academic Term,Education,Obrazovanje DocType: Supplier Quotation,Supplier Address,Adresa dobavljača -DocType: Salary Component,Do not include in total,Ne uključujte ukupno +DocType: Salary Detail,Do not include in total,Ne uključujte ukupno apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Nije moguće postaviti više zadanih postavki stavke za tvrtku. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ne postoji DocType: Purchase Receipt Item,Rejected Quantity,Odbijena količina DocType: Cashier Closing,To TIme,U VRIJEME +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverzijski faktor ({0} -> {1}) nije pronađen za stavku: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Dnevni korisnik grupe sažetka rada DocType: Fiscal Year Company,Fiscal Year Company,Tvrtka fiskalne godine apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternativna stavka ne smije biti ista kao i kod stavke @@ -5421,7 +5451,6 @@ DocType: Fee Schedule,Send Payment Request Email,Pošalji e-poruku sa zahtjevom DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,U riječima će biti vidljivo kada spremite dostavnicu. DocType: Sales Invoice,Sales Team1,Prodajni tim1 DocType: Work Order,Required Items,Potrebne stavke -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Posebni znakovi osim "-", "#", "." i "/" nije dopušteno u imenovanju nizova" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Pročitajte ERPNext priručnik DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Provjerite jedinstvenost broja fakture dobavljača apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Traži podskupove @@ -5489,7 +5518,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Postotak odbitka 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: Share Balance,To No,Na broj DocType: Leave Control Panel,Allocate Leaves,Dodijelite lišće -DocType: Quiz,Last Attempt,Posljednji pokušaj DocType: Assessment Result,Student Name,Ime studenta apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Planirajte posjete za održavanje. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Sljedeći zahtjevi za materijal podignuti su automatski na temelju ponovnog naručivanja stavke @@ -5558,6 +5586,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Boja indikatora DocType: Item Variant Settings,Copy Fields to Variant,Kopirajte polja u varijantu DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Jedan ispravan odgovor apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Od datuma ne može biti manji od datuma pridruživanja zaposlenika DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Dopustite višestruke prodajne narudžbe protiv narudžbe kupca apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5620,7 +5649,7 @@ DocType: Account,Expenses Included In Valuation,Troškovi uključeni u procjenu apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Serijski brojevi DocType: Salary Slip,Deductions,odbici ,Supplier-Wise Sales Analytics,Analitika prodaje po dobavljaču -DocType: Quality Goal,February,veljača +DocType: GSTR 3B Report,February,veljača DocType: Appraisal,For Employee,Za zaposlenika apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Stvarni datum isporuke DocType: Sales Partner,Sales Partner Name,Naziv prodajnog partnera @@ -5716,7 +5745,6 @@ DocType: Procedure Prescription,Procedure Created,Postupak stvoren apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Protiv fakture dobavljača {0} s datumom {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Promijenite POS profil apps/erpnext/erpnext/utilities/activation.py,Create Lead,Napravite olovo -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> Vrsta dobavljača DocType: Shopify Settings,Default Customer,Zadani korisnik DocType: Payment Entry Reference,Supplier Invoice No,Račun dobavljača br DocType: Pricing Rule,Mixed Conditions,Mješoviti uvjeti @@ -5767,12 +5795,14 @@ DocType: Item,End of Life,Kraj zivota DocType: Lab Test Template,Sensitivity,Osjetljivost DocType: Territory,Territory Targets,Ciljevi teritorija apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Preskakanje izdvajanja za sljedeće zaposlenike, jer evidencija o dopuštenju ostavljanja već postoji protiv njih. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Rezolucija akcije kvalitete DocType: Sales Invoice Item,Delivered By Supplier,Isporučeno od dobavljača DocType: Agriculture Analysis Criteria,Plant Analysis,Analiza biljaka apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Račun troškova je obavezan za stavku {0} ,Subcontracted Raw Materials To Be Transferred,Podugovorene sirovine koje treba prenijeti DocType: Cashier Closing,Cashier Closing,Zatvaranje blagajnika apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Stavka {0} je već vraćena +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Nevažeći GSTIN! Unos koji ste unijeli ne odgovara GSTIN formatu za UIN nositelje ili nerezidentne OIDAR davatelje usluga apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Za ovo skladište postoji dječje skladište. Ne možete izbrisati ovo skladište. DocType: Diagnosis,Diagnosis,Dijagnoza apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},U razdoblju između {0} i {1} nema razdoblja dopusta @@ -5789,6 +5819,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Postavke autorizacije DocType: Homepage,Products,proizvodi ,Profit and Loss Statement,Izvještaj o dobiti i gubitku apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Sobe rezervirane +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Dvostruki unos za kôd stavke {0} i proizvođač {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Totalna tezina apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Putovati @@ -5837,6 +5868,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Zadana grupa korisnika DocType: Journal Entry Account,Debit in Company Currency,Zaduženje u valuti tvrtke DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Povratna serija je "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Dnevni red kvalitete sastanka DocType: Cash Flow Mapper,Section Header,Zaglavlje odjeljka apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Vaše proizvode ili usluge DocType: Crop,Perennial,višegodišnji @@ -5882,7 +5914,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Proizvod ili usluga koji se kupuje, prodaje ili čuva na skladištu." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Zatvaranje (otvaranje + ukupno) DocType: Supplier Scorecard Criteria,Criteria Formula,Formula kriterija -,Support Analytics,Podrška Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Podrška Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Pregled i radnja DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ako je račun zamrznut, unosi su dopušteni ograničenim korisnicima." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Iznos nakon amortizacije @@ -5927,7 +5959,6 @@ DocType: Contract Template,Contract Terms and Conditions,Uvjeti i odredbe ugovor apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Dohvati podatke DocType: Stock Settings,Default Item Group,Zadana grupa predmeta DocType: Sales Invoice Timesheet,Billing Hours,Sati plaćanja -DocType: Item,Item Code for Suppliers,Šifra artikla za dobavljače apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Aplikacija za ostavljanje {0} već postoji protiv studenta {1} DocType: Pricing Rule,Margin Type,Vrsta margine DocType: Purchase Invoice Item,Rejected Serial No,Odbijena serijska br @@ -6000,6 +6031,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Lišće je uspješno izdano DocType: Loyalty Point Entry,Expiry Date,Datum isteka DocType: Project Task,Working,Radna +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} već ima nadređeni postupak {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,To se temelji na transakcijama protiv ovog pacijenta. Detalje potražite u donjoj crti DocType: Material Request,Requested For,Zahtijevano za DocType: SMS Center,All Sales Person,Sva prodajna osoba @@ -6087,6 +6119,7 @@ DocType: Loan Type,Maximum Loan Amount,Maksimalni iznos kredita apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-pošta nije pronađena u zadanom kontaktu DocType: Hotel Room Reservation,Booked,rezerviran DocType: Maintenance Visit,Partially Completed,Djelomično dovršeno +DocType: Quality Procedure Process,Process Description,Opis procesa DocType: Company,Default Employee Advance Account,Zadani predujam za zaposlenike DocType: Leave Type,Allow Negative Balance,Dopusti negativno stanje apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Naziv plana procjene @@ -6128,6 +6161,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Zahtjev za stavku ponude apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} dvaput je uneseno u porez na stavku DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Odbiti puni porez na odabrani datum plaće +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Zadnji datum provjere ugljika ne može biti datum u budućnosti apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Odaberite račun za promjenu iznosa DocType: Support Settings,Forum Posts,Forum postovi DocType: Timesheet Detail,Expected Hrs,Očekivani sati @@ -6137,7 +6171,7 @@ DocType: Program Enrollment Tool,Enroll Students,Upišite studente apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Ponovite prihode od kupaca DocType: Company,Date of Commencement,Datum početka DocType: Bank,Bank Name,Ime banke -DocType: Quality Goal,December,prosinac +DocType: GSTR 3B Report,December,prosinac apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Valjan od datuma mora biti manji od važećeg datuma apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,To se temelji na prisutnosti ovog zaposlenika DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ako je označeno, početna stranica bit će zadana grupa stavki za web-lokaciju" @@ -6180,6 +6214,7 @@ DocType: Payment Entry,Payment Type,Način plaćanja apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Brojevi folija se ne podudaraju DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Provjera kvalitete: {0} nije poslan za stavku: {1} u retku {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Prikaži {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,Pronađena je {0} stavka. ,Stock Ageing,Stock Starenje DocType: Customer Group,Mention if non-standard receivable account applicable,Navedite ako je primjenjiv nestandardni račun potraživanja @@ -6457,6 +6492,7 @@ DocType: Travel Request,Costing,koštanje apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Stalna sredstva DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Ukupno zarada +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> Korisnička grupa> Teritorij DocType: Share Balance,From No,Od br DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Račun usklađivanja plaćanja DocType: Purchase Invoice,Taxes and Charges Added,Dodani porezi i naknade @@ -6464,7 +6500,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Razmotrite porez DocType: Authorization Rule,Authorized Value,Autorizirana vrijednost apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Primljeno od apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Skladište {0} ne postoji +DocType: Item Manufacturer,Item Manufacturer,Proizvođač stavke DocType: Sales Invoice,Sales Team,Prodajni tim +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Kol DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM DocType: Installation Note,Installation Date,Datum instalacije DocType: Email Digest,New Quotations,Nove ponude @@ -6528,7 +6566,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Naziv popisa praznika DocType: Water Analysis,Collection Temperature ,Temperatura prikupljanja DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Upravljajte dostavnicom za naplatu i automatski otkazuj za Pacijentov susret -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Podesite serije Naming za {0} putem postavke> Postavke> Serije imenovanja DocType: Employee Benefit Claim,Claim Date,Datum polaganja prava DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Ostavite prazno ako je dobavljač blokiran na neodređeno vrijeme apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Sudjelovanje od datuma i nazočnosti do datuma je obavezno @@ -6539,6 +6576,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Datum odlaska u mirovinu apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Odaberite Pacijent DocType: Asset,Straight Line,Ravna crta +DocType: Quality Action,Resolutions,rezolucije DocType: SMS Log,No of Sent SMS,Broj poslanih SMS-ova ,GST Itemised Sales Register,GST Detaljan prodajni registar apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Ukupni iznos predujma ne može biti veći od ukupnog iznosa sankcije @@ -6649,7 +6687,7 @@ DocType: Account,Profit and Loss,Dobit i gubitak apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Količina dif DocType: Asset Finance Book,Written Down Value,Zabilježena vrijednost apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Početni kapital -DocType: Quality Goal,April,travanj +DocType: GSTR 3B Report,April,travanj DocType: Supplier,Credit Limit,Kreditno ograničenje apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Distribucija apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6704,6 +6742,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Povežite Shopify s ERPNext DocType: Homepage Section Card,Subtitle,Titl DocType: Soil Texture,Loam,Ilovača +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> Vrsta dobavljača DocType: BOM,Scrap Material Cost(Company Currency),Trošak materijala bilješke (valuta tvrtke) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Napomena o isporuci {0} ne smije biti poslana DocType: Task,Actual Start Date (via Time Sheet),Stvarni datum početka (putem vremenskog lista) @@ -6759,7 +6798,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,doza DocType: Cheque Print Template,Starting position from top edge,Početni položaj s gornjeg ruba apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Trajanje sastanka (min) -DocType: Pricing Rule,Disable,onesposobiti +DocType: Accounting Dimension,Disable,onesposobiti DocType: Email Digest,Purchase Orders to Receive,Nalozi za kupnju za primanje apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Narudžbe produkcija ne mogu se podići za: DocType: Projects Settings,Ignore Employee Time Overlap,Zanemari preklapanje vremena zaposlenika @@ -6843,6 +6882,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Izradi DocType: Item Attribute,Numeric Values,Brojčane vrijednosti DocType: Delivery Note,Instructions,instrukcije DocType: Blanket Order Item,Blanket Order Item,Po narudžbi +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Obvezno za račun dobiti i gubitka apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Stopa provizije ne može biti veća od 100 DocType: Course Topic,Course Topic,Tema tečaja DocType: Employee,This will restrict user access to other employee records,To će ograničiti korisnički pristup drugim zapisima zaposlenika @@ -6867,12 +6907,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Upravljanje pr apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Nabavite klijente apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Sažetak DocType: Employee,Reports to,Izvješća +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Račun stranke DocType: Assessment Plan,Schedule,Raspored apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Molim uđite DocType: Lead,Channel Partner,Partner kanala apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Fakturirani iznos DocType: Project,From Template,Iz predloška +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Pretplate apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Količina za izradu DocType: Quality Review Table,Achieved,Ostvareni @@ -6919,7 +6961,6 @@ DocType: Journal Entry,Subscription Section,Odjeljak pretplate DocType: Salary Slip,Payment Days,Dani plaćanja apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informacije o volonterima. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"Zamrzavanje zaliha starijih od" trebalo bi biti manje od% d dana. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Odaberite fiskalnu godinu DocType: Bank Reconciliation,Total Amount,Ukupni iznos DocType: Certification Application,Non Profit,Neprofitna DocType: Subscription Settings,Cancel Invoice After Grace Period,Otkazivanje dostavnice nakon razdoblja mirovanja @@ -6932,7 +6973,6 @@ DocType: Serial No,Warranty Period (Days),Razdoblje jamstva (dani) DocType: Expense Claim Detail,Expense Claim Detail,Pojedinosti o potraživanju troškova apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program: DocType: Patient Medical Record,Patient Medical Record,Medicinski karton pacijenta -DocType: Quality Action,Action Description,Opis radnje DocType: Item,Variant Based On,Varijanta na temelju DocType: Vehicle Service,Brake Oil,Ulje kočnice DocType: Employee,Create User,Izradite korisnika @@ -6988,7 +7028,7 @@ DocType: Cash Flow Mapper,Section Name,Naziv odjeljka DocType: Packed Item,Packed Item,Pakirana stavka apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Za iznos od {2} potreban je debitni ili kreditni iznos apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Slanje popisa plaća ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Nema akcije +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Nema akcije apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",Proračun se ne može dodijeliti prema {0} jer nije račun prihoda ili rashoda apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Majstori i računi DocType: Quality Procedure Table,Responsible Individual,Odgovorna osoba @@ -7111,7 +7151,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Dopusti stvaranje računa protiv tvrtke za djecu DocType: Payment Entry,Company Bank Account,Bankovni račun tvrtke DocType: Amazon MWS Settings,UK,Velika Britanija -DocType: Quality Procedure,Procedure Steps,Koraci postupka DocType: Normal Test Items,Normal Test Items,Normalne ispitne stavke apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Stavka {0}: naručena količina {1} ne može biti manja od minimalne narudžbe q {2} (definirana u stavci). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Nije na skladištu @@ -7190,7 +7229,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analitika DocType: Maintenance Team Member,Maintenance Role,Uloga održavanja apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Predložak Uvjeta i odredbi DocType: Fee Schedule Program,Fee Schedule Program,Program naknada -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Tečaj {0} ne postoji. DocType: Project Task,Make Timesheet,Izradite timesheet DocType: Production Plan Item,Production Plan Item,Proizvodni plan stavka apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Ukupno student @@ -7212,6 +7250,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Završavati apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Možete obnoviti samo ako vaše članstvo istekne u roku od 30 dana apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vrijednost mora biti između {0} i {1} +DocType: Quality Feedback,Parameters,parametri ,Sales Partner Transaction Summary,Sažetak transakcija prodajnog partnera DocType: Asset Maintenance,Maintenance Manager Name,Ime upravitelja održavanja apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Potrebno je dohvatiti pojedinosti o stavci. @@ -7250,6 +7289,7 @@ DocType: Student Admission,Student Admission,Prijem studenata DocType: Designation Skill,Skill,Vještina DocType: Budget Account,Budget Account,Račun proračuna DocType: Employee Transfer,Create New Employee Id,Izradite novi ID zaposlenika +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} je potreban za račun "Profit i gubitak" {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Porez na dobra i usluge (GST Indija) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Stvaranje popisa plaća ... DocType: Employee Skill,Employee Skill,Vještina zaposlenika @@ -7350,6 +7390,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Faktura odvoj DocType: Subscription,Days Until Due,Dana do dospijeća apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Prikaži dovršeno apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Izvješće o unosu transakcije u banci +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Redak {{0}: Stopa mora biti ista kao {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,FHP-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Stavke zdravstvene službe @@ -7406,6 +7447,7 @@ DocType: Training Event Employee,Invited,pozvan apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Najveći dopušteni iznos za komponentu {0} premašuje {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Iznos za Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",Za {0} mogu se povezati samo računi zaduženja s drugim unosom kredita +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Izrada dimenzija ... DocType: Bank Statement Transaction Entry,Payable Account,Račun za plaćanje apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Navedite potreban broj posjeta DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Odaberite samo ako ste postavili dokumente za kartiranje novčanog toka @@ -7423,6 +7465,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,O DocType: Service Level,Resolution Time,Vrijeme rezolucije DocType: Grading Scale Interval,Grade Description,Opis stupnja DocType: Homepage Section,Cards,Kartice +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Zapisnici kvalitete sastanka DocType: Linked Plant Analysis,Linked Plant Analysis,Povezana analiza biljaka apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Datum zaustavljanja usluge ne može biti nakon datuma završetka usluge apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Postavite B2C granicu u GST postavkama. @@ -7457,7 +7500,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Alat za nazočnost za DocType: Employee,Educational Qualification,Obrazovna kvalifikacija apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Dostupna vrijednost apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Količina uzorka {0} ne može biti veća od primljene količine {1} -DocType: Quiz,Last Highest Score,Zadnji najviši rezultat DocType: POS Profile,Taxes and Charges,Porezi i pristojbe DocType: Opportunity,Contact Mobile No,Kontakt Mobile No DocType: Employee,Joining Details,Detalji o pridruživanju diff --git a/erpnext/translations/hu.csv b/erpnext/translations/hu.csv index 648215ac72..35e3476f14 100644 --- a/erpnext/translations/hu.csv +++ b/erpnext/translations/hu.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Szállító részsz DocType: Journal Entry Account,Party Balance,Félegyensúly apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Alapok forrása (kötelezettségek) DocType: Payroll Period,Taxable Salary Slabs,Adóköteles fizetési táblák +DocType: Quality Action,Quality Feedback,Minőségi visszajelzés DocType: Support Settings,Support Settings,Támogatási beállítások apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,"Kérjük, először adja meg a termelési elemet" DocType: Quiz,Grading Basis,Osztályozás alapja @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,További részl DocType: Salary Component,Earning,bevételt hozó DocType: Restaurant Order Entry,Click Enter To Add,Kattintson az Add to Add gombra DocType: Employee Group,Employee Group,Munkavállalói csoport +DocType: Quality Procedure,Processes,Eljárások DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,"Adja meg az átváltási árfolyamot, hogy egy pénznemet másikra konvertáljon" apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Öregítési tartomány 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},{0} raktárkészlethez szükséges raktár @@ -155,11 +157,13 @@ DocType: Complaint,Complaint,Panasz DocType: Shipping Rule,Restrict to Countries,Az országok korlátozása DocType: Hub Tracked Item,Item Manager,Elemkezelő apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},A zárószámla pénznemének {0} kell lennie +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Költségvetési apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Számlaelem megnyitása DocType: Work Order,Plan material for sub-assemblies,Az alegységek anyagának tervezése apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardver DocType: Budget,Action if Annual Budget Exceeded on MR,"Akció, ha az éves költségvetés meghaladja az MR-t" DocType: Sales Invoice Advance,Advance Amount,Előzetes összeg +DocType: Accounting Dimension,Dimension Name,Méretnév DocType: Delivery Note Item,Against Sales Invoice Item,Értékesítési számlázási tétel ellen DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Tartalmazza az elemet a gyártásban @@ -216,7 +220,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Mit csinal? ,Sales Invoice Trends,Értékesítési számla trendek DocType: Bank Reconciliation,Payment Entries,Fizetési bejegyzések DocType: Employee Education,Class / Percentage,Osztály / százalék -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cikkkód> Cikkcsoport> Márka ,Electronic Invoice Register,Elektronikus számla-nyilvántartás DocType: Sales Invoice,Is Return (Credit Note),Visszatérés (jóváírás) DocType: Lab Test Sample,Lab Test Sample,Laboratóriumi vizsgálati minta @@ -290,6 +293,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Változatok apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","A díjak arányosan kerülnek kiosztásra a tételek vagy mennyiségek alapján, a választás szerint" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Várakozó tevékenységek ma +DocType: Quality Procedure Process,Quality Procedure Process,Minőségi eljárás folyamat DocType: Fee Schedule Program,Student Batch,Diák tétel apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},A {0} sorban lévő tételhez szükséges értékelési arány DocType: BOM Operation,Base Hour Rate(Company Currency),Alapóraárfolyam (vállalati pénznem) @@ -309,7 +313,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Állítsa be a mennyiséget a tranzakciókban a sorozatszámú bemenet alapján 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 cég pénznemével {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,A Homepage oldalak testreszabása -DocType: Quality Goal,October,október +DocType: GSTR 3B Report,October,október DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Elrejti az Ügyfél adóazonosítóját az értékesítési tranzakciókból apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Érvénytelen GSTIN! A GSTIN-nek 15 karakterből kell állnia. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Az árképzési szabály {0} frissül @@ -397,7 +401,7 @@ DocType: Leave Encashment,Leave Balance,Hagyja egyenleget apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},A karbantartási ütemezés {0} létezik {1} ellen DocType: Assessment Plan,Supervisor Name,Felügyeleti név DocType: Selling Settings,Campaign Naming By,Kampány elnevezése -DocType: Course,Course Code,A tanfolyam kódja +DocType: Student Group Creation Tool Course,Course Code,A tanfolyam kódja apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,légtér DocType: Landed Cost Voucher,Distribute Charges Based On,A díjak megoszlása alapul DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Szállítói eredménymutató pontozási kritériumok @@ -479,10 +483,8 @@ DocType: Restaurant Menu,Restaurant Menu,Étterem menü DocType: Asset Movement,Purpose,Célja apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,A munkavállalói fizetés struktúra hozzárendelése már létezik DocType: Clinical Procedure,Service Unit,Szervizegység -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Ügyfél> Ügyfélcsoport> Terület DocType: Travel Request,Identification Document Number,személyi igazolvány szám DocType: Stock Entry,Additional Costs,További költségek -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Szülő tanfolyam (hagyja üresen, ha ez nem része a szülő tanfolyamnak)" DocType: Employee Education,Employee Education,Munkavállalói oktatás apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,"A pozíciók száma nem lehet kevesebb, mint az alkalmazottak jelenlegi száma" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Minden ügyfélcsoport @@ -529,6 +531,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,{0} sor: A mennyiség kötelező DocType: Sales Invoice,Against Income Account,A jövedelemszámla ellen apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},# {0} sor: Vásárlási számla nem állítható fenn egy meglévő eszközzel {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,A különböző promóciós rendszerek alkalmazásának szabályai. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM áthidalási tényező szükséges az UOM-hoz: {0} az elemben: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},"Kérjük, adja meg a {0} tételhez tartozó mennyiséget" DocType: Workstation,Electricity Cost,Villamosenergia-költség @@ -861,7 +864,6 @@ DocType: Item,Total Projected Qty,Összes tervezett mennyiség apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,anyagjegyzékek DocType: Work Order,Actual Start Date,Aktuális kezdő dátum apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Nem áll rendelkezésre minden nap (ok) a kompenzációs szabadság kérése napjai között -DocType: Company,About the Company,A cégről apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,A pénzügyi számlák fája. 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: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotel szobafoglalás @@ -876,6 +878,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,A potenciál DocType: Skill,Skill Name,Képesség név apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Jelentéskártya nyomtatása DocType: Soil Texture,Ternary Plot,Ternary Plot +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Kérjük, állítsa a Naming Series-et {0} -ra a Setup> Settings> Naming Series menüpontban" apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Támogatási jegyek DocType: Asset Category Account,Fixed Asset Account,Fix eszközszámla apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Legújabb @@ -885,6 +888,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Program beiratkozá ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,"Kérjük, állítsa be az alkalmazandó sorozatot." DocType: Delivery Trip,Distance UOM,Távolság UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Kötelező a mérleghez DocType: Payment Entry,Total Allocated Amount,Összes kiosztott összeg DocType: Sales Invoice,Get Advances Received,Get Advances Received DocType: Student,B-,B- @@ -908,6 +912,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Karbantartási üte apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,A POS-bejegyzéshez POS-profil szükséges DocType: Education Settings,Enable LMS,LMS engedélyezése DocType: POS Closing Voucher,Sales Invoices Summary,Értékesítési számlák összefoglalása +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Haszon apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,A jóváírásnak egyenlegnek kell lennie DocType: Video,Duration,tartam DocType: Lab Test Template,Descriptive,Leíró @@ -958,6 +963,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,A kezdő és befejező dátumok DocType: Supplier Scorecard,Notify Employee,Értesítse az alkalmazottat apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Szoftver +DocType: Program,Allow Self Enroll,Az önbejegyzés engedélyezése apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Készletköltségek apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"A hivatkozási szám kötelező, ha referencia dátumot ad meg" DocType: Training Event,Workshop,Műhely @@ -1010,6 +1016,7 @@ DocType: Lab Test Template,Lab Test Template,Lab teszt sablon apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-számlázási információk hiányoznak apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nincs lényeges kérés +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cikkkód> Cikkcsoport> Márka DocType: Loan,Total Amount Paid,Fizetett összeg apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Mindezek a tételek már számlázásra kerültek DocType: Training Event,Trainer Name,Edző neve @@ -1031,6 +1038,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Tanév DocType: Sales Stage,Stage Name,Művésznév DocType: SMS Center,All Employee (Active),Összes alkalmazott (aktív) +DocType: Accounting Dimension,Accounting Dimension,Számviteli dimenzió DocType: Project,Customer Details,Vásárló adatai DocType: Buying Settings,Default Supplier Group,Alapértelmezett szállítói csoport apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Először törölje a {0} vásárlási nyugtát @@ -1145,7 +1153,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Magasabb a szám DocType: Designation,Required Skills,Szükséges készségek DocType: Marketplace Settings,Disable Marketplace,Piactér letiltása DocType: Budget,Action if Annual Budget Exceeded on Actual,Akció esetén az éves költségvetés túllépése -DocType: Course,Course Abbreviation,A kurzus rövidítése apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,A {0} -hez nem benyújtott részvétel {1} -ként a szabadságon. DocType: Pricing Rule,Promotional Scheme Id,Promóciós séma azonosítója apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},"A {0} feladat befejezési dátuma nem lehet nagyobb, mint {1} várható dátum {2}" @@ -1288,7 +1295,7 @@ DocType: Bank Guarantee,Margin Money,Pénztár DocType: Chapter,Chapter,Fejezet DocType: Purchase Receipt Item Supplied,Current Stock,Jelenlegi készlet DocType: Employee,History In Company,A cég története -DocType: Item,Manufacturer,Gyártó +DocType: Purchase Invoice Item,Manufacturer,Gyártó apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Mérsékelt érzékenység DocType: Compensatory Leave Request,Leave Allocation,Elhagyás elhagyása DocType: Timesheet,Timesheet,Jelenléti ív @@ -1319,6 +1326,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Gyártásra szánt an DocType: Products Settings,Hide Variants,Változatok elrejtése DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,A kapacitástervezés és az időkövetés letiltása DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* A tranzakcióban kerül kiszámításra. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} szükséges a „Mérleg” fiókhoz {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,"{0} nem engedélyezett a {1} tranzakcióval. Kérjük, változtassa meg a Társaságot." 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 vásárlási beállításokhoz szükséges vásárlási beállítások esetén == 'IGEN', majd a vásárlási számla létrehozásához először a {0} tételhez a Vásárlási nyugtát kell létrehoznia" DocType: Delivery Trip,Delivery Details,szállítás részletei @@ -1354,7 +1362,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Előző apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Mértékegység DocType: Lab Test,Test Template,Tesztsablon DocType: Fertilizer,Fertilizer Contents,Műtrágya tartalma -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Perc +DocType: Quality Meeting Minutes,Minute,Perc apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","# {0} sor: {1} eszköz nem nyújtható be, már {2}" DocType: Task,Actual Time (in Hours),Tényleges idő (óra) DocType: Period Closing Voucher,Closing Account Head,Zárószámla fej @@ -1525,7 +1533,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratórium DocType: Purchase Order,To Bill,Billhez apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Hasznos költségek DocType: Manufacturing Settings,Time Between Operations (in mins),Működési idő (percben) -DocType: Quality Goal,May,Lehet +DocType: GSTR 3B Report,May,Lehet apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Nem jött létre a fizetési átjáró-fiók, kérjük, hozzon létre egy kézzel." DocType: Opening Invoice Creation Tool,Purchase,Vásárlás DocType: Program Enrollment,School House,Iskolaház @@ -1557,6 +1565,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,A DocType: Supplier,Statutory info and other general information about your Supplier,A beszállítóval kapcsolatos törvényes információk és egyéb általános információk DocType: Item Default,Default Selling Cost Center,Alapértelmezett eladási költségközpont DocType: Sales Partner,Address & Contacts,Cím és névjegy +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 sorozatot a résztvevők számára a Setup> Numbering Series segítségével" DocType: Subscriber,Subscriber,Előfizető apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) nincs raktáron apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Először válassza ki a Közzététel dátuma lehetőséget @@ -1584,6 +1593,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Kórházi látogatás d DocType: Bank Statement Settings,Transaction Data Mapping,Tranzakciós adatok leképezése apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,A vezetőnek szüksége van egy személy nevére vagy egy szervezet nevére DocType: Student,Guardians,Guardians +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ónevezési rendszert az oktatásban> Oktatási beállítások" apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Márka kiválasztása ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Közepes bevétel DocType: Shipping Rule,Calculate Based On,Számítsa ki az alapértéket @@ -1595,7 +1605,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Költségigény előzetes DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Kerekítés beállítása (vállalati pénznem) DocType: Item,Publish in Hub,Közzététel a Hubban apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,augusztus +DocType: GSTR 3B Report,August,augusztus apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,"Kérjük, először adja meg a Beszerzési nyugtát" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Kezdő év apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Cél ({}) @@ -1614,6 +1624,7 @@ DocType: Item,Max Sample Quantity,Maximális minta mennyiség apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,A forrás- és céltárolónak másnak kell lennie DocType: Employee Benefit Application,Benefits Applied,Alkalmazott előnyök apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,A naplóbejegyzés ellen {0} nincs páratlan {1} bejegyzés +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","A "-", a "#", a ".", A "/", a "{" és a "}" speciális karakterek nem használhatók a sorozatok elnevezésében" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Az ár vagy a termékkedvezmény lapok szükségesek apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Állítson be egy célt apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},{0} jelenléti rekord létezik a Student {1} ellen @@ -1629,10 +1640,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Havonta DocType: Routing,Routing Name,Útválasztás neve DocType: Disease,Common Name,Gyakori név -DocType: Quality Goal,Measurable,mérhető DocType: Education Settings,LMS Title,LMS cím apps/erpnext/erpnext/config/non_profit.py,Loan Management,Hitelkezelés -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Támogassa az Analty-t DocType: Clinical Procedure,Consumable Total Amount,Fogyasztható összmennyiség apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Sablon engedélyezése apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Ügyfél LPO @@ -1772,6 +1781,7 @@ DocType: Restaurant Order Entry Item,Served,szolgált DocType: Loan,Member,Tag DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Gyakorlószolgálati egység ütemezése apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Vezetékes átvitel +DocType: Quality Review Objective,Quality Review Objective,Minőségi felülvizsgálati cél DocType: Bank Reconciliation Detail,Against Account,Számla ellen DocType: Projects Settings,Projects Settings,Projektek beállításai apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Tényleges mennyiség {0} / Várakozó mennyiség {1} @@ -1800,6 +1810,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ko apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,A költségvetési év vége egy év a költségvetési év kezdő dátumától számítva apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Napi emlékeztetők DocType: Item,Default Sales Unit of Measure,Alapértelmezett értékesítési egység +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,GSTIN cég DocType: Asset Finance Book,Rate of Depreciation,Az értékcsökkenés mértéke DocType: Support Search Source,Post Description Key,Leírás leírása DocType: Loyalty Program Collection,Minimum Total Spent,Minimális összköltség @@ -1870,6 +1881,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,A kiválasztott ügyfél ügyfélcsoportjának módosítása nem megengedett. DocType: Serial No,Creation Document Type,Létrehozási dokumentum típusa DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Rendelkezésre álló kötegmennyiség a raktárban +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Számla Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,"Ez gyökérterület, és nem szerkeszthető." DocType: Patient,Surgical History,Sebészeti történet apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Minőségi eljárások fája. @@ -1972,6 +1984,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,B DocType: Item Group,Check this if you want to show in website,"Ellenőrizze, hogy szeretné-e megjeleníteni a webhelyen" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,A {0} költségvetési év nem található DocType: Bank Statement Settings,Bank Statement Settings,Bankszámla-beállítások +DocType: Quality Procedure Process,Link existing Quality Procedure.,Kapcsolja a meglévő minőségi eljárást. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Importáljon számlák listáját CSV / Excel fájlokból DocType: Appraisal Goal,Score (0-5),Pontszám (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Az {0} attribútum többször lett kiválasztva az attribútumtáblázatban DocType: Purchase Invoice,Debit Note Issued,Kifizetési nyilatkozat kiadva @@ -1980,7 +1994,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Hagyja a házirend részleteit apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,A raktár nem található a rendszerben DocType: Healthcare Practitioner,OP Consulting Charge,OP tanácsadói díj -DocType: Quality Goal,Measurable Goal,Mérhető cél DocType: Bank Statement Transaction Payment Item,Invoices,számlák DocType: Currency Exchange,Currency Exchange,Valutaváltó DocType: Payroll Entry,Fortnightly,Kétheti @@ -2043,6 +2056,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} nem érkezett be DocType: Work Order,Backflush raw materials from work-in-progress warehouse,A nyersanyagok visszafolyása a folyamatban lévő raktárból DocType: Maintenance Team Member,Maintenance Team Member,Karbantartó csapat tagja +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Egyedi méretek beállítása a számvitelhez DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,A minimális távolság a növények sorai között az optimális növekedés érdekében DocType: Employee Health Insurance,Health Insurance Name,Egészségbiztosítás neve apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Készletek @@ -2075,7 +2089,7 @@ DocType: Delivery Note,Billing Address Name,Számlázási cím neve apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternatív elem DocType: Certification Application,Name of Applicant,Jelentkező neve DocType: Leave Type,Earned Leave,Megnyert szabadság -DocType: Quality Goal,June,június +DocType: GSTR 3B Report,June,június apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},{0} sor: A {1} elemhez költségközpont szükséges apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Engedélyezhető a {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,A {0} mértékegység többször került be a konverziós tényező táblázatba @@ -2096,6 +2110,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standard eladási arány apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},"Kérjük, állítsa be az aktív étlapot a {0} étteremben" 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.,"Rendszerkezelő és elemkezelői szerepkörrel kell rendelkeznie ahhoz, hogy a felhasználókat a Marketplace-hez adhassa." DocType: Asset Finance Book,Asset Finance Book,Eszközfinanszírozási könyv +DocType: Quality Goal Objective,Quality Goal Objective,Minőségi célkitűzés DocType: Employee Transfer,Employee Transfer,Munkavállalói transzfer ,Sales Funnel,Értékesítési csatorna DocType: Agriculture Analysis Criteria,Water Analysis,Vízelemzés @@ -2134,6 +2149,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Munkavállalói t apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Függő tevékenységek apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Soroljon fel néhány ügyfelet. Ezek lehetnek szervezetek vagy egyének. DocType: Bank Guarantee,Bank Account Info,Bankszámla információ +DocType: Quality Goal,Weekday,Hétköznap apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 név DocType: Salary Component,Variable Based On Taxable Salary,Változó az adóköteles fizetés alapján DocType: Accounting Period,Accounting Period,Elszámolási időszak @@ -2218,7 +2234,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Kerekítés beállítása DocType: Quality Review Table,Quality Review Table,Minőségi felülvizsgálati táblázat DocType: Member,Membership Expiry Date,Tagsági idő lejárta DocType: Asset Finance Book,Expected Value After Useful Life,Várható érték a hasznos élettartam után -DocType: Quality Goal,November,november +DocType: GSTR 3B Report,November,november DocType: Loan Application,Rate of Interest,Kamatláb DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Bankszámlakivonat-tranzakciós fizetési tétel DocType: Restaurant Reservation,Waitlisted,várólistás @@ -2282,6 +2298,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}",{0} sor: A {1} időszakosság beállításához a és a mai közötti különbségnek nagyobbnak vagy egyenlőnek kell lennie {2} DocType: Purchase Invoice Item,Valuation Rate,Értékelési arány DocType: Shopping Cart Settings,Default settings for Shopping Cart,A Bevásárlókosár alapértelmezett beállításai +DocType: Quiz,Score out of 100,Pontszám 100-ból DocType: Manufacturing Settings,Capacity Planning,Kapacitás-tervezés apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Menj az oktatókhoz DocType: Activity Cost,Projects,projektek @@ -2291,6 +2308,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Időről apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Változat részletes jelentése +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Vásárlás apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,A {0} résidők nem szerepelnek az ütemezésben DocType: Target Detail,Target Distribution,Célelosztás @@ -2308,6 +2326,7 @@ DocType: Activity Cost,Activity Cost,Tevékenységi költség DocType: Journal Entry,Payment Order,Fizetési felszólítás apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Árazás ,Item Delivery Date,Elem kézbesítési dátuma +DocType: Quality Goal,January-April-July-October,Január-április-július-október DocType: Purchase Order Item,Warehouse and Reference,Raktár és referencia apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,A gyermekcsomópontokkal rendelkező fiók nem konvertálható főkönyvi bejegyzésre DocType: Soil Texture,Clay Composition (%),Agyagösszetétel (%) @@ -2358,6 +2377,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,A jövőbeli dátumok apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance 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/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Tudományos idő: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Minőségi visszajelzési paraméter apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,"Kérjük, válassza a Kedvezmény bekapcsolása lehetőséget" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,# {0} sor: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Összes kifizetés @@ -2400,7 +2420,7 @@ DocType: Hub Tracked Item,Hub Node,Hub csomópont apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,munkavállalói azonosító DocType: Salary Structure Assignment,Salary Structure Assignment,Fizetési struktúra hozzárendelése DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS záró utalványadók -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Kezdeményezett művelet +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Kezdeményezett művelet DocType: POS Profile,Applicable for Users,Alkalmazható a felhasználókra DocType: Training Event,Exam,Vizsga apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,"Helytelen számú főkönyvi bejegyzés található. Lehet, hogy egy rossz fiókot választott a tranzakcióban." @@ -2503,6 +2523,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Hosszúság DocType: Accounts Settings,Determine Address Tax Category From,Címadó-kategória meghatározása apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,A döntéshozók azonosítása +DocType: Stock Entry Detail,Reference Purchase Receipt,Referencia beszerzési átvételi elismervény apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Get Invocies DocType: Tally Migration,Is Day Book Data Imported,A napi könyvadatok importálása ,Sales Partners Commission,Értékesítési partnerek Bizottsága @@ -2526,6 +2547,7 @@ DocType: Leave Type,Applicable After (Working Days),Alkalmazható (munkanapokon) DocType: Timesheet Detail,Hrs,óra DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Szállítói eredménymutató-kritériumok DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Minőségi visszajelzési sablonparaméter apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,"A csatlakozás dátumának nagyobbnak kell lennie, mint a születési dátum" DocType: Bank Statement Transaction Invoice Item,Invoice Date,Számla kiállítási dátuma DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Készítsen laboratóriumi teszt (ek) et az értékesítési számlán @@ -2631,7 +2653,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimális megengedet DocType: Stock Entry,Source Warehouse Address,Forrás raktár címe DocType: Compensatory Leave Request,Compensatory Leave Request,Kompenzációs szabadság iránti kérelem DocType: Lead,Mobile No.,Mobil nélkül. -DocType: Quality Goal,July,július +DocType: GSTR 3B Report,July,július apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Támogatható ITC DocType: Fertilizer,Density (if liquid),Sűrűség (ha folyadék) DocType: Employee,External Work History,Külső munka története @@ -2707,6 +2729,7 @@ DocType: Certification Application,Certification Status,Tanúsítási állapot apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},A (z) {0} eszközre a forrás helye szükséges DocType: Employee,Encashment Date,Bejegyzés dátuma apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,"Kérjük, válassza a Befejezett eszközkészlet-karbantartási napló befejezésének dátuma" +DocType: Quiz,Latest Attempt,Legutóbbi kísérlet DocType: Leave Block List,Allow Users,Felhasználók engedélyezése apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Számlatükör apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"Az Ügyfél akkor kötelező, ha az „Opportunity From” (Opció) ki van választva Ügyfélként" @@ -2771,7 +2794,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Szállítói eredmé DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS beállítások DocType: Program Enrollment,Walking,gyalogló DocType: SMS Log,Requested Numbers,A kért számok -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 sorozatot a résztvevők számára a Setup> Numbering Series segítségével" DocType: Woocommerce Settings,Freight and Forwarding Account,Fuvarozási és továbbítási számla apps/erpnext/erpnext/accounts/party.py,Please select a Company,"Kérjük, válasszon egy vállalatot" apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,A {0}: {1} sornak 0-nál nagyobbnak kell lennie @@ -2841,7 +2863,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Az ügyfele DocType: Training Event,Seminar,Szeminárium apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Hitel ({0}) DocType: Payment Request,Subscription Plans,Előfizetési tervek -DocType: Quality Goal,March,március +DocType: GSTR 3B Report,March,március apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Split Batch DocType: School House,House Name,Háznév apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),A (z) {0} esetében a kiegyenlítés nem lehet kisebb nullánál ({1}) @@ -2904,7 +2926,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Biztosítási kezdő dátum DocType: Target Detail,Target Detail,Céladatok DocType: Packing Slip,Net Weight UOM,Nettó súly UOM -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ó: {2} elemnél DocType: Purchase Invoice Item,Net Amount (Company Currency),Nettó összeg (vállalati pénznem) DocType: Bank Statement Transaction Settings Item,Mapped Data,Térképes adatok apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Értékpapírok és betétek @@ -2954,6 +2975,7 @@ DocType: Cheque Print Template,Cheque Height,Ellenőrizze a magasságot apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,"Kérjük, adja meg az enyhítő dátumot." DocType: Loyalty Program,Loyalty Program Help,Hűségprogram súgója DocType: Journal Entry,Inter Company Journal Entry Reference,Inter Company Journal belépési referencia +DocType: Quality Meeting,Agenda,Napirend DocType: Quality Action,Corrective,Javító apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Csoportosít DocType: Bank Account,Address and Contact,Cím és kapcsolat @@ -3007,7 +3029,7 @@ DocType: GL Entry,Credit Amount,Hitel összeg apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Összesített hitelösszeg DocType: Support Search Source,Post Route Key List,Útvonal-kulcs lista apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} nem aktív költségvetési évben. -DocType: Quality Action Table,Problem,Probléma +DocType: Quality Action Resolution,Problem,Probléma DocType: Training Event,Conference,konferencia DocType: Mode of Payment Account,Mode of Payment Account,Fizetési mód DocType: Leave Encashment,Encashable days,Kapható napok @@ -3133,7 +3155,7 @@ DocType: Item,"Purchase, Replenishment Details","Vásárlás, kiegészítés ré DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",A beállítást követően a számla a megadott dátumig tart apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"A (z) {0} tételnél a készlet nem létezik, mivel változatai vannak" DocType: Lab Test Template,Grouped,csoportosított -DocType: Quality Goal,January,január +DocType: GSTR 3B Report,January,január DocType: Course Assessment Criteria,Course Assessment Criteria,Tanfolyam-értékelési kritériumok DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Befejezett mennyiség @@ -3228,7 +3250,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Egészségüg apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Kérjük, adjon meg legalább 1 számlát a táblázatban" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,{0} értékesítési megrendelés nem érkezett be apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,A résztvevők sikeresen megjelöltek. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Előeladás +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Előeladás apps/erpnext/erpnext/config/projects.py,Project master.,Projekt mester. DocType: Daily Work Summary,Daily Work Summary,Napi munka összefoglalása DocType: Asset,Partially Depreciated,Részben értékcsökkenés @@ -3237,6 +3259,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Hagyja be? DocType: Certified Consultant,Discuss ID,Beszéljen az azonosítóról apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,"Kérjük, állítsa be a GST fiókokat a GST beállításaiban" +DocType: Quiz,Latest Highest Score,Legújabb legmagasabb pontszám DocType: Supplier,Billing Currency,Számlázási pénznem apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Diák tevékenység apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,A célszáma vagy a célösszeg kötelező @@ -3262,18 +3285,21 @@ DocType: Sales Order,Not Delivered,Nem kézbesített apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"A {0} típusú távozás nem adható meg, mivel fizetés nélküli szabadság" DocType: GL Entry,Debit Amount,Debit összeg apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Már létezik a {0} tételhez tartozó rekord +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Részegységek 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 árazási szabály továbbra is érvényesül, akkor a felhasználókat fel kell kérni a prioritás kézi beállítására a konfliktusok megoldásához." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nem lehet levonni, ha a kategória az „Értékbecslés” vagy az „Értékelés és az összesítés” kategóriában van" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM és gyártási mennyiség szükséges apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},A {0} tétel elérte életének végét {1} DocType: Quality Inspection Reading,Reading 6,Olvasás 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Vállalati mező szükséges apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,A gyártási beállítások nem tartalmazzák az anyagfelhasználást. DocType: Assessment Group,Assessment Group Name,Értékelő csoport neve -DocType: Item,Manufacturer Part Number,Gyártási szám +DocType: Purchase Invoice Item,Manufacturer Part Number,Gyártási szám apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Fizetendő bérszámla apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},A {0}: {1} sor nem lehet negatív a {2} elemnél apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Mérlegszám +DocType: Question,Multiple Correct Answer,Többszörös helyes válasz DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Hűségpontok = Mennyi alap pénznem? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Megjegyzés: Nincs elegendő szabadság egyenleg a {0} típusú DocType: Clinical Procedure,Inpatient Record,Terápiás rekord @@ -3395,6 +3421,7 @@ DocType: Fee Schedule Program,Total Students,Összes diák apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Helyi DocType: Chapter Member,Leave Reason,Hagyja az okot DocType: Salary Component,Condition and Formula,Állapot és képlet +DocType: Quality Goal,Objectives,célok apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",A {0} és a {1} közötti időszakban már feldolgozott fizetés nem lehet a dátumtartomány között. DocType: BOM Item,Basic Rate (Company Currency),Alapkamat (vállalati pénznem) DocType: BOM Scrap Item,BOM Scrap Item,BOM törmelékelem @@ -3445,6 +3472,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Költségkifizetési fiók apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,A naplóbejegyzéshez nem áll rendelkezésre visszatérítés apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} inaktív diák +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Készítsen tőzsdei bejegyzést DocType: Employee Onboarding,Activities,Tevékenységek apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Az Atleast egy raktár kötelező ,Customer Credit Balance,Ügyfélhitel egyenlege @@ -3529,7 +3557,6 @@ DocType: Contract,Contract Terms,Szerződési feltételek apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,A célszáma vagy a célösszeg kötelező. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Érvénytelen {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Találkozó dátuma DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-np-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,A rövidítés nem tartalmazhat több mint 5 karaktert DocType: Employee Benefit Application,Max Benefits (Yearly),Max. Előnyök (évente) @@ -3630,7 +3657,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Bankköltségek apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Átvitt áruk apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Elsődleges elérhetőségek -DocType: Quality Review,Values,értékek 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, a listát hozzá kell adni minden egyes osztályhoz, ahol azt alkalmazni kell." DocType: Item Group,Show this slideshow at the top of the page,Jelenítse meg ezt a diavetítést az oldal tetején apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,A {0} paraméter érvénytelen @@ -3649,6 +3675,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Bankköltség-fiók DocType: Journal Entry,Get Outstanding Invoices,Kiváló számlák DocType: Opportunity,Opportunity From,Lehetőség +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Céladatok DocType: Item,Customer Code,Ügyfélkód apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,"Kérjük, írja be először az elemet" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Weboldal lista @@ -3677,7 +3704,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Küldemény a részére DocType: Bank Statement Transaction Settings Item,Bank Data,Bankadatok apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Ütemezett Upto -DocType: Quality Goal,Everyday,Minden nap DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,A számlázási órák és a munkaidő megtartása ugyanaz a naplóban apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Vezető források vezetése. DocType: Clinical Procedure,Nursing User,Szoptató felhasználó @@ -3702,7 +3728,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Területi fa kezelése DocType: GL Entry,Voucher Type,Utalvány típusa ,Serial No Service Contract Expiry,Sorozat nélküli szolgáltatási szerződés lejárata DocType: Certification Application,Certified,hitelesített -DocType: Material Request Plan Item,Manufacture,Gyártás +DocType: Purchase Invoice Item,Manufacture,Gyártás apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} előállított elemek apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0} fizetési kérelem apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Napok az utolsó rend óta @@ -3717,7 +3743,7 @@ DocType: Sales Invoice,Company Address Name,Cégcím neve apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Áru tranzitban apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Ebben a sorrendben csak {0} pontot lehet visszaváltani. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},"Kérjük, állítsa be a fiókot a {0} raktárban" -DocType: Quality Action Table,Resolution,Felbontás +DocType: Quality Action,Resolution,Felbontás DocType: Sales Invoice,Loyalty Points Redemption,Hűségpontok visszaváltása apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Teljes adóköteles érték DocType: Patient Appointment,Scheduled,Ütemezett @@ -3838,6 +3864,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Arány apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},{0} mentése DocType: SMS Center,Total Message(s),Összes üzenet (ek) +DocType: Purchase Invoice,Accounting Dimensions,Számviteli dimenziók apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Csoportonként DocType: Quotation,In Words will be visible once you save the Quotation.,A Szavakban az idézet mentése után látható lesz. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Termeléshez szükséges mennyiség @@ -4001,7 +4028,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,A apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Ha bármilyen kérdése van, kérjük, forduljon hozzánk." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,A {0} vásárlási átvétel nem kerül benyújtásra DocType: Task,Total Expense Claim (via Expense Claim),Összes kiadási igény (költségigényléssel) -DocType: Quality Action,Quality Goal,Minőségi cél +DocType: Quality Goal,Quality Goal,Minőségi cél DocType: Support Settings,Support Portal,Támogatási portál apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},"A {0} feladat vége nem lehet kevesebb, mint {1} várható kezdő dátum {2}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},A {0} alkalmazott a (z) {1} helyen van @@ -4060,7 +4087,6 @@ DocType: BOM,Operating Cost (Company Currency),Működési költség (vállalati DocType: Item Price,Item Price,Darab ár DocType: Payment Entry,Party Name,Fél neve apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,"Kérjük, válasszon egy vásárlót" -DocType: Course,Course Intro,Tanfolyam Intro DocType: Program Enrollment Tool,New Program,Új program apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Az új Költségközpont száma, amely a költségközpont nevében kerül előtagként" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Válassza ki a vásárlót vagy a szállítót. @@ -4260,6 +4286,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,A nettó fizetés nem lehet negatív apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Az interakciók száma 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 {0} # tétel {1} sorát nem lehet több mint {2} átvenni a vásárlási megrendelés ellen {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Váltás apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Számlák és felek feldolgozása DocType: Stock Settings,Convert Item Description to Clean HTML,Az elemleírás átalakítása tiszta HTML-re apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Minden szállítócsoport @@ -4338,6 +4365,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Szülőelem apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,ügynöki jutalék apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},"Kérjük, hozzon létre vételi vagy vásárlási számlát a {0} tételhez" +,Product Bundle Balance,Termékcsomag-egyenleg apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,A cég neve nem lehet Társaság DocType: Maintenance Visit,Breakdown,Bontás DocType: Inpatient Record,B Negative,B Negatív @@ -4346,7 +4374,7 @@ DocType: Purchase Invoice,Credit To,Hitel apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Küldje el ezt a Megrendelést további feldolgozásra. DocType: Bank Guarantee,Bank Guarantee Number,Bankgarancia száma apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Kézbesített: {0} -DocType: Quality Action,Under Review,Felülvizsgálat alatt +DocType: Quality Meeting Table,Under Review,Felülvizsgálat alatt apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Mezőgazdaság (béta) ,Average Commission Rate,Átlagos bizottsági arány DocType: Sales Invoice,Customer's Purchase Order Date,Az ügyfél vásárlási megrendelésének dátuma @@ -4463,7 +4491,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Kifizetések egyeztetése számlákkal DocType: Holiday List,Weekly Off,Heti kikapcsolás apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Nem engedélyezhető az {0} elemhez tartozó alternatív elem beállítása -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,A {0} program nem létezik. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,A {0} program nem létezik. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,A root csomópont nem szerkeszthető. DocType: Fee Schedule,Student Category,Diák kategória apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","{0} tétel: {1} darab," @@ -4553,8 +4581,8 @@ DocType: Crop,Crop Spacing,Vágási távolság 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. DocType: Pricing Rule,Period Settings,Periódus beállításai apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,A követelések nettó változása +DocType: Quality Feedback Template,Quality Feedback Template,Minőségi visszajelzési sablon apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,A mennyiségnek nullánál nagyobbnak kell lennie -DocType: Quality Goal,Goal Objectives,Célkitűzések 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 arány, a részvények száma és a kiszámított összeg között" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Hagyja üresen, ha évente diákcsoportokat készít" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Hitelek (kötelezettségek) @@ -4589,12 +4617,13 @@ DocType: Quality Procedure Table,Step,Lépés DocType: Normal Test Items,Result Value,Eredményérték DocType: Cash Flow Mapping,Is Income Tax Liability,A jövedelemadó felelőssége DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Kórházi látogatási díjelem -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} nem létezik. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} nem létezik. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Válasz frissítése DocType: Bank Guarantee,Supplier,Támogató apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Adja meg a {0} és {1} DocType: Purchase Order,Order Confirmation Date,A megrendelés megerősítésének dátuma DocType: Delivery Trip,Calculate Estimated Arrival Times,Számítsa ki a becsült érkezési időket +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ói elnevezési rendszert az emberi erőforrásokban> HR beállítások" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Elfogyasztható DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Előfizetés kezdő dátuma @@ -4657,6 +4686,7 @@ DocType: Cheque Print Template,Is Account Payable,Számlázható apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Teljes megrendelési érték apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},A {0} szállító {1} nem található apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Az SMS átjáró beállításainak beállítása +DocType: Salary Component,Round to the Nearest Integer,Kerekítés a legközelebbi integerre apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,A gyökérnek nem lehet szülői költségközpontja DocType: Healthcare Service Unit,Allow Appointments,Találkozók engedélyezése DocType: BOM,Show Operations,Műveletek megjelenítése @@ -4784,7 +4814,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Alapértelmezett üdülési lista DocType: Naming Series,Current Value,Jelenlegi érték apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Szezonalitás a költségvetések, célok stb." -DocType: Program,Program Code,Programkód apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Figyelmeztetés: {0} értékesítési megrendelés már létezik az Ügyfél vásárlási megrendelése ellen {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Havi értékesítési cél ( DocType: Guardian,Guardian Interests,Guardian érdekek @@ -4834,10 +4863,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Fizetett és nem szállított apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Az elemkód kötelező, mert az elem nem számozódik automatikusan" DocType: GST HSN Code,HSN Code,HSN kód -DocType: Quality Goal,September,szeptember +DocType: GSTR 3B Report,September,szeptember apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Igazgatási költségek DocType: C-Form,C-Form No,C-űrlap DocType: Purchase Invoice,End date of current invoice's period,Az aktuális számla időszak vége +DocType: Item,Manufacturers,Gyártók DocType: Crop Cycle,Crop Cycle,Termésciklus DocType: Serial No,Creation Time,Létrehozási idő apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Kérjük, adja meg a jóváhagyó szerep vagy jóváhagyó felhasználó nevet" @@ -4910,8 +4940,6 @@ DocType: Employee,Short biography for website and other publications.,Rövid él DocType: Purchase Invoice Item,Received Qty,Kapott mennyiség DocType: Purchase Invoice Item,Rate (Company Currency),Árfolyam (vállalati pénznem) DocType: Item Reorder,Request for,Kérelem -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","A dokumentum törléséhez törölje a {0} alkalmazottat" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Előbeállítások telepítése apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,"Kérjük, adja meg a visszafizetési időszakokat" DocType: Pricing Rule,Advanced Settings,További beállítások @@ -4937,7 +4965,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Bevásárlókosár engedélyezése DocType: Pricing Rule,Apply Rule On Other,Alkalmazza a szabályt másra DocType: Vehicle,Last Carbon Check,Utolsó szén-dioxid-ellenőrzés -DocType: Vehicle,Make,csinál +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,csinál apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,{0} értékesítési számla fizetettként lett létrehozva apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,A fizetési kérelem létrehozásához referencia dokumentum szükséges apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Jövedelemadó @@ -5013,7 +5041,6 @@ DocType: Territory,Parent Territory,Szülőterület DocType: Vehicle Log,Odometer Reading,Kilométer-számláló DocType: Additional Salary,Salary Slip,Fizetéscsúszás DocType: Payroll Entry,Payroll Frequency,Bérszámlálási gyakoriság -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ói elnevezési rendszert az emberi erőforrásokban> HR beállítások" apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",A kezdő és befejező dátumok nem érvényes bérszámfejtési időszakban nem számíthatók ki {0} DocType: Products Settings,Home Page is Products,A kezdőlap a Termékek apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,felhívja @@ -5066,7 +5093,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Rekordok lekérése ...... DocType: Delivery Stop,Contact Information,Elérhetőség DocType: Sales Order Item,For Production,A termeléshez -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ónevezési rendszert az oktatásban> Oktatási beállítások" DocType: Serial No,Asset Details,Eszközadatok DocType: Restaurant Reservation,Reservation Time,Foglalási idő DocType: Selling Settings,Default Territory,Alapértelmezett terület @@ -5206,6 +5232,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Lejárt tételek DocType: Shipping Rule,Shipping Rule Type,Szállítási szabálytípus DocType: Job Offer,Accepted,Elfogadott +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","A dokumentum törléséhez törölje a {0} alkalmazottat" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Már értékelte az értékelési kritériumokat {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Válassza a Kötegszámok lehetőséget apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Kor (napok) @@ -5222,6 +5250,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Kötegelemek az értékesítés időpontjában. DocType: Payment Reconciliation Payment,Allocated Amount,Elosztott összeg apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,"Kérjük, válassza a Vállalat és a kijelölés lehetőséget" +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,„Dátum” szükséges DocType: Email Digest,Bank Credit Balance,Bank Hitel egyenlege apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Összesített összeg megjelenítése apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Ön nem szerette meg a hűségpontokat a megváltáshoz @@ -5282,11 +5311,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Az előző sorban öss DocType: Student,Student Email Address,Diák e-mail címe DocType: Academic Term,Education,Oktatás DocType: Supplier Quotation,Supplier Address,Szállítói cím -DocType: Salary Component,Do not include in total,Nem tartalmazhat összesen +DocType: Salary Detail,Do not include in total,Nem tartalmazhat összesen apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Nem lehet több elem alapértelmezett értéket megadni egy vállalat számára. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nem létezik DocType: Purchase Receipt Item,Rejected Quantity,Elutasított mennyiség DocType: Cashier Closing,To TIme,Időre +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ó: {2} elemnél DocType: Daily Work Summary Group User,Daily Work Summary Group User,Napi munka összefoglaló Csoport felhasználó DocType: Fiscal Year Company,Fiscal Year Company,Pénzügyi év társaság apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Az alternatív elem nem lehet azonos az elemkóddal @@ -5396,7 +5426,6 @@ DocType: Fee Schedule,Send Payment Request Email,Fizetési kérelem küldése e- DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,A Szavakban az értékesítési számla mentése után látható lesz. DocType: Sales Invoice,Sales Team1,Értékesítési csapat1 DocType: Work Order,Required Items,Kötelező elemek -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Speciális karakterek, kivéve a "-", "#", "." és "/" nem engedélyezett a névsorozatokban" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Olvassa el az ERPNext kézikönyvet DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Ellenőrizze a szállítói számla egyedi számát apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Keresés a részegységekben @@ -5464,7 +5493,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Százalékos levonás apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,"A termelendő mennyiség nem lehet kevesebb, mint nulla" DocType: Share Balance,To No,Nem DocType: Leave Control Panel,Allocate Leaves,A levelek elosztása -DocType: Quiz,Last Attempt,Utolsó kísérlet DocType: Assessment Result,Student Name,Tanuló név apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Karbantartási látogatások tervezése. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,A következő anyagi igények automatikusan felvetésre kerültek az elem újrarendezési szintje alapján @@ -5533,6 +5561,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Kijelző színe DocType: Item Variant Settings,Copy Fields to Variant,Másolja a mezőket a Variantre DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Egyszerű helyes válasz apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,"A dátum nem lehet kevesebb, mint a munkavállaló csatlakozási dátuma" DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Több értékesítési megrendelés engedélyezése az ügyfél vásárlási rendje ellen apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5595,7 +5624,7 @@ DocType: Account,Expenses Included In Valuation,Az értékelésben szereplő kö apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Sorozatszámok DocType: Salary Slip,Deductions,levonások ,Supplier-Wise Sales Analytics,Szállító-bölcs értékesítési elemzések -DocType: Quality Goal,February,február +DocType: GSTR 3B Report,February,február DocType: Appraisal,For Employee,Munkavállaló számára apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Aktuális szállítási dátum DocType: Sales Partner,Sales Partner Name,Értékesítési partner neve @@ -5691,7 +5720,6 @@ DocType: Procedure Prescription,Procedure Created,Eljárás létrehozva apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},A szállítói számla ellen {0} {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS profil módosítása apps/erpnext/erpnext/utilities/activation.py,Create Lead,Vezető létrehozása -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Szállító> Szállító típusa DocType: Shopify Settings,Default Customer,Alapértelmezett ügyfél DocType: Payment Entry Reference,Supplier Invoice No,Szállítói számla Nr DocType: Pricing Rule,Mixed Conditions,Vegyes feltételek @@ -5742,12 +5770,14 @@ DocType: Item,End of Life,Az élet vége DocType: Lab Test Template,Sensitivity,Érzékenység DocType: Territory,Territory Targets,Területi célok apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","A Leave Allocation átugrása a következő alkalmazottak számára, mivel a Leave Allocation nyilvántartások már léteznek ellenük. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Minőségi cselekvési felbontás DocType: Sales Invoice Item,Delivered By Supplier,Szállító által szállított DocType: Agriculture Analysis Criteria,Plant Analysis,Növényelemzés apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},A {0} tételnél kötelező a költségszámla ,Subcontracted Raw Materials To Be Transferred,"Alvállalkozói nyersanyagok, amelyeket át kell adni" DocType: Cashier Closing,Cashier Closing,Pénztár zárása apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,A (z) {0} tétel már visszatért +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Érvénytelen GSTIN! A megadott bemenet nem egyezik meg a GSTIN formátummal az UIN tartók vagy a nem rezidens OIDAR szolgáltatók számára apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,A raktár számára gyermekraktár van. Ezt a raktárt nem lehet törölni. DocType: Diagnosis,Diagnosis,Diagnózis apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0} és {1} között nincs távozási idő @@ -5764,6 +5794,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Engedélyezési beállítás DocType: Homepage,Products,Termékek ,Profit and Loss Statement,Nyereség és veszteség kimutatás apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Szobák foglalása +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Ismétlődő bejegyzés a {0} és a (z) {1} termékkóddal DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Teljes súly apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Utazás @@ -5783,6 +5814,7 @@ DocType: Patient Encounter,Encounter Time,Encounter Time DocType: Serial No,Invoice Details,Számla részletei 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 fiókok készíthetők a Csoportok alatt, de a bejegyzések a nem csoportok ellen is végrehajthatók" apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Készletek +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Row {0}# Allocated amount {1} cannot be greater than unclaimed amount {2},"{0} sor # # Az allokált összeg {1} nem lehet nagyobb, mint a nem igényelt összeg {2}" apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty DocType: Vital Signs,Body Temperature,Testhőmérséklet DocType: Customer Group,Customer Group Name,Ügyfélcsoport neve @@ -5809,6 +5841,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Alapértelmezett ügyfélcsoport DocType: Journal Entry Account,Debit in Company Currency,Debit a vállalati pénznemben DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",A tartalék sorozat a "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Minőségi találkozó menetrend DocType: Cash Flow Mapper,Section Header,Szakaszfejléc apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Termékek vagy szolgáltatások DocType: Crop,Perennial,Örök @@ -5854,7 +5887,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Olyan termék vagy szolgáltatás, amelyet megvásárolnak, értékesítenek vagy raktáron tartanak." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Zárás (nyitás + összesen) DocType: Supplier Scorecard Criteria,Criteria Formula,Kritérium képlet -,Support Analytics,Támogassa az Analytics szolgáltatást +apps/erpnext/erpnext/config/support.py,Support Analytics,Támogassa az Analytics szolgáltatást apps/erpnext/erpnext/config/quality_management.py,Review and Action,Felülvizsgálat és cselekvés DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ha a fiók befagyott, a bejegyzések korlátozhatók a felhasználók számára." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Az érték az értékcsökkenés után @@ -5899,7 +5932,6 @@ DocType: Contract Template,Contract Terms and Conditions,Szerződési feltétele apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Adatok lekérése DocType: Stock Settings,Default Item Group,Alapértelmezett elemcsoport DocType: Sales Invoice Timesheet,Billing Hours,Számlázási órák -DocType: Item,Item Code for Suppliers,Elem kódja a szállítóknak apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},A {0} alkalmazás már elhagyja a diákot {1} DocType: Pricing Rule,Margin Type,Margó típusa DocType: Purchase Invoice Item,Rejected Serial No,Elutasított sorszám @@ -5972,6 +6004,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,A leveleket sikeresen adták ki DocType: Loyalty Point Entry,Expiry Date,Lejárati dátum DocType: Project Task,Working,Dolgozó +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,A {0} már rendelkezik szülői eljárással {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Ez a betegre vonatkozó tranzakciókon alapul. A részleteket lásd az alábbi idővonalon DocType: Material Request,Requested For,Igényelt DocType: SMS Center,All Sales Person,Minden értékesítési személy @@ -6059,6 +6092,7 @@ DocType: Loan Type,Maximum Loan Amount,Maximális kölcsönösszeg apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Az e-mail nem található az alapértelmezett kapcsolaton DocType: Hotel Room Reservation,Booked,Foglalt DocType: Maintenance Visit,Partially Completed,Részben befejeződött +DocType: Quality Procedure Process,Process Description,Folyamatleírás DocType: Company,Default Employee Advance Account,Alapértelmezett munkavállalói előlegszámla DocType: Leave Type,Allow Negative Balance,Negatív egyenleg engedélyezése apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Értékelési terv neve @@ -6099,6 +6133,7 @@ DocType: Vehicle Service,Change,változás DocType: Request for Quotation Item,Request for Quotation Item,Ajánlatkérési tétel apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} kétszer adták meg az elemadót DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,A teljes adó levonása a kiválasztott bérszámfejtési dátumra +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Az utolsó szén-dioxid-ellenőrzési dátum nem lehet jövőbeli dátum apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Válasszon változási számlát DocType: Support Settings,Forum Posts,Fórum hozzászólások DocType: Timesheet Detail,Expected Hrs,Várható óra @@ -6108,7 +6143,7 @@ DocType: Program Enrollment Tool,Enroll Students,Regisztrálja a diákokat apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Ismételje meg az Ügyfél bevételét DocType: Company,Date of Commencement,Megkezdésének időpontja DocType: Bank,Bank Name,A bank neve -DocType: Quality Goal,December,december +DocType: GSTR 3B Report,December,december apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,A dátumtól kezdődően érvényesnek kell lennie az érvényes dátumig apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Ez az alkalmazott jelenlétén alapul DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ha be van jelölve, a kezdőlap lesz a webhely alapértelmezett elemcsoportja" @@ -6151,6 +6186,7 @@ DocType: Payment Entry,Payment Type,Fizetési mód apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,A fóliószámok nem egyeznek DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Minőségellenőrzés: {0} nem kerül elküldésre a következő tételre: {1} a {2} sorban +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},{0} megjelenítése apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} elem található. ,Stock Ageing,Stock öregedés DocType: Customer Group,Mention if non-standard receivable account applicable,"Meg kell említeni, ha a nem szabványos követelés alkalmazható" @@ -6427,6 +6463,7 @@ DocType: Travel Request,Costing,költségszámítás apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Befektetett eszközök DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Teljes kereset +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Ügyfél> Ügyfélcsoport> Terület DocType: Share Balance,From No,Nem DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Fizetési egyeztetési számla DocType: Purchase Invoice,Taxes and Charges Added,Adók és díjak hozzáadva @@ -6434,7 +6471,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Fontolja meg az a DocType: Authorization Rule,Authorized Value,Engedélyezett érték apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Feladó apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,A {0} raktár nem létezik +DocType: Item Manufacturer,Item Manufacturer,Tétel Gyártó DocType: Sales Invoice,Sales Team,Értékesítési csapat +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Csomag mennyiség DocType: Purchase Order Item Supplied,Stock UOM,Készletek UOM DocType: Installation Note,Installation Date,Telepítési dátum DocType: Email Digest,New Quotations,Új idézetek @@ -6498,7 +6537,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Nyaralási lista neve DocType: Water Analysis,Collection Temperature ,Gyűjtési hőmérséklet DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Találkozószámla kezelése és a betegbetegség automatikus törlé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 Series-et {0} -ra a Setup> Settings> Naming Series menüpontban" DocType: Employee Benefit Claim,Claim Date,Követelés dátuma DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"Hagyja üresen, ha a Szállító határozatlan időre blokkolva van" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,A dátumtól és a dátumtól való részvétel kötelező @@ -6509,6 +6547,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,A nyugdíjba vonulás időpontja apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,"Kérjük, válassza a Patient lehetőséget" DocType: Asset,Straight Line,Egyenes +DocType: Quality Action,Resolutions,Állásfoglalások DocType: SMS Log,No of Sent SMS,Elküldött SMS-ek száma ,GST Itemised Sales Register,GST tételes értékesítési nyilvántartás apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,"A teljes előleg összege nem lehet nagyobb, mint a teljes szankcionált összeg" @@ -6619,7 +6658,7 @@ DocType: Account,Profit and Loss,Haszon és veszteség apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Menny DocType: Asset Finance Book,Written Down Value,Leírt érték apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Balance Equity megnyitása -DocType: Quality Goal,April,április +DocType: GSTR 3B Report,April,április DocType: Supplier,Credit Limit,Hitelkeret apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,terjesztés apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6674,6 +6713,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Csatlakoztassa a Shopify-t az ERPNext segítségével DocType: Homepage Section Card,Subtitle,Felirat DocType: Soil Texture,Loam,Agyag +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Szállító> Szállító típusa DocType: BOM,Scrap Material Cost(Company Currency),Hulladék anyagköltsége (vállalati pénznem) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,A {0} szállítási megjegyzés nem nyújtható be DocType: Task,Actual Start Date (via Time Sheet),Aktuális kezdési dátum (idő szerint) @@ -6729,7 +6769,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Adagolás DocType: Cheque Print Template,Starting position from top edge,Első pozíció a felső széltől apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Kinevezési időtartam (perc) -DocType: Pricing Rule,Disable,Kikapcsolja +DocType: Accounting Dimension,Disable,Kikapcsolja DocType: Email Digest,Purchase Orders to Receive,A megrendelések beszerzése apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,A Productions rendelések nem hozhatók fel: DocType: Projects Settings,Ignore Employee Time Overlap,Figyelmen kívül hagyja a munkavállalói időt @@ -6813,6 +6853,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Adó s DocType: Item Attribute,Numeric Values,Numerikus értékek DocType: Delivery Note,Instructions,Utasítás DocType: Blanket Order Item,Blanket Order Item,Takaró rendelési tétel +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Kötelező a nyereség- és veszteségszámlára apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,"A Bizottság aránya nem lehet nagyobb, mint 100" DocType: Course Topic,Course Topic,Tanfolyam témakör DocType: Employee,This will restrict user access to other employee records,Ez korlátozza a felhasználók hozzáférését más munkavállalói nyilvántartásokhoz @@ -6837,12 +6878,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Előfizetéske apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Vásároljon ügyfeleket apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Jelentések +DocType: Video,YouTube,Youtube DocType: Party Account,Party Account,Félszámla DocType: Assessment Plan,Schedule,Menetrend apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Kérlek lépj be DocType: Lead,Channel Partner,Csatorna partner apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Számlázott összeg DocType: Project,From Template,Sablonból +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Előfizetői apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,A készítendő mennyiség DocType: Quality Review Table,Achieved,Elért @@ -6889,7 +6932,6 @@ DocType: Journal Entry,Subscription Section,Előfizetési rész DocType: Salary Slip,Payment Days,Fizetési napok apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Önkéntes információk. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"A „Fagyasztó készletek idősebbek” értékének kisebbnek kell lennie, mint% d nap." -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Válassza ki a költségvetési évet DocType: Bank Reconciliation,Total Amount,Teljes összeg DocType: Certification Application,Non Profit,Nem nyereség DocType: Subscription Settings,Cancel Invoice After Grace Period,Törölje a számlázást a türelmi idő után @@ -6902,7 +6944,6 @@ DocType: Serial No,Warranty Period (Days),Garanciaidő (nap) DocType: Expense Claim Detail,Expense Claim Detail,Költségigény-részlet apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program: DocType: Patient Medical Record,Patient Medical Record,Beteg orvosi feljegyzése -DocType: Quality Action,Action Description,Művelet leírása DocType: Item,Variant Based On,Változat alapja DocType: Vehicle Service,Brake Oil,Fékolaj DocType: Employee,Create User,Felhasználó létrehozása @@ -6958,7 +6999,7 @@ DocType: Cash Flow Mapper,Section Name,Szakasz neve DocType: Packed Item,Packed Item,Csomagolt elem apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: A (z) {2} esetében szükséges a beszedési vagy hitelösszeg. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Bérbélyegzők elküldése ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Nincs művelet +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Nincs művelet apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","A költségkeret nem rendelhető {0} ellen, mivel ez nem jövedelem- vagy kiadási számla" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Mesterek és számlák DocType: Quality Procedure Table,Responsible Individual,Felelős személy @@ -7081,7 +7122,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Fiók létrehozása gyermekvállalat ellen DocType: Payment Entry,Company Bank Account,Vállalati bankszámla DocType: Amazon MWS Settings,UK,UK -DocType: Quality Procedure,Procedure Steps,Eljárás lépések DocType: Normal Test Items,Normal Test Items,Normál tesztelemek apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,"{0}: Rendezett mennyiség {1} nem lehet kevesebb, mint a {2} minimális rendelési mennyiség (az Elemben definiálva)." apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Nincs raktáron @@ -7160,7 +7200,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analitika DocType: Maintenance Team Member,Maintenance Role,Karbantartási szerep apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Feltételek és feltételek Sablon DocType: Fee Schedule Program,Fee Schedule Program,Díjütemezési program -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,A {0} kurzus nem létezik. DocType: Project Task,Make Timesheet,Készítse el az időzítőt DocType: Production Plan Item,Production Plan Item,Termelési terv elem apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Teljes hallgató @@ -7182,6 +7221,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Csomagolás apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Csak akkor lehet megújítani, ha a tagság 30 napon belül lejár" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Az értéknek {0} és {1} között kell lennie +DocType: Quality Feedback,Parameters,paraméterek ,Sales Partner Transaction Summary,Értékesítési partner tranzakciók összefoglalása DocType: Asset Maintenance,Maintenance Manager Name,Karbantartási kezelő neve apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Szükség van az elemadatok letöltésére. @@ -7219,6 +7259,7 @@ DocType: Student Admission,Student Admission,Hallgatói felvétel DocType: Designation Skill,Skill,jártasság DocType: Budget Account,Budget Account,Költségkeret-fiók DocType: Employee Transfer,Create New Employee Id,Új munkavállalói azonosító létrehozása +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} szükséges a „Profit and Loss” fiókhoz {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Áruk és szolgáltatások adója (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Fizetési lapok létrehozása ... DocType: Employee Skill,Employee Skill,Alkalmazott készség @@ -7319,6 +7360,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Számla kül DocType: Subscription,Days Until Due,Az esedékesség napjai apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Befejezett megjelenítése apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Bankszámlakivonat-tranzakciós belépési jelentés +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,# {0} sor: Az aránynak meg kell egyeznie a {1}: {2} ({3} / {4}) értékkel DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Egészségügyi szolgáltatások @@ -7373,6 +7415,7 @@ DocType: Training Event Employee,Invited,Meghívott apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},A {0} összetevőre jogosult maximális összeg meghaladja a {1} -t apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Összeg Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",{0} esetén csak a beszedési számlák kapcsolódhatnak egy másik hitelbejegyzéshez +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Méretek létrehozása ... DocType: Bank Statement Transaction Entry,Payable Account,Fizetendő számla apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,"Kérjük, említse meg, hogy nincs szükség látogatásra" DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Csak akkor válassza ki, ha van beállított Cash Flow Mapper dokumentuma" @@ -7390,6 +7433,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,V DocType: Service Level,Resolution Time,Felbontási idő DocType: Grading Scale Interval,Grade Description,Grade Leírás DocType: Homepage Section,Cards,kártyák +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Minőségi találkozó jegyzőkönyv DocType: Linked Plant Analysis,Linked Plant Analysis,Kapcsolódó üzemelemzés apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,A szolgáltatás leállításának dátuma nem lehet a szolgáltatás befejezésének dátuma után 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 korlátot a GST beállításaiban." @@ -7424,7 +7468,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Munkavállalói rész DocType: Employee,Educational Qualification,Iskolai végzettség apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Hozzáférhető érték apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},"A {0} minta mennyisége nem lehet több, mint a kapott mennyiség {1}" -DocType: Quiz,Last Highest Score,Utolsó legmagasabb pontszám DocType: POS Profile,Taxes and Charges,Adók és díjak DocType: Opportunity,Contact Mobile No,Lépjen kapcsolatba a Mobile No-tal DocType: Employee,Joining Details,Csatlakozás a részletekhez diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv index f5982a9601..2fb1a483a0 100644 --- a/erpnext/translations/id.csv +++ b/erpnext/translations/id.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Bagian Pemasok No DocType: Journal Entry Account,Party Balance,Balance Partai apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Sumber Dana (Kewajiban) DocType: Payroll Period,Taxable Salary Slabs,Lembaran Gaji Kena Pajak +DocType: Quality Action,Quality Feedback,Umpan Balik Kualitas DocType: Support Settings,Support Settings,Pengaturan Dukungan apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Silakan masukkan Barang Produksi terlebih dahulu DocType: Quiz,Grading Basis,Dasar Grading @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Keterangan lebi DocType: Salary Component,Earning,Penghasilan DocType: Restaurant Order Entry,Click Enter To Add,Klik Enter Untuk Menambahkan DocType: Employee Group,Employee Group,Grup Karyawan +DocType: Quality Procedure,Processes,Proses DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Tentukan Nilai Tukar untuk mengonversi satu mata uang menjadi mata uang lain apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Rentang Penuaan 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Gudang diperlukan untuk persediaan Barang {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Keluhan DocType: Shipping Rule,Restrict to Countries,Batasi untuk Negara DocType: Hub Tracked Item,Item Manager,Manajer Barang apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Mata uang Akun Penutupan harus {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Anggaran apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Membuka Item Faktur DocType: Work Order,Plan material for sub-assemblies,Merencanakan materi untuk sub-rakitan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Perangkat keras DocType: Budget,Action if Annual Budget Exceeded on MR,Tindakan jika Anggaran Tahunan Melampaui MR DocType: Sales Invoice Advance,Advance Amount,Jumlah Muka +DocType: Accounting Dimension,Dimension Name,Nama Dimensi DocType: Delivery Note Item,Against Sales Invoice Item,Terhadap Barang Faktur Penjualan DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Sertakan Barang Dalam Manufaktur @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Apa fungsinya? ,Sales Invoice Trends,Tren Faktur Penjualan DocType: Bank Reconciliation,Payment Entries,Entri Pembayaran DocType: Employee Education,Class / Percentage,Kelas / Persentase -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kode Barang> Grup Barang> Merek ,Electronic Invoice Register,Daftar Faktur Elektronik DocType: Sales Invoice,Is Return (Credit Note),Is Return (Credit Note) DocType: Lab Test Sample,Lab Test Sample,Sampel Uji Lab @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Varian apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Biaya akan didistribusikan secara proporsional berdasarkan jumlah barang atau jumlah, sesuai pilihan Anda" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Aktivitas yang tertunda untuk hari ini +DocType: Quality Procedure Process,Quality Procedure Process,Proses Prosedur Mutu DocType: Fee Schedule Program,Student Batch,Gelombang Mahasiswa apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Tingkat Penilaian diperlukan untuk Item dalam baris {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Tarif Jam Dasar (Mata Uang Perusahaan) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Tetapkan Qty dalam Transaksi berdasarkan Serial No Input 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} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Kustomisasi Bagian Beranda -DocType: Quality Goal,October,Oktober +DocType: GSTR 3B Report,October,Oktober DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Sembunyikan Id Pajak Pelanggan dari Transaksi Penjualan apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN tidak valid! GSTIN harus memiliki 15 karakter. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Aturan Harga {0} diperbarui @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Tinggalkan Saldo apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Jadwal Pemeliharaan {0} ada terhadap {1} DocType: Assessment Plan,Supervisor Name,Nama Pengawas DocType: Selling Settings,Campaign Naming By,Penamaan Kampanye Menurut -DocType: Course,Course Code,Kode Kursus +DocType: Student Group Creation Tool Course,Course Code,Kode Kursus apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Dirgantara DocType: Landed Cost Voucher,Distribute Charges Based On,Bagikan Biaya Berdasarkan DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Kriteria Penilaian Pemasok Scorecard @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Menu restoran DocType: Asset Movement,Purpose,Tujuan apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Penugasan Struktur Gaji untuk Karyawan sudah ada DocType: Clinical Procedure,Service Unit,Unit Layanan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah DocType: Travel Request,Identification Document Number,Nomor Dokumen Identifikasi DocType: Stock Entry,Additional Costs,Biaya tambahan -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Parent Course (Biarkan kosong, jika ini bukan bagian dari Parent Course)" DocType: Employee Education,Employee Education,Pendidikan Pegawai apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Jumlah posisi tidak boleh kurang dari jumlah karyawan saat ini apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Semua Grup Pelanggan @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Baris {0}: Jumlah harus diisi DocType: Sales Invoice,Against Income Account,Terhadap Akun Pendapatan apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Baris # {0}: Faktur Pembelian tidak dapat dibuat melawan aset yang ada {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Aturan untuk menerapkan berbagai skema promosi. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Faktor penutup UOM diperlukan untuk UOM: {0} pada Butir: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Silakan masukkan jumlah untuk Barang {0} DocType: Workstation,Electricity Cost,Biaya listrik @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Total Qty yang Diproyeksikan apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Tanggal Mulai Aktual 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 permintaan cuti kompensasi -DocType: Company,About the Company,Tentang perusahaan apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Pohon akun keuangan. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Penghasilan Tidak Langsung DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Item Reservasi Kamar Hotel @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database pel DocType: Skill,Skill Name,nama skill apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Cetak Kartu Laporan DocType: Soil Texture,Ternary Plot,Plot Ternary +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Tiket Dukungan DocType: Asset Category Account,Fixed Asset Account,Akun Aset Tetap apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Terbaru @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Kursus Pendaftaran ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Silakan setel seri yang akan digunakan. DocType: Delivery Trip,Distance UOM,Jarak UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Wajib Untuk Neraca DocType: Payment Entry,Total Allocated Amount,Jumlah Alokasi Total DocType: Sales Invoice,Get Advances Received,Dapatkan Uang Muka Diterima DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Item Jadwal Perawat apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,Profil POS diperlukan untuk membuat Entri POS DocType: Education Settings,Enable LMS,Aktifkan LMS DocType: POS Closing Voucher,Sales Invoices Summary,Ringkasan Faktur Penjualan +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Manfaat apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Akun Kredit Ke harus berupa akun Neraca DocType: Video,Duration,Lamanya DocType: Lab Test Template,Descriptive,Deskriptif @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Mulai dan Akhiri Tanggal DocType: Supplier Scorecard,Notify Employee,Beritahu Karyawan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Perangkat lunak +DocType: Program,Allow Self Enroll,Izinkan Self Enroll apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Biaya Saham apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Referensi No wajib jika Anda memasukkan Tanggal Referensi DocType: Training Event,Workshop,Bengkel @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Templat Tes Lab apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informasi E-Faktur Tidak Ada apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Tidak ada permintaan materi yang dibuat +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kode Barang> Grup Barang> Merek DocType: Loan,Total Amount Paid,Jumlah Total yang Dibayar apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Semua barang ini sudah ditagih DocType: Training Event,Trainer Name,Nama Pelatih @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Tahun akademik DocType: Sales Stage,Stage Name,Nama panggung DocType: SMS Center,All Employee (Active),Semua Karyawan (Aktif) +DocType: Accounting Dimension,Accounting Dimension,Dimensi Akuntansi DocType: Project,Customer Details,detil pelanggan DocType: Buying Settings,Default Supplier Group,Grup Pemasok Default apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Harap batalkan Tanda Terima Pembelian {0} terlebih dahulu @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Semakin tinggi a DocType: Designation,Required Skills,Keterampilan yang Dibutuhkan DocType: Marketplace Settings,Disable Marketplace,Nonaktifkan Marketplace DocType: Budget,Action if Annual Budget Exceeded on Actual,Tindakan jika Anggaran Tahunan Melebihi Aktual -DocType: Course,Course Abbreviation,Singkatan Kursus apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Kehadiran tidak dikirimkan untuk {0} sebagai {1} saat cuti. DocType: Pricing Rule,Promotional Scheme Id,Id Skema Promosi apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Tanggal akhir tugas {0} tidak boleh lebih dari {1} tanggal akhir yang diharapkan {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Uang Margin DocType: Chapter,Chapter,Bab DocType: Purchase Receipt Item Supplied,Current Stock,Stok Saat Ini DocType: Employee,History In Company,Sejarah Di Perusahaan -DocType: Item,Manufacturer,Pabrikan +DocType: Purchase Invoice Item,Manufacturer,Pabrikan apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Sensitivitas Sedang DocType: Compensatory Leave Request,Leave Allocation,Tinggalkan Alokasi DocType: Timesheet,Timesheet,Absen @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Material Ditransfer u DocType: Products Settings,Hide Variants,Sembunyikan Varian DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Nonaktifkan Perencanaan Kapasitas dan Pelacakan Waktu DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Akan dihitung dalam transaksi. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} diperlukan untuk akun 'Neraca' {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} tidak diizinkan untuk bertransaksi dengan {1}. Silakan ganti Perusahaan. 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 Pengaturan Pembelian jika Dibutuhkan Penerimaan Pembelian == 'YA', maka untuk membuat Faktur Pembelian, pengguna harus membuat Tanda Terima Pembelian terlebih dahulu untuk item {0}" DocType: Delivery Trip,Delivery Details,Rincian pengiriman @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Sebelumnya apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Satuan ukuran DocType: Lab Test,Test Template,Templat Tes DocType: Fertilizer,Fertilizer Contents,Isi Pupuk -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Menit +DocType: Quality Meeting Minutes,Minute,Menit apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Baris # {0}: Aset {1} tidak dapat dikirimkan, sudah {2}" DocType: Task,Actual Time (in Hours),Waktu Aktual (dalam Jam) DocType: Period Closing Voucher,Closing Account Head,Kepala Akun Penutupan @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorium DocType: Purchase Order,To Bill,Kepada Bill apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Beban Utilitas DocType: Manufacturing Settings,Time Between Operations (in mins),Waktu Antar Operasi (dalam menit) -DocType: Quality Goal,May,Mungkin +DocType: GSTR 3B Report,May,Mungkin apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Pembayaran Gateway Akun tidak dibuat, silakan buat secara manual." DocType: Opening Invoice Creation Tool,Purchase,Membeli DocType: Program Enrollment,School House,Rumah Sekolah @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,A DocType: Supplier,Statutory info and other general information about your Supplier,Info hukum dan informasi umum lainnya tentang Pemasok Anda DocType: Item Default,Default Selling Cost Center,Pusat Biaya Penjualan Default DocType: Sales Partner,Address & Contacts,Alamat & Kontak +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: Subscriber,Subscriber,Pelanggan apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Formulir / Item / {0}) sudah habis apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Silakan pilih tanggal posting terlebih dahulu @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Biaya Kunjungan Rawat In DocType: Bank Statement Settings,Transaction Data Mapping,Pemetaan Data Transaksi apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Pimpinan membutuhkan nama seseorang atau nama organisasi DocType: Student,Guardians,Penjaga +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/public/js/stock_analytics.js,Select Brand...,Pilih Merek ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Pendapatan Menengah DocType: Shipping Rule,Calculate Based On,Hitung Berdasarkan @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Uang Muka Klaim DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Penyesuaian Pembulatan (Mata Uang Perusahaan) DocType: Item,Publish in Hub,Publikasikan di Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,Agustus +DocType: GSTR 3B Report,August,Agustus apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Silakan masukkan Tanda Terima Pembelian terlebih dahulu apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Awal tahun apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Target ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,Jumlah Sampel Maks apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Sumber dan gudang target harus berbeda DocType: Employee Benefit Application,Benefits Applied,Manfaat Diterapkan apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Terhadap Entri Jurnal {0} tidak memiliki entri {1} yang tidak cocok +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Karakter Khusus kecuali "-", "#", ".", "/", "{" Dan "}" tidak diizinkan dalam rangkaian penamaan" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Diperlukan harga atau potongan diskon produk apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Tetapkan Target apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Catatan Kehadiran {0} ada terhadap Siswa {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Per bulan DocType: Routing,Routing Name,Nama Routing DocType: Disease,Common Name,Nama yang umum -DocType: Quality Goal,Measurable,Terukur DocType: Education Settings,LMS Title,Judul LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Manajemen Pinjaman -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Mendukung Analitik DocType: Clinical Procedure,Consumable Total Amount,Jumlah Total yang Dapat Dikonsumsi apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Aktifkan Templat apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,LPO pelanggan @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,Melayani DocType: Loan,Member,Anggota DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Jadwal Unit Layanan Praktisi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Transfer rekening +DocType: Quality Review Objective,Quality Review Objective,Tujuan Tinjauan Kualitas DocType: Bank Reconciliation Detail,Against Account,Terhadap Akun DocType: Projects Settings,Projects Settings,Pengaturan Proyek apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Jumlah Sebenarnya {0} / Jumlah Menunggu {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Mo apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Tanggal Akhir Tahun Pajak harus satu tahun setelah Tanggal Mulai Tahun Pajak apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Pengingat Harian DocType: Item,Default Sales Unit of Measure,Satuan Ukuran Penjualan Default +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Perusahaan GSTIN DocType: Asset Finance Book,Rate of Depreciation,Tingkat Depresiasi DocType: Support Search Source,Post Description Key,Kunci Deskripsi Posting DocType: Loyalty Program Collection,Minimum Total Spent,Total Pengeluaran Minimum @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Mengubah Grup Pelanggan untuk Pelanggan yang dipilih tidak diperbolehkan. DocType: Serial No,Creation Document Type,Jenis Dokumen Penciptaan DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Tersedia Batch Qty di Gudang +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktur Jumlah Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Ini adalah wilayah root dan tidak dapat diedit. DocType: Patient,Surgical History,Riwayat Bedah apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Pohon Prosedur Kualitas. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,P DocType: Item Group,Check this if you want to show in website,Periksa ini jika Anda ingin tampil di situs web apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Tahun Anggaran {0} tidak ditemukan DocType: Bank Statement Settings,Bank Statement Settings,Pengaturan Pernyataan Bank +DocType: Quality Procedure Process,Link existing Quality Procedure.,Tautkan Prosedur Mutu yang ada. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Impor Bagan Akun dari file CSV / Excel DocType: Appraisal Goal,Score (0-5),Skor (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Atribut {0} dipilih beberapa kali dalam Tabel Atribut DocType: Purchase Invoice,Debit Note Issued,Nota Debet Dikeluarkan @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Tinggalkan Detail Kebijakan apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Gudang tidak ditemukan dalam sistem DocType: Healthcare Practitioner,OP Consulting Charge,Biaya Konsultasi OP -DocType: Quality Goal,Measurable Goal,Tujuan yang Terukur DocType: Bank Statement Transaction Payment Item,Invoices,Faktur DocType: Currency Exchange,Currency Exchange,Penukaran mata uang DocType: Payroll Entry,Fortnightly,Setiap dua minggu @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} tidak dikirimkan DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Bahan baku Backflush dari gudang yang sedang dikerjakan DocType: Maintenance Team Member,Maintenance Team Member,Anggota Tim Pemeliharaan +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Siapkan dimensi khusus untuk akuntansi DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Jarak minimum antar barisan tanaman untuk pertumbuhan optimal DocType: Employee Health Insurance,Health Insurance Name,Nama Asuransi Kesehatan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Aset Saham @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,Nama Alamat Penagihan apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Barang Alternatif DocType: Certification Application,Name of Applicant,Nama Pemohon DocType: Leave Type,Earned Leave,Mendapatkan cuti -DocType: Quality Goal,June,Juni +DocType: GSTR 3B Report,June,Juni apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Baris {0}: Pusat biaya diperlukan untuk item {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Dapat disetujui oleh {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unit Ukur {0} telah dimasukkan lebih dari satu kali di Tabel Faktor Konversi @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,Tingkat Penjualan Standar apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Silakan tetapkan menu aktif untuk Restoran {0} 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 System Manager dan Item Manager untuk menambahkan pengguna ke Marketplace. DocType: Asset Finance Book,Asset Finance Book,Buku Keuangan Aset +DocType: Quality Goal Objective,Quality Goal Objective,Tujuan Sasaran Kualitas DocType: Employee Transfer,Employee Transfer,Transfer Karyawan ,Sales Funnel,Corong Penjualan DocType: Agriculture Analysis Criteria,Water Analysis,Analisis Air @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Properti Transfer apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Aktivitas Tertunda apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Daftarkan beberapa pelanggan Anda. Mereka dapat berupa organisasi atau individu. DocType: Bank Guarantee,Bank Account Info,Info Rekening Bank +DocType: Quality Goal,Weekday,Hari kerja apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Nama Guardian1 DocType: Salary Component,Variable Based On Taxable Salary,Variabel Berdasarkan Gaji Kena Pajak DocType: Accounting Period,Accounting Period,Periode akuntansi @@ -2229,7 +2245,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Penyesuaian Pembulatan DocType: Quality Review Table,Quality Review Table,Tabel Tinjauan Kualitas DocType: Member,Membership Expiry Date,Tanggal Berakhir Keanggotaan DocType: Asset Finance Book,Expected Value After Useful Life,Nilai yang Diharapkan Setelah Kehidupan Berguna -DocType: Quality Goal,November,November +DocType: GSTR 3B Report,November,November DocType: Loan Application,Rate of Interest,Tingkat Bunga DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Item Pembayaran Transaksi Laporan Bank DocType: Restaurant Reservation,Waitlisted,Daftar tunggu @@ -2293,6 +2309,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Baris {0}: Untuk menetapkan {1} periodisitas, perbedaan antara dari dan hingga tanggal \ harus lebih besar dari atau sama dengan {2}" DocType: Purchase Invoice Item,Valuation Rate,Tingkat Penilaian DocType: Shopping Cart Settings,Default settings for Shopping Cart,Pengaturan default untuk Keranjang Belanja +DocType: Quiz,Score out of 100,Skor dari 100 DocType: Manufacturing Settings,Capacity Planning,Perencanaan Kapasitas apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Pergi ke Instruktur DocType: Activity Cost,Projects,Proyek @@ -2302,6 +2319,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Dari waktu apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Laporan Detail Varian +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Untuk Membeli apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slot untuk {0} tidak ditambahkan ke jadwal DocType: Target Detail,Target Distribution,Distribusi Target @@ -2319,6 +2337,7 @@ DocType: Activity Cost,Activity Cost,Biaya Kegiatan DocType: Journal Entry,Payment Order,Pesanan Pembayaran apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Harga ,Item Delivery Date,Tanggal Pengiriman Barang +DocType: Quality Goal,January-April-July-October,Januari-April-Juli-Oktober DocType: Purchase Order Item,Warehouse and Reference,Gudang dan Referensi apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Akun dengan simpul anak tidak dapat dikonversi ke buku besar DocType: Soil Texture,Clay Composition (%),Komposisi Tanah Liat (%) @@ -2369,6 +2388,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Tanggal mendatang tida apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance 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/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Masa Akademik: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Parameter Umpan Balik Kualitas apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Silakan pilih Terapkan Diskon Pada apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Baris # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Total Pembayaran @@ -2411,7 +2431,7 @@ DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,identitas pegawai DocType: Salary Structure Assignment,Salary Structure Assignment,Penugasan Struktur Gaji DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Pajak Voucher Penutupan POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Tindakan diinisialisasi +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Tindakan diinisialisasi DocType: POS Profile,Applicable for Users,Berlaku untuk Pengguna DocType: Training Event,Exam,Ujian apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Jumlah Entri Buku Besar yang salah ditemukan. Anda mungkin telah memilih Akun yang salah dalam transaksi. @@ -2518,6 +2538,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Garis bujur DocType: Accounts Settings,Determine Address Tax Category From,Tentukan Alamat Dari Kategori Pajak Dari apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Mengidentifikasi Pembuat Keputusan +DocType: Stock Entry Detail,Reference Purchase Receipt,Referensi Kwitansi Pembelian apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Dapatkan Invocies DocType: Tally Migration,Is Day Book Data Imported,Apakah Data Buku Hari Diimpor ,Sales Partners Commission,Komisi Mitra Penjualan @@ -2541,6 +2562,7 @@ DocType: Leave Type,Applicable After (Working Days),Berlaku Setelah (Hari Kerja) DocType: Timesheet Detail,Hrs,Jam DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kriteria Pemasok Kartu Skor DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parameter Template Umpan Balik Kualitas apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Tanggal Bergabung harus lebih besar dari Tanggal Lahir DocType: Bank Statement Transaction Invoice Item,Invoice Date,Tanggal faktur DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Buat Tes Lab pada Kirim Faktur Penjualan @@ -2647,7 +2669,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Nilai Minimum yang Di DocType: Stock Entry,Source Warehouse Address,Sumber Alamat Gudang DocType: Compensatory Leave Request,Compensatory Leave Request,Permintaan Cuti Kompensasi DocType: Lead,Mobile No.,Nomor telepon seluler. -DocType: Quality Goal,July,Juli +DocType: GSTR 3B Report,July,Juli apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC yang memenuhi syarat DocType: Fertilizer,Density (if liquid),Kepadatan (jika cair) DocType: Employee,External Work History,Riwayat Pekerjaan Eksternal @@ -2724,6 +2746,7 @@ DocType: Certification Application,Certification Status,Status Sertifikasi apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Lokasi Sumber diperlukan untuk aset {0} DocType: Employee,Encashment Date,Tanggal Pencairan apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Silakan pilih Tanggal Penyelesaian untuk Log Pemeliharaan Aset Lengkap +DocType: Quiz,Latest Attempt,Percobaan terbaru DocType: Leave Block List,Allow Users,Izinkan Pengguna apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Bagan Akun apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Pelanggan wajib jika 'Peluang Dari' dipilih sebagai Pelanggan @@ -2788,7 +2811,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Penyiapan Scorecard DocType: Amazon MWS Settings,Amazon MWS Settings,Pengaturan Amazon MWS DocType: Program Enrollment,Walking,Berjalan DocType: SMS Log,Requested Numbers,Nomor yang Diminta -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: Woocommerce Settings,Freight and Forwarding Account,Akun Pengangkutan dan Penerusan apps/erpnext/erpnext/accounts/party.py,Please select a Company,Silakan pilih Perusahaan apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Baris {0}: {1} harus lebih besar dari 0 @@ -2858,7 +2880,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Tagihan din DocType: Training Event,Seminar,Seminar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kredit ({0}) DocType: Payment Request,Subscription Plans,Paket Berlangganan -DocType: Quality Goal,March,Maret +DocType: GSTR 3B Report,March,Maret apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Split Batch DocType: School House,House Name,Nama rumah apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Posisi untuk {0} tidak boleh kurang dari nol ({1}) @@ -2921,7 +2943,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Tanggal Mulai Asuransi DocType: Target Detail,Target Detail,Detail Target DocType: Packing Slip,Net Weight UOM,Berat Bersih UOM -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: Purchase Invoice Item,Net Amount (Company Currency),Jumlah Bersih (Mata Uang Perusahaan) DocType: Bank Statement Transaction Settings Item,Mapped Data,Data yang Dipetakan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Efek dan Deposito @@ -2971,6 +2992,7 @@ DocType: Cheque Print Template,Cheque Height,Periksa Tinggi apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Silakan masukkan tanggal pembebasan. DocType: Loyalty Program,Loyalty Program Help,Bantuan Program Loyalitas DocType: Journal Entry,Inter Company Journal Entry Reference,Referensi Entri Jurnal Perusahaan Inter +DocType: Quality Meeting,Agenda,Jadwal acara DocType: Quality Action,Corrective,Perbaikan apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Dikelompokkan oleh DocType: Bank Account,Address and Contact,Alamat dan Kontak @@ -3024,7 +3046,7 @@ DocType: GL Entry,Credit Amount,Jumlah kredit apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Jumlah Total Dikreditkan DocType: Support Search Source,Post Route Key List,Daftar Kunci Rute Posting apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} tidak di Tahun Anggaran yang aktif. -DocType: Quality Action Table,Problem,Masalah +DocType: Quality Action Resolution,Problem,Masalah DocType: Training Event,Conference,Konferensi DocType: Mode of Payment Account,Mode of Payment Account,Cara Pembayaran Akun DocType: Leave Encashment,Encashable days,Hari-hari yang dapat diinkubasi @@ -3150,7 +3172,7 @@ DocType: Item,"Purchase, Replenishment Details","Rincian Pembelian, Pengisian" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Setelah ditetapkan, faktur ini akan ditunda hingga tanggal yang ditetapkan" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Stok tidak dapat ada untuk Item {0} karena memiliki varian DocType: Lab Test Template,Grouped,Dikelompokkan -DocType: Quality Goal,January,Januari +DocType: GSTR 3B Report,January,Januari DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteria Penilaian Kursus DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Qty Lengkap @@ -3246,7 +3268,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Jenis Unit La apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Silakan masukkan setidaknya 1 faktur di tabel apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Sales Order {0} tidak dikirimkan apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Kehadiran telah ditandai dengan sukses. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Pra penjualan +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pra penjualan apps/erpnext/erpnext/config/projects.py,Project master.,Master proyek. DocType: Daily Work Summary,Daily Work Summary,Ringkasan Pekerjaan Harian DocType: Asset,Partially Depreciated,Sebagian Disusutkan @@ -3255,6 +3277,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Tinggalkan yang Terlantar? DocType: Certified Consultant,Discuss ID,Diskusikan ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Harap setel Akun GST di Pengaturan GST +DocType: Quiz,Latest Highest Score,Skor Tertinggi Terbaru DocType: Supplier,Billing Currency,Mata Uang Penagihan apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Kegiatan Siswa apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Baik jumlah target atau jumlah target adalah wajib @@ -3280,18 +3303,21 @@ DocType: Sales Order,Not Delivered,Tidak terkirim apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Jenis Cuti {0} tidak dapat dialokasikan karena cuti tanpa pembayaran DocType: GL Entry,Debit Amount,Jumlah Debit apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Sudah ada catatan untuk item {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Sub Majelis 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 berlaku, pengguna diminta untuk menetapkan Prioritas secara manual untuk menyelesaikan konflik." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Tidak dapat mengurangi ketika kategori untuk 'Penilaian' atau 'Penilaian dan Total' apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Diperlukan BOM dan Jumlah Manufaktur apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Item {0} telah mencapai akhir hidupnya pada {1} DocType: Quality Inspection Reading,Reading 6,Membaca 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Bidang perusahaan wajib diisi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Konsumsi Material tidak diatur dalam Pengaturan Manufaktur. DocType: Assessment Group,Assessment Group Name,Nama Kelompok Penilai -DocType: Item,Manufacturer Part Number,Nomor Bagian Pabrikan +DocType: Purchase Invoice Item,Manufacturer Part Number,Nomor Bagian Pabrikan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll Payable apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Baris # {0}: {1} tidak boleh negatif untuk item {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Saldo Jumlah +DocType: Question,Multiple Correct Answer,Jawaban Benar DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Poin Loyalitas = Berapa mata uang dasar? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Catatan: Tidak ada saldo cuti yang cukup untuk Jenis Cuti {0} DocType: Clinical Procedure,Inpatient Record,Rekam Rawat Inap @@ -3414,6 +3440,7 @@ DocType: Fee Schedule Program,Total Students,Jumlah Siswa apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokal DocType: Chapter Member,Leave Reason,Tinggalkan Alasan DocType: Salary Component,Condition and Formula,Kondisi dan Formula +DocType: Quality Goal,Objectives,Tujuan apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Gaji sudah diproses untuk periode antara {0} dan {1}, periode aplikasi cuti tidak boleh antara rentang tanggal ini." DocType: BOM Item,Basic Rate (Company Currency),Tarif Dasar (Mata Uang Perusahaan) DocType: BOM Scrap Item,BOM Scrap Item,Barang BOM Scrap @@ -3464,6 +3491,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Akun Klaim Biaya apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Tidak ada pembayaran untuk Entri Jurnal apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} adalah siswa tidak aktif +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Masuk Stock DocType: Employee Onboarding,Activities,Kegiatan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Minimal satu gudang adalah wajib ,Customer Credit Balance,Saldo Kredit Pelanggan @@ -3548,7 +3576,6 @@ DocType: Contract,Contract Terms,Ketentuan Kontrak apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Baik jumlah target atau jumlah target adalah wajib. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},{0} tidak valid DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Tanggal Rapat DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Singkatan tidak boleh memiliki lebih dari 5 karakter DocType: Employee Benefit Application,Max Benefits (Yearly),Manfaat Maks (Tahunan) @@ -3651,7 +3678,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Biaya Bank apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Barang Ditransfer apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Detail Kontak Utama -DocType: Quality Review,Values,Nilai-nilai 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 dicentang, daftar harus ditambahkan ke setiap Departemen di mana ia harus diterapkan." DocType: Item Group,Show this slideshow at the top of the page,Tampilkan tayangan slide ini di bagian atas halaman apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} parameter tidak valid @@ -3670,6 +3696,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Rekening Biaya Bank DocType: Journal Entry,Get Outstanding Invoices,Dapatkan Faktur Luar Biasa DocType: Opportunity,Opportunity From,Peluang Dari +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Detail Target DocType: Item,Customer Code,Kode pelanggan apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Silakan masukkan barang terlebih dahulu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Daftar Situs Web @@ -3698,7 +3725,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Pengiriman ke DocType: Bank Statement Transaction Settings Item,Bank Data,Data Bank apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Dijadwalkan hingga -DocType: Quality Goal,Everyday,Setiap hari DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Pertahankan Jam Penagihan dan Jam Kerja Sama di Absen apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Lacak Petunjuk berdasarkan Sumber Utama. DocType: Clinical Procedure,Nursing User,Pengguna Perawatan @@ -3723,7 +3749,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Kelola Pohon Wilayah. DocType: GL Entry,Voucher Type,Jenis Voucher ,Serial No Service Contract Expiry,Serial No Service Kontrak Kedaluwarsa DocType: Certification Application,Certified,Bersertifikat -DocType: Material Request Plan Item,Manufacture,Pembuatan +DocType: Purchase Invoice Item,Manufacture,Pembuatan apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} item yang diproduksi apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Permintaan Pembayaran untuk {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Hari Sejak Pemesanan Terakhir @@ -3738,7 +3764,7 @@ DocType: Sales Invoice,Company Address Name,Nama Alamat Perusahaan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Barang dalam Transit apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Anda hanya dapat menukar maksimal {0} poin dalam urutan ini. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Silakan setel akun di Gudang {0} -DocType: Quality Action Table,Resolution,Resolusi +DocType: Quality Action,Resolution,Resolusi DocType: Sales Invoice,Loyalty Points Redemption,Penukaran Poin Loyalitas apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Total Nilai Kena Pajak DocType: Patient Appointment,Scheduled,Dijadwalkan @@ -3859,6 +3885,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Menilai apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Menyimpan {0} DocType: SMS Center,Total Message(s),Total Pesan +DocType: Purchase Invoice,Accounting Dimensions,Dimensi Akuntansi apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Kelompokkan dengan Akun DocType: Quotation,In Words will be visible once you save the Quotation.,Dalam Words akan terlihat setelah Anda menyimpan Kutipan. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Kuantitas untuk Menghasilkan @@ -4023,7 +4050,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,A apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Jika Anda memiliki pertanyaan, silakan kembali ke kami." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Kwitansi Pembelian {0} tidak dikirimkan DocType: Task,Total Expense Claim (via Expense Claim),Total Klaim Biaya (melalui Klaim Biaya) -DocType: Quality Action,Quality Goal,Tujuan Kualitas +DocType: Quality Goal,Quality Goal,Tujuan Kualitas DocType: Support Settings,Support Portal,Portal Dukungan apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Tanggal akhir tugas {0} tidak boleh kurang dari {1} tanggal mulai yang diharapkan {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Karyawan {0} sedang cuti pada {1} @@ -4082,7 +4109,6 @@ DocType: BOM,Operating Cost (Company Currency),Biaya Operasional (Mata Uang Peru DocType: Item Price,Item Price,Harga barang DocType: Payment Entry,Party Name,Nama Pesta apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Silakan pilih pelanggan -DocType: Course,Course Intro,Intro Kursus DocType: Program Enrollment Tool,New Program,Program Baru apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Jumlah Pusat Biaya baru, itu akan dimasukkan dalam nama pusat biaya sebagai awalan" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Pilih pelanggan atau pemasok. @@ -4283,6 +4309,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Pembayaran bersih tidak boleh negatif apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Tidak ada Interaksi 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 Purchase Order {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Bergeser apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Memproses Bagan Akun dan Pihak DocType: Stock Settings,Convert Item Description to Clean HTML,Konversi Keterangan Item ke Bersihkan HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Semua Grup Pemasok @@ -4361,6 +4388,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Item Induk apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Pialang apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Harap buat tanda terima pembelian atau faktur pembelian untuk item {0} +,Product Bundle Balance,Saldo Bundel Produk apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Nama Perusahaan tidak boleh Perusahaan DocType: Maintenance Visit,Breakdown,Kerusakan DocType: Inpatient Record,B Negative,B Negatif @@ -4369,7 +4397,7 @@ DocType: Purchase Invoice,Credit To,Kredit untuk apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Kirim Perintah Kerja ini untuk diproses lebih lanjut. DocType: Bank Guarantee,Bank Guarantee Number,Nomor Jaminan Bank apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Dikirim: {0} -DocType: Quality Action,Under Review,Dalam Ulasan +DocType: Quality Meeting Table,Under Review,Dalam Ulasan apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Pertanian (beta) ,Average Commission Rate,Tingkat Komisi Rata-rata DocType: Sales Invoice,Customer's Purchase Order Date,Tanggal Pesanan Pembelian Pelanggan @@ -4486,7 +4514,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Cocokkan Pembayaran dengan Faktur DocType: Holiday List,Weekly Off,Libur mingguan apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Tidak diizinkan mengatur item alternatif untuk item {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Program {0} tidak ada. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} tidak ada. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Anda tidak dapat mengedit simpul root. DocType: Fee Schedule,Student Category,Kategori Pelajar apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Item {0}: {1} qty diproduksi," @@ -4577,8 +4605,8 @@ DocType: Crop,Crop Spacing,Jarak Pangkas DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Seberapa sering proyek dan perusahaan diperbarui berdasarkan Transaksi Penjualan. DocType: Pricing Rule,Period Settings,Pengaturan Periode apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Perubahan Bersih dalam Piutang Usaha +DocType: Quality Feedback Template,Quality Feedback Template,Template Umpan Balik Kualitas apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Untuk Kuantitas harus lebih besar dari nol -DocType: Quality Goal,Goal Objectives,Tujuan Sasaran 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 kurs, tidak ada pembagian, dan jumlah yang dihitung" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Biarkan kosong jika Anda membuat grup siswa per tahun apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Pinjaman (Kewajiban) @@ -4613,12 +4641,13 @@ DocType: Quality Procedure Table,Step,Langkah DocType: Normal Test Items,Result Value,Nilai hasil DocType: Cash Flow Mapping,Is Income Tax Liability,Apakah Kewajiban Pajak Penghasilan DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Item Biaya Kunjungan Rawat Inap -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} tidak ada. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} tidak ada. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Perbarui Respons DocType: Bank Guarantee,Supplier,Pemasok apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Masukkan nilai antara {0} dan {1} DocType: Purchase Order,Order Confirmation Date,Tanggal Konfirmasi Pemesanan DocType: Delivery Trip,Calculate Estimated Arrival Times,Hitung perkiraan waktu kedatangan +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Silakan atur Sistem Penamaan Karyawan di Sumber Daya Manusia> Pengaturan SDM apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Dikonsumsi DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Tanggal Mulai Berlangganan @@ -4682,6 +4711,7 @@ DocType: Cheque Print Template,Is Account Payable,Apakah Hutang Akun apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Nilai Pesanan Total apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Pemasok {0} tidak ditemukan di {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Pengaturan pengaturan gateway SMS +DocType: Salary Component,Round to the Nearest Integer,Membulatkan ke Integer Terdekat apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Root tidak dapat memiliki pusat biaya induk DocType: Healthcare Service Unit,Allow Appointments,Izinkan Janji DocType: BOM,Show Operations,Tampilkan Operasi @@ -4810,7 +4840,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Daftar Liburan Default DocType: Naming Series,Current Value,Nilai sekarang apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Musiman untuk menetapkan anggaran, target, dll." -DocType: Program,Program Code,Kode Program apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Peringatan: Pesanan Penjualan {0} sudah ada terhadap Pesanan Pembelian Pelanggan {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Target Penjualan Bulanan ( DocType: Guardian,Guardian Interests,Minat Guardian @@ -4860,10 +4889,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Dibayar dan Tidak Terkirim apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Kode Barang adalah wajib karena Barang tidak diberi nomor secara otomatis DocType: GST HSN Code,HSN Code,Kode HSN -DocType: Quality Goal,September,September +DocType: GSTR 3B Report,September,September apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Biaya Administrasi DocType: C-Form,C-Form No,Formulir-C No DocType: Purchase Invoice,End date of current invoice's period,Tanggal akhir periode faktur saat ini +DocType: Item,Manufacturers,Pabrikan DocType: Crop Cycle,Crop Cycle,Siklus Pangkas DocType: Serial No,Creation Time,Waktu penciptaan apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Silakan masukkan Menyetujui Peran atau Menyetujui Pengguna @@ -4936,8 +4966,6 @@ DocType: Employee,Short biography for website and other publications.,Biografi s DocType: Purchase Invoice Item,Received Qty,Menerima Qty DocType: Purchase Invoice Item,Rate (Company Currency),Nilai (Mata Uang Perusahaan) DocType: Item Reorder,Request for,Meminta -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/setup/setup_wizard/setup_wizard.py,Installing presets,Menginstal preset apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Silakan masukkan Periode Pembayaran DocType: Pricing Rule,Advanced Settings,Pengaturan lanjutan @@ -4963,7 +4991,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Aktifkan Daftar Belanja DocType: Pricing Rule,Apply Rule On Other,Terapkan Aturan Pada Lainnya DocType: Vehicle,Last Carbon Check,Pemeriksaan Karbon Terakhir -DocType: Vehicle,Make,Membuat +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Membuat apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Faktur Penjualan {0} dibuat sebagai berbayar apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Diperlukan untuk membuat dokumen referensi Permintaan Pembayaran apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Pajak penghasilan @@ -5039,7 +5067,6 @@ DocType: Territory,Parent Territory,Wilayah Induk DocType: Vehicle Log,Odometer Reading,Pembacaan odometer DocType: Additional Salary,Salary Slip,Slip gaji DocType: Payroll Entry,Payroll Frequency,Frekuensi Penggajian -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Silakan atur Sistem Penamaan Karyawan di Sumber Daya Manusia> Pengaturan SDM apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Tanggal mulai dan berakhir tidak dalam Periode Penggajian yang valid, tidak dapat menghitung {0}" DocType: Products Settings,Home Page is Products,Home Page adalah Produk apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Panggilan @@ -5093,7 +5120,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Mengambil catatan ...... DocType: Delivery Stop,Contact Information,Kontak informasi DocType: Sales Order Item,For Production,Untuk Produksi -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: Serial No,Asset Details,Rincian Aset DocType: Restaurant Reservation,Reservation Time,Waktu Pemesanan DocType: Selling Settings,Default Territory,Wilayah Default @@ -5233,6 +5259,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Gelombang Kedaluwarsa DocType: Shipping Rule,Shipping Rule Type,Jenis Aturan Pengiriman DocType: Job Offer,Accepted,Diterima +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/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Anda telah menilai kriteria penilaian {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Pilih Nomor Batch apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Umur (Hari) @@ -5249,6 +5277,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bundel barang saat penjualan. DocType: Payment Reconciliation Payment,Allocated Amount,Jumlah yang dialokasikan apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Silakan pilih Perusahaan dan Penunjukan +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'Tanggal' diperlukan DocType: Email Digest,Bank Credit Balance,Saldo Kredit Bank apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Tampilkan Jumlah Kumulatif apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Anda tidak memiliki Poin Loyalitas yang cukup untuk ditebus @@ -5309,11 +5338,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Total Baris Sebelumnya DocType: Student,Student Email Address,Alamat Email Siswa DocType: Academic Term,Education,pendidikan DocType: Supplier Quotation,Supplier Address,Alamat Pemasok -DocType: Salary Component,Do not include in total,Jangan memasukkan secara total +DocType: Salary Detail,Do not include in total,Jangan memasukkan secara total apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Tidak dapat menetapkan beberapa Item Default untuk perusahaan. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} tidak ada DocType: Purchase Receipt Item,Rejected Quantity,Kuantitas yang Ditolak DocType: Cashier Closing,To TIme,Untuk waktu +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: Daily Work Summary Group User,Daily Work Summary Group User,Ringkasan Grup Pengguna Harian DocType: Fiscal Year Company,Fiscal Year Company,Perusahaan Tahun Anggaran apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Item alternatif tidak boleh sama dengan kode item @@ -5423,7 +5453,6 @@ DocType: Fee Schedule,Send Payment Request Email,Kirim Email Permintaan Pembayar DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Dalam Words akan terlihat setelah Anda menyimpan Faktur Penjualan. DocType: Sales Invoice,Sales Team1,Tim Penjualan1 DocType: Work Order,Required Items,Item yang Diperlukan -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Karakter Khusus kecuali "-", "#", "." dan "/" tidak diizinkan dalam seri penamaan" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Baca Manual ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Periksa Keunikan Nomor Faktur Pemasok apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Cari Sub Majelis @@ -5491,7 +5520,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Persen Pengurangan 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: Share Balance,To No,Untuk No DocType: Leave Control Panel,Allocate Leaves,Alokasikan Daun -DocType: Quiz,Last Attempt,Usaha Terakhir DocType: Assessment Result,Student Name,Nama siswa apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Rencanakan kunjungan pemeliharaan. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Permintaan Materi berikut telah dinaikkan secara otomatis berdasarkan tingkat pemesanan ulang Item @@ -5560,6 +5588,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Warna Indikator DocType: Item Variant Settings,Copy Fields to Variant,Salin Bidang ke Varian DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Jawaban Benar Tunggal apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Dari tanggal tidak boleh kurang dari tanggal bergabung karyawan DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Izinkan beberapa Pesanan Penjualan terhadap Pesanan Pembelian Pelanggan apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5622,7 +5651,7 @@ DocType: Account,Expenses Included In Valuation,Beban Termasuk Dalam Penilaian apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Nomor serial DocType: Salary Slip,Deductions,Pengurangan ,Supplier-Wise Sales Analytics,Analisis Penjualan yang Bijaksana-Pemasok -DocType: Quality Goal,February,Februari +DocType: GSTR 3B Report,February,Februari DocType: Appraisal,For Employee,Untuk Karyawan apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Tanggal Pengiriman Aktual DocType: Sales Partner,Sales Partner Name,Nama Mitra Penjualan @@ -5718,7 +5747,6 @@ DocType: Procedure Prescription,Procedure Created,Prosedur Dibuat apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Terhadap Faktur Pemasok {0} bertanggal {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Ubah Profil POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Buat Lead -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pemasok> Jenis Pemasok DocType: Shopify Settings,Default Customer,Pelanggan Default DocType: Payment Entry Reference,Supplier Invoice No,Faktur Pemasok No. DocType: Pricing Rule,Mixed Conditions,Kondisi Campuran @@ -5769,12 +5797,14 @@ DocType: Item,End of Life,Akhir Hidup DocType: Lab Test Template,Sensitivity,Kepekaan DocType: Territory,Territory Targets,Target Wilayah apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Melewati Alokasi Cuti untuk karyawan berikut, karena catatan Alokasi Cuti sudah ada terhadap mereka. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Resolusi Tindakan Kualitas DocType: Sales Invoice Item,Delivered By Supplier,Disampaikan oleh Pemasok DocType: Agriculture Analysis Criteria,Plant Analysis,Analisis Tanaman apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Akun biaya wajib untuk barang {0} ,Subcontracted Raw Materials To Be Transferred,Bahan Baku Subkontrak Akan Ditransfer DocType: Cashier Closing,Cashier Closing,Penutupan Kasir apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Item {0} telah dikembalikan +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN tidak valid! Input yang Anda masukkan tidak cocok dengan format GSTIN untuk Pemegang UIN atau Penyedia Layanan OIDAR Non-Resident apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Gudang anak ada untuk gudang ini. Anda tidak dapat menghapus gudang ini. DocType: Diagnosis,Diagnosis,Diagnosa apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Tidak ada periode cuti di antara {0} dan {1} @@ -5791,6 +5821,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Pengaturan Otorisasi DocType: Homepage,Products,Produk ,Profit and Loss Statement,Laporan Laba Rugi apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Kamar sudah dipesan +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Entri duplikat terhadap kode item {0} dan pabrikan {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Berat keseluruhan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Perjalanan @@ -5839,6 +5870,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Grup Pelanggan Default DocType: Journal Entry Account,Debit in Company Currency,Debit dalam Mata Uang Perusahaan DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Seri fallback adalah "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Agenda Rapat Berkualitas DocType: Cash Flow Mapper,Section Header,Header Bagian apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Produk atau Layanan Anda DocType: Crop,Perennial,Abadi @@ -5884,7 +5916,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produk atau Layanan yang dibeli, dijual, atau disimpan dalam persediaan." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Penutupan (Pembukaan + Total) DocType: Supplier Scorecard Criteria,Criteria Formula,Formula Kriteria -,Support Analytics,Mendukung analitik +apps/erpnext/erpnext/config/support.py,Support Analytics,Mendukung analitik apps/erpnext/erpnext/config/quality_management.py,Review and Action,Ulasan dan Aksi DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Jika akun dibekukan, entri diperbolehkan untuk pengguna yang dibatasi." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Jumlah Setelah Depresiasi @@ -5929,7 +5961,6 @@ DocType: Contract Template,Contract Terms and Conditions,Syarat dan Ketentuan Ko apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Ambil Data DocType: Stock Settings,Default Item Group,Grup Item Default DocType: Sales Invoice Timesheet,Billing Hours,Jam Penagihan -DocType: Item,Item Code for Suppliers,Kode Barang untuk Pemasok 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} DocType: Pricing Rule,Margin Type,Jenis Margin DocType: Purchase Invoice Item,Rejected Serial No,Ditolak Serial No @@ -6002,6 +6033,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Daun telah diberikan dengan sukses DocType: Loyalty Point Entry,Expiry Date,Tanggal kadaluarsa DocType: Project Task,Working,Kerja +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} sudah memiliki Prosedur Induk {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Ini didasarkan pada transaksi terhadap Pasien ini. Lihat garis waktu di bawah untuk detailnya DocType: Material Request,Requested For,Diminta untuk DocType: SMS Center,All Sales Person,Semua Tenaga Penjual @@ -6089,6 +6121,7 @@ DocType: Loan Type,Maximum Loan Amount,Jumlah Pinjaman Maksimal apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Email tidak ditemukan dalam kontak default DocType: Hotel Room Reservation,Booked,Memesan DocType: Maintenance Visit,Partially Completed,Sebagian Selesai +DocType: Quality Procedure Process,Process Description,Deskripsi proses DocType: Company,Default Employee Advance Account,Akun Uang Muka Karyawan Default DocType: Leave Type,Allow Negative Balance,Izinkan Saldo Negatif apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Nama Rencana Penilaian @@ -6130,6 +6163,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Permintaan Barang Penawaran apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} dimasukkan dua kali dalam Item Pajak DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Pengurangan Pajak Penuh pada Tanggal Penggajian Terpilih +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Tanggal pemeriksaan karbon terakhir tidak bisa menjadi tanggal di masa depan apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Pilih ubah jumlah akun DocType: Support Settings,Forum Posts,Kiriman Forum DocType: Timesheet Detail,Expected Hrs,Jam yang diharapkan @@ -6139,7 +6173,7 @@ DocType: Program Enrollment Tool,Enroll Students,Daftarkan Siswa apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Ulangi Penghasilan Pelanggan DocType: Company,Date of Commencement,Tanggal dimulainya DocType: Bank,Bank Name,Nama Bank -DocType: Quality Goal,December,Desember +DocType: GSTR 3B Report,December,Desember 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 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Ini didasarkan pada kehadiran Karyawan ini DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jika dicentang, halaman Beranda akan menjadi Grup Item default untuk situs web" @@ -6182,6 +6216,7 @@ DocType: Payment Entry,Payment Type,Tipe pembayaran apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Nomor folio tidak cocok DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Pemeriksaan Kualitas: {0} tidak dikirimkan untuk item: {1} berturut-turut {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Tampilkan {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} item ditemukan. ,Stock Ageing,Penuaan Stok DocType: Customer Group,Mention if non-standard receivable account applicable,Sebutkan jika akun piutang non-standar berlaku @@ -6460,6 +6495,7 @@ DocType: Travel Request,Costing,Penentuan biaya apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Aset Tetap DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Total Pendapatan +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah DocType: Share Balance,From No,Dari No DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Faktur Rekonsiliasi Pembayaran DocType: Purchase Invoice,Taxes and Charges Added,Pajak dan Biaya Ditambahkan @@ -6467,7 +6503,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Pertimbangkan Paj DocType: Authorization Rule,Authorized Value,Nilai Resmi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Diterima dari apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Gudang {0} tidak ada +DocType: Item Manufacturer,Item Manufacturer,Produsen Barang DocType: Sales Invoice,Sales Team,Tim Penjualan +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundel Qty DocType: Purchase Order Item Supplied,Stock UOM,Persediaan UOM DocType: Installation Note,Installation Date,Tanggal instalasi DocType: Email Digest,New Quotations,Kutipan Baru @@ -6531,7 +6569,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Nama Daftar Liburan DocType: Water Analysis,Collection Temperature ,Suhu koleksi DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,"Kelola Faktur Janji Temu, kirim dan batalkan secara otomatis untuk Pertemuan Pasien" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Silakan tentukan Seri Penamaan untuk {0} melalui Pengaturan> Pengaturan> Seri Penamaan DocType: Employee Benefit Claim,Claim Date,Tanggal Klaim DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Biarkan kosong jika Pemasok diblokir tanpa batas apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Kehadiran Dari Tanggal dan Kehadiran Sampai Tanggal adalah wajib @@ -6542,6 +6579,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Tanggal Pensiun apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Silakan pilih Pasien DocType: Asset,Straight Line,Garis lurus +DocType: Quality Action,Resolutions,Resolusi DocType: SMS Log,No of Sent SMS,Tidak ada SMS Terkirim ,GST Itemised Sales Register,GST Daftar Penjualan Terinci apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Total jumlah uang muka tidak boleh lebih besar dari jumlah total yang terkena sanksi @@ -6652,7 +6690,7 @@ DocType: Account,Profit and Loss,Laba rugi apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Asset Finance Book,Written Down Value,Nilai Tertulis apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Pembukaan Ekuitas Saldo -DocType: Quality Goal,April,April +DocType: GSTR 3B Report,April,April DocType: Supplier,Credit Limit,Batas Kredit apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Distribusi apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6707,6 +6745,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Hubungkan Shopify dengan ERPNext DocType: Homepage Section Card,Subtitle,Subtitle DocType: Soil Texture,Loam,Lempung +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pemasok> Jenis Pemasok DocType: BOM,Scrap Material Cost(Company Currency),Biaya Bahan Bekas (Mata Uang Perusahaan) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Catatan Pengiriman {0} tidak boleh dikirimkan DocType: Task,Actual Start Date (via Time Sheet),Tanggal Mulai Aktual (melalui Lembar Waktu) @@ -6762,7 +6801,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosis DocType: Cheque Print Template,Starting position from top edge,Posisi mulai dari tepi atas apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Durasi Penunjukan (menit) -DocType: Pricing Rule,Disable,Nonaktifkan +DocType: Accounting Dimension,Disable,Nonaktifkan DocType: Email Digest,Purchase Orders to Receive,Beli Pesanan untuk Menerima apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Pesanan Produksi tidak dapat dinaikkan untuk: DocType: Projects Settings,Ignore Employee Time Overlap,Abaikan Tumpang tindih Waktu Karyawan @@ -6846,6 +6885,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Buat T DocType: Item Attribute,Numeric Values,Nilai Numerik DocType: Delivery Note,Instructions,Instruksi DocType: Blanket Order Item,Blanket Order Item,Item Pesanan Selimut +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Wajib Untuk Akun Untung dan Rugi apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Nilai komisi tidak boleh lebih dari 100 DocType: Course Topic,Course Topic,Topik Kursus DocType: Employee,This will restrict user access to other employee records,Ini akan membatasi akses pengguna ke catatan karyawan lainnya @@ -6870,12 +6910,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Manajemen Berl apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Dapatkan pelanggan dari apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Intisari DocType: Employee,Reports to,Melapor ke +DocType: Video,YouTube,Youtube DocType: Party Account,Party Account,Akun Pihak DocType: Assessment Plan,Schedule,Susunan acara apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Silakan masuk DocType: Lead,Channel Partner,Mitra Saluran apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Jumlah Faktur DocType: Project,From Template,Dari Templat +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Berlangganan apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Kuantitas untuk Membuat DocType: Quality Review Table,Achieved,Dicapai @@ -6922,7 +6964,6 @@ DocType: Journal Entry,Subscription Section,Bagian Berlangganan DocType: Salary Slip,Payment Days,Hari pembayaran apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informasi sukarelawan. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Bekukan Stok Yang Lebih Tua Dari` harus lebih kecil dari% d hari. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Pilih Tahun Anggaran DocType: Bank Reconciliation,Total Amount,Jumlah total DocType: Certification Application,Non Profit,Nirlaba DocType: Subscription Settings,Cancel Invoice After Grace Period,Batalkan Faktur Setelah Masa Tenggang @@ -6935,7 +6976,6 @@ DocType: Serial No,Warranty Period (Days),Masa garansi (hari) DocType: Expense Claim Detail,Expense Claim Detail,Detail Klaim Biaya apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program: DocType: Patient Medical Record,Patient Medical Record,Rekam Medis Pasien -DocType: Quality Action,Action Description,Deskripsi Tindakan DocType: Item,Variant Based On,Varian Berdasarkan DocType: Vehicle Service,Brake Oil,Minyak rem DocType: Employee,Create User,Buat pengguna @@ -6991,7 +7031,7 @@ DocType: Cash Flow Mapper,Section Name,nama bagian DocType: Packed Item,Packed Item,Item yang Dikemas apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Baik jumlah debit atau kredit diperlukan untuk {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Menyerahkan Slip Gaji ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Tidak ada tindakan +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Tidak ada tindakan apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Anggaran tidak dapat ditetapkan terhadap {0}, karena ini bukan akun Pendapatan atau Biaya" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Master dan Akun DocType: Quality Procedure Table,Responsible Individual,Individu yang bertanggung jawab @@ -7114,7 +7154,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Izinkan Pembuatan Akun Terhadap Perusahaan Anak DocType: Payment Entry,Company Bank Account,Rekening Bank Perusahaan DocType: Amazon MWS Settings,UK,Inggris -DocType: Quality Procedure,Procedure Steps,Langkah Prosedur DocType: Normal Test Items,Normal Test Items,Item Uji Normal apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Item {0}: Jumlah pesanan {1} tidak boleh kurang dari jumlah pesanan minimum {2} (didefinisikan dalam Item). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Habis @@ -7193,7 +7232,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analisis DocType: Maintenance Team Member,Maintenance Role,Peran Pemeliharaan apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Templat Syarat dan Ketentuan DocType: Fee Schedule Program,Fee Schedule Program,Program Jadwal Biaya -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Tentu saja {0} tidak ada. DocType: Project Task,Make Timesheet,Buat absen DocType: Production Plan Item,Production Plan Item,Item Rencana Produksi apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Jumlah Siswa @@ -7215,6 +7253,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Membungkus apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Anda hanya dapat memperbarui jika keanggotaan Anda berakhir dalam 30 hari apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Nilai harus antara {0} dan {1} +DocType: Quality Feedback,Parameters,Parameter ,Sales Partner Transaction Summary,Ringkasan Transaksi Mitra Penjualan DocType: Asset Maintenance,Maintenance Manager Name,Nama Manajer Pemeliharaan apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Diperlukan untuk mengambil Rincian Item. @@ -7253,6 +7292,7 @@ DocType: Student Admission,Student Admission,Penerimaan Mahasiswa DocType: Designation Skill,Skill,Ketrampilan DocType: Budget Account,Budget Account,Akun Anggaran DocType: Employee Transfer,Create New Employee Id,Buat Id Karyawan Baru +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} diperlukan untuk akun 'Untung dan Rugi' {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Pajak Barang dan Jasa (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Membuat Slip Gaji ... DocType: Employee Skill,Employee Skill,Keterampilan Karyawan @@ -7353,6 +7393,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Faktur Terpis DocType: Subscription,Days Until Due,Hari Hingga Jatuh Tempo apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Tampilkan Selesai apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Laporan Entri Transaksi Laporan Bank +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Deatils Bank apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Baris # {0}: Nilai harus sama dengan {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Item Layanan Kesehatan @@ -7409,6 +7450,7 @@ DocType: Training Event Employee,Invited,Diundang apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Jumlah maksimum yang memenuhi syarat untuk komponen {0} melebihi {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Jumlah untuk Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","Untuk {0}, hanya akun debit yang dapat ditautkan dengan entri kredit lain" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Membuat Dimensi ... DocType: Bank Statement Transaction Entry,Payable Account,Akun Hutang apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Harap sebutkan tidak ada kunjungan yang diperlukan DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Hanya pilih jika Anda memiliki dokumen Cash Flow Mapper @@ -7426,6 +7468,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,P DocType: Service Level,Resolution Time,Waktu resolusi DocType: Grading Scale Interval,Grade Description,Deskripsi Kelas DocType: Homepage Section,Cards,Kartu-kartu +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Risalah Rapat Kualitas DocType: Linked Plant Analysis,Linked Plant Analysis,Analisis Tanaman Terkait apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Tanggal Berhenti Layanan tidak boleh setelah Tanggal Berakhir Layanan apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Harap tetapkan Batas B2C di Pengaturan GST. @@ -7460,7 +7503,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Alat Kehadiran Karyaw DocType: Employee,Educational Qualification,Kualifikasi Pendidikan apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Nilai yang Dapat Diakses apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Kuantitas sampel {0} tidak boleh lebih dari kuantitas yang diterima {1} -DocType: Quiz,Last Highest Score,Skor Tertinggi Terakhir DocType: POS Profile,Taxes and Charges,Pajak dan Biaya DocType: Opportunity,Contact Mobile No,Hubungi Ponsel No DocType: Employee,Joining Details,Detail Bergabung diff --git a/erpnext/translations/is.csv b/erpnext/translations/is.csv index 0647288259..28f8ab1ce1 100644 --- a/erpnext/translations/is.csv +++ b/erpnext/translations/is.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Birgir nr DocType: Journal Entry Account,Party Balance,Samstæðan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Uppspretta sjóðanna (Skuldir) DocType: Payroll Period,Taxable Salary Slabs,Skattskyld launakostnaður +DocType: Quality Action,Quality Feedback,Gæði viðbrögð DocType: Support Settings,Support Settings,Stuðningsstillingar apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Vinsamlegast sláðu inn framleiðslu atriði fyrst DocType: Quiz,Grading Basis,Flokkunargrunnur @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Nánari upplýs DocType: Salary Component,Earning,Earnings DocType: Restaurant Order Entry,Click Enter To Add,Smelltu á Enter til að bæta við DocType: Employee Group,Employee Group,Starfshópur +DocType: Quality Procedure,Processes,Ferli DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Tilgreindu gengi til að umbreyta einum gjaldmiðli í annan apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Aldursbil 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Vöruhús krafist fyrir lager Item {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Kvörtun DocType: Shipping Rule,Restrict to Countries,Takmarka við lönd DocType: Hub Tracked Item,Item Manager,Vara Stjórnun apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Gjaldmiðill lokunarreiknings verður að vera {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Fjárveitingar apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Opna Reikningsatriði DocType: Work Order,Plan material for sub-assemblies,Skipuleggja efni fyrir undirbúninga apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Vélbúnaður DocType: Budget,Action if Annual Budget Exceeded on MR,Aðgerð ef ársáætlun fór yfir MR DocType: Sales Invoice Advance,Advance Amount,Fyrirframgreiðsla +DocType: Accounting Dimension,Dimension Name,Stærð Nafn DocType: Delivery Note Item,Against Sales Invoice Item,Gegn sölureikningi DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Taka þátt í framleiðslu @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Hvað gerir þa ,Sales Invoice Trends,Sala Reikningarstölur DocType: Bank Reconciliation,Payment Entries,Greiðslur DocType: Employee Education,Class / Percentage,Flokkur / Hlutfall -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Vörunúmer> Liðurhópur> Vörumerki ,Electronic Invoice Register,Rafræn reikningsskrá DocType: Sales Invoice,Is Return (Credit Note),Er afturábak (lánshæfiseinkunn) DocType: Lab Test Sample,Lab Test Sample,Lab Test Dæmi @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Variants apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Gjöld verða dreift hlutfallslega miðað við hlutatölu eða upphæð, eins og á val þitt" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Víkjandi starfsemi í dag +DocType: Quality Procedure Process,Quality Procedure Process,Gæðaviðmiðunarferli DocType: Fee Schedule Program,Student Batch,Námsmaður apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Verðmat sem þarf fyrir hlut í röð {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Base Hour Rate (Fyrirtæki Gjaldmiðill) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Setja magn í viðskiptum sem byggjast á raðnúmerum inntaki 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 eins og fyrirtæki gjaldmiðill {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Sérsníða heimasíðuna -DocType: Quality Goal,October,október +DocType: GSTR 3B Report,October,október DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Fela viðskiptavinarskírteinið frá söluviðskiptum apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Ógild GSTIN! GSTIN verður að hafa 15 stafi. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Verðlagning regla {0} er uppfærð @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Skildu jafnvægi apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Viðhaldsáætlun {0} er til staðar gegn {1} DocType: Assessment Plan,Supervisor Name,Umsjónarmaður Nafn DocType: Selling Settings,Campaign Naming By,Heiti herferðar við -DocType: Course,Course Code,Námskeiðskóði +DocType: Student Group Creation Tool Course,Course Code,Námskeiðskóði apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace DocType: Landed Cost Voucher,Distribute Charges Based On,Dreifa gjöldum sem eru byggðar á DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Birgir Scorecard Scoring Criteria @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Veitingahús Valmynd DocType: Asset Movement,Purpose,Tilgangur apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Launaskiptaverkefni fyrir starfsmann er þegar til DocType: Clinical Procedure,Service Unit,Þjónustudeild -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Viðskiptavinur> Viðskiptavinahópur> Territory DocType: Travel Request,Identification Document Number,Kennitölu númer DocType: Stock Entry,Additional Costs,Viðbótarkostnaður -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Foreldraforrit (Leyfi blank, ef þetta er ekki hluti af foreldradeild)" DocType: Employee Education,Employee Education,Starfsmenntun apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Fjöldi stöður má ekki vera minna en núverandi fjöldi starfsmanna apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Allir viðskiptavinahópar @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Row {0}: Magn er skylt DocType: Sales Invoice,Against Income Account,Gegn tekjureikningi apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Ekki er hægt að kaupa innheimtu gegn núverandi eign {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Reglur um beitingu mismunandi kynningaráætlana. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM næringarþáttur sem krafist er fyrir UOM: {0} í lið: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Vinsamlegast sláðu inn magn fyrir lið {0} DocType: Workstation,Electricity Cost,Rafmagnskostnaður @@ -865,7 +868,6 @@ DocType: Item,Total Projected Qty,Samtals spáð magn apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Raunverulegur upphafsdagur 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 / daga á milli bótaákvörðunardaga -DocType: Company,About the Company,Um fyrirtækið apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Tré fjármálareikninga. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Óbein tekjur DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotel Herbergi pöntunartilboð @@ -880,6 +882,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Gagnagrunnur DocType: Skill,Skill Name,Hæfniskenni apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Prenta skýrslukort DocType: Soil Texture,Ternary Plot,Ternary plot +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vinsamlegast settu Nafngerðaröð fyrir {0} í gegnum Skipulag> Stillingar> Nöfnunarröð apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Stuðningur miða DocType: Asset Category Account,Fixed Asset Account,Fast eignareikningur apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Nýjustu @@ -889,6 +892,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Forritunarnámskei ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Vinsamlegast stilltu röðina sem á að nota. DocType: Delivery Trip,Distance UOM,Fjarlægð UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Lögboðin fyrir efnahagsreikning DocType: Payment Entry,Total Allocated Amount,Samtals úthlutað upphæð DocType: Sales Invoice,Get Advances Received,Fá framfarir móttekin DocType: Student,B-,B- @@ -912,6 +916,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Viðhald Stundaskr apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Profile þarf til að búa til POS innganga DocType: Education Settings,Enable LMS,Virkja LMS DocType: POS Closing Voucher,Sales Invoices Summary,Sala reikninga Samantekt +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Hagur apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Lán til reiknings verður að vera efnahagsreikningur DocType: Video,Duration,Lengd DocType: Lab Test Template,Descriptive,Lýsandi @@ -963,6 +968,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Upphafs- og lokadagsetningar DocType: Supplier Scorecard,Notify Employee,Tilkynna starfsmann apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Hugbúnaður +DocType: Program,Allow Self Enroll,Leyfa sjálfskoðun apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Kaupverð apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Tilvísunarnúmer er nauðsynlegt ef þú slóst inn Tilvísunardagur DocType: Training Event,Workshop,Vinnustofa @@ -1015,6 +1021,7 @@ DocType: Lab Test Template,Lab Test Template,Lab próf sniðmát apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Hámark: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-innheimtuupplýsingar vantar apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Engin efnisbeiðni búin til +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Vörunúmer> Liðurhópur> Vörumerki DocType: Loan,Total Amount Paid,Heildarfjárhæð greidd apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Öll þessi atriði hafa þegar verið reiknuð DocType: Training Event,Trainer Name,Þjálfari nafn @@ -1036,6 +1043,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Námsár DocType: Sales Stage,Stage Name,Sviðsnafn DocType: SMS Center,All Employee (Active),Allir starfsmenn (virkir) +DocType: Accounting Dimension,Accounting Dimension,Bókhaldsstærð DocType: Project,Customer Details,Upplýsingar viðskiptavina DocType: Buying Settings,Default Supplier Group,Sjálfgefið Birgir Group apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Vinsamlegast hafðu samband við kaupgreiðsluna {0} fyrst @@ -1150,7 +1158,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Hærri tala, hæ DocType: Designation,Required Skills,Nauðsynleg hæfni DocType: Marketplace Settings,Disable Marketplace,Slökktu á markaðnum DocType: Budget,Action if Annual Budget Exceeded on Actual,Aðgerð ef ársáætlun fór yfir raunverulegt -DocType: Course,Course Abbreviation,Námskeið Skammstöfun apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Þátttaka ekki send fyrir {0} sem {1} í leyfi. DocType: Pricing Rule,Promotional Scheme Id,Kynningaráætlun Id apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Lokadagsetning verkefnisins {0} getur ekki verið meiri en {1} áætlað lokadagur {2} @@ -1292,7 +1299,7 @@ DocType: Bank Guarantee,Margin Money,Framlegð peninga DocType: Chapter,Chapter,Kafli DocType: Purchase Receipt Item Supplied,Current Stock,Núverandi lager DocType: Employee,History In Company,Saga í félaginu -DocType: Item,Manufacturer,Framleiðandi +DocType: Purchase Invoice Item,Manufacturer,Framleiðandi apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Miðlungs næmi DocType: Compensatory Leave Request,Leave Allocation,Leyfi úthlutun DocType: Timesheet,Timesheet,Tímatafla @@ -1323,6 +1330,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Efni flutt til framle DocType: Products Settings,Hide Variants,Fela afbrigði DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Slökktu á Stærð skipulags og tíma mælingar DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Verður reiknuð í viðskiptunum. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} er krafist fyrir reikninginn "Balance Sheet" {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} Ekki leyft að eiga viðskipti við {1}. Vinsamlegast breyttu félaginu. 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 á kaupstillingunum ef kaupin hefst þarf == 'YES' og síðan til að búa til innheimtufé, þarf notandi að búa til kaupgreiðsluna fyrst fyrir atriði {0}" DocType: Delivery Trip,Delivery Details,Upplýsingar um afhendingu @@ -1358,7 +1366,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Fyrri apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Mælieining DocType: Lab Test,Test Template,Próf sniðmát DocType: Fertilizer,Fertilizer Contents,Innihald áburðar -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Mínútu +DocType: Quality Meeting Minutes,Minute,Mínútu apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Eignin {1} er ekki hægt að leggja fram, það er nú þegar {2}" DocType: Task,Actual Time (in Hours),Raunverulegur tími (í klukkustundum) DocType: Period Closing Voucher,Closing Account Head,Lokandi reikningsstjóri @@ -1531,7 +1539,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Rannsóknarstofa DocType: Purchase Order,To Bill,Til Bill apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Gagnsemi kostnaðar DocType: Manufacturing Settings,Time Between Operations (in mins),Tími milli aðgerða (í mín.) -DocType: Quality Goal,May,Maí +DocType: GSTR 3B Report,May,Maí apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Greiðslugátt reikningur er ekki búinn til, vinsamlegast búðu til einn handvirkt." DocType: Opening Invoice Creation Tool,Purchase,Kaup DocType: Program Enrollment,School House,School House @@ -1563,6 +1571,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Lögbundin upplýsingar og aðrar almennar upplýsingar um birgir þínar DocType: Item Default,Default Selling Cost Center,Sjálfgefin selja kostnaðurarmiðstöð DocType: Sales Partner,Address & Contacts,Heimilisfang og tengiliðir +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vinsamlegast settu upp flokkunarnúmer fyrir þátttöku í gegnum uppsetningu> númerakerfi DocType: Subscriber,Subscriber,Áskrifandi apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) er ekki til á lager apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Vinsamlegast veldu Senda dagsetningu fyrst @@ -1590,6 +1599,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Sjúkraþjálfun DocType: Bank Statement Settings,Transaction Data Mapping,Mapping viðskiptadags apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Leiða þarf annaðhvort nafn einstaklings eða nafn fyrirtækis DocType: Student,Guardians,Forráðamenn +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vinsamlegast skipulag kennari Nafnakerfi í menntun> Menntastillingar apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Veldu tegund ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Miðtekjur DocType: Shipping Rule,Calculate Based On,Reiknaðu Byggt á @@ -1601,7 +1611,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Kostnaðarkröfur Advance DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Rounding Adjustment (Company Gjaldmiðill) DocType: Item,Publish in Hub,Birta í Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,Ágúst +DocType: GSTR 3B Report,August,Ágúst apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Vinsamlegast sláðu inn kaup kvittun fyrst apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Byrja Ár apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Skotmark ({}) @@ -1620,6 +1630,7 @@ DocType: Item,Max Sample Quantity,Hámarksfjöldi sýnis apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Uppspretta og miða vörugeymsla verður að vera öðruvísi DocType: Employee Benefit Application,Benefits Applied,Kostirnir beittar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Gegnum dagbókarfærslu {0} hefur engin ósamþykkt {1} færslu +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Sérstök tákn nema "-", "#", ".", "/", "{" Og "}" ekki leyfilegt í heiti röð" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Verð eða vörulistarplötur eru nauðsynlegar apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Stilltu mark apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Dagsskýrsla {0} er til móts við nemanda {1} @@ -1635,10 +1646,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Á mánuði DocType: Routing,Routing Name,Leiðbeiningarheiti DocType: Disease,Common Name,Algengt nafn -DocType: Quality Goal,Measurable,Mælanleg DocType: Education Settings,LMS Title,LMS titill apps/erpnext/erpnext/config/non_profit.py,Loan Management,Lánastjórnun -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Stuðningur við siðfræði DocType: Clinical Procedure,Consumable Total Amount,Neysluverðs heildarfjárhæð apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Virkja sniðmát apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Viðskiptavinur LPO @@ -1778,6 +1787,7 @@ DocType: Restaurant Order Entry Item,Served,Served DocType: Loan,Member,Meðlimur DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Hagnýtar þjónustudeildaráætlun apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Wire Transfer +DocType: Quality Review Objective,Quality Review Objective,Quality Review Markmið DocType: Bank Reconciliation Detail,Against Account,Gegn reikningi DocType: Projects Settings,Projects Settings,Verkefni stillingar apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Raunverulegur fjöldi {0} / biðþáttur {1} @@ -1806,6 +1816,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ve apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Upphafsdagur fjárhagsárs skal vera eitt ár eftir upphafsdag reikningsársins apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Daglegar áminningar DocType: Item,Default Sales Unit of Measure,Sjálfgefin sölustuðull +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Fyrirtæki GSTIN DocType: Asset Finance Book,Rate of Depreciation,Afskriftir DocType: Support Search Source,Post Description Key,Post Lýsing Lykill DocType: Loyalty Program Collection,Minimum Total Spent,Lágmarks heildartekjur @@ -1876,6 +1887,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Breyting viðskiptavinahóps fyrir valda viðskiptavini er ekki leyfilegt. DocType: Serial No,Creation Document Type,Sköpunarskjal Tegund DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Laus hópur í vöruhúsi +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Reikningur í heild apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Þetta er rótarsvæði og er ekki hægt að breyta. DocType: Patient,Surgical History,Skurðaðgerðarsaga apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Tree of Quality Málsmeðferð. @@ -1980,6 +1992,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,I DocType: Item Group,Check this if you want to show in website,Athugaðu þetta ef þú vilt sýna á vefsíðu apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiscal Year {0} fannst ekki DocType: Bank Statement Settings,Bank Statement Settings,Staða bankareiknings +DocType: Quality Procedure Process,Link existing Quality Procedure.,Tengdu núverandi gæðaviðmið. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Flytja inn reikningsskil frá CSV / Excel skrám DocType: Appraisal Goal,Score (0-5),Skora (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Eiginleikur {0} valinn mörgum sinnum í eiginleikum töflu DocType: Purchase Invoice,Debit Note Issued,Skuldabréfaútgáfa Útgefið @@ -1988,7 +2002,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Skildu eftir upplýsingum um stefnu apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Vörugeymsla fannst ekki í kerfinu DocType: Healthcare Practitioner,OP Consulting Charge,OP ráðgjöf gjald -DocType: Quality Goal,Measurable Goal,Mælanleg markmið DocType: Bank Statement Transaction Payment Item,Invoices,Reikningar DocType: Currency Exchange,Currency Exchange,Gjaldeyrisskipti DocType: Payroll Entry,Fortnightly,Fortnightly @@ -2050,6 +2063,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} er ekki sent inn DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Backflush hráefni frá vinnslu í vinnslu DocType: Maintenance Team Member,Maintenance Team Member,Viðhaldsliðsmaður +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Uppsetning sérsniðinna stærða fyrir bókhald DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Lágmarksfjarlægðin milli raða plöntur fyrir bestu vöxt DocType: Employee Health Insurance,Health Insurance Name,Sjúkratryggingar Nafn apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Eignir hlutabréfa @@ -2082,7 +2096,7 @@ DocType: Delivery Note,Billing Address Name,Nafn innheimtu heimilisfangs apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Varahlutir DocType: Certification Application,Name of Applicant,Nafn umsækjanda DocType: Leave Type,Earned Leave,Aflað Leyfi -DocType: Quality Goal,June,Júní +DocType: GSTR 3B Report,June,Júní apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Rú {0}: Kostnaðurarmiðstöð er krafist fyrir hlut {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Hægt að samþykkja {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mælikvarði {0} hefur verið færð inn meira en einu sinni í viðskiptaþáttatafla @@ -2103,6 +2117,7 @@ DocType: Lab Test Template,Standard Selling Rate,Venjuleg selja hlutfall apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Vinsamlegast stilltu virkan valmynd fyrir Veitingahús {0} 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: Asset Finance Book,Asset Finance Book,Eignarhaldsbók +DocType: Quality Goal Objective,Quality Goal Objective,Gæðamarkmið Markmið DocType: Employee Transfer,Employee Transfer,Starfsmaður flytja ,Sales Funnel,Sölutrunnur DocType: Agriculture Analysis Criteria,Water Analysis,Vatnsgreining @@ -2141,6 +2156,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Starfsmaður flyt apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Vonandi starfsemi apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Skráðu nokkrar af viðskiptavinum þínum. Þeir gætu verið stofnanir eða einstaklingar. DocType: Bank Guarantee,Bank Account Info,Bankareikningsupplýsingar +DocType: Quality Goal,Weekday,Vikudagur apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Forráðamaður1 Nafn DocType: Salary Component,Variable Based On Taxable Salary,Variable Byggt á skattskyldum launum DocType: Accounting Period,Accounting Period,Bókhaldstími @@ -2224,7 +2240,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Snúningastilling DocType: Quality Review Table,Quality Review Table,Quality Review Tafla DocType: Member,Membership Expiry Date,Félagsdagur DocType: Asset Finance Book,Expected Value After Useful Life,Væntanlegt gildi eftir gagnlegt líf -DocType: Quality Goal,November,Nóvember +DocType: GSTR 3B Report,November,Nóvember DocType: Loan Application,Rate of Interest,Vextir DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Viðskiptareikningur Greiðsla DocType: Restaurant Reservation,Waitlisted,Bíddu á lista @@ -2288,6 +2304,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}",Row {0}: Til að setja {1} reglubundna munur munurinn á milli og til dags \ verður meiri en eða jafnt við {2} DocType: Purchase Invoice Item,Valuation Rate,Verðmat DocType: Shopping Cart Settings,Default settings for Shopping Cart,Sjálfgefin stilling fyrir Karfa +DocType: Quiz,Score out of 100,Skora af 100 DocType: Manufacturing Settings,Capacity Planning,Stærð áætlanagerðar apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Farðu í kennara DocType: Activity Cost,Projects,Verkefni @@ -2297,6 +2314,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Frá tími apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Details Report +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Til kaupa apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots fyrir {0} eru ekki bætt við áætlunina DocType: Target Detail,Target Distribution,Markmið dreifingar @@ -2314,6 +2332,7 @@ DocType: Activity Cost,Activity Cost,Rekstrarkostnaður DocType: Journal Entry,Payment Order,Greiðslufyrirmæli apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Verðlag ,Item Delivery Date,Liður afhendingardags +DocType: Quality Goal,January-April-July-October,Janúar-apríl-júlí-október DocType: Purchase Order Item,Warehouse and Reference,Vörugeymsla og tilvísun apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Ekki er hægt að breyta reikningi við hnúta barns til bókhalds DocType: Soil Texture,Clay Composition (%),Clay Composition (%) @@ -2364,6 +2383,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Framtíðardagur er ek apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Row {0}: Vinsamlegast stilltu greiðsluhátt í greiðsluáætlun apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Fræðigrein: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Gæði viðbrögðarmörk apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Vinsamlegast veldu Sækja um afslátt á apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Row # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Samtals greiðslur @@ -2406,7 +2426,7 @@ DocType: Hub Tracked Item,Hub Node,Hub Hnúður apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Starfsmaður auðkenni DocType: Salary Structure Assignment,Salary Structure Assignment,Uppbygging verkefnis DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Loka Skírteini Skattar -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Aðgerð upphafleg +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Aðgerð upphafleg DocType: POS Profile,Applicable for Users,Gildir fyrir notendur DocType: Training Event,Exam,Próf apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Rangt númer af aðalbókaratriðum fannst. Þú gætir hafa valið rangan reikning í viðskiptum. @@ -2513,6 +2533,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Lengdargráða DocType: Accounts Settings,Determine Address Tax Category From,Ákvarða heimilisfang Skatt Flokkur Frá apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Þekkja ákvörðunarmenn +DocType: Stock Entry Detail,Reference Purchase Receipt,Tilvísun Kaup kvittun apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Fáðu þig DocType: Tally Migration,Is Day Book Data Imported,Er dagbókargögn innflutt ,Sales Partners Commission,Sala samstarfs framkvæmdastjórnarinnar @@ -2536,6 +2557,7 @@ DocType: Leave Type,Applicable After (Working Days),Gildir eftir (virka daga) DocType: Timesheet Detail,Hrs,Hr DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Birgir Scorecard Criteria DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Gæði viðbrögð sniðmát apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Dagsetning tengingar verður að vera meiri en fæðingardagur DocType: Bank Statement Transaction Invoice Item,Invoice Date,Dagsetning reiknings DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Búðu til Lab Test (s) á Sölu Reikningur Senda @@ -2642,7 +2664,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Lágmarks leyfilegt g DocType: Stock Entry,Source Warehouse Address,Heimild Vörugeymsla Heimilisfang DocType: Compensatory Leave Request,Compensatory Leave Request,Bótaábyrgð DocType: Lead,Mobile No.,Farsímanúmer. -DocType: Quality Goal,July,Júlí +DocType: GSTR 3B Report,July,Júlí apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Hæfilegur ITC DocType: Fertilizer,Density (if liquid),Þéttleiki (ef vökvi) DocType: Employee,External Work History,Utanaðkomandi vinnusaga @@ -2718,6 +2740,7 @@ DocType: Certification Application,Certification Status,Vottunarstaða apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Heimild Staðsetning er krafist fyrir eignina {0} DocType: Employee,Encashment Date,Uppfyllingardagur apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Vinsamlegast veldu Lokadagsetning fyrir lokaðan eignarhaldsskrá +DocType: Quiz,Latest Attempt,Nýjustu tilraun DocType: Leave Block List,Allow Users,Leyfa notendum apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Yfirlit yfir reikninga apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Viðskiptavinur er skyltur ef "Tækifæri frá" er valinn sem viðskiptavinur @@ -2782,7 +2805,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Birgir Scorecard Ski DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Stillingar DocType: Program Enrollment,Walking,Ganga DocType: SMS Log,Requested Numbers,Óskað númer -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vinsamlegast settu upp flokkunarnúmer fyrir þátttöku í gegnum uppsetningu> númerakerfi DocType: Woocommerce Settings,Freight and Forwarding Account,Fragt og áframsending reiknings apps/erpnext/erpnext/accounts/party.py,Please select a Company,Vinsamlegast veldu fyrirtæki apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Rú {0}: {1} verður að vera meiri en 0 @@ -2849,7 +2871,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Víxlar hæ DocType: Training Event,Seminar,Námskeið apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Credit ({0}) DocType: Payment Request,Subscription Plans,Áskriftaráætlanir -DocType: Quality Goal,March,Mars +DocType: GSTR 3B Report,March,Mars apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Skipta lotu DocType: School House,House Name,Nafn húsa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Framúrskarandi fyrir {0} getur ekki verið minna en núll ({1}) @@ -2912,7 +2934,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Tryggingar upphafsdagur DocType: Target Detail,Target Detail,Target Detail DocType: Packing Slip,Net Weight UOM,Nettóþyngd UOM -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 hlut: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Nettó fjárhæð (félags gjaldmiðill) DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapped Data apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Verðbréf og innstæður @@ -2962,6 +2983,7 @@ DocType: Cheque Print Template,Cheque Height,Athugaðu hæð apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Vinsamlegast sláðu inn létta dagsetningu. DocType: Loyalty Program,Loyalty Program Help,Hollusta Program Hjálp DocType: Journal Entry,Inter Company Journal Entry Reference,Inter Company Journal Entry Tilvísun +DocType: Quality Meeting,Agenda,Dagskrá DocType: Quality Action,Corrective,Leiðrétting apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Group By DocType: Bank Account,Address and Contact,Heimilisfang og samband @@ -3015,7 +3037,7 @@ DocType: GL Entry,Credit Amount,Lánshæð apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Heildarfjárhæð innheimt DocType: Support Search Source,Post Route Key List,Leggja leiðslulista yfir apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} ekki í neinum virka reikningsárinu. -DocType: Quality Action Table,Problem,Vandamál +DocType: Quality Action Resolution,Problem,Vandamál DocType: Training Event,Conference,Ráðstefna DocType: Mode of Payment Account,Mode of Payment Account,Greiðslumáti DocType: Leave Encashment,Encashable days,Skemmtilegir dagar @@ -3141,7 +3163,7 @@ DocType: Item,"Purchase, Replenishment Details","Kaup, Endurnýjun Upplýsingar" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Þegar sett hefur verið inn verður þessi reikningur haldið áfram til lokadags apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Hlutur getur ekki verið fyrir lið {0} þar sem hefur afbrigði DocType: Lab Test Template,Grouped,Flokkað -DocType: Quality Goal,January,Janúar +DocType: GSTR 3B Report,January,Janúar DocType: Course Assessment Criteria,Course Assessment Criteria,Námsmatsviðmið DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Lokið Qty @@ -3237,7 +3259,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Heilbrigðis apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Vinsamlegast sláðu inn að minnsta kosti 1 reikning í töflunni apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Sölupöntun {0} er ekki send inn apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Mæting hefur verið merkt með góðum árangri. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Forsala +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Forsala apps/erpnext/erpnext/config/projects.py,Project master.,Verkefnisstjóri. DocType: Daily Work Summary,Daily Work Summary,Dagleg vinnusamningur DocType: Asset,Partially Depreciated,Hlutfallsleg afskriftir @@ -3246,6 +3268,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Leyfi upptekin? DocType: Certified Consultant,Discuss ID,Ræddu ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Vinsamlegast settu GST reikninga í GST stillingum +DocType: Quiz,Latest Highest Score,Nýjustu hæstu einkunn DocType: Supplier,Billing Currency,Innheimtu Gjaldmiðill apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Námsmat apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Annaðhvort er miðað við fjölda eða markmiðsupphæð @@ -3271,18 +3294,21 @@ DocType: Sales Order,Not Delivered,Ekki afhent apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Leyfi Tegund {0} er ekki hægt að úthluta þar sem það er laust án launa DocType: GL Entry,Debit Amount,Gengisupphæð apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Nú þegar er skrá fyrir hlutinn {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Undirþing 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 fleiri reglur gilda um verðlagningu, eru notendur beðnir um að setja forgang handvirkt til að leysa ágreining." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Get ekki dregið frá þegar flokkur er fyrir 'Verðmat' eða 'Verðmat og heildar' apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM og framleiðslugjald eru nauðsynlegar apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Atriðið {0} hefur náð endalok sínu á {1} DocType: Quality Inspection Reading,Reading 6,Lestur 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Fyrirtæki sviði er krafist apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Efni neysla er ekki stillt í framleiðslustillingum. DocType: Assessment Group,Assessment Group Name,Námsmat -DocType: Item,Manufacturer Part Number,Framleiðandi hlutanúmer +DocType: Purchase Invoice Item,Manufacturer Part Number,Framleiðandi hlutanúmer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Launaskrá Greiðslur apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} getur ekki verið neikvæð fyrir atriði {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Varajöfnuður +DocType: Question,Multiple Correct Answer,Mörg rétta svarið DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 hollusta stig = hversu mikið grunn gjaldmiðil? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Athugasemd: Það er ekki nóg eftirlitsgjald fyrir Leyfi Type {0} DocType: Clinical Procedure,Inpatient Record,Sjúkraskrá @@ -3405,6 +3431,7 @@ DocType: Fee Schedule Program,Total Students,Samtals nemendur apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Staðbundin DocType: Chapter Member,Leave Reason,Skildu ástæðu DocType: Salary Component,Condition and Formula,Ástand og formúla +DocType: Quality Goal,Objectives,Markmið apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Laun þegar unnin fyrir tímabilið milli {0} og {1}, Leyfi umsóknarfrestur getur ekki verið á milli þessarar dagsetningar." DocType: BOM Item,Basic Rate (Company Currency),Grunngjald (Gjaldmiðill fyrirtækja) DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item @@ -3455,6 +3482,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Kostnaðarkröfureikningur apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Engar endurgreiðslur eru tiltækar fyrir Journal Entry apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} er óvirkur nemandi +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Gerðu hlutabréfaskráningu DocType: Employee Onboarding,Activities,Starfsemi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Að minnsta kosti eitt vörugeymsla er skylt ,Customer Credit Balance,Viðskiptajöfnuður @@ -3539,7 +3567,6 @@ DocType: Contract,Contract Terms,Samningsskilmálar apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Annaðhvort er miðað við fjölda eða markmiðsupphæð. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Ógilt {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Fundur Dagsetning DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Skammstöfun getur ekki haft meira en 5 stafi DocType: Employee Benefit Application,Max Benefits (Yearly),Max Hagur (Árlega) @@ -3642,7 +3669,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Bankagjöld apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Vörur fluttar apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Aðal upplýsingar um tengilið -DocType: Quality Review,Values,Gildi 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 er valið verður listanum bætt við hverja deild þar sem það þarf að sækja. DocType: Item Group,Show this slideshow at the top of the page,Sýna þessa myndasýningu efst á síðunni apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} breytu er ógild @@ -3661,6 +3687,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Gjald fyrir bankakostnað DocType: Journal Entry,Get Outstanding Invoices,Fáðu framúrskarandi reikninga DocType: Opportunity,Opportunity From,Tækifæri frá +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Target Details DocType: Item,Customer Code,Kóði viðskiptavina apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Vinsamlegast sláðu inn atriði fyrst apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Website Skráning @@ -3689,7 +3716,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Afhendingu til DocType: Bank Statement Transaction Settings Item,Bank Data,Bankagögn apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Áætlað Upto -DocType: Quality Goal,Everyday,Daglega DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Halda Billing Hours og vinnutíma Sama á Timesheet apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Fylgjast með leiðsögn með leiðsögn. DocType: Clinical Procedure,Nursing User,Hjúkrunarnotandi @@ -3714,7 +3740,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Stjórna landsvæði. DocType: GL Entry,Voucher Type,Voucher Tegund ,Serial No Service Contract Expiry,Röðun nr DocType: Certification Application,Certified,Löggiltur -DocType: Material Request Plan Item,Manufacture,Framleiðsla +DocType: Purchase Invoice Item,Manufacture,Framleiðsla apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} hlutir framleiddar apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Greiðslubók um {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dagar frá síðasta skipun @@ -3729,7 +3755,7 @@ DocType: Sales Invoice,Company Address Name,Nafn fyrirtækis fyrirtækis apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Vörur í flutningi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Þú getur aðeins innleysað hámark {0} stig í þessari röð. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Vinsamlegast settu inn reikning í vörugeymslu {0} -DocType: Quality Action Table,Resolution,Upplausn +DocType: Quality Action,Resolution,Upplausn DocType: Sales Invoice,Loyalty Points Redemption,Hollusta stig Innlausn apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Heildarskattverð DocType: Patient Appointment,Scheduled,Tímaáætlun @@ -3850,6 +3876,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Rate apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Vistar {0} DocType: SMS Center,Total Message(s),Samtals skilaboð (ir) +DocType: Purchase Invoice,Accounting Dimensions,Bókhaldsmörk apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Hópa eftir reikningi DocType: Quotation,In Words will be visible once you save the Quotation.,Í Orð verður sýnilegt þegar þú vistar tilboðið. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Magn til að framleiða @@ -4014,7 +4041,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,U apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.",Ef þú hefur einhverjar spurningar skaltu vinsamlegast komast aftur til okkar. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Kaup kvittun {0} er ekki send DocType: Task,Total Expense Claim (via Expense Claim),Samtals kostnaður krafa (með kostnað kröfu) -DocType: Quality Action,Quality Goal,Gæðamarkmið +DocType: Quality Goal,Quality Goal,Gæðamarkmið DocType: Support Settings,Support Portal,Stuðningur Portal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Lokadagsetning verkefnisins {0} má ekki vera minni en {1} áætlað upphafsdagur {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Starfsmaður {0} er á leyfi á {1} @@ -4073,7 +4100,6 @@ DocType: BOM,Operating Cost (Company Currency),Rekstrargjöld (Fyrirtæki Gjaldm DocType: Item Price,Item Price,Vörulisti DocType: Payment Entry,Party Name,Nafn aðila apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Vinsamlegast veldu viðskiptavin -DocType: Course,Course Intro,Námskeið Intro DocType: Program Enrollment Tool,New Program,Nýtt forrit apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Fjöldi nýju kostnaðarstöðvarinnar, það verður innifalið í heiti kostnaðarmiðstöðvarinnar sem forskeyti" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Veldu viðskiptavininn eða birgirinn. @@ -4274,6 +4300,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettó laun geta ekki verið neikvæðar apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Engar milliverkanir 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/hr/doctype/employee/employee_dashboard.py,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Vinnsla reikningsskila og aðila DocType: Stock Settings,Convert Item Description to Clean HTML,Breyta liður Lýsing til að hreinsa HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Allir Birgir Hópar @@ -4352,6 +4379,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Móðurhluti apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Miðlari apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Vinsamlegast búðu til kaup kvittun eða kaup reikning fyrir hlutinn {0} +,Product Bundle Balance,Vara knippi apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Nafn fyrirtækis má ekki vera félag DocType: Maintenance Visit,Breakdown,Brotna niður DocType: Inpatient Record,B Negative,B neikvæð @@ -4360,7 +4388,7 @@ DocType: Purchase Invoice,Credit To,Credit to apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Sendu inn þessa vinnu til að fá frekari vinnslu. DocType: Bank Guarantee,Bank Guarantee Number,Bankareikningsnúmer apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Afgreidd: {0} -DocType: Quality Action,Under Review,Til athugunar +DocType: Quality Meeting Table,Under Review,Til athugunar apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Landbúnaður (beta) ,Average Commission Rate,Meðaltal framkvæmdastjórnarinnar DocType: Sales Invoice,Customer's Purchase Order Date,Innkaupapöntunardagur viðskiptavina @@ -4477,7 +4505,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Match greiðslur með reikningum DocType: Holiday List,Weekly Off,Vikulega Off apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Ekki leyfa að setja annað atriði fyrir hlutinn {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Forrit {0} er ekki til. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Forrit {0} er ekki til. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Þú getur ekki breytt rótarkóða. DocType: Fee Schedule,Student Category,Nemandi Flokkur apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Liður {0}: {1} Magn framleitt," @@ -4568,8 +4596,8 @@ DocType: Crop,Crop Spacing,Crop Spacing 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. DocType: Pricing Rule,Period Settings,Tímastillingar apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Nettó Breyting á Viðskiptakröfum +DocType: Quality Feedback Template,Quality Feedback Template,Gæði endurgjalds sniðmát 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 -DocType: Quality Goal,Goal Objectives,Markmið Markmið 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æð reiknuð" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Leyfi eftir ef þú gerir nemendur hópa á ári apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Lán (Skuldir) @@ -4604,12 +4632,13 @@ DocType: Quality Procedure Table,Step,Skref DocType: Normal Test Items,Result Value,Niðurstaða gildi DocType: Cash Flow Mapping,Is Income Tax Liability,Er tekjuskattsskuldbinding DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Göngudeild í sjúkrahúsum -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} er ekki til. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} er ekki til. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Uppfæra svar DocType: Bank Guarantee,Supplier,Birgir apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Sláðu inn gildi betweeen {0} og {1} DocType: Purchase Order,Order Confirmation Date,Panta staðfestingardagur DocType: Delivery Trip,Calculate Estimated Arrival Times,Reikna áætlaðan komutíma +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vinsamlegast settu upp starfsmannamiðlunarkerfi í mannauði> HR-stillingar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Neysluverðs DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Upphafsdagsetning @@ -4673,6 +4702,7 @@ DocType: Cheque Print Template,Is Account Payable,Er reikningur greiðanlegur apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Samtals Order Value apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Birgir {0} fannst ekki í {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Uppsetning SMS gateway stillingar +DocType: Salary Component,Round to the Nearest Integer,Umferð til næsta heiltala apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Rót getur ekki haft foreldra kostnaðarmiðstöð DocType: Healthcare Service Unit,Allow Appointments,Leyfa skipan DocType: BOM,Show Operations,Sýna starfsemi @@ -4800,7 +4830,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Sjálfgefin frílisti DocType: Naming Series,Current Value,Núverandi gildi apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Tímabil til að setja fjárhagsáætlun, markmið o.fl." -DocType: Program,Program Code,Program Code apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Viðvörun: Söluskilningur {0} er þegar til á móti kaupanda viðskiptavina {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Mánaðarlegt sölumarkmið DocType: Guardian,Guardian Interests,Forráðamaður Áhugamál @@ -4850,10 +4879,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Greiddur og ekki afhentur apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Vörunúmer er skylt vegna þess að hluturinn er ekki sjálfkrafa númeraður DocType: GST HSN Code,HSN Code,HSN-kóði -DocType: Quality Goal,September,September +DocType: GSTR 3B Report,September,September apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Stjórnsýslukostnaður DocType: C-Form,C-Form No,C-eyðublað nr DocType: Purchase Invoice,End date of current invoice's period,Lokadagur núverandi reiknings tíma +DocType: Item,Manufacturers,Framleiðendur DocType: Crop Cycle,Crop Cycle,Ræktunarhringur DocType: Serial No,Creation Time,Creation Time apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Vinsamlegast sláðu inn samþykkta hlutverk eða samþykkja notanda @@ -4926,8 +4956,6 @@ DocType: Employee,Short biography for website and other publications.,Stutt ævi DocType: Purchase Invoice Item,Received Qty,Fjöldi móttekinna DocType: Purchase Invoice Item,Rate (Company Currency),Rate (Fyrirtæki Gjaldmiðill) DocType: Item Reorder,Request for,Beiðni um -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Vinsamlegast farðu starfsmanninum {0} \ til að hætta við þetta skjal" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Uppsetning forstillingar apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Vinsamlegast sláðu inn endurgreiðslu tímabil DocType: Pricing Rule,Advanced Settings,Ítarlegar stillingar @@ -4953,7 +4981,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Virkja körfu DocType: Pricing Rule,Apply Rule On Other,Notaðu reglu á öðrum DocType: Vehicle,Last Carbon Check,Síðasta kolefnisskoðun -DocType: Vehicle,Make,Gerðu +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Gerðu apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Sölureikningur {0} búinn til sem greiddur apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Til að búa til greiðslubeiðni þarf viðmiðunarskjal apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Tekjuskattur @@ -5029,7 +5057,6 @@ DocType: Territory,Parent Territory,Foreldravæði DocType: Vehicle Log,Odometer Reading,Odometer Reading DocType: Additional Salary,Salary Slip,Launasala DocType: Payroll Entry,Payroll Frequency,Launatíðni -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vinsamlegast settu upp starfsmannamiðlunarkerfi í mannauði> HR-stillingar apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Upphafs- og lokadagar ekki í gildum launum, geta ekki reiknað út {0}" DocType: Products Settings,Home Page is Products,Heimasíða er Vörur apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Símtöl @@ -5083,7 +5110,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Aðlaðandi færslur ...... DocType: Delivery Stop,Contact Information,Tengiliður Upplýsingar DocType: Sales Order Item,For Production,Fyrir framleiðslu -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vinsamlegast skipulag kennari Nafnakerfi í menntun> Menntastillingar DocType: Serial No,Asset Details,Eignarupplýsingar DocType: Restaurant Reservation,Reservation Time,Afgreiðslutími DocType: Selling Settings,Default Territory,Sjálfgefið svæði @@ -5223,6 +5249,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,F apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Útrunnið lotur DocType: Shipping Rule,Shipping Rule Type,Sendingartegund Tegund DocType: Job Offer,Accepted,Samþykkt +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Vinsamlegast farðu starfsmanninum {0} \ til að hætta við þetta skjal" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Þú hefur nú þegar metið mat á viðmiðunum {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Veldu hópnúmer apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Aldur (dagar) @@ -5239,6 +5267,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Knippi atriði á sölu tíma. DocType: Payment Reconciliation Payment,Allocated Amount,Úthlutað upphæð apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Vinsamlegast veldu fyrirtæki og tilnefningu +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'Dagsetning' er krafist DocType: Email Digest,Bank Credit Balance,Lánshæfiseinkunn bankans apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Sýna uppsöfnuð upphæð apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Þú hefur ekki nóg hollusta stig til að innleysa @@ -5298,11 +5327,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Á fyrri röð alls DocType: Student,Student Email Address,Nemandi netfang DocType: Academic Term,Education,Menntun DocType: Supplier Quotation,Supplier Address,Birgir Heimilisfang -DocType: Salary Component,Do not include in total,Ekki innifalið alls +DocType: Salary Detail,Do not include in total,Ekki innifalið alls 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. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} er ekki til DocType: Purchase Receipt Item,Rejected Quantity,Hafnað Magn DocType: Cashier Closing,To TIme,Til tímans +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 hlut: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Daglegur vinnusamningur hópur notandi DocType: Fiscal Year Company,Fiscal Year Company,Fiscal Year Company apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Önnur atriði má ekki vera eins og vörukóði @@ -5412,7 +5442,6 @@ DocType: Fee Schedule,Send Payment Request Email,Sendu inn beiðni um greiðslub DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Í Orð verða sýnilegar þegar þú vistar sölureikninguna. DocType: Sales Invoice,Sales Team1,Söluteymi1 DocType: Work Order,Required Items,Nauðsynleg atriði -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Sérstök tákn nema "-", "#", "." og "/" ekki leyfilegt í nafngiftaröð" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Lesið ERPNext handbókina DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Athugaðu Birgir Reikningsnúmer Einstaklings apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Leita undir þing @@ -5480,7 +5509,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Hlutfall frádráttar apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Magn til framleiðslu má ekki vera minna en núll DocType: Share Balance,To No,Til nr DocType: Leave Control Panel,Allocate Leaves,Leyfa Leaves -DocType: Quiz,Last Attempt,Síðasta tilraun DocType: Assessment Result,Student Name,Nafn nemanda apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Áætlun um viðhaldsheimsóknir. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Eftirfarandi efnisbeiðnir hafa verið hækkaðar sjálfkrafa miðað við endurskipulagningu hlutarins @@ -5549,6 +5577,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Vísir Litur DocType: Item Variant Settings,Copy Fields to Variant,Afritaðu reiti í afbrigði DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Einföld rétt svar apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Frá dagsetningu má ekki vera minna en tengingardagur starfsmanns DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Leyfa mörgum sölupöntum gegn innkaupapöntun viðskiptavinar apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5611,7 +5640,7 @@ DocType: Account,Expenses Included In Valuation,Útgjöld innifalinn í mati apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Raðnúmer DocType: Salary Slip,Deductions,Frádráttar ,Supplier-Wise Sales Analytics,Birgir-Wise Sala Analytics -DocType: Quality Goal,February,Febrúar +DocType: GSTR 3B Report,February,Febrúar DocType: Appraisal,For Employee,Fyrir starfsmann apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Raunverulegur Afhendingardagur DocType: Sales Partner,Sales Partner Name,Nafn söluaðila @@ -5707,7 +5736,6 @@ DocType: Procedure Prescription,Procedure Created,Málsmeðferð búin til apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Gegn birgirreikningi {0} dags {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Breyta POS Profile apps/erpnext/erpnext/utilities/activation.py,Create Lead,Búðu til leið -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Birgir> Birgir Tegund DocType: Shopify Settings,Default Customer,Sjálfgefið viðskiptavinur DocType: Payment Entry Reference,Supplier Invoice No,Birgir Reikningur nr DocType: Pricing Rule,Mixed Conditions,Blandað skilyrði @@ -5758,12 +5786,14 @@ DocType: Item,End of Life,Lok lífsins DocType: Lab Test Template,Sensitivity,Viðkvæmni DocType: Territory,Territory Targets,Landsvæði markmið apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Skipting Leyfi úthlutun fyrir eftirfarandi starfsmenn, þar sem Leyfisúthlutunarskrár eru þegar til á móti þeim. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Gæðaviðskipti DocType: Sales Invoice Item,Delivered By Supplier,Afhentur af birgir DocType: Agriculture Analysis Criteria,Plant Analysis,Plant Greining apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Kostnaðarreikningur er nauðsynlegur fyrir hlut {0} ,Subcontracted Raw Materials To Be Transferred,Undirverktökuð efni sem á að flytja DocType: Cashier Closing,Cashier Closing,Gjaldkeri apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Atriði {0} hefur þegar verið skilað +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Ógild GSTIN! Inntakið sem þú hefur slegið inn samsvarar ekki GSTIN sniði fyrir UIN-eigenda eða OIDAR-þjónustuveitenda sem ekki búa apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barnagerð er til fyrir þetta vöruhús. Þú getur ekki eytt þessu vöruhúsi. DocType: Diagnosis,Diagnosis,Greining apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Engin leyfi er á milli {0} og {1} @@ -5780,6 +5810,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Leyfisstillingar DocType: Homepage,Products,Vörur ,Profit and Loss Statement,Rekstrarreikningur apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Herbergi bókað +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Afrita færslu á vörulínu {0} og framleiðanda {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Heildarþyngd apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Ferðalög @@ -5828,6 +5859,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Sjálfgefið viðskiptavinahópur DocType: Journal Entry Account,Debit in Company Currency,Greiðsla í gjaldmiðli félagsins DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Fallback röðin er "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Gæði fundardagskrá DocType: Cash Flow Mapper,Section Header,Kafla haus apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Vörur eða þjónusta DocType: Crop,Perennial,Ævarandi @@ -5873,7 +5905,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Vara eða þjónusta sem er keypt, seld eða geymd á lager." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Lokun (Opnun + Samtals) DocType: Supplier Scorecard Criteria,Criteria Formula,Criteria Formula -,Support Analytics,Stuðningur Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Stuðningur Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Review og aðgerð DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ef reikningurinn er frosinn, eru færslur heimilt að takmarka notendur." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Fjárhæð eftir afskriftir @@ -5918,7 +5950,6 @@ DocType: Contract Template,Contract Terms and Conditions,Samningsskilmálar og s apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Sækja gögn DocType: Stock Settings,Default Item Group,Sjálfgefin hlutahópur DocType: Sales Invoice Timesheet,Billing Hours,Innheimtutímar -DocType: Item,Item Code for Suppliers,Liður fyrir birgja 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} DocType: Pricing Rule,Margin Type,Minni tegund DocType: Purchase Invoice Item,Rejected Serial No,Hafnað raðnúmer @@ -5991,6 +6022,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Leaves hefur verið veitt með góðum árangri DocType: Loyalty Point Entry,Expiry Date,Gildistími DocType: Project Task,Working,Vinna +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} hefur nú þegar foreldra málsmeðferð {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Þetta byggist á viðskiptum gegn þessum sjúklingum. Sjá tímalínu fyrir neðan til að fá nánari upplýsingar DocType: Material Request,Requested For,Óskað eftir DocType: SMS Center,All Sales Person,Allir sölumenn @@ -6078,6 +6110,7 @@ DocType: Loan Type,Maximum Loan Amount,Hámarks lánsfjárhæð apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Tölvupóstur fannst ekki í vanrækslu sambandi DocType: Hotel Room Reservation,Booked,Bókað DocType: Maintenance Visit,Partially Completed,Að hluta lokið +DocType: Quality Procedure Process,Process Description,Aðferð Lýsing DocType: Company,Default Employee Advance Account,Sjálfstætt starfandi reikningsskil DocType: Leave Type,Allow Negative Balance,Leyfa neikvæð jafnvægi apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Námsmat @@ -6119,6 +6152,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Beiðni um tilvitnunartilboð apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} komu tvisvar í vöruskatt DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Dragðu fulla skatta á valinn launadag +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Síðasta koltvísýringardagsetning getur ekki verið framtíðardagsetning apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Veldu breyta upphæð reiknings DocType: Support Settings,Forum Posts,Forum Posts DocType: Timesheet Detail,Expected Hrs,Væntanlegur Hr @@ -6128,7 +6162,7 @@ DocType: Program Enrollment Tool,Enroll Students,Skráðu nemendur apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Endurtaka viðskiptavina tekjur DocType: Company,Date of Commencement,Dagsetning upphafs DocType: Bank,Bank Name,Nafn banka -DocType: Quality Goal,December,Desember +DocType: GSTR 3B Report,December,Desember 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 til dags apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Þetta er byggt á mætingu þessa starfsmanns DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",Ef valið er heimasíðan sjálfgefin hlutahópur fyrir vefsvæðið @@ -6171,6 +6205,7 @@ DocType: Payment Entry,Payment Type,Greiðsla Tegund apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Folio númerin passa ekki saman DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Gæði skoðun: {0} er ekki sent fyrir hlutinn: {1} í röð {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Sýna {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} atriði fundust. ,Stock Ageing,Öldrun DocType: Customer Group,Mention if non-standard receivable account applicable,Tilgreindu ef óhefðbundin kröfuhafi reikningur gildir @@ -6449,6 +6484,7 @@ DocType: Travel Request,Costing,Kostnaður apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Fastafjármunir DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Heildarafkoma +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Viðskiptavinur> Viðskiptavinahópur> Territory DocType: Share Balance,From No,Frá nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Greiðsla Sáttargjald DocType: Purchase Invoice,Taxes and Charges Added,Skattar og gjöld bætt við @@ -6456,7 +6492,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Íhuga skatt eða DocType: Authorization Rule,Authorized Value,Leyfilegt gildi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Fengið frá apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Vörugeymsla {0} er ekki til +DocType: Item Manufacturer,Item Manufacturer,Liður Framleiðandi DocType: Sales Invoice,Sales Team,Söluteymi +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Pakkningarnúmer DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM DocType: Installation Note,Installation Date,Uppsetningardagur DocType: Email Digest,New Quotations,Nýjar tilvitnanir @@ -6520,7 +6558,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Holiday List Name DocType: Water Analysis,Collection Temperature ,Safn hitastig DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Stjórna afgreiðslureikningi leggja inn og hætta sjálfkrafa fyrir sjúklingaþing -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vinsamlegast settu Nafngerðaröð fyrir {0} í gegnum Skipulag> Stillingar> Nöfnunarröð DocType: Employee Benefit Claim,Claim Date,Dagsetning krafa DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Leyfi tómt ef birgir er lokað á eilífu apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Viðstaddir frá dagsetningu og mætingu til dags er skylt @@ -6531,6 +6568,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Dagsetning eftirlauna apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Vinsamlegast veldu Sjúklingur DocType: Asset,Straight Line,Bein lína +DocType: Quality Action,Resolutions,Upplausnir DocType: SMS Log,No of Sent SMS,Nei sendi SMS ,GST Itemised Sales Register,GST hlutasala apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Heildarfjöldi fyrirframgreiðslna má ekki vera hærri en heildarfjárhæðir @@ -6641,7 +6679,7 @@ DocType: Account,Profit and Loss,Hagnaður og tap apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Magn DocType: Asset Finance Book,Written Down Value,Skrifað niður gildi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Byrjunarjöfnuður -DocType: Quality Goal,April,Apríl +DocType: GSTR 3B Report,April,Apríl DocType: Supplier,Credit Limit,Lánsfjárhæð apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Dreifing apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,skuldfærslu_note_amt @@ -6696,6 +6734,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Tengdu Shopify með ERPNext DocType: Homepage Section Card,Subtitle,Texti DocType: Soil Texture,Loam,Loam +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Birgir> Birgir Tegund DocType: BOM,Scrap Material Cost(Company Currency),Úrgangur Efni Kostnaður (Company Gjaldmiðill) DocType: Task,Actual Start Date (via Time Sheet),Raunverulegur upphafsdagur (með tímapunkti) DocType: Sales Order,Delivery Date,Afhendingardagur @@ -6750,7 +6789,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Skammtar DocType: Cheque Print Template,Starting position from top edge,Byrjunarstaða frá efstu brún apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Skipunartími (mín.) -DocType: Pricing Rule,Disable,Slökkva +DocType: Accounting Dimension,Disable,Slökkva DocType: Email Digest,Purchase Orders to Receive,Kaup pantanir til að fá apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Framleiðsla Pantanir má ekki hækka fyrir: DocType: Projects Settings,Ignore Employee Time Overlap,Hunsa starfsmenn tíma skarast @@ -6834,6 +6873,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Búðu DocType: Item Attribute,Numeric Values,Tölfræðileg gildi DocType: Delivery Note,Instructions,Leiðbeiningar DocType: Blanket Order Item,Blanket Order Item,Teppi panta hlut +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Lögboðin fyrir rekstrarreikning apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Framkvæmdastjórnartíðni má ekki vera meiri en 100 DocType: Course Topic,Course Topic,Námskeiðsþema DocType: Employee,This will restrict user access to other employee records,Þetta mun takmarka notanda aðgang að öðrum starfsmönnum færslum @@ -6858,12 +6898,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Áskriftarstef apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Fáðu viðskiptavini frá apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Skýrslur til +DocType: Video,YouTube,Youtube DocType: Party Account,Party Account,Party reikningur DocType: Assessment Plan,Schedule,Stundaskrá apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Gjörðu svo vel að koma inn DocType: Lead,Channel Partner,Channel Partner apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Innheimt upphæð DocType: Project,From Template,Frá sniðmáti +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Áskriftir apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Magn til að gera DocType: Quality Review Table,Achieved,Náð @@ -6910,7 +6952,6 @@ DocType: Journal Entry,Subscription Section,Áskriftarspurning DocType: Salary Slip,Payment Days,Greiðsludagur apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Sjálfboðaliðarupplýsingar. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Stocks Older Than` ætti að vera minni en% d daga. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Veldu reikningsár DocType: Bank Reconciliation,Total Amount,Heildarupphæð DocType: Certification Application,Non Profit,Hagnaður DocType: Subscription Settings,Cancel Invoice After Grace Period,Hætta við innheimtu eftir náðartíma @@ -6923,7 +6964,6 @@ DocType: Serial No,Warranty Period (Days),Ábyrgðartímabil (dagar) DocType: Expense Claim Detail,Expense Claim Detail,Kostnaður kröfu smáatriði apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Forrit: DocType: Patient Medical Record,Patient Medical Record,Sjúkratryggingaskrá -DocType: Quality Action,Action Description,Aðgerð Lýsing DocType: Item,Variant Based On,Variant Byggt á DocType: Vehicle Service,Brake Oil,Brake Oil DocType: Employee,Create User,Búa til notanda @@ -6979,7 +7019,7 @@ DocType: Cash Flow Mapper,Section Name,Section Name DocType: Packed Item,Packed Item,Pakkað atriði apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Hvorugt skuldfærslu- eða lánsfjárhæð er krafist fyrir {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Sendi launakort ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Engin aðgerð +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Engin aðgerð apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Ekki er hægt að úthluta fjárhagsáætlun gegn {0}, þar sem það er ekki tekjutekjur eða kostnaðarreikningur" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Meistarar og reikningar DocType: Quality Procedure Table,Responsible Individual,Ábyrgur einstaklingur @@ -7102,7 +7142,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Leyfa reikningssköpun gegn börnum DocType: Payment Entry,Company Bank Account,Fyrirtækjabankareikningur DocType: Amazon MWS Settings,UK,Bretland -DocType: Quality Procedure,Procedure Steps,Málsmeðferð DocType: Normal Test Items,Normal Test Items,Venjuleg prófunaratriði apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Liður {0}: Raðanlegt magn {1} má ekki vera minni en lágmarksfjöldi {2} (skilgreint í lið). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Ekki á lager @@ -7181,7 +7220,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Viðhald Hlutverk apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Skilmálar og skilyrði Sniðmát DocType: Fee Schedule Program,Fee Schedule Program,Gjaldskrá áætlun -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Námskeið {0} er ekki til. DocType: Project Task,Make Timesheet,Gerðu tímapunkt DocType: Production Plan Item,Production Plan Item,Framleiðsluáætlunarliður apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Samtals nemandi @@ -7203,6 +7241,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Klára apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Þú getur aðeins endurnýjað ef aðild þinn rennur út innan 30 daga apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Gildi verður að vera á milli {0} og {1} +DocType: Quality Feedback,Parameters,Parameters ,Sales Partner Transaction Summary,Samantekt um sölu samstarfsaðila DocType: Asset Maintenance,Maintenance Manager Name,Nafn viðhaldsstjórans apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Það er nauðsynlegt til að sækja hlutatriði. @@ -7241,6 +7280,7 @@ DocType: Student Admission,Student Admission,Námsmenntun DocType: Designation Skill,Skill,Hæfni DocType: Budget Account,Budget Account,Fjárhagsreikningur DocType: Employee Transfer,Create New Employee Id,Búðu til nýjan starfsmannakenni +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} er krafist fyrir 'Hagnaður og tap' reikningur {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Vörur og þjónusta Skattur (GST Indland) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Búa til launaákvarðanir ... DocType: Employee Skill,Employee Skill,Starfsmenntun @@ -7341,6 +7381,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Reikningur S DocType: Subscription,Days Until Due,Dagar til dags apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Sýna lokið apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Reikningsskilaskrá bankans +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bankakjöt apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Röðin verður að vera eins og {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Heilbrigðisþjónustudeildir @@ -7397,6 +7438,7 @@ DocType: Training Event Employee,Invited,Boðið apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Hámarksupphæð sem hæfur er fyrir hluti {0} fer yfir {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Magn Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",Fyrir {0} er hægt að tengja aðeins debetreikninga við annan lánsfærslu +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Búa til stærðir ... DocType: Bank Statement Transaction Entry,Payable Account,Greiðanlegur reikningur apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Vinsamlegast nefðu engar heimsóknir sem krafist er DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Veldu aðeins hvort þú hafir sett upp Cash Flow Mapper skjöl @@ -7414,6 +7456,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,V DocType: Service Level,Resolution Time,Upplausnartími DocType: Grading Scale Interval,Grade Description,Einkunn Lýsing DocType: Homepage Section,Cards,Spil +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Gæði fundargerðar DocType: Linked Plant Analysis,Linked Plant Analysis,Tengd planta greining apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Þjónustuskilyrði Dagsetning getur ekki verið eftir þjónustudagsetning apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Vinsamlegast stilltu B2C Limit í GST Stillingar. @@ -7448,7 +7491,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Starfsmannafundur DocType: Employee,Educational Qualification,Námsgeta apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Aðgengilegt gildi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Sýni magn {0} getur ekki verið meira en móttekin magn {1} -DocType: Quiz,Last Highest Score,Síðasta hæsta einkunn DocType: POS Profile,Taxes and Charges,Skattar og gjöld DocType: Opportunity,Contact Mobile No,Hafðu samband við farsíma nr DocType: Employee,Joining Details,Tengja upplýsingar diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv index e66dec4ef0..20aea9d573 100644 --- a/erpnext/translations/it.csv +++ b/erpnext/translations/it.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Codice del fornitore DocType: Journal Entry Account,Party Balance,Saldo del partito apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Fonte di fondi (passività) DocType: Payroll Period,Taxable Salary Slabs,Lastre di salario tassabili +DocType: Quality Action,Quality Feedback,Feedback di qualità DocType: Support Settings,Support Settings,Impostazioni di supporto apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Inserisci prima l'elemento di produzione DocType: Quiz,Grading Basis,Base di valutazione @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Più dettagli DocType: Salary Component,Earning,guadagno DocType: Restaurant Order Entry,Click Enter To Add,Fai clic su Inserisci per aggiungere DocType: Employee Group,Employee Group,Gruppo di dipendenti +DocType: Quality Procedure,Processes,Processi DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Specifica il tasso di cambio per convertire una valuta in un'altra apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Intervallo di invecchiamento 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Magazzino richiesto per magazzino Articolo {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Denuncia DocType: Shipping Rule,Restrict to Countries,Limitare ai Paesi DocType: Hub Tracked Item,Item Manager,Item Manager apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},La valuta dell'account di chiusura deve essere {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,i bilanci apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Articolo di apertura della fattura DocType: Work Order,Plan material for sub-assemblies,Pianificare il materiale per i sottoinsiemi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Budget,Action if Annual Budget Exceeded on MR,Azione in caso di superamento del budget annuale in MR DocType: Sales Invoice Advance,Advance Amount,Importo anticipato +DocType: Accounting Dimension,Dimension Name,Nome dimensione DocType: Delivery Note Item,Against Sales Invoice Item,Contro l'oggetto della fattura di vendita DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Includi oggetto in produzione @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Che cosa fa? ,Sales Invoice Trends,Tendenze delle vendite DocType: Bank Reconciliation,Payment Entries,Voci di pagamento DocType: Employee Education,Class / Percentage,Classe / percentuale -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marca ,Electronic Invoice Register,Registro elettronico delle fatture DocType: Sales Invoice,Is Return (Credit Note),È il ritorno (nota di credito) DocType: Lab Test Sample,Lab Test Sample,Esempio di test di laboratorio @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,varianti apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Le spese saranno distribuite proporzionalmente in base alla quantità o quantità dell'articolo, come da selezione" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Attività in sospeso per oggi +DocType: Quality Procedure Process,Quality Procedure Process,Processo di procedura di qualità DocType: Fee Schedule Program,Student Batch,Student Batch apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Tasso di valutazione richiesto per Articolo nella riga {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Tariffa oraria base (valuta della compagnia) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Imposta Qtà in Transazioni basate su Nessun input seriale 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} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Personalizza le sezioni della home page -DocType: Quality Goal,October,ottobre +DocType: GSTR 3B Report,October,ottobre DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Nascondi l'ID fiscale del cliente dalle transazioni di vendita apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN non valido! Un GSTIN deve avere 15 caratteri. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,La regola di prezzo {0} viene aggiornata @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Lasciare l'equilibrio apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},La pianificazione di manutenzione {0} esiste contro {1} DocType: Assessment Plan,Supervisor Name,Nome supervisore DocType: Selling Settings,Campaign Naming By,Denominazione della campagna di -DocType: Course,Course Code,Codice del corso +DocType: Student Group Creation Tool Course,Course Code,Codice del corso apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospaziale DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuisci addebiti in base a DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Criterio di punteggio dei punteggi dei fornitori @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Menu del ristorante DocType: Asset Movement,Purpose,Scopo apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,La struttura retributiva per l'impiegato esiste già DocType: Clinical Procedure,Service Unit,Unità di servizio -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Gruppo clienti> Territorio DocType: Travel Request,Identification Document Number,numero del documento identificativo DocType: Stock Entry,Additional Costs,Costi aggiuntivi -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Parent Course (lascia vuoto, se questo non fa parte del Parent Course)" DocType: Employee Education,Employee Education,Educazione dei dipendenti apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Il numero di posizioni non può essere inferiore al numero attuale di dipendenti apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Tutti i gruppi di clienti @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Riga {0}: la quantità è obbligatoria DocType: Sales Invoice,Against Income Account,Contro Conto di reddito apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Riga n. {0}: la fattura di acquisto non può essere effettuata su una risorsa esistente {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Regole per l'applicazione di diversi schemi promozionali. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Fattore di copertura UOM richiesto per UOM: {0} in articolo: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Si prega di inserire la quantità per l'articolo {0} DocType: Workstation,Electricity Cost,Costo dell'energia elettrica @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Qtà totale proiettata apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,boms DocType: Work Order,Actual Start Date,Data di inizio effettiva 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 tutti i giorni tra i giorni di richiesta del congedo compensativo -DocType: Company,About the Company,Circa l'azienda apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Albero dei conti finanziari. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Reddito indiretto DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotel Reservation Item @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database di DocType: Skill,Skill Name,Nome abilità apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Stampa la pagella DocType: Soil Texture,Ternary Plot,Trama Ternaria +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Impostare Serie di denominazione per {0} tramite Impostazione> Impostazioni> Serie di denominazione apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Supporta i biglietti DocType: Asset Category Account,Fixed Asset Account,Fixed Asset Account apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Più recente @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Corso di iscrizione ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Si prega di impostare la serie da utilizzare. DocType: Delivery Trip,Distance UOM,UOM di distanza +DocType: Accounting Dimension,Mandatory For Balance Sheet,Obbligatorio per lo stato patrimoniale DocType: Payment Entry,Total Allocated Amount,Importo totale stanziato DocType: Sales Invoice,Get Advances Received,Ricevi gli anticipi ricevuti DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Elemento del progra apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,Profilo POS necessario per inserire l'inserimento POS DocType: Education Settings,Enable LMS,Abilita LMS DocType: POS Closing Voucher,Sales Invoices Summary,Riepilogo fatture di vendita +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Beneficiare apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Il conto credito deve essere un conto di bilancio DocType: Video,Duration,Durata DocType: Lab Test Template,Descriptive,Descrittivo @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Date di inizio e fine DocType: Supplier Scorecard,Notify Employee,Notifica al Dipendente apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software +DocType: Program,Allow Self Enroll,Consenti registrazione automatica apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Spese di scorta apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Il numero di riferimento è obbligatorio se hai inserito la data di riferimento DocType: Training Event,Workshop,laboratorio @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Modello di test di laboratorio apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informazioni sulla fatturazione elettronica mancanti apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nessuna richiesta materiale creata +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marca DocType: Loan,Total Amount Paid,Importo totale pagato apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Tutti questi articoli sono già stati fatturati DocType: Training Event,Trainer Name,Nome del trainer @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Anno accademico DocType: Sales Stage,Stage Name,Nome d'arte DocType: SMS Center,All Employee (Active),Tutti i dipendenti (attivi) +DocType: Accounting Dimension,Accounting Dimension,Dimensione contabile DocType: Project,Customer Details,Dettagli cliente DocType: Buying Settings,Default Supplier Group,Gruppo di fornitori predefinito apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Si prega di cancellare prima la ricevuta d'acquisto {0} @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Più alto è il DocType: Designation,Required Skills,Competenze richieste DocType: Marketplace Settings,Disable Marketplace,Disabilita Marketplace DocType: Budget,Action if Annual Budget Exceeded on Actual,Azione se il budget annuale supera l'effettivo -DocType: Course,Course Abbreviation,Abbreviazione del corso apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Presenza non inviata per {0} come {1} in congedo. DocType: Pricing Rule,Promotional Scheme Id,ID schema promozionale apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},La data di fine dell'attività {0} non può essere maggiore di {1} data di fine prevista {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Margine in denaro DocType: Chapter,Chapter,Capitolo DocType: Purchase Receipt Item Supplied,Current Stock,Scorta attuale DocType: Employee,History In Company,Storia in compagnia -DocType: Item,Manufacturer,fabbricante +DocType: Purchase Invoice Item,Manufacturer,fabbricante apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Moderata sensibilità DocType: Compensatory Leave Request,Leave Allocation,Lasciare l'allocazione DocType: Timesheet,Timesheet,timesheet @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Materiale trasferito DocType: Products Settings,Hide Variants,Nascondi varianti DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Disabilitare la pianificazione della capacità e il monitoraggio del tempo DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Sarà calcolato nella transazione. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} è richiesto per l'account "Bilancio" {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} non consentito di effettuare transazioni con {1}. Per favore cambia la compagnia. 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}","In base alle impostazioni di acquisto se la ricevuta di acquisto è richiesta == 'SÌ', quindi per creare una fattura di acquisto, l'utente deve prima creare una ricevuta di acquisto per l'articolo {0}" DocType: Delivery Trip,Delivery Details,dettagli di spedizione @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,prev apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Unità di misura DocType: Lab Test,Test Template,Modello di prova DocType: Fertilizer,Fertilizer Contents,Contenuto di fertilizzante -apps/erpnext/erpnext/utilities/user_progress.py,Minute,minuto +DocType: Quality Meeting Minutes,Minute,minuto apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Riga # {0}: non è possibile inviare l'asset {1}, è già {2}" DocType: Task,Actual Time (in Hours),Tempo reale (in ore) DocType: Period Closing Voucher,Closing Account Head,Capo del conto di chiusura @@ -1532,7 +1540,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorio DocType: Purchase Order,To Bill,Addebitare apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Spese di utilità DocType: Manufacturing Settings,Time Between Operations (in mins),Tempo tra le operazioni (in minuti) -DocType: Quality Goal,May,potrebbe +DocType: GSTR 3B Report,May,potrebbe apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Account gateway di pagamento non creato, si prega di crearne uno manualmente." DocType: Opening Invoice Creation Tool,Purchase,Acquista DocType: Program Enrollment,School House,Scuola House @@ -1564,6 +1572,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Informazioni legali e altre informazioni generali sul tuo fornitore DocType: Item Default,Default Selling Cost Center,Centro di costo di vendita predefinito DocType: Sales Partner,Address & Contacts,Indirizzo e contatti +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configurare le serie di numerazione per Presenze tramite Setup> Numerazione serie DocType: Subscriber,Subscriber,abbonato apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# modulo / articolo / {0}) non è disponibile apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Seleziona prima la data di registrazione @@ -1591,6 +1600,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Addebito di visita osped DocType: Bank Statement Settings,Transaction Data Mapping,Transaction Data Mapping apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Un caposquadra richiede il nome di una persona o il nome di un'organizzazione DocType: Student,Guardians,Guardiani +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Installa il Sistema di denominazione degli istruttori in Istruzione> Impostazioni istruzione apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Seleziona il marchio ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Reddito medio DocType: Shipping Rule,Calculate Based On,Calcola in base a @@ -1602,7 +1612,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Addebito reclamo spese DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Rettifica arrotondamento (valuta della società) DocType: Item,Publish in Hub,Pubblica in Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,agosto +DocType: GSTR 3B Report,August,agosto apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Inserisci prima la ricevuta d'acquisto apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Inizia l'anno apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Bersaglio ({}) @@ -1621,6 +1631,7 @@ DocType: Item,Max Sample Quantity,Quantità di campione massima apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Il magazzino di origine e destinazione deve essere diverso DocType: Employee Benefit Application,Benefits Applied,Benefici applicati apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Contro la registrazione prima nota {0} non ha alcuna voce {1} non abbinata +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Caratteri speciali ad eccezione di "-", "#", ".", "/", "{" E "}" non sono consentiti nelle serie di denominazione" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Sono richieste lastre di sconto di prezzo o di prodotto apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Imposta un obiettivo apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Il record di presenze {0} esiste contro lo studente {1} @@ -1636,10 +1647,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Al mese DocType: Routing,Routing Name,Nome del routing DocType: Disease,Common Name,Nome comune -DocType: Quality Goal,Measurable,Misurabile DocType: Education Settings,LMS Title,Titolo LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Gestione dei prestiti -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Supporta Analtyics DocType: Clinical Procedure,Consumable Total Amount,Quantità totale di consumo apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Abilita modello apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,LPO cliente @@ -1779,6 +1788,7 @@ DocType: Restaurant Order Entry Item,Served,servito DocType: Loan,Member,Membro DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Programma dell'unità di servizio del praticante apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Bonifico bancario +DocType: Quality Review Objective,Quality Review Objective,Obiettivo di revisione della qualità DocType: Bank Reconciliation Detail,Against Account,Contro l'account DocType: Projects Settings,Projects Settings,Impostazioni dei progetti apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Qtà effettiva {0} / Qtà attesa {1} @@ -1807,6 +1817,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ca apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,La data di fine dell'anno fiscale dovrebbe essere un anno dopo la data di inizio dell'anno fiscale apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Promemoria giornalieri DocType: Item,Default Sales Unit of Measure,Unità di misura di vendita predefinita +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Società GSTIN DocType: Asset Finance Book,Rate of Depreciation,Tasso di deprezzamento DocType: Support Search Source,Post Description Key,Posta Descrizione Chiave DocType: Loyalty Program Collection,Minimum Total Spent,Minimo spesa totale @@ -1878,6 +1889,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Non è consentito modificare il gruppo di clienti per il cliente selezionato. DocType: Serial No,Creation Document Type,Tipo di documento di creazione DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Quantità di lotto disponibile in magazzino +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Fattura Grand Totale apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Questo è un territorio radice e non può essere modificato. DocType: Patient,Surgical History,Storia chirurgica apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Albero delle procedure di qualità. @@ -1982,6 +1994,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,p DocType: Item Group,Check this if you want to show in website,Controlla questo se vuoi mostrare nel sito web apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Anno fiscale {0} non trovato DocType: Bank Statement Settings,Bank Statement Settings,Impostazioni conto bancario +DocType: Quality Procedure Process,Link existing Quality Procedure.,Collegare la procedura di qualità esistente. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Importa il grafico degli account da file CSV / Excel DocType: Appraisal Goal,Score (0-5),Punteggio (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Attributo {0} selezionato più volte nella tabella degli attributi DocType: Purchase Invoice,Debit Note Issued,Nota di addebito rilasciata @@ -1990,7 +2004,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Lasciare il dettaglio della politica apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Magazzino non trovato nel sistema DocType: Healthcare Practitioner,OP Consulting Charge,Carica di consulenza OP -DocType: Quality Goal,Measurable Goal,Obiettivo misurabile DocType: Bank Statement Transaction Payment Item,Invoices,Fatture DocType: Currency Exchange,Currency Exchange,Cambio di valuta DocType: Payroll Entry,Fortnightly,Quindicinale @@ -2053,6 +2066,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} non è stato inviato DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Backflush di materie prime da magazzino in corso di lavorazione DocType: Maintenance Team Member,Maintenance Team Member,Membro del team di manutenzione +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Imposta dimensioni personalizzate per la contabilità 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 DocType: Employee Health Insurance,Health Insurance Name,Nome dell'assicurazione sanitaria apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Attività azionarie @@ -2085,7 +2099,7 @@ DocType: Delivery Note,Billing Address Name,Nome indirizzo di fatturazione apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Articolo alternativo DocType: Certification Application,Name of Applicant,Nome del candidato DocType: Leave Type,Earned Leave,Congedo guadagnato -DocType: Quality Goal,June,giugno +DocType: GSTR 3B Report,June,giugno apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Riga {0}: è necessario un centro di costo per un articolo {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Può essere approvato da {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,L'unità di misura {0} è stata inserita più di una volta nella tabella dei fattori di conversione @@ -2106,6 +2120,7 @@ DocType: Lab Test Template,Standard Selling Rate,Tariffa di vendita standard apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Si prega di impostare un menu attivo per il ristorante {0} 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: Asset Finance Book,Asset Finance Book,Libro delle finanze del patrimonio +DocType: Quality Goal Objective,Quality Goal Objective,Obiettivo obiettivo di qualità DocType: Employee Transfer,Employee Transfer,Trasferimento dei dipendenti ,Sales Funnel,Canali di vendita DocType: Agriculture Analysis Criteria,Water Analysis,Analisi dell'acqua @@ -2144,6 +2159,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Proprietà di tra apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Attività in sospeso apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Elenca alcuni dei tuoi clienti. Potrebbero essere organizzazioni o individui. DocType: Bank Guarantee,Bank Account Info,Informazioni sul conto bancario +DocType: Quality Goal,Weekday,giorno feriale apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Nome Guardian1 DocType: Salary Component,Variable Based On Taxable Salary,Variabile basata sullo stipendio tassabile DocType: Accounting Period,Accounting Period,Periodo contabile @@ -2228,7 +2244,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Regolazione dell'arrotondament DocType: Quality Review Table,Quality Review Table,Tabella di revisione della qualità DocType: Member,Membership Expiry Date,Data di scadenza dell'appartenenza DocType: Asset Finance Book,Expected Value After Useful Life,Valore atteso dopo la vita utile -DocType: Quality Goal,November,novembre +DocType: GSTR 3B Report,November,novembre DocType: Loan Application,Rate of Interest,Tasso di interesse DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Articolo pagamento transazione conto bancario DocType: Restaurant Reservation,Waitlisted,lista d'attesa @@ -2292,6 +2308,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Riga {0}: per impostare la periodicità {1}, la differenza tra da e alla data \ deve essere maggiore o uguale a {2}" DocType: Purchase Invoice Item,Valuation Rate,Tasso di valutazione DocType: Shopping Cart Settings,Default settings for Shopping Cart,Impostazioni predefinite per il carrello acquisti +DocType: Quiz,Score out of 100,Punteggio su 100 DocType: Manufacturing Settings,Capacity Planning,Pianificazione della capacità apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Vai a Istruttori DocType: Activity Cost,Projects,progetti @@ -2301,6 +2318,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Dal momento apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Rapporto dettagli varianti +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Per l'acquisto apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Gli slot per {0} non vengono aggiunti alla pianificazione DocType: Target Detail,Target Distribution,Distribuzione target @@ -2318,6 +2336,7 @@ DocType: Activity Cost,Activity Cost,Costo dell'attività DocType: Journal Entry,Payment Order,Ordine di pagamento apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Prezzi ,Item Delivery Date,Data di consegna dell'articolo +DocType: Quality Goal,January-April-July-October,Gennaio-Aprile-Luglio-Ottobre DocType: Purchase Order Item,Warehouse and Reference,Magazzino e riferimento apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,L'account con nodi figlio non può essere convertito in libro mastro DocType: Soil Texture,Clay Composition (%),Composizione di argilla (%) @@ -2368,6 +2387,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Date future non consen apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Riga {0}: impostare la Modalità di pagamento nella pianificazione dei pagamenti apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Termine accademico: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Parametro di feedback di qualità apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Si prega di selezionare Apply Discount On apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Riga # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Pagamenti totali @@ -2410,7 +2430,7 @@ DocType: Hub Tracked Item,Hub Node,Nodo hub apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Numero Identità dell'impiegato DocType: Salary Structure Assignment,Salary Structure Assignment,Assegnazione delle retribuzioni DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Tasse di chiusura del POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Azione inizializzata +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Azione inizializzata DocType: POS Profile,Applicable for Users,Applicabile per gli utenti DocType: Training Event,Exam,Esame apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Rilevato numero errato di voci di contabilità generale. Potresti aver selezionato un Account sbagliato nella transazione. @@ -2517,6 +2537,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Longitudine DocType: Accounts Settings,Determine Address Tax Category From,Determinare la categoria di imposta sugli indirizzi da apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Identificare i Decision Maker +DocType: Stock Entry Detail,Reference Purchase Receipt,Ricevuta di acquisto di riferimento apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Ottieni invocazioni DocType: Tally Migration,Is Day Book Data Imported,I dati del libro del giorno sono importati ,Sales Partners Commission,Commissione per i partner di vendita @@ -2540,6 +2561,7 @@ DocType: Leave Type,Applicable After (Working Days),Applicabile dopo (giorni lav DocType: Timesheet Detail,Hrs,hrs DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Criteri della scheda punteggi del fornitore DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parametro del modello di feedback di qualità apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,La data di unione deve essere maggiore della data di nascita DocType: Bank Statement Transaction Invoice Item,Invoice Date,Data fattura DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Crea test di laboratorio su Fattura di vendita Invia @@ -2646,7 +2668,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Valore minimo consent DocType: Stock Entry,Source Warehouse Address,Indirizzo del magazzino di origine DocType: Compensatory Leave Request,Compensatory Leave Request,Richiesta di congedo compensativo DocType: Lead,Mobile No.,Numero di cellulare -DocType: Quality Goal,July,luglio +DocType: GSTR 3B Report,July,luglio apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC idoneo DocType: Fertilizer,Density (if liquid),Densità (se liquido) DocType: Employee,External Work History,Storia del lavoro esterno @@ -2723,6 +2745,7 @@ DocType: Certification Application,Certification Status,Stato di certificazione apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},La posizione di origine è richiesta per la risorsa {0} DocType: Employee,Encashment Date,Data dell'incarico apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Selezionare la data di completamento per il registro di manutenzione delle attività completato +DocType: Quiz,Latest Attempt,Ultimo tentativo DocType: Leave Block List,Allow Users,Consenti agli utenti apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Piano dei conti apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Il cliente è obbligatorio se 'Opportunità da' è selezionato come Cliente @@ -2787,7 +2810,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Configurazione Score DocType: Amazon MWS Settings,Amazon MWS Settings,Impostazioni Amazon MWS DocType: Program Enrollment,Walking,A piedi DocType: SMS Log,Requested Numbers,Numeri richiesti -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configurare le serie di numerazione per Presenze tramite Setup> Numerazione serie DocType: Woocommerce Settings,Freight and Forwarding Account,Conto di spedizione e spedizione apps/erpnext/erpnext/accounts/party.py,Please select a Company,Si prega di selezionare una società apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Riga {0}: {1} deve essere maggiore di 0 @@ -2857,7 +2879,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Fatture eme DocType: Training Event,Seminar,Seminario apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Credito ({0}) DocType: Payment Request,Subscription Plans,Piani di abbonamento -DocType: Quality Goal,March,marzo +DocType: GSTR 3B Report,March,marzo apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Split Batch DocType: School House,House Name,Nome della casa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Eccezionale per {0} non può essere inferiore a zero ({1}) @@ -2920,7 +2942,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Data di inizio dell'assicurazione DocType: Target Detail,Target Detail,Dettaglio obiettivo DocType: Packing Slip,Net Weight UOM,UOM peso netto -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 articolo: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Importo netto (valuta della società) DocType: Bank Statement Transaction Settings Item,Mapped Data,Dati mappati apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Titoli e depositi @@ -2970,6 +2991,7 @@ DocType: Cheque Print Template,Cheque Height,Controlla altezza apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Si prega di inserire la data di scarico. DocType: Loyalty Program,Loyalty Program Help,Aiuto per programmi fedeltà DocType: Journal Entry,Inter Company Journal Entry Reference,Riferimento per l'inserimento del giornale dell'Inter Company +DocType: Quality Meeting,Agenda,ordine del giorno DocType: Quality Action,Corrective,correttivo apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Raggruppa per DocType: Bank Account,Address and Contact,Indirizzo e contatto @@ -3023,7 +3045,7 @@ DocType: GL Entry,Credit Amount,Ammontare del credito apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Importo totale accreditato DocType: Support Search Source,Post Route Key List,Elenco delle chiavi del percorso postale apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} non in qualsiasi Anno fiscale attivo. -DocType: Quality Action Table,Problem,Problema +DocType: Quality Action Resolution,Problem,Problema DocType: Training Event,Conference,Conferenza DocType: Mode of Payment Account,Mode of Payment Account,Modalità del conto di pagamento DocType: Leave Encashment,Encashable days,Giorni incastrili @@ -3149,7 +3171,7 @@ DocType: Item,"Purchase, Replenishment Details","Acquisto, dettagli di rifornime DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Una volta impostata, questa fattura sarà in attesa fino alla data impostata" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Lo stock non può esistere per l'articolo {0} poiché ha varianti DocType: Lab Test Template,Grouped,raggruppate -DocType: Quality Goal,January,gennaio +DocType: GSTR 3B Report,January,gennaio DocType: Course Assessment Criteria,Course Assessment Criteria,Criteri di valutazione del corso DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Qtà completata @@ -3245,7 +3267,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Tipo di unit apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Si prega di inserire atleast 1 fattura nella tabella apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Ordine di vendita {0} non inviato apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,La frequenza è stata contrassegnata con successo. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Pre-vendita +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pre-vendita apps/erpnext/erpnext/config/projects.py,Project master.,Capo del progetto DocType: Daily Work Summary,Daily Work Summary,Riepilogo del lavoro giornaliero DocType: Asset,Partially Depreciated,Depreciated parziale @@ -3254,6 +3276,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Lasciare incustodito? DocType: Certified Consultant,Discuss ID,Discutere ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Si prega di impostare account GST in Impostazioni GST +DocType: Quiz,Latest Highest Score,Ultimo punteggio più alto DocType: Supplier,Billing Currency,Valuta di fatturazione apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Attività dello studente apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,O target qty o target amount è obbligatorio @@ -3279,18 +3302,21 @@ DocType: Sales Order,Not Delivered,Non consegnato apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Il tipo di lasciare {0} non può essere assegnato poiché è lasciato senza paga DocType: GL Entry,Debit Amount,Importo di debito 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} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Sottogruppi 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 prevalgono più regole di determinazione dei prezzi, agli utenti viene chiesto di impostare manualmente la priorità per risolvere i conflitti." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Impossibile dedurre quando la categoria è per 'Valutazione' o 'Valutazione e Totale' apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM e quantità di produzione sono obbligatori apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},L'articolo {0} ha esaurito la vita su {1} DocType: Quality Inspection Reading,Reading 6,Lettura 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Il campo dell'azienda è obbligatorio apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Il consumo di materiale non è impostato nelle impostazioni di produzione. DocType: Assessment Group,Assessment Group Name,Nome del gruppo di valutazione -DocType: Item,Manufacturer Part Number,codice articolo del costruttore +DocType: Purchase Invoice Item,Manufacturer Part Number,codice articolo del costruttore apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payrollable apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Riga # {0}: {1} non può essere negativo per l'articolo {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Qtà di equilibrio +DocType: Question,Multiple Correct Answer,Risposta corretta multipla DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Punti fedeltà = Quanta valuta di base? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Nota: non c'è abbastanza bilancio di congedi per tipo di uscita {0} DocType: Clinical Procedure,Inpatient Record,Record ospedaliero @@ -3413,6 +3439,7 @@ DocType: Fee Schedule Program,Total Students,Studenti totali apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Locale DocType: Chapter Member,Leave Reason,Lascia ragione DocType: Salary Component,Condition and Formula,Condizione e Formula +DocType: Quality Goal,Objectives,obiettivi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Lo stipendio già elaborato per il periodo compreso tra {0} e {1}, lascia il periodo di applicazione non può essere compreso tra questo intervallo di date." DocType: BOM Item,Basic Rate (Company Currency),Tariffa base (valuta della compagnia) DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item @@ -3463,6 +3490,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Conto spese apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nessun rimborso disponibile per l'inserimento prima nota apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} è studente inattivo +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Fai l'entrata di riserva DocType: Employee Onboarding,Activities,attività apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Almeno un magazzino è obbligatorio ,Customer Credit Balance,Saldo del credito cliente @@ -3547,7 +3575,6 @@ DocType: Contract,Contract Terms,Termini del contratto apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,O target qty o target amount è obbligatorio. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},{0} non valido DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Data dell'incontro DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,L'abbreviazione non può contenere più di 5 caratteri DocType: Employee Benefit Application,Max Benefits (Yearly),Benefici massimi (annuale) @@ -3650,7 +3677,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Spese bancarie apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Merci trasferite apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Dettagli del contatto principale -DocType: Quality Review,Values,Valori 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 selezionato, l'elenco dovrà essere aggiunto a ciascun dipartimento in cui deve essere applicato." DocType: Item Group,Show this slideshow at the top of the page,Mostra questa presentazione nella parte superiore della pagina apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Il parametro {0} non è valido @@ -3669,6 +3695,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Conto spese bancarie DocType: Journal Entry,Get Outstanding Invoices,Ottieni fatture eccezionali DocType: Opportunity,Opportunity From,Opportunità da +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Dettagli obiettivo DocType: Item,Customer Code,Codice CLIENTE apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Si prega di inserire prima l'articolo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Elenco dei siti web @@ -3697,7 +3724,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Consegnare a DocType: Bank Statement Transaction Settings Item,Bank Data,Dati bancari apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Pianificato fino a -DocType: Quality Goal,Everyday,Ogni giorno DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Mantenere le ore di fatturazione e le ore di lavoro uguali su Timesheet apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Traccia i lead per lead source. DocType: Clinical Procedure,Nursing User,Utente infermieristico @@ -3722,7 +3748,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Gestisci l'albero DocType: GL Entry,Voucher Type,Tipo di giustificativo ,Serial No Service Contract Expiry,Seriale Nessuna scadenza del contratto di assistenza DocType: Certification Application,Certified,Certificato -DocType: Material Request Plan Item,Manufacture,Produzione +DocType: Purchase Invoice Item,Manufacture,Produzione apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} articoli prodotti apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Richiesta di pagamento per {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Giorni dall'ultimo ordine @@ -3737,7 +3763,7 @@ DocType: Sales Invoice,Company Address Name,Nome indirizzo azienda apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Merci in transito apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Puoi riscattare solo {0} punti in questo ordine. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Imposta l'account in Magazzino {0} -DocType: Quality Action Table,Resolution,Risoluzione +DocType: Quality Action,Resolution,Risoluzione DocType: Sales Invoice,Loyalty Points Redemption,Punti fedeltà Punti di riscatto apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Totale valore imponibile DocType: Patient Appointment,Scheduled,In programma @@ -3858,6 +3884,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Vota apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Salvataggio di {0} DocType: SMS Center,Total Message(s),Messaggio / i totale / i +DocType: Purchase Invoice,Accounting Dimensions,Dimensioni contabili apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Raggruppa per account DocType: Quotation,In Words will be visible once you save the Quotation.,In Words sarà visibile una volta salvata la citazione. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Quantità da produrre @@ -4022,7 +4049,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,I apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Se hai qualche domanda, per favore torna da noi." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Ricevuta di acquisto {0} non inviata DocType: Task,Total Expense Claim (via Expense Claim),Richiesta di spesa totale (tramite rimborso spese) -DocType: Quality Action,Quality Goal,Obiettivo di qualità +DocType: Quality Goal,Quality Goal,Obiettivo di qualità DocType: Support Settings,Support Portal,Portale di supporto apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},La data di fine dell'attività {0} non può essere inferiore alla {1} data di inizio prevista {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Il dipendente {0} è in attesa su {1} @@ -4081,7 +4108,6 @@ DocType: BOM,Operating Cost (Company Currency),Costo operativo (valuta della soc DocType: Item Price,Item Price,Prezzo dell'articolo DocType: Payment Entry,Party Name,Nome del partito apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Si prega di selezionare un cliente -DocType: Course,Course Intro,Introduzione al corso DocType: Program Enrollment Tool,New Program,Nuovo programma apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Numero del nuovo centro di costo, sarà incluso nel nome del centro di costo come prefisso" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Seleziona il cliente o il fornitore. @@ -4282,6 +4308,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,La retribuzione netta non può essere negativa apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,No di interazioni 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} # Item {1} non può essere trasferita più di {2} rispetto all'ordine di acquisto {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Cambio apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Elaborazione del piano dei conti e delle parti DocType: Stock Settings,Convert Item Description to Clean HTML,Converti la descrizione dell'oggetto in Pulisci HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Tutti i gruppi di fornitori @@ -4360,6 +4387,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Articolo principale apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,mediazione apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Crea una ricevuta di acquisto o una fattura di acquisto per l'articolo {0} +,Product Bundle Balance,Bilanciamento del pacchetto di prodotti apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Il nome dell'azienda non può essere la compagnia DocType: Maintenance Visit,Breakdown,Abbattersi DocType: Inpatient Record,B Negative,B Negativo @@ -4368,7 +4396,7 @@ DocType: Purchase Invoice,Credit To,Credito a apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Invia questo ordine di lavoro per ulteriori elaborazioni. DocType: Bank Guarantee,Bank Guarantee Number,Numero di garanzia bancaria apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Consegnato: {0} -DocType: Quality Action,Under Review,In fase di revisione +DocType: Quality Meeting Table,Under Review,In fase di revisione apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Agricoltura (beta) ,Average Commission Rate,Commissione media DocType: Sales Invoice,Customer's Purchase Order Date,Data dell'ordine di acquisto del cliente @@ -4485,7 +4513,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Abbina i pagamenti con le fatture DocType: Holiday List,Weekly Off,Settimanale spento apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Non consentire di impostare un articolo alternativo per l'articolo {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Il programma {0} non esiste. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Il programma {0} non esiste. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Non è possibile modificare il nodo principale. DocType: Fee Schedule,Student Category,Categoria dello studente apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Articolo {0}: {1} qty prodotto," @@ -4576,8 +4604,8 @@ DocType: Crop,Crop Spacing,Spaziatura 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. DocType: Pricing Rule,Period Settings,Impostazioni del periodo apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Variazione netta in crediti clienti +DocType: Quality Feedback Template,Quality Feedback Template,Modello di feedback di qualità apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Per Quantità deve essere maggiore di zero -DocType: Quality Goal,Goal Objectives,Obiettivi obiettivo 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" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Lascia vuoto se fai gruppi di studenti all'anno apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Prestiti (passività) @@ -4612,12 +4640,13 @@ DocType: Quality Procedure Table,Step,Passo DocType: Normal Test Items,Result Value,Valore del risultato DocType: Cash Flow Mapping,Is Income Tax Liability,È responsabilità di imposta sul reddito DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Visita in carica ospedaliera -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} non esiste. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} non esiste. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Risposta all'aggiornamento DocType: Bank Guarantee,Supplier,Fornitore apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Inserisci il valore betweeen {0} e {1} DocType: Purchase Order,Order Confirmation Date,Data di conferma dell'ordine DocType: Delivery Trip,Calculate Estimated Arrival Times,Calcola i tempi di arrivo stimati +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 HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,consumabili DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Data di inizio dell'iscrizione @@ -4681,6 +4710,7 @@ DocType: Cheque Print Template,Is Account Payable,È pagabile l'account apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Valore totale dell'ordine apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Fornitore {0} non trovato in {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Configura le impostazioni del gateway SMS +DocType: Salary Component,Round to the Nearest Integer,Arrotonda al numero intero più vicino apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Il root non può avere un centro di costo principale DocType: Healthcare Service Unit,Allow Appointments,Consenti appuntamenti DocType: BOM,Show Operations,Mostra operazioni @@ -4809,7 +4839,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Elenco delle vacanze predefinito DocType: Naming Series,Current Value,Valore corrente apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Stagionalità per stabilire budget, obiettivi, ecc." -DocType: Program,Program Code,Codice del programma apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Avviso: l'ordine di vendita {0} esiste già rispetto all'ordine di acquisto del cliente {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Target di vendita mensile ( DocType: Guardian,Guardian Interests,Interessi del guardiano @@ -4859,10 +4888,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Pagato e non consegnato apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Il codice articolo è obbligatorio perché l'articolo non viene numerato automaticamente DocType: GST HSN Code,HSN Code,Codice HSN -DocType: Quality Goal,September,settembre +DocType: GSTR 3B Report,September,settembre apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Spese amministrative DocType: C-Form,C-Form No,C-Form n DocType: Purchase Invoice,End date of current invoice's period,Data di fine del periodo di fatturazione corrente +DocType: Item,Manufacturers,Produttori DocType: Crop Cycle,Crop Cycle,Ciclo del raccolto DocType: Serial No,Creation Time,Tempo di creazione apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Inserisci il ruolo di approvazione o l'utente che approva @@ -4935,8 +4965,6 @@ DocType: Employee,Short biography for website and other publications.,Breve biog DocType: Purchase Invoice Item,Received Qty,Qta ricevuta DocType: Purchase Invoice Item,Rate (Company Currency),Tasso (valuta della società) DocType: Item Reorder,Request for,Richiesta di -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Per favore cancella il Dipendente {0} \ per cancellare questo documento" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Installare i preset apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Si prega di inserire i periodi di rimborso DocType: Pricing Rule,Advanced Settings,Impostazioni avanzate @@ -4962,7 +4990,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Abilita carrello acquisti DocType: Pricing Rule,Apply Rule On Other,Applicare la regola su altro DocType: Vehicle,Last Carbon Check,Ultimo controllo del carbonio -DocType: Vehicle,Make,Rendere +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Rendere apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Fattura di vendita {0} creata come pagata apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,È necessario creare un documento di riferimento per la richiesta di pagamento apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Tassa sul reddito @@ -5038,7 +5066,6 @@ DocType: Territory,Parent Territory,Territorio dei genitori DocType: Vehicle Log,Odometer Reading,Lettura del contachilometri DocType: Additional Salary,Salary Slip,Busta paga DocType: Payroll Entry,Payroll Frequency,Frequenza del libro paga -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 HR apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Le date di inizio e di fine non sono in un periodo di stipendio valido, non è possibile calcolare {0}" DocType: Products Settings,Home Page is Products,La pagina iniziale è Prodotti apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,chiamate @@ -5092,7 +5119,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Recupero dei record ...... DocType: Delivery Stop,Contact Information,Informazioni sui contatti DocType: Sales Order Item,For Production,Per la produzione -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Installa il Sistema di denominazione degli istruttori in Istruzione> Impostazioni istruzione DocType: Serial No,Asset Details,Dettagli del bene DocType: Restaurant Reservation,Reservation Time,Tempo di prenotazione DocType: Selling Settings,Default Territory,Territorio predefinito @@ -5232,6 +5258,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Lotti scaduti DocType: Shipping Rule,Shipping Rule Type,Tipo di regola di spedizione DocType: Job Offer,Accepted,Accettato +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Per favore cancella il Dipendente {0} \ per cancellare questo documento" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Hai già valutato i criteri di valutazione {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Seleziona numeri di serie apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Età (giorni) @@ -5248,6 +5276,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Raggruppa articoli al momento della vendita. DocType: Payment Reconciliation Payment,Allocated Amount,Importo assegnato apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Si prega di selezionare Società e designazione +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'Data' è richiesta DocType: Email Digest,Bank Credit Balance,Saldo del credito bancario apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Mostra quantità cumulativa apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Non hai abbastanza Punti fedeltà da riscattare @@ -5308,11 +5337,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Sul totale riga preced DocType: Student,Student Email Address,Indirizzo email dello studente DocType: Academic Term,Education,Formazione scolastica DocType: Supplier Quotation,Supplier Address,Indirizzo del fornitore -DocType: Salary Component,Do not include in total,Non includere in totale +DocType: Salary Detail,Do not include in total,Non includere in totale 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. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} non esiste DocType: Purchase Receipt Item,Rejected Quantity,Quantità rifiutata DocType: Cashier Closing,To TIme,Per il tempo +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 articolo: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Utente del gruppo di riepilogo del lavoro giornaliero DocType: Fiscal Year Company,Fiscal Year Company,Società dell'anno fiscale apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,L'articolo alternativo non deve essere uguale al codice articolo @@ -5422,7 +5452,6 @@ DocType: Fee Schedule,Send Payment Request Email,Invia email di richiesta di pag DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,In Words sarà visibile una volta salvata la Fattura di vendita. DocType: Sales Invoice,Sales Team1,Team di vendita1 DocType: Work Order,Required Items,Articoli richiesti -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Caratteri speciali ad eccezione di "-", "#", "." e "/" non consentito nelle serie di denominazione" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Leggi il manuale ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Controllare l'unicità della fattura del fornitore apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Cerca sottogruppi @@ -5490,7 +5519,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Detrazione percentuale 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: Share Balance,To No,Al no DocType: Leave Control Panel,Allocate Leaves,Assegna le foglie -DocType: Quiz,Last Attempt,Ultimo tentativo DocType: Assessment Result,Student Name,Nome dello studente apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Pianificare le visite di manutenzione. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Le seguenti richieste di materiale sono state sollevate automaticamente in base al livello di riordino dell'articolo @@ -5559,6 +5587,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Colore indicatore DocType: Item Variant Settings,Copy Fields to Variant,Copia i campi su Variant DocType: Soil Texture,Sandy Loam,Terreno sabbioso +DocType: Question,Single Correct Answer,Singola risposta corretta apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Dalla data non può essere inferiore alla data di iscrizione del dipendente DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Consentire più ordini di vendita rispetto all'ordine di acquisto di un cliente apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5621,7 +5650,7 @@ DocType: Account,Expenses Included In Valuation,Spese incluse nella valutazione apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Numeri seriali DocType: Salary Slip,Deductions,deduzioni ,Supplier-Wise Sales Analytics,Analisi delle vendite corrette per fornitori -DocType: Quality Goal,February,febbraio +DocType: GSTR 3B Report,February,febbraio DocType: Appraisal,For Employee,Per il dipendente apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Data di consegna effettiva DocType: Sales Partner,Sales Partner Name,Nome del partner di vendita @@ -5717,7 +5746,6 @@ DocType: Procedure Prescription,Procedure Created,Procedura creata apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Contro la fattura fornitore {0} datata {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Cambia profilo POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Crea Lead -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornitore> Tipo di fornitore DocType: Shopify Settings,Default Customer,Cliente predefinito DocType: Payment Entry Reference,Supplier Invoice No,Fattura fornitore n DocType: Pricing Rule,Mixed Conditions,Condizioni miste @@ -5768,12 +5796,14 @@ DocType: Item,End of Life,Fine della vita DocType: Lab Test Template,Sensitivity,sensibilità DocType: Territory,Territory Targets,Obiettivi del territorio apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Ignora Lascia allocazione per i seguenti dipendenti, poiché i record di allocazione di lasciare esistono già contro di loro. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Risoluzione delle azioni di qualità DocType: Sales Invoice Item,Delivered By Supplier,Consegnato dal fornitore DocType: Agriculture Analysis Criteria,Plant Analysis,Analisi delle piante apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},L'account di spesa è obbligatorio per l'articolo {0} ,Subcontracted Raw Materials To Be Transferred,Materie prime subappaltate da trasferire DocType: Cashier Closing,Cashier Closing,Chiusura del cassiere apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,L'articolo {0} è già stato restituito +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN non valido! L'input inserito non corrisponde al formato GSTIN per i titolari di UIN o i fornitori di servizi OIDAR non residenti apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Il magazzino figlio esiste per questo magazzino. Non è possibile cancellare questo magazzino. DocType: Diagnosis,Diagnosis,Diagnosi apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Non c'è periodo di ferie tra {0} e {1} @@ -5790,6 +5820,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Impostazioni di autorizzazio DocType: Homepage,Products,Prodotti ,Profit and Loss Statement,Conto profitti e perdite apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Camere prenotate +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Entrata duplicata contro il codice articolo {0} e il produttore {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Peso totale apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Viaggio @@ -5838,6 +5869,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Gruppo clienti predefinito DocType: Journal Entry Account,Debit in Company Currency,Addebito nella valuta della società DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",La serie di fallback è "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Agenda per riunioni di qualità DocType: Cash Flow Mapper,Section Header,Intestazione di sezione apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,I tuoi prodotti o servizi DocType: Crop,Perennial,Perenne @@ -5883,7 +5915,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Un prodotto o servizio acquistato, venduto o tenuto in magazzino." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Chiusura (apertura + totale) DocType: Supplier Scorecard Criteria,Criteria Formula,Formula dei criteri -,Support Analytics,Support Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Support Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Revisione e azione DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Se l'account è bloccato, le voci sono consentite agli utenti con restrizioni." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Importo dopo l'ammortamento @@ -5928,7 +5960,6 @@ DocType: Contract Template,Contract Terms and Conditions,Termini e condizioni de apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Recupera dati DocType: Stock Settings,Default Item Group,Gruppo di articoli predefinito DocType: Sales Invoice Timesheet,Billing Hours,Ore di fatturazione -DocType: Item,Item Code for Suppliers,Codice articolo per fornitori 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} DocType: Pricing Rule,Margin Type,Tipo di margine DocType: Purchase Invoice Item,Rejected Serial No,Rifiutato numero di serie @@ -6001,6 +6032,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Le foglie sono state concesse con successo DocType: Loyalty Point Entry,Expiry Date,Data di scadenza DocType: Project Task,Working,Lavoro +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ha già una procedura padre {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Questo si basa sulle transazioni contro questo paziente. Vedi la cronologia qui sotto per i dettagli DocType: Material Request,Requested For,Richiesto per DocType: SMS Center,All Sales Person,Tutte le vendite persona @@ -6088,6 +6120,7 @@ DocType: Loan Type,Maximum Loan Amount,Importo massimo di prestito apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Email non trovata nel contatto predefinito DocType: Hotel Room Reservation,Booked,prenotato DocType: Maintenance Visit,Partially Completed,Parzialmente completato +DocType: Quality Procedure Process,Process Description,Descrizione del processo DocType: Company,Default Employee Advance Account,Account avanzato dei dipendenti predefinito DocType: Leave Type,Allow Negative Balance,Consenti saldo negativo apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Nome del piano di valutazione @@ -6129,6 +6162,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Richiesta di preventivo apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} immesso due volte in IVA articolo DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Detrarre l'intera imposta sulla data del libro paga selezionato +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,L'ultima data di controllo del carbonio non può essere una data futura apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Seleziona l'importo della modifica dell'account DocType: Support Settings,Forum Posts,Messaggi del forum DocType: Timesheet Detail,Expected Hrs,Ore previste @@ -6138,7 +6172,7 @@ DocType: Program Enrollment Tool,Enroll Students,Iscriviti agli studenti apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Ripeti le entrate del cliente DocType: Company,Date of Commencement,Data di inizio DocType: Bank,Bank Name,Nome della banca -DocType: Quality Goal,December,dicembre +DocType: GSTR 3B Report,December,dicembre apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,La data valida deve essere inferiore a quella valida apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Questo è basato sulla presenza di questo Dipendente DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Se selezionato, la Home page sarà il Gruppo di articoli predefinito per il sito web" @@ -6181,6 +6215,7 @@ DocType: Payment Entry,Payment Type,Modalità di pagamento apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,I numeri del folio non corrispondono DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Controllo qualità: {0} non viene inviato per l'articolo: {1} nella riga {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Mostra {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} elemento trovato. ,Stock Ageing,Invecchiamento DocType: Customer Group,Mention if non-standard receivable account applicable,Indicare se è applicabile un conto crediti non standard @@ -6459,6 +6494,7 @@ DocType: Travel Request,Costing,costing apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Risorse fisse DocType: Purchase Order,Ref SQ,Rif. SQ DocType: Salary Structure,Total Earning,Guadagno totale +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Gruppo clienti> Territorio DocType: Share Balance,From No,Dal n DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Pagamento fattura di riconciliazione DocType: Purchase Invoice,Taxes and Charges Added,Tasse e costi aggiunti @@ -6466,7 +6502,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Considerare tasse DocType: Authorization Rule,Authorized Value,Valore autorizzato apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Ricevuto da apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Il magazzino {0} non esiste +DocType: Item Manufacturer,Item Manufacturer,Articolo Produttore DocType: Sales Invoice,Sales Team,Gruppo Vendite +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Qtà del pacchetto DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM DocType: Installation Note,Installation Date,Data di installazione DocType: Email Digest,New Quotations,Nuove citazioni @@ -6530,7 +6568,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Nome della lista delle festività DocType: Water Analysis,Collection Temperature ,Temperatura di raccolta DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Gestisci la fattura di appuntamento invia e annulla automaticamente per l'incontro del paziente -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Impostare Serie di denominazione per {0} tramite Impostazione> Impostazioni> Serie di denominazione DocType: Employee Benefit Claim,Claim Date,Data del reclamo DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Lascia vuoto se il Fornitore è bloccato a tempo indeterminato apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,La frequenza dalla data e la frequenza alla data sono obbligatorie @@ -6541,6 +6578,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Data del pensionamento apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Si prega di selezionare Paziente DocType: Asset,Straight Line,Retta +DocType: Quality Action,Resolutions,risoluzioni DocType: SMS Log,No of Sent SMS,No di SMS inviati ,GST Itemised Sales Register,Registro delle vendite dettagliate di GST apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,L'importo totale anticipato non può essere maggiore dell'importo sanzionato totale @@ -6651,7 +6689,7 @@ DocType: Account,Profit and Loss,Profitti e perdite apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Qtà diff DocType: Asset Finance Book,Written Down Value,Valore Scritto apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Equilibrio di apertura -DocType: Quality Goal,April,aprile +DocType: GSTR 3B Report,April,aprile DocType: Supplier,Credit Limit,Limite di credito apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Distribuzione apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6706,6 +6744,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Connetti Shopify con ERPNext DocType: Homepage Section Card,Subtitle,Sottotitolo DocType: Soil Texture,Loam,terra grassa +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornitore> Tipo di fornitore DocType: BOM,Scrap Material Cost(Company Currency),Costo del materiale di scarto (valuta della società) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,La bolla di consegna {0} non deve essere inviata DocType: Task,Actual Start Date (via Time Sheet),Data di inizio effettiva (tramite foglio di lavoro) @@ -6761,7 +6800,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosaggio DocType: Cheque Print Template,Starting position from top edge,Posizione di partenza dal bordo superiore apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Durata dell'appuntamento (min) -DocType: Pricing Rule,Disable,disattivare +DocType: Accounting Dimension,Disable,disattivare DocType: Email Digest,Purchase Orders to Receive,Ordini d'acquisto da ricevere apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Gli ordini di produzione non possono essere raccolti per: DocType: Projects Settings,Ignore Employee Time Overlap,Ignora sovrapposizione tempo dipendente @@ -6845,6 +6884,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Crea m DocType: Item Attribute,Numeric Values,Valori numerici DocType: Delivery Note,Instructions,Istruzioni DocType: Blanket Order Item,Blanket Order Item,Articolo ordine coperta +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Obbligatorio per il conto profitti e perdite apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Il tasso della commissione non può essere superiore a 100 DocType: Course Topic,Course Topic,Argomento del corso DocType: Employee,This will restrict user access to other employee records,Ciò limiterà l'accesso degli utenti ad altri record dei dipendenti @@ -6869,12 +6909,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Gestione delle apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Ottieni clienti da apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Denunciare a +DocType: Video,YouTube,Youtube DocType: Party Account,Party Account,Account del partito DocType: Assessment Plan,Schedule,Programma apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Prego entra DocType: Lead,Channel Partner,Partner di canale apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Importo fatturato DocType: Project,From Template,Dal modello +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Sottoscrizioni apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Quantità da fare DocType: Quality Review Table,Achieved,Raggiunto @@ -6921,7 +6963,6 @@ DocType: Journal Entry,Subscription Section,Sezione di abbonamento DocType: Salary Slip,Payment Days,Giorni di pagamento apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Volontariato apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Blocca Stock Più vecchi di 'dovrebbe essere inferiore a% d giorni. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Seleziona Anno fiscale DocType: Bank Reconciliation,Total Amount,Importo totale DocType: Certification Application,Non Profit,Non profitto DocType: Subscription Settings,Cancel Invoice After Grace Period,Annulla fattura dopo periodo di tolleranza @@ -6934,7 +6975,6 @@ DocType: Serial No,Warranty Period (Days),Periodo di garanzia (giorni) DocType: Expense Claim Detail,Expense Claim Detail,Dettaglio reclamo spese apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programma: DocType: Patient Medical Record,Patient Medical Record,Cartella clinica del paziente -DocType: Quality Action,Action Description,Descrizione dell'azione DocType: Item,Variant Based On,Variante basata su DocType: Vehicle Service,Brake Oil,Olio per freni DocType: Employee,Create User,Creare un utente @@ -6990,7 +7030,7 @@ DocType: Cash Flow Mapper,Section Name,Nome della sezione DocType: Packed Item,Packed Item,Articolo confezionato apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: per il {2} è richiesto un importo di debito o di credito apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Invio di buste salariali ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Nessuna azione +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Nessuna azione apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Il budget non può essere assegnato a {0}, in quanto non è un conto entrate o uscite" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Master e Conti DocType: Quality Procedure Table,Responsible Individual,Individuo responsabile @@ -7113,7 +7153,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Consenti creazione di account a fronte di società figlio DocType: Payment Entry,Company Bank Account,Conto bancario aziendale DocType: Amazon MWS Settings,UK,UK -DocType: Quality Procedure,Procedure Steps,Procedura Passi DocType: Normal Test Items,Normal Test Items,Articoli di prova normali apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Articolo {0}: la qtà ordinata {1} non può essere inferiore al numero minimo di ordine qty {2} (definito in Articolo). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Non in magazzino @@ -7192,7 +7231,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,analitica DocType: Maintenance Team Member,Maintenance Role,Ruolo di manutenzione apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Modello di termini e condizioni DocType: Fee Schedule Program,Fee Schedule Program,Programma tariffario -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Il corso {0} non esiste. DocType: Project Task,Make Timesheet,Crea scheda attività DocType: Production Plan Item,Production Plan Item,Articolo del piano di produzione apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Studente totale @@ -7214,6 +7252,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Avvolgendo apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Puoi rinnovare solo se la tua iscrizione scade entro 30 giorni apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Il valore deve essere compreso tra {0} e {1} +DocType: Quality Feedback,Parameters,parametri ,Sales Partner Transaction Summary,Riepilogo transazioni partner di vendita DocType: Asset Maintenance,Maintenance Manager Name,Nome del responsabile della manutenzione apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,È necessario recuperare i dettagli dell'articolo. @@ -7252,6 +7291,7 @@ DocType: Student Admission,Student Admission,Ammissione degli studenti DocType: Designation Skill,Skill,Abilità DocType: Budget Account,Budget Account,Conto di bilancio DocType: Employee Transfer,Create New Employee Id,Crea un nuovo ID dipendente +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} è richiesto per l'account 'Profit and Loss' {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Imposta sui beni e servizi (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Creazione di buste salariali ... DocType: Employee Skill,Employee Skill,Abilità dei dipendenti @@ -7352,6 +7392,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Fattura separ DocType: Subscription,Days Until Due,Days Until Due apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Mostra completato apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Rapporto di registrazione delle transazioni bancarie +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Deatils della banca apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Riga # {0}: la tariffa deve essere uguale a {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Articoli per servizi sanitari @@ -7408,6 +7449,7 @@ DocType: Training Event Employee,Invited,Invitato apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},L'importo massimo ammissibile per il componente {0} supera {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Importo da pagare apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","Per {0}, solo gli account di debito possono essere collegati a un'altra voce di credito" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Creare dimensioni ... DocType: Bank Statement Transaction Entry,Payable Account,Conto pagabile apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,"Per favore, non menzionare le visite richieste" DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Selezionare solo se sono stati impostati i documenti del Flow Flow Mapper @@ -7425,6 +7467,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,S DocType: Service Level,Resolution Time,Tempo di risoluzione DocType: Grading Scale Interval,Grade Description,Descrizione del grado DocType: Homepage Section,Cards,Carte +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Verbale della riunione della qualità DocType: Linked Plant Analysis,Linked Plant Analysis,Analisi delle piante collegate apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,La data di interruzione del servizio non può essere successiva alla data di fine del servizio apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Imposta il limite B2C nelle impostazioni GST. @@ -7459,7 +7502,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Strumento di partecip DocType: Employee,Educational Qualification,Titolo di studio apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Valore accessibile apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},La quantità di esempio {0} non può essere superiore alla quantità ricevuta {1} -DocType: Quiz,Last Highest Score,Ultimo punteggio più alto DocType: POS Profile,Taxes and Charges,Tasse e spese DocType: Opportunity,Contact Mobile No,Contatta il cellulare no DocType: Employee,Joining Details,Unire i dettagli diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv index 6ccd8717d8..392f275d7a 100644 --- a/erpnext/translations/ja.csv +++ b/erpnext/translations/ja.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,サプライヤ部品番号 DocType: Journal Entry Account,Party Balance,パーティーの残高 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),資金源(負債) DocType: Payroll Period,Taxable Salary Slabs,課税対象給与スラブ +DocType: Quality Action,Quality Feedback,品質フィードバック DocType: Support Settings,Support Settings,サポート設定 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,最初に製造品目を入力してください DocType: Quiz,Grading Basis,採点基準 @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,もっと詳し DocType: Salary Component,Earning,収益 DocType: Restaurant Order Entry,Click Enter To Add,追加をクリックしてください DocType: Employee Group,Employee Group,従業員グループ +DocType: Quality Procedure,Processes,プロセス DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ある通貨を別の通貨に変換するための為替レートの指定 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,エイジングレンジ4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},在庫に必要な倉庫品目{0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,苦情 DocType: Shipping Rule,Restrict to Countries,国に制限する DocType: Hub Tracked Item,Item Manager,アイテム管理 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},決算口座の通貨は{0}である必要があります +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,予算 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,請求書明細を開く DocType: Work Order,Plan material for sub-assemblies,部分組立品の計画品目 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,ハードウェア DocType: Budget,Action if Annual Budget Exceeded on MR,MRで年間予算を超えた場合の対応 DocType: Sales Invoice Advance,Advance Amount,前払い額 +DocType: Accounting Dimension,Dimension Name,ディメンション名 DocType: Delivery Note Item,Against Sales Invoice Item,売上請求明細に対する DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-YYYY- DocType: BOM Explosion Item,Include Item In Manufacturing,製造に品目を含める @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,それは何を ,Sales Invoice Trends,販売請求書の傾向 DocType: Bank Reconciliation,Payment Entries,支払いエントリ DocType: Employee Education,Class / Percentage,クラス/割合 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド ,Electronic Invoice Register,電子請求書レジスタ DocType: Sales Invoice,Is Return (Credit Note),返品です(クレジットノート) DocType: Lab Test Sample,Lab Test Sample,ラボテストサンプル @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,変種 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",選択した金額に従って、商品の数量または金額に応じて料金が分配されます。 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,今日の保留中のアクティビティ +DocType: Quality Procedure Process,Quality Procedure Process,品質管理プロセス DocType: Fee Schedule Program,Student Batch,学生バッチ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},行{0}の品目に必要な評価率 DocType: BOM Operation,Base Hour Rate(Company Currency),基本時間レート(会社の通貨) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,シリアル番号なし入力に基づくトランザクションの数量の設定 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},前払いアカウントの通貨は会社の通貨と同じである必要があります{0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,ホームページセクションをカスタマイズする -DocType: Quality Goal,October,10月 +DocType: GSTR 3B Report,October,10月 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,販売取引から顧客の納税者番号を隠す apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTINが無効です。 GSTINは15文字でなければなりません。 apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,価格設定ルール{0}が更新されました @@ -397,7 +401,7 @@ DocType: Leave Encashment,Leave Balance,バランスを残す apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},メンテナンススケジュール{0}が{1}に対して存在します DocType: Assessment Plan,Supervisor Name,スーパーバイザー名 DocType: Selling Settings,Campaign Naming By,キャンペーンの命名 -DocType: Course,Course Code,コースコード +DocType: Student Group Creation Tool Course,Course Code,コースコード apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,航空宇宙 DocType: Landed Cost Voucher,Distribute Charges Based On,に基づいて料金を配賦する DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,サプライヤスコアカードの採点基準 @@ -479,10 +483,8 @@ DocType: Restaurant Menu,Restaurant Menu,レストランメニュー DocType: Asset Movement,Purpose,目的 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,従業員の給与構造割当はすでに存在します DocType: Clinical Procedure,Service Unit,サービス部門 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,顧客>顧客グループ>地域 DocType: Travel Request,Identification Document Number,身分証明資料番号 DocType: Stock Entry,Additional Costs,追加費用 -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",親コース(これが親コースの一部でない場合は空白のままにします) DocType: Employee Education,Employee Education,従業員教育 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,現在の従業員数を下回ることはできません apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,すべての顧客グループ @@ -529,6 +531,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,行{0}:数量は必須です DocType: Sales Invoice,Against Income Account,収入アカウントに対して apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:既存の資産に対して購入請求書を作成できません{1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,さまざまなプロモーションスキームを適用するための規則。 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOMに必要なUOM変換係数:アイテム:{1}の{0} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},商品{0}の数量を入力してください DocType: Workstation,Electricity Cost,電気代 @@ -862,7 +865,6 @@ DocType: Item,Total Projected Qty,予測総数量 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,爆弾 DocType: Work Order,Actual Start Date,実際の開始日 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,補償休暇申請日の間は終日出席していません -DocType: Company,About the Company,会社について apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,金融口座の木。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,間接所得 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,ホテルの部屋予約項目 @@ -877,6 +879,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,潜在的な DocType: Skill,Skill Name,スキル名 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,レポートカードを印刷する DocType: Soil Texture,Ternary Plot,三点図 +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,サポートチケット DocType: Asset Category Account,Fixed Asset Account,固定資産口座 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,最新 @@ -886,6 +889,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,プログラム登 ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,使用するシリーズを設定してください。 DocType: Delivery Trip,Distance UOM,距離単位 +DocType: Accounting Dimension,Mandatory For Balance Sheet,貸借対照表に必須 DocType: Payment Entry,Total Allocated Amount,合計配分額 DocType: Sales Invoice,Get Advances Received,前払い金を受け取る DocType: Student,B-,B- @@ -909,6 +913,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,保全スケジュ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POSエントリを作成するために必要なPOSプロファイル DocType: Education Settings,Enable LMS,LMSを有効にする DocType: POS Closing Voucher,Sales Invoices Summary,売上請求書の概要 +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,メリット apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,貸方勘定は貸借対照表勘定でなければなりません DocType: Video,Duration,期間 DocType: Lab Test Template,Descriptive,記述的 @@ -960,6 +965,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,開始日と終了日 DocType: Supplier Scorecard,Notify Employee,従業員への通知 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,ソフトウェア +DocType: Program,Allow Self Enroll,自己登録を許可 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,株式経費 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,参照日を入力した場合、参照番号は必須です。 DocType: Training Event,Workshop,ワークショップ @@ -1012,6 +1018,7 @@ DocType: Lab Test Template,Lab Test Template,ラボテストテンプレート apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},最大:{0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,電子請求情報がありません apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,材料要求は作成されていません +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド DocType: Loan,Total Amount Paid,支払った合計金額 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,これらの商品はすべて請求済みです DocType: Training Event,Trainer Name,トレーナー名 @@ -1033,6 +1040,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,学年 DocType: Sales Stage,Stage Name,芸名 DocType: SMS Center,All Employee (Active),全従業員(アクティブ) +DocType: Accounting Dimension,Accounting Dimension,会計ディメンション DocType: Project,Customer Details,顧客の詳細 DocType: Buying Settings,Default Supplier Group,デフォルトのサプライヤグループ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,最初に購入領収書{0}をキャンセルしてください @@ -1147,7 +1155,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority",数字が大き DocType: Designation,Required Skills,必要なスキル DocType: Marketplace Settings,Disable Marketplace,マーケットプレイスを無効にする DocType: Budget,Action if Annual Budget Exceeded on Actual,年間予算が実績を超えた場合の対応 -DocType: Course,Course Abbreviation,コースの略語 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,休暇中に{1}として{0}への出席依頼が送信されませんでした。 DocType: Pricing Rule,Promotional Scheme Id,プロモーションスキームID apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},タスク{0}の終了日を{1}の予想終了日{2}より大きくすることはできません @@ -1290,7 +1297,7 @@ DocType: Bank Guarantee,Margin Money,証拠金 DocType: Chapter,Chapter,章 DocType: Purchase Receipt Item Supplied,Current Stock,現在の在庫 DocType: Employee,History In Company,会社の歴史 -DocType: Item,Manufacturer,メーカー +DocType: Purchase Invoice Item,Manufacturer,メーカー apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,中程度の感度 DocType: Compensatory Leave Request,Leave Allocation,割り当てを残す DocType: Timesheet,Timesheet,タイムシート @@ -1321,6 +1328,7 @@ DocType: Work Order,Material Transferred for Manufacturing,製造に転送され DocType: Products Settings,Hide Variants,バリアントを隠す DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,キャパシティプランニングとタイムトラッキングを無効にする DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,*取引で計算されます。 +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,'貸借対照表'アカウント{1}に{0}が必要です。 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0}は{1}との取引を許可されていません。会社を変更してください。 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}の購入領収書を作成する必要があります。 DocType: Delivery Trip,Delivery Details,配達の詳細 @@ -1356,7 +1364,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,前の apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,測定単位 DocType: Lab Test,Test Template,テストテンプレート DocType: Fertilizer,Fertilizer Contents,肥料の内容 -apps/erpnext/erpnext/utilities/user_progress.py,Minute,分 +DocType: Quality Meeting Minutes,Minute,分 apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:アセット{1}を送信できません。すでに{2}です DocType: Task,Actual Time (in Hours),実時間(時間) DocType: Period Closing Voucher,Closing Account Head,決算アカウントヘッド @@ -1529,7 +1537,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,実験室 DocType: Purchase Order,To Bill,ビルへ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,光熱費 DocType: Manufacturing Settings,Time Between Operations (in mins),操作間の時間(分) -DocType: Quality Goal,May,5月 +DocType: GSTR 3B Report,May,5月 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",支払いゲートウェイアカウントが作成されていません。手動で作成してください。 DocType: Opening Invoice Creation Tool,Purchase,購入 DocType: Program Enrollment,School House,スクールハウス @@ -1561,6 +1569,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,サプライヤーに関する法定情報およびその他の一般情報 DocType: Item Default,Default Selling Cost Center,デフォルト販売原価センタ DocType: Sales Partner,Address & Contacts,住所と連絡先 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,[設定]> [採番シリーズ]で出席用の採番シリーズを設定してください。 DocType: Subscriber,Subscriber,加入者 apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form / Item / {0})は在庫切れです apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,最初に投稿日を選択してください @@ -1588,6 +1597,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,入院料 DocType: Bank Statement Settings,Transaction Data Mapping,トランザクションデータマッピング apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,リードには、個人の名前または組織の名前が必要です。 DocType: Student,Guardians,保護者 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,[教育]> [教育設定]で講師命名システムを設定してください。 apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ブランドを選択 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,中所得 DocType: Shipping Rule,Calculate Based On,に基づいて計算 @@ -1599,7 +1609,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,経費請求前払 DocType: Purchase Invoice,Rounding Adjustment (Company Currency),丸め調整(会社通貨) DocType: Item,Publish in Hub,ハブに公開 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,8月 +DocType: GSTR 3B Report,August,8月 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,最初に購入領収書を入力してください apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,開始年 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),ターゲット({}) @@ -1618,6 +1628,7 @@ DocType: Item,Max Sample Quantity,最大サンプル数量 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ソース倉庫とターゲット倉庫は異なる必要があります DocType: Employee Benefit Application,Benefits Applied,適用される利点 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,ジャーナル項目{0}に対して、一致しない{1}項目がありません +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series"," - "、 "#"、 "。"、 "/"、 "{"、および "}"以外の特殊文字は、一連の名前付けでは使用できません apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,価格または製品の割引版が必要です apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ターゲットを設定する apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},学生{1}に対して出席記録{0}が存在します @@ -1633,10 +1644,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,月あたり DocType: Routing,Routing Name,ルーティング名 DocType: Disease,Common Name,一般名 -DocType: Quality Goal,Measurable,測定可能 DocType: Education Settings,LMS Title,LMSのタイトル apps/erpnext/erpnext/config/non_profit.py,Loan Management,ローン管理 -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,サポートアナリティクス DocType: Clinical Procedure,Consumable Total Amount,消費可能総額 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,テンプレートを有効にする apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,顧客LPO @@ -1776,6 +1785,7 @@ DocType: Restaurant Order Entry Item,Served,配信済み DocType: Loan,Member,メンバー DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,開業医サービスユニットスケジュール apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,電信送金 +DocType: Quality Review Objective,Quality Review Objective,品質レビューの目的 DocType: Bank Reconciliation Detail,Against Account,アカウントに対して DocType: Projects Settings,Projects Settings,プロジェクト設定 apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},実績数量{0} /待機数量{1} @@ -1804,6 +1814,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,会計年度の終了日は会計年度の開始日から1年後にする必要があります apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,毎日のリマインダ DocType: Item,Default Sales Unit of Measure,デフォルトの販売数量単位 +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,会社GSTIN DocType: Asset Finance Book,Rate of Depreciation,減価償却率 DocType: Support Search Source,Post Description Key,投稿説明キー DocType: Loyalty Program Collection,Minimum Total Spent,最小合計消費 @@ -1875,6 +1886,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,選択した顧客の顧客グループを変更することはできません。 DocType: Serial No,Creation Document Type,登録伝票タイプ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,倉庫での利用可能なバッチ数量 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,請求書の合計 apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,これはルート領域であり、編集できません。 DocType: Patient,Surgical History,手術歴 apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,品質手順のツリー @@ -1979,6 +1991,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,ウェブサイトに表示したい場合はこれをチェックしてください apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,会計年度{0}が見つかりません DocType: Bank Statement Settings,Bank Statement Settings,銀行取引明細書の設定 +DocType: Quality Procedure Process,Link existing Quality Procedure.,既存の品質管理手順をリンクする。 +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,CSV / Excelファイルから勘定科目表のインポート DocType: Appraisal Goal,Score (0-5),スコア(0〜5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,属性テーブルで属性{0}が複数回選択されています DocType: Purchase Invoice,Debit Note Issued,デビットノート発行 @@ -1987,7 +2001,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,ポリシー詳細を残す apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,システムに倉庫が見つかりません DocType: Healthcare Practitioner,OP Consulting Charge,OPコンサルティングチャージ -DocType: Quality Goal,Measurable Goal,測定可能な目標 DocType: Bank Statement Transaction Payment Item,Invoices,請求書 DocType: Currency Exchange,Currency Exchange,為替 DocType: Payroll Entry,Fortnightly,隔週 @@ -2050,6 +2063,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1}は送信されません DocType: Work Order,Backflush raw materials from work-in-progress warehouse,仕掛品倉庫からの原材料のバックフラッシュ DocType: Maintenance Team Member,Maintenance Team Member,メンテナンスチームメンバー +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,会計用のカスタムディメンションの設定 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,最適成長のための植物の列間の最小距離 DocType: Employee Health Insurance,Health Insurance Name,健康保険の名前 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,ストック資産 @@ -2082,7 +2096,7 @@ DocType: Delivery Note,Billing Address Name,請求先住所名 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,代替アイテム DocType: Certification Application,Name of Applicant,申請者の名前 DocType: Leave Type,Earned Leave,稼いだ休暇 -DocType: Quality Goal,June,六月 +DocType: GSTR 3B Report,June,六月 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},行{0}:原価センタは品目{1}に必要です apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},{0}による承認が可能 apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,換算係数テーブルに数量単位{0}が複数回入力されました @@ -2103,6 +2117,7 @@ DocType: Lab Test Template,Standard Selling Rate,標準販売レート apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},レストラン{0}のアクティブメニューを設定してください 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: Asset Finance Book,Asset Finance Book,アセットファイナンスブック +DocType: Quality Goal Objective,Quality Goal Objective,品質目標 DocType: Employee Transfer,Employee Transfer,従業員の異動 ,Sales Funnel,セールスファンネル DocType: Agriculture Analysis Criteria,Water Analysis,水質分析 @@ -2141,6 +2156,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,従業員譲渡 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,保留中のアクティビティ apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,あなたの顧客のいくつかを挙げなさい。彼らは組織や個人かもしれません。 DocType: Bank Guarantee,Bank Account Info,銀行口座情報 +DocType: Quality Goal,Weekday,平日 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,保護者1の名前 DocType: Salary Component,Variable Based On Taxable Salary,課税給与に基づく変数 DocType: Accounting Period,Accounting Period,会計期間 @@ -2225,7 +2241,7 @@ DocType: Purchase Invoice,Rounding Adjustment,丸め調整 DocType: Quality Review Table,Quality Review Table,品質レビュー表 DocType: Member,Membership Expiry Date,会員の有効期限 DocType: Asset Finance Book,Expected Value After Useful Life,耐用年数後の期待値 -DocType: Quality Goal,November,11月 +DocType: GSTR 3B Report,November,11月 DocType: Loan Application,Rate of Interest,利率 DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,銀行取引明細書トランザクション支払明細 DocType: Restaurant Reservation,Waitlisted,待機中 @@ -2289,6 +2305,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}",行{0}:{1}の周期性を設定するには、開始日と終了日の差が{2}以上である必要があります DocType: Purchase Invoice Item,Valuation Rate,評価率 DocType: Shopping Cart Settings,Default settings for Shopping Cart,ショッピングカートのデフォルト設定 +DocType: Quiz,Score out of 100,100点満点 DocType: Manufacturing Settings,Capacity Planning,キャパシティプランニング apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,インストラクターへ DocType: Activity Cost,Projects,プロジェクト @@ -2298,6 +2315,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,時間から apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,バリアント詳細レポート +,BOM Explorer,BOMエクスプローラ DocType: Currency Exchange,For Buying,購入する apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0}のスロットはスケジュールに追加されません DocType: Target Detail,Target Distribution,目標配分 @@ -2315,6 +2333,7 @@ DocType: Activity Cost,Activity Cost,活動コスト DocType: Journal Entry,Payment Order,支払い注文 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,価格設定 ,Item Delivery Date,商品の配達日 +DocType: Quality Goal,January-April-July-October,1月 - 4月 - 7月 - 10月 DocType: Purchase Order Item,Warehouse and Reference,倉庫と参照 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,子ノードを持つアカウントは元帳に変換できません DocType: Soil Texture,Clay Composition (%),粘土組成(%) @@ -2365,6 +2384,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,将来の日付は許 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,バラエンス apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,行{0}:支払いスケジュールに支払い方法を設定してください apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,学術用語: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,品質フィードバックパラメータ apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,[割引を適用]を選択してください apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,行番号{0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,総支払い @@ -2407,7 +2427,7 @@ DocType: Hub Tracked Item,Hub Node,ハブノード apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,従業員ID DocType: Salary Structure Assignment,Salary Structure Assignment,給与構造の割り当て DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POSクローズ伝票税 -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,初期化されたアクション +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,初期化されたアクション DocType: POS Profile,Applicable for Users,ユーザーに適用 DocType: Training Event,Exam,試験 apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,総勘定元帳エントリの数が正しくありません。取引で間違った口座を選択した可能性があります。 @@ -2514,6 +2534,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,経度 DocType: Accounts Settings,Determine Address Tax Category From,住所税カテゴリの決定元 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,意思決定者の特定 +DocType: Stock Entry Detail,Reference Purchase Receipt,参照購入領収書 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,呼び出しを受ける DocType: Tally Migration,Is Day Book Data Imported,Day Bookのデータがインポートされたか ,Sales Partners Commission,セールスパートナーズコミッション @@ -2537,6 +2558,7 @@ DocType: Leave Type,Applicable After (Working Days),適用日後(営業日) DocType: Timesheet Detail,Hrs,時間 DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,サプライヤスコアカード基準 DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,品質フィードバックテンプレートパラメータ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,入会日は生年月日より大きくなければなりません DocType: Bank Statement Transaction Invoice Item,Invoice Date,請求書の日付 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,売上請求書にラボテストを作成する @@ -2643,7 +2665,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,最小許容値 DocType: Stock Entry,Source Warehouse Address,ソース倉庫住所 DocType: Compensatory Leave Request,Compensatory Leave Request,補償休暇申請 DocType: Lead,Mobile No.,携帯電話番号 -DocType: Quality Goal,July,7月 +DocType: GSTR 3B Report,July,7月 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,対象となるITC DocType: Fertilizer,Density (if liquid),密度(液体の場合) DocType: Employee,External Work History,社外勤務履歴 @@ -2720,6 +2742,7 @@ DocType: Certification Application,Certification Status,認証ステータス apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},資産{0}にはソースの場所が必要です DocType: Employee,Encashment Date,納入日 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,完了資産保全ログの完了日を選択してください +DocType: Quiz,Latest Attempt,最新の試み DocType: Leave Block List,Allow Users,ユーザーを許可 apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,勘定科目一覧表 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,「商談の開始日」が顧客として選択されている場合、顧客は必須です。 @@ -2784,7 +2807,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,サプライヤス DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWSの設定 DocType: Program Enrollment,Walking,歩く DocType: SMS Log,Requested Numbers,要求番号 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,[設定]> [採番シリーズ]で出席用の採番シリーズを設定してください。 DocType: Woocommerce Settings,Freight and Forwarding Account,貨物運送口座 apps/erpnext/erpnext/accounts/party.py,Please select a Company,会社を選択してください apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,行{0}:{1}は0より大きくなければなりません @@ -2854,7 +2876,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,請求書 DocType: Training Event,Seminar,セミナー apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),クレジット({0}) DocType: Payment Request,Subscription Plans,購読プラン -DocType: Quality Goal,March,行進 +DocType: GSTR 3B Report,March,行進 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,分割バッチ DocType: School House,House Name,家名 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0}の未処理数をゼロ({1})より小さくすることはできません @@ -2917,7 +2939,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,保険開始日 DocType: Target Detail,Target Detail,ターゲット詳細 DocType: Packing Slip,Net Weight UOM,正味重量単位 -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},品目{2}の単位変換係数({0} - > {1})が見つかりません DocType: Purchase Invoice Item,Net Amount (Company Currency),正味額(会社通貨) DocType: Bank Statement Transaction Settings Item,Mapped Data,マッピングデータ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,有価証券および預金 @@ -2967,6 +2988,7 @@ DocType: Cheque Print Template,Cheque Height,高さをチェック apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,救済日を入力してください。 DocType: Loyalty Program,Loyalty Program Help,ロイヤルティプログラムヘルプ DocType: Journal Entry,Inter Company Journal Entry Reference,会社間仕訳入力参照 +DocType: Quality Meeting,Agenda,議題 DocType: Quality Action,Corrective,是正 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,グループ化 DocType: Bank Account,Address and Contact,住所と連絡先 @@ -3020,7 +3042,7 @@ DocType: GL Entry,Credit Amount,クレジット金額 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,クレジット総額 DocType: Support Search Source,Post Route Key List,ポストルートキーリスト apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1}はアクティブな会計年度にありません。 -DocType: Quality Action Table,Problem,問題 +DocType: Quality Action Resolution,Problem,問題 DocType: Training Event,Conference,会議 DocType: Mode of Payment Account,Mode of Payment Account,支払いアカウントのモード DocType: Leave Encashment,Encashable days,楽しい日 @@ -3146,7 +3168,7 @@ DocType: Item,"Purchase, Replenishment Details",購入、補充の詳細 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",設定後、この請求書は設定日まで保留されます apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,バリアントがあるため、アイテム{0}の在庫は存在できません DocType: Lab Test Template,Grouped,グループ化 -DocType: Quality Goal,January,1月 +DocType: GSTR 3B Report,January,1月 DocType: Course Assessment Criteria,Course Assessment Criteria,コース評価基準 DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,完成した数量 @@ -3242,7 +3264,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,医療サー apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,テーブルに少なくとも1つの請求書を入力してください apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,販売注文{0}は送信されません apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,出席は正常にマークされました。 -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,プリセールス +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,プリセールス apps/erpnext/erpnext/config/projects.py,Project master.,プロジェクトマスター DocType: Daily Work Summary,Daily Work Summary,デイリーワークサマリー DocType: Asset,Partially Depreciated,一部減価償却 @@ -3251,6 +3273,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,隠したままにしますか? DocType: Certified Consultant,Discuss ID,IDについて話し合う apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,GST設定でGSTアカウントを設定してください +DocType: Quiz,Latest Highest Score,最新の最高得点 DocType: Supplier,Billing Currency,請求通貨 apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,学生の活動 apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,目標数量または目標金額のいずれかが必須です @@ -3276,18 +3299,21 @@ DocType: Sales Order,Not Delivered,未配達 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,有給休暇なしのため、休暇タイプ{0}を割り当てることはできません DocType: GL Entry,Debit Amount,借方金額 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},アイテム{0}のレコードは既に存在します +DocType: Video,Vimeo,ビメオ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,サブアセンブリ 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.",複数の価格設定ルールが優先する場合は、競合を解決するために手動で優先順位を設定するように求められます。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',カテゴリが「評価」または「評価と合計」の場合は差し引かれません apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOMと製造数量が必要です apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},アイテム{0}は、{1}に寿命に達しました DocType: Quality Inspection Reading,Reading 6,読む6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,会社フィールドは必須です apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,製造設定で品目消費が設定されていません。 DocType: Assessment Group,Assessment Group Name,評価グループ名 -DocType: Item,Manufacturer Part Number,製造業者識別番号 +DocType: Purchase Invoice Item,Manufacturer Part Number,製造業者識別番号 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,給与計算 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},行#{0}:{1}は項目{2}に対して負にすることはできません apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,バランス数量 +DocType: Question,Multiple Correct Answer,多重正解 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1ロイヤリティポイント=基本通貨はいくらですか。 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},注:休暇タイプ{0}の休暇残高が十分ではありません DocType: Clinical Procedure,Inpatient Record,入院記録 @@ -3410,6 +3436,7 @@ DocType: Fee Schedule Program,Total Students,総学生 apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,地元 DocType: Chapter Member,Leave Reason,理由を残す DocType: Salary Component,Condition and Formula,条件と式 +DocType: Quality Goal,Objectives,目的 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",給与はすでに{0}から{1}の期間に処理されています。休暇期間はこの日付範囲内にすることはできません。 DocType: BOM Item,Basic Rate (Company Currency),基本レート(会社通貨) DocType: BOM Scrap Item,BOM Scrap Item,BOMスクラップ明細 @@ -3460,6 +3487,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP -YYYY- DocType: Expense Claim Account,Expense Claim Account,経費請求アカウント apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,仕訳入力に対する返済はありません。 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1}は非アクティブな学生です +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,在庫登録 DocType: Employee Onboarding,Activities,アクティビティ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,少なくとも1つの倉庫は必須です ,Customer Credit Balance,顧客のクレジットバランス @@ -3544,7 +3572,6 @@ DocType: Contract,Contract Terms,契約条件 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,目標数量または目標金額のいずれかが必須です。 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},無効な{0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,ミーティング日 DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-YYYY- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,略語は5文字を超えることはできません DocType: Employee Benefit Application,Max Benefits (Yearly),最大のメリット(年間) @@ -3647,7 +3674,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,銀行手数料 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,転送された商品 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,主な連絡先の詳細 -DocType: Quality Review,Values,値 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",チェックされていない場合、リストは適用されなければならない各部署に追加されなければなりません。 DocType: Item Group,Show this slideshow at the top of the page,このスライドショーをページ上部に表示する apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0}パラメータが無効です @@ -3666,6 +3692,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,銀行手数料アカウント DocType: Journal Entry,Get Outstanding Invoices,未払い請求書を取得する DocType: Opportunity,Opportunity From,からの機会 +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,ターゲット詳細 DocType: Item,Customer Code,顧客コード apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,最初に商品を入力してください apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,ウェブサイトのリスト @@ -3694,7 +3721,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,へ配達する DocType: Bank Statement Transaction Settings Item,Bank Data,銀行データ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,予定日 -DocType: Quality Goal,Everyday,毎日 DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,タイムシートで請求時間と勤務時間を同じに維持する apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,リードソース別にリードを追跡します。 DocType: Clinical Procedure,Nursing User,看護ユーザー @@ -3719,7 +3745,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,テリトリーツリ DocType: GL Entry,Voucher Type,伝票タイプ ,Serial No Service Contract Expiry,シリアルサービス契約の期限切れ DocType: Certification Application,Certified,認定済み -DocType: Material Request Plan Item,Manufacture,製造 +DocType: Purchase Invoice Item,Manufacture,製造 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0}個の商品が生産されました apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0}の支払い要求 apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,ラストオーダーからの日数 @@ -3734,7 +3760,7 @@ DocType: Sales Invoice,Company Address Name,会社の住所名 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,輸送中の商品 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,あなたはこの順序で最大{0}ポイントのみを引き換えることができます。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},倉庫{0}にアカウントを設定してください -DocType: Quality Action Table,Resolution,解決 +DocType: Quality Action,Resolution,解決 DocType: Sales Invoice,Loyalty Points Redemption,ロイヤルティポイントの引き換え apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,課税総額 DocType: Patient Appointment,Scheduled,予定 @@ -3855,6 +3881,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,レート apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},{0}を保存しています DocType: SMS Center,Total Message(s),合計メッセージ数 +DocType: Purchase Invoice,Accounting Dimensions,会計ディメンション apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,アカウントでグループ化 DocType: Quotation,In Words will be visible once you save the Quotation.,見積を保存すると、単語が表示されます。 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,生産する数量 @@ -4019,7 +4046,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.",ご質問がありましたら、私たちに戻ってください。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,購入領収書{0}は送信されません DocType: Task,Total Expense Claim (via Expense Claim),総経費請求(経費請求による) -DocType: Quality Action,Quality Goal,品質目標 +DocType: Quality Goal,Quality Goal,品質目標 DocType: Support Settings,Support Portal,サポートポータル apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},タスク{0}の終了日を{1}予想開始日{2}より小さくすることはできません apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},従業員{0}は在籍しています{1}に在籍します @@ -4078,7 +4105,6 @@ DocType: BOM,Operating Cost (Company Currency),運用コスト(会社通貨) DocType: Item Price,Item Price,商品の価格 DocType: Payment Entry,Party Name,パーティー名 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,顧客を選択してください -DocType: Course,Course Intro,コース紹介 DocType: Program Enrollment Tool,New Program,新プログラム apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix",新しい原価センタの番号。プレフィックスとして原価センタ名に含まれます。 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,顧客またはサプライヤを選択してください。 @@ -4279,6 +4305,7 @@ DocType: Customer,CUST-.YYYY.-,CUST -YYYY- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,純支払額はマイナスになることはできません apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,インタラクション数 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/hr/doctype/employee/employee_dashboard.py,Shift,シフト apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,勘定および締約国処理チャート DocType: Stock Settings,Convert Item Description to Clean HTML,商品説明をきれいなHTMLに変換する apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,すべてのサプライヤーグループ @@ -4357,6 +4384,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,親アイテム apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,仲介 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},商品の購入受領書または購入請求書を作成してください{0} +,Product Bundle Balance,商品バンドルバランス apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,会社名を会社にすることはできません DocType: Maintenance Visit,Breakdown,壊す DocType: Inpatient Record,B Negative,Bマイナス @@ -4365,7 +4393,7 @@ DocType: Purchase Invoice,Credit To,クレジット先 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,この作業指示書をさらに処理するために送信してください。 DocType: Bank Guarantee,Bank Guarantee Number,銀行保証番号 apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},配信済み:{0} -DocType: Quality Action,Under Review,レビュー中 +DocType: Quality Meeting Table,Under Review,レビュー中 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),農業(ベータ版) ,Average Commission Rate,平均コミッションレート DocType: Sales Invoice,Customer's Purchase Order Date,顧客の発注日 @@ -4482,7 +4510,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,支払いと請求書の照合 DocType: Holiday List,Weekly Off,毎週オフ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},アイテム{0}に代替アイテムを設定できません -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,プログラム{0}が存在しません。 +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,プログラム{0}が存在しません。 apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,ルートノードは編集できません。 DocType: Fee Schedule,Student Category,学生カテゴリー apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",商品{0}:{1}個生産 @@ -4573,8 +4601,8 @@ DocType: Crop,Crop Spacing,クロップ間隔 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,販売取引に基づいてプロジェクトと会社を更新する頻度。 DocType: Pricing Rule,Period Settings,期間設定 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,売掛金の純増減 +DocType: Quality Feedback Template,Quality Feedback Template,品質フィードバックテンプレート apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,数量はゼロより大きくなければならない -DocType: Quality Goal,Goal Objectives,目標の目的 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",利率、株式数と計算された金額の間に矛盾があります。 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,年間生徒グループを作成する場合は空白のままにしてください apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ローン(負債) @@ -4609,12 +4637,13 @@ DocType: Quality Procedure Table,Step,ステップ DocType: Normal Test Items,Result Value,結果値 DocType: Cash Flow Mapping,Is Income Tax Liability,所得税は納税義務ですか DocType: Healthcare Practitioner,Inpatient Visit Charge Item,入院患者チャージ -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1}は存在しません。 +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1}は存在しません。 apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,更新レスポンス DocType: Bank Guarantee,Supplier,サプライヤー apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},{0}と{1}の間の値を入力してください DocType: Purchase Order,Order Confirmation Date,注文確認日 DocType: Delivery Trip,Calculate Estimated Arrival Times,到着予定時刻を計算する +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,人事管理>人事管理設定で従業員命名システムを設定してください。 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,消耗品 DocType: Instructor,EDU-INS-.YYYY.-,エドゥイン-YYYY- DocType: Subscription,Subscription Start Date,購読開始日 @@ -4678,6 +4707,7 @@ DocType: Cheque Print Template,Is Account Payable,買掛金は apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,合計注文額 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},サプライヤー{0}が{1}に見つかりません apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,SMSゲートウェイ設定 +DocType: Salary Component,Round to the Nearest Integer,最も近い整数に丸める apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,ルートに親原価センタを含めることはできません DocType: Healthcare Service Unit,Allow Appointments,予定を許可する DocType: BOM,Show Operations,操作を表示 @@ -4806,7 +4836,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,デフォルトの休日リスト DocType: Naming Series,Current Value,現在の価値 apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",予算、目標などを設定するための季節性 -DocType: Program,Program Code,プログラムコード apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},警告:販売注文{0}はすでに顧客の購入注文{1}に対して存在します apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,月間売上目標( DocType: Guardian,Guardian Interests,保護者の興味 @@ -4856,10 +4885,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,支払済および未配達 apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,品目には自動的に番号が付けられないため、品目コードは必須です。 DocType: GST HSN Code,HSN Code,HSNコード -DocType: Quality Goal,September,9月 +DocType: GSTR 3B Report,September,9月 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,管理経費 DocType: C-Form,C-Form No,Cフォームいいえ DocType: Purchase Invoice,End date of current invoice's period,現在の請求書の期間の終了日 +DocType: Item,Manufacturers,メーカー DocType: Crop Cycle,Crop Cycle,作物周期 DocType: Serial No,Creation Time,作成時間 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,承認ロールまたは承認ユーザーを入力してください @@ -4932,8 +4962,6 @@ DocType: Employee,Short biography for website and other publications.,ウェブ DocType: Purchase Invoice Item,Received Qty,受け取った数量 DocType: Purchase Invoice Item,Rate (Company Currency),レート(会社通貨) DocType: Item Reorder,Request for,のリクエスト -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","このドキュメントをキャンセルするには、従業員{0} \を削除してください" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,プリセットをインストールする apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,返済期間を入力してください DocType: Pricing Rule,Advanced Settings,高度な設定 @@ -4959,7 +4987,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,ショッピングカートを有効にする DocType: Pricing Rule,Apply Rule On Other,他にルールを適用 DocType: Vehicle,Last Carbon Check,ラストカーボンチェック -DocType: Vehicle,Make,作る +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,作る apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,支払いとして作成された売上請求書{0} apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,支払請求参照文書を作成するには必須です apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,所得税 @@ -5035,7 +5063,6 @@ DocType: Territory,Parent Territory,親テリトリー DocType: Vehicle Log,Odometer Reading,走行距離計の読書 DocType: Additional Salary,Salary Slip,給与明細 DocType: Payroll Entry,Payroll Frequency,給与支払い頻度 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,人事管理>人事管理設定で従業員命名システムを設定してください。 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",開始日と終了日が有効な給与計算期間内にないため、{0}を計算できません DocType: Products Settings,Home Page is Products,ホームページは製品です apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,呼び出し @@ -5089,7 +5116,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,レコードを取得しています...... DocType: Delivery Stop,Contact Information,連絡先 DocType: Sales Order Item,For Production,生産用 -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,[教育]> [教育設定]で講師命名システムを設定してください。 DocType: Serial No,Asset Details,資産の詳細 DocType: Restaurant Reservation,Reservation Time,予約時間 DocType: Selling Settings,Default Territory,デフォルト地域 @@ -5229,6 +5255,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,期限切れのバッチ DocType: Shipping Rule,Shipping Rule Type,配送ルールの種類 DocType: Job Offer,Accepted,受け入れ済み +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","このドキュメントをキャンセルするには、従業員{0} \を削除してください" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,あなたはすでに評価基準{}を評価しました。 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,バッチ番号を選択 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),年齢(日数) @@ -5245,6 +5273,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,販売時に商品をまとめます。 DocType: Payment Reconciliation Payment,Allocated Amount,配分額 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,会社と指定を選択してください +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,「日付」は必須です DocType: Email Digest,Bank Credit Balance,銀行のクレジットバランス apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,累積金額を表示 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,引き換えるのに十分なポイントがありません @@ -5305,11 +5334,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,前の行の合計 DocType: Student,Student Email Address,学生のメールアドレス DocType: Academic Term,Education,教育 DocType: Supplier Quotation,Supplier Address,サプライヤアドレス -DocType: Salary Component,Do not include in total,合計に含めない +DocType: Salary Detail,Do not include in total,合計に含めない apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,会社に複数のデフォルト項目を設定することはできません。 apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}:{1}は存在しません DocType: Purchase Receipt Item,Rejected Quantity,拒否数量 DocType: Cashier Closing,To TIme,時間に +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},品目{2}の単位変換係数({0} - > {1})が見つかりません DocType: Daily Work Summary Group User,Daily Work Summary Group User,日課要約グループ・ユーザー DocType: Fiscal Year Company,Fiscal Year Company,年度会社 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,代替品目は品目コードと同じであってはなりません @@ -5419,7 +5449,6 @@ DocType: Fee Schedule,Send Payment Request Email,支払い要求メールを送 DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Sales Invoiceを保存するとWordで表示されます。 DocType: Sales Invoice,Sales Team1,営業チーム1 DocType: Work Order,Required Items,必須項目 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series"," - "、 "#"、 "。"以外の特殊文字と "/"は、命名シリーズでは使用できません apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,ERPNextマニュアルを読む DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,サプライヤ請求書番号の一意性の確認 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,サブアセンブリの検索 @@ -5487,7 +5516,6 @@ DocType: Taxable Salary Slab,Percent Deduction,控除率 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,生産する数量はゼロより小さくすることはできません DocType: Share Balance,To No,いいえに DocType: Leave Control Panel,Allocate Leaves,葉を割り当てる -DocType: Quiz,Last Attempt,最後の試行 DocType: Assessment Result,Student Name,学生の名前 apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,メンテナンス訪問を計画します。 apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,品目の再注文レベルに基づいて、以下の資材要求が自動的に発生しました @@ -5556,6 +5584,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,表示色 DocType: Item Variant Settings,Copy Fields to Variant,バリアントへの項目のコピー DocType: Soil Texture,Sandy Loam,サンディローム +DocType: Question,Single Correct Answer,単一の正解 apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,開始日は従業員の入社日より短くすることはできません DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,顧客の注文書に対して複数の販売注文を許可する apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5618,7 +5647,7 @@ DocType: Account,Expenses Included In Valuation,評価に含まれる費用 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,シリアルナンバー DocType: Salary Slip,Deductions,控除 ,Supplier-Wise Sales Analytics,サプライヤ別売上分析 -DocType: Quality Goal,February,2月 +DocType: GSTR 3B Report,February,2月 DocType: Appraisal,For Employee,従業員のために apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,実際の配達日 DocType: Sales Partner,Sales Partner Name,販売パートナー名 @@ -5714,7 +5743,6 @@ DocType: Procedure Prescription,Procedure Created,作成された手順 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},サプライヤ請求書に対する{0}の日付{1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POSプロファイルを変更する apps/erpnext/erpnext/utilities/activation.py,Create Lead,リードを作成 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,サプライヤー>サプライヤーの種類 DocType: Shopify Settings,Default Customer,デフォルトの顧客 DocType: Payment Entry Reference,Supplier Invoice No,仕入先請求書番号 DocType: Pricing Rule,Mixed Conditions,混合条件 @@ -5765,12 +5793,14 @@ DocType: Item,End of Life,人生の終わり DocType: Lab Test Template,Sensitivity,感度 DocType: Territory,Territory Targets,テリトリーターゲット apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",以下の従業員に対しては、休暇割当レコードがすでに存在するため、休暇割当をスキップします。 {0} +DocType: Quality Action Resolution,Quality Action Resolution,品質アクション決議 DocType: Sales Invoice Item,Delivered By Supplier,サプライヤーによる納入 DocType: Agriculture Analysis Criteria,Plant Analysis,植物分析 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},費用勘定科目は商品{0}に必須です ,Subcontracted Raw Materials To Be Transferred,外注先の原材料を転送する DocType: Cashier Closing,Cashier Closing,レジ係の終了 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,アイテム{0}は既に返されています +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTINが無効です。入力した入力が、UIN保有者または非居住者用OIDARサービスプロバイダのGSTIN形式と一致しません apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,この倉庫には子倉庫があります。この倉庫は削除できません。 DocType: Diagnosis,Diagnosis,診断 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0}と{1}の間に休暇はありません @@ -5786,6 +5816,7 @@ DocType: QuickBooks Migrator,Authorization Settings,認証設定 DocType: Homepage,Products,製品情報 ,Profit and Loss Statement,損益計算書 apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,予約した部屋 +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},商品コード{0}と製造元{1}に対する重複エントリ DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,総重量 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,旅行 @@ -5834,6 +5865,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,デフォルト顧客グループ DocType: Journal Entry Account,Debit in Company Currency,会社通貨での借方 DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",フォールバックシリーズは "SO-WOO-"です。 +DocType: Quality Meeting Agenda,Quality Meeting Agenda,質の高い会議の議題 DocType: Cash Flow Mapper,Section Header,セクションヘッダ apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,あなたの製品やサービス DocType: Crop,Perennial,多年生 @@ -5879,7 +5911,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",購入、販売、または在庫がある製品またはサービス。 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),決算(始値+総額) DocType: Supplier Scorecard Criteria,Criteria Formula,基準式 -,Support Analytics,サポート分析 +apps/erpnext/erpnext/config/support.py,Support Analytics,サポート分析 apps/erpnext/erpnext/config/quality_management.py,Review and Action,レビューと対処 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",アカウントが凍結されている場合、エントリは制限されたユーザーに許可されます。 apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,減価償却後の金額 @@ -5924,7 +5956,6 @@ DocType: Contract Template,Contract Terms and Conditions,契約条件 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,データを取得する DocType: Stock Settings,Default Item Group,デフォルト明細グループ DocType: Sales Invoice Timesheet,Billing Hours,請求時間 -DocType: Item,Item Code for Suppliers,サプライヤの品目コード apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},アプリケーション{0}を学生{1}に対してすでに存在させておく DocType: Pricing Rule,Margin Type,余白の種類 DocType: Purchase Invoice Item,Rejected Serial No,拒否されたシリアル番号 @@ -5997,6 +6028,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,葉が無事に許可されました DocType: Loyalty Point Entry,Expiry Date,有効期限 DocType: Project Task,Working,ワーキング +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0}にはすでに親プロシージャー{1}があります。 apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,これはこの患者に対する取引に基づいています。詳細は下記のタイムラインをご覧ください。 DocType: Material Request,Requested For,要求された DocType: SMS Center,All Sales Person,すべての営業担当者 @@ -6084,6 +6116,7 @@ DocType: Loan Type,Maximum Loan Amount,最大ローン金額 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,デフォルトの連絡先に電子メールが見つかりません DocType: Hotel Room Reservation,Booked,予約済み DocType: Maintenance Visit,Partially Completed,部分的に完了 +DocType: Quality Procedure Process,Process Description,過程説明 DocType: Company,Default Employee Advance Account,デフォルトの従業員前払い口座 DocType: Leave Type,Allow Negative Balance,マイナスバランスを許可 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,評価計画名 @@ -6125,6 +6158,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,見積品目のリクエスト apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0}が品目税に2回入力されました DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,選択した給与計算日に全税を控除する +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,最後のカーボンチェック日を未来の日にすることはできません apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,金額変更アカウントを選択 DocType: Support Settings,Forum Posts,フォーラム投稿 DocType: Timesheet Detail,Expected Hrs,予想される時間 @@ -6134,7 +6168,7 @@ DocType: Program Enrollment Tool,Enroll Students,学生を登録する apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,顧客の収入を繰り返す DocType: Company,Date of Commencement,開始日 DocType: Bank,Bank Name,銀行名 -DocType: Quality Goal,December,12月 +DocType: GSTR 3B Report,December,12月 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,有効開始日は有効更新日よりも短くなければなりません apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,これはこの従業員の出席に基づいています DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",チェックすると、ホームページがWebサイトのデフォルトのアイテムグループになります。 @@ -6177,6 +6211,7 @@ DocType: Payment Entry,Payment Type,支払いタイプ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,フォリオ番号が一致しません DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-YYYY- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},品質検査:{0}は、行{2}の品目:{1}に対して送信されていません +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},{0}を表示 apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0}アイテムが見つかりました。 ,Stock Ageing,在庫エージング DocType: Customer Group,Mention if non-standard receivable account applicable,非標準売掛金が適用可能かどうかの言及 @@ -6455,6 +6490,7 @@ DocType: Travel Request,Costing,原価計算 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,固定資産 DocType: Purchase Order,Ref SQ,参照SQ DocType: Salary Structure,Total Earning,総収入 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,顧客>顧客グループ>地域 DocType: Share Balance,From No,いいえから DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,支払い調整請求書 DocType: Purchase Invoice,Taxes and Charges Added,追加された税金 @@ -6462,7 +6498,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,の税金また DocType: Authorization Rule,Authorized Value,認定値 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,から受け取りました apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,倉庫{0}が存在しません +DocType: Item Manufacturer,Item Manufacturer,アイテムメーカー DocType: Sales Invoice,Sales Team,セールスチーム +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,バンドル数量 DocType: Purchase Order Item Supplied,Stock UOM,在庫単位 DocType: Installation Note,Installation Date,設置日 DocType: Email Digest,New Quotations,新しい見積もり @@ -6526,7 +6564,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,休日リスト名 DocType: Water Analysis,Collection Temperature ,収集温度 DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Patient Encounterの予約請求書の送信とキャンセルの管理 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,[設定]> [設定]> [命名シリーズ]で{0}の命名シリーズを設定してください。 DocType: Employee Benefit Claim,Claim Date,請求日 DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,サプライヤが無期限にブロックされている場合は空白のままにします apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,日付からの出席および日付への出席は必須です @@ -6537,6 +6574,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,退職日 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,患者を選択してください DocType: Asset,Straight Line,直線 +DocType: Quality Action,Resolutions,決議 DocType: SMS Log,No of Sent SMS,送信済みSMSの数 ,GST Itemised Sales Register,GST品目別売上高記録 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,前払い金の合計額を制裁金の合計額より大きくすることはできません @@ -6647,7 +6685,7 @@ DocType: Account,Profit and Loss,利益と損失 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,差分数量 DocType: Asset Finance Book,Written Down Value,評価額 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,期首残高エクイティ -DocType: Quality Goal,April,4月 +DocType: GSTR 3B Report,April,4月 DocType: Supplier,Credit Limit,クレジット制限 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,分布 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6702,6 +6740,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ShopifyとERPの接続 DocType: Homepage Section Card,Subtitle,字幕 DocType: Soil Texture,Loam,ローム +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,サプライヤー>サプライヤーの種類 DocType: BOM,Scrap Material Cost(Company Currency),不良品目原価(会社通貨) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,納品書{0}を送信しないでください。 DocType: Task,Actual Start Date (via Time Sheet),実際の開始日(タイムシート経由) @@ -6757,7 +6796,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,投与量 DocType: Cheque Print Template,Starting position from top edge,上端からの開始位置 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),予約期間(分) -DocType: Pricing Rule,Disable,無効にする +DocType: Accounting Dimension,Disable,無効にする DocType: Email Digest,Purchase Orders to Receive,受け取る注文書 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,プロダクションオーダーは DocType: Projects Settings,Ignore Employee Time Overlap,従業員の時間の重複を無視 @@ -6841,6 +6880,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,税テ DocType: Item Attribute,Numeric Values,数値 DocType: Delivery Note,Instructions,説明書 DocType: Blanket Order Item,Blanket Order Item,一括注文商品 +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,損益計算書には必須 apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,手数料率は100を超えることはできません DocType: Course Topic,Course Topic,コーストピック DocType: Employee,This will restrict user access to other employee records,これにより、他の従業員レコードへのユーザーアクセスが制限されます @@ -6865,12 +6905,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,購読管理 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,から顧客を獲得する apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0}ダイジェスト DocType: Employee,Reports to,に報告する +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,パーティー口座 DocType: Assessment Plan,Schedule,スケジュール apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,入ってください DocType: Lead,Channel Partner,チャネルパートナー apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,請求額 DocType: Project,From Template,テンプレートから +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,購読 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,作る量 DocType: Quality Review Table,Achieved,達成した @@ -6917,7 +6959,6 @@ DocType: Journal Entry,Subscription Section,購読セクション DocType: Salary Slip,Payment Days,支払い日数 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,ボランティア情報 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,「より古いストックの凍結」は%d日より小さいはずです。 -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,会計年度を選択 DocType: Bank Reconciliation,Total Amount,合計金額 DocType: Certification Application,Non Profit,非営利団体 DocType: Subscription Settings,Cancel Invoice After Grace Period,猶予期間後に請求書をキャンセル @@ -6930,7 +6971,6 @@ DocType: Serial No,Warranty Period (Days),保証期間(日数) DocType: Expense Claim Detail,Expense Claim Detail,経費請求の詳細 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,プログラム: DocType: Patient Medical Record,Patient Medical Record,患者カルテ -DocType: Quality Action,Action Description,アクション説明 DocType: Item,Variant Based On,に基づくバリアント DocType: Vehicle Service,Brake Oil,ブレーキオイル DocType: Employee,Create User,ユーザーを作成 @@ -6986,7 +7026,7 @@ DocType: Cash Flow Mapper,Section Name,セクション名 DocType: Packed Item,Packed Item,梱包品 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}:{2}には借方または貸方の金額が必要です apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,給与明細を送信しています... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,何もしない +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,何もしない apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",収入口座または経費口座ではないため、予算を{0}に割り当てることはできません apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,マスターとアカウント DocType: Quality Procedure Table,Responsible Individual,担当者 @@ -7109,7 +7149,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,子会社に対するアカウント作成を許可する DocType: Payment Entry,Company Bank Account,会社の銀行口座 DocType: Amazon MWS Settings,UK,英国 -DocType: Quality Procedure,Procedure Steps,手順ステップ DocType: Normal Test Items,Normal Test Items,通常のテスト項目 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,品目{0}:注文された数量{1}は、最小注文数量{2}(品目で定義)より小さくてはいけません。 apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,在庫にありません @@ -7188,7 +7227,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,アナリティクス DocType: Maintenance Team Member,Maintenance Role,メンテナンスの役割 apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,利用規約テンプレート DocType: Fee Schedule Program,Fee Schedule Program,料金スケジュールプログラム -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,コース{0}は存在しません。 DocType: Project Task,Make Timesheet,タイムシートを作る DocType: Production Plan Item,Production Plan Item,生産計画明細 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,総学生 @@ -7210,6 +7248,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,まとめ apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,あなたの会員資格が30日以内に失効する場合にのみ更新することができます apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},値は{0}と{1}の間でなければなりません +DocType: Quality Feedback,Parameters,パラメーター ,Sales Partner Transaction Summary,販売パートナー取引サマリー DocType: Asset Maintenance,Maintenance Manager Name,メンテナンスマネージャ名 apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,商品詳細を取得する必要があります。 @@ -7248,6 +7287,7 @@ DocType: Student Admission,Student Admission,学生の入学 DocType: Designation Skill,Skill,スキル DocType: Budget Account,Budget Account,予算アカウント DocType: Employee Transfer,Create New Employee Id,新しい従業員IDを作成する +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0}は '損益'勘定{1}に必要です。 apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),物品サービス税(GSTインド) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,給与明細を作成中... DocType: Employee Skill,Employee Skill,従業員のスキル @@ -7348,6 +7388,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,消耗品と DocType: Subscription,Days Until Due,期限までの日数 apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,完了を表示 apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,銀行取引明細書取引入力レポート +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,行#{0}:レートは{1}:{2}と同じである必要があります({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-YYYY- DocType: Healthcare Settings,Healthcare Service Items,医療サービス項目 @@ -7404,6 +7445,7 @@ DocType: Training Event Employee,Invited,招待しました apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},コンポーネント{0}に適格な最大額が{1}を超えています apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,請求額 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",{0}の場合、借方勘定科目のみ他のクレジットエントリとリンクできます +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,ディメンションを作成しています... DocType: Bank Statement Transaction Entry,Payable Account,買掛金 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,必要な訪問数を記入してください DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,キャッシュフローマッパー伝票を設定している場合にのみ選択します。 @@ -7421,6 +7463,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,解決時間 DocType: Grading Scale Interval,Grade Description,グレード説明 DocType: Homepage Section,Cards,カード +DocType: Quality Meeting Minutes,Quality Meeting Minutes,質の高い会議議事録 DocType: Linked Plant Analysis,Linked Plant Analysis,リンクプラント分析 apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,サービス終了日をサービス終了日より後にすることはできません apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,GST設定でB2C制限を設定してください。 @@ -7455,7 +7498,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,従業員出席ツー DocType: Employee,Educational Qualification,学歴 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,アクセス可能な値 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},サンプル数量{0}は、受領数量{1}を超えることはできません -DocType: Quiz,Last Highest Score,最後の最高得点 DocType: POS Profile,Taxes and Charges,税金 DocType: Opportunity,Contact Mobile No,携帯電話番号 DocType: Employee,Joining Details,参加の詳細 diff --git a/erpnext/translations/km.csv b/erpnext/translations/km.csv index f1570b5cef..24b7bbcfda 100644 --- a/erpnext/translations/km.csv +++ b/erpnext/translations/km.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,ផ្នែកផ្គត DocType: Journal Entry Account,Party Balance,សមតុល្យគណបក្ស apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),ប្រភពនៃមូលនិធិ (បំណុល) DocType: Payroll Period,Taxable Salary Slabs,តារាងប្រាក់ខែជាប់ពន្ធ +DocType: Quality Action,Quality Feedback,មតិគុណភាព DocType: Support Settings,Support Settings,ការគាំទ្រការគាំទ្រ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,សូមបញ្ចូលធាតុផលិតកម្មជាមុន DocType: Quiz,Grading Basis,មូលដ្ឋានគ្រឹះ @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,ព័ត៌ម DocType: Salary Component,Earning,រក DocType: Restaurant Order Entry,Click Enter To Add,ចុចបញ្ចូលដើម្បីបន្ថែម DocType: Employee Group,Employee Group,ក្រុមនិយោជិក +DocType: Quality Procedure,Processes,ដំណើរការ DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,បញ្ជាក់អត្រាប្តូរប្រាក់ដើម្បីប្តូររូបិយប័ណ្ណមួយទៅជារូបិយប័ណ្ណផ្សេងទៀត apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,អាយុជំពូក 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},ឃ្លាំងដែលត្រូវការសម្រាប់ធាតុភាគហ៊ុន {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,បណ្តឹង DocType: Shipping Rule,Restrict to Countries,ដាក់កំហិតទៅប្រទេស DocType: Hub Tracked Item,Item Manager,កម្មវិធីគ្រប់គ្រងធាតុ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},រូបិយប័ណ្ណនៃគណនីបិទត្រូវតែជា {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,ថវិកា apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,បើកធាតុវិក្កយបត្រ DocType: Work Order,Plan material for sub-assemblies,រៀបចំផែនការសម្ភារៈសម្រាប់អនុសភា apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,ផ្នែករឹង DocType: Budget,Action if Annual Budget Exceeded on MR,សកម្មភាពប្រសិនបើថវិកាប្រចាំឆ្នាំលើសពីលោក DocType: Sales Invoice Advance,Advance Amount,ចំនួនទឹកប្រាក់មុន +DocType: Accounting Dimension,Dimension Name,ឈ្មោះវិមាត្រ DocType: Delivery Note Item,Against Sales Invoice Item,ប្រឆាំងនឹងធាតុវិក័យប័ត្រលក់ DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-yYYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,រួមបញ្ចូលធាតុក្នុងការផលិត @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,តើវាធ ,Sales Invoice Trends,និន្នាការវិក្កយបត្រលក់ DocType: Bank Reconciliation,Payment Entries,ធាតុបង់ប្រាក់ DocType: Employee Education,Class / Percentage,ថ្នាក់ / ភាគរយ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,លេខកូដធាតុ> ក្រុមធាតុ> ម៉ាក ,Electronic Invoice Register,ចុះឈ្មោះវិក្កយបត្រអេឡិចត្រូនិក DocType: Sales Invoice,Is Return (Credit Note),ការវិលត្រឡប់ (ចំណាំឥណទាន) DocType: Lab Test Sample,Lab Test Sample,គំរូតេស្តមន្ទីរពិសោធន៍ @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,វ៉ារ្យង់ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",ការចោទប្រកាន់នឹងត្រូវបានចែកចាយតាមសមាមាត្រដោយផ្អែកលើធាតុ qty ឬចំនួនតាមការជ្រើសរើសរបស់អ្នក apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,សកម្មភាពដែលកំពុងរង់ចាំសម្រាប់ថ្ងៃនេះ +DocType: Quality Procedure Process,Quality Procedure Process,ដំណើរការនីតិវិធីគុណភាព DocType: Fee Schedule Program,Student Batch,បាច់សិស្ស apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},អត្រាតម្លៃដែលទាមទារសម្រាប់ធាតុក្នុងជួរដេក {0} DocType: BOM Operation,Base Hour Rate(Company Currency),អត្រាការិយាល័យ Base Hour (រូបិយប័ណ្ណក្រុមហ៊ុន) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,កំណត់ Qty នៅក្នុងប្រតិបត្តិការដែលមានមូលដ្ឋានលើលេខស៊េរីគ្មាន apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},រូបិយប័ណ្ណគណនីមុនគួរតែដូចគ្នានឹងរូបិយប័ណ្ណរបស់ក្រុមហ៊ុន {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,ប្ដូរផ្នែកតាមបំណងទំព័រដើម -DocType: Quality Goal,October,តុលា +DocType: GSTR 3B Report,October,តុលា DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,លាក់លេខសម្គាល់ពន្ធរបស់អតិថិជនពីប្រតិបត្តិការលក់ apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN មិនត្រឹមត្រូវ! GSTIN ត្រូវតែមាន 15 តួអក្សរ។ apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,ច្បាប់តម្លៃ {0} ត្រូវបានធ្វើបច្ចុប្បន្នភាព @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,ទុកតុល្យភាព apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},កាលវិភាគថែរក្សា {0} មានប្រឆាំងនឹង {1} DocType: Assessment Plan,Supervisor Name,ឈ្មោះអ្នកគ្រប់គ្រង DocType: Selling Settings,Campaign Naming By,យុទ្ធនាការដាក់ឈ្មោះតាម -DocType: Course,Course Code,កូដវគ្គសិក្សា +DocType: Student Group Creation Tool Course,Course Code,កូដវគ្គសិក្សា apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,អវកាស DocType: Landed Cost Voucher,Distribute Charges Based On,ចែកចាយការចោទប្រកាន់ផ្អែកតាម DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,លក្ខណៈវិនិច្ឆ័យពិន្ទុអ្នកផ្គត់ផ្គង់ @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,ម៉ឺនុយភោជនីយដ DocType: Asset Movement,Purpose,គោលបំណង apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,ការកំណត់រចនាសម្ព័ន្ធប្រាក់ខែសំរាប់បុគ្គលិកមានរួចហើយ DocType: Clinical Procedure,Service Unit,អង្គភាពសេវាកម្ម -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ដែនដី DocType: Travel Request,Identification Document Number,លេខសម្គាល់អត្តសញ្ញាណ DocType: Stock Entry,Additional Costs,ការចំណាយបន្ថែម -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",វគ្គបណ្តុះកូន (ទុកទទេប្រសិនបើមិនមែនជាផ្នែកមួយនៃវគ្គសិក្សាមាតាបិតា) DocType: Employee Education,Employee Education,ការអប់រំបុគ្គលិក apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,ចំនួនតំណែងមិនអាចតិចជាងចំនួននិយោជិកបច្ចុប្បន្នទេ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,ក្រុមអតិថិជនទាំងអស់ @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,ជួរដេក {0}: ចំនុចសំខាន់ DocType: Sales Invoice,Against Income Account,ប្រឆាំងនឹងគណនីចំណូល apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ជួរដេក # {0}: ការទិញវិក័យប័ត្រមិនអាចត្រូវបានធ្វើឡើងប្រឆាំងនឹងទ្រព្យសកម្មដែលមានស្រាប់ {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,ច្បាប់សំរាប់អនុវត្តគម្រោងផ្សព្វផ្សាយផ្សេងៗ។ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM កត្តាគ្របដណ្តប់តម្រូវសម្រាប់ UOM: {0} ក្នុងធាតុ: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},សូមបញ្ចូលបរិមាណសម្រាប់ធាតុ {0} DocType: Workstation,Electricity Cost,ថ្លៃអគ្គីសនី @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,ចំនួនគម្រោងសរុប apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,ឆ្អឹង DocType: Work Order,Actual Start Date,កាលបរិច្ឆេទចាប់ផ្តើមពិតប្រាកដ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,អ្នកមិនមានវត្តមានពេញមួយថ្ងៃរវាងថ្ងៃស្នើសុំការឈប់សម្រាក -DocType: Company,About the Company,អំពីក្រុមហ៊ុន apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,ដើមឈើនៃគណនីហិរញ្ញវត្ថុ។ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,ចំណូលដោយប្រយោល DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,ធាតុបន្ទប់សណ្ឋាគារធាតុ @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,ទិន្ DocType: Skill,Skill Name,ឈ្មោះជំនាញ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,បោះពុម្ពរបាយការណ៍កាត DocType: Soil Texture,Ternary Plot,អាថ៌កំបាំង +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,គាំទ្រសំបុត្រ DocType: Asset Category Account,Fixed Asset Account,គណនីមានកាលកំណត់ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,ចុងក្រោយ @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,វគ្គសិ ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,សូមកំណត់ស៊េរីដែលត្រូវប្រើ។ DocType: Delivery Trip,Distance UOM,ចម្ងាយ UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,កាតព្វកិច្ចសម្រាប់សន្លឹកតុល្យភាព DocType: Payment Entry,Total Allocated Amount,ចំនួនសរុបដែលបានបម្រុងទុក DocType: Sales Invoice,Get Advances Received,ទទួលប្រាក់កម្រៃដែលបានទទួល DocType: Student,B-,ខ - @@ -911,6 +915,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,កាលវិភ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,ព័ត៌មានម៉ាស៊ីនឆូតកាតត្រូវបានតម្រូវឱ្យធ្វើការបញ្ចូលម៉ាស៊ីនឆូតកាត DocType: Education Settings,Enable LMS,បើកដំណើរការ LMS DocType: POS Closing Voucher,Sales Invoices Summary,វិក័យប័ត្រលក់សង្ខេប +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,អត្ថប្រយោជន៍ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ឥណទានទៅគណនីត្រូវតែជាគណនីតារាងតុល្យការ DocType: Video,Duration,រយៈពេល DocType: Lab Test Template,Descriptive,ពិពណ៌នា @@ -961,6 +966,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,ចាប់ផ្តើមនិងបញ្ចប់កាលបរិច្ឆេទ DocType: Supplier Scorecard,Notify Employee,ជូនដំណឹងដល់និយោជិក apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,កម្មវិធី +DocType: Program,Allow Self Enroll,អនុញ្ញាតឱ្យចុះឈ្មោះដោយខ្លួនឯង apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,ការចំណាយមូលធន apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,សេចក្តីយោងលេខគឺចាំបាច់ប្រសិនបើអ្នកបានបញ្ចូលកាលបរិច្ឆេទយោង DocType: Training Event,Workshop,សិក្ខាសាលា @@ -1013,6 +1019,7 @@ DocType: Lab Test Template,Lab Test Template,គំរូតេស្តមន apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},អតិបរមា: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ពត៌មានវិក័យប័ត្រដែលបាត់ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,គ្មានការស្នើសុំសម្ភារៈដែលបានបង្កើត +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,លេខកូដធាតុ> ក្រុមធាតុ> ម៉ាក DocType: Loan,Total Amount Paid,ចំនួនទឹកប្រាក់សរុបបង់ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,ធាតុទាំងនេះទាំងអស់ត្រូវបានទូទាត់រួចហើយ DocType: Training Event,Trainer Name,ឈ្មោះគ្រូបង្គោល @@ -1034,6 +1041,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,ឆ្នាំសិក្សា DocType: Sales Stage,Stage Name,ឈ្មោះដំណាក់កាល DocType: SMS Center,All Employee (Active),និយោជិតទាំងអស់ (សកម្ម) +DocType: Accounting Dimension,Accounting Dimension,វិមាត្រគណនេយ្យ DocType: Project,Customer Details,ព័ត៌មានអតិថិជន DocType: Buying Settings,Default Supplier Group,ក្រុមអ្នកផ្គត់ផ្គង់លំនាំដើម apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ការចាត់ថ្នាក់នៃប្រភេទ 'ពិតប្រាកដ' នៅក្នុងជួរដេក {0} មិនអាចរាប់បញ្ចូលក្នុងអត្រាធាតុទេ @@ -1147,7 +1155,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority",លេខកា DocType: Designation,Required Skills,ជំនាញដែលត្រូវការ DocType: Marketplace Settings,Disable Marketplace,បិទដំណើរការទីផ្សារ DocType: Budget,Action if Annual Budget Exceeded on Actual,សកម្មភាពប្រសិនបើថវិកាប្រចាំឆ្នាំហួសពីការពិត -DocType: Course,Course Abbreviation,អក្សរកាត់វគ្គសិក្សា apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,វត្តមានមិនត្រូវបានបញ្ជូនសម្រាប់ {0} ជា {1} នៅលើការឈប់សម្រាក។ DocType: Pricing Rule,Promotional Scheme Id,លេខសម្គាល់គម្រោងលើកកម្ពស់ apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},កាលបរិច្ឆេទបញ្ចប់នៃកិច្ចការ {0} មិនអាចធំជាង {1} កាលបរិច្ឆេទបញ្ចប់ដែលរំពឹងទុក {2} @@ -1290,7 +1297,7 @@ DocType: Bank Guarantee,Margin Money,ប្រាក់រៀល DocType: Chapter,Chapter,ជំពូក DocType: Purchase Receipt Item Supplied,Current Stock,ភាគហ៊ុនបច្ចុប្បន្ន DocType: Employee,History In Company,ប្រវត្តិនៅក្នុងក្រុមហ៊ុន -DocType: Item,Manufacturer,ក្រុមហ៊ុនផលិត +DocType: Purchase Invoice Item,Manufacturer,ក្រុមហ៊ុនផលិត apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,ភាពប្រែប្រួលមធ្យម DocType: Compensatory Leave Request,Leave Allocation,ទុកការបែងចែក DocType: Timesheet,Timesheet,តារាងពេលវេលា @@ -1321,6 +1328,7 @@ DocType: Work Order,Material Transferred for Manufacturing,បញ្ជូនស DocType: Products Settings,Hide Variants,លាក់វ៉ារ្យង់ DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,បិទដំណើរការផែនការសមត្ថភាពនិងតាមដានពេលវេលា DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* នឹងត្រូវបានគណនានៅក្នុងប្រតិបត្តិការ។ +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} ត្រូវបានតម្រូវសម្រាប់គណនី "តារាងតុល្យការ" {1} ។ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} មិនត្រូវបានអនុញ្ញាតឱ្យធ្វើការជាមួយ {1} ទេ។ សូមផ្លាស់ប្តូរក្រុមហ៊ុន។ 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} DocType: Delivery Trip,Delivery Details,ព័ត៌មានលម្អិតនៃការដឹកជញ្ជូន @@ -1356,7 +1364,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,មុន apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,ឯកតារង្វាស់ DocType: Lab Test,Test Template,គំរូសាកល្បង DocType: Fertilizer,Fertilizer Contents,មាតិកាជី -apps/erpnext/erpnext/utilities/user_progress.py,Minute,នាទី +DocType: Quality Meeting Minutes,Minute,នាទី apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",ជួរដេក # {0}: ទ្រព្យសម្បត្តិ {1} មិនអាចត្រូវបានដាក់ស្នើទេវាមានរួចទៅហើយ {2} DocType: Task,Actual Time (in Hours),ពេលវេលាជាក់ស្តែង (គិតជាម៉ោង) DocType: Period Closing Voucher,Closing Account Head,បិទគណនីក្បាល @@ -1529,7 +1537,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,មន្ទីរពិស DocType: Purchase Order,To Bill,ទៅវិក័យប័ត្រ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,ចំណាយឧបករណ៍ប្រើប្រាស់ DocType: Manufacturing Settings,Time Between Operations (in mins),ពេលវេលារវាងប្រតិបត្តិការ (គិតជានាទី) -DocType: Quality Goal,May,ឧសភា +DocType: GSTR 3B Report,May,ឧសភា apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",គណនីច្រកចេញចូលមិនត្រូវបានបង្កើតសូមបង្កើតដោយដៃ។ DocType: Opening Invoice Creation Tool,Purchase,ការទិញ DocType: Program Enrollment,School House,សាលាផ្ទះ @@ -1561,6 +1569,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,ព័ត៌មានតាមផ្លូវច្បាប់និងព័ត៌មានទូទៅផ្សេងទៀតអំពីអ្នកផ្គត់ផ្គង់របស់អ្នក DocType: Item Default,Default Selling Cost Center,មជឈមណ្ឌលថ្លៃលក់លំនាំដើម DocType: Sales Partner,Address & Contacts,អាសយដ្ឋាននិងទំនាក់ទំនង +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈ Setup> Serial Number DocType: Subscriber,Subscriber,អតិថិជន apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# សំណុំបែបបទ / ធាតុ / {0}) គឺអស់ពីស្តុក apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,សូមជ្រើសកាលបរិច្ឆេទប្រកាសជាមុនសិន @@ -1588,6 +1597,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,ថ្លៃព្យា DocType: Bank Statement Settings,Transaction Data Mapping,ការធ្វើផែនទីទិន្នន័យប្រតិបត្តិការ apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,អ្នកដឹកនាំត្រូវការឈ្មោះរបស់បុគ្គលឬឈ្មោះអង្គការ DocType: Student,Guardians,អាណាព្យាបាល +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះគ្រូបង្រៀននៅក្នុងការអប់រំ> ការកំណត់អប់រំ apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ជ្រើសរើសម៉ាក ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,ចំណូលកណ្តាល DocType: Shipping Rule,Calculate Based On,គណនាផ្អែកលើ @@ -1599,7 +1609,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,ការចំណាយប DocType: Purchase Invoice,Rounding Adjustment (Company Currency),ការកែសំរួលជុំវិញ (រូបិយប័ណ្ណក្រុមហ៊ុន) DocType: Item,Publish in Hub,បោះពុម្ពនៅក្នុងមជ្ឈមណ្ឌល apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,ខែសីហា +DocType: GSTR 3B Report,August,ខែសីហា apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,សូមបញ្ចូលវិក័យប័ត្រទិញដំបូង apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ចាប់ផ្តើមឆ្នាំ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),គោលដៅ ({}) @@ -1618,6 +1628,7 @@ DocType: Item,Max Sample Quantity,បរិមាណគំរូអតិបរ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ប្រភពនិងឃ្លាំងគោលដៅត្រូវតែខុសគ្នា DocType: Employee Benefit Application,Benefits Applied,អត្ថប្រយោជន៍អនុវត្ត apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,ប្រឆាំងនឹងធាតុទិនានុប្បវត្តិ {0} មិនមានធាតុ {1} ដែលមិនផ្គូផ្គងទេ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","តួអក្សរពិសេសលើកលែងតែ "-", "#", "។ ", "/", "{" និង "}" មិនត្រូវបានអនុញ្ញាតនៅក្នុងស៊េរីឈ្មោះ" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,តំរូវតាមតម្លៃឬតារាងសំណល់បញ្ចុះតម្លៃ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,កំណត់គោលដៅ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},កំណត់ត្រាចូលរួម {0} មានប្រឆាំងនឹងសិស្ស {1} @@ -1633,10 +1644,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,ក្នុងមួយខែ DocType: Routing,Routing Name,ឈ្មោះផ្លូវ DocType: Disease,Common Name,ឈ្មោះទូទៅ -DocType: Quality Goal,Measurable,អាចវាស់បាន DocType: Education Settings,LMS Title,ចំណងជើង LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,ការគ្រប់គ្រងប្រាក់កម្ចី -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,ការគាំទ្រ DocType: Clinical Procedure,Consumable Total Amount,បរិមាណសរុបដែលអាចប្រើបាន apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,បើកពុម្ព apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,អតិថិជន LPO @@ -1775,6 +1784,7 @@ DocType: Restaurant Order Entry Item,Served,បានបម្រើ DocType: Loan,Member,សមាជិក DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,កាលវិភាគអង្គភាពសេវាកម្មអ្នកអនុវត្ត apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,ខ្សែបញ្ជូន +DocType: Quality Review Objective,Quality Review Objective,គោលបំណងពិនិត្យគុណភាពឡើងវិញ DocType: Bank Reconciliation Detail,Against Account,ប្រឆាំងនឹងគណនី DocType: Projects Settings,Projects Settings,ការកំណត់គម្រោង apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Qty ពិតប្រាកដ {0} / រង់ចាំ Qty {1} @@ -1803,6 +1813,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,កាលបរិច្ឆេទបញ្ចប់ឆ្នាំសារពើពន្ធគួរតែនៅមួយឆ្នាំបន្ទាប់ពីកាលបរិច្ឆេទចាប់ផ្តើមឆ្នាំសារពើពន្ធ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,ការរំលឹកប្រចាំថ្ងៃ DocType: Item,Default Sales Unit of Measure,ផ្នែករង្វាស់នៃការលក់ជាលំនាំដើម +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,ក្រុមហ៊ុន GSTIN DocType: Asset Finance Book,Rate of Depreciation,អត្រារំលស់ DocType: Support Search Source,Post Description Key,ប្រកាសការពិពណ៌នាសង្ខេប DocType: Loyalty Program Collection,Minimum Total Spent,ចំនួនសរុបអប្បបរមា @@ -1874,6 +1885,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,ការផ្លាស់ប្តូរក្រុមអតិថិជនសម្រាប់អតិថិជនដែលបានជ្រើសមិនត្រូវបានអនុញ្ញាត។ DocType: Serial No,Creation Document Type,ការបង្កើតប្រភេទឯកសារ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,ចំនួនទឹកប្រាក់ដែលអាចរកបាននៅឃ្លាំង +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,វិក័យប័ត្រធំសរុប apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,នេះគឺជាទឹកដីដើមនិងមិនអាចត្រូវបានកែសម្រួលទេ។ DocType: Patient,Surgical History,ប្រវត្តិវះកាត់ apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,ដើមឈើនៃនីតិវិធីគុណភាព។ @@ -1978,6 +1990,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,សូមពិនិត្យមើលនេះប្រសិនបើអ្នកចង់បង្ហាញនៅក្នុងគេហទំព័រ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,រកមិនឃើញឆ្នាំសារពើពន្ធ {0} DocType: Bank Statement Settings,Bank Statement Settings,ការកំណត់របាយការណ៍ធនាគារ +DocType: Quality Procedure Process,Link existing Quality Procedure.,ភ្ជាប់នីតិវិធីគុណភាពដែលមានស្រាប់។ +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,នាំចូលតារាងនៃគណនីពីឯកសារ CSV / Excel DocType: Appraisal Goal,Score (0-5),ពិន្ទុ (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,គុណលក្ខណៈ {0} បានជ្រើសច្រើនដងនៅក្នុងតារាងគុណលក្ខណៈ DocType: Purchase Invoice,Debit Note Issued,ចេញប័ណ្ណឥណពន្ធ @@ -1986,7 +2000,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,ទុកព័ត៌មានលំអិតពីគោលនយោបាយ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,មិនមានឃ្លាំងនៅក្នុងប្រព័ន្ធ DocType: Healthcare Practitioner,OP Consulting Charge,ភ្នាក់ងារផ្តល់ប្រឹក្សាយោបល់ OP -DocType: Quality Goal,Measurable Goal,គោលដៅដែលអាចវាស់បាន DocType: Bank Statement Transaction Payment Item,Invoices,វិក័យប័ត្រ DocType: Currency Exchange,Currency Exchange,ប្តូររូបិយប័ណ្ណ DocType: Payroll Entry,Fortnightly,ពីរសប្ដាហ៍ @@ -2049,6 +2062,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} មិនត្រូវបានបញ្ជូនទេ DocType: Work Order,Backflush raw materials from work-in-progress warehouse,ត្រលប់មកវិញនូវវត្ថុធាតុដើមពីឃ្លាំងដែលកំពុងដំណើរការ DocType: Maintenance Team Member,Maintenance Team Member,សមាជិកក្រុមថែទាំ +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,ដំឡើងវិមាត្រផ្ទាល់ខ្លួនសម្រាប់គណនេយ្យ DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,ចម្ងាយអប្បបរមារវាងជួរដេកនៃរុក្ខជាតិសម្រាប់ការលូតលាស់ល្អបំផុត DocType: Employee Health Insurance,Health Insurance Name,ឈ្មោះធានារ៉ាប់រងសុខភាព apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,ទ្រព្យសកម្ម @@ -2081,7 +2095,7 @@ DocType: Delivery Note,Billing Address Name,ឈ្មោះអាសយដ្ឋ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,ធាតុជំនួស DocType: Certification Application,Name of Applicant,ឈ្មោះរបស់បេក្ខជន DocType: Leave Type,Earned Leave,ទទួលបានទុក -DocType: Quality Goal,June,ខែមិថុនា +DocType: GSTR 3B Report,June,ខែមិថុនា apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},ជួរដេក {0}: មជ្ឈមណ្ឌលចំណាយត្រូវបានទាមទារសម្រាប់ធាតុ {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},អាចត្រូវបានអនុម័តដោយ {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ឯកតារង្វាស់ {0} ត្រូវបានបញ្ចូលលើសពីម្តងនៅក្នុងតារាងកត្តាបម្លែង @@ -2102,6 +2116,7 @@ DocType: Lab Test Template,Standard Selling Rate,អត្រាលក់ស្ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},សូមកំណត់ម៉ឺនុយសកម្មសម្រាប់ភោជនីយដ្ឋាន {0} 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: Asset Finance Book,Asset Finance Book,សៀវភៅហិរញ្ញវត្ថុ +DocType: Quality Goal Objective,Quality Goal Objective,គោលដៅគុណភាពគោលដៅ DocType: Employee Transfer,Employee Transfer,ការផ្ទេរបុគ្គលិក ,Sales Funnel,ការលក់បំពង់ DocType: Agriculture Analysis Criteria,Water Analysis,ការវិភាគទឹក @@ -2140,6 +2155,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,ទ្រព្ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,សកម្មភាពដែលមិនទាន់សម្រេច apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,រាយបញ្ជីអតិថិជនមួយចំនួនរបស់អ្នក។ ពួកគេអាចជាអង្គការឬបុគ្គល។ DocType: Bank Guarantee,Bank Account Info,ពត៌មានគណនីធនាគារ +DocType: Quality Goal,Weekday,ថ្ងៃធ្វើការ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,ឈ្មោះ Guardian1 DocType: Salary Component,Variable Based On Taxable Salary,អថេរផ្អែកលើប្រាក់ឈ្នួលជាប់ពន្ធ DocType: Accounting Period,Accounting Period,រយៈពេលគណនេយ្យ @@ -2224,7 +2240,7 @@ DocType: Purchase Invoice,Rounding Adjustment,ការកែសំរួលជ DocType: Quality Review Table,Quality Review Table,តារាងត្រួតពិនិត្យគុណភាព DocType: Member,Membership Expiry Date,ថ្ងៃផុតកំណត់សមាជិក DocType: Asset Finance Book,Expected Value After Useful Life,តម្លៃដែលរំពឹងទុកបន្ទាប់ពីជីវិតមានប្រយោជន៍ -DocType: Quality Goal,November,ខែវិច្ឆិកា +DocType: GSTR 3B Report,November,ខែវិច្ឆិកា DocType: Loan Application,Rate of Interest,អត្រាការប្រាក់ DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,ព័ត៌មានទូទាត់ប្រតិបត្តិការរបស់ធនាគារ DocType: Restaurant Reservation,Waitlisted,រង់ចាំក្នុងបញ្ជី @@ -2288,6 +2304,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","ជួរដេក {0}: ដើម្បីកំណត់ {1} រយៈពេល, ភាពខុសគ្នារវាងនិងមកដល់កាលបរិច្ឆេទ \ ត្រូវតែធំជាងឬស្មើ {2}" DocType: Purchase Invoice Item,Valuation Rate,អត្រាវាយតម្លៃ DocType: Shopping Cart Settings,Default settings for Shopping Cart,ការកំណត់លំនាំដើមសម្រាប់កន្រ្តកទំនិញ +DocType: Quiz,Score out of 100,ពិន្ទុចេញពី 100 DocType: Manufacturing Settings,Capacity Planning,ការកសាងសមត្ថភាព apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,ចូលទៅកាន់គ្រូបង្វឹក DocType: Activity Cost,Projects,គម្រោង @@ -2297,6 +2314,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,ពីពេលវេលា apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,សេចក្ដីលម្អិតអំពីរបាយការណ៍ +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,សម្រាប់ការទិញ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,រន្ធសម្រាប់ {0} មិនត្រូវបានបន្ថែមទៅកាលវិភាគទេ DocType: Target Detail,Target Distribution,ការចែកចាយគោលដៅ @@ -2314,6 +2332,7 @@ DocType: Activity Cost,Activity Cost,តម្លៃនៃសកម្មភា DocType: Journal Entry,Payment Order,លំដាប់ការទូទាត់ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,តម្លៃ ,Item Delivery Date,កាលបរិច្ឆេទប្រគល់ទំនិញ +DocType: Quality Goal,January-April-July-October,ខែមករា - មេសា - កក្កដា - តុលា DocType: Purchase Order Item,Warehouse and Reference,ឃ្លាំងនិងយោង apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,គណនីដែលមានថ្នាំងកុមារមិនអាចត្រូវបានបម្លែងទៅជាសៀវភៅ DocType: Soil Texture,Clay Composition (%),សមាសធាតុដីឥដ្ឋ (%) @@ -2364,6 +2383,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,កាលបរិច apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,ជួរដេក {0}: សូមកំណត់របៀបបង់ប្រាក់ក្នុងកាលវិភាគទូទាត់ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,រយៈពេលសិក្សា: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,មតិប្រតិកម្មគុណភាព apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,សូមជ្រើសយកការបញ្ចុះតម្លៃនៅលើ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,ជួរដេក # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,ការទូទាត់សរុប @@ -2406,7 +2426,7 @@ DocType: Hub Tracked Item,Hub Node,ថ្នាំងបណ្តាញ apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,លេខសម្គាល់បុគ្គលិក DocType: Salary Structure Assignment,Salary Structure Assignment,ការកំណត់រចនាសម្ព័ន្ធប្រាក់ខែ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,កាតបិទបាំងប័ណ្ណ POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,សកម្មភាពត្រូវបានចាប់ផ្ដើម +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,សកម្មភាពត្រូវបានចាប់ផ្ដើម DocType: POS Profile,Applicable for Users,អាចប្រើបានសម្រាប់អ្នកប្រើប្រាស់ DocType: Training Event,Exam,ការប្រឡង apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,រកមិនឃើញធាតុបញ្ចូលទូទៅនៃសៀវភៅបញ្ជី។ អ្នកប្រហែលជាបានជ្រើសរើសគណនីខុសនៅក្នុងប្រតិបត្តិការ។ @@ -2513,6 +2533,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,រយៈបណ្តោយ DocType: Accounts Settings,Determine Address Tax Category From,កំណត់អាសយដ្ឋានប្រភេទពន្ធពី apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,កំណត់អត្តសញ្ញាណអ្នកបង្កើតការសម្រេចចិត្ត +DocType: Stock Entry Detail,Reference Purchase Receipt,បង្កាន់ដៃទិញសេចក្តីយោង apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,ទទួលបានការញុះញង់ DocType: Tally Migration,Is Day Book Data Imported,ទិន្នន័យសៀវភៅថ្ងៃបាននាំចូល ,Sales Partners Commission,គណៈកម្មការលក់ដៃគូ @@ -2536,6 +2557,7 @@ DocType: Leave Type,Applicable After (Working Days),អនុវត្តបន DocType: Timesheet Detail,Hrs,ម៉ោង DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,លក្ខណៈវិនិច្ឆ័យពិន្ទុនៃអ្នកផ្គត់ផ្គង់ DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,មតិស្ថាបនាគំរូមតិគុណភាព apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,កាលបរិច្ឆេទនៃការចូលរួមត្រូវតែធំជាងថ្ងៃខែឆ្នាំកំណើត DocType: Bank Statement Transaction Invoice Item,Invoice Date,កាលបរិច្ឆេទវិក្កយបត្រ DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,បង្កើតការធ្វើតេស្តបន្ទប់ពិសោធន៍លើការលក់វិក្កយបត្រ @@ -2642,7 +2664,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,តម្លៃអន DocType: Stock Entry,Source Warehouse Address,អាស័យដ្ឋានឃ្លាំងប្រភព DocType: Compensatory Leave Request,Compensatory Leave Request,សំណងចេញពីសំណង DocType: Lead,Mobile No.,លេខទូរស័ព្ទ -DocType: Quality Goal,July,ខែកក្កដា +DocType: GSTR 3B Report,July,ខែកក្កដា apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC ដែលមានលក្ខណៈសម្បត្តិគ្រប់គ្រាន់ DocType: Fertilizer,Density (if liquid),ដង់ស៊ីតេ (ប្រសិនបើរាវ) DocType: Employee,External Work History,ប្រវត្តិការងារខាងក្រៅ @@ -2719,6 +2741,7 @@ DocType: Certification Application,Certification Status,ស្ថានភាព apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},ប្រភពត្រូវបានទាមទារសម្រាប់ទ្រព្យសម្បត្តិ {0} DocType: Employee,Encashment Date,ថ្ងៃបរបាញ់ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,សូមជ្រើសកាលបរិច្ឆេទបញ្ចប់សម្រាប់កំណត់ហេតុថែរក្សាទ្រព្យសម្បត្តិដែលបានបញ្ចប់ +DocType: Quiz,Latest Attempt,ព្យាយាមចុងក្រោយបំផុត DocType: Leave Block List,Allow Users,អនុញ្ញាតឱ្យអ្នកប្រើ apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,តារាងគណនី apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,អតិថិជនគឺចាំបាច់ប្រសិនបើ 'Opportunity From' ត្រូវបានជ្រើសរើសជាអតិថិជន @@ -2783,7 +2806,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,រៀបចំត DocType: Amazon MWS Settings,Amazon MWS Settings,ការកំណត់ Amazon MWS DocType: Program Enrollment,Walking,ការដើរ DocType: SMS Log,Requested Numbers,លេខដែលបានស្នើ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈ Setup> Serial Number DocType: Woocommerce Settings,Freight and Forwarding Account,គណនីដឹកជញ្ជូននិងបញ្ជូនបន្ត apps/erpnext/erpnext/accounts/party.py,Please select a Company,សូមជ្រើសរើសក្រុមហ៊ុន apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,ជួរដេក {0}: {1} ត្រូវតែធំជាង 0 @@ -2853,7 +2875,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,វិក DocType: Training Event,Seminar,សិក្ខាសាលា apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),ឥណទាន ({0}) DocType: Payment Request,Subscription Plans,ផែនការនៃការធ្វើបរិវិសកម្ម -DocType: Quality Goal,March,ខែមីនា +DocType: GSTR 3B Report,March,ខែមីនា apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,បំបែកបាច់ DocType: School House,House Name,ឈ្មោះផ្ទះ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),ចំណាត់ថ្នាក់សម្រាប់ {0} មិនអាចតិចជាងសូន្យ ({1}) @@ -2916,7 +2938,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,កាលបរិច្ឆេទចាប់ផ្តើមធានារ៉ាប់រង DocType: Target Detail,Target Detail,ព័ត៌មានលម្អិតគោលដៅ DocType: Packing Slip,Net Weight UOM,ទំងន់សុទ្ធ UOM -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: Purchase Invoice Item,Net Amount (Company Currency),បរិមាណសុទ្ធ (រូបិយប័ណ្ណក្រុមហ៊ុន) DocType: Bank Statement Transaction Settings Item,Mapped Data,ទិន្នន័យបានគូសវាស apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,មូលប័ត្រនិងប្រាក់បញ្ញើ @@ -2966,6 +2987,7 @@ DocType: Cheque Print Template,Cheque Height,ពិនិត្យកម្ព apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,សូមបញ្ចូលកាលបរិច្ឆេទនៃការធូរស្បើយ។ DocType: Loyalty Program,Loyalty Program Help,ភាពស្មោះត្រង់កម្មវិធីជំនួយ DocType: Journal Entry,Inter Company Journal Entry Reference,ក្រុមហ៊ុនអ៊ីនធឺរណេសិនណលទិនានុប្បវត្តិធាតុ +DocType: Quality Meeting,Agenda,របៀបវារៈ DocType: Quality Action,Corrective,កែ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,ក្រុមតាម DocType: Bank Account,Address and Contact,អាសយដ្ឋាននិងទំនាក់ទំនង @@ -3019,7 +3041,7 @@ DocType: GL Entry,Credit Amount,ចំនួនឥណទាន apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,ចំនួនទឹកប្រាក់សរុបដែលបានផ្តល់ DocType: Support Search Source,Post Route Key List,បញ្ជីបទបញ្ជាផ្លូវបង្ហោះ apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} មិននៅក្នុងឆ្នាំសារពើពន្ធដែលសកម្មណាមួយឡើយ។ -DocType: Quality Action Table,Problem,បញ្ហា +DocType: Quality Action Resolution,Problem,បញ្ហា DocType: Training Event,Conference,សន្និសីទ DocType: Mode of Payment Account,Mode of Payment Account,របៀបនៃការបង់ប្រាក់ DocType: Leave Encashment,Encashable days,ថ្ងៃជាប់ៗគ្នា @@ -3145,7 +3167,7 @@ DocType: Item,"Purchase, Replenishment Details",ការទិញការប DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",នៅពេលដែលបានកំណត់វិក័យប័ត្រនេះនឹងផ្អាករហូតដល់កាលបរិច្ឆេទកំណត់ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,ភាគហ៊ុនមិនអាចមានសម្រាប់ធាតុ {0} ចាប់តាំងពីមានវ៉ារ្យ៉ង់ DocType: Lab Test Template,Grouped,ដាក់ជាក្រុម -DocType: Quality Goal,January,ខែមករា +DocType: GSTR 3B Report,January,ខែមករា DocType: Course Assessment Criteria,Course Assessment Criteria,លក្ខណៈវិនិច្ឆ័យនៃការវាស់វែងវគ្គសិក្សា DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,បានបញ្ចប់ Qty @@ -3241,7 +3263,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,ប្រភ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,សូមបញ្ចូលយ៉ាងហោចណាស់វិក្កយបត្រ 1 នៅក្នុងតារាង apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,លំដាប់លក់ {0} មិនត្រូវបានដាក់ស្នើទេ apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,ការចូលរួមត្រូវបានសម្គាល់ដោយជោគជ័យ។ -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,លក់មុន +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,លក់មុន apps/erpnext/erpnext/config/projects.py,Project master.,ប្រធានគម្រោង។ DocType: Daily Work Summary,Daily Work Summary,សង្ខេបការងារប្រចាំថ្ងៃ DocType: Asset,Partially Depreciated,ត្រូវបានគេចាត់ទុកខ្លះ @@ -3250,6 +3272,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,ចាកចេញពីការបន្លំ? DocType: Certified Consultant,Discuss ID,ពិភាក្សាលេខសម្គាល់ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,សូមកំណត់គណនី GST ក្នុងការកំណត់ GST +DocType: Quiz,Latest Highest Score,ពិន្ទុចុងក្រោយបំផុត DocType: Supplier,Billing Currency,រូបិយប័ណ្ណវិក្កយបត្រ apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,សកម្មភាពសិស្ស apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,ទាំងគោលដៅ qty ឬគោលដៅគោលដៅគឺចាំបាច់ @@ -3275,18 +3298,21 @@ DocType: Sales Order,Not Delivered,មិនបានបញ្ជូន apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,ចាកចេញពីប្រភេទ {0} មិនអាចបែងចែកបានទេព្រោះវាត្រូវបានចាកចេញដោយមិនចាំបាច់បង់ប្រាក់ DocType: GL Entry,Debit Amount,ចំនួនទឹកប្រាក់ឥណពន្ធ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},មានកំណត់ត្រារួចហើយសម្រាប់ធាតុ {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,សន្និបាតអនុ 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.",ប្រសិនបើច្បាប់កំណត់តម្លៃច្រើនបន្តគ្របដណ្ដប់អ្នកប្រើត្រូវបានស្នើឱ្យកំណត់អាទិភាពដោយខ្លួនឯងដើម្បីដោះស្រាយជម្លោះ។ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',មិនអាចដកចេញបាននៅពេលប្រភេទគឺសម្រាប់ 'ការវាយតម្លៃ' ឬ 'ការវាយតម្លៃនិងសរុប' apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,បរិមាណផលិតកម្មនិងបរិមាណផលិតកម្មត្រូវបានទាមទារ apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},ធាតុ {0} បានដល់ចុងបញ្ចប់នៃជីវិតរបស់គាត់នៅលើ {1} DocType: Quality Inspection Reading,Reading 6,ការអាន 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,ទាមទារក្រុមហ៊ុន apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,ការប្រើប្រាស់សម្ភារៈមិនត្រូវបានកំណត់នៅក្នុងការកំណត់ផលិតកម្មទេ។ DocType: Assessment Group,Assessment Group Name,ឈ្មោះក្រុមវាយតំលៃ -DocType: Item,Manufacturer Part Number,លេខក្រុមហ៊ុនផលិត +DocType: Purchase Invoice Item,Manufacturer Part Number,លេខក្រុមហ៊ុនផលិត apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,ប្រាក់បៀវត្សដែលត្រូវបង់ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},ជួរដេក # {0}: {1} មិនអាចជាអវិជ្ជមានសម្រាប់ធាតុ {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,តុល្យភាព Qty +DocType: Question,Multiple Correct Answer,ចម្លើយត្រឹមត្រូវច្រើន DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 ពិន្ទុស្មោះត្រង់ = តើរូបិយប័ណ្ណមូលដ្ឋានមានប៉ុន្មាន? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},កំណត់សម្គាល់: មិនមានតុល្យភាពនៃការចាកចេញគ្រប់គ្រាន់ទេសំរាប់ការចាកចេញពីប្រភេទ {0} DocType: Clinical Procedure,Inpatient Record,កំណត់ត្រាអ្នកជំងឺក្នុងមន្ទីរពេទ្យ @@ -3409,6 +3435,7 @@ DocType: Fee Schedule Program,Total Students,សិស្សសរុប apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,ក្នុងស្រុក DocType: Chapter Member,Leave Reason,ទុកហេតុផល DocType: Salary Component,Condition and Formula,លក្ខខណ្ឌនិងរូបមន្ត +DocType: Quality Goal,Objectives,គោលបំណង apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",ប្រាក់ខែដែលបានដំណើរការរួចហើយសម្រាប់កំឡុងពេលរវាង {0} និង {1} ទុករយៈពេលនៃការអនុញ្ញាតមិនអាចស្ថិតនៅចន្លោះជួរកាលបរិច្ឆេទនេះ។ DocType: BOM Item,Basic Rate (Company Currency),អត្រាមូលដ្ឋាន (រូបិយប័ណ្ណក្រុមហ៊ុន) DocType: BOM Scrap Item,BOM Scrap Item,វត្ថុសំណល់អំបិល @@ -3459,6 +3486,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP -YYYY.- DocType: Expense Claim Account,Expense Claim Account,គណនីទាមទារការចំណាយ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,គ្មានការទូទាត់សងសម្រាប់ធាតុទិនានុប្បវត្តិទេ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} គឺជាសិស្សអសកម្ម +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,ធ្វើឱ្យធាតុបញ្ចូល DocType: Employee Onboarding,Activities,សកម្មភាព apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,មានឃ្លាំងមួយយ៉ាងហោចណាស់ចាំបាច់ ,Customer Credit Balance,តុល្យភាពឥណទានអតិថិជន @@ -3543,7 +3571,6 @@ DocType: Contract,Contract Terms,លក្ខខណ្ឌកិច្ចសន apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,ទាំងគោលដៅ qty ឬគោលដៅគោលដៅគឺចាំបាច់។ apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},មិនត្រឹមត្រូវ {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,កាលបរិច្ឆេទកិច្ចប្រជុំ DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-yYYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,អក្សរកាត់មិនអាចមានច្រើនជាង 5 តួអក្សរទេ DocType: Employee Benefit Application,Max Benefits (Yearly),អត្ថប្រយោជន៍អតិបរមា (ប្រចាំឆ្នាំ) @@ -3646,7 +3673,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,បន្ទុកធនាគារ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,ទំនិញផ្ទេរ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,ព័ត៌មានទំនាក់ទំនងចម្បង -DocType: Quality Review,Values,តម្លៃ DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",ប្រសិនបើមិនត្រូវបានត្រួតពិនិត្យនោះបញ្ជីនេះនឹងត្រូវបានបន្ថែមទៅក្រសួងនីមួយៗដែលវាត្រូវបានអនុវត្ត។ DocType: Item Group,Show this slideshow at the top of the page,បង្ហាញការបញ្ចាំងស្លាយនេះនៅផ្នែកខាងលើនៃទំព័រ apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} ប៉ារ៉ាម៉ែត្រមិនត្រឹមត្រូវ @@ -3665,6 +3691,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,គណនីធនាគារ DocType: Journal Entry,Get Outstanding Invoices,ទទួលបានវិក័យប័ត្រឆ្នើម DocType: Opportunity,Opportunity From,ឱកាសពី +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,ព័ត៌មានលម្អិតគោលដៅ DocType: Item,Customer Code,លេខកូដអតិថិជន apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,សូមបញ្ចូលធាតុមុន apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,បញ្ជីគេហទំព័រ @@ -3693,7 +3720,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,បញ្ជូនទៅ DocType: Bank Statement Transaction Settings Item,Bank Data,ទិន្នន័យធនាគារ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,គ្រោងទុករហូតដល់ -DocType: Quality Goal,Everyday,ជារៀងរាល់ថ្ងៃ DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,ថែរក្សាម៉ោងទូទាត់និងម៉ោងធ្វើការដូចទៅនឹងតារាងពេលវេលា apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,បទដឹកនាំដោយប្រភពនាំមុខ។ DocType: Clinical Procedure,Nursing User,អ្នកប្រើថែទាំ @@ -3718,7 +3744,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,គ្រប់គ្ DocType: GL Entry,Voucher Type,ប្រភេទប័ណ្ណបោះឆ្នោត ,Serial No Service Contract Expiry,គ្មានកិច្ចសន្យាផុតកំណត់កិច្ចសន្យា DocType: Certification Application,Certified,បានបញ្ជាក់ -DocType: Material Request Plan Item,Manufacture,ផលិត +DocType: Purchase Invoice Item,Manufacture,ផលិត apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} ធាតុដែលបានផលិត apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},សំណើទូទាត់សម្រាប់ {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,ថ្ងៃដោយសារតែបញ្ជាចុងក្រោយ @@ -3733,7 +3759,7 @@ DocType: Sales Invoice,Company Address Name,ឈ្មោះអាសយដ្ឋ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,ទំនិញឆ្លងកាត់ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,អ្នកអាចផ្តោះប្តូរយកពិន្ទុអតិបរមា {0} ប៉ុណ្ណោះក្នុងលំដាប់នេះ។ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},សូមកំណត់គណនីនៅក្នុងឃ្លាំង {0} -DocType: Quality Action Table,Resolution,ដំណោះស្រាយ +DocType: Quality Action,Resolution,ដំណោះស្រាយ DocType: Sales Invoice,Loyalty Points Redemption,ពិន្ទុស្មោះត្រង់នឹងការប្រោសលោះ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,តម្លៃពន្ធសរុប DocType: Patient Appointment,Scheduled,បានកំណត់ពេល @@ -3854,6 +3880,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,អត្រា apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},រក្សាទុក {0} DocType: SMS Center,Total Message(s),សារសរុប (s) +DocType: Purchase Invoice,Accounting Dimensions,វិមាត្រគណនេយ្យ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,ដាក់ក្រុមតាមគណនី DocType: Quotation,In Words will be visible once you save the Quotation.,នៅក្នុងពាក្យនឹងអាចមើលឃើញនៅពេលដែលអ្នកសន្សំបានតំលៃ។ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,បរិមាណផលិត @@ -4018,7 +4045,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.",ប្រសិនបើអ្នកមានសំណួរសូមត្រឡប់មកកាន់យើងវិញ។ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,បង្កាន់ដៃការទិញ {0} មិនត្រូវបានដាក់ស្នើ DocType: Task,Total Expense Claim (via Expense Claim),ពាក្យបណ្តឹងទាមទារចំណាយសរុប (តាមការទាមទារប្រាក់សំណង) -DocType: Quality Action,Quality Goal,គោលដៅគុណភាព +DocType: Quality Goal,Quality Goal,គោលដៅគុណភាព DocType: Support Settings,Support Portal,ការគាំទ្រវិបផតថល apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},កាលបរិច្ឆេទបញ្ចប់នៃកិច្ចការ {0} មិនអាចតិចជាង {1} កាលបរិច្ឆេទចាប់ផ្ដើមដែលរំពឹងទុក {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},និយោជិក {0} បានបើកទុកនៅលើ {1} @@ -4077,7 +4104,6 @@ DocType: BOM,Operating Cost (Company Currency),តម្លៃប្រតិប DocType: Item Price,Item Price,តម្លៃទំនិញ DocType: Payment Entry,Party Name,ឈ្មោះគណបក្ស apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,សូមជ្រើសរើសអតិថិជន -DocType: Course,Course Intro,ការណែនាំអំពីវគ្គសិក្សា DocType: Program Enrollment Tool,New Program,កម្មវិធីថ្មី apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix",ចំនួនមជ្ឈមណ្ឌលតម្លៃថ្មីវានឹងត្រូវដាក់បញ្ចូលក្នុងឈ្មោះមជ្ឈមណ្ឌលតម្លៃជាបុព្វបទមួយ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ជ្រើសរើសអតិថិជនឬអ្នកផ្គត់ផ្គង់។ @@ -4278,6 +4304,7 @@ DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,ប្រាក់ខែសុទ្ធមិនអាចជាអវិជ្ជមានទេ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,លេខនៃអន្តរកម្ម 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 {1} មិនអាចត្រូវបានផ្ទេរច្រើនជាង {2} ទល់នឹងបញ្ជាទិញ {3} ទេ +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,ប្ដូរ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,ដំណើរការប្លង់គណនេយ្យនិងភាគី DocType: Stock Settings,Convert Item Description to Clean HTML,បម្លែងពិពណ៌នាធាតុទៅស្អាត HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,ក្រុមអ្នកផ្គត់ផ្គង់ទាំងអស់ @@ -4356,6 +4383,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,ធាតុមេ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,ឈ្មួញជើងសា apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},សូមបង្កើតវិក័យប័ត្រទិញឬទិញវិក័យប័ត្រសម្រាប់ធាតុ {0} +,Product Bundle Balance,សមតុល្យបណ្តុំផលិតផល apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,ឈ្មោះក្រុមហ៊ុនមិនអាចជាក្រុមហ៊ុនទេ DocType: Maintenance Visit,Breakdown,បំបែកបាក់បែក DocType: Inpatient Record,B Negative,ខអវិជ្ជមាន @@ -4364,7 +4392,7 @@ DocType: Purchase Invoice,Credit To,ឥណទានទៅ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,ដាក់ស្នើការងារនេះដើម្បីដំណើរការបន្ថែមទៀត។ DocType: Bank Guarantee,Bank Guarantee Number,លេខលិខិតធានារបស់ធនាគារ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},បានបញ្ជូន: {0} -DocType: Quality Action,Under Review,ក្រោមការពិនិត្យឡើងវិញ +DocType: Quality Meeting Table,Under Review,ក្រោមការពិនិត្យឡើងវិញ apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),កសិកម្ម (បែតា) ,Average Commission Rate,អត្រាគណៈកម្មការមធ្យម DocType: Sales Invoice,Customer's Purchase Order Date,កាលបរិច្ឆេទបញ្ជាទិញរបស់អតិថិជន @@ -4481,7 +4509,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,ការទូទាត់ការផ្គូរផ្គងជាមួយវិក្កយបត្រ DocType: Holiday List,Weekly Off,ប្រចាំសប្តាហ៍បិទ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},មិនអនុញ្ញាតឱ្យកំណត់ធាតុជំនួសសម្រាប់ធាតុ {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,កម្មវិធី {0} មិនមានទេ។ +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,កម្មវិធី {0} មិនមានទេ។ apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,អ្នកមិនអាចកែថ្នាំង root បានទេ។ DocType: Fee Schedule,Student Category,ប្រភេទសិស្ស apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","ធាតុ {0}: {1} qty ផលិត," @@ -4572,8 +4600,8 @@ DocType: Crop,Crop Spacing,ច្រឹបកាត់ DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,តើគួរធ្វើបច្ចុប្បន្នភាពគម្រោងនិងក្រុមហ៊ុនដោយផ្អែកលើប្រតិបត្ដិការលក់។ DocType: Pricing Rule,Period Settings,កំឡុងពេលកំណត់ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,ការផ្លាស់ប្តូរសុទ្ធនៅក្នុងគណនីត្រូវទទួលបាន +DocType: Quality Feedback Template,Quality Feedback Template,គំរូមតិយោបល់គុណភាព apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,សម្រាប់បរិមាណត្រូវតែធំជាងសូន្យ -DocType: Quality Goal,Goal Objectives,គោលបំណងគោលដៅ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",មានភាពមិនស៊ីគ្នារវាងអត្រាតម្លៃនៃការចែករំលែកនិងចំនួនដែលបានគណនា DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ទុកឱ្យនៅទទេប្រសិនបើអ្នកបង្កើតក្រុមនិស្សិតក្នុងមួយឆ្នាំ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ឥណទាន (បំណុល) @@ -4608,12 +4636,13 @@ DocType: Quality Procedure Table,Step,ជំហាន DocType: Normal Test Items,Result Value,តម្លៃលទ្ធផល DocType: Cash Flow Mapping,Is Income Tax Liability,គឺជាការទទួលខុសត្រូវពន្ធលើប្រាក់ចំណូល DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ធាតុចូលមើលអ្នកជំងឺក្នុងមន្ទីរពេទ្យ -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} មិនមានទេ។ +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} មិនមានទេ។ apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,ធ្វើបច្ចុប្បន្នភាពការឆ្លើយតប DocType: Bank Guarantee,Supplier,អ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},បញ្ចូលតម្លៃ betweeen {0} និង {1} DocType: Purchase Order,Order Confirmation Date,កាលបរិច្ឆេទបញ្ជាក់ការបញ្ជាទិញ DocType: Delivery Trip,Calculate Estimated Arrival Times,គណនាពេលវេលាមកដល់ប៉ាន់ស្មាន +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះនិយោជិកនៅក្នុងធនធានមនុស្ស> ការកំណត់ធនធានមនុស្ស apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,ប្រើប្រាស់ DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS -YYYY.- DocType: Subscription,Subscription Start Date,កាលបរិច្ឆេទចាប់ផ្តើមការជាវប្រចាំ @@ -4677,6 +4706,7 @@ DocType: Cheque Print Template,Is Account Payable,គណនីត្រូវប apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,តម្លៃលំដាប់សរុប apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},អ្នកផ្គត់ផ្គង់ {0} មិនត្រូវបានរកឃើញនៅក្នុង {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,ដំឡើងការកំណត់ផ្លូវចេញចូល SMS +DocType: Salary Component,Round to the Nearest Integer,បង្គត់ទៅចំនួនគត់ជិតបំផុត apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,ឫសមិនអាចមានមជ្ឈមណ្ឌលតម្លៃមេ DocType: Healthcare Service Unit,Allow Appointments,អនុញ្ញាតការណាត់ជួប DocType: BOM,Show Operations,បង្ហាញប្រតិបត្តិការ @@ -4805,7 +4835,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,បញ្ជីសម្រាកលំនាំដើម DocType: Naming Series,Current Value,តម្លៃនាពេលបច្ចុប្បន្ននេះ apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","រដូវកាលសម្រាប់កំណត់ថវិកា, គោលដៅ, ល។" -DocType: Program,Program Code,លេខកូដកម្មវិធី apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},ព្រមាន: លំដាប់បញ្ជាទិញ {0} មានរួចហើយប្រឆាំងនឹងបញ្ជាទិញរបស់អតិថិជន {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,គោលដៅលក់ប្រចាំខែ ( DocType: Guardian,Guardian Interests,ផលប្រយោជន៍របស់អាណាព្យាបាល @@ -4855,10 +4884,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,បានបង់និងមិនបានបញ្ជូន apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,កូដធាតុគឺចាំបាច់ពីព្រោះធាតុមិនត្រូវបានបង់លេខដោយស្វ័យប្រវត្តិទេ DocType: GST HSN Code,HSN Code,លេខ HSN -DocType: Quality Goal,September,កញ្ញា +DocType: GSTR 3B Report,September,កញ្ញា apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,ចំណាយរដ្ឋបាល DocType: C-Form,C-Form No,គ - សំណុំបែបបទលេខ DocType: Purchase Invoice,End date of current invoice's period,កាលបរិច្ឆេទបញ្ចប់នៃវិក័យប័ត្របច្ចុប្បន្ន +DocType: Item,Manufacturers,ក្រុមហ៊ុនផលិត DocType: Crop Cycle,Crop Cycle,វដ្តដំណាំ DocType: Serial No,Creation Time,ពេលវេលាបង្កើត apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,សូមបញ្ចូល Role ឬការអនុម័តអ្នកប្រើប្រាស់ @@ -4931,8 +4961,6 @@ DocType: Employee,Short biography for website and other publications.,ជីវ DocType: Purchase Invoice Item,Received Qty,ទទួលបានចំនួន DocType: Purchase Invoice Item,Rate (Company Currency),អត្រា (រូបិយប័ណ្ណក្រុមហ៊ុន) DocType: Item Reorder,Request for,ស្នើសុំ -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","សូមលុបនិយោជិក {0} \ ដើម្បីបោះបង់ឯកសារនេះ" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,ដំឡើងការកំណត់ជាមុន apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,សូមបញ្ចូលរយៈពេលសង DocType: Pricing Rule,Advanced Settings,ការកំណត់កម្រិតខ្ពស់ @@ -4958,7 +4986,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,បើកដំណើរការកន្រ្តកទំនិញ DocType: Pricing Rule,Apply Rule On Other,អនុវត្តច្បាប់នៅលើផ្សេងទៀត DocType: Vehicle,Last Carbon Check,ពិនិត្យកាបូនចុងក្រោយ -DocType: Vehicle,Make,បង្កើត +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,បង្កើត apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,វិក័យប័ត្រលក់ {0} បានបង្កើតជាការបង់ប្រាក់ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,ដើម្បីបង្កើតឯកសារយោងសំណើសុំការទូទាត់ត្រូវបានទាមទារ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ពន្ធលើប្រាក់ចំណូល @@ -5034,7 +5062,6 @@ DocType: Territory,Parent Territory,ដែនដីមាតាបិតា DocType: Vehicle Log,Odometer Reading,ការអានអូលីម៉ែត DocType: Additional Salary,Salary Slip,ប្រាក់ខែ DocType: Payroll Entry,Payroll Frequency,ប្រេកង់ប្រាក់ខែ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះនិយោជិកនៅក្នុងធនធានមនុស្ស> ការកំណត់ធនធានមនុស្ស apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",កាលបរិច្ឆេទចាប់ផ្ដើមនិងបញ្ចប់មិននៅក្នុងអំឡុងពេលបើកប្រាក់បៀវត្សរ៍ត្រឹមត្រូវមិនអាចគណនា {0} DocType: Products Settings,Home Page is Products,ទំព័រដើមគឺជាផលិតផល apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,ការហៅ @@ -5088,7 +5115,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,កំពុងប្រមូលកំណត់ត្រា ...... DocType: Delivery Stop,Contact Information,ព័ត៌មានទំនាក់ទំនង DocType: Sales Order Item,For Production,សម្រាប់ផលិតកម្ម -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះគ្រូបង្រៀននៅក្នុងការអប់រំ> ការកំណត់អប់រំ DocType: Serial No,Asset Details,ព័ត៌មានលំអិតទ្រព្យសម្បត្តិ DocType: Restaurant Reservation,Reservation Time,ម៉ោងកក់ DocType: Selling Settings,Default Territory,ដែនដីលំនាំដើម @@ -5228,6 +5254,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,ការស៊ីសងដែលផុតកំណត់ DocType: Shipping Rule,Shipping Rule Type,ដឹកជញ្ជូនប្រភេទច្បាប់ DocType: Job Offer,Accepted,បានទទួល +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","សូមលុបនិយោជិក {0} \ ដើម្បីបោះបង់ឯកសារនេះ" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,អ្នកបានវាយតំលៃរួចហើយសម្រាប់លក្ខណៈវិនិច្ឆ័យវាយតម្លៃ {} ។ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ជ្រើសលេខបាច់ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),អាយុ (ថ្ងៃ) @@ -5244,6 +5272,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,ខ្ចប់ធាតុនៅពេលលក់។ DocType: Payment Reconciliation Payment,Allocated Amount,ចំនួនទឹកប្រាក់ដែលបានបែងចែក apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,សូមជ្រើសរើសក្រុមហ៊ុននិងការកំណត់ +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,ទាមទារ 'កាលបរិច្ឆេទ' DocType: Email Digest,Bank Credit Balance,តុល្យភាពឥណទានធនាគារ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,បង្ហាញចំនួនទឹកប្រាក់កើនឡើង apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,អ្នកមិនមានពិន្ទុនៃភាពស្មោះត្រង់គ្រប់គ្រាន់ដើម្បីលោះទេ @@ -5304,11 +5333,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,នៅលើសរុ DocType: Student,Student Email Address,អាស័យដ្ឋានអ៊ីម៉ែលរបស់សិស្ស DocType: Academic Term,Education,ការអប់រំ DocType: Supplier Quotation,Supplier Address,អាសយដ្ឋានអ្នកផ្គត់ផ្គង់ -DocType: Salary Component,Do not include in total,កុំរួមបញ្ចូលសរុប +DocType: Salary Detail,Do not include in total,កុំរួមបញ្ចូលសរុប apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,មិនអាចកំណត់លំនាំដើមធាតុច្រើនសម្រាប់ក្រុមហ៊ុន។ apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} មិនមានទេ DocType: Purchase Receipt Item,Rejected Quantity,បរិមាណច្រានចោល DocType: Cashier Closing,To TIme,ដើម្បី TIme +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: Daily Work Summary Group User,Daily Work Summary Group User,អ្នកប្រើក្រុមសង្ខេបការងារប្រចាំថ្ងៃ DocType: Fiscal Year Company,Fiscal Year Company,ក្រុមហ៊ុនសារពើពន្ធប្រចាំឆ្នាំ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,ធាតុជំនួសមិនត្រូវដូចគ្នានឹងលេខកូដធាតុទេ @@ -5418,7 +5448,6 @@ DocType: Fee Schedule,Send Payment Request Email,ផ្ញើសំណើកា DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,នៅក្នុងពាក្យនឹងត្រូវបានមើលឃើញនៅពេលដែលអ្នករក្សាទុកវិក័យប័ត្រលក់។ DocType: Sales Invoice,Sales Team1,ក្រុមលក់ 1 DocType: Work Order,Required Items,ធាតុចាំបាច់ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","តួអក្សរពិសេសលើកលែងតែ "-", "#", "។ " និង "/" មិនត្រូវបានអនុញ្ញាតនៅក្នុងស៊េរីឈ្មោះ" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,អានសៀវភៅដៃ ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ពិនិត្យមើលលេខវិក័យប័ត្រអ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,ស្វែងរកសមាសភាគរង @@ -5486,7 +5515,6 @@ DocType: Taxable Salary Slab,Percent Deduction,ការកាត់បន្ថ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,ចំនួនបរិមាណផលិតមិនអាចតិចជាងសូន្យទេ DocType: Share Balance,To No,ទេ DocType: Leave Control Panel,Allocate Leaves,លាងស្លឹក -DocType: Quiz,Last Attempt,ការព្យាយាមចុងក្រោយ DocType: Assessment Result,Student Name,ឈ្មោះរបស់សិស្ស apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,ផែនការសម្រាប់ការថែទាំ។ apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,សំណើសុំសម្ភារៈដូចខាងក្រោមត្រូវបានលើកឡើងដោយស្វ័យប្រវត្តិដោយផ្អែកលើលំដាប់ឡើងវិញនៃធាតុ @@ -5555,6 +5583,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,ពណ៌សូចនាករ DocType: Item Variant Settings,Copy Fields to Variant,ចម្លងវាលទៅវ៉ារ្យង់ DocType: Soil Texture,Sandy Loam,ខ្សាច់សុង +DocType: Question,Single Correct Answer,ចម្លើយតែមួយ apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,ពីកាលបរិច្ឆេទមិនអាចតិចជាងកាលបរិច្ឆេទចូលរួមរបស់និយោជិក DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,អនុញ្ញាតឱ្យមានការបញ្ជាទិញច្រើនក្នុងការបញ្ជាទិញរបស់អតិថិជន apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5617,7 +5646,7 @@ DocType: Account,Expenses Included In Valuation,ចំណាយរួមបញ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,លេខស៊េរី DocType: Salary Slip,Deductions,បំណាច់ ,Supplier-Wise Sales Analytics,អ្នកផ្គត់ផ្គង់ - វិភាគការលក់ឆ្លាត -DocType: Quality Goal,February,ខែកុម្ភៈ +DocType: GSTR 3B Report,February,ខែកុម្ភៈ DocType: Appraisal,For Employee,សម្រាប់បុគ្គលិក apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,កាលបរិច្ឆេទដឹកជញ្ជូនជាក់ស្តែង DocType: Sales Partner,Sales Partner Name,ឈ្មោះដៃគូលក់ @@ -5713,7 +5742,6 @@ DocType: Procedure Prescription,Procedure Created,នីតិវិធីបា apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},ប្រឆាំងនឹងវិក័យប័ត្ររបស់អ្នកផ្គត់ផ្គង់ {0} dated {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,ប្តូរប្រវត្តិ POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,បង្កើតការនាំមុខ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ក្រុមហ៊ុនផ្គត់ផ្គង់> ប្រភេទក្រុមហ៊ុនផ្គត់ផ្គង់ DocType: Shopify Settings,Default Customer,អតិថិជនលំនាំដើម DocType: Payment Entry Reference,Supplier Invoice No,វិក័យប័ត្រអ្នកផ្គត់ផ្គង់លេខ DocType: Pricing Rule,Mixed Conditions,លក្ខខណ្ឌចម្រុះ @@ -5764,12 +5792,14 @@ DocType: Item,End of Life,ចុងបញ្ចប់នៃជីវិត DocType: Lab Test Template,Sensitivity,ភាពប្រែប្រួល DocType: Territory,Territory Targets,គោលដៅដែនដី apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",សូមរំលងការចាត់ចែងឱ្យបុគ្គលិកដូចខាងក្រោមដោយទុកកំណត់ត្រាបែងចែករួចហើយប្រឆាំងនឹងពួកគេ។ {0} +DocType: Quality Action Resolution,Quality Action Resolution,ដំណោះស្រាយសកម្មភាពគុណភាព DocType: Sales Invoice Item,Delivered By Supplier,បានបញ្ជូនដោយអ្នកផ្គត់ផ្គង់ DocType: Agriculture Analysis Criteria,Plant Analysis,វិភាគរុក្ខជាតិ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},គណនីចំណាយគឺចាំបាច់សម្រាប់ធាតុ {0} ,Subcontracted Raw Materials To Be Transferred,សម្ភារៈម៉ៅសេទុងដែលត្រូវបានបញ្ជូនបន្តត្រូវផ្ទេរ DocType: Cashier Closing,Cashier Closing,បិទសាច់ប្រាក់ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,ធាតុ {0} ត្រូវបានត្រឡប់មកវិញហើយ +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN មិនត្រឹមត្រូវ! ការបញ្ចូលដែលអ្នកបានបញ្ចូលមិនត្រូវគ្នានឹងទ្រង់ទ្រាយ GSTIN សម្រាប់អ្នកកាន់ UIN ឬអ្នកផ្តល់សេវាកម្ម OIDAR ដែលមិនមានលំនៅដ្ឋាន។ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,ឃ្លាំងកុមារមានសម្រាប់ឃ្លាំងនេះ។ អ្នកមិនអាចលុបឃ្លាំងនេះបានទេ។ DocType: Diagnosis,Diagnosis,ការធ្វើរោគវិនិច្ឆ័យ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},មិនមានរយះពេលចេញពីចន្លោះ {0} និង {1} @@ -5786,6 +5816,7 @@ DocType: QuickBooks Migrator,Authorization Settings,ការកំណត់អ DocType: Homepage,Products,ផលិតផល ,Profit and Loss Statement,របាយការណ៍ចំណេញនិងការបាត់បង់ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,បន្ទប់កក់ +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},ស្ទួនធាតុប្រឆាំងនឹងកូដធាតុ {0} និងអ្នកផលិត {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,ទំងន់សរុប apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,ធ្វើដំណើរ @@ -5834,6 +5865,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,ក្រុមអតិថិជនលំនាំដើម DocType: Journal Entry Account,Debit in Company Currency,ឥណពន្ធនៅក្នុងក្រុមហ៊ុនរូបិយប័ណ្ណ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",ស៊េរី fallback គឺ "SO-WOO-" ។ +DocType: Quality Meeting Agenda,Quality Meeting Agenda,របៀបវារៈកិច្ចប្រជុំប្រកបដោយគុណភាព DocType: Cash Flow Mapper,Section Header,ផ្នែកក្បាល apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,ផលិតផលឬសេវាកម្មរបស់អ្នក DocType: Crop,Perennial,មានអាយុច្រើនឆ្នាំ @@ -5879,7 +5911,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",ផលិតផលឬសេវាកម្មដែលត្រូវបានទិញលក់ឬរក្សាទុកនៅក្នុងឃ្លាំង។ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),ការបិទ (បើក + សរុប) DocType: Supplier Scorecard Criteria,Criteria Formula,រូបមន្តលក្ខណៈវិនិច្ឆ័យ -,Support Analytics,ការគាំទ្រវិភាគ +apps/erpnext/erpnext/config/support.py,Support Analytics,ការគាំទ្រវិភាគ apps/erpnext/erpnext/config/quality_management.py,Review and Action,ពិនិត្យឡើងវិញនិងសកម្មភាព DocType: Account,"If the account is frozen, entries are allowed to restricted users.",ប្រសិនបើគណនីត្រូវបានបង្កកធាតុត្រូវបានអនុញ្ញាតឱ្យដាក់កម្រិតអ្នកប្រើ។ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,ចំនួនទឹកប្រាក់បន្ទាប់ពីការរំលស់ @@ -5924,7 +5956,6 @@ DocType: Contract Template,Contract Terms and Conditions,លក្ខខណ្ apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ទាញយកទិន្នន័យ DocType: Stock Settings,Default Item Group,ក្រុមធាតុលំនាំដើម DocType: Sales Invoice Timesheet,Billing Hours,ម៉ោងទូទាត់ -DocType: Item,Item Code for Suppliers,លេខកូដសម្រាប់អ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},ចាកចេញពីកម្មវិធី {0} មានរួចហើយប្រឆាំងនឹងសិស្ស {1} DocType: Pricing Rule,Margin Type,ប្រភេទរឹម DocType: Purchase Invoice Item,Rejected Serial No,ច្រានចោលស៊េរីលេខ @@ -5997,6 +6028,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,ស្លឹកត្រូវបានផ្តល់ឱ្យយ៉ាងជោគជ័យ DocType: Loyalty Point Entry,Expiry Date,ថ្ងៃផុតកំណត់ DocType: Project Task,Working,ធ្វើការ +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} មាននីតិវិធីមាតាបិតារួចហើយ {1} ។ apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,នេះគឺផ្អែកទៅលើប្រតិបត្តិការប្រឆាំងនឹងអ្នកជម្ងឺនេះ។ សូមមើលតារាងពេលវេលាខាងក្រោមសម្រាប់ព័ត៌មានលំអិត DocType: Material Request,Requested For,បានស្នើសុំ DocType: SMS Center,All Sales Person,អ្នកលក់ទាំងអស់ @@ -6084,6 +6116,7 @@ DocType: Loan Type,Maximum Loan Amount,ចំនួនប្រាក់កម apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,រកមិនឃើញអ៊ីមែលនៅក្នុងទំនាក់ទំនងលំនាំដើម DocType: Hotel Room Reservation,Booked,កក់ DocType: Maintenance Visit,Partially Completed,បានបញ្ចប់ផ្នែកខ្លះ +DocType: Quality Procedure Process,Process Description,ការពិពណ៌នាដំណើរការ DocType: Company,Default Employee Advance Account,គណនីបុព្វលាភបុគ្គលិកលំនាំដើម DocType: Leave Type,Allow Negative Balance,អនុញ្ញាតឱ្យមានតុល្យភាពអវិជ្ជមាន apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,ឈ្មោះផែនការវាយតម្លៃ @@ -6125,6 +6158,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,ស្នើសុំធាតុសម្រង់ apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} បានបញ្ចូលពីរដងក្នុងពន្ធធាតុ DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,ដកហូតពេញពន្ធលើកាលបរិច្ឆេទបើកប្រាក់បៀវត្សដែលបានជ្រើសរើស +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,កាលបរិច្ឆេទត្រួតពិនិត្យកាបូនចុងក្រោយមិនអាចជាកាលបរិច្ឆេទនាពេលអនាគត apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,ជ្រើសរើសគណនីចំនួនទឹកប្រាក់ផ្លាស់ប្តូរ DocType: Support Settings,Forum Posts,ប្រកាសវេទិកា DocType: Timesheet Detail,Expected Hrs,ម៉ោងដែលរំពឹងទុក @@ -6134,7 +6168,7 @@ DocType: Program Enrollment Tool,Enroll Students,ចុះឈ្មោះសិ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,ធ្វើប្រាក់ចំណូលរបស់អតិថិជនម្តងទៀត DocType: Company,Date of Commencement,កាលបរិច្ឆេទនៃការចាប់ផ្តើម DocType: Bank,Bank Name,ឈ្មោះរបស់ធនាគារ -DocType: Quality Goal,December,ខែធ្នូ +DocType: GSTR 3B Report,December,ខែធ្នូ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,សុពលភាពពីកាលបរិច្ឆេទត្រូវតែតិចជាងកាលបរិច្ឆេទដែលមានសុពលភាព apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,នេះអាស្រ័យលើវត្តមានរបស់និយោជិតនេះ DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",ប្រសិនបើបានគូសធីកទំព័រដើមនឹងក្លាយជាក្រុមធាតុលំនាំដើមសម្រាប់វេបសាយ @@ -6177,6 +6211,7 @@ DocType: Payment Entry,Payment Type,ប្រភេទបង់ប្រាក apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,លេខហ្វាល់មិនត្រូវគ្នាទេ DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF -YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},អធិការកិច្ចគុណភាព: {0} មិនបានបញ្ជូនសម្រាប់ធាតុទេ: {1} នៅក្នុងជួរដេក {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},បង្ហាញ {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,រកឃើញធាតុ {0} ។ ,Stock Ageing,ចាស់ជរាស្ដុកស្ដម្ភ DocType: Customer Group,Mention if non-standard receivable account applicable,លើកឡើងប្រសិនបើគណនីដែលមិនទទួលបានស្តង់ដារអាចអនុវត្ត @@ -6455,6 +6490,7 @@ DocType: Travel Request,Costing,ការចំណាយ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,ទ្រព្យមានកាលកំណត់ DocType: Purchase Order,Ref SQ,Ref QQ DocType: Salary Structure,Total Earning,ការរកប្រាក់ចំណូលសរុប +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ដែនដី DocType: Share Balance,From No,ពីលេខ DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,វិក័យប័ត្រសម្រុះសម្រួលការទូទាត់ DocType: Purchase Invoice,Taxes and Charges Added,ពន្ធនិងបន្ទុកដែលបានបន្ថែម @@ -6462,7 +6498,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,ពិចារ DocType: Authorization Rule,Authorized Value,តម្លៃដែលបានអនុញ្ញាត apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,ទទួលបានពី apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,ឃ្លាំង {0} មិនមានទេ +DocType: Item Manufacturer,Item Manufacturer,អ្នកផលិតទំនិញ DocType: Sales Invoice,Sales Team,ក្រុមលក់ +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,កញ្ចប់លេខ DocType: Purchase Order Item Supplied,Stock UOM,ភាគហ៊ុន UOM DocType: Installation Note,Installation Date,កាលបរិច្ឆេទដំឡើង DocType: Email Digest,New Quotations,សម្រង់ថ្មី @@ -6526,7 +6564,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,ឈ្មោះថ្ងៃឈប់សម្រាក DocType: Water Analysis,Collection Temperature ,សីតុណ្ហភាពប្រមូល DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,គ្រប់គ្រងវិក័យប័ត្រណាត់ជួបបញ្ជូននិងបោះបង់ដោយស្វ័យប្រវត្តិសម្រាប់ការជួបប្រទះអ្នកជម្ងឺ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,សូមកំណត់ស៊ុមឈ្មោះសម្រាប់ {0} តាម Setup> Settings> Naming Series DocType: Employee Benefit Claim,Claim Date,កាលបរិច្ឆេទទាមទារ DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,ទុកទទេប្រសិនបើអ្នកផ្គត់ផ្គង់ត្រូវបានរារាំងដោយគ្មានកំណត់ apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,វត្តមានពីកាលបរិច្ឆេទនិងវត្តមានទៅកាលបរិច្ឆេទគឺចាំបាច់ @@ -6537,6 +6574,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,កាលបរិច្ឆេទនៃការចូលនិវត្តន៍ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,សូមជ្រើសរើសអ្នកជម្ងឺ DocType: Asset,Straight Line,បន្ទាត់ត្រង់ +DocType: Quality Action,Resolutions,ការតាំងចិត្ត DocType: SMS Log,No of Sent SMS,លេខនៃសារ SMS ដែលបានផ្ញើ ,GST Itemised Sales Register,ចុះឈ្មោះលក់របស់ GST apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,ចំនួនទឹកប្រាក់ជាមុនមិនអាចច្រើនជាងចំនួនសរុបដែលបានអនុញ្ញាត @@ -6647,7 +6685,7 @@ DocType: Account,Profit and Loss,ប្រាក់ចំណេញនិងក apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,ខុសលេខ DocType: Asset Finance Book,Written Down Value,តម្លៃចុះក្រោមសរសេរ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,បើកសមធម៌សមតុល្យ -DocType: Quality Goal,April,មេសា +DocType: GSTR 3B Report,April,មេសា DocType: Supplier,Credit Limit,ដែនកំណត់ឥណទាន apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,ការចែកចាយ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6702,6 +6740,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ភ្ជាប់ Connectify ជាមួយ ERPNext DocType: Homepage Section Card,Subtitle,ចំណងជើងរង DocType: Soil Texture,Loam,លាមក +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ក្រុមហ៊ុនផ្គត់ផ្គង់> ប្រភេទក្រុមហ៊ុនផ្គត់ផ្គង់ DocType: BOM,Scrap Material Cost(Company Currency),ចំណាយសម្ភារៈសំណល់អេតចាយ (រូបិយប័ណ្ណក្រុមហ៊ុន) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,មិនត្រូវបញ្ជូនសេចក្តីជូនដំណឹង {0} DocType: Task,Actual Start Date (via Time Sheet),កាលបរិច្ឆេទចាប់ផ្ដើមពិតប្រាកដ (តាមរយៈសន្លឹកពេល) @@ -6757,7 +6796,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,កិតើ DocType: Cheque Print Template,Starting position from top edge,ចាប់ផ្តើមទីតាំងពីគែមកំពូល apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),រយៈពេលនៃការតែងតាំង (នាទី) -DocType: Pricing Rule,Disable,បិទ +DocType: Accounting Dimension,Disable,បិទ DocType: Email Digest,Purchase Orders to Receive,ទិញការបញ្ជាទិញដើម្បីទទួល apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,ការបញ្ជាទិញផលិតផលមិនអាចត្រូវបានលើកឡើងសម្រាប់: DocType: Projects Settings,Ignore Employee Time Overlap,មិនអើពើនិយោជិកពេលវេលាត្រួតស៊ីគ្នា @@ -6841,6 +6880,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,បង DocType: Item Attribute,Numeric Values,តម្លៃលេខ DocType: Delivery Note,Instructions,សេចក្តីណែនាំ DocType: Blanket Order Item,Blanket Order Item,ធាតុបញ្ជារោរ +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,កាតព្វកិច្ចចំពោះគណនីចំណេញនិងការបាត់បង់ apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,អត្រាប្រាក់កម្រៃរបស់គណៈកម្មការមិនអាចធំជាង 100 ទេ DocType: Course Topic,Course Topic,ប្រធានបទវគ្គសិក្សា DocType: Employee,This will restrict user access to other employee records,ការនេះនឹងរឹតត្បឹតការចូលទៅកាន់កំណត់ត្រានិយោជិកផ្សេងទៀត @@ -6865,12 +6905,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,ការគ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,ទទួលបានអតិថិជនពី apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} សង្ខេប DocType: Employee,Reports to,រាយការណ៍ទៅ +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,គណនីគណបក្ស DocType: Assessment Plan,Schedule,កាលវិភាគ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,សូមបញ្ចូល DocType: Lead,Channel Partner,ឆានែលដៃគូ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,បរិមាណវិក្កយបត្រ DocType: Project,From Template,ពីពុម្ព +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,ការជាវ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,បរិមាណដើម្បីបង្កើត DocType: Quality Review Table,Achieved,សម្រេចបាន @@ -6917,7 +6959,6 @@ DocType: Journal Entry,Subscription Section,ផ្នែកបរិវិសក DocType: Salary Slip,Payment Days,ថ្ងៃទូទាត់ apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,ព័ត៌មានស្ម័គ្រចិត្ត។ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'បង្កកស្តុកចាស់ជាង' គួរតែតិចជាង% d ថ្ងៃ។ -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,ជ្រើសរើសយកឆ្នាំសារពើពន្ធ DocType: Bank Reconciliation,Total Amount,ចំនួនសរុប DocType: Certification Application,Non Profit,មិនមែនប្រាក់ចំណេញ DocType: Subscription Settings,Cancel Invoice After Grace Period,បោះបង់វិក្កយបត្របន្ទាប់ពីរយៈពេលព្រះគុណ @@ -6930,7 +6971,6 @@ DocType: Serial No,Warranty Period (Days),រយៈពេលនៃការធ DocType: Expense Claim Detail,Expense Claim Detail,ការចំណាយលើបណ្តឹងទាមទារសំណង apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,កម្មវិធី: DocType: Patient Medical Record,Patient Medical Record,កំណត់ត្រាវេជ្ជសាស្រ្តរបស់អ្នកជម្ងឺ -DocType: Quality Action,Action Description,ការពិពណ៌នាសកម្មភាព DocType: Item,Variant Based On,វ៉ារ្យង់ផ្អែកលើ DocType: Vehicle Service,Brake Oil,ប្រេងហ្វ្រាំង DocType: Employee,Create User,បង្កើតអ្នកប្រើ @@ -6986,7 +7026,7 @@ DocType: Cash Flow Mapper,Section Name,ឈ្មោះផ្នែក DocType: Packed Item,Packed Item,ធាតុដែលបានខ្ចប់ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: តំរូវការឥណពន្ធឬឥណទានទាំងអស់ត្រូវបានតម្រូវសម្រាប់ {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,ដាក់ស្នើសុំប្រាក់បៀវត្ស ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,គ្មានសកម្មភាព +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,គ្មានសកម្មភាព apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",ថវិកាមិនអាចត្រូវបានចាត់តាំងដោយ {0} ទេពីព្រោះវាមិនមែនជាគណនីប្រាក់ចំណូលឬចំណាយ apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,ថ្នាក់អនុបណ្ឌិតនិងគណនី DocType: Quality Procedure Table,Responsible Individual,ទទួលខុសត្រូវបុគ្គល @@ -7109,7 +7149,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,អនុញ្ញាតឱ្យបង្កើតគណនីប្រឆាំងនឹងក្រុមហ៊ុនកុមារ DocType: Payment Entry,Company Bank Account,គណនីធនាគាររបស់ក្រុមហ៊ុន DocType: Amazon MWS Settings,UK,អង់គ្លេស -DocType: Quality Procedure,Procedure Steps,ជំហាននីតិវិធី DocType: Normal Test Items,Normal Test Items,វត្ថុធ្វើតេស្តធម្មតា apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,ធាតុ {0}: qty {1} ដែលបានបញ្ជាទិញអាចមិនតិចជាងលំដាប់អប្បបរមា qty {2} (កំណត់ក្នុងធាតុ) ។ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,មិននៅក្នុងស្តុក @@ -7188,7 +7227,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,វិភាគ DocType: Maintenance Team Member,Maintenance Role,តួនាទីថែទាំ apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,លក្ខខ័ណ្ឌល័ក្ខខ័ណ្ឌ DocType: Fee Schedule Program,Fee Schedule Program,កម្មវិធីកាលវិភាគថ្លៃ -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,វគ្គសិក្សា {0} មិនមានទេ។ DocType: Project Task,Make Timesheet,ធ្វើឱ្យពេលវេលា DocType: Production Plan Item,Production Plan Item,ធាតុផលិតកម្ម apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,សិស្សសរុប @@ -7209,6 +7247,7 @@ DocType: Expense Claim,Total Claimed Amount,បរិមាណសរុបដែ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,រុំឡើង apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,អ្នកអាចបន្តបានលុះត្រាតែសមាជិកភាពរបស់អ្នកផុតកំណត់ក្នុងរយៈពេល 30 ថ្ងៃ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},តម្លៃត្រូវតែនៅចន្លោះ {0} និង {1} +DocType: Quality Feedback,Parameters,ប៉ារ៉ាម៉ែត្រ ,Sales Partner Transaction Summary,សង្ខេបប្រតិបត្តិការលក់ដៃគូ DocType: Asset Maintenance,Maintenance Manager Name,ឈ្មោះអ្នកគ្រប់គ្រងថែទាំ apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,វាចាំបាច់ដើម្បីទៅយកព័ត៌មានលំអិតអំពីធាតុ។ @@ -7247,6 +7286,7 @@ DocType: Student Admission,Student Admission,ការចុះឈ្មោះ DocType: Designation Skill,Skill,ជំនាញ DocType: Budget Account,Budget Account,គណនីថវិកា DocType: Employee Transfer,Create New Employee Id,បង្កើតលេខសម្គាល់បុគ្គលិកថ្មី +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} ត្រូវបានទាមទារសម្រាប់គណនី "ចំណេញនិងការបាត់បង់" {1} ។ apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),ពន្ធលើទំនិញនិងសេវាកម្ម (GST ឥណ្ឌា) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,បង្កើតប្រាក់ខែទាប ... DocType: Employee Skill,Employee Skill,ជំនាញរបស់បុគ្គលិក @@ -7347,6 +7387,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,វិក្ DocType: Subscription,Days Until Due,ថ្ងៃរហូតដល់ពេលកំណត់ apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,បានបង្ហាញថាបានបញ្ចប់ apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,របាយការណ៍ស្តីពីការធ្វើប្រតិបត្តិការរបស់ធនាគារ +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ធនាគាធនាគារ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ជួរដេក # {0}: អត្រាត្រូវតែដូចគ្នានឹង {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-yYYYY.- DocType: Healthcare Settings,Healthcare Service Items,សេវាកម្មថែទាំសុខភាព @@ -7403,6 +7444,7 @@ DocType: Training Event Employee,Invited,បានអញ្ជើញ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},ចំនួនទឹកប្រាក់អតិបរមាមានសិទ្ធិទទួលបានសមាសភាគ {0} លើសពី {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,ចំនួនទឹកប្រាក់ទៅវិក័យប័ត្រ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",សម្រាប់ {0} មានតែគណនីឥណពន្ធប៉ុណ្ណោះអាចត្រូវបានភ្ជាប់ជាមួយធាតុឥណទានផ្សេងទៀត +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,បង្កើតវិមាត្រ ... DocType: Bank Statement Transaction Entry,Payable Account,គណនីដែលត្រូវបង់ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,សូមនិយាយពីចំនួនដងនៃការបើកមើលដែលត្រូវការ DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,ជ្រើសរើសតែអ្នកប្រសិនបើអ្នកមានរៀបចំឯកសារ Cash Flow Mapper @@ -7420,6 +7462,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,ពេលវេលាដោះស្រាយ DocType: Grading Scale Interval,Grade Description,កម្រិតពណ៌នា DocType: Homepage Section,Cards,កាត +DocType: Quality Meeting Minutes,Quality Meeting Minutes,នាទីប្រជុំគុណភាព DocType: Linked Plant Analysis,Linked Plant Analysis,ការវិភាគរុក្ខជាតិដែលទាក់ទង apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,កាលបរិច្ឆេទបញ្ឈប់សេវាកម្មមិនអាចនៅបន្ទាប់ពីកាលបរិច្ឆេទបញ្ចប់សេវា apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,សូមកំណត់ដែនកំណត់ B2C ក្នុងការកំណត់ GST ។ @@ -7454,7 +7497,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,ឧបករណ៍ច DocType: Employee,Educational Qualification,គុណភាពនៃការអប់រំ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,តម្លៃអាចចូលបាន apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},បរិមាណគំរូ {0} មិនអាចច្រើនជាងបរិមាណដែលទទួលបាននោះទេ {1} -DocType: Quiz,Last Highest Score,ពិន្ទុខ្ពស់បំផុតចុងក្រោយ DocType: POS Profile,Taxes and Charges,ពន្ធនិងការចោទប្រកាន់ DocType: Opportunity,Contact Mobile No,ទំនាក់ទំនងទូរស័ព្ទដៃលេខ DocType: Employee,Joining Details,ចូលរួមព័ត៌មានលម្អិត diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv index 53eac0d167..798557160c 100644 --- a/erpnext/translations/kn.csv +++ b/erpnext/translations/kn.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,ಪೂರೈಕೆದಾರ DocType: Journal Entry Account,Party Balance,ಪಕ್ಷದ ಬ್ಯಾಲೆನ್ಸ್ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),ಫಂಡ್ಗಳ ಮೂಲ (ಹೊಣೆಗಾರಿಕೆಗಳು) DocType: Payroll Period,Taxable Salary Slabs,ತೆರಿಗೆಯ ಸಂಬಳ ಚಪ್ಪಡಿಗಳು +DocType: Quality Action,Quality Feedback,ಗುಣಮಟ್ಟ ಪ್ರತಿಕ್ರಿಯೆ DocType: Support Settings,Support Settings,ಬೆಂಬಲ ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,ದಯವಿಟ್ಟು ಮೊದಲು ಉತ್ಪಾದನೆ ಐಟಂ ಅನ್ನು ನಮೂದಿಸಿ DocType: Quiz,Grading Basis,ಗ್ರೇಡಿಂಗ್ ಬೇಸಿಸ್ @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,ಹೆಚ್ಚ DocType: Salary Component,Earning,ಗಳಿಸುತ್ತಿದೆ DocType: Restaurant Order Entry,Click Enter To Add,ಸೇರಿಸಲು ನಮೂದಿಸಿ ಕ್ಲಿಕ್ ಮಾಡಿ DocType: Employee Group,Employee Group,ಉದ್ಯೋಗಿಗಳ ಗುಂಪು +DocType: Quality Procedure,Processes,ಪ್ರಕ್ರಿಯೆಗಳು DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ಒಂದು ಕರೆನ್ಸಿಯನ್ನು ಇನ್ನೊಂದಕ್ಕೆ ಪರಿವರ್ತಿಸಲು ವಿನಿಮಯ ದರವನ್ನು ಸೂಚಿಸಿ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,ಏಜಿಂಗ್ ರೇಂಜ್ 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},ಸ್ಟಾಕ್ ಐಟಂಗಾಗಿ ವೇರ್ಹೌಸ್ ಅಗತ್ಯವಿರುತ್ತದೆ {0} @@ -156,11 +158,13 @@ DocType: Complaint,Complaint,ದೂರು DocType: Shipping Rule,Restrict to Countries,ದೇಶಗಳಿಗೆ ನಿರ್ಬಂಧಿಸಿ DocType: Hub Tracked Item,Item Manager,ಐಟಂ ಮ್ಯಾನೇಜರ್ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},ಮುಚ್ಚುವ ಖಾತೆಯ ಕರೆನ್ಸಿ {0} ಆಗಿರಬೇಕು +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,ಬಜೆಟ್ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,ಸರಕುಪಟ್ಟಿ ಐಟಂ ತೆರೆಯಲಾಗುತ್ತಿದೆ DocType: Work Order,Plan material for sub-assemblies,ಉಪ-ಸಭೆಗಳಿಗೆ ಯೋಜನಾ ವಸ್ತು apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,ಹಾರ್ಡ್ವೇರ್ DocType: Budget,Action if Annual Budget Exceeded on MR,ಎಮ್ಆರ್ನಲ್ಲಿ ವಾರ್ಷಿಕ ಬಜೆಟ್ ಮೀರಿದರೆ ಕ್ರಿಯೆ DocType: Sales Invoice Advance,Advance Amount,ಅಡ್ವಾನ್ಸ್ ಮೊತ್ತ +DocType: Accounting Dimension,Dimension Name,ಆಯಾಮದ ಹೆಸರು DocType: Delivery Note Item,Against Sales Invoice Item,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಐಟಂ ವಿರುದ್ಧ DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP - YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,ಉತ್ಪಾದನೆಯಲ್ಲಿ ಐಟಂ ಅನ್ನು ಸೇರಿಸಿ @@ -217,7 +221,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,ಅದು ಏನ ,Sales Invoice Trends,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಟ್ರೆಂಡ್ಗಳು DocType: Bank Reconciliation,Payment Entries,ಪಾವತಿ ನಮೂದುಗಳು DocType: Employee Education,Class / Percentage,ವರ್ಗ / ಶೇಕಡಾವಾರು -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗ್ರೂಪ್> ಬ್ರ್ಯಾಂಡ್ ,Electronic Invoice Register,ವಿದ್ಯುನ್ಮಾನ ಸರಕುಪಟ್ಟಿ ನೋಂದಣಿ DocType: Sales Invoice,Is Return (Credit Note),ರಿಟರ್ನ್ (ಕ್ರೆಡಿಟ್ ಗಮನಿಸಿ) DocType: Lab Test Sample,Lab Test Sample,ಲ್ಯಾಬ್ ಪರೀಕ್ಷಾ ಮಾದರಿ @@ -291,6 +294,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,ರೂಪಾಂತರಗಳು apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","ನಿಮ್ಮ ಆಯ್ಕೆ ಪ್ರಕಾರ, ಐಟಂ qty ಅಥವಾ ಮೊತ್ತವನ್ನು ಆಧರಿಸಿ ಚಾರ್ಜಸ್ ಪ್ರಮಾಣವನ್ನು ವಿತರಿಸಲಾಗುತ್ತದೆ" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,ಇಂದಿನ ಬಾಕಿ ಇರುವ ಚಟುವಟಿಕೆಗಳು +DocType: Quality Procedure Process,Quality Procedure Process,ಗುಣಮಟ್ಟದ ಕಾರ್ಯವಿಧಾನ ಪ್ರಕ್ರಿಯೆ DocType: Fee Schedule Program,Student Batch,ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},ಸಾಲು {0} ನಲ್ಲಿ ಐಟಂಗೆ ಮೌಲ್ಯಾಂಕನ ದರ ಅಗತ್ಯವಿದೆ DocType: BOM Operation,Base Hour Rate(Company Currency),ಬೇಸ್ ಅವರ್ ರೇಟ್ (ಕಂಪೆನಿ ಕರೆನ್ಸಿ) @@ -310,7 +314,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,ಸೀರಿಯಲ್ ನಂ ಇನ್ಪುಟ್ ಆಧರಿಸಿ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ನಲ್ಲಿ ಹೊಂದಿಸಿ apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},ಅಡ್ವಾನ್ಸ್ ಖಾತೆ ಕರೆನ್ಸಿ ಕಂಪೆನಿ ಕರೆನ್ಸಿಯಂತೆಯೇ ಇರಬೇಕು {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,ಮುಖಪುಟ ವಿಭಾಗಗಳನ್ನು ಕಸ್ಟಮೈಸ್ ಮಾಡಿ -DocType: Quality Goal,October,ಅಕ್ಟೋಬರ್ +DocType: GSTR 3B Report,October,ಅಕ್ಟೋಬರ್ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,ಮಾರಾಟದ ವಹಿವಾಟಿನಿಂದ ಗ್ರಾಹಕರ ತೆರಿಗೆ ಐಡಿ ಮರೆಮಾಡಿ apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,ಅಮಾನ್ಯ GSTIN! GSTIN ಗೆ 15 ಅಕ್ಷರಗಳು ಇರಬೇಕು. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,ಬೆಲೆ ನಿಯಮ {0} ಅನ್ನು ನವೀಕರಿಸಲಾಗಿದೆ @@ -396,7 +400,7 @@ DocType: Leave Encashment,Leave Balance,ಬ್ಯಾಲೆನ್ಸ್ ಬಿಡ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ {0} {1} ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ DocType: Assessment Plan,Supervisor Name,ಮೇಲ್ವಿಚಾರಕ ಹೆಸರು DocType: Selling Settings,Campaign Naming By,ಕ್ಯಾಂಪೇನ್ ನೇಮಿಂಗ್ ಬೈ -DocType: Course,Course Code,ಕೋರ್ಸ್ ಕೋಡ್ +DocType: Student Group Creation Tool Course,Course Code,ಕೋರ್ಸ್ ಕೋಡ್ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,ಏರೋಸ್ಪೇಸ್ DocType: Landed Cost Voucher,Distribute Charges Based On,ಶುಲ್ಕಗಳು ಆಧರಿಸಿ ವಿತರಿಸಿ DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,ಸರಬರಾಜುದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ ಸ್ಕೋರಿಂಗ್ ಮಾನದಂಡ @@ -478,10 +482,8 @@ DocType: Restaurant Menu,Restaurant Menu,ರೆಸ್ಟೋರೆಂಟ್ ಮ DocType: Asset Movement,Purpose,ಉದ್ದೇಶ apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,ನೌಕರರ ವೇತನ ರಚನೆ ನಿಯೋಜನೆ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ DocType: Clinical Procedure,Service Unit,ಸೇವಾ ಘಟಕ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕರ ಗುಂಪು> ಪ್ರದೇಶ DocType: Travel Request,Identification Document Number,ಗುರುತಿನ ದಾಖಲೆ ಸಂಖ್ಯೆ DocType: Stock Entry,Additional Costs,ಹೆಚ್ಚುವರಿ ವೆಚ್ಚಗಳು -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","ಪೋಷಕ ಕೋರ್ಸ್ (ಇದು ಖಾಲಿ ಬಿಡಿ, ಇದು ಪೋಷಕ ಕೋರ್ಸ್ನ ಭಾಗವಾಗಿರದಿದ್ದರೆ)" DocType: Employee Education,Employee Education,ಉದ್ಯೋಗಿ ಶಿಕ್ಷಣ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,ಉದ್ಯೋಗಿಗಳ ಪ್ರಸ್ತುತ ಎಣಿಕೆಗಿಂತ ಸ್ಥಾನಗಳ ಸಂಖ್ಯೆಯು ಕಡಿಮೆಯಿರಬಾರದು apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,ಎಲ್ಲಾ ಗ್ರಾಹಕ ಗುಂಪುಗಳು @@ -527,6 +529,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,ಸಾಲು {0}: ಕ್ಯೂಟಿ ಕಡ್ಡಾಯವಾಗಿದೆ DocType: Sales Invoice,Against Income Account,ವರಮಾನ ಖಾತೆಗೆ ವಿರುದ್ಧವಾಗಿ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ಸಾಲು # {0}: ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಆಸ್ತಿಗೆ ವಿರುದ್ಧವಾಗಿ ಮಾಡಲಾಗುವುದಿಲ್ಲ {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,ವಿವಿಧ ಪ್ರಚಾರದ ಸ್ಕೀಮ್ಗಳನ್ನು ಅನ್ವಯಿಸುವ ನಿಯಮಗಳು. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM ಗೆ ಅಗತ್ಯವಿರುವ UOM ಕವರ್ ಫ್ಯಾಕ್ಟರ್: {0} ಐಟಂನಲ್ಲಿ: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},ಐಟಂಗಾಗಿ ಪ್ರಮಾಣವನ್ನು ನಮೂದಿಸಿ {0} DocType: Workstation,Electricity Cost,ವಿದ್ಯುತ್ ವೆಚ್ಚ @@ -751,6 +754,7 @@ DocType: Healthcare Service Unit,Allow Overlap,ಅತಿಕ್ರಮಣವನ್ apps/erpnext/erpnext/controllers/item_variant.py,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},ಗುಣಲಕ್ಷಣಕ್ಕಾಗಿ {0} ಮೌಲ್ಯವು {1} ಗೆ {2} ಐಟಂಗೆ {3} ಹೆಚ್ಚಳದಲ್ಲಿರಬೇಕು {4} DocType: Timesheet,Billing Details,ರಶೀದಿ ವಿವರಗಳು DocType: Quality Procedure Table,Quality Procedure Table,ಗುಣಮಟ್ಟ ಕಾರ್ಯವಿಧಾನದ ಪಟ್ಟಿ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,ಸರಣಿ ಸಂಖ್ಯೆ {0} ರಚಿಸಲಾಗಿದೆ DocType: Warehouse,Warehouse Detail,ವೇರ್ಹೌಸ್ ವಿವರ DocType: Sales Order,To Deliver and Bill,ತಲುಪಿಸಲು ಮತ್ತು ಬಿಲ್ ಮಾಡಲು apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Added to details,ವಿವರಗಳಿಗೆ ಸೇರಿಸಲಾಗಿದೆ @@ -857,7 +861,6 @@ DocType: Item,Total Projected Qty,ಒಟ್ಟು ಯೋಜಿತ Qty apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,ಬಮ್ಸ್ DocType: Work Order,Actual Start Date,ನಿಜವಾದ ಪ್ರಾರಂಭ ದಿನಾಂಕ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,ನೀವು ಪರಿಹಾರ ದಿನಾಚರಣೆ ವಿನಂತಿಯ ದಿನಗಳ ನಡುವೆ ಎಲ್ಲಾ ದಿನ (ರು) ಇಲ್ಲ -DocType: Company,About the Company,ಕಂಪನಿ ಬಗ್ಗೆ apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,ಆರ್ಥಿಕ ಖಾತೆಗಳ ಟ್ರೀ. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,ಪರೋಕ್ಷ ವರಮಾನ DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,ಹೋಟೆಲ್ ಕೊಠಡಿ ಮೀಸಲಾತಿ ಐಟಂ @@ -881,6 +884,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,ಪ್ರೋಗ್ ,IRS 1099,ಐಆರ್ಎಸ್ 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,ದಯವಿಟ್ಟು ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿ. DocType: Delivery Trip,Distance UOM,ದೂರ UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್‌ಗೆ ಕಡ್ಡಾಯ DocType: Payment Entry,Total Allocated Amount,ಒಟ್ಟು ಹಂಚಿಕೆ ಮೊತ್ತ DocType: Sales Invoice,Get Advances Received,ಅಡ್ವಾನ್ಸಸ್ ಸ್ವೀಕರಿಸಲಾಗಿದೆ DocType: Student,B-,ಬಿ- @@ -904,6 +908,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,ನಿರ್ವಹ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,ಪಿಓಎಸ್ ನಮೂದನ್ನು ಮಾಡಲು ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಅಗತ್ಯವಿದೆ DocType: Education Settings,Enable LMS,LMS ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ DocType: POS Closing Voucher,Sales Invoices Summary,ಮಾರಾಟದ ಇನ್ವಾಯ್ಸ್ ಸಾರಾಂಶ +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,ಲಾಭ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ಕ್ರೆಡಿಟ್ ಖಾತೆಗೆ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಇರಬೇಕು DocType: Video,Duration,ಅವಧಿ DocType: Lab Test Template,Descriptive,ವಿವರಣಾತ್ಮಕ @@ -954,6 +959,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,ಪ್ರಾರಂಭ ಮತ್ತು ಅಂತ್ಯ ದಿನಾಂಕಗಳು DocType: Supplier Scorecard,Notify Employee,ಉದ್ಯೋಗಿಗೆ ಸೂಚಿಸಿ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,ಸಾಫ್ಟ್ವೇರ್ +DocType: Program,Allow Self Enroll,ಸ್ವಯಂ ದಾಖಲಾತಿಯನ್ನು ಅನುಮತಿಸಿ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,ಸ್ಟಾಕ್ ವೆಚ್ಚಗಳು apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,ಉಲ್ಲೇಖ ನೀವು ಉಲ್ಲೇಖ ದಿನಾಂಕ ನಮೂದಿಸಿದರೆ ಕಡ್ಡಾಯವಾಗಿರುವುದಿಲ್ಲ DocType: Training Event,Workshop,ಕಾರ್ಯಾಗಾರ @@ -1006,6 +1012,7 @@ DocType: Lab Test Template,Lab Test Template,ಲ್ಯಾಬ್ ಟೆಸ್ಟ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},ಗರಿಷ್ಠ: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ಇ-ಇನ್ವಾಯ್ಸಿಂಗ್ ಮಾಹಿತಿ ಕಾಣೆಯಾಗಿದೆ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,ಯಾವುದೇ ವಸ್ತು ವಿನಂತಿಯು ರಚಿಸಲಾಗಿಲ್ಲ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗುಂಪು> ಬ್ರಾಂಡ್ DocType: Loan,Total Amount Paid,ಒಟ್ಟು ಮೊತ್ತ ಪಾವತಿಸಿದೆ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,ಈ ಎಲ್ಲ ವಸ್ತುಗಳನ್ನು ಈಗಾಗಲೇ ಇನ್ವಾಯ್ಸ್ ಮಾಡಲಾಗಿದೆ DocType: Training Event,Trainer Name,ತರಬೇತುದಾರ ಹೆಸರು @@ -1027,6 +1034,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,ಶೈಕ್ಷಣಿಕ ವರ್ಷ DocType: Sales Stage,Stage Name,ವೇದಿಕೆಯ ಹೆಸರು DocType: SMS Center,All Employee (Active),ಎಲ್ಲಾ ನೌಕರರು (ಸಕ್ರಿಯ) +DocType: Accounting Dimension,Accounting Dimension,ಲೆಕ್ಕಪತ್ರ ಆಯಾಮ DocType: Project,Customer Details,ಗ್ರಾಹಕ ವಿವರಗಳು DocType: Buying Settings,Default Supplier Group,ಡೀಫಾಲ್ಟ್ ಪೂರೈಕೆದಾರ ಗುಂಪು apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,ಖರೀದಿಯ ರಸೀದಿ {0} ಅನ್ನು ಮೊದಲು ರದ್ದುಮಾಡಿ @@ -1140,7 +1148,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","ಹೆಚ್ಚ DocType: Designation,Required Skills,ಅಗತ್ಯ ಕೌಶಲ್ಯಗಳು DocType: Marketplace Settings,Disable Marketplace,ಮಾರುಕಟ್ಟೆ ಸ್ಥಳವನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ DocType: Budget,Action if Annual Budget Exceeded on Actual,ವಾರ್ಷಿಕ ಬಜೆಟ್ ನಿಜವಾದ ಮೇಲೆ ಮೀರಿದ್ದರೆ ಆಕ್ಷನ್ -DocType: Course,Course Abbreviation,ಕೋರ್ಸ್ ಸಂಕ್ಷೇಪಣ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,{0} ರಜೆಗೆ {1} ಆಗಿ ಹಾಜರಾತಿ ಸಲ್ಲಿಸಲಿಲ್ಲ. DocType: Pricing Rule,Promotional Scheme Id,ಪ್ರಚಾರದ ಯೋಜನೆ ಐಡಿ apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},ಅಂತಿಮ ದಿನಾಂಕ {0} {1} ನಿರೀಕ್ಷಿತ ಅಂತಿಮ ದಿನಾಂಕಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರಬಾರದು {2} @@ -1283,7 +1290,7 @@ DocType: Bank Guarantee,Margin Money,ಮಾರ್ಜಿನ್ ಮನಿ DocType: Chapter,Chapter,ಅಧ್ಯಾಯ DocType: Purchase Receipt Item Supplied,Current Stock,ಪ್ರಸ್ತುತ ಸ್ಟಾಕ್ DocType: Employee,History In Company,ಕಂಪೆನಿಯ ಇತಿಹಾಸ -DocType: Item,Manufacturer,ತಯಾರಕ +DocType: Purchase Invoice Item,Manufacturer,ತಯಾರಕ apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,ಮಧ್ಯಮ ಸೂಕ್ಷ್ಮತೆ DocType: Compensatory Leave Request,Leave Allocation,ಹಂಚಿಕೆ ಬಿಡಿ DocType: Timesheet,Timesheet,ವೇಳಾಚೀಟಿ @@ -1349,7 +1356,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,ಮುಂಚಿತವಾ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,ಅಳತೆಯ ಘಟಕ DocType: Lab Test,Test Template,ಪರೀಕ್ಷಾ ಟೆಂಪ್ಲೇಟ್ DocType: Fertilizer,Fertilizer Contents,ರಸಗೊಬ್ಬರ ಪರಿವಿಡಿ -apps/erpnext/erpnext/utilities/user_progress.py,Minute,ನಿಮಿಷ +DocType: Quality Meeting Minutes,Minute,ನಿಮಿಷ apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ಸಾಲು # {0}: ಸ್ವತ್ತು {1} ಅನ್ನು ಸಲ್ಲಿಸಲಾಗುವುದಿಲ್ಲ, ಇದು ಈಗಾಗಲೇ {2}" DocType: Task,Actual Time (in Hours),ವಾಸ್ತವ ಸಮಯ (ಗಂಟೆಗಳಲ್ಲಿ) DocType: Period Closing Voucher,Closing Account Head,ಮುಚ್ಚುವ ಖಾತೆ ಹೆಡ್ @@ -1522,7 +1529,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,ಪ್ರಯೋಗಾಲಯ DocType: Purchase Order,To Bill,ಬಿಲ್ ಮಾಡಲು apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,ಯುಟಿಲಿಟಿ ವೆಚ್ಚಗಳು DocType: Manufacturing Settings,Time Between Operations (in mins),ಕಾರ್ಯಾಚರಣೆಗಳ ನಡುವೆ ಸಮಯ (ನಿಮಿಷಗಳಲ್ಲಿ) -DocType: Quality Goal,May,ಮೇ +DocType: GSTR 3B Report,May,ಮೇ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","ಪಾವತಿ ಗೇಟ್ವೇ ಖಾತೆ ರಚಿಸಲಾಗಿಲ್ಲ, ದಯವಿಟ್ಟು ಹಸ್ತಚಾಲಿತವಾಗಿ ಒಂದನ್ನು ರಚಿಸಿ." DocType: Opening Invoice Creation Tool,Purchase,ಖರೀದಿಸಿ DocType: Program Enrollment,School House,ಸ್ಕೂಲ್ ಹೌಸ್ @@ -1554,7 +1561,9 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,ನಿಮ್ಮ ಸರಬರಾಜುದಾರರ ಬಗ್ಗೆ ಶಾಸನಬದ್ಧ ಮಾಹಿತಿ ಮತ್ತು ಇತರ ಸಾಮಾನ್ಯ ಮಾಹಿತಿ DocType: Item Default,Default Selling Cost Center,ಡೀಫಾಲ್ಟ್ ಸೆಲ್ಲಿಂಗ್ ವೆಚ್ಚ ಕೇಂದ್ರ DocType: Sales Partner,Address & Contacts,ವಿಳಾಸ & ಸಂಪರ್ಕಗಳು +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್> ಸಂಖ್ಯೆಯ ಸರಣಿಯ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ದಯವಿಟ್ಟು ಸಂಖ್ಯೆಯ ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿ DocType: Subscriber,Subscriber,ಚಂದಾದಾರ +apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ಫಾರ್ಮ್ / ಐಟಂ / {0}) ಸ್ಟಾಕ್ ಇಲ್ಲ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,ಪೋಸ್ಟ್ ದಿನಾಂಕವನ್ನು ಮೊದಲು ಆಯ್ಕೆಮಾಡಿ DocType: Supplier,Mention if non-standard payable account,ಸ್ಟಾಂಡರ್ಡ್ ಅಲ್ಲದ ಪಾವತಿಸದ ಖಾತೆಯನ್ನು ಸೂಚಿಸಿ DocType: Training Event,Advance,ಅಡ್ವಾನ್ಸ್ @@ -1580,6 +1589,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,ಒಳರೋಗಿ ಭ DocType: Bank Statement Settings,Transaction Data Mapping,ವ್ಯವಹಾರ ಡೇಟಾ ಮ್ಯಾಪಿಂಗ್ apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,ಲೀಡ್ಗೆ ಒಬ್ಬ ವ್ಯಕ್ತಿಯ ಹೆಸರು ಅಥವಾ ಸಂಸ್ಥೆಯ ಹೆಸರು ಬೇಕಾಗುತ್ತದೆ DocType: Student,Guardians,ಗಾರ್ಡಿಯನ್ಸ್ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ಶಿಕ್ಷಣ> ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ಬೋಧಕ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ಬ್ರ್ಯಾಂಡ್ ಆಯ್ಕೆಮಾಡಿ ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,ಮಧ್ಯಮ ಆದಾಯ DocType: Shipping Rule,Calculate Based On,ಆಧರಿಸಿ ಲೆಕ್ಕಾಚಾರ @@ -1591,7 +1601,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,ಖರ್ಚು ಹಕ್ DocType: Purchase Invoice,Rounding Adjustment (Company Currency),ಪೂರ್ಣಾಂಕಗೊಳಿಸುವ ಹೊಂದಾಣಿಕೆ (ಕಂಪೆನಿ ಕರೆನ್ಸಿ) DocType: Item,Publish in Hub,ಹಬ್ನಲ್ಲಿ ಪ್ರಕಟಿಸಿ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,ಆಗಸ್ಟ್ +DocType: GSTR 3B Report,August,ಆಗಸ್ಟ್ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,ದಯವಿಟ್ಟು ಮೊದಲು ಖರೀದಿಯ ರಸೀದಿ ನಮೂದಿಸಿ apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ಪ್ರಾರಂಭ ವರ್ಷ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),ಟಾರ್ಗೆಟ್ ({}) @@ -1610,6 +1620,7 @@ DocType: Item,Max Sample Quantity,ಮ್ಯಾಕ್ಸ್ ಸ್ಯಾಂಪಲ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ಮೂಲ ಮತ್ತು ಗುರಿ ವೇರ್ಹೌಸ್ ವಿಭಿನ್ನವಾಗಿರಬೇಕು DocType: Employee Benefit Application,Benefits Applied,ಅನ್ವಯವಾಗುವ ಪ್ರಯೋಜನಗಳು apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,ಜರ್ನಲ್ ಎಂಟ್ರಿ ವಿರುದ್ಧ {0} ಯಾವುದೇ ಸಾಟಿಯಿಲ್ಲದ {1} ಪ್ರವೇಶವನ್ನು ಹೊಂದಿಲ್ಲ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","ಹೆಸರಿಸುವ ಸರಣಿಯಲ್ಲಿ "-", "#", ".", "/", "{" ಮತ್ತು "}" ಹೊರತುಪಡಿಸಿ ವಿಶೇಷ ಅಕ್ಷರಗಳು ಅನುಮತಿಸುವುದಿಲ್ಲ" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,ಬೆಲೆ ಅಥವಾ ಉತ್ಪನ್ನ ರಿಯಾಯಿತಿ ಚಪ್ಪಡಿಗಳು ಅಗತ್ಯವಿದೆ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ಟಾರ್ಗೆಟ್ ಹೊಂದಿಸಿ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},ವಿದ್ಯಾರ್ಥಿ {1} ವಿರುದ್ಧ ಅಟೆಂಡೆನ್ಸ್ ರೆಕಾರ್ಡ್ {0} @@ -1625,10 +1636,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,ಪ್ರತಿ ತಿಂಗಳು DocType: Routing,Routing Name,ರೂಟಿಂಗ್ ಹೆಸರು DocType: Disease,Common Name,ಸಾಮಾನ್ಯ ಹೆಸರು -DocType: Quality Goal,Measurable,ಮಾಪನ DocType: Education Settings,LMS Title,ಎಲ್ಎಂಎಸ್ ಶೀರ್ಷಿಕೆ apps/erpnext/erpnext/config/non_profit.py,Loan Management,ಸಾಲ ನಿರ್ವಹಣೆ -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,ಅನಾಲಿಟಿಕ್ಸ್ ಬೆಂಬಲ DocType: Clinical Procedure,Consumable Total Amount,ಗ್ರಾಹಕ ಒಟ್ಟು ಮೊತ್ತ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,ಟೆಂಪ್ಲೇಟ್ ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,ಗ್ರಾಹಕ ಎಲ್ಪಿಒ @@ -1766,6 +1775,7 @@ DocType: Restaurant Order Entry Item,Served,ಸೇವೆ ಸಲ್ಲಿಸಲ DocType: Loan,Member,ಸದಸ್ಯ DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,ಪ್ರಾಕ್ಟೀಷನರ್ ಸರ್ವೀಸ್ ಯುನಿಟ್ ವೇಳಾಪಟ್ಟಿ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,ವೈರ್ ಟ್ರಾನ್ಸ್ಫರ್ +DocType: Quality Review Objective,Quality Review Objective,ಗುಣಮಟ್ಟ ವಿಮರ್ಶೆ ಉದ್ದೇಶ DocType: Bank Reconciliation Detail,Against Account,ಖಾತೆಗೆ ವಿರುದ್ಧವಾಗಿ DocType: Projects Settings,Projects Settings,ಯೋಜನೆಗಳ ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},ನಿಜವಾದ ಕ್ಯೂಟಿ {0} / ಕಾಯುವ ಕ್ವಿಟಿ {1} @@ -1794,6 +1804,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,ಹಣಕಾಸಿನ ವರ್ಷಾಂತ್ಯದ ದಿನಾಂಕವು ಹಣಕಾಸಿನ ವರ್ಷದ ಆರಂಭದ ದಿನಾಂಕದ ನಂತರ ಒಂದು ವರ್ಷದ ನಂತರ ಇರಬೇಕು apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,ಡೈಲಿ ಜ್ಞಾಪನೆಗಳು DocType: Item,Default Sales Unit of Measure,ಅಳತೆ ಡೀಫಾಲ್ಟ್ ಮಾರಾಟದ ಘಟಕ +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,ಕಂಪನಿ GSTIN DocType: Asset Finance Book,Rate of Depreciation,ಸವಕಳಿ ದರ DocType: Support Search Source,Post Description Key,ಪೋಸ್ಟ್ ವಿವರಣೆ ಕೀ DocType: Loyalty Program Collection,Minimum Total Spent,ಕನಿಷ್ಠ ಒಟ್ಟು ಖರ್ಚು @@ -1865,6 +1876,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,ಆಯ್ಕೆಮಾಡಿದ ಗ್ರಾಹಕರಿಗೆ ಗ್ರಾಹಕ ಗುಂಪನ್ನು ಬದಲಾಯಿಸುವುದು ಅನುಮತಿಸುವುದಿಲ್ಲ. DocType: Serial No,Creation Document Type,ಸೃಷ್ಟಿ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,ವೇರ್ಹೌಸ್ನಲ್ಲಿ ಲಭ್ಯವಿರುವ ಬ್ಯಾಚ್ ಕ್ಯೂಟಿ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ಸರಕುಪಟ್ಟಿ ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,ಇದು ಮೂಲ ಪ್ರದೇಶವಾಗಿದೆ ಮತ್ತು ಸಂಪಾದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ. DocType: Patient,Surgical History,ಸರ್ಜಿಕಲ್ ಹಿಸ್ಟರಿ apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,ಗುಣಮಟ್ಟ ಕಾರ್ಯವಿಧಾನಗಳ ಮರದ. @@ -1967,6 +1979,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,ನೀವು ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ತೋರಿಸಲು ಬಯಸಿದರೆ ಇದನ್ನು ಪರಿಶೀಲಿಸಿ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ಹಣಕಾಸಿನ ವರ್ಷ {0} ಕಂಡುಬಂದಿಲ್ಲ DocType: Bank Statement Settings,Bank Statement Settings,ಬ್ಯಾಂಕ್ ಹೇಳಿಕೆ ಸೆಟ್ಟಿಂಗ್ಗಳು +DocType: Quality Procedure Process,Link existing Quality Procedure.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಕ್ವಾಲಿಟಿ ಪ್ರೊಸೀಜರ್ ಲಿಂಕ್ ಮಾಡಿ. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,CSV / Excel ಫೈಲ್‌ಗಳಿಂದ ಖಾತೆಗಳ ಚಾರ್ಟ್ ಅನ್ನು ಆಮದು ಮಾಡಿ DocType: Appraisal Goal,Score (0-5),ಸ್ಕೋರ್ (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,ಲಕ್ಷಣಗಳು {0} ಗುಣಲಕ್ಷಣಗಳ ಪಟ್ಟಿಯಲ್ಲಿ ಅನೇಕ ಬಾರಿ ಆಯ್ಕೆಮಾಡಲಾಗಿದೆ DocType: Purchase Invoice,Debit Note Issued,ಡೆಬಿಟ್ ಸೂಚನೆ ನೀಡಲಾಗಿದೆ @@ -1975,7 +1989,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,ಪಾಲಿಸಿ ವಿವರವನ್ನು ಬಿಡಿ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,ವ್ಯವಸ್ಥೆಯಲ್ಲಿ ವೇರ್ಹೌಸ್ ಕಂಡುಬಂದಿಲ್ಲ DocType: Healthcare Practitioner,OP Consulting Charge,ಓಪನ್ ಕನ್ಸಲ್ಟಿಂಗ್ ಚಾರ್ಜ್ -DocType: Quality Goal,Measurable Goal,ಅಳೆಯಬಹುದಾದ ಗುರಿ DocType: Bank Statement Transaction Payment Item,Invoices,ಇನ್ವಾಯ್ಸ್ಗಳು DocType: Currency Exchange,Currency Exchange,ಕರೆನ್ಸಿ ಎಕ್ಸ್ಚೇಂಜ್ DocType: Payroll Entry,Fortnightly,ಭಾನುವಾರ @@ -2037,6 +2050,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} ಸಲ್ಲಿಸಲಾಗಿಲ್ಲ DocType: Work Order,Backflush raw materials from work-in-progress warehouse,ಕೆಲಸದ ಪ್ರಗತಿಯಲ್ಲಿರುವ ಗೋದಾಮಿನಿಂದ ಕಚ್ಚಾ ವಸ್ತುಗಳ ಬ್ಯಾಕ್ ಫ್ಲಷ್ DocType: Maintenance Team Member,Maintenance Team Member,ನಿರ್ವಹಣೆ ತಂಡ ಸದಸ್ಯ +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,ಲೆಕ್ಕಪರಿಶೋಧನೆಗೆ ಕಸ್ಟಮ್ ಆಯಾಮಗಳನ್ನು ಹೊಂದಿಸಿ DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,ಗರಿಷ್ಟ ಬೆಳವಣಿಗೆಗಾಗಿ ಸಸ್ಯಗಳ ಸಾಲುಗಳ ನಡುವಿನ ಕನಿಷ್ಠ ಅಂತರ DocType: Employee Health Insurance,Health Insurance Name,ಆರೋಗ್ಯ ವಿಮೆ ಹೆಸರು apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,ಸ್ಟಾಕ್ ಆಸ್ತಿಗಳು @@ -2069,7 +2083,7 @@ DocType: Delivery Note,Billing Address Name,ಬಿಲ್ಲಿಂಗ್ ವಿ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,ಪರ್ಯಾಯ ಐಟಂ DocType: Certification Application,Name of Applicant,ಅರ್ಜಿದಾರರ ಹೆಸರು DocType: Leave Type,Earned Leave,ಗಳಿಸಿದ ಲೀವ್ -DocType: Quality Goal,June,ಜೂನ್ +DocType: GSTR 3B Report,June,ಜೂನ್ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},ಸಾಲು {0}: ಐಟಂಗೆ ಕಾಸ್ಟ್ ಸೆಂಟರ್ ಅಗತ್ಯವಿರುತ್ತದೆ {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},{0} ಅನುಮೋದನೆ ಮಾಡಬಹುದು apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ಪರಿವರ್ತನೆಯ ಫ್ಯಾಕ್ಟರ್ ಟೇಬಲ್ನಲ್ಲಿನ ಅಳತೆಯ ಘಟಕವನ್ನು {0} ಒಂದಕ್ಕಿಂತ ಹೆಚ್ಚು ಬಾರಿ ನಮೂದಿಸಲಾಗಿದೆ @@ -2090,6 +2104,7 @@ DocType: Lab Test Template,Standard Selling Rate,ಪ್ರಮಾಣಿತ ಮಾ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},ದಯವಿಟ್ಟು ರೆಸ್ಟೋರೆಂಟ್ಗಾಗಿ ಸಕ್ರಿಯ ಮೆನುವನ್ನು ಹೊಂದಿಸಿ {0} 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: Asset Finance Book,Asset Finance Book,ಆಸ್ತಿ ಹಣಕಾಸು ಪುಸ್ತಕ +DocType: Quality Goal Objective,Quality Goal Objective,ಗುಣಮಟ್ಟದ ಗುರಿ ಉದ್ದೇಶ DocType: Employee Transfer,Employee Transfer,ಉದ್ಯೋಗಿ ವರ್ಗಾವಣೆ ,Sales Funnel,ಮಾರಾಟದ ಸುರಂಗ DocType: Agriculture Analysis Criteria,Water Analysis,ನೀರಿನ ವಿಶ್ಲೇಷಣೆ @@ -2127,6 +2142,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,ನೌಕರ ವ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,ಬಾಕಿ ಇರುವ ಚಟುವಟಿಕೆಗಳು apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,ನಿಮ್ಮ ಗ್ರಾಹಕರಲ್ಲಿ ಕೆಲವನ್ನು ಪಟ್ಟಿ ಮಾಡಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳಾಗಿರಬಹುದು. DocType: Bank Guarantee,Bank Account Info,ಬ್ಯಾಂಕ್ ಖಾತೆ ಮಾಹಿತಿ +DocType: Quality Goal,Weekday,ವಾರದ ದಿನ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,ಗಾರ್ಡಿಯನ್ 1 ಹೆಸರು DocType: Salary Component,Variable Based On Taxable Salary,ತೆರಿಗೆ ಸಂಬಳದ ಮೇಲೆ ವೇರಿಯೇಬಲ್ ಆಧರಿಸಿ DocType: Accounting Period,Accounting Period,ಲೆಕ್ಕಪರಿಶೋಧಕ ಅವಧಿ @@ -2211,7 +2227,7 @@ DocType: Purchase Invoice,Rounding Adjustment,ಪೂರ್ಣಾಂಕಗೊಳ DocType: Quality Review Table,Quality Review Table,ಗುಣಮಟ್ಟ ವಿಮರ್ಶೆ ಪಟ್ಟಿ DocType: Member,Membership Expiry Date,ಸದಸ್ಯತ್ವ ಮುಕ್ತಾಯ ದಿನಾಂಕ DocType: Asset Finance Book,Expected Value After Useful Life,ಉಪಯುಕ್ತ ಜೀವನ ನಂತರ ನಿರೀಕ್ಷಿತ ಮೌಲ್ಯ -DocType: Quality Goal,November,ನವೆಂಬರ್ +DocType: GSTR 3B Report,November,ನವೆಂಬರ್ DocType: Loan Application,Rate of Interest,ಬಡ್ಡಿ ದರ DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,ಬ್ಯಾಂಕ್ ಸ್ಟೇಟ್ಮೆಂಟ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಪೇಮೆಂಟ್ ಐಟಂ DocType: Restaurant Reservation,Waitlisted,ನಿರೀಕ್ಷಿತ ಪಟ್ಟಿ @@ -2274,6 +2290,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","ಸಾಲು {0}: {1} ನಿಯತಕಾಲಿಕವನ್ನು ಹೊಂದಿಸಲು, ಇಂದಿನಿಂದ ಮತ್ತು ಇಲ್ಲಿಯವರೆಗೆ ಇರುವ ವ್ಯತ್ಯಾಸವು {2}" DocType: Purchase Invoice Item,Valuation Rate,ಮೌಲ್ಯಾಂಕನ ದರ DocType: Shopping Cart Settings,Default settings for Shopping Cart,ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ಗಾಗಿ ಡೀಫಾಲ್ಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳು +DocType: Quiz,Score out of 100,100 ರಲ್ಲಿ ಸ್ಕೋರ್ DocType: Manufacturing Settings,Capacity Planning,ಸಾಮರ್ಥ್ಯ ಯೋಜನೆ apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,ಬೋಧಕರಿಗೆ ಹೋಗಿ DocType: Activity Cost,Projects,ಯೋಜನೆಗಳು @@ -2283,6 +2300,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,ಸಮಯದಿಂದ apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,ಭಿನ್ನ ವಿವರಗಳು ವರದಿ +,BOM Explorer,BOM ಎಕ್ಸ್‌ಪ್ಲೋರರ್ DocType: Currency Exchange,For Buying,ಖರೀದಿಸಲು apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} ಗೆ ಸ್ಲಾಟ್ಗಳು ವೇಳಾಪಟ್ಟಿಗೆ ಸೇರಿಸಲಾಗಿಲ್ಲ DocType: Target Detail,Target Distribution,ಟಾರ್ಗೆಟ್ ವಿತರಣೆ @@ -2300,6 +2318,7 @@ DocType: Activity Cost,Activity Cost,ಚಟುವಟಿಕೆ ವೆಚ್ಚ DocType: Journal Entry,Payment Order,ಪಾವತಿ ಆದೇಶ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,ಬೆಲೆ ನಿಗದಿ ,Item Delivery Date,ಐಟಂ ವಿತರಣೆ ದಿನಾಂಕ +DocType: Quality Goal,January-April-July-October,ಜನವರಿ-ಏಪ್ರಿಲ್-ಜುಲೈ-ಅಕ್ಟೋಬರ್ DocType: Purchase Order Item,Warehouse and Reference,ವೇರ್ಹೌಸ್ ಮತ್ತು ಉಲ್ಲೇಖ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,ಮಗುವಿನ ನೋಡ್ಗಳೊಂದಿಗೆ ಖಾತೆಯನ್ನು ಲೆಡ್ಜರ್ಗೆ ಪರಿವರ್ತಿಸಲಾಗುವುದಿಲ್ಲ DocType: Soil Texture,Clay Composition (%),ಕ್ಲೇ ಸಂಯೋಜನೆ (%) @@ -2350,6 +2369,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,ಭವಿಷ್ಯದ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,ವಾರಿಯನ್ಸ್ apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,ಸಾಲು {0}: ಪಾವತಿ ವೇಳಾಪಟ್ಟಿಯಲ್ಲಿ ಪಾವತಿಯ ಮೋಡ್ ಅನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,ಶೈಕ್ಷಣಿಕ ಅವಧಿ: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,ಗುಣಮಟ್ಟ ಪ್ರತಿಕ್ರಿಯೆ ನಿಯತಾಂಕ apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,ದಯವಿಟ್ಟು ಡಿಸ್ಕೌಂಟ್ ಅನ್ವಯಿಸು ಆಯ್ಕೆಮಾಡಿ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,ಸಾಲು # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,ಒಟ್ಟು ಪಾವತಿಗಳು @@ -2392,7 +2412,7 @@ DocType: Hub Tracked Item,Hub Node,ಹಬ್ ನೋಡ್ apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ಉದ್ಯೋಗಿ ID DocType: Salary Structure Assignment,Salary Structure Assignment,ವೇತನ ರಚನೆ ನಿಯೋಜನೆ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,ಪಿಓಎಸ್ ವೂಚರ್ ತೆರಿಗೆಗಳನ್ನು ಮುಕ್ತಾಯಗೊಳಿಸುತ್ತದೆ -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,ಆಕ್ಷನ್ ಪ್ರಾರಂಭಿಸಲಾಗಿದೆ +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,ಆಕ್ಷನ್ ಪ್ರಾರಂಭಿಸಲಾಗಿದೆ DocType: POS Profile,Applicable for Users,ಬಳಕೆದಾರರಿಗೆ ಅನ್ವಯಿಸುತ್ತದೆ DocType: Training Event,Exam,ಪರೀಕ್ಷೆ apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,ತಪ್ಪಾದ ಸಂಖ್ಯೆಯ ಜನರಲ್ ಲೆಡ್ಜರ್ ನಮೂದುಗಳು ಕಂಡುಬಂದಿವೆ. ನೀವು ವಹಿವಾಟಿನಲ್ಲಿ ತಪ್ಪು ಖಾತೆಯನ್ನು ಆಯ್ಕೆ ಮಾಡಿರಬಹುದು. @@ -2499,6 +2519,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,ರೇಖಾಂಶ DocType: Accounts Settings,Determine Address Tax Category From,ವಿಳಾಸ ತೆರಿಗೆ ವರ್ಗವನ್ನು ನಿರ್ಧರಿಸುವುದು apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,ನಿರ್ಧಾರ ಮೇಕರ್ಗಳನ್ನು ಗುರುತಿಸುವುದು +DocType: Stock Entry Detail,Reference Purchase Receipt,ಉಲ್ಲೇಖ ಖರೀದಿ ರಶೀದಿ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,ಆಕ್ರಮಣಗಳನ್ನು ಪಡೆಯಿರಿ DocType: Tally Migration,Is Day Book Data Imported,ದಿನ ಪುಸ್ತಕ ಡೇಟಾ ಆಮದು ಮಾಡಲಾಗಿದೆ ,Sales Partners Commission,ಮಾರಾಟ ಪಾಲುದಾರರ ಆಯೋಗ @@ -2522,6 +2543,7 @@ DocType: Leave Type,Applicable After (Working Days),ಅನ್ವಯವಾಗು DocType: Timesheet Detail,Hrs,ಗಂಟೆಗಳು DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,ಸರಬರಾಜುದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ ಮಾನದಂಡ DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,ಗುಣಮಟ್ಟದ ಪ್ರತಿಕ್ರಿಯೆ ಟೆಂಪ್ಲೇಟು ಪ್ಯಾರಾಮೀಟರ್ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,ಸೇರಿದ ದಿನಾಂಕ ಜನನದ ದಿನಾಂಕಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರಬೇಕು DocType: Bank Statement Transaction Invoice Item,Invoice Date,ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಮೇಲೆ ಲ್ಯಾಬ್ ಪರೀಕ್ಷೆ (ಗಳನ್ನು) ರಚಿಸಿ ಸಲ್ಲಿಸಿ @@ -2628,7 +2650,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,ಕನಿಷ್ಠ DocType: Stock Entry,Source Warehouse Address,ಮೂಲ ವೇರ್ಹೌಸ್ ವಿಳಾಸ DocType: Compensatory Leave Request,Compensatory Leave Request,ಕಾಂಪೆನ್ಸೇಟರಿ ಲೀವ್ ವಿನಂತಿ DocType: Lead,Mobile No.,ಮೊಬೈಲ್ ನಂ. -DocType: Quality Goal,July,ಜುಲೈ +DocType: GSTR 3B Report,July,ಜುಲೈ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ಅರ್ಹ ಐಟಿಸಿ DocType: Fertilizer,Density (if liquid),ಸಾಂದ್ರತೆ (ದ್ರವದಿದ್ದರೆ) DocType: Employee,External Work History,ಬಾಹ್ಯ ಕಾರ್ಯ ಇತಿಹಾಸ @@ -2704,6 +2726,7 @@ DocType: Certification Application,Certification Status,ಪ್ರಮಾಣೀಕ apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},ಆಸ್ತಿ {0} ಗೆ ಮೂಲ ಸ್ಥಳ ಅಗತ್ಯವಿದೆ DocType: Employee,Encashment Date,ಎನ್ಕ್ಯಾಶ್ಮೆಂಟ್ ದಿನಾಂಕ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,ಪೂರ್ಣಗೊಂಡ ಆಸ್ತಿ ನಿರ್ವಹಣೆ ಲಾಗ್ಗಾಗಿ ದಯವಿಟ್ಟು ಪೂರ್ಣಗೊಂಡ ದಿನಾಂಕವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ +DocType: Quiz,Latest Attempt,ಇತ್ತೀಚಿನ ಪ್ರಯತ್ನ DocType: Leave Block List,Allow Users,ಬಳಕೆದಾರರನ್ನು ಅನುಮತಿಸಿ apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,ಖಾತೆಗಳ ಚಾರ್ಟ್ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,'ಅವಕಾಶದಿಂದ' ಗ್ರಾಹಕನನ್ನು ಆಯ್ಕೆಮಾಡಿದರೆ ಗ್ರಾಹಕರು ಕಡ್ಡಾಯವಾಗಿರಬೇಕು @@ -2768,7 +2791,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,ಪೂರೈಕೆ DocType: Amazon MWS Settings,Amazon MWS Settings,ಅಮೆಜಾನ್ MWS ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: Program Enrollment,Walking,ವಾಕಿಂಗ್ DocType: SMS Log,Requested Numbers,ವಿನಂತಿಸಿದ ಸಂಖ್ಯೆಗಳು -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್> ಸಂಖ್ಯಾ ಸರಣಿಗಳ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ಸೆಟಪ್ ಸಂಖ್ಯೆಯ ಸರಣಿ DocType: Woocommerce Settings,Freight and Forwarding Account,ಸರಕು ಮತ್ತು ಫಾರ್ವರ್ಡ್ ಖಾತೆ apps/erpnext/erpnext/accounts/party.py,Please select a Company,ದಯವಿಟ್ಟು ಕಂಪನಿಯನ್ನು ಆಯ್ಕೆ ಮಾಡಿ apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,ಸಾಲು {0}: {1} 0 ಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರಬೇಕು @@ -2835,7 +2857,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ಗ್ರ DocType: Training Event,Seminar,ಸೆಮಿನಾರ್ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),ಕ್ರೆಡಿಟ್ ({0}) DocType: Payment Request,Subscription Plans,ಚಂದಾದಾರಿಕೆ ಯೋಜನೆಗಳು -DocType: Quality Goal,March,ಮಾರ್ಚ್ +DocType: GSTR 3B Report,March,ಮಾರ್ಚ್ apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,ಸ್ಪ್ಲಿಟ್ ಬ್ಯಾಚ್ DocType: School House,House Name,ಹೌಸ್ ಹೆಸರು apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0} ಗಾಗಿ ಅತ್ಯುತ್ತಮವಾದ ಶೂನ್ಯಕ್ಕಿಂತ ಕಡಿಮೆ ಇರುವಂತಿಲ್ಲ ({1}) @@ -2898,7 +2920,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,ವಿಮಾ ಪ್ರಾರಂಭ ದಿನಾಂಕ DocType: Target Detail,Target Detail,ಟಾರ್ಗೆಟ್ ವಿವರ DocType: Packing Slip,Net Weight UOM,ನೆಟ್ ತೂಕ UOM -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: Purchase Invoice Item,Net Amount (Company Currency),ನಿವ್ವಳ ಮೊತ್ತ (ಕಂಪೆನಿ ಕರೆನ್ಸಿ) DocType: Bank Statement Transaction Settings Item,Mapped Data,ಮ್ಯಾಪ್ ಮಾಡಲಾದ ಡೇಟಾ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,ಭದ್ರತೆಗಳು ಮತ್ತು ಠೇವಣಿಗಳು @@ -2948,6 +2969,7 @@ DocType: Cheque Print Template,Cheque Height,ಎತ್ತರವನ್ನು ಪ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,ದಯವಿಟ್ಟು ಉಪಶಮನ ದಿನಾಂಕವನ್ನು ನಮೂದಿಸಿ. DocType: Loyalty Program,Loyalty Program Help,ಲಾಯಲ್ಟಿ ಪ್ರೋಗ್ರಾಂ ಸಹಾಯ DocType: Journal Entry,Inter Company Journal Entry Reference,ಇಂಟರ್ ಕಂಪೆನಿ ಜರ್ನಲ್ ಎಂಟ್ರಿ ರೆಫರೆನ್ಸ್ +DocType: Quality Meeting,Agenda,ಅಜೆಂಡಾ DocType: Quality Action,Corrective,ಸರಿಪಡಿಸುವ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,ಗುಂಪು ಬೈ DocType: Bank Account,Address and Contact,ವಿಳಾಸ ಮತ್ತು ಸಂಪರ್ಕ @@ -3001,7 +3023,7 @@ DocType: GL Entry,Credit Amount,ಕ್ರೆಡಿಟ್ ಮೊತ್ತ apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,ಒಟ್ಟು ಮೊತ್ತವನ್ನು ಕ್ರೆಡಿಟ್ ಮಾಡಲಾಗಿದೆ DocType: Support Search Source,Post Route Key List,ಪೋಸ್ಟ್ ಮಾರ್ಗ ಕೀ ಪಟ್ಟಿ apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} ಯಾವುದೇ ಸಕ್ರಿಯ ಹಣಕಾಸಿನ ವರ್ಷದಲ್ಲಿಲ್ಲ. -DocType: Quality Action Table,Problem,ಸಮಸ್ಯೆ +DocType: Quality Action Resolution,Problem,ಸಮಸ್ಯೆ DocType: Training Event,Conference,ಕಾನ್ಫರೆನ್ಸ್ DocType: Mode of Payment Account,Mode of Payment Account,ಪಾವತಿ ಖಾತೆ ಮೋಡ್ DocType: Leave Encashment,Encashable days,ಎನ್ಕಷಬಲ್ ದಿನಗಳು @@ -3127,7 +3149,7 @@ DocType: Item,"Purchase, Replenishment Details","ಖರೀದಿ, ಮರುಪ DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","ಒಮ್ಮೆ ಹೊಂದಿಸಿದಲ್ಲಿ, ಈ ಇನ್ವಾಯ್ಸ್ ಸೆಟ್ ದಿನಾಂಕ ತನಕ ಹಿಡಿದುಕೊಳ್ಳಿ" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,ರೂಪಾಂತರಗಳು ಇರುವ ಕಾರಣ ಐಟಂ {0} ಗೆ ಸ್ಟಾಕ್ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ DocType: Lab Test Template,Grouped,ಗುಂಪು ಮಾಡಲಾಗಿದೆ -DocType: Quality Goal,January,ಜನವರಿ +DocType: GSTR 3B Report,January,ಜನವರಿ DocType: Course Assessment Criteria,Course Assessment Criteria,ಕೋರ್ಸ್ ಅಸೆಸ್ಮೆಂಟ್ ಮಾನದಂಡ DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,ಕ್ಯೂಟಿ ಪೂರ್ಣಗೊಂಡಿದೆ @@ -3221,7 +3243,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,ಆರೋಗ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,ದಯವಿಟ್ಟು ಕೋಷ್ಟಕದಲ್ಲಿ ಕನಿಷ್ಟ 1 ಸರಕುಪಟ್ಟಿ ನಮೂದಿಸಿ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,ಮಾರಾಟದ ಆದೇಶ {0} ಸಲ್ಲಿಸಲಾಗಿಲ್ಲ apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,ಹಾಜರಾತಿಯನ್ನು ಯಶಸ್ವಿಯಾಗಿ ಗುರುತಿಸಲಾಗಿದೆ. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,ಪೂರ್ವ ಮಾರಾಟ +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,ಪೂರ್ವ ಮಾರಾಟ apps/erpnext/erpnext/config/projects.py,Project master.,ಪ್ರಾಜೆಕ್ಟ್ ಮಾಸ್ಟರ್. DocType: Daily Work Summary,Daily Work Summary,ಡೈಲಿ ವರ್ಕ್ ಸಾರಾಂಶ DocType: Asset,Partially Depreciated,ಭಾಗಶಃ ಖಿನ್ನತೆ @@ -3230,6 +3252,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,ಎನ್ಕಶ್ ಮಾಡಿದ್ದೀರಾ? DocType: Certified Consultant,Discuss ID,ID ಯನ್ನು ಚರ್ಚಿಸಿ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,GST ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ GST ಖಾತೆಗಳನ್ನು ಹೊಂದಿಸಿ +DocType: Quiz,Latest Highest Score,ಇತ್ತೀಚಿನ ಗರಿಷ್ಠ ಸ್ಕೋರ್ DocType: Supplier,Billing Currency,ಬಿಲ್ಲಿಂಗ್ ಕರೆನ್ಸಿ apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,ವಿದ್ಯಾರ್ಥಿ ಚಟುವಟಿಕೆ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,ಗುರಿ qty ಅಥವ target ಪ್ರಮಾಣವು ಕಡ್ಡಾಯವಾಗಿರುತ್ತದೆ @@ -3255,18 +3278,21 @@ DocType: Sales Order,Not Delivered,"ತಲುಪಿಲ್ಲ, ವಿತರಣೆ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,ಬಿಡಿ ಇಲ್ಲದೆ ಬಿಟ್ಟುಹೋಗುವಾಗ ಬಿಡಿಬಿಡಿ {0} ಅನ್ನು ನಿಯೋಜಿಸಲಾಗುವುದಿಲ್ಲ DocType: GL Entry,Debit Amount,ಡೆಬಿಟ್ ಮೊತ್ತ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},ಈಗಾಗಲೇ {0} ಐಟಂಗಾಗಿ ರೆಕಾರ್ಡ್ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ +DocType: Video,Vimeo,ವಿಮಿಯೋನಲ್ಲಿನ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,ಸಬ್ ಅಸೆಂಬ್ಲೀಸ್ 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.","ಅನೇಕ ಪ್ರೈಸಿಂಗ್ ರೂಲ್ಸ್ ಮುಂದುವರಿಯುವುದಾದರೆ, ಘರ್ಷಣೆಯನ್ನು ಪರಿಹರಿಸಲು ಬಳಕೆದಾರರನ್ನು ಆದ್ಯತೆ ಹೊಂದಿಸಲು ಕೇಳಲಾಗುತ್ತದೆ." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total','ಮಾನ್ಯತೆ' ಅಥವಾ 'ಮೌಲ್ಯಾಂಕನ ಮತ್ತು ಒಟ್ಟು' ಗಾಗಿ ವರ್ಗವು ಯಾವಾಗ ಕಡಿತಗೊಳಿಸಬಾರದು apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM ಮತ್ತು ಉತ್ಪಾದನಾ ಪ್ರಮಾಣವು ಅಗತ್ಯವಿದೆ apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},ಐಟಂ {0} ಅದರ ಜೀವನದ ಅಂತ್ಯವನ್ನು ತಲುಪಿದೆ {1} DocType: Quality Inspection Reading,Reading 6,ಓದುವಿಕೆ 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,ಕಂಪನಿ ಕ್ಷೇತ್ರ ಅಗತ್ಯವಿದೆ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,ಉತ್ಪಾದನಾ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ವಸ್ತು ಬಳಕೆ ಇಲ್ಲ. DocType: Assessment Group,Assessment Group Name,ಅಸೆಸ್ಮೆಂಟ್ ಗ್ರೂಪ್ ಹೆಸರು -DocType: Item,Manufacturer Part Number,ತಯಾರಕ ಭಾಗ ಸಂಖ್ಯೆ +DocType: Purchase Invoice Item,Manufacturer Part Number,ತಯಾರಕ ಭಾಗ ಸಂಖ್ಯೆ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,ವೇತನದಾರರ ಪಾವತಿಸಲಾಗುವುದು apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},ಸಾಲು # {0}: {1} ಐಟಂಗೆ ಋಣಾತ್ಮಕವಾಗಿರಲು ಸಾಧ್ಯವಿಲ್ಲ {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,ಬ್ಯಾಟನ್ಸ್ ಕ್ವಿಟಿ +DocType: Question,Multiple Correct Answer,ಬಹು ಸರಿಯಾದ ಉತ್ತರ DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 ಲಾಯಲ್ಟಿ ಪಾಯಿಂಟುಗಳು = ಎಷ್ಟು ಬೇಸ್ ಕರೆನ್ಸಿ? DocType: Clinical Procedure,Inpatient Record,ಒಳರೋಗಿ ರೆಕಾರ್ಡ್ DocType: Sales Invoice Item,Customer's Item Code,ಗ್ರಾಹಕರ ಐಟಂ ಕೋಡ್ @@ -3385,6 +3411,7 @@ DocType: Fee Schedule Program,Total Students,ಒಟ್ಟು ವಿದ್ಯಾ apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,ಸ್ಥಳೀಯ DocType: Chapter Member,Leave Reason,ಕಾರಣ ಬಿಡಿ DocType: Salary Component,Condition and Formula,ಪರಿಸ್ಥಿತಿ ಮತ್ತು ಫಾರ್ಮುಲಾ +DocType: Quality Goal,Objectives,ಉದ್ದೇಶಗಳು apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","{0} ಮತ್ತು {1} ನಡುವಿನ ಅವಧಿಗೆ ಈಗಾಗಲೇ ಸಂಬಳ ಪ್ರಕ್ರಿಯೆ ಇದೆ, ಬಿಡುವು ಅರ್ಜಿ ಅವಧಿಯು ಈ ದಿನಾಂಕ ವ್ಯಾಪ್ತಿಯ ನಡುವೆ ಇರುವಂತಿಲ್ಲ." DocType: BOM Item,Basic Rate (Company Currency),ಮೂಲ ದರ (ಕಂಪನಿ ಕರೆನ್ಸಿ) DocType: BOM Scrap Item,BOM Scrap Item,BOM ಸ್ಕ್ರ್ಯಾಪ್ ಐಟಂ @@ -3435,6 +3462,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP .YYYY.- DocType: Expense Claim Account,Expense Claim Account,ಖರ್ಚು ಕ್ಲೈಮ್ ಖಾತೆ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ಜರ್ನಲ್ ಎಂಟ್ರಿಗೆ ಮರುಪಾವತಿ ಇಲ್ಲ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ನಿಷ್ಕ್ರಿಯ ವಿದ್ಯಾರ್ಥಿ +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ಮಾಡಿ DocType: Employee Onboarding,Activities,ಚಟುವಟಿಕೆಗಳು apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,ಕನಿಷ್ಠ ಒಂದು ಗೋದಾಮಿನ ಕಡ್ಡಾಯವಾಗಿದೆ ,Customer Credit Balance,ಗ್ರಾಹಕರ ಕ್ರೆಡಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ @@ -3519,7 +3547,6 @@ DocType: Contract,Contract Terms,ಕಾಂಟ್ರಾಕ್ಟ್ ನಿಯಮ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,ಗುರಿ qty ಅಥವ target ಪ್ರಮಾಣವು ಕಡ್ಡಾಯವಾಗಿರುತ್ತದೆ. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},ಅಮಾನ್ಯವಾದ {0} DocType: Item,FIFO,ಫಿಫಾ -DocType: Quality Meeting,Meeting Date,ಸಭೆ ದಿನಾಂಕ DocType: Inpatient Record,HLC-INP-.YYYY.-,ಎಚ್ಎಲ್ಸಿ-ಐಎನ್ಪಿ -YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,ಸಂಕ್ಷೇಪಣವು 5 ಕ್ಕಿಂತಲೂ ಹೆಚ್ಚು ಅಕ್ಷರಗಳನ್ನು ಹೊಂದಿಲ್ಲ DocType: Employee Benefit Application,Max Benefits (Yearly),ಗರಿಷ್ಠ ಬೆನಿಫಿಟ್ಸ್ (ವಾರ್ಷಿಕ) @@ -3622,7 +3649,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,ಬ್ಯಾಂಕ್ ಶುಲ್ಕಗಳು apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,ಸರಕುಗಳ ವರ್ಗಾವಣೆ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,ಪ್ರಾಥಮಿಕ ಸಂಪರ್ಕ ವಿವರಗಳು -DocType: Quality Review,Values,ಮೌಲ್ಯಗಳನ್ನು DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ಪರಿಶೀಲಿಸದಿದ್ದಲ್ಲಿ, ಅದನ್ನು ಅಳವಡಿಸಬೇಕಾದ ಪ್ರತಿ ವಿಭಾಗಕ್ಕೆ ಪಟ್ಟಿ ಸೇರಿಸಬೇಕಾಗಿದೆ." DocType: Item Group,Show this slideshow at the top of the page,ಈ ಸ್ಲೈಡ್ ಶೋ ಅನ್ನು ಪುಟದ ಮೇಲ್ಭಾಗದಲ್ಲಿ ತೋರಿಸಿ apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} ಪ್ಯಾರಾಮೀಟರ್ ಅಮಾನ್ಯವಾಗಿದೆ @@ -3641,6 +3667,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,ಬ್ಯಾಂಕ್ ಚಾರ್ಜಸ್ ಖಾತೆ DocType: Journal Entry,Get Outstanding Invoices,ಅತ್ಯುತ್ತಮ ಇನ್ವಾಯ್ಸ್ಗಳನ್ನು ಪಡೆಯಿರಿ DocType: Opportunity,Opportunity From,ಅವಕಾಶದಿಂದ +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,ಗುರಿ ವಿವರಗಳು DocType: Item,Customer Code,ಗ್ರಾಹಕ ಕೋಡ್ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,ದಯವಿಟ್ಟು ಮೊದಲು ಐಟಂ ಅನ್ನು ನಮೂದಿಸಿ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,ವೆಬ್ಸೈಟ್ ಪಟ್ಟಿ @@ -3669,7 +3696,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,ಇವರಿಗೆ ತಲುಪಿಸಲ್ಪಡುವಂಥದ್ದು DocType: Bank Statement Transaction Settings Item,Bank Data,ಬ್ಯಾಂಕ್ ಡೇಟಾ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,ವರೆಗೆ ನಿಗದಿಪಡಿಸಲಾಗಿದೆ -DocType: Quality Goal,Everyday,ಪ್ರತಿ ದಿನ DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,ಬಿಲ್ಲಿಂಗ್ ಅವರ್ಸ್ ಮತ್ತು ಕೆಲಸದ ಅವಧಿಗಳನ್ನು ಟೈಮ್ಸ್ಶೀಟ್ನಲ್ಲಿಯೇ ನಿರ್ವಹಿಸಿ apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,ಲೀಡ್ ಮೂಲದಿಂದ ಟ್ರ್ಯಾಕ್ ಲೀಡ್ಸ್. DocType: Clinical Procedure,Nursing User,ನರ್ಸಿಂಗ್ ಬಳಕೆದಾರ @@ -3694,7 +3720,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,ಪ್ರದೇಶ ಮ DocType: GL Entry,Voucher Type,ಚೀಟಿ ಪ್ರಕಾರ ,Serial No Service Contract Expiry,ಸೀರಿಯಲ್ ಯಾವುದೇ ಸೇವಾ ಕಾಲಾವಧಿ ಮುಕ್ತಾಯ DocType: Certification Application,Certified,ಪ್ರಮಾಣೀಕರಿಸಲಾಗಿದೆ -DocType: Material Request Plan Item,Manufacture,ತಯಾರಿಕೆ +DocType: Purchase Invoice Item,Manufacture,ತಯಾರಿಕೆ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} ಐಟಂಗಳನ್ನು ತಯಾರಿಸಲಾಗುತ್ತದೆ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0} ಗಾಗಿ ಪಾವತಿ ವಿನಂತಿ apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,ಕೊನೆಯ ಆದೇಶದಿಂದ ದಿನಗಳು @@ -3709,7 +3735,7 @@ DocType: Sales Invoice,Company Address Name,ಕಂಪನಿ ವಿಳಾಸ ಹ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,ಸರಕು ಸಾಗಣೆ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,ನೀವು ಈ ಕ್ರಮದಲ್ಲಿ ಗರಿಷ್ಠ {0} ಅಂಕಗಳನ್ನು ಮಾತ್ರ ಪಡೆದುಕೊಳ್ಳಬಹುದು. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},ವೇರ್ಹೌಸ್ನಲ್ಲಿ ಖಾತೆಯನ್ನು ಹೊಂದಿಸಿ {0} -DocType: Quality Action Table,Resolution,ರೆಸಲ್ಯೂಶನ್ +DocType: Quality Action,Resolution,ರೆಸಲ್ಯೂಶನ್ DocType: Sales Invoice,Loyalty Points Redemption,ಲಾಯಲ್ಟಿ ಪಾಯಿಂಟುಗಳು ರಿಡೆಂಪ್ಶನ್ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,ಒಟ್ಟು ತೆರಿಗೆ ಮೌಲ್ಯ DocType: Patient Appointment,Scheduled,ನಿಗದಿಪಡಿಸಲಾಗಿದೆ @@ -3830,6 +3856,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,ದರ apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},ಉಳಿಸಲಾಗುತ್ತಿದೆ {0} DocType: SMS Center,Total Message(s),ಒಟ್ಟು ಸಂದೇಶ (ಗಳು) +DocType: Purchase Invoice,Accounting Dimensions,ಲೆಕ್ಕಪರಿಶೋಧಕ ಆಯಾಮಗಳು apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,ಖಾತೆ ಮೂಲಕ ಗುಂಪು DocType: Quotation,In Words will be visible once you save the Quotation.,ನೀವು ಉದ್ಧರಣವನ್ನು ಉಳಿಸಿದ ನಂತರ ವರ್ಡ್ಸ್ನಲ್ಲಿ ಗೋಚರಿಸುತ್ತದೆ. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,ಉತ್ಪಾದನೆಗೆ ಪ್ರಮಾಣ @@ -3994,7 +4021,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","ನೀವು ಯಾವುದೇ ಪ್ರಶ್ನೆಗಳನ್ನು ಹೊಂದಿದ್ದರೆ, ದಯವಿಟ್ಟು ನಮ್ಮ ಬಳಿಗೆ ಹಿಂತಿರುಗಿ." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,ಖರೀದಿಯ ರಸೀದಿ {0} ಸಲ್ಲಿಸಲಾಗಿಲ್ಲ DocType: Task,Total Expense Claim (via Expense Claim),ಒಟ್ಟು ಖರ್ಚು ಹಕ್ಕು (ಖರ್ಚು ಹಕ್ಕುಗಳ ಮೂಲಕ) -DocType: Quality Action,Quality Goal,ಗುಣಮಟ್ಟ ಗೋಲ್ +DocType: Quality Goal,Quality Goal,ಗುಣಮಟ್ಟ ಗೋಲ್ DocType: Support Settings,Support Portal,ಬೆಂಬಲ ಪೋರ್ಟಲ್ apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},ಕೆಲಸದ ಕೊನೆಯ ದಿನಾಂಕ {0} {1} ನಿರೀಕ್ಷಿತ ಪ್ರಾರಂಭ ದಿನಾಂಕಕ್ಕಿಂತ ಕಡಿಮೆ ಇರುವಂತಿಲ್ಲ {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},ಉದ್ಯೋಗಿ {0} ಬಿಟ್ಟುಹೋಗಿದೆ {1} @@ -4053,7 +4080,6 @@ DocType: BOM,Operating Cost (Company Currency),ಕಾರ್ಯಾಚರಣೆಯ DocType: Item Price,Item Price,ಐಟಂ ಬೆಲೆ DocType: Payment Entry,Party Name,ಪಕ್ಷದ ಹೆಸರು apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,ದಯವಿಟ್ಟು ಗ್ರಾಹಕರನ್ನು ಆಯ್ಕೆ ಮಾಡಿ -DocType: Course,Course Intro,ಕೋರ್ಸ್ ಪರಿಚಯ DocType: Program Enrollment Tool,New Program,ಹೊಸ ಪ್ರೋಗ್ರಾಂ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","ಹೊಸ ಕಾಸ್ಟ್ ಸೆಂಟರ್ ಸಂಖ್ಯೆ, ಇದು ಪೂರ್ವಪ್ರತ್ಯಯವಾಗಿ ವೆಚ್ಚ ಕೇಂದ್ರ ಹೆಸರಿನಲ್ಲಿ ಸೇರಿಸಲ್ಪಡುತ್ತದೆ" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ಗ್ರಾಹಕ ಅಥವಾ ಸರಬರಾಜುದಾರರನ್ನು ಆಯ್ಕೆಮಾಡಿ. @@ -4253,6 +4279,7 @@ DocType: Customer,CUST-.YYYY.-,CUST- .YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,ನಿವ್ವಳ ವೇತನ ಋಣಾತ್ಮಕವಾಗಿರಬಾರದು apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,ಸಂವಹನಗಳ ಸಂಖ್ಯೆ 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/hr/doctype/employee/employee_dashboard.py,Shift,ಶಿಫ್ಟ್ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,ಖಾತೆಗಳು ಮತ್ತು ಪಕ್ಷಗಳ ಪ್ರಕ್ರಿಯೆ ಚಾರ್ಟ್ DocType: Stock Settings,Convert Item Description to Clean HTML,HTML ಅನ್ನು ಸ್ವಚ್ಛಗೊಳಿಸಲು ಐಟಂ ವಿವರಣೆಯನ್ನು ಪರಿವರ್ತಿಸಿ apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,ಎಲ್ಲಾ ಪೂರೈಕೆದಾರ ಗುಂಪುಗಳು @@ -4330,6 +4357,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,ಪೋಷಕ ಐಟಂ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,ಬ್ರೋಕರೇಜ್ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},ಐಟಂ {0} ಗಾಗಿ ಖರೀದಿ ರಶೀದಿ ಅಥವಾ ಸರಕುಪಟ್ಟಿ ಖರೀದಿಸಿ. +,Product Bundle Balance,ಉತ್ಪನ್ನ ಬಂಡಲ್ ಬ್ಯಾಲೆನ್ಸ್ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,ಕಂಪೆನಿ ಹೆಸರು ಕಂಪನಿಯಾಗಿರಬಾರದು DocType: Maintenance Visit,Breakdown,ವಿಭಜನೆ DocType: Inpatient Record,B Negative,ಬಿ ಋಣಾತ್ಮಕ @@ -4338,7 +4366,7 @@ DocType: Purchase Invoice,Credit To,ಕ್ರೆಡಿಟ್ ಗೆ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,ಮುಂದಿನ ಪ್ರಕ್ರಿಯೆಗಾಗಿ ಈ ವರ್ಕ್ ಆರ್ಡರ್ ಅನ್ನು ಸಲ್ಲಿಸಿ. DocType: Bank Guarantee,Bank Guarantee Number,ಬ್ಯಾಂಕ್ ಖಾತರಿ ಸಂಖ್ಯೆ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},ತಲುಪಿಸಲಾಗಿದೆ: {0} -DocType: Quality Action,Under Review,ಪರಿಶೀಲನೆಯಲ್ಲಿದೆ +DocType: Quality Meeting Table,Under Review,ಪರಿಶೀಲನೆಯಲ್ಲಿದೆ apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),ವ್ಯವಸಾಯ (ಬೀಟಾ) ,Average Commission Rate,ಸರಾಸರಿ ಕಮಿಷನ್ ದರ DocType: Sales Invoice,Customer's Purchase Order Date,ಗ್ರಾಹಕರ ಖರೀದಿ ಆದೇಶ ದಿನಾಂಕ @@ -4455,7 +4483,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,ಇನ್ವಾಯ್ಸ್ಗಳೊಂದಿಗೆ ಪಾವತಿಗಳನ್ನು ಹೊಂದಿಸಿ DocType: Holiday List,Weekly Off,ಸಾಪ್ತಾಹಿಕ ಆಫ್ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},ಐಟಂಗೆ ಪರ್ಯಾಯ ಐಟಂ ಅನ್ನು ಹೊಂದಿಸಲು ಅನುಮತಿಸುವುದಿಲ್ಲ {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,ಪ್ರೋಗ್ರಾಂ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,ಪ್ರೋಗ್ರಾಂ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,ನೀವು ರೂಟ್ ನೋಡ್ ಅನ್ನು ಸಂಪಾದಿಸಲಾಗುವುದಿಲ್ಲ. DocType: Fee Schedule,Student Category,ವಿದ್ಯಾರ್ಥಿ ವರ್ಗ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","ಐಟಂ {0}: {1} qty ಅನ್ನು ಉತ್ಪಾದಿಸಲಾಗಿದೆ," @@ -4546,8 +4574,8 @@ DocType: Crop,Crop Spacing,ಕ್ರಾಪ್ ಸ್ಪೇಸಿಂಗ್ DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,ಮಾರಾಟದ ವಹಿವಾಟುಗಳನ್ನು ಆಧರಿಸಿ ಎಷ್ಟು ಬಾರಿ ಯೋಜನೆ ಮತ್ತು ಕಂಪನಿ ನವೀಕರಿಸಬೇಕು. DocType: Pricing Rule,Period Settings,ಅವಧಿ ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಗಳಲ್ಲಿ ನಿವ್ವಳ ಬದಲಾವಣೆ +DocType: Quality Feedback Template,Quality Feedback Template,ಗುಣಮಟ್ಟದ ಪ್ರತಿಕ್ರಿಯೆ ಟೆಂಪ್ಲೇಟು apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,ಪ್ರಮಾಣವು ಶೂನ್ಯಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರಬೇಕು -DocType: Quality Goal,Goal Objectives,ಗುರಿ ಉದ್ದೇಶಗಳು apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","ದರ, ಷೇರುಗಳ ಸಂಖ್ಯೆ ಮತ್ತು ಲೆಕ್ಕ ಹಾಕಿದ ಮೊತ್ತದ ನಡುವೆ ಅಸಂಗತತೆಗಳಿವೆ" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ವರ್ಷಕ್ಕೆ ನೀವು ವಿದ್ಯಾರ್ಥಿಗಳ ಗುಂಪುಗಳನ್ನು ರಚಿಸಿದರೆ ಖಾಲಿ ಬಿಡಿ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ಸಾಲಗಳು (ಹೊಣೆಗಾರಿಕೆಗಳು) @@ -4582,12 +4610,13 @@ DocType: Quality Procedure Table,Step,ಹಂತ DocType: Normal Test Items,Result Value,ಫಲಿತಾಂಶ ಮೌಲ್ಯ DocType: Cash Flow Mapping,Is Income Tax Liability,ಆದಾಯ ತೆರಿಗೆ ಹೊಣೆಗಾರಿಕೆ DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ಒಳರೋಗಿ ಭೇಟಿ ಚಾರ್ಜ್ ಐಟಂ -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,ಅಪ್ಡೇಟ್ ಪ್ರತಿಕ್ರಿಯೆ DocType: Bank Guarantee,Supplier,ಪೂರೈಕೆದಾರ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},ಮೌಲ್ಯ ಬೆಟ್ವೀನ್ {0} ಮತ್ತು {1} DocType: Purchase Order,Order Confirmation Date,ಆರ್ಡರ್ ದೃಢೀಕರಣ ದಿನಾಂಕ DocType: Delivery Trip,Calculate Estimated Arrival Times,ಅಂದಾಜು ಆಗಮನದ ಸಮಯವನ್ನು ಲೆಕ್ಕಾಚಾರ ಮಾಡಿ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ಮಾನವ ಸಂಪನ್ಮೂಲ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಉದ್ಯೋಗಿ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಸಿದ್ಧಗೊಳಿಸಿ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,ಗ್ರಾಹಕ DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS - .YYYY.- DocType: Subscription,Subscription Start Date,ಚಂದಾದಾರಿಕೆ ಪ್ರಾರಂಭ ದಿನಾಂಕ @@ -4651,6 +4680,7 @@ DocType: Cheque Print Template,Is Account Payable,ಖಾತೆ ಪಾವತಿ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,ಒಟ್ಟು ಆರ್ಡರ್ ಮೌಲ್ಯ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},ಸರಬರಾಜುದಾರ {0} {1} ನಲ್ಲಿ ಕಂಡುಬಂದಿಲ್ಲ apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,SMS ಗೇಟ್ವೇ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು ಹೊಂದಿಸಿ +DocType: Salary Component,Round to the Nearest Integer,ಹತ್ತಿರದ ಪೂರ್ಣಾಂಕಕ್ಕೆ ರೌಂಡ್ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,ರೂಟ್ ಪೋಷಕ ವೆಚ್ಚ ಕೇಂದ್ರವನ್ನು ಹೊಂದಿಲ್ಲ DocType: Healthcare Service Unit,Allow Appointments,ನೇಮಕಾತಿಗಳನ್ನು ಅನುಮತಿಸಿ DocType: BOM,Show Operations,ಕಾರ್ಯಾಚರಣೆಗಳನ್ನು ತೋರಿಸು @@ -4778,7 +4808,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,ಡೀಫಾಲ್ಟ್ ಹಾಲಿಡೇ ಪಟ್ಟಿ DocType: Naming Series,Current Value,ಸದ್ಯದ ಬೆಲೆ apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","ಬಜೆಟ್, ಗುರಿಗಳು ಮುಂತಾದವುಗಳಿಗಾಗಿ ಋತುತ್ವ" -DocType: Program,Program Code,ಪ್ರೋಗ್ರಾಂ ಕೋಡ್ apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,ಮಾಸಿಕ ಮಾರಾಟದ ಗುರಿ ( DocType: Guardian,Guardian Interests,ಗಾರ್ಡಿಯನ್ ಆಸಕ್ತಿಗಳು apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ಬ್ಯಾಚ್ ಐಡಿ ಕಡ್ಡಾಯವಾಗಿದೆ @@ -4827,10 +4856,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,ಪಾವತಿಸಲಾಗಿದೆ ಮತ್ತು ತಲುಪಿಸಲಾಗಿಲ್ಲ apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,ಐಟಂ ಸಂಕೇತವು ಕಡ್ಡಾಯವಾಗಿದೆ ಏಕೆಂದರೆ ಐಟಂ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸಂಖ್ಯೆಯಲ್ಲ DocType: GST HSN Code,HSN Code,ಎಚ್ಎಸ್ಎನ್ ಕೋಡ್ -DocType: Quality Goal,September,ಸೆಪ್ಟೆಂಬರ್ +DocType: GSTR 3B Report,September,ಸೆಪ್ಟೆಂಬರ್ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,ಆಡಳಿತಾತ್ಮಕ ವೆಚ್ಚಗಳು DocType: C-Form,C-Form No,ಸಿ-ಫಾರ್ಮ್ ನಂ DocType: Purchase Invoice,End date of current invoice's period,ಪ್ರಸ್ತುತ ಸರಕುಪಟ್ಟಿ ಅವಧಿಯ ಮುಕ್ತಾಯ ದಿನಾಂಕ +DocType: Item,Manufacturers,ತಯಾರಕರು DocType: Crop Cycle,Crop Cycle,ಕ್ರಾಪ್ ಸೈಕಲ್ DocType: Serial No,Creation Time,ಸೃಷ್ಟಿ ಸಮಯ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,ದಯವಿಟ್ಟು ಪಾತ್ರವನ್ನು ಅನುಮೋದಿಸುವ ಅಥವಾ ಬಳಕೆದಾರನನ್ನು ಅನುಮೋದಿಸುವುದನ್ನು ನಮೂದಿಸಿ @@ -4903,8 +4933,6 @@ DocType: Employee,Short biography for website and other publications.,ವೆಬ DocType: Purchase Invoice Item,Received Qty,Qty ಸ್ವೀಕರಿಸಲಾಗಿದೆ DocType: Purchase Invoice Item,Rate (Company Currency),ದರ (ಕಂಪನಿ ಕರೆನ್ಸಿ) DocType: Item Reorder,Request for,ವಿನಂತಿಯನ್ನು -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ರದ್ದುಮಾಡಲು ಉದ್ಯೋಗಿ {0} \ ಅನ್ನು ಅಳಿಸಿ" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,ಪೂರ್ವನಿಗದಿಗಳು ಅನುಸ್ಥಾಪಿಸುವುದು apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,ದಯವಿಟ್ಟು ಮರುಪಾವತಿಯ ಅವಧಿಯನ್ನು ನಮೂದಿಸಿ DocType: Pricing Rule,Advanced Settings,ಸುಧಾರಿತ ಸೆಟ್ಟಿಂಗ್ಗಳು @@ -4930,7 +4958,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಸಕ್ರಿಯಗೊಳಿಸಿ DocType: Pricing Rule,Apply Rule On Other,ಇತರೆ ನಿಯಮಗಳನ್ನು ಅನ್ವಯಿಸಿ DocType: Vehicle,Last Carbon Check,ಕೊನೆಯ ಕಾರ್ಬನ್ ಚೆಕ್ -DocType: Vehicle,Make,ಮಾಡಿ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,ಮಾಡಿ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ {0} ಪಾವತಿಸಿದಂತೆ ರಚಿಸಲಾಗಿದೆ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,ಪಾವತಿ ವಿನಂತಿ ರಚಿಸಲು ದಾಖಲೆ ಡಾಕ್ಯುಮೆಂಟ್ ಅಗತ್ಯವಿದೆ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ಆದಾಯ ತೆರಿಗೆ @@ -5006,7 +5034,6 @@ DocType: Territory,Parent Territory,ಪೋಷಕ ಪ್ರದೇಶ DocType: Vehicle Log,Odometer Reading,ಓಡೋಮೀಟರ್ ಓದುವಿಕೆ DocType: Additional Salary,Salary Slip,ವೇತನ ಸ್ಲಿಪ್ DocType: Payroll Entry,Payroll Frequency,ವೇತನದಾರರ ಆವರ್ತನ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ಮಾನವ ಸಂಪನ್ಮೂಲ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಉದ್ಯೋಗಿ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಸಿದ್ಧಗೊಳಿಸಿ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","ಪ್ರಾರಂಭ ಮತ್ತು ಅಂತ್ಯದ ದಿನಾಂಕಗಳು ಮಾನ್ಯವಾದ ವೇತನದಾರರ ಅವಧಿಯಲ್ಲ, {0}" DocType: Products Settings,Home Page is Products,ಮುಖಪುಟವು ಉತ್ಪನ್ನಗಳು apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,ಕರೆಗಳು @@ -5060,7 +5087,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,ದಾಖಲೆಗಳನ್ನು ಪಡೆಯಲಾಗುತ್ತಿದೆ ...... DocType: Delivery Stop,Contact Information,ಸಂಪರ್ಕ ಮಾಹಿತಿ DocType: Sales Order Item,For Production,ಉತ್ಪಾದನೆಗೆ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ದಯವಿಟ್ಟು ಶಿಕ್ಷಣ> ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ತರಬೇತುದಾರ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಸಿದ್ಧಗೊಳಿಸಿ DocType: Serial No,Asset Details,ಸ್ವತ್ತು ವಿವರಗಳು DocType: Restaurant Reservation,Reservation Time,ಮೀಸಲಾತಿ ಸಮಯ DocType: Selling Settings,Default Territory,ಡೀಫಾಲ್ಟ್ ಪ್ರದೇಶ @@ -5200,6 +5226,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,ಅವಧಿ ಮೀರಿದ ಬ್ಯಾಚ್ಗಳು DocType: Shipping Rule,Shipping Rule Type,ಶಿಪ್ಪಿಂಗ್ ರೂಲ್ ಟೈಪ್ DocType: Job Offer,Accepted,ಅಂಗೀಕರಿಸಲಾಗಿದೆ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ರದ್ದುಮಾಡಲು ಉದ್ಯೋಗಿ {0} \ ಅನ್ನು ಅಳಿಸಿ" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,ನೀವು ಈಗಾಗಲೇ ಮೌಲ್ಯಮಾಪನ ಮಾನದಂಡಕ್ಕಾಗಿ ಮೌಲ್ಯಮಾಪನ ಮಾಡಿದ್ದೀರಿ {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ಬ್ಯಾಚ್ ಸಂಖ್ಯೆಗಳು ಆಯ್ಕೆಮಾಡಿ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),ವಯಸ್ಸು (ದಿನಗಳು) @@ -5216,6 +5244,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,ಮಾರಾಟದ ಸಮಯದಲ್ಲಿ ಐಟಂಗಳನ್ನು ಬಂಡಲ್ ಮಾಡಿ. DocType: Payment Reconciliation Payment,Allocated Amount,ಹಂಚಿಕೆ ಮೊತ್ತ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,ಕಂಪನಿ ಮತ್ತು ಸ್ಥಾನೀಕರಣವನ್ನು ಆಯ್ಕೆಮಾಡಿ +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'ದಿನಾಂಕ' ಅಗತ್ಯವಿದೆ DocType: Email Digest,Bank Credit Balance,ಬ್ಯಾಂಕ್ ಕ್ರೆಡಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,ಸಂಚಿತ ಮೊತ್ತವನ್ನು ತೋರಿಸಿ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,ಪುನಃ ಪಡೆದುಕೊಳ್ಳಲು ನೀವು ಲಾಯಲ್ಟಿ ಪಾಯಿಂಟುಗಳನ್ನು ಹೊಂದಿದ್ದೀರಿ @@ -5276,11 +5305,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,ಹಿಂದಿನ ರ DocType: Student,Student Email Address,ವಿದ್ಯಾರ್ಥಿ ಇಮೇಲ್ ವಿಳಾಸ DocType: Academic Term,Education,ಶಿಕ್ಷಣ DocType: Supplier Quotation,Supplier Address,ಪೂರೈಕೆದಾರ ವಿಳಾಸ -DocType: Salary Component,Do not include in total,ಒಟ್ಟು ಸೇರಿಸಬೇಡಿ +DocType: Salary Detail,Do not include in total,ಒಟ್ಟು ಸೇರಿಸಬೇಡಿ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,ಕಂಪೆನಿಗಾಗಿ ಬಹು ಐಟಂ ಡೀಫಾಲ್ಟ್ಗಳನ್ನು ಹೊಂದಿಸಲಾಗುವುದಿಲ್ಲ. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ DocType: Purchase Receipt Item,Rejected Quantity,ನಿರಾಕರಿಸಿದ ಪ್ರಮಾಣ DocType: Cashier Closing,To TIme,ಟೀಮ್ ಮಾಡಲು +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: Daily Work Summary Group User,Daily Work Summary Group User,ಡೈಲಿ ವರ್ಕ್ ಸಾರಾಂಶ ಗುಂಪು ಬಳಕೆದಾರ DocType: Fiscal Year Company,Fiscal Year Company,ಹಣಕಾಸಿನ ವರ್ಷದ ಕಂಪನಿ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,ಪರ್ಯಾಯ ಐಟಂ ಐಟಂ ಕೋಡ್ನಂತೆ ಇರಬಾರದು @@ -5389,7 +5419,6 @@ DocType: Fee Schedule,Send Payment Request Email,ಪಾವತಿ ವಿನಂತ DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಉಳಿಸಿದ ನಂತರ ವರ್ಡ್ಸ್ನಲ್ಲಿ ಗೋಚರಿಸುತ್ತದೆ. DocType: Sales Invoice,Sales Team1,ಮಾರಾಟದ ತಂಡ 1 DocType: Work Order,Required Items,ಅಗತ್ಯವಿರುವ ವಸ್ತುಗಳು -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",""-" ಹೊರತುಪಡಿಸಿ ವಿಶೇಷ ಅಕ್ಷರಗಳು "#", "." ಮತ್ತು "/" ಹೆಸರಿಸುವ ಸರಣಿಯಲ್ಲಿ ಅನುಮತಿಸುವುದಿಲ್ಲ" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,ERPNext ಕೈಪಿಡಿ ಓದಿ DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ಪೂರೈಕೆದಾರ ಸರಕುಪಟ್ಟಿ ಸಂಖ್ಯೆ ಅನನ್ಯತೆ ಪರಿಶೀಲಿಸಿ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,ಉಪ ಸಮ್ಮೇಳನಗಳು ಹುಡುಕಿ @@ -5457,7 +5486,6 @@ DocType: Taxable Salary Slab,Percent Deduction,ಪರ್ಸೆಂಟ್ ಡಿ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,ಉತ್ಪಾದನೆಗೆ ಪ್ರಮಾಣ ಶೂನ್ಯಕ್ಕಿಂತ ಕಡಿಮೆ ಇರುವಂತಿಲ್ಲ DocType: Share Balance,To No,ಇಲ್ಲ DocType: Leave Control Panel,Allocate Leaves,ಎಲೆಗಳನ್ನು ನಿಯೋಜಿಸಿ -DocType: Quiz,Last Attempt,ಕೊನೆಯ ಪ್ರಯತ್ನ DocType: Assessment Result,Student Name,ವಿದ್ಯಾರ್ಥಿಯ ಹೆಸರು apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,ನಿರ್ವಹಣೆ ಭೇಟಿಗಳಿಗಾಗಿ ಯೋಜನೆ. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳನ್ನು ಅನುಸರಿಸಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಐಟಂನ ಮರು-ಆದೇಶದ ಮಟ್ಟವನ್ನು ಆಧರಿಸಿ ಬೆಳೆಸಲಾಗಿದೆ @@ -5526,6 +5554,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,ಸೂಚಕ ಬಣ್ಣ DocType: Item Variant Settings,Copy Fields to Variant,ವಿಭಿನ್ನ ಕ್ಷೇತ್ರಗಳಿಗೆ ಕ್ಷೇತ್ರಗಳನ್ನು ನಕಲಿಸಿ DocType: Soil Texture,Sandy Loam,ಸ್ಯಾಂಡಿ ಲೊಮ್ +DocType: Question,Single Correct Answer,ಒಂದೇ ಸರಿಯಾದ ಉತ್ತರ apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,ದಿನಾಂಕದಿಂದ ಉದ್ಯೋಗಿ ಸೇರುವ ದಿನಾಂಕಕ್ಕಿಂತ ಕಡಿಮೆ ಇರುವಂತಿಲ್ಲ DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,ಗ್ರಾಹಕರ ಖರೀದಿ ಆದೇಶದ ವಿರುದ್ಧ ಅನೇಕ ಮಾರಾಟದ ಆದೇಶಗಳನ್ನು ಅನುಮತಿಸಿ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5588,7 +5617,7 @@ DocType: Account,Expenses Included In Valuation,ಮೌಲ್ಯಮಾಪನದ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,ಸೀರಿಯಲ್ ಸಂಖ್ಯೆಗಳು DocType: Salary Slip,Deductions,ಕಳೆಯುವಿಕೆಗಳು ,Supplier-Wise Sales Analytics,ಪೂರೈಕೆದಾರ-ವೈಸ್ ಸೇಲ್ಸ್ ಅನಾಲಿಟಿಕ್ಸ್ -DocType: Quality Goal,February,ಫೆಬ್ರುವರಿ +DocType: GSTR 3B Report,February,ಫೆಬ್ರುವರಿ DocType: Appraisal,For Employee,ಉದ್ಯೋಗಿಗೆ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,ನಿಜವಾದ ವಿತರಣೆ ದಿನಾಂಕ DocType: Sales Partner,Sales Partner Name,ಮಾರಾಟದ ಸಂಗಾತಿ ಹೆಸರು @@ -5684,7 +5713,6 @@ DocType: Procedure Prescription,Procedure Created,ಕಾರ್ಯವಿಧಾನ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},ಸರಬರಾಜು ಸರಕುಪಟ್ಟಿ {0} ವಿರುದ್ಧ {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಅನ್ನು ಬದಲಾಯಿಸಿ apps/erpnext/erpnext/utilities/activation.py,Create Lead,ಲೀಡ್ ರಚಿಸಿ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಪೂರೈಕೆದಾರ ಕೌಟುಂಬಿಕತೆ DocType: Shopify Settings,Default Customer,ಡೀಫಾಲ್ಟ್ ಗ್ರಾಹಕ DocType: Payment Entry Reference,Supplier Invoice No,ಪೂರೈಕೆದಾರ ಸರಕುಪಟ್ಟಿ ಇಲ್ಲ DocType: Pricing Rule,Mixed Conditions,ಮಿಶ್ರ ಸ್ಥಿತಿಗಳು @@ -5735,12 +5763,14 @@ DocType: Item,End of Life,ಜೀವನದ ಕೊನೆಯ DocType: Lab Test Template,Sensitivity,ಸೂಕ್ಷ್ಮತೆ DocType: Territory,Territory Targets,ಪ್ರದೇಶದ ಗುರಿಗಳು apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","ಬಿಟ್ಟುಬಿಡುವುದು ಕೆಳಗಿನ ಉದ್ಯೋಗಿಗಳಿಗೆ ವಿತರಣೆ ಬಿಡಿ, ವಿಲೇವಾರಿ ದಾಖಲೆಗಳು ಅವುಗಳ ವಿರುದ್ಧ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,ಗುಣಮಟ್ಟ ಕ್ರಿಯೆ ನಿರ್ಣಯ DocType: Sales Invoice Item,Delivered By Supplier,ಸರಬರಾಜುದಾರರಿಂದ ತಲುಪಿಸಲಾಗಿದೆ DocType: Agriculture Analysis Criteria,Plant Analysis,ಸಸ್ಯ ವಿಶ್ಲೇಷಣೆ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},ಖರ್ಚಿನ ಖಾತೆಯು ಐಟಂಗೆ {0} ಕಡ್ಡಾಯವಾಗಿದೆ ,Subcontracted Raw Materials To Be Transferred,ಸಬ್ ಕಾಂಟ್ರಾಕ್ಟೆಡ್ ರಾ ಮೆಟೀರಿಯಲ್ಸ್ ಟು ಬಿ ಟ್ರಾನ್ಸ್ಫರ್ಡ್ DocType: Cashier Closing,Cashier Closing,ಕ್ಯಾಷಿಯರ್ ಕ್ಲೋಸಿಂಗ್ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,ಐಟಂ {0} ಈಗಾಗಲೇ ಮರಳಿದೆ +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,ಅಮಾನ್ಯ GSTIN! ನೀವು ನಮೂದಿಸಿದ ಇನ್ಪುಟ್ ಯುಐಎನ್ ಹೊಂದಿರುವವರು ಅಥವಾ ಅನಿವಾಸಿ ಒಐಡಿಎಆರ್ ಸೇವಾ ಪೂರೈಕೆದಾರರಿಗೆ ಜಿಎಸ್ಟಿಎನ್ ಸ್ವರೂಪಕ್ಕೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,ಈ ಗೋದಾಮಿನ ಮಗುವಿನ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. ಈ ವೇರ್ಹೌಸ್ ಅನ್ನು ನೀವು ಅಳಿಸಲಾಗುವುದಿಲ್ಲ. DocType: Diagnosis,Diagnosis,ರೋಗನಿರ್ಣಯ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0} ಮತ್ತು {1} ನಡುವೆ ಯಾವುದೇ ರಜೆಯ ಅವಧಿ ಇಲ್ಲ @@ -5756,6 +5786,7 @@ DocType: QuickBooks Migrator,Authorization Settings,ಅಧಿಕಾರ ಸೆಟ DocType: Homepage,Products,ಉತ್ಪನ್ನಗಳು ,Profit and Loss Statement,ಲಾಭ ಮತ್ತು ನಷ್ಟ ಹೇಳಿಕೆ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,ಕೊಠಡಿ ಬುಕ್ ಮಾಡಲಾಗಿದೆ +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},ಐಟಂ ಕೋಡ್ {0} ಮತ್ತು ತಯಾರಕ {1} ವಿರುದ್ಧ ನಕಲು ಪ್ರವೇಶ DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,ಒಟ್ಟು ತೂಕ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,ಪ್ರಯಾಣ @@ -5802,6 +5833,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,ಡೀಫಾಲ್ಟ್ ಗ್ರಾಹಕ ಗುಂಪು DocType: Journal Entry Account,Debit in Company Currency,ಕಂಪನಿ ಕರೆನ್ಸಿಗೆ ಡೆಬಿಟ್ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",ಗೆಲ್ಲುವ ಸರಣಿ "SO-WOO-" ಆಗಿದೆ. +DocType: Quality Meeting Agenda,Quality Meeting Agenda,ಗುಣಮಟ್ಟ ಸಭೆ ಅಜೆಂಡಾ DocType: Cash Flow Mapper,Section Header,ವಿಭಾಗ ಶಿರೋಲೇಖ apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳು ಅಥವಾ ಸೇವೆಗಳು DocType: Crop,Perennial,ದೀರ್ಘಕಾಲಿಕ @@ -5847,7 +5879,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","ಉತ್ಪನ್ನ ಅಥವಾ ಸೇವೆಯು ಖರೀದಿಸಿ, ಮಾರಲಾಗುತ್ತದೆ ಅಥವಾ ಸ್ಟಾಕ್ನಲ್ಲಿ ಇರಿಸಲಾಗುತ್ತದೆ." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),ಮುಚ್ಚುವುದು (ಒಟ್ಟು + ತೆರೆಯುವಿಕೆ) DocType: Supplier Scorecard Criteria,Criteria Formula,ಮಾನದಂಡ ಫಾರ್ಮುಲಾ -,Support Analytics,ಬೆಂಬಲ ಅನಾಲಿಟಿಕ್ಸ್ +apps/erpnext/erpnext/config/support.py,Support Analytics,ಬೆಂಬಲ ಅನಾಲಿಟಿಕ್ಸ್ apps/erpnext/erpnext/config/quality_management.py,Review and Action,ವಿಮರ್ಶೆ ಮತ್ತು ಕ್ರಿಯೆ DocType: Account,"If the account is frozen, entries are allowed to restricted users.","ಖಾತೆಯನ್ನು ಫ್ರೀಜ್ ಮಾಡಿದರೆ, ನಿರ್ಬಂಧಿತ ಬಳಕೆದಾರರಿಗೆ ನಮೂದುಗಳನ್ನು ಅನುಮತಿಸಲಾಗುತ್ತದೆ." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,ಸವಕಳಿ ನಂತರ ಪ್ರಮಾಣ @@ -5891,7 +5923,6 @@ DocType: Contract Template,Contract Terms and Conditions,ಕಾಂಟ್ರಾ apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ಡೇಟಾವನ್ನು ಪಡೆದುಕೊಳ್ಳಿ DocType: Stock Settings,Default Item Group,ಡೀಫಾಲ್ಟ್ ಐಟಂ ಗ್ರೂಪ್ DocType: Sales Invoice Timesheet,Billing Hours,ಬಿಲ್ಲಿಂಗ್ ಅವರ್ಸ್ -DocType: Item,Item Code for Suppliers,ಸರಬರಾಜುದಾರರಿಗೆ ಐಟಂ ಕೋಡ್ apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},ವಿದ್ಯಾರ್ಥಿ {1} ವಿರುದ್ಧ ಈಗಾಗಲೇ {0} ಅಪ್ಲಿಕೇಶನ್ ಅನ್ನು ಬಿಡಿ DocType: Pricing Rule,Margin Type,ಮಾರ್ಜಿನ್ ಕೌಟುಂಬಿಕತೆ DocType: Purchase Invoice Item,Rejected Serial No,ಸೀರಿಯಲ್ ಇಲ್ಲ ತಿರಸ್ಕರಿಸಲಾಗಿದೆ @@ -5963,6 +5994,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,ಎಲೆಗಳನ್ನು ಯಶಸ್ವಿಯಾಗಿ ನೀಡಲಾಗಿದೆ DocType: Loyalty Point Entry,Expiry Date,ಗಡುವು ದಿನಾಂಕ DocType: Project Task,Working,ಕೆಲಸ +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ಈಗಾಗಲೇ ಪೋಷಕ ಕಾರ್ಯವಿಧಾನವನ್ನು ಹೊಂದಿದೆ {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,ಇದು ಈ ರೋಗಿಯ ವಿರುದ್ಧ ವಹಿವಾಟುಗಳನ್ನು ಆಧರಿಸಿದೆ. ವಿವರಗಳಿಗಾಗಿ ಕೆಳಗೆ ಟೈಮ್ಲೈನ್ ನೋಡಿ DocType: Material Request,Requested For,ಗಾಗಿ ವಿನಂತಿಸಲಾಗಿದೆ DocType: SMS Center,All Sales Person,ಎಲ್ಲಾ ಮಾರಾಟದ ವ್ಯಕ್ತಿ @@ -6049,6 +6081,7 @@ DocType: Loan Type,Maximum Loan Amount,ಗರಿಷ್ಠ ಸಾಲದ ಮೊತ apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,ಡೀಫಾಲ್ಟ್ ಸಂಪರ್ಕದಲ್ಲಿ ಇಮೇಲ್ ಕಂಡುಬಂದಿಲ್ಲ DocType: Hotel Room Reservation,Booked,ಬುಕ್ ಮಾಡಲಾಗಿದೆ DocType: Maintenance Visit,Partially Completed,ಭಾಗಶಃ ಪೂರ್ಣಗೊಂಡಿದೆ +DocType: Quality Procedure Process,Process Description,ಪ್ರಕ್ರಿಯೆ ವಿವರಣೆ DocType: Company,Default Employee Advance Account,ಡೀಫಾಲ್ಟ್ ಉದ್ಯೋಗಿ ಅಡ್ವಾನ್ಸ್ ಖಾತೆ DocType: Leave Type,Allow Negative Balance,ನಕಾರಾತ್ಮಕ ಬ್ಯಾಲೆನ್ಸ್ ಅನ್ನು ಅನುಮತಿಸಿ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,ಅಸೆಸ್ಮೆಂಟ್ ಪ್ಲಾನ್ ಹೆಸರು @@ -6090,6 +6123,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,ಉದ್ಧರಣ ಐಟಂಗಾಗಿ ವಿನಂತಿ apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} ಐಟಂ ತೆರಿಗೆಗೆ ಎರಡು ಬಾರಿ ಪ್ರವೇಶಿಸಿತು DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,ಆಯ್ದ ವೇತನದಾರರ ದಿನಾಂಕದಂದು ಪೂರ್ಣ ತೆರಿಗೆಯನ್ನು ಕಡಿತಗೊಳಿಸಿ +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,ಕೊನೆಯ ಇಂಗಾಲದ ಪರಿಶೀಲನಾ ದಿನಾಂಕ ಭವಿಷ್ಯದ ದಿನಾಂಕವಾಗಿರಬಾರದು apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,ಬದಲಾವಣೆ ಮೊತ್ತದ ಖಾತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ DocType: Support Settings,Forum Posts,ವೇದಿಕೆ ಪೋಸ್ಟ್ಗಳು DocType: Timesheet Detail,Expected Hrs,ನಿರೀಕ್ಷಿತ ಗಂಟೆಗಳು @@ -6099,7 +6133,7 @@ DocType: Program Enrollment Tool,Enroll Students,ವಿದ್ಯಾರ್ಥಿ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,ಗ್ರಾಹಕರ ಆದಾಯವನ್ನು ಪುನರಾವರ್ತಿಸಿ DocType: Company,Date of Commencement,ಪ್ರಾರಂಭದ ದಿನಾಂಕ DocType: Bank,Bank Name,ಬ್ಯಾಂಕ್ ಹೆಸರು -DocType: Quality Goal,December,ಡಿಸೆಂಬರ್ +DocType: GSTR 3B Report,December,ಡಿಸೆಂಬರ್ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,ದಿನಾಂಕದಿಂದ ಮಾನ್ಯವಾಗಿರುವ ದಿನಾಂಕದವರೆಗೆ ಮಾನ್ಯವಾಗಿರಬೇಕು apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,ಇದು ಈ ನೌಕರರ ಹಾಜರಾತಿಯನ್ನು ಆಧರಿಸಿದೆ DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","ಪರಿಶೀಲಿಸಿದಲ್ಲಿ, ಹೋಮ್ ಪೇಜ್ ವೆಬ್ಸೈಟ್ಗಾಗಿ ಡೀಫಾಲ್ಟ್ ಐಟಂ ಗ್ರೂಪ್ ಆಗಿರುತ್ತದೆ" @@ -6142,6 +6176,7 @@ DocType: Payment Entry,Payment Type,ಪಾವತಿ ಕೌಟುಂಬಿಕತ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,ಫೋಲಿಯೊ ಸಂಖ್ಯೆಗಳು ಹೊಂದಿಕೆಯಾಗುತ್ತಿಲ್ಲ DocType: C-Form,ACC-CF-.YYYY.-,ಎಸಿಸಿ- ಸಿಎಫ್ - .YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},ಗುಣಮಟ್ಟ ತಪಾಸಣೆ: ಐಟಂಗೆ {0} ಸಲ್ಲಿಸಲಾಗಿಲ್ಲ: {1} ಸಾಲು {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},{0} ತೋರಿಸು apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} ಐಟಂ ಕಂಡುಬಂದಿದೆ. ,Stock Ageing,ಸ್ಟಾಕ್ ಏಜಿಂಗ್ DocType: Customer Group,Mention if non-standard receivable account applicable,ಸ್ಟಾಂಡರ್ಡ್ ಅಲ್ಲದ ಸ್ವೀಕಾರಾರ್ಹ ಖಾತೆಯು ಅನ್ವಯಿಸಿದ್ದರೆ ಸೂಚಿಸಿ @@ -6418,6 +6453,7 @@ DocType: Travel Request,Costing,ವೆಚ್ಚ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,ಸ್ಥಿರ ಆಸ್ತಿ DocType: Purchase Order,Ref SQ,SQ ಉಲ್ಲೇಖಿಸಿ DocType: Salary Structure,Total Earning,ಒಟ್ಟು ಸಂಪಾದನೆ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕರ ಗುಂಪು> ಪ್ರದೇಶ DocType: Share Balance,From No,ಇಲ್ಲ DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ಪಾವತಿ ಸಾಮರಸ್ಯ ಸರಕುಪಟ್ಟಿ DocType: Purchase Invoice,Taxes and Charges Added,ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ಸೇರಿಸಲಾಗಿದೆ @@ -6425,7 +6461,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,ತೆರಿಗ DocType: Authorization Rule,Authorized Value,ಅಧಿಕೃತ ಮೌಲ್ಯ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,ಸ್ವೀಕರಿಸಲಾಗಿದೆ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,ವೇರ್ಹೌಸ್ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ +DocType: Item Manufacturer,Item Manufacturer,ಐಟಂ ಉತ್ಪಾದಕ DocType: Sales Invoice,Sales Team,ಮಾರಾಟ ತಂಡ +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,ಕಟ್ಟು ಕ್ಯೂಟಿ DocType: Purchase Order Item Supplied,Stock UOM,ಸ್ಟಾಕ್ UOM DocType: Installation Note,Installation Date,ಅನುಸ್ಥಾಪನ ದಿನಾಂಕ DocType: Email Digest,New Quotations,ಹೊಸ ಉಲ್ಲೇಖಗಳು @@ -6489,7 +6527,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,ಹಾಲಿಡೇ ಪಟ್ಟಿ ಹೆಸರು DocType: Water Analysis,Collection Temperature ,ಸಂಗ್ರಹ ತಾಪಮಾನ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,ನೇಮಕಾತಿ ಸರಕುಪಟ್ಟಿ ನಿರ್ವಹಿಸಿ ಮತ್ತು ರೋಗಿಯ ಎನ್ಕೌಂಟರ್ಗಾಗಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ರದ್ದುಮಾಡಿ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,ದಯವಿಟ್ಟು ಸೆಟಪ್> ಸೆಟ್ಟಿಂಗ್ಗಳು> ಹೆಸರಿಸುವ ಸರಣಿಯ ಮೂಲಕ {0} ಹೆಸರಿಸುವ ಸರಣಿಗಳನ್ನು ಹೊಂದಿಸಿ DocType: Employee Benefit Claim,Claim Date,ಹಕ್ಕು ದಿನಾಂಕ DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,ಪೂರೈಕೆದಾರನನ್ನು ಅನಿರ್ದಿಷ್ಟವಾಗಿ ನಿರ್ಬಂಧಿಸಲಾಗಿದೆ ವೇಳೆ ಖಾಲಿ ಬಿಡಿ apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,ದಿನಾಂಕ ಮತ್ತು ಹಾಜರಾತಿಯಿಂದ ಹಾಜರಾತಿ ಕಡ್ಡಾಯವಾಗಿದೆ @@ -6500,6 +6537,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,ನಿವೃತ್ತಿ ದಿನಾಂಕ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,ದಯವಿಟ್ಟು ರೋಗಿಯನ್ನು ಆಯ್ಕೆ ಮಾಡಿ DocType: Asset,Straight Line,ಸರಳ ರೇಖೆ +DocType: Quality Action,Resolutions,ನಿರ್ಣಯಗಳು DocType: SMS Log,No of Sent SMS,ಯಾವುದೇ ಕಳುಹಿಸಿದ SMS ,GST Itemised Sales Register,ಜಿಎಸ್ಟಿ ವಸ್ತು ಮಾರಾಟದ ನೋಂದಣಿ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,ಒಟ್ಟು ಮುಂಗಡ ಮೊತ್ತವು ಒಟ್ಟು ಮಂಜೂರು ಮೊತ್ತಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರುವುದಿಲ್ಲ @@ -6610,7 +6648,7 @@ DocType: Account,Profit and Loss,ಲಾಭ ಮತ್ತು ನಷ್ಟ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,ವ್ಯತ್ಯಾಸದ ಕ್ಯೂಟಿ DocType: Asset Finance Book,Written Down Value,ಬರೆಯಲ್ಪಟ್ಟ ಮೌಲ್ಯ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,ಸಮತೋಲನ ಇಕ್ವಿಟಿ ತೆರೆಯಲಾಗುತ್ತಿದೆ -DocType: Quality Goal,April,ಏಪ್ರಿಲ್ +DocType: GSTR 3B Report,April,ಏಪ್ರಿಲ್ DocType: Supplier,Credit Limit,ಸಾಲದ ಮಿತಿ apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,ವಿತರಣೆ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,ಡೆಬಿಟ್_ನೋಟ್_ಎಮ್ @@ -6665,6 +6703,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext ನೊಂದಿಗೆ Shopify ಅನ್ನು ಸಂಪರ್ಕಿಸಿ DocType: Homepage Section Card,Subtitle,ಉಪಶೀರ್ಷಿಕೆ DocType: Soil Texture,Loam,ಲೋಮ್ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಪೂರೈಕೆದಾರ ಕೌಟುಂಬಿಕತೆ DocType: BOM,Scrap Material Cost(Company Currency),ಸ್ಕ್ರ್ಯಾಪ್ ವಸ್ತು ವೆಚ್ಚ (ಕಂಪನಿ ಕರೆನ್ಸಿ) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ಡೆಲಿವರಿ ನೋಟ್ {0} ಅನ್ನು ಸಲ್ಲಿಸಬಾರದು DocType: Task,Actual Start Date (via Time Sheet),ನಿಜವಾದ ಪ್ರಾರಂಭ ದಿನಾಂಕ (ಟೈಮ್ ಶೀಟ್ ಮೂಲಕ) @@ -6720,7 +6759,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,ಡೋಸೇಜ್ DocType: Cheque Print Template,Starting position from top edge,ಉನ್ನತ ಅಂಚಿನಿಂದ ಸ್ಥಾನ ಪ್ರಾರಂಭಿಸಿ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),ನೇಮಕಾತಿ ಅವಧಿ (ನಿಮಿಷಗಳು) -DocType: Pricing Rule,Disable,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ +DocType: Accounting Dimension,Disable,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ DocType: Email Digest,Purchase Orders to Receive,ಖರೀದಿ ಆದೇಶಗಳನ್ನು ಸ್ವೀಕರಿಸಿ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,ಪ್ರೊಡಕ್ಷನ್ಸ್ ಆರ್ಡರ್ಗಳನ್ನು ಈ ಕೆಳಗಿನವುಗಳಿಗೆ ಎಬ್ಬಿಸಲಾಗುವುದಿಲ್ಲ: DocType: Projects Settings,Ignore Employee Time Overlap,ಉದ್ಯೋಗಿ ಸಮಯ ಅತಿಕ್ರಮಣವನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ @@ -6804,6 +6843,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,ತೆ DocType: Item Attribute,Numeric Values,ಸಾಂಖ್ಯಿಕ ಮೌಲ್ಯಗಳು DocType: Delivery Note,Instructions,ಸೂಚನೆಗಳು DocType: Blanket Order Item,Blanket Order Item,ಬ್ಲ್ಯಾಂಕೆಟ್ ಆರ್ಡರ್ ಐಟಂ +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,ಲಾಭ ಮತ್ತು ನಷ್ಟ ಖಾತೆಗೆ ಕಡ್ಡಾಯ apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,ಆಯೋಗದ ದರವು 100 ಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರಬಾರದು DocType: Course Topic,Course Topic,ಕೋರ್ಸ್ ವಿಷಯ DocType: Employee,This will restrict user access to other employee records,ಇದು ಇತರ ಉದ್ಯೋಗಿ ದಾಖಲೆಗಳಿಗೆ ಬಳಕೆದಾರರ ಪ್ರವೇಶವನ್ನು ನಿರ್ಬಂಧಿಸುತ್ತದೆ @@ -6828,12 +6868,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,ಚಂದಾ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,ಗ್ರಾಹಕರಿಂದ ಪಡೆಯಿರಿ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} ಡೈಜೆಸ್ಟ್ DocType: Employee,Reports to,ಇವರಿಗೆ ವರದಿ +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,ಪಾರ್ಟಿ ಖಾತೆ DocType: Assessment Plan,Schedule,ವೇಳಾಪಟ್ಟಿ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,ದಯವಿಟ್ಟು ನಮೂದಿಸಿ DocType: Lead,Channel Partner,ಚಾನೆಲ್ ಸಂಗಾತಿ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,ಇನ್ವಾಯ್ಸ್ಡ್ ಮೊತ್ತ DocType: Project,From Template,ಟೆಂಪ್ಲೇಟ್ನಿಂದ +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,ಚಂದಾದಾರಿಕೆಗಳು apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,ಪ್ರಮಾಣ ಮಾಡಲು DocType: Quality Review Table,Achieved,ಸಾಧಿಸಲಾಗಿದೆ @@ -6880,7 +6922,6 @@ DocType: Journal Entry,Subscription Section,ಚಂದಾದಾರಿಕೆ ವ DocType: Salary Slip,Payment Days,ಪಾವತಿ ದಿನಗಳು apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,ಸ್ವಯಂಸೇವಕ ಮಾಹಿತಿ. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`ಫ್ರೀಜ್ ಸ್ಟಾಕ್ಗಳು ಹಳೆಯದು`% d ದಿನಗಳಿಗಿಂತ ಚಿಕ್ಕದಾಗಿರಬೇಕು. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,ಹಣಕಾಸಿನ ವರ್ಷವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ DocType: Bank Reconciliation,Total Amount,ಒಟ್ಟು ಮೊತ್ತ DocType: Certification Application,Non Profit,ಲಾಭರಹಿತ DocType: Subscription Settings,Cancel Invoice After Grace Period,ಗ್ರೇಸ್ ಅವಧಿಯ ನಂತರ ಸರಕುಪಟ್ಟಿ ರದ್ದುಮಾಡಿ @@ -6893,7 +6934,6 @@ DocType: Serial No,Warranty Period (Days),ಖಾತರಿ ಅವಧಿಯು ( DocType: Expense Claim Detail,Expense Claim Detail,ಖರ್ಚು ಕ್ಲೈಮ್ ವಿವರ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,ಕಾರ್ಯಕ್ರಮ: DocType: Patient Medical Record,Patient Medical Record,ರೋಗಿಯ ವೈದ್ಯಕೀಯ ದಾಖಲೆ -DocType: Quality Action,Action Description,ಆಕ್ಷನ್ ವಿವರಣೆ DocType: Item,Variant Based On,ರೂಪಾಂತರ ಆಧರಿಸಿ DocType: Vehicle Service,Brake Oil,ಬ್ರೇಕ್ ಆಯಿಲ್ DocType: Employee,Create User,ಬಳಕೆದಾರರನ್ನು ರಚಿಸಿ @@ -6949,7 +6989,7 @@ DocType: Cash Flow Mapper,Section Name,ವಿಭಾಗ ಹೆಸರು DocType: Packed Item,Packed Item,ಪ್ಯಾಕ್ ಐಟಂ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: ಡೆಬಿಟ್ ಅಥವಾ ಕ್ರೆಡಿಟ್ ಮೊತ್ತವು {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,ಸಂಬಳ ಸ್ಲಿಪ್ಸ್ ಸಲ್ಲಿಸಲಾಗುತ್ತಿದೆ ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,ಯಾವುದೇ ಕ್ರಿಯೆ ಇಲ್ಲ +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,ಯಾವುದೇ ಕ್ರಿಯೆ ಇಲ್ಲ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",{0} ಆದಾಯದ ಅಥವಾ ಖರ್ಚಿನ ಖಾತೆಯಲ್ಲದಿರುವುದರಿಂದ ಬಜೆಟ್ ಅನ್ನು ನಿಯೋಜಿಸಲಾಗುವುದಿಲ್ಲ apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,ಮಾಸ್ಟರ್ಸ್ ಮತ್ತು ಖಾತೆಗಳು DocType: Quality Procedure Table,Responsible Individual,ಜವಾಬ್ದಾರಿಯುತ ವ್ಯಕ್ತಿ @@ -7072,7 +7112,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,ಮಕ್ಕಳ ಕಂಪನಿ ವಿರುದ್ಧ ಖಾತೆ ರಚನೆಯನ್ನು ಅನುಮತಿಸಿ DocType: Payment Entry,Company Bank Account,ಕಂಪನಿ ಬ್ಯಾಂಕ್ ಖಾತೆ DocType: Amazon MWS Settings,UK,ಯುಕೆ -DocType: Quality Procedure,Procedure Steps,ಕಾರ್ಯವಿಧಾನದ ಕ್ರಮಗಳು DocType: Normal Test Items,Normal Test Items,ಸಾಮಾನ್ಯ ಟೆಸ್ಟ್ ಐಟಂಗಳು apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,ಐಟಂ {0}: ಆದೇಶಿಸಿದ ಕ್ವಿಟಿ {1} ಕನಿಷ್ಠ ಆದೇಶ ಕ್ವಿಟಿ {2} (ಐಟಂನಲ್ಲಿ ವ್ಯಾಖ್ಯಾನಿಸಲಾಗಿದೆ) ಗಿಂತ ಕಡಿಮೆ ಇರುವಂತಿಲ್ಲ. apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,ಸ್ಟಾಕ್ನಲ್ಲಿ ಅಲ್ಲ @@ -7151,7 +7190,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,ಅನಾಲಿಟಿಕ್ DocType: Maintenance Team Member,Maintenance Role,ನಿರ್ವಹಣೆ ಪಾತ್ರ apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು ಟೆಂಪ್ಲೇಟು DocType: Fee Schedule Program,Fee Schedule Program,ಶುಲ್ಕ ವೇಳಾಪಟ್ಟಿ ಕಾರ್ಯಕ್ರಮ -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,ಕೋರ್ಸ್ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ. DocType: Project Task,Make Timesheet,ಟೈಮ್ಸ್ಶೀಟ್ ಮಾಡಿ DocType: Production Plan Item,Production Plan Item,ಉತ್ಪಾದನೆ ಯೋಜನೆ ಐಟಂ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,ಒಟ್ಟು ವಿದ್ಯಾರ್ಥಿ @@ -7173,6 +7211,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,ಅಪ್ ಸುತ್ತುವುದನ್ನು apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,ನಿಮ್ಮ ಸದಸ್ಯತ್ವ 30 ದಿನಗಳಲ್ಲಿ ಅವಧಿ ಮೀರಿದರೆ ಮಾತ್ರ ನವೀಕರಿಸಬಹುದು apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},ಮೌಲ್ಯವು {0} ಮತ್ತು {1} ನಡುವೆ ಇರಬೇಕು +DocType: Quality Feedback,Parameters,ನಿಯತಾಂಕಗಳು ,Sales Partner Transaction Summary,ಮಾರಾಟದ ಸಂಗಾತಿ ವ್ಯವಹಾರದ ಸಾರಾಂಶ DocType: Asset Maintenance,Maintenance Manager Name,ನಿರ್ವಹಣೆ ವ್ಯವಸ್ಥಾಪಕರ ಹೆಸರು apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,ಐಟಂ ವಿವರಗಳನ್ನು ಪಡೆದುಕೊಳ್ಳಲು ಇದು ಅಗತ್ಯವಿದೆ. @@ -7310,6 +7349,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,ಗ್ರಾ DocType: Subscription,Days Until Due,ರವರೆಗೆ ದಿನಗಳು apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,ತೋರಿಸು ಪೂರ್ಣಗೊಂಡಿದೆ apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,ಬ್ಯಾಂಕ್ ಸ್ಟೇಟ್ಮೆಂಟ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಎಂಟ್ರಿ ರಿಪೋರ್ಟ್ +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ಬ್ಯಾಂಕ್ ಡೀಟೈಲ್ಸ್ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ಸಾಲು # {0}: ದರವು {1} ಆಗಿರಬೇಕು: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,ಹೆಚ್ಎಲ್ಸಿ-ಸಿಪಿಆರ್ - .YYYY.- DocType: Healthcare Settings,Healthcare Service Items,ಆರೋಗ್ಯ ಸೇವೆ ವಸ್ತುಗಳು @@ -7366,6 +7406,7 @@ DocType: Training Event Employee,Invited,ಆಹ್ವಾನಿಸಲಾಗಿದ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},{0} ಅಂಶಕ್ಕೆ ಅರ್ಹವಾದ ಗರಿಷ್ಠ ಮೊತ್ತವು {1} ಮೀರಿದೆ apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,ಬಿಲ್ಗೆ ಮೊತ್ತ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","{0} ಮಾತ್ರ, ಡೆಬಿಟ್ ಖಾತೆಗಳನ್ನು ಮಾತ್ರ ಮತ್ತೊಂದು ಕ್ರೆಡಿಟ್ ನಮೂದುಗಳಿಗೆ ಲಿಂಕ್ ಮಾಡಬಹುದು" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,ಆಯಾಮಗಳನ್ನು ರಚಿಸಲಾಗುತ್ತಿದೆ ... DocType: Bank Statement Transaction Entry,Payable Account,ಪಾವತಿಸಬಹುದಾದ ಖಾತೆ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,ಅಗತ್ಯವಿರುವ ಭೇಟಿಗಳ ಕುರಿತು ದಯವಿಟ್ಟು ತಿಳಿಸಿ DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,ನೀವು ಕ್ಯಾಶ್ ಫ್ಲೋ ಮ್ಯಾಪರ್ ದಾಖಲೆಗಳನ್ನು ಹೊಂದಿದ್ದಲ್ಲಿ ಮಾತ್ರ ಆಯ್ಕೆಮಾಡಿ @@ -7383,6 +7424,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,ರೆಸಲ್ಯೂಶನ್ ಸಮಯ DocType: Grading Scale Interval,Grade Description,ಗ್ರೇಡ್ ವಿವರಣೆ DocType: Homepage Section,Cards,ಕಾರ್ಡ್ಗಳು +DocType: Quality Meeting Minutes,Quality Meeting Minutes,ಗುಣಮಟ್ಟ ಸಭೆ ನಿಮಿಷಗಳು DocType: Linked Plant Analysis,Linked Plant Analysis,ಲಿಂಕ್ಡ್ ಪ್ಲಾಂಟ್ ಅನಾಲಿಸಿಸ್ apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,ಸರ್ವೀಸ್ ಎಂಡ್ ದಿನಾಂಕದ ನಂತರ ಸೇವೆಯ ನಿಲುಗಡೆ ದಿನಾಂಕವು ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,ದಯವಿಟ್ಟು GST ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ B2C ಮಿತಿಯನ್ನು ಹೊಂದಿಸಿ. @@ -7417,7 +7459,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,ನೌಕರರ ಹ DocType: Employee,Educational Qualification,ಶೈಕ್ಷಣಿಕ ಅರ್ಹತೆ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,ಪ್ರವೇಶಿಸಬಹುದಾದ ಮೌಲ್ಯ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},ಮಾದರಿ ಪ್ರಮಾಣ {0} ಪಡೆದಿರುವ ಪ್ರಮಾಣಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರಲು ಸಾಧ್ಯವಿಲ್ಲ {1} -DocType: Quiz,Last Highest Score,ಕೊನೆಯ ಗರಿಷ್ಠ ಸ್ಕೋರ್ DocType: POS Profile,Taxes and Charges,ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು DocType: Opportunity,Contact Mobile No,ಸಂಪರ್ಕ ಸಂಖ್ಯೆ ಇಲ್ಲ DocType: Employee,Joining Details,ವಿವರಗಳು ಸೇರುತ್ತಿದೆ diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv index 1b89b2db61..34019d1e82 100644 --- a/erpnext/translations/ko.csv +++ b/erpnext/translations/ko.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,공급 업체 부품 번호 DocType: Journal Entry Account,Party Balance,파티 균형 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),기금 출처 (부채) DocType: Payroll Period,Taxable Salary Slabs,과세 대상 월급 +DocType: Quality Action,Quality Feedback,품질 피드백 DocType: Support Settings,Support Settings,지원 설정 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,먼저 생산 물품을 입력하십시오. DocType: Quiz,Grading Basis,채점 기준 @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,자세한 내 DocType: Salary Component,Earning,적립 DocType: Restaurant Order Entry,Click Enter To Add,추가하려면 Enter를 클릭하십시오. DocType: Employee Group,Employee Group,직원 그룹 +DocType: Quality Procedure,Processes,프로세스 DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,한 통화를 다른 통화로 변환 할 환율 지정 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,에이징 범위 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},재고가 필요한 창고 {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,불평 DocType: Shipping Rule,Restrict to Countries,국가 제한 DocType: Hub Tracked Item,Item Manager,품목 관리자 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},결산 계정의 통화는 {0}이어야합니다. +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,예산 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,인보이스 항목 열기 DocType: Work Order,Plan material for sub-assemblies,하위 어셈블리의 재료 계획 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,하드웨어 DocType: Budget,Action if Annual Budget Exceeded on MR,연간 예산이 MR을 초과하는 경우의 조치 DocType: Sales Invoice Advance,Advance Amount,대출 금액 +DocType: Accounting Dimension,Dimension Name,측정 기준 이름 DocType: Delivery Note Item,Against Sales Invoice Item,판매 송장 품목 반대 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP- .YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,제조시 항목 포함 @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,그것은 무엇 ,Sales Invoice Trends,판매 송장 동향 DocType: Bank Reconciliation,Payment Entries,지불 항목 DocType: Employee Education,Class / Percentage,클래스 / 백분율 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 ,Electronic Invoice Register,전자 인보이스 등록 DocType: Sales Invoice,Is Return (Credit Note),돌아온다 (신용 정보) DocType: Lab Test Sample,Lab Test Sample,실험실 테스트 샘플 @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,변형 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",요금은 귀하의 선택에 따라 항목 수량 또는 금액에 따라 비례 배분됩니다. apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,오늘 진행중인 활동 +DocType: Quality Procedure Process,Quality Procedure Process,품질 절차 과정 DocType: Fee Schedule Program,Student Batch,학생 배치 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},행 {0}의 항목에 필요한 평가 율 DocType: BOM Operation,Base Hour Rate(Company Currency),기본 시간 요금 (회사 통화) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,일련 번호가없는 입력을 기준으로 트랜잭션의 수량 설정 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},선급 계정 통화는 회사 통화 {0}과 같아야합니다. apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,홈페이지 섹션 맞춤 설정 -DocType: Quality Goal,October,십월 +DocType: GSTR 3B Report,October,십월 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,판매 거래에서 고객의 세금 ID 숨기기 apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN이 잘못되었습니다! GSTIN은 15 자 여야합니다. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,가격 규칙 {0}이 (가) 업데이트되었습니다. @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,잔액을 남겨주세요. apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},{1}에 대한 유지 관리 일정 {0}이 (가) 있습니다. DocType: Assessment Plan,Supervisor Name,감독자 이름 DocType: Selling Settings,Campaign Naming By,캠페인 이름 지정 기준 -DocType: Course,Course Code,강좌 코드 +DocType: Student Group Creation Tool Course,Course Code,강좌 코드 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,항공 우주 DocType: Landed Cost Voucher,Distribute Charges Based On,기반으로 요금 분배 DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,공급 업체 성과표 채점 기준 @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,레스토랑 메뉴 DocType: Asset Movement,Purpose,목적 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,직원에 대한 급여 구조 지정이 이미 있습니다. DocType: Clinical Procedure,Service Unit,서비스 단위 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,고객> 고객 그룹> 지역 DocType: Travel Request,Identification Document Number,신분 확인 번호 DocType: Stock Entry,Additional Costs,추가 비용 -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",학부모 과정 (학부모 과정에 포함되지 않은 경우 비워 둡니다) DocType: Employee Education,Employee Education,직원 교육 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,직위 수는 현재 직원 수보다 적을 수 없습니다. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,모든 고객 그룹 @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,행 {0} : 수량은 필수 항목입니다. DocType: Sales Invoice,Against Income Account,소득 계정 반대 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},행 # {0} : 기존 자산 {1}에 대한 구매 송장을 만들 수 없습니다. +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,다양한 홍보 계획을 적용하기위한 규칙. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM에 필요한 UOM 변환 요소 : {0} 항목 : {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},아이템 {0}의 수량을 입력하십시오. DocType: Workstation,Electricity Cost,전기 비용 @@ -865,7 +868,6 @@ DocType: Item,Total Projected Qty,총 예상 수량 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,실제 시작 날짜 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,보상 휴가 요청 일 사이에는 하루 종일 출석하지 않습니다. -DocType: Company,About the Company,회사 소개 apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,금융 계좌의 나무. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,간접 소득 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,호텔 객실 예약 상품 @@ -880,6 +882,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,잠재 고 DocType: Skill,Skill Name,기술 이름 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,성적서 인쇄 DocType: Soil Texture,Ternary Plot,삼원 계획 +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,티켓 지원 DocType: Asset Category Account,Fixed Asset Account,고정 자산 계정 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,최근 @@ -889,6 +892,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,프로그램 등록 ,IRS 1099,국세청 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,시리즈를 사용하도록 설정하십시오. DocType: Delivery Trip,Distance UOM,거리 UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,대차 대조표 필수 DocType: Payment Entry,Total Allocated Amount,총 할당 금액 DocType: Sales Invoice,Get Advances Received,선불 받기 DocType: Student,B-,비- @@ -912,6 +916,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,유지 보수 일 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS 입력을하는 데 필요한 POS 프로파일 DocType: Education Settings,Enable LMS,LMS 사용 DocType: POS Closing Voucher,Sales Invoices Summary,영업 송장 요약 +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,이익 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,여신 계정은 대차 대조표 계정이어야합니다. DocType: Video,Duration,지속 DocType: Lab Test Template,Descriptive,기술 @@ -963,6 +968,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,시작일과 종료일 DocType: Supplier Scorecard,Notify Employee,직원에게 알리기 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,소프트웨어 +DocType: Program,Allow Self Enroll,자체 등록 허용 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,재고 비용 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,참조 날짜를 입력 한 경우 참조 번호는 필수 항목입니다. DocType: Training Event,Workshop,작업장 @@ -1015,6 +1021,7 @@ DocType: Lab Test Template,Lab Test Template,실험실 테스트 템플릿 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},최대 값 : {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,이메일 송장 정보 누락 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,중요한 요청이 생성되지 않았습니다. +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 DocType: Loan,Total Amount Paid,총 지불 금액 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,이 모든 항목은 이미 인보이스 발행되었습니다. DocType: Training Event,Trainer Name,강사 이름 @@ -1036,6 +1043,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,학년 DocType: Sales Stage,Stage Name,예명 DocType: SMS Center,All Employee (Active),모든 직원 (활성) +DocType: Accounting Dimension,Accounting Dimension,회계 차원 DocType: Project,Customer Details,고객 정보 DocType: Buying Settings,Default Supplier Group,기본 공급 업체 그룹 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,먼저 영수증 {0}을 취소하십시오. @@ -1150,7 +1158,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority",숫자가 높을 DocType: Designation,Required Skills,필요한 기술 DocType: Marketplace Settings,Disable Marketplace,마켓 플레이스 사용 중지 DocType: Budget,Action if Annual Budget Exceeded on Actual,연간 예산이 실제를 초과하는 경우의 조치 -DocType: Course,Course Abbreviation,코스 약어 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,퇴장시 {1} (으)로 출석이 {0}에 제출되지 않았습니다. DocType: Pricing Rule,Promotional Scheme Id,프로모션 코드 ID apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},{0} 작업의 종료일은 {1} 예상 종료일 {2} 보다 클 수 없습니다. @@ -1293,7 +1300,7 @@ DocType: Bank Guarantee,Margin Money,여백 돈 DocType: Chapter,Chapter,장 DocType: Purchase Receipt Item Supplied,Current Stock,현재 재고 DocType: Employee,History In Company,회사 내 연혁 -DocType: Item,Manufacturer,제조사 +DocType: Purchase Invoice Item,Manufacturer,제조사 apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,보통 민감도 DocType: Compensatory Leave Request,Leave Allocation,할당을 떠나다 DocType: Timesheet,Timesheet,출퇴근 시간 기록 용지 @@ -1324,6 +1331,7 @@ DocType: Work Order,Material Transferred for Manufacturing,제조용으로 이 DocType: Products Settings,Hide Variants,변형 숨기기 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,용량 계획 및 시간 추적 비활성화 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* 거래에서 계산됩니다. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,'대차 대조표'계정 {1}에 {0}이 (가) 필요합니다. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0}은 (는) {1}과 (과) 거래 할 수 없습니다. 회사를 변경하십시오. 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} 품목의 구매 영수증을 먼저 생성해야합니다." DocType: Delivery Trip,Delivery Details,배달 세부 정보 @@ -1359,7 +1367,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,예전의 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,측정 단위 DocType: Lab Test,Test Template,테스트 템플릿 DocType: Fertilizer,Fertilizer Contents,비료 내용 -apps/erpnext/erpnext/utilities/user_progress.py,Minute,분 +DocType: Quality Meeting Minutes,Minute,분 apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",행 # {0} : 애셋 {1}을 제출할 수 없습니다. 이미 {2} DocType: Task,Actual Time (in Hours),실제 시간 (시간) DocType: Period Closing Voucher,Closing Account Head,결산 계정 헤드 @@ -1532,7 +1540,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,실험실 DocType: Purchase Order,To Bill,청구서에 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,유틸리티 비용 DocType: Manufacturing Settings,Time Between Operations (in mins),작업 간 시간 (분) -DocType: Quality Goal,May,할 수있다 +DocType: GSTR 3B Report,May,할 수있다 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",지불 게이트웨이 계정이 생성되지 않았습니다. 수동으로 생성하십시오. DocType: Opening Invoice Creation Tool,Purchase,매수 DocType: Program Enrollment,School House,학교 집 @@ -1564,6 +1572,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,공급자에 관한 법령 정보 및 기타 일반 정보 DocType: Item Default,Default Selling Cost Center,기본 판매 코스트 센터 DocType: Sales Partner,Address & Contacts,주소 및 연락처 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,셋업> 번호 매기기 시리즈를 통해 출석을위한 번호 매기기 시리즈를 설정하십시오. DocType: Subscriber,Subscriber,구독자 apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# 양식 / 항목 / {0}) 재고가 없습니다 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,먼저 전기 일을 선택하십시오. @@ -1591,6 +1600,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,입원 환자 방문 비 DocType: Bank Statement Settings,Transaction Data Mapping,트랜잭션 데이터 매핑 apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,리드는 개인의 이름이나 조직의 이름이 필요합니다. DocType: Student,Guardians,수호자 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,강사 네이밍 시스템> 교육 환경 설정 apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,브랜드 선택 ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,중간 수입 DocType: Shipping Rule,Calculate Based On,계산 기준 @@ -1602,7 +1612,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,경비 청구 진행 DocType: Purchase Invoice,Rounding Adjustment (Company Currency),반올림 조정 (회사 통화) DocType: Item,Publish in Hub,허브에 게시 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,팔월 +DocType: GSTR 3B Report,August,팔월 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,먼저 구매 영수증을 입력하십시오. apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,시작 연도 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),타겟 ({}) @@ -1621,6 +1631,7 @@ DocType: Item,Max Sample Quantity,최대 샘플 수량 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,소스웨어 하우스와 목표웨어 하우스는 서로 달라야합니다. DocType: Employee Benefit Application,Benefits Applied,혜택 적용 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,저널 항목 {0}에 대해 일치하지 않는 {1} 항목이 없습니다. +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","이름 계열에 허용되지 않는 "-", "#", ".", "/", "{"및 "}"을 제외한 특수 문자" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,가격 또는 제품 할인 슬랩이 필요합니다. apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,목표 설정 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},학생 {1}에 대한 출석 기록 {0}이 (가) 있습니다. @@ -1636,10 +1647,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,달마다 DocType: Routing,Routing Name,라우팅 이름 DocType: Disease,Common Name,공통 이름 -DocType: Quality Goal,Measurable,측정 가능 DocType: Education Settings,LMS Title,LMS 제목 apps/erpnext/erpnext/config/non_profit.py,Loan Management,대출 관리 -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,지원 분석 DocType: Clinical Procedure,Consumable Total Amount,소모 가능한 총 금액 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,템플릿 사용 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,고객 LPO @@ -1779,6 +1788,7 @@ DocType: Restaurant Order Entry Item,Served,제공된 DocType: Loan,Member,회원 DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,실무자 서비스 단위 일정 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,송금 +DocType: Quality Review Objective,Quality Review Objective,품질 검토 목표 DocType: Bank Reconciliation Detail,Against Account,반대 계정 DocType: Projects Settings,Projects Settings,프로젝트 설정 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1} : 계정 {2}이 (가) 그룹이 될 수 없습니다. @@ -1806,6 +1816,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,회계 연도 종료일은 회계 연도 시작일 이후 1 년이어야합니다. apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,일일 미리 알림 DocType: Item,Default Sales Unit of Measure,기본 판매 단위 +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,회사 GSTIN DocType: Asset Finance Book,Rate of Depreciation,감가 상각률 DocType: Support Search Source,Post Description Key,게시 설명 키 DocType: Loyalty Program Collection,Minimum Total Spent,최소 지출 총액 @@ -1877,6 +1888,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,선택한 고객에 대한 고객 그룹 변경은 허용되지 않습니다. DocType: Serial No,Creation Document Type,생성 문서 유형 DocType: Sales Invoice Item,Available Batch Qty at Warehouse,창고에서 가능한 일괄 수량 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,인보이스 총액 apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,이것은 루트 영역이며 편집 할 수 없습니다. DocType: Patient,Surgical History,외과 적 병력 apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,품질 절차 트리. @@ -1981,6 +1993,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,웹 사이트에 표시하려면이 항목을 선택하십시오. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,회계 연도 {0}을 (를) 찾을 수 없습니다. DocType: Bank Statement Settings,Bank Statement Settings,은행 계좌 명세서 설정 +DocType: Quality Procedure Process,Link existing Quality Procedure.,기존 품질 절차 링크. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,CSV / Excel 파일에서 Chart of Accounts 가져 오기 DocType: Appraisal Goal,Score (0-5),점수 (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,특성 테이블에서 특성 {0}이 (가) 여러 번 선택되었습니다. DocType: Purchase Invoice,Debit Note Issued,직불 카드 발행 @@ -1989,7 +2003,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,정책 세부 정보 남기기 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,시스템에 창고가 없습니다. DocType: Healthcare Practitioner,OP Consulting Charge,영업 컨설팅 담당 -DocType: Quality Goal,Measurable Goal,측정 가능한 목표 DocType: Bank Statement Transaction Payment Item,Invoices,인보이스 DocType: Currency Exchange,Currency Exchange,환전소 DocType: Payroll Entry,Fortnightly,격주로 @@ -2052,6 +2065,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1}이 (가) 제출되지 않았습니다. DocType: Work Order,Backflush raw materials from work-in-progress warehouse,재 진행중인 창고에서 원료를 백 플러시합니다. DocType: Maintenance Team Member,Maintenance Team Member,유지 보수 팀원 +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,회계에 대한 맞춤 측정 기준 설정 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,최적 성장을위한 식물의 줄 사이의 최소 거리 DocType: Employee Health Insurance,Health Insurance Name,건강 보험 이름 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,주식 자산 @@ -2084,7 +2098,7 @@ DocType: Delivery Note,Billing Address Name,청구서 수신 주소 이름 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,대체 품목 DocType: Certification Application,Name of Applicant,신청자 성명 DocType: Leave Type,Earned Leave,수입 남김 -DocType: Quality Goal,June,유월 +DocType: GSTR 3B Report,June,유월 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},행 {0} : 항목 {1}에 코스트 센터가 필요합니다. apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},{0} 님이 승인 할 수 있습니다. apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,측정 단위 {0}이 (가) 전환 요소 표에 두 번 이상 입력되었습니다. @@ -2105,6 +2119,7 @@ DocType: Lab Test Template,Standard Selling Rate,표준 판매율 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Restaurant {0}에 대한 활성 메뉴를 설정하십시오. apps/erpnext/erpnext/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: Asset Finance Book,Asset Finance Book,자산 금융 도서 +DocType: Quality Goal Objective,Quality Goal Objective,품질 목표 목표 DocType: Employee Transfer,Employee Transfer,직원 이동 ,Sales Funnel,영업 유입 경로 DocType: Agriculture Analysis Criteria,Water Analysis,수질 분석 @@ -2143,6 +2158,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,직원 이전 속 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,대기중인 활동 apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,귀하의 고객 몇 명을 열거하십시오. 조직이나 개인이 될 수 있습니다. DocType: Bank Guarantee,Bank Account Info,은행 계좌 정보 +DocType: Quality Goal,Weekday,주일 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,가디언 1 이름 DocType: Salary Component,Variable Based On Taxable Salary,과세 급여에 따른 변수 DocType: Accounting Period,Accounting Period,회계 기간 @@ -2227,7 +2243,7 @@ DocType: Purchase Invoice,Rounding Adjustment,반올림 조정 DocType: Quality Review Table,Quality Review Table,품질 검토 표 DocType: Member,Membership Expiry Date,멤버쉽 만료일 DocType: Asset Finance Book,Expected Value After Useful Life,유용한 생활 후에 기대 가치 -DocType: Quality Goal,November,십일월 +DocType: GSTR 3B Report,November,십일월 DocType: Loan Application,Rate of Interest,이자율 DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,은행 거래 명세서 거래 지불 항목 DocType: Restaurant Reservation,Waitlisted,대기자 명단에 올랐다. @@ -2291,6 +2307,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}",행 {0} : {1}주기를 설정하려면 시작일과 종료일의 차이가 {2}보다 커야합니다. DocType: Purchase Invoice Item,Valuation Rate,평가율 DocType: Shopping Cart Settings,Default settings for Shopping Cart,장바구니의 기본 설정 +DocType: Quiz,Score out of 100,점수 100 점 만점 DocType: Manufacturing Settings,Capacity Planning,용량 계획 apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,강사로 이동 DocType: Activity Cost,Projects,프로젝트 @@ -2300,6 +2317,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,시간부터 apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,이체 세부 정보 보고서 +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,구매 용 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0}의 슬롯이 일정에 추가되지 않았습니다. DocType: Target Detail,Target Distribution,대상 배포 @@ -2317,6 +2335,7 @@ DocType: Activity Cost,Activity Cost,활동 비용 DocType: Journal Entry,Payment Order,지불 명령 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,가격 ,Item Delivery Date,상품 배송일 +DocType: Quality Goal,January-April-July-October,1 월 -4 월 -7 월 -10 월 DocType: Purchase Order Item,Warehouse and Reference,창고 및 참조 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,자식 노드가있는 계정은 원장으로 변환 할 수 없습니다. DocType: Soil Texture,Clay Composition (%),점토 조성 (%) @@ -2367,6 +2386,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,미래 날짜는 허 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,배리어 apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,행 {0} : 지급 일정에 지급 방식을 설정하십시오. apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,학기 : +DocType: Quality Feedback Parameter,Quality Feedback Parameter,품질 피드백 매개 변수 apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Apply Discount On을 선택하십시오. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,행 # {0} : apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,총 지불액 @@ -2409,7 +2429,7 @@ DocType: Hub Tracked Item,Hub Node,허브 노드 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,직원 ID DocType: Salary Structure Assignment,Salary Structure Assignment,급여 구조 지정 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS 클로징 바우처 세 -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,초기화 된 동작 +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,초기화 된 동작 DocType: POS Profile,Applicable for Users,사용자에게 적용 가능 DocType: Training Event,Exam,시험 apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,총계정 원장 항목 수가 잘못되었습니다. 거래에서 잘못된 계좌를 선택했을 수 있습니다. @@ -2516,6 +2536,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,경도 DocType: Accounts Settings,Determine Address Tax Category From,주소 세금 카테고리 결정 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,의사 결정자 식별 +DocType: Stock Entry Detail,Reference Purchase Receipt,구매 영수증 참조 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Invocies 받기 DocType: Tally Migration,Is Day Book Data Imported,데이 북 데이터 가져 오기 여부 ,Sales Partners Commission,판매 파트너위원회 @@ -2539,6 +2560,7 @@ DocType: Leave Type,Applicable After (Working Days),해당 근무일 (근무일 DocType: Timesheet Detail,Hrs,시간 DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,공급 업체 성과표 기준 DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,품질 피드백 템플릿 매개 변수 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,가입 날짜는 생년월일보다 커야합니다. DocType: Bank Statement Transaction Invoice Item,Invoice Date,송장 날짜 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,판매 송장에 실험실 테스트 생성 @@ -2645,7 +2667,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,최소 허용치 DocType: Stock Entry,Source Warehouse Address,출처 창고 주소 DocType: Compensatory Leave Request,Compensatory Leave Request,보상 휴가 요청 DocType: Lead,Mobile No.,모바일 번호 -DocType: Quality Goal,July,칠월 +DocType: GSTR 3B Report,July,칠월 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,적격 ITC DocType: Fertilizer,Density (if liquid),밀도 (액체 인 경우) DocType: Employee,External Work History,외부 업무 기록 @@ -2722,6 +2744,7 @@ DocType: Certification Application,Certification Status,인증 상태 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},저작물 {0}에 소스 위치가 필요합니다. DocType: Employee,Encashment Date,취소 일 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Completed Asset Maintenance Log의 완료 날짜를 선택하십시오. +DocType: Quiz,Latest Attempt,최근 시도 DocType: Leave Block List,Allow Users,사용자 허용 apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,계정 목록 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,'기회'가 고객으로 선택되면 고객이 필수입니다. @@ -2786,7 +2809,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,공급 업체 성과 DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS 설정 DocType: Program Enrollment,Walking,보행 DocType: SMS Log,Requested Numbers,요청 번호 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,셋업> 번호 매기기 시리즈를 통해 출석을위한 번호 매기기 시리즈를 설정하십시오. DocType: Woocommerce Settings,Freight and Forwarding Account,화물 및 포워딩 계정 apps/erpnext/erpnext/accounts/party.py,Please select a Company,회사를 선택하십시오. apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,행 {0} : {1}은 0보다 커야합니다. @@ -2856,7 +2878,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,고객에 DocType: Training Event,Seminar,세미나 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),크레딧 ({0}) DocType: Payment Request,Subscription Plans,가입 계획 -DocType: Quality Goal,March,행진 +DocType: GSTR 3B Report,March,행진 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,배치 분할 DocType: School House,House Name,집 이름 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0}의 미완성은 0보다 작을 수 없습니다 ({1}). @@ -2919,7 +2941,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,보험 시작일 DocType: Target Detail,Target Detail,타겟 세부 정보 DocType: Packing Slip,Net Weight UOM,순 중량 UOM -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: Purchase Invoice Item,Net Amount (Company Currency),순 금액 (회사 통화) DocType: Bank Statement Transaction Settings Item,Mapped Data,매핑 된 데이터 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,유가 증권 및 예금 @@ -2969,6 +2990,7 @@ DocType: Cheque Print Template,Cheque Height,높이 확인 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,안심 날짜를 입력하십시오. DocType: Loyalty Program,Loyalty Program Help,충성도 프로그램 도움말 DocType: Journal Entry,Inter Company Journal Entry Reference,회사 간판 항목 참조 +DocType: Quality Meeting,Agenda,비망록 DocType: Quality Action,Corrective,시정 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,그룹 분류 기준 DocType: Bank Account,Address and Contact,주소 및 연락처 @@ -3022,7 +3044,7 @@ DocType: GL Entry,Credit Amount,여신 금액 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,총 크레딧 금액 DocType: Support Search Source,Post Route Key List,게시 경로 키 목록 apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1}은 (는) 활성화 된 회계 연도가 아닙니다. -DocType: Quality Action Table,Problem,문제 +DocType: Quality Action Resolution,Problem,문제 DocType: Training Event,Conference,회의 DocType: Mode of Payment Account,Mode of Payment Account,지불 방식 DocType: Leave Encashment,Encashable days,어려운 날 @@ -3148,7 +3170,7 @@ DocType: Item,"Purchase, Replenishment Details","구매, 보충 세부 사항" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",일단 설정되면이 송장은 설정된 날짜까지 보류 상태가됩니다. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,변형이 있으므로 {0} 품목에 대한 재고가 존재할 수 없습니다. DocType: Lab Test Template,Grouped,그룹화 된 -DocType: Quality Goal,January,일월 +DocType: GSTR 3B Report,January,일월 DocType: Course Assessment Criteria,Course Assessment Criteria,과목 평가 기준 DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,완성 된 수량 @@ -3244,7 +3266,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,의료 서비 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,표에 적어도 1 인보이스를 입력하십시오. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,판매 주문 {0}이 (가) 제출되지 않았습니다. apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,출석이 성공적으로 표시되었습니다. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,사전 영업 +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,사전 영업 apps/erpnext/erpnext/config/projects.py,Project master.,프로젝트 마스터. DocType: Daily Work Summary,Daily Work Summary,일일 작업 요약 DocType: Asset,Partially Depreciated,부분 감가 상각 @@ -3253,6 +3275,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,숨겨둔 채로 둡니까? DocType: Certified Consultant,Discuss ID,ID 토론 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,GST 설정에서 GST 계정을 설정하십시오. +DocType: Quiz,Latest Highest Score,최신 최고 점수 DocType: Supplier,Billing Currency,결제 통화 apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,학생 활동 apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,목표 수량 또는 목표 금액은 필수 항목입니다. @@ -3278,18 +3301,21 @@ DocType: Sales Order,Not Delivered,미배송 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,지불하지 않고 나가기 때문에 {0} 유형을 할당 할 수 없습니다. DocType: GL Entry,Debit Amount,차변 금액 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},항목 {0}에 이미 레코드가 있습니다. +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,하위 어셈블리 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.",여러 가격 책정 규칙이 계속해서이기는 경우 충돌을 해결하기 위해 수동으로 우선 순위를 설정해야합니다. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',카테고리가 'Valuation'또는 'Valuation and Total'인 경우에는 공제 할 수 없습니다. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM 및 제조량이 필요합니다. apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},아이템 {0}의 수명이 {1}에 도달했습니다. DocType: Quality Inspection Reading,Reading 6,독서 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,회사 필드가 필요합니다. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,자재 소비가 제조 설정에서 설정되지 않았습니다. DocType: Assessment Group,Assessment Group Name,평가 그룹 이름 -DocType: Item,Manufacturer Part Number,제조업체 부품 번호 +DocType: Purchase Invoice Item,Manufacturer Part Number,제조업체 부품 번호 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,급여 지불 가능 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},행 # {0} : {1}은 (는) 항목 {2}에 대해 음수 일 수 없습니다. apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,잔액 수량 +DocType: Question,Multiple Correct Answer,여러 개의 정답 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 로열티 포인트 = 기본 통화는 얼마입니까? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},참고 : 휴가 유형 {0}에 대한 잔액 균형이 충분하지 않습니다. DocType: Clinical Procedure,Inpatient Record,입원 기록 @@ -3412,6 +3438,7 @@ DocType: Fee Schedule Program,Total Students,총 학생수 apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,노동 조합 지부 DocType: Chapter Member,Leave Reason,이유를 떠나라. DocType: Salary Component,Condition and Formula,조건 및 수식 +DocType: Quality Goal,Objectives,목표 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","{0}에서 {1} 사이의 기간 동안 이미 처리 된 급여, 휴가 기간은이 기간 사이가 될 수 없습니다." DocType: BOM Item,Basic Rate (Company Currency),기본 요율 (회사 통화) DocType: BOM Scrap Item,BOM Scrap Item,BOM 스크랩 항목 @@ -3462,6 +3489,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP- .YYYY.- DocType: Expense Claim Account,Expense Claim Account,경비 청구 계정 apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,분개에 대해 상환하지 않음 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1}은 (는) 비활성 학생입니다. +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,재고 항목 만들기 DocType: Employee Onboarding,Activities,활동 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,최소한 하나의 창고가 필수입니다. ,Customer Credit Balance,고객 신용 잔액 @@ -3546,7 +3574,6 @@ DocType: Contract,Contract Terms,계약 조건 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,목표 수량 또는 목표 금액은 필수 항목입니다. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},잘못된 {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,회의 날짜 DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,약어는 5자를 초과 할 수 없습니다. DocType: Employee Benefit Application,Max Benefits (Yearly),최대 이점 (매년) @@ -3649,7 +3676,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,은행 수수료 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,양도 된 물품 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,기본 연락처 세부 정보 -DocType: Quality Review,Values,가치 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",선택하지 않으면 목록을 적용해야하는 각 부서에 추가해야합니다. DocType: Item Group,Show this slideshow at the top of the page,이 슬라이드 쇼를 페이지 상단에 표시하십시오. apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} 매개 변수가 잘못되었습니다. @@ -3668,6 +3694,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,은행 수수료 계좌 DocType: Journal Entry,Get Outstanding Invoices,미결제 인보이스 가져 오기 DocType: Opportunity,Opportunity From,기회 +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,대상 세부 정보 DocType: Item,Customer Code,고객 코드 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,먼저 항목을 입력하십시오. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,웹 사이트 목록 @@ -3696,7 +3723,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,에 배달하다 DocType: Bank Statement Transaction Settings Item,Bank Data,은행 데이터 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,예정된 개까지 -DocType: Quality Goal,Everyday,매일 DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,작업 표에서 동일한 청구 시간 및 근무 시간 유지 apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,리드 소스 별 리드 추적 DocType: Clinical Procedure,Nursing User,간호 사용자 @@ -3721,7 +3747,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,지역 트리 관리. DocType: GL Entry,Voucher Type,바우처 유형 ,Serial No Service Contract Expiry,일련 번호가없는 서비스 계약 만료 DocType: Certification Application,Certified,공인 -DocType: Material Request Plan Item,Manufacture,제조 +DocType: Purchase Invoice Item,Manufacture,제조 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} 물품 생산 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0}에 대한 지불 요청 apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,마지막 주문 이후 경과 일수 @@ -3736,7 +3762,7 @@ DocType: Sales Invoice,Company Address Name,회사 주소 이름 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,운송중인 물품 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,이 순서대로 최대 {0} 포인트를 사용할 수 있습니다. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},창고 {0}에 계정을 설정하십시오. -DocType: Quality Action Table,Resolution,해결 +DocType: Quality Action,Resolution,해결 DocType: Sales Invoice,Loyalty Points Redemption,충성도 포인트 사용 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,과세 대상 총액 DocType: Patient Appointment,Scheduled,예정 @@ -3857,6 +3883,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,율 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},{0} 저장 중 DocType: SMS Center,Total Message(s),총 메시지 수 +DocType: Purchase Invoice,Accounting Dimensions,회계 차원 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,계정으로 그룹화 DocType: Quotation,In Words will be visible once you save the Quotation.,인용문을 저장하면 단어가 표시됩니다. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,생산량 @@ -4021,7 +4048,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.",궁금한 점이 있으면 다시 연락하십시오. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,구매 영수증 {0}이 제출되지 않았습니다. DocType: Task,Total Expense Claim (via Expense Claim),총 경비 청구 (경비 청구를 통해) -DocType: Quality Action,Quality Goal,품질 목표 +DocType: Quality Goal,Quality Goal,품질 목표 DocType: Support Settings,Support Portal,지원 포털 apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},작업 {0}의 종료일은 {1} 예상 시작일 {2} 보다 낮을 수 없습니다. apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},직원 {0}이 (가) {1}에 출발합니다. @@ -4080,7 +4107,6 @@ DocType: BOM,Operating Cost (Company Currency),운영비 (회사 통화) DocType: Item Price,Item Price,품목 가격 DocType: Payment Entry,Party Name,파티 이름 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,고객을 선택하십시오. -DocType: Course,Course Intro,과목 소개 DocType: Program Enrollment Tool,New Program,새로운 프로그램 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix",새 코스트 센터 번호입니다. 접두사로 코스트 센터 이름에 포함됩니다. apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,고객 또는 공급 업체를 선택하십시오. @@ -4281,6 +4307,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,순 임금은 음수가 될 수 없습니다. apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,상호 작용 수 없음 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/hr/doctype/employee/employee_dashboard.py,Shift,시프트 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,계정과 당사자의 처리 차트 DocType: Stock Settings,Convert Item Description to Clean HTML,항목 설명을 HTML로 변환 apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,모든 공급 업체 그룹 @@ -4359,6 +4386,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,학부모 항목 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,중개 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},상품 {0}에 대한 구매 영수증 또는 구매 송장을 만드십시오. +,Product Bundle Balance,제품 번들 잔액 apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,회사 이름은 회사 일 수 없습니다. DocType: Maintenance Visit,Breakdown,고장 DocType: Inpatient Record,B Negative,B 네거티브 @@ -4367,7 +4395,7 @@ DocType: Purchase Invoice,Credit To,신용 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,추가 작업을 위해이 작업 공정을 제출하십시오. DocType: Bank Guarantee,Bank Guarantee Number,은행 보증 번호 apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},배달 됨 : {0} -DocType: Quality Action,Under Review,검토 중 +DocType: Quality Meeting Table,Under Review,검토 중 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),농업 (베타) ,Average Commission Rate,평균 수수료율 DocType: Sales Invoice,Customer's Purchase Order Date,고객의 구매 주문서 날짜 @@ -4484,7 +4512,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,송장과 지불 일치 DocType: Holiday List,Weekly Off,주간 끄기 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},항목 {0}에 대해 대체 항목을 설정할 수 없습니다. -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,프로그램 {0}이 (가) 없습니다. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,프로그램 {0}이 (가) 없습니다. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,루트 노드는 편집 할 수 없습니다. DocType: Fee Schedule,Student Category,학생 카테고리 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","항목 {0} : {1} 생산 된 수량," @@ -4575,8 +4603,8 @@ DocType: Crop,Crop Spacing,자르기 간격 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,판매 트랜잭션을 기반으로 프로젝트 및 회사를 얼마나 자주 업데이트해야합니까? DocType: Pricing Rule,Period Settings,기간 설정 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,매출 채권 순액 변경 +DocType: Quality Feedback Template,Quality Feedback Template,품질 피드백 템플릿 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,수량이 0보다 커야합니다. -DocType: Quality Goal,Goal Objectives,목표 목표 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","비율, 주식 수 및 계산 금액간에 불일치가 있습니다." DocType: Student Group Creation Tool,Leave blank if you make students groups per year,학생 그룹을 1 년마다 만들면 비워 둡니다. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),대출 (부채) @@ -4610,12 +4638,13 @@ DocType: Quality Procedure Table,Step,단계 DocType: Normal Test Items,Result Value,결과 값 DocType: Cash Flow Mapping,Is Income Tax Liability,소득세 책임 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,입원 환자 방문 요금 항목 -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1}이 (가) 존재하지 않습니다. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1}이 (가) 존재하지 않습니다. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,응답 업데이트 DocType: Bank Guarantee,Supplier,공급자 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},{0}에서 {1} 사이의 값을 입력하십시오. DocType: Purchase Order,Order Confirmation Date,주문 확인 날짜 DocType: Delivery Trip,Calculate Estimated Arrival Times,예상 도착 시간 계산 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,인력> 인사말 설정에서 직원 네이밍 시스템을 설정하십시오. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,소모품 DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS- .YYYY.- DocType: Subscription,Subscription Start Date,구독 시작 날짜 @@ -4679,6 +4708,7 @@ DocType: Cheque Print Template,Is Account Payable,미지급금 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,총 주문 금액 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},공급자 {0}이 (가) {1}에 없습니다. apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,SMS 게이트웨이 설정 구성 +DocType: Salary Component,Round to the Nearest Integer,가장 가까운 정수로 반올림 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,루트에는 부모 비용 센터가있을 수 없습니다. DocType: Healthcare Service Unit,Allow Appointments,예약 허용 DocType: BOM,Show Operations,작업 표시 @@ -4807,7 +4837,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,기본 공휴일 목록 DocType: Naming Series,Current Value,현재 가치 apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","예산, 목표 설정을위한 계절감" -DocType: Program,Program Code,프로그램 코드 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},경고 : 고객 주문서 {1}에 대한 판매 주문 {0}이 이미 있습니다. apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,월간 판매 목표 ( DocType: Guardian,Guardian Interests,수호자 관심 분야 @@ -4857,10 +4886,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,유료 및 미제출 apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,품목 번호가 자동으로 매겨지지 않기 때문에 품목 코드는 필수 항목입니다. DocType: GST HSN Code,HSN Code,HSN 코드 -DocType: Quality Goal,September,구월 +DocType: GSTR 3B Report,September,구월 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,행정 비용 DocType: C-Form,C-Form No,C 형 아니오 DocType: Purchase Invoice,End date of current invoice's period,현재 송장 기간의 종료일 +DocType: Item,Manufacturers,제조사 DocType: Crop Cycle,Crop Cycle,자르기주기 DocType: Serial No,Creation Time,창조 시간 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,승인 역할 또는 승인 사용자를 입력하십시오. @@ -4933,8 +4963,6 @@ DocType: Employee,Short biography for website and other publications.,웹 사이 DocType: Purchase Invoice Item,Received Qty,받은 수량 DocType: Purchase Invoice Item,Rate (Company Currency),환율 (회사 통화) DocType: Item Reorder,Request for,요청 -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","이 문서를 취소하려면 직원 {0} \을 (를) 삭제하십시오." apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,사전 설정 설치 apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,상환 기간을 입력하십시오. DocType: Pricing Rule,Advanced Settings,고급 설정 @@ -4960,7 +4988,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,장바구니 사용 DocType: Pricing Rule,Apply Rule On Other,기타 규칙 적용 DocType: Vehicle,Last Carbon Check,마지막 탄소 체크 -DocType: Vehicle,Make,하다 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,하다 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,판매 송장 {0}이 (가) 유료로 생성되었습니다. apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,지불 요청 참조 문서를 작성하려면 필수 항목입니다. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,소득세 @@ -5036,7 +5064,6 @@ DocType: Territory,Parent Territory,부모 영역 DocType: Vehicle Log,Odometer Reading,주행 거리계 DocType: Additional Salary,Salary Slip,급여 명세서 DocType: Payroll Entry,Payroll Frequency,급여주기 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,인력> 인사말 설정에서 직원 네이밍 시스템을 설정하십시오. apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",유효한 급여 기간이 아닌 시작 및 종료 날짜는 {0}을 계산할 수 없습니다. DocType: Products Settings,Home Page is Products,홈페이지는 제품입니다 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,전화 @@ -5090,7 +5117,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,레코드를 가져 오는 중 ...... ...... DocType: Delivery Stop,Contact Information,연락처 정보 DocType: Sales Order Item,For Production,생산 용 -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,강사 네이밍 시스템> 교육 환경 설정 DocType: Serial No,Asset Details,자산 세부 정보 DocType: Restaurant Reservation,Reservation Time,예약 시간 DocType: Selling Settings,Default Territory,기본 지역 @@ -5230,6 +5256,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,만료 된 배치 DocType: Shipping Rule,Shipping Rule Type,선적 규칙 유형 DocType: Job Offer,Accepted,수락 된 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","이 문서를 취소하려면 직원 {0} \을 (를) 삭제하십시오." apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,귀하는 이미 평가 기준 {}을 평가했습니다. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,배치 번호 선택 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),연령 (일) @@ -5246,6 +5274,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,판매시 물품 묶음. DocType: Payment Reconciliation Payment,Allocated Amount,할당 된 금액 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,회사 명 및 지명을 선택하십시오. +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'날짜'필요 DocType: Email Digest,Bank Credit Balance,은행 신용 잔액 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,누적 금액 표시 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,사용하기에 충성도 포인트가 충분하지 않습니다. @@ -5306,11 +5335,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,이전 행 합계 DocType: Student,Student Email Address,학생 이메일 주소 DocType: Academic Term,Education,교육 DocType: Supplier Quotation,Supplier Address,공급 업체 주소 -DocType: Salary Component,Do not include in total,전체에 포함시키지 마십시오. +DocType: Salary Detail,Do not include in total,전체에 포함시키지 마십시오. apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,한 회사에 대해 여러 개의 항목 기본값을 설정할 수 없습니다. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0} : {1}이 (가) 존재하지 않습니다. DocType: Purchase Receipt Item,Rejected Quantity,거부 된 수량 DocType: Cashier Closing,To TIme,TIme하려면 +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: Daily Work Summary Group User,Daily Work Summary Group User,일별 작업 요약 그룹 사용자 DocType: Fiscal Year Company,Fiscal Year Company,회계 연도 회사 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,대체 품목은 품목 코드와 같으면 안됩니다. @@ -5420,7 +5450,6 @@ DocType: Fee Schedule,Send Payment Request Email,지불 요청 이메일 보내 DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,영업 송장을 저장하면 단어가 표시됩니다. DocType: Sales Invoice,Sales Team1,영업 팀 1 DocType: Work Order,Required Items,필수 항목 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",""-", "#", "."을 제외한 특수 문자 및 "/"명명 시리즈에서 허용되지 않음" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,ERPNext 매뉴얼 읽기 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,공급 업체 송장 번호 고유성 확인 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,하위 어셈블리 검색 @@ -5488,7 +5517,6 @@ DocType: Taxable Salary Slab,Percent Deduction,비율 공제 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,생산량은 0보다 작을 수 없습니다. DocType: Share Balance,To No,~하려면 DocType: Leave Control Panel,Allocate Leaves,나뭇잎 할당 -DocType: Quiz,Last Attempt,마지막 시도 DocType: Assessment Result,Student Name,학생 이름 apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,유지 보수 방문을 계획하십시오. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,다음 자재 요청이 Item의 재주문 레벨에 따라 자동으로 제기되었습니다. @@ -5557,6 +5585,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,표시기 색상 DocType: Item Variant Settings,Copy Fields to Variant,필드를 변형에 복사 DocType: Soil Texture,Sandy Loam,사양토 +DocType: Question,Single Correct Answer,단일 정답 apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,출근 날짜는 직원의 가입 날짜보다 낮을 수 없습니다. DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,고객의 구매 주문서에 대해 여러 판매 주문 허용 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5619,7 +5648,7 @@ DocType: Account,Expenses Included In Valuation,평가에 포함 된 비용 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,일련 번호 DocType: Salary Slip,Deductions,공제 ,Supplier-Wise Sales Analytics,공급 업체 - 현명한 판매 분석 -DocType: Quality Goal,February,이월 +DocType: GSTR 3B Report,February,이월 DocType: Appraisal,For Employee,직원 용 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,실제 배송 날짜 DocType: Sales Partner,Sales Partner Name,판매 파트너 이름 @@ -5712,9 +5741,9 @@ DocType: Loan,Repayment Start Date,상환 시작일 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Not authroized since {0} exceeds limits,{0}이 (가) 한계를 초과 한 이후에 자동 갱신되지 않았습니다. DocType: Procedure Prescription,Procedure Created,생성 된 절차 ,Serial No Warranty Expiry,일련 번호 보증 만료 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},{0} 일자 {1}에 대한 공급 업체 송장에 대해 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS 프로파일 변경 apps/erpnext/erpnext/utilities/activation.py,Create Lead,리드 생성 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,공급 업체> 공급 업체 유형 DocType: Shopify Settings,Default Customer,기본 고객 DocType: Payment Entry Reference,Supplier Invoice No,공급 업체 송장 번호 DocType: Pricing Rule,Mixed Conditions,혼합 조건 @@ -5764,12 +5793,14 @@ DocType: Item,End of Life,삶의 끝 DocType: Lab Test Template,Sensitivity,감광도 DocType: Territory,Territory Targets,지역 타겟 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",Leave Allocation 레코드가 이미 존재하므로 다음 직원에 대해서는 할당을 건너 뛰십시오. {0} +DocType: Quality Action Resolution,Quality Action Resolution,품질 동작 해상도 DocType: Sales Invoice Item,Delivered By Supplier,공급 업체가 제공 DocType: Agriculture Analysis Criteria,Plant Analysis,식물 분석 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},항목 {0}에는 비용 계정이 필요합니다. ,Subcontracted Raw Materials To Be Transferred,외주 제작 된 원자재 DocType: Cashier Closing,Cashier Closing,출납원 폐쇄 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,항목 {0}이 (가) 이미 반환되었습니다. +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN이 잘못되었습니다! 입력 한 입력 내용이 UIN 소지자 또는 비거주 OIDAR 서비스 공급자의 GSTIN 형식과 일치하지 않습니다. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,이 창고에는 하위 창고가 있습니다. 이 창고를 삭제할 수 없습니다. DocType: Diagnosis,Diagnosis,진단 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0}에서 {1} 사이에 휴가 기간이 없습니다. @@ -5786,6 +5817,7 @@ DocType: QuickBooks Migrator,Authorization Settings,권한 부여 설정 DocType: Homepage,Products,제작품 ,Profit and Loss Statement,손익 계산서 apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,예약 된 방 +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},항목 코드 {0} 및 제조업체 {1}에 대한 중복 항목 DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,총 무게 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,여행 @@ -5834,6 +5866,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,기본 고객 그룹 DocType: Journal Entry Account,Debit in Company Currency,회사 통화로 된 차변 DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",폴백 시리즈는 "SO-WOO-"입니다. +DocType: Quality Meeting Agenda,Quality Meeting Agenda,품질 회의 일정 DocType: Cash Flow Mapper,Section Header,섹션 헤더 apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,제품 또는 서비스 DocType: Crop,Perennial,다년생의 @@ -5879,7 +5912,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","구입, 판매 또는 재고가있는 제품 또는 서비스." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),결산 (개회 + 총) DocType: Supplier Scorecard Criteria,Criteria Formula,기준 수식 -,Support Analytics,지원 분석 +apps/erpnext/erpnext/config/support.py,Support Analytics,지원 분석 apps/erpnext/erpnext/config/quality_management.py,Review and Action,검토 및 조치 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",계정이 고정되어 있으면 제한된 사용자에게 항목을 허용합니다. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,감가 상각 후 금액 @@ -5924,7 +5957,6 @@ DocType: Contract Template,Contract Terms and Conditions,계약 조건 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,데이터 가져 오기 DocType: Stock Settings,Default Item Group,기본 품목 그룹 DocType: Sales Invoice Timesheet,Billing Hours,결제 시간 -DocType: Item,Item Code for Suppliers,공급자 품목 코드 apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},학생 {1}에게 이미 {0} 신청서를 남깁니다. DocType: Pricing Rule,Margin Type,여백 유형 DocType: Purchase Invoice Item,Rejected Serial No,거부 된 일련 번호 @@ -5997,6 +6029,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,나뭇잎이 성공적으로 부여되었습니다. DocType: Loyalty Point Entry,Expiry Date,만료일 DocType: Project Task,Working,일 +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0}에 이미 상위 절차 {1}이 있습니다. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,이것은이 환자와의 거래를 기반으로합니다. 자세한 내용은 아래 일정을 참조하십시오. DocType: Material Request,Requested For,요청한 대상 DocType: SMS Center,All Sales Person,모든 영업 사원 @@ -6083,6 +6116,7 @@ DocType: Loan Type,Maximum Loan Amount,최대 대출 금액 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,기본 연락처에 이메일이 없습니다. DocType: Hotel Room Reservation,Booked,예약 됨 DocType: Maintenance Visit,Partially Completed,부분적으로 완료 됨 +DocType: Quality Procedure Process,Process Description,프로세스 설명 DocType: Company,Default Employee Advance Account,기본 직원 사전 계정 DocType: Leave Type,Allow Negative Balance,마이너스 잔액 허용 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,평가 계획 이름 @@ -6124,6 +6158,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,견적 항목 요청 apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,항목 세금에 {0}이 (가) 두 번 입력되었습니다. DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,선택한 급여 날짜에 전체 세금 공제 +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,마지막 탄소 체크 날짜는 미래 날짜가 될 수 없습니다. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,변경 금액 계정 선택 DocType: Support Settings,Forum Posts,포럼 게시물 DocType: Timesheet Detail,Expected Hrs,예상 근무 시간 @@ -6133,7 +6168,7 @@ DocType: Program Enrollment Tool,Enroll Students,학생 등록 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,고객 수익 반복 DocType: Company,Date of Commencement,시작 날짜 DocType: Bank,Bank Name,은행 이름 -DocType: Quality Goal,December,12 월 +DocType: GSTR 3B Report,December,12 월 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,날짜 유효 기간은 날짜까지 유효해야합니다. apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,이것은이 직원의 출석을 기반으로합니다. DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",이 옵션을 선택하면 홈 페이지가 웹 사이트의 기본 항목 그룹이됩니다. @@ -6175,6 +6210,7 @@ DocType: Production Plan Item,Quantity and Description,수량 및 설명 DocType: Payment Entry,Payment Type,지불 유형 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Folio 번호가 일치하지 않습니다. DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF- .YYYY.- +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},{0} 표시 apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} 항목이 발견되었습니다. ,Stock Ageing,재고 고령화 DocType: Customer Group,Mention if non-standard receivable account applicable,비표준 채권 계좌가 해당 될 경우 언급 @@ -6453,6 +6489,7 @@ DocType: Travel Request,Costing,원가 계산 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,고정 자산 DocType: Purchase Order,Ref SQ,심판 SQ DocType: Salary Structure,Total Earning,총 적립 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,고객> 고객 그룹> 지역 DocType: Share Balance,From No,~부터 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,지불 화해 청구서 DocType: Purchase Invoice,Taxes and Charges Added,추가 된 세금 및 요금 @@ -6460,7 +6497,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,세금 또는 요 DocType: Authorization Rule,Authorized Value,공인 가치 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,받은 사람 : apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,창고 {0}이 (가) 없습니다. +DocType: Item Manufacturer,Item Manufacturer,상품 제조사 DocType: Sales Invoice,Sales Team,영업 팀 +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,묶음 수량 DocType: Purchase Order Item Supplied,Stock UOM,주식 UOM DocType: Installation Note,Installation Date,설치 날짜 DocType: Email Digest,New Quotations,새로운 인용문 @@ -6524,7 +6563,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,휴일 목록 이름 DocType: Water Analysis,Collection Temperature ,수집 온도 DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,예약 인보이스 관리 및 Patient Encounter에 대한 자동 취소 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,설정> 설정> 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오. DocType: Employee Benefit Claim,Claim Date,청구일 DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,공급 업체가 무기한 차단되는 경우 비워 둡니다. apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,날짜와 출석 출석은 필수 입니 다. @@ -6535,6 +6573,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,은퇴 날짜 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,환자를 선택하십시오. DocType: Asset,Straight Line,일직선 +DocType: Quality Action,Resolutions,결의안 DocType: SMS Log,No of Sent SMS,보낸 SMS 없음 ,GST Itemised Sales Register,GST 항목 별 판매 등록 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,총 선불 금액은 총 승인 금액보다 클 수 없습니다. @@ -6645,7 +6684,7 @@ DocType: Account,Profit and Loss,이익과 손실 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Asset Finance Book,Written Down Value,적어 놓은 가치 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,기초 잔액 -DocType: Quality Goal,April,4 월 +DocType: GSTR 3B Report,April,4 월 DocType: Supplier,Credit Limit,신용 한도 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,분포 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6700,6 +6739,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Shopify를 ERPNext와 연결하십시오. DocType: Homepage Section Card,Subtitle,부제 DocType: Soil Texture,Loam,옥토 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,공급 업체> 공급 업체 유형 DocType: BOM,Scrap Material Cost(Company Currency),스크랩 자재 원가 (회사 통화) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,납품서 {0}을 제출할 수 없습니다. DocType: Task,Actual Start Date (via Time Sheet),실제 시작일 (시간표를 통해) @@ -6755,7 +6795,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,복용량 DocType: Cheque Print Template,Starting position from top edge,상단 가장자리에서 시작 위치 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),예약 기간 (분) -DocType: Pricing Rule,Disable,사용 안함 +DocType: Accounting Dimension,Disable,사용 안함 DocType: Email Digest,Purchase Orders to Receive,구매 주문 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,프로덕션 오더는 다음을 위해 제기 할 수 없습니다. DocType: Projects Settings,Ignore Employee Time Overlap,직원 시간 겹침 무시 @@ -6838,6 +6878,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,세금 DocType: Item Attribute,Numeric Values,숫자 값 DocType: Delivery Note,Instructions,명령 DocType: Blanket Order Item,Blanket Order Item,담요 주문 상품 +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,손익 계정 필수 apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,수수료율은 100보다 클 수 없습니다. DocType: Course Topic,Course Topic,코스 주제 DocType: Employee,This will restrict user access to other employee records,이렇게하면 다른 직원 기록에 대한 사용자 액세스가 제한됩니다. @@ -6862,12 +6903,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,구독 관리 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,고객 확보 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} 다이제스트 DocType: Employee,Reports to,님에게 보낼 보고서 +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,파티 계정 DocType: Assessment Plan,Schedule,시간표 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,들어 오세요 DocType: Lead,Channel Partner,채널 파트너 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,인보이스 발행 금액 DocType: Project,From Template,템플릿에서 +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,구독 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,만들 수량 DocType: Quality Review Table,Achieved,달성 된 @@ -6914,7 +6957,6 @@ DocType: Journal Entry,Subscription Section,구독 섹션 DocType: Salary Slip,Payment Days,지불 일수 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,자원 봉사자 정보. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'이전 주식 고정'은 % d 일보다 작아야합니다. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,회계 연도 선택 DocType: Bank Reconciliation,Total Amount,총액 DocType: Certification Application,Non Profit,비영리 단체 DocType: Subscription Settings,Cancel Invoice After Grace Period,유예 기간 후 인보이스 취소 @@ -6927,7 +6969,6 @@ DocType: Serial No,Warranty Period (Days),보증 기간 (일) DocType: Expense Claim Detail,Expense Claim Detail,경비 청구 세부 정보 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,프로그램: DocType: Patient Medical Record,Patient Medical Record,환자의 의료 기록 -DocType: Quality Action,Action Description,동작 설명 DocType: Item,Variant Based On,변형 기반 DocType: Vehicle Service,Brake Oil,브레이크 오일 DocType: Employee,Create User,사용자 생성 @@ -6983,7 +7024,7 @@ DocType: Cash Flow Mapper,Section Name,섹션 이름 DocType: Packed Item,Packed Item,포장 된 품목 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1} : {2}에 직불 결제 또는 크레딧 금액이 필요합니다. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,급여 전표 제출 중 ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,조치 없음 +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,조치 없음 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",소득이나 지출 계정이 아니기 때문에 {0}에 대해 예산을 지정할 수 없습니다. apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,석사 및 회계 DocType: Quality Procedure Table,Responsible Individual,책임있는 개인 @@ -7106,7 +7147,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,자녀 회사에 대한 계정 생성 허용 DocType: Payment Entry,Company Bank Account,회사 은행 계좌 DocType: Amazon MWS Settings,UK,영국 -DocType: Quality Procedure,Procedure Steps,절차 단계 DocType: Normal Test Items,Normal Test Items,정상 검사 항목 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,항목 {0} : 주문 수량 {1}은 최소 주문 수량 {2}보다 작을 수 없습니다 (항목에 정의 됨). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,재고 없음 @@ -7185,7 +7225,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,해석학 DocType: Maintenance Team Member,Maintenance Role,유지 보수 역할 apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,이용 약관 템플릿 DocType: Fee Schedule Program,Fee Schedule Program,요금표 프로그램 -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,코스 {0}이 (가) 존재하지 않습니다. DocType: Project Task,Make Timesheet,작업 표 만들기 DocType: Production Plan Item,Production Plan Item,생산 계획 항목 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,총 학생수 @@ -7207,6 +7246,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,마무리 apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,회원 자격이 30 일 이내에 만료되는 경우에만 갱신 할 수 있습니다. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},값은 {0} ~ {1} 사이 여야합니다. +DocType: Quality Feedback,Parameters,매개 변수 ,Sales Partner Transaction Summary,영업 파트너 거래 요약 DocType: Asset Maintenance,Maintenance Manager Name,유지 보수 관리자 이름 apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Item Details를 가져 오는 데 필요합니다. @@ -7245,6 +7285,7 @@ DocType: Student Admission,Student Admission,학생 입장 DocType: Designation Skill,Skill,기술 DocType: Budget Account,Budget Account,예산 계정 DocType: Employee Transfer,Create New Employee Id,새 직원 ID 생성 +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,'손익'계정 {1}에 {0}이 (가) 필요합니다. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),재화 및 서비스 세금 (GST 인도) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,급여 전표 작성 중 ... DocType: Employee Skill,Employee Skill,직원 기술 @@ -7345,6 +7386,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,소모품으 DocType: Subscription,Days Until Due,만기까지의 기간 apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,완료 표시 apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,은행 계좌 거래 엔트리 보고서 +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,행 # {0} : 비율은 {1}과 같아야합니다 : {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR- .YYYY.- DocType: Healthcare Settings,Healthcare Service Items,의료 서비스 품목 @@ -7401,6 +7443,7 @@ DocType: Training Event Employee,Invited,초대 됨 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},{0} 구성 요소에 적합한 최대 금액이 {1}을 초과합니다. apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,청구 금액 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",{0}의 경우 직불 계정 만 다른 신용 항목과 연결할 수 있습니다. +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,치수 만들기 ... DocType: Bank Statement Transaction Entry,Payable Account,지불 계정 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,필요한 방문수를 언급하십시오. DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,현금 흐름 매퍼 문서를 설정 한 경우에만 선택하십시오. @@ -7418,6 +7461,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,해결 시간 DocType: Grading Scale Interval,Grade Description,학년 설명 DocType: Homepage Section,Cards,카드 +DocType: Quality Meeting Minutes,Quality Meeting Minutes,품질 회의 회의록 DocType: Linked Plant Analysis,Linked Plant Analysis,연결된 플랜트 분석 apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,서비스 종료 날짜는 서비스 종료 날짜 이후 일 수 없습니다. apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,GST 설정에서 B2C 한도를 설정하십시오. @@ -7452,7 +7496,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,직원 출석 도구 DocType: Employee,Educational Qualification,교육 자격 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,접근 가능한 가치 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},샘플 수량 {0}은 수신 된 수량 {1}을 초과 할 수 없습니다. -DocType: Quiz,Last Highest Score,마지막 가장 높은 점수 DocType: POS Profile,Taxes and Charges,세금 및 수수료 DocType: Opportunity,Contact Mobile No,모바일 번호로 문의하십시오. DocType: Employee,Joining Details,세부 사항 조인 diff --git a/erpnext/translations/ku.csv b/erpnext/translations/ku.csv index f5100ea554..a55d3ba983 100644 --- a/erpnext/translations/ku.csv +++ b/erpnext/translations/ku.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Parastina Part No DocType: Journal Entry Account,Party Balance,Balance Party apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Çavkaniya Fînansî DocType: Payroll Period,Taxable Salary Slabs,Slabs +DocType: Quality Action,Quality Feedback,Feedback Feedback DocType: Support Settings,Support Settings,Sîstema piştevanîya apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Ji kerema xwe yekem hilberê hilberê bike DocType: Quiz,Grading Basis,Bingehîn @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Agahî DocType: Salary Component,Earning,Earning DocType: Restaurant Order Entry,Click Enter To Add,Click To Add To Add DocType: Employee Group,Employee Group,Koma Karker +DocType: Quality Procedure,Processes,Pêvajoyan DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Rêjeya danûstandinê binivîse ku ji bo hevpeymanek din ve biguherîne apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Aging Range 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Warehouse ji bo Stock Stock {0} @@ -156,11 +158,13 @@ DocType: Complaint,Complaint,Gilî DocType: Shipping Rule,Restrict to Countries,Li welatên sînor bike DocType: Hub Tracked Item,Item Manager,Rêveberê Mamosteyê apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Pêwîsta Hesabiya Dawiyê Divê {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budgets apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Di veguhestina Şîfreyê de vekin DocType: Work Order,Plan material for sub-assemblies,Plana materyalê ji bo sub-civînan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Budget,Action if Annual Budget Exceeded on MR,Ger çalakiya salê derbas dibe ku MR DocType: Sales Invoice Advance,Advance Amount,Amûdê Amûdê +DocType: Accounting Dimension,Dimension Name,Navekî Navîn DocType: Delivery Note Item,Against Sales Invoice Item,Li dijî Şîfreya Bazirganiya Bazirganî DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-YYYY- DocType: BOM Explosion Item,Include Item In Manufacturing,In Item In Manufacturing @@ -217,7 +221,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Çi dike? ,Sales Invoice Trends,Trênokên Bexdayê DocType: Bank Reconciliation,Payment Entries,Entment Entries DocType: Employee Education,Class / Percentage,Çar / Perî -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kodê Asayîş> Tîpa Group> Brand ,Electronic Invoice Register,Şîfreya Bijare ya Elektronîkî DocType: Sales Invoice,Is Return (Credit Note),Vegerîn (Têbînî Kredî) DocType: Lab Test Sample,Lab Test Sample,Sample Lab Lab @@ -289,6 +292,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Variants apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",Tezmînata dê di çarçoveya hilbijartina we de qaîdeyê an qezenc an naveroka perçeyê belav kirin apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Çalakiyên Pending îro ji bo +DocType: Quality Procedure Process,Quality Procedure Process,Pêvajoya Pêvajoya Qanûnê DocType: Fee Schedule Program,Student Batch,Batchê xwendekar apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Pirtûka Nirxandinê ji bo Item in row {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Rêjeya Bingehê @@ -308,7 +312,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate 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 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} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Beşên Serûpelê -DocType: Quality Goal,October,Cotmeh +DocType: GSTR 3B Report,October,Cotmeh DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ji veguhertina kirina Kirêdariya Qanûna Xerîdarê veşêre apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN çewt A GSTIN 15 cûr be. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Rule Pricing {0} hate nûkirin @@ -395,7 +399,7 @@ DocType: Leave Encashment,Leave Balance,Balance Leave apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Guhertoya Guhertina {0} li dijî {1} DocType: Assessment Plan,Supervisor Name,Navê Supervisor DocType: Selling Settings,Campaign Naming By,Kampanya Naming By -DocType: Course,Course Code,Koda Kursê +DocType: Student Group Creation Tool Course,Course Code,Koda Kursê apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace DocType: Landed Cost Voucher,Distribute Charges Based On,Li Ser Bingehên Xercan belav bike DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Supplier Scorecard Criteria Scoring @@ -477,10 +481,8 @@ DocType: Restaurant Menu,Restaurant Menu,Menu Menu DocType: Asset Movement,Purpose,Armanc apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Destûra Çarçoveya Wezaretê ya Ji bo Karmendê Berî Hejmar heye DocType: Clinical Procedure,Service Unit,Yekîneya Xizmet -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Giştî> Giştî ya Giştî> Herêmî DocType: Travel Request,Identification Document Number,Hejmara Belgeya nasnameyê DocType: Stock Entry,Additional Costs,Mesrefên din -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Kursa Parêzgehê (Hin derkevin, eger ev ne beşek Parêzgeha Parent)" DocType: Employee Education,Employee Education,Xwendekarên Xwendekar apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Hejmara helwestên ku hejmarek karûbarên nuha ne kêmtir dibe apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Koma Giştî ya Giştî @@ -526,6 +528,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Row {0}: Qty e DocType: Sales Invoice,Against Income Account,Li Bexdayê Bexdayê apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Bersaziya Kirînê dikare li dijî sermayek heyî ya xuyakirin {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Qanûna ji bo bernameyên pêşveçûna cûda yên cuda hene. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Faktoriya UOM ya çepê ya UOM: {0} di binavê: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Ji kerema xwe ji bo maddeya navnîşan {0} DocType: Workstation,Electricity Cost,Xercê elektrîkê @@ -855,7 +858,6 @@ DocType: Item,Total Projected Qty,Tiştek Bazirganî Qty apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Dîroka Destpêka Destpêk 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 -DocType: Company,About the Company,Der barê şîrketê apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Dara hesabên aborî. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Hatina Bexdayê DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Item Room Reservation @@ -870,6 +872,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Daneyên dan DocType: Skill,Skill Name,Navê Pêdivî ye apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Card Card Print DocType: Soil Texture,Ternary Plot,Ternary Plot +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ji kerema xwe veşartî ji bo {0} bi Sîstema Setup> Sîstemên * Naming Series apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Kolanên piştevanîya DocType: Asset Category Account,Fixed Asset Account,Hesabê Girtîgeha Girtî apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Dawîtirîn @@ -879,6 +882,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Bernameya Enrollmen ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Ji kerema xwe rêza rêzikê ku bikar bînin bikar bînin. DocType: Delivery Trip,Distance UOM,UOM dûr +DocType: Accounting Dimension,Mandatory For Balance Sheet,Ji bo Balance Sheet for Mandatory DocType: Payment Entry,Total Allocated Amount,Giştî Hatina Tevahiya Tevahiya DocType: Sales Invoice,Get Advances Received,Piştgiriya Pêşniyar bibin DocType: Student,B-,B- @@ -900,6 +904,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Tiştek Barkirina T apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Profîl divê hewce dike POS Entry DocType: Education Settings,Enable LMS,LMS çalak bikin DocType: POS Closing Voucher,Sales Invoices Summary,Barkirina Barkirina Bazirganî +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Fêde apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredî divê hesabê hesabê be hesabê hebin DocType: Video,Duration,Demajok DocType: Lab Test Template,Descriptive,Descriptive @@ -950,6 +955,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Dîrokên Destpêk û Dawîn DocType: Supplier Scorecard,Notify Employee,Karmendê agahdar bikin apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software +DocType: Program,Allow Self Enroll,Destûra Xweseriya Xwe Destnîşankirin apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Lêçûnên Stock Stock apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Rêjeya ku hûn tête navnîşê da ku tu tête navnîşan nîne DocType: Training Event,Workshop,Kargeh @@ -1001,6 +1007,7 @@ DocType: Lab Test Template,Lab Test Template,Template Test Lab apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Agahdariya E-Invoicing Missing apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Naveroka maddî tune +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kodê Asayîş> Tîpa Group> Brand DocType: Loan,Total Amount Paid,Tiştek Tiştek Paid apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Hemî van tiştan berê berê veguhestin DocType: Training Event,Trainer Name,Navnavê @@ -1022,8 +1029,10 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Salê Akademîk DocType: Sales Stage,Stage Name,Stage Navê DocType: SMS Center,All Employee (Active),Hemî Xebatkar (Active) +DocType: Accounting Dimension,Accounting Dimension,Dimensiona Hesabê DocType: Project,Customer Details,Agahdarî û DocType: Buying Settings,Default Supplier Group,Default Supplier Group +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Ji kerema xwe ya yekem {0} xerca kirînê bikî apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge of type 'Actual' li ser rûpela {0} nikarin di binirxa maddeyê de ne apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Business Development Manager,Rêveberê Pêşvebirina Karsaziyê DocType: Agriculture Task,Urgent,Acîl @@ -1134,7 +1143,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Hejmara bilind, DocType: Designation,Required Skills,Pêdivî ye DocType: Marketplace Settings,Disable Marketplace,Bazara Bazarê DocType: Budget,Action if Annual Budget Exceeded on Actual,Ger çalakiya salane li ser Actual -DocType: Course,Course Abbreviation,Kursa Navekî apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Beşdariyê li ser vekişînê ji {0} wekî {1} nayê pêşkêş kirin. DocType: Pricing Rule,Promotional Scheme Id,Idê Promotional Scheme DocType: Driver,License Details,Agahdariya Lîsansa @@ -1274,7 +1282,7 @@ DocType: Bank Guarantee,Margin Money,Margin Money DocType: Chapter,Chapter,Beş DocType: Purchase Receipt Item Supplied,Current Stock,Stock Stock DocType: Employee,History In Company,Dîroka Şîrketê -DocType: Item,Manufacturer,Çêker +DocType: Purchase Invoice Item,Manufacturer,Çêker apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Sensîteya Navendî ya Navendî DocType: Compensatory Leave Request,Leave Allocation,Alîkariyê vekişin DocType: Timesheet,Timesheet,Timesheet @@ -1339,7 +1347,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Prev apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Unit of Measure DocType: Lab Test,Test Template,Template Template DocType: Fertilizer,Fertilizer Contents,Naverokên Fertilizer -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Deqqe +DocType: Quality Meeting Minutes,Minute,Deqqe apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} nikare pêşkêş kirin, ew yek ji {2}" DocType: Task,Actual Time (in Hours),Demjimêra Demjimêr (Di saetan de) DocType: Period Closing Voucher,Closing Account Head,Head Head Closing @@ -1512,7 +1520,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Lêkolînxane DocType: Purchase Order,To Bill,To Bill apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Mesrefên karûbarê DocType: Manufacturing Settings,Time Between Operations (in mins),Demjimêr Between Operations (in mins) -DocType: Quality Goal,May,Gulan +DocType: GSTR 3B Report,May,Gulan apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Hesabê Gateway Account nehatiye afirandin, ji kerema xwe bi destê xwe biafirîne." DocType: Opening Invoice Creation Tool,Purchase,Kirrîn DocType: Program Enrollment,School House,House House @@ -1544,6 +1552,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,Q DocType: Supplier,Statutory info and other general information about your Supplier,Agahdariya zagonî û agahdariyên gelemperî derbarê derveyî we DocType: Item Default,Default Selling Cost Center,Navenda Bazirganî ya Navendî Default DocType: Sales Partner,Address & Contacts,Navnîşan û Têkilî +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ji kerema xwe veşartina hejmarek ji bo Tevlêbûnê ya Setup> Pirtûka Nimûne DocType: Subscriber,Subscriber,Hemû apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (Forma / Forma / {0}) ji ber firotanê ye apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Ji kerema xwe pêşîn Dîroka Dîroka Pêşîn hilbijêre @@ -1571,6 +1580,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Nexşeya Serûpelê DocType: Bank Statement Settings,Transaction Data Mapping,Daxuyaniya Data Mapping apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Leşkerek an navê an kes an navê navê rêxistinê heye DocType: Student,Guardians,Cerdevan +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ji kerema xwe vexwendina Sîstema Navneteweyî ya Perwerdehiya Mamosteyê> Sîstema Perwerdehiyê apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Hilbijêre Brand ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Hatina Navîn DocType: Shipping Rule,Calculate Based On,Li ser bingeha Bingehîn @@ -1582,7 +1592,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Serdanek Pêşveçûn DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Pargîdûna Rounding DocType: Item,Publish in Hub,Li Hubê belav bikin apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,Tebax +DocType: GSTR 3B Report,August,Tebax apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Ji kerema xwe re yekem yekîneya kirînê qeyd bike apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Sala Dest apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Target ({}) @@ -1601,6 +1611,7 @@ DocType: Item,Max Sample Quantity,Hêjeya Berbi Sample apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Çavkanî û bareya berevajî divê cuda be DocType: Employee Benefit Application,Benefits Applied,Xwendekarên Xercê apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Li dijî Entry Journal {0} navnîşan tune ye {1} +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Taybetên taybet - "-", "#", ".", "/", "{" Û "}"" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Slabs buhav û hilberên hilberê hewce ne apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Target Target apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Tevlêbûna xwendinê {0} li dijî xwendekaran {1} @@ -1616,10 +1627,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Per Month DocType: Routing,Routing Name,Navnîşa navekî DocType: Disease,Common Name,Navekî Giştî -DocType: Quality Goal,Measurable,Measurable DocType: Education Settings,LMS Title,Sernavê LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Rêveberiya Lînan -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Analyîşên Piştgiriyê DocType: Clinical Procedure,Consumable Total Amount,Giştî ya Giştî apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Şablon apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,LPO @@ -1758,6 +1767,7 @@ DocType: Restaurant Order Entry Item,Served,Served DocType: Loan,Member,Endam DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Yekîneya Xizmetiya Xizmetkariyê apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Wire Transfer +DocType: Quality Review Objective,Quality Review Objective,Armancên Kalîteya Armancê DocType: Bank Reconciliation Detail,Against Account,Li dijî Hesabê DocType: Projects Settings,Projects Settings,Projeyên Settings apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Qualî Qty {0} / Li Qaita Qty {1} @@ -1786,6 +1796,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ka apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Dîroka Destpêk Dîroka Destpêk Dîroka Destpêkê Destpêk Dibe apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Reminderers Daily DocType: Item,Default Sales Unit of Measure,Yekitiya firotanê ya Çargoşe ya Mehevî +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,GSTIN DocType: Asset Finance Book,Rate of Depreciation,Rêjeya bacêbûnê DocType: Support Search Source,Post Description Key,Sernavê Key DocType: Loyalty Program Collection,Minimum Total Spent,Spartina Giştî ya Tevahî @@ -1857,6 +1868,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Guhertina Xerîdarê ji bo Mişterek bijartî nayê destûr kirin. DocType: Serial No,Creation Document Type,Creating Type Document DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Batch Qty at Warehouse +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Teva Giştî ya Giştî apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Ev qada root root e û nikare guherandinê ne. DocType: Patient,Surgical History,Dîroka Surgical apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Darên Kalîteya Qanûnan. @@ -1960,6 +1972,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,P DocType: Item Group,Check this if you want to show in website,Ger hûn bixwazin malpera xwe nîşanî bikin apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Salê Fiscal Year {0} nehat dîtin DocType: Bank Statement Settings,Bank Statement Settings,Setup Settings +DocType: Quality Procedure Process,Link existing Quality Procedure.,Vebijêrîna Kalîteya Pêdivî ye. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Import Chart of Accounts from files from CSV / Excel DocType: Appraisal Goal,Score (0-5),Score (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Attribute {0} gelek caran di nav hûrgelan de hilbijartin DocType: Purchase Invoice,Debit Note Issued,Dîroka Têkilî Debit @@ -1968,7 +1982,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Pêdivîbûna Polîtîkaya Derkeve apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Warehouse di pergalê de nehat dîtin DocType: Healthcare Practitioner,OP Consulting Charge,OP Charge Consulting -DocType: Quality Goal,Measurable Goal,Goal Measurable DocType: Bank Statement Transaction Payment Item,Invoices,Daxistin DocType: Currency Exchange,Currency Exchange,Pargîdanî DocType: Payroll Entry,Fortnightly,Pêwîste @@ -2030,6 +2043,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} nayê pêşkêş kirin DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Backflush materyal ji karûbarên kar-in-pêşveçûn DocType: Maintenance Team Member,Maintenance Team Member,Endama Tenduristiyê +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Ji bo hesabê hesabê sazkirinê 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ê DocType: Employee Health Insurance,Health Insurance Name,Navxweyî ya Navxweyî apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Assist Stock @@ -2062,7 +2076,7 @@ DocType: Delivery Note,Billing Address Name,Navnîşana Navnîşan Navnîşanê apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Peldanka alternatîf DocType: Certification Application,Name of Applicant,Navekî Serêdanê DocType: Leave Type,Earned Leave,Girtîgeha Hilbijartinê -DocType: Quality Goal,June,Pûşper +DocType: GSTR 3B Report,June,Pûşper apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Row {0}: Navenda kredê pêwîst e ku {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Ji hêla {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Yekîneya Pîvana {0} veguhestina faktorê Fermandarê Dîsa zêdetir @@ -2083,6 +2097,7 @@ DocType: Lab Test Template,Standard Selling Rate,Rêjeya Bazirganiya Standard apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Ji kerema xwe ji mîhengek çalak a xweya restaurant {0} 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.,Pêdivî ye ku hûn bikarhêner bi Rêveberê Gerînendeyê û Rêveberê Rêveberê Rêveberê Rêveberê Xweyê zêde bikin ku bikar bînin. DocType: Asset Finance Book,Asset Finance Book,Pirtûka Darayî +DocType: Quality Goal Objective,Quality Goal Objective,Armancên Kalîteya Armanc DocType: Employee Transfer,Employee Transfer,Transfera karmendê ,Sales Funnel,Firotanê Sales DocType: Agriculture Analysis Criteria,Water Analysis,Analysis @@ -2121,6 +2136,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Malbata Transfer apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Çalakiyên Pending apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Hinek kesên xwe binivîsin. Ew dikarin rêxistin an kesan bibin. DocType: Bank Guarantee,Bank Account Info,Agahiya Hesabê Bankê +DocType: Quality Goal,Weekday,Rojane apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Navê DocType: Salary Component,Variable Based On Taxable Salary,Li ser Dabeşkirina Bacê ya Bacgir-ya DocType: Accounting Period,Accounting Period,Dema hesabê @@ -2204,7 +2220,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Reqdarkirina Rounding DocType: Quality Review Table,Quality Review Table,Qanûna Kalîteya Pîvana DocType: Member,Membership Expiry Date,Endamê Dîroka Dawînbûnê DocType: Asset Finance Book,Expected Value After Useful Life,Dîroka Bêguman Piştî Piştî jiyanê Bikarane -DocType: Quality Goal,November,Mijdar +DocType: GSTR 3B Report,November,Mijdar DocType: Loan Application,Rate of Interest,Rêjeya balkêş DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Daxuyaniya Paydayê ya Bexdayê DocType: Restaurant Reservation,Waitlisted,Waitlisted @@ -2266,6 +2282,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Row {0}: Ji bo pêvajoya {1} damezirandin, cudahî di nav û demê de \ divê ji bilî an jî wekhev be. {2}" DocType: Purchase Invoice Item,Valuation Rate,Nirxandina Nirxandinê DocType: Shopping Cart Settings,Default settings for Shopping Cart,Guhertinên standard ji bo kirîna kirînê +DocType: Quiz,Score out of 100,Ji 100 anî DocType: Manufacturing Settings,Capacity Planning,Plankirina Capacity apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Herin Şîretkaran DocType: Activity Cost,Projects,Projeyên @@ -2275,6 +2292,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Ji Saet apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Report Report +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Ji bo Kirînê apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Ji bo {0} dirûşmeyan di demdêriya xwe de zêde ne zêde kirin DocType: Target Detail,Target Distribution,Dabeşkirina Target @@ -2292,6 +2310,7 @@ DocType: Activity Cost,Activity Cost,Cost Performansa DocType: Journal Entry,Payment Order,Biryara Payê apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Pricing ,Item Delivery Date,Dîroka Delivery Date +DocType: Quality Goal,January-April-July-October,Çile-Nîsana-Tîrmeh-Çile DocType: Purchase Order Item,Warehouse and Reference,Warehouse û Çavkanî apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Hesabê zarokê bi zarokê veguherin bi rêberê veguherînin DocType: Soil Texture,Clay Composition (%),Çargoşe (%) @@ -2341,6 +2360,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Rojên pêşeroj nayê apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Berbiçav apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Row {0}: Ji kerema xwe re Mode ya Tezmînatê di Di nav deynê deynê de hilbijêre apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Termê Akademîk: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Têkiliya Kalîteya Nirxandinê apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Ji kerema xwe vebigere Serlêdana Disqusê bikî apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Row # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Tiştên Tevahî @@ -2382,7 +2402,7 @@ DocType: Hub Tracked Item,Hub Node,Nubê Hub apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Nasnameya karmendê DocType: Salary Structure Assignment,Salary Structure Assignment,Destûra Hilbijartina Ragihandinê DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Bacên Voucher POS POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Çalakiya Destpêk +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Çalakiya Destpêk DocType: POS Profile,Applicable for Users,Ji bo Bikaranîna bikarhêneran DocType: Training Event,Exam,Îmtîhan apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Navnîşên çewt ên General Ledger Entries dîtin. Hûn dikarin di nav veguhestineke çewt de bijartin. @@ -2488,6 +2508,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Dirêjî DocType: Accounts Settings,Determine Address Tax Category From,Kategoriya Baca Têkanî Ji apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Nasnameyên Biryara Nasnameyê +DocType: Stock Entry Detail,Reference Purchase Receipt,Rice Purchase Rice apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Daxistin DocType: Tally Migration,Is Day Book Data Imported,Dîroka danûstandinên pirtûka Dîjan Roj e ,Sales Partners Commission,Komîsyona Sales Sales @@ -2511,6 +2532,7 @@ DocType: Leave Type,Applicable After (Working Days),Piştî Karanîna Rojan DocType: Timesheet Detail,Hrs,Hrs DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Supplier Scorecard Criteria DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Pelîşandana Kalîteya Kalîteya Taybet apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Dîroka Tevlêbûnê Ji Dîroka Jidayikbûnê mezintir be DocType: Bank Statement Transaction Invoice Item,Invoice Date,Dîroka Bexdayê DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Li Têbaza Bazirganiyê ya Lab Labê ava bikin @@ -2616,7 +2638,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Value Maximum Permiss DocType: Stock Entry,Source Warehouse Address,Navnîşana Warehouse Çavkaniyê DocType: Compensatory Leave Request,Compensatory Leave Request,Request Leave DocType: Lead,Mobile No.,Numreya mobîl -DocType: Quality Goal,July,Tîrmeh +DocType: GSTR 3B Report,July,Tîrmeh apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC DocType: Fertilizer,Density (if liquid),Density (eger liquid) DocType: Employee,External Work History,Dîroka Karên Derve @@ -2690,6 +2712,7 @@ DocType: Certification Application,Certification Status,Status Status apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Ji bo çavkaniya Çavkaniya Çavkaniyê pêwîst e {0} DocType: Employee,Encashment Date,Daxuyaniya Dîroka apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Ji kerema xwe ji bo temamkirina Dîroka Dawîn hilbijêre Ji bo Endamên Hêza Navîn Log +DocType: Quiz,Latest Attempt,Tevgera Berbiçav DocType: Leave Block List,Allow Users,Alîkar bikarhêneran apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Karta Karûbar apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Pêdivî ye ku Heke ji 'Opportunity Ji' ve tê hilbijêre @@ -2753,7 +2776,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Supplier Scorecard S DocType: Amazon MWS Settings,Amazon MWS Settings,Settings M Amazon Amazon DocType: Program Enrollment,Walking,Walking DocType: SMS Log,Requested Numbers,Pirsgirêkên Hejmaran -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ji kerema xwe veşartina hejmarek ji bo Tevlêbûnê ya Setup> Pirtûka Nimûne DocType: Woocommerce Settings,Freight and Forwarding Account,Hesabê Freight & Forwarding apps/erpnext/erpnext/accounts/party.py,Please select a Company,Ji kerema xwe şîrketek hilbijêrin apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Row {0}: {1} ji 0 re mezintir be @@ -2823,7 +2845,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Bîlan ji b DocType: Training Event,Seminar,Semîner apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kredê ({0}) DocType: Payment Request,Subscription Plans,Plana Serlêdana -DocType: Quality Goal,March,Adar +DocType: GSTR 3B Report,March,Adar apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Batch Split DocType: School House,House Name,Navekî Navîn apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Ji bo {0} bêheq ji sifir ({1} kêmtir be @@ -2884,7 +2906,6 @@ apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Sta DocType: Asset,Insurance Start Date,Sîgorta Destpêk Dîroka DocType: Target Detail,Target Detail,Target Detail DocType: Packing Slip,Net Weight UOM,Net Weight UOM -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktora UOM ({0} -> {1}) nehatiye dîtin: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Net Amûr (Firotina Kredî) DocType: Bank Statement Transaction Settings Item,Mapped Data,Data Data apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Ewlekar û Deposits @@ -2934,6 +2955,7 @@ DocType: Cheque Print Template,Cheque Height,Check Height apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Ji kerema xwe roja danê xweş bike. DocType: Loyalty Program,Loyalty Program Help,Alîkar Program Program DocType: Journal Entry,Inter Company Journal Entry Reference,Têkiliya Navnetewî ya Navneteweyî ya Navneteweyî +DocType: Quality Meeting,Agenda,Naverok DocType: Quality Action,Corrective,Corrective apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Koma Bi DocType: Bank Account,Address and Contact,Navnîşan û Têkilî @@ -2986,7 +3008,7 @@ DocType: GL Entry,Credit Amount,Amûriya krediyê apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Tevahiya Giştî ya Credited DocType: Support Search Source,Post Route Key List,Key Lîsteya Mijarek Posteyê apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} ne ku di salek fînansî de çalak e. -DocType: Quality Action Table,Problem,Pirsegirêk +DocType: Quality Action Resolution,Problem,Pirsegirêk DocType: Training Event,Conference,Şêwre DocType: Mode of Payment Account,Mode of Payment Account,Mode Of Payment DocType: Leave Encashment,Encashable days,Rojan nabe @@ -3111,7 +3133,7 @@ DocType: Item,"Purchase, Replenishment Details","Bazirganî, Replenishment" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Dema ku carekê, ev bargav dê heta roja danîn" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Stock nikare ji bo mîhengên {0} ji ber variant hene DocType: Lab Test Template,Grouped,Grouped -DocType: Quality Goal,January,Rêbendan +DocType: GSTR 3B Report,January,Rêbendan DocType: Course Assessment Criteria,Course Assessment Criteria,Kursa Nirxandina kursiyê DocType: Certification Application,INR,DYA DocType: Job Card Time Log,Completed Qty,Qty kirin @@ -3205,7 +3227,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Tenduristiya apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Ji kerema xwe re di sifrê de 1 bargestê binivîse apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Order Order {0} nayê pejirandin apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Tevlêbûna serkeftî hat nîşankirin. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Pêşkêşin Pêş +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pêşkêşin Pêş apps/erpnext/erpnext/config/projects.py,Project master.,Master master DocType: Daily Work Summary,Daily Work Summary,Karkerên Rojane DocType: Asset,Partially Depreciated,Bi awayek bifikirin @@ -3214,6 +3236,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Şaş bimînin? DocType: Certified Consultant,Discuss ID,Nasnameya Nîqaş apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,"Ji kerema xwe, GST Hesabên GST-ê di Guhertoya Giştî de bikin" +DocType: Quiz,Latest Highest Score,Latest High Score DocType: Supplier,Billing Currency,Pere Billing apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Çalakiya xwendekar apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,An jî heqê hedef an jî hedefa hedef e @@ -3237,18 +3260,21 @@ apps/erpnext/erpnext/controllers/accounts_controller.py, or ,an DocType: Sales Order,Not Delivered,Not Delivered apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Tîpa vekişînê {0} ji bo ku bêyî dayîn bêyî vexwendin nayê vexwendin DocType: GL Entry,Debit Amount,Amûdê Debit +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Komîteyên Sub 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.","Heke ku Pirrjimar Pirrjimar berdewam dibin, bikarhêneran ji bo pêşniyazkirina pêşniyazkirina diyarkirina çareserkirina nakokiya çareseriyê." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Dema ku kategoriya ji bo 'Nirxandina' yan 'Nirxandin û Giştî' ye apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Pêwîstiya BOM û Pêvanîna Pêdivî ye apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Item {0} li dawiya jiyanê li ser {1} DocType: Quality Inspection Reading,Reading 6,Xwendinê 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Pêdivî ye ku pargîdaniyê pêwîst e apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Deynkirina Materyalê di Guhertoya Manufacturing Setup de ne. DocType: Assessment Group,Assessment Group Name,Navê Giştî ya Nirxandinê -DocType: Item,Manufacturer Part Number,Pêwirînerê Part Number +DocType: Purchase Invoice Item,Manufacturer Part Number,Pêwirînerê Part Number apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll Payable apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} ji bo nifşek nerazî ne {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balance Qty +DocType: Question,Multiple Correct Answer,Bersîvek Pir Pir Pir DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Peyvên Bexda = Pirtûka bingehîn? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Têgihîştinê: Ji bo vala vebigereya vala berbiçav tune ye {0} DocType: Clinical Procedure,Inpatient Record,Qeydkirî ya Nexweş @@ -3368,6 +3394,7 @@ DocType: Fee Schedule Program,Total Students,Tendurist apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Herêmî DocType: Chapter Member,Leave Reason,Reason DocType: Salary Component,Condition and Formula,Rewş û Formula +DocType: Quality Goal,Objectives,Armancên apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salary ji bo demek dirêjî {0} û {1} di pêvajoya pêvajoyê de, pêvajoya daxwaznameyê derkeve nikare di navbera wextê de." DocType: BOM Item,Basic Rate (Company Currency),Rêjeya bingehîn DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item @@ -3418,6 +3445,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP -YYYY.- DocType: Expense Claim Account,Expense Claim Account,Hesabê mûzayê apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Ne vegerandin ji bo Journal Entry apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} xwendekarek nexwend e +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Endamê Stock Entry DocType: Employee Onboarding,Activities,Çalakî apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast yek xanî heye ,Customer Credit Balance,Balance Customer Kirance @@ -3500,7 +3528,6 @@ DocType: Contract,Contract Terms,Şertên Peymana apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,An jî heqê hedef an jî hedefa hedef e. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Çewt {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Dîroka Civînê DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-YYYY- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Navekî nikare ji 5 celeb hene DocType: Employee Benefit Application,Max Benefits (Yearly),Xizmetên Gelek (Yearly) @@ -3601,7 +3628,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Destûra Banka apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Goods Transferred apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Agahdariyên Têkilî yên Pêşîn -DocType: Quality Review,Values,Nirxê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 nagihandin, lîsteyê dê her dezgehên ku li wê were bicihkirin de zêde bibin." DocType: Item Group,Show this slideshow at the top of the page,Ev slideshow li ser rûpela nîşan bide apps/erpnext/erpnext/templates/generators/bom.html,No description given,Tu şîrove nehatiye dayîn @@ -3619,6 +3645,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Hesabê Deynên Banka DocType: Journal Entry,Get Outstanding Invoices,Alîkarên berbiçav bibin DocType: Opportunity,Opportunity From,Derfetê ji Ji +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Agahdariyên Target DocType: Item,Customer Code,Kodê mişterî apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Ji kerema xwe ya yekem binivîse apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Lîsteya Malperê @@ -3646,7 +3673,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Pêdivî ye DocType: Bank Statement Transaction Settings Item,Bank Data,Data Data apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Dema Scheduled Up -DocType: Quality Goal,Everyday,Her roj DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Hêzên Times Times Bi Saziya Demjimêr û Karên Demjimar biparêzin apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Track Source by Lead Source. DocType: Clinical Procedure,Nursing User,Nursing User @@ -3671,7 +3697,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Tree Tree Tree Manage DocType: GL Entry,Voucher Type,Tiştek Voter ,Serial No Service Contract Expiry,Peymana No Service Serial DocType: Certification Application,Certified,Birêvekirî -DocType: Material Request Plan Item,Manufacture,Çêkirin +DocType: Purchase Invoice Item,Manufacture,Çêkirin apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,Hilberên hilberên {0} apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Request for {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Rojên Dawîn Ji Dawîn @@ -3686,7 +3712,7 @@ DocType: Sales Invoice,Company Address Name,Navnîşa Navnîşana Navnîşê apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Li Transit apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Hûn dikarin tenê li vê armancê herî zêde max {0} redemînin. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Ji kerema xwe li Warehouse hesab bike. {0} -DocType: Quality Action Table,Resolution,Çareseriyê +DocType: Quality Action,Resolution,Çareseriyê DocType: Sales Invoice,Loyalty Points Redemption,Redemption Points apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Gelek Bacgir DocType: Patient Appointment,Scheduled,Scheduled @@ -3806,6 +3832,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Qûrs apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Saving {0} DocType: SMS Center,Total Message(s),Total Message (s) +DocType: Purchase Invoice,Accounting Dimensions,Daxuyaniya Hesabê apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Koma Hesabê DocType: Quotation,In Words will be visible once you save the Quotation.,"Dema ku hûn ji bo Quotation bipeyivin, gotinên weyê bêne xuya kirin." apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Hînbûna hilberînê @@ -3966,7 +3993,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,J apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Heke pirsên we hene, ji kerema xwe ji me re bişînin." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Rafeya kirînê {0} nayê pejirandin DocType: Task,Total Expense Claim (via Expense Claim),Tendurê Girtîgeha Giştî -DocType: Quality Action,Quality Goal,Goaliya Kalîteyê +DocType: Quality Goal,Quality Goal,Goaliya Kalîteyê DocType: Support Settings,Support Portal,Portela Piştgiriyê apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Xebatkar {0} li Niştecîh {1} ye DocType: Employee,Held On,Held On @@ -4024,7 +4051,6 @@ DocType: BOM,Operating Cost (Company Currency),Operating Cost (Company Company) DocType: Item Price,Item Price,Biha DocType: Payment Entry,Party Name,Partiya Partiyê apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Ji kerema xwe mişterek hilbijêrin -DocType: Course,Course Intro,Bernameya Intro DocType: Program Enrollment Tool,New Program,Bernameya Nû apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Hejmara navenda lêçûnên nû, dê navendê navendê navendê navendê ya mesrefê bibin" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Hilbijêre û bazirganî hilbijêrin. @@ -4221,6 +4247,7 @@ DocType: Global Defaults,Disable In Words,Peyvên Peyvan DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Paya Net nikare neyînî apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Naverokî tune +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Tarloqî apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Projeya Karûbarên Hesab û Partiyan DocType: Stock Settings,Convert Item Description to Clean HTML,Vebijêrk Nîşan Bigere HTML to Clean apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,All Supplier Groups @@ -4299,6 +4326,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Pirtûka Parent apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Ji kerema xwe ji şîfreya kirînê an şîfreyek bikirî anî bikî {0} +,Product Bundle Balance,Balance Product Bundle apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Navekî Şirket nikare şirket nabe DocType: Maintenance Visit,Breakdown,Qeza DocType: Inpatient Record,B Negative,B Negative @@ -4307,7 +4335,7 @@ DocType: Purchase Invoice,Credit To,Kredê To apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Ji bo pêvajoya bêtir pêvajoya vî karê Birêve bike. DocType: Bank Guarantee,Bank Guarantee Number,Hejmara bankê apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Delivered: {0} -DocType: Quality Action,Under Review,Under Review +DocType: Quality Meeting Table,Under Review,Under Review apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Çandinî (beta) ,Average Commission Rate,Komîsyona Navîn DocType: Sales Invoice,Customer's Purchase Order Date,Dîroka Kirîna Kirê Mirovan @@ -4372,6 +4400,7 @@ apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Performansa budceyê ji bo salek fînansî. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Qanûna hesab nikare nebixwe. ,Payment Period Based On Invoice Date,Dîroka Daxuyaniya Dîroka Bingeha Demjimêr +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Dîroka sazkirinê ji beriya danûstandinê ya berî {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Link to Material Request DocType: Warranty Claim,From Company,Ji Kompaniyê DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Dîteya Data Mapped @@ -4422,7 +4451,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Pevçûnan Bi Tevavên Bikin DocType: Holiday List,Weekly Off,Weekly Off apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Ne destûrê ji bo tiştek alternatîf hilbijêre {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Bernameya {0} nîne. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Bernameya {0} nîne. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Hûn nikarin node root root biguherînin. DocType: Fee Schedule,Student Category,Category Class apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Item {0}: {1} qty," @@ -4512,8 +4541,8 @@ DocType: Crop,Crop Spacing,Crop Spacing DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Divê pir caran divê projeyê û şîrket li gor Li ser Transfarkirina Firotanê. DocType: Pricing Rule,Period Settings,Mîhengên Dawîn apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Guhertoya Netê li Accounts Receivable +DocType: Quality Feedback Template,Quality Feedback Template,Şablon apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Ji bo Kuştî ji bilî sifir mezintir be -DocType: Quality Goal,Goal Objectives,Armancên Armanc 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, parvekirî û hejmarê de hejmarek neheq in hene" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Heke hûn hûn salê xwendekaran kom bikin bikin apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Lînans @@ -4548,12 +4577,13 @@ DocType: Quality Procedure Table,Step,Gav DocType: Normal Test Items,Result Value,Nirxandina Nirxê DocType: Cash Flow Mapping,Is Income Tax Liability,Dabeşkirina bacê ye DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Xwekeriya Xweseriya Xwendekaran -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} nîne. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} nîne. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Response Update DocType: Bank Guarantee,Supplier,Şandevan apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Heqê valahiyê {0} û {1} binivîse DocType: Purchase Order,Order Confirmation Date,Daxuyaniya Daxuyaniya Daxuyaniyê DocType: Delivery Trip,Calculate Estimated Arrival Times,Hilbijartina Hatîn Hatîn Times +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ji kerema xwe veguhastina Sîstema Sîstema Navnetewî di Çavkaniya Mirovan> HR Set apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Bawer DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-YYYY- DocType: Subscription,Subscription Start Date,Daxuyaniya destpêkê @@ -4616,6 +4646,7 @@ DocType: Cheque Print Template,Is Account Payable,Hesabê me ye apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Tişta Tevahiya Nirxê apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Supplier {0} ne di nav {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Mîhengên gateway SMS saz bike +DocType: Salary Component,Round to the Nearest Integer,Ji bo Nearest Integer apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Root nikare navenda mesrefê dêûbavan DocType: Healthcare Service Unit,Allow Appointments,Destnîşankirina Destnîşankirina DocType: BOM,Show Operations,Operations Show @@ -4743,7 +4774,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Default Holiday List DocType: Naming Series,Current Value,Current Value apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sedembûna ji bo budçeyên, hedef" -DocType: Program,Program Code,Kodê bernameyê apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Hişyariya: Biryara Firotinê {0} jixwe pêşî li dijî Biryara Kirkara Mirovan heye. {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Target Target ( DocType: Guardian,Guardian Interests,Têkilî @@ -4793,10 +4823,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Paid û Not Delivered apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Kodê Pêwîst e ku ji hêla xweya xwe bixweber nabe DocType: GST HSN Code,HSN Code,Kodê HSN -DocType: Quality Goal,September,Îlon +DocType: GSTR 3B Report,September,Îlon apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Mesrefên îdarî DocType: C-Form,C-Form No,C-Form No DocType: Purchase Invoice,End date of current invoice's period,Dîroka dawiya dema bihayê heyî +DocType: Item,Manufacturers,Producer DocType: Crop Cycle,Crop Cycle,Çop Çap DocType: Serial No,Creation Time,Creation Time apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Ji kerema xwe veguherîna Role an Destnîşankirina Bikaranîna navnîşanê binivîse @@ -4869,8 +4900,6 @@ DocType: Employee,Short biography for website and other publications.,Ji bo malp DocType: Purchase Invoice Item,Received Qty,Qty DocType: Purchase Invoice Item,Rate (Company Currency),Rêjeya (Pargîdanî) DocType: Item Reorder,Request for,Serdana -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ji kerema xwe kerema xwe ya karmend {0} \ ji bo vê belgeyê betal bikin" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Pêşdebirina sazkirinê apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Ji kerema xwe demê veqetandinê DocType: Pricing Rule,Advanced Settings,Settings Settings @@ -4895,7 +4924,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Car Hire Shopping DocType: Pricing Rule,Apply Rule On Other,Rule On Other Apply DocType: Vehicle,Last Carbon Check,Check Carbon Last Last -DocType: Vehicle,Make,Kirin +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Kirin apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Bargendina firotanê {0} tête dayîn apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Ji bo ku hûn belgeya pêdivî ye ku daxwaznameyek pêdivî ye apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Baca bacê @@ -4971,7 +5000,6 @@ DocType: Territory,Parent Territory,Parent Territory DocType: Vehicle Log,Odometer Reading,Odometer Reading DocType: Additional Salary,Salary Slip,Salary Slip DocType: Payroll Entry,Payroll Frequency,Frequency Payrollency -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ji kerema xwe veguhastina Sîstema Sîstema Navnetewî di Çavkaniya Mirovan> HR Set apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Dîrokên destpêkê û dawiya nayê ku di navnîşa Payrollê derbasdar de, nikare hesab bike {0}" DocType: Products Settings,Home Page is Products,Serûpel Rûpelê ye apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Calls @@ -5025,7 +5053,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Records Fetching ... DocType: Delivery Stop,Contact Information,Agahî Têkilî DocType: Sales Order Item,For Production,Ji bo hilberînê -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ji kerema xwe vexwendina Sîstema Navneteweyî ya Perwerdehiya Mamosteyê> Sîstema Perwerdehiyê DocType: Serial No,Asset Details,Agahdariyên Agahdariyê DocType: Restaurant Reservation,Reservation Time,Wextê rezervan DocType: Selling Settings,Default Territory,Default Territory @@ -5164,6 +5191,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,R apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Piçikên Expired DocType: Shipping Rule,Shipping Rule Type,Rêwira Qanûna Rêwîtiyê DocType: Job Offer,Accepted,Qebûl kirin +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ji kerema xwe kerema xwe ya karmend {0} \ ji bo vê belgeyê betal bikin" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Hûn ji bo pîvanên nirxandina nirxên xwe ji berî nirxandin. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Nîşeyên Batch Hilbijêre apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Dîrok (Rojan) @@ -5180,6 +5209,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bawên bundle li dema firotanê. DocType: Payment Reconciliation Payment,Allocated Amount,Amûrkirî vekirî apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Ji kerema xwe şirket û şirove hilbijêrin +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'Dîrok' pêwîst e DocType: Email Digest,Bank Credit Balance,Balance Credit Bank apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Amûdê Amûdê bide apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Hûn pisporên dilsozî ne ku hûn bistînin @@ -5240,11 +5270,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Li Row Row DocType: Student,Student Email Address,Navnîşana Şîfreya Xwendekarê DocType: Academic Term,Education,Zanyarî DocType: Supplier Quotation,Supplier Address,Address Address -DocType: Salary Component,Do not include in total,Bi tevahî nabe +DocType: Salary Detail,Do not include in total,Bi tevahî nabe apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Dibe ku ji bo şirketek pir jêderan pirtirkêmtirîn saz bikin. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} tune DocType: Purchase Receipt Item,Rejected Quantity,Pîvana Rejected DocType: Cashier Closing,To TIme,To TIme +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktora UOM ({0} -> {1}) nehatiye dîtin: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Koma Giştî ya Koma Giştî ya Rojane DocType: Fiscal Year Company,Fiscal Year Company,Şirketa Fiscal Year apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Divê belgeya alternatîf divê wekî kodê kodê ne @@ -5353,7 +5384,6 @@ DocType: Fee Schedule,Send Payment Request Email,Request Request Email bişîne DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Dema ku hûn şîfreya firotanê bistînin, gotinên di binçavkirinê de xuya bibin." DocType: Sales Invoice,Sales Team1,Tîm Sales Sales1 DocType: Work Order,Required Items,Pêdivî ye -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Taybetên taybet - "-", "#", "." û "/" destûrê ne ku di nameyek nameyan de" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,BİXWÎNE ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Check Supplier Invoice Number Uniqueness apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Sub Assemblies Search @@ -5421,7 +5451,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Perçûna Perçeyê apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Gelek hilberîna hilberê Zero ji hêla Zero ne DocType: Share Balance,To No,To No DocType: Leave Control Panel,Allocate Leaves,Niştecîhên Niştecîh -DocType: Quiz,Last Attempt,Têkoşîna Dawîn DocType: Assessment Result,Student Name,Navê Şagirt apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Plana serdanên parastinê. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Daxuyanîya Pêwîstnamên jêrîn bi otomatîk li ser asta re-armanca li ser rakirin @@ -5490,6 +5519,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Indicator Color DocType: Item Variant Settings,Copy Fields to Variant,Keviyên Kopiyên Variant DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Bersîvek rastîn apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Ji dîrokê nikare bêhtir rojnamevanê karmendê ne DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Destûra Pirrjimar Pirrjimar Li hember Armanca Kirîna Mirovan Bikin apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5550,7 +5580,7 @@ DocType: Account,Expenses Included In Valuation,Mesrefên Têkilî Di Têlêkiri apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Serial Numbers DocType: Salary Slip,Deductions,Deductions ,Supplier-Wise Sales Analytics,Supplier-Wise Sales Analytics -DocType: Quality Goal,February,Reşemî +DocType: GSTR 3B Report,February,Reşemî DocType: Appraisal,For Employee,Ji bo karmendê apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Dîroka Demkî ya Actual DocType: Sales Partner,Sales Partner Name,Navê Niştimanî Hevkariyê @@ -5646,7 +5676,6 @@ DocType: Procedure Prescription,Procedure Created,Procedure afirandin apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Li Bexdayê Berevanîya Tevlêbûnê {0} {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Guhertina POS Profîla apps/erpnext/erpnext/utilities/activation.py,Create Lead,Rêberê Create -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Supplier> Supplier Type DocType: Shopify Settings,Default Customer,Xerîdarê Default DocType: Payment Entry Reference,Supplier Invoice No,Alîkariya Invoice Na DocType: Pricing Rule,Mixed Conditions,Şertên Mixed @@ -5696,12 +5725,14 @@ DocType: Item,End of Life,Dawiya Jiyan DocType: Lab Test Template,Sensitivity,Hisê nazik DocType: Territory,Territory Targets,Armancên Herêmî apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Ji bo karmendên jêrîn ji ber veguhestinê vekişînek, wekî nivîsandina dabeşkirina destûra xwe li dijî wan heye. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Çareseriya Kalîteya Kalîteyê DocType: Sales Invoice Item,Delivered By Supplier,Delivered By Supplier DocType: Agriculture Analysis Criteria,Plant Analysis,Analysis Plant apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Hesabê hesab divê ji bo şîfre {0} ,Subcontracted Raw Materials To Be Transferred,Raw Materials Got To Transferred DocType: Cashier Closing,Cashier Closing,Cashier Closing apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Peldanka {0} hatibû vegerandin +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN çewt Di navnîşana ku we ketiye we naxwaze GSTIN formatê ji bo UIN Mêvan û Niştecîhên OIDAR-Niştecîh bi hev re naxwazin apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Ji bo vê barehouseê zarokê zarokan heye. Hûn nikarin vê pargîdaniyê nagire. DocType: Diagnosis,Diagnosis,Teşhîs apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Di navbera {0} û {1} de demek nîne @@ -5717,6 +5748,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Settings DocType: Homepage,Products,Berhemên ,Profit and Loss Statement,Daxuyaniya Zelal û Zorê apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Rooms +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Li dijî koda kodê {0} û hilberê {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Total Weight apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Gerrîn @@ -5764,6 +5796,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Koma Giştî ya Giştî DocType: Journal Entry Account,Debit in Company Currency,Debit in Company Currency DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Pirsgirêka hilweşanê ye "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Agahiya Hevdîtinê DocType: Cash Flow Mapper,Section Header,Sernivîsê apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Products or Services DocType: Crop,Perennial,Perennial @@ -5809,7 +5842,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","A Produk an Xizmetiyek ku firotin, firotin an firotek vekirî ye." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Pevçûn DocType: Supplier Scorecard Criteria,Criteria Formula,Formula Formula -,Support Analytics,Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Dîtin û Çalakiyê DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ger hesabek zindî ye, lêgerîn bi bikarhênerên sînor têne qedexekirin." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Piştî paşveçûnê @@ -5853,7 +5886,6 @@ DocType: Contract Template,Contract Terms and Conditions,Peyman û Şertên Peym apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Fetch Data DocType: Stock Settings,Default Item Group,Default Item Group DocType: Sales Invoice Timesheet,Billing Hours,Saetên Billing -DocType: Item,Item Code for Suppliers,Koda Kodî 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} DocType: Pricing Rule,Margin Type,Tîrmehê DocType: Purchase Invoice Item,Rejected Serial No,No Serial No Rejected @@ -5925,6 +5957,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Leaves bi destûra xwe hatine dayîn DocType: Loyalty Point Entry,Expiry Date,Expiry Date DocType: Project Task,Working,Kar +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ji berê ve heye Parent Procedure {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Ev li ser nexweşiya li ser veguhestinê ye. Ji bo agahdariyên jêrîn binêrin DocType: Material Request,Requested For,Ji bo daxwazkirin DocType: SMS Center,All Sales Person,Kesê Mirovek Hemû @@ -6011,6 +6044,7 @@ DocType: Loan Type,Maximum Loan Amount,Amûr ya Mezin apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-mail di navnîşa navekî nayê dîtin DocType: Hotel Room Reservation,Booked,Pirtûka DocType: Maintenance Visit,Partially Completed,Bi tevahî temam kirin +DocType: Quality Procedure Process,Process Description,Pêvajoya Pêvajoyê DocType: Company,Default Employee Advance Account,Hesabê Pêşdebirdana Karûbarê Navnîşan DocType: Leave Type,Allow Negative Balance,Balance Negative Permission apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Pîlana Nirxandina Navnîşê @@ -6052,6 +6086,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Daxuyaniya ji bo Quotation Item apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} Du caran di Taxa Bacê de ket hundur DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Hatina Tiştê ya Li ser Payrolla Hilbijartî ya Hilbijartinê +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Dîroka kontrola karbonê ya paşîn nikare rojane nabe apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Hesabê guhertina hesabê hilbijêre DocType: Support Settings,Forum Posts,Forum Mesaj DocType: Timesheet Detail,Expected Hrs,Expected Hrs @@ -6061,7 +6096,7 @@ DocType: Program Enrollment Tool,Enroll Students,Xwendekarên Enroll apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Revenue Repeatue Repeat DocType: Company,Date of Commencement,Dîroka Destpêk DocType: Bank,Bank Name,Navê Navîn -DocType: Quality Goal,December,Berfanbar +DocType: GSTR 3B Report,December,Berfanbar apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Ji roja ku ji nû ve rast derbas dibe derbasdar e apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Ev li ser vê karûbarê vê karmendê ye DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Heke kontrolkirin, rûpelê Home-ê ji bo malpera Giştî ya Giştî ya Navekî" @@ -6101,6 +6136,7 @@ DocType: Payment Entry,Payment Type,Tîpa Serê apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Hejmarên fîloyê ne mêjin DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-YYYY- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Kişandina Kalîteya: {0} ji bo naverokê ne: {1} di rêza {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Show {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} hejmar dîtin. ,Stock Ageing,Agahdariya Stock DocType: Customer Group,Mention if non-standard receivable account applicable,Têbigere ku hesabek nayên qebûlkirî yên ne-standard pêkanîn @@ -6377,6 +6413,7 @@ DocType: Travel Request,Costing,Bikin apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Alîkarî DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Tiştê Tevahî +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Giştî> Giştî ya Giştî> Herêmî DocType: Share Balance,From No,Ji Na DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Alîkariya Bacêkirinê DocType: Purchase Invoice,Taxes and Charges Added,Tax û Dezgehên Têkilî @@ -6384,7 +6421,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Li bendê an bac DocType: Authorization Rule,Authorized Value,Value Authorized apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Ji Ji apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Warehouse {0} nîne +DocType: Item Manufacturer,Item Manufacturer,Item Manufacturer DocType: Sales Invoice,Sales Team,Tîmenderên firotanê +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Qty DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM DocType: Installation Note,Installation Date,Dîroka Sazkirinê DocType: Email Digest,New Quotations,New Quotations @@ -6448,7 +6487,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Navê Lîsteya Bila DocType: Water Analysis,Collection Temperature ,Germkirina Hilberê DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Rêveberiya Îroşnavê ji bo veguhestina nexweşiya xwe bixweber bike û betal bike -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ji kerema xwe veşartî ji bo {0} bi Sîstema Setup> Sîstemên * Naming Series DocType: Employee Benefit Claim,Claim Date,Dîroka Daxuyaniyê DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Heke ku pêvekêşî nehêlin bêdeng bimîne apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Tevlêbûnê Ji Roja Dîrok û Tevlêbûna Dawîn pêwîst e @@ -6459,6 +6497,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Dîroka Servekirinê apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Ji kerema xwe veşêre hilbijêrin DocType: Asset,Straight Line,Straight Line +DocType: Quality Action,Resolutions,Resolution DocType: SMS Log,No of Sent SMS,Nîşaneyên Şandî nehatiye dayîn ,GST Itemised Sales Register,Daxuyaniya Kirêdar a GST ya GST apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Hêjeya pêşniyarê hema hema ji hejmara mûzeyê bêtir mezintir be @@ -6568,7 +6607,7 @@ DocType: Account,Profit and Loss,Profit û Zerarê apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Asset Finance Book,Written Down Value,Nirxandina Down Value apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Destûra Balance Balance -DocType: Quality Goal,April,Avrêl +DocType: GSTR 3B Report,April,Avrêl DocType: Supplier,Credit Limit,Sînoriya krediyê apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Belavkirinî apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6621,6 +6660,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Têkilî bi ERPNext Connect Shopify DocType: Homepage Section Card,Subtitle,Binnivîs DocType: Soil Texture,Loam,Loam +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Supplier> Supplier Type DocType: BOM,Scrap Material Cost(Company Currency),Scrap Material Cost (Company Company) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Têkiliya şandina {0} divê nayê pêşkêş kirin DocType: Task,Actual Start Date (via Time Sheet),Dîroka Destpêka Destpêkê (bi rêya Şertê ve) @@ -6675,7 +6715,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Pîvanîk DocType: Cheque Print Template,Starting position from top edge,Desteya avakirina ji binê çermê apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Demjimardana Demjimêr (min) -DocType: Pricing Rule,Disable,Disable +DocType: Accounting Dimension,Disable,Disable DocType: Email Digest,Purchase Orders to Receive,Navnîşan kirîna Kirîna Kirînê apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Productions Orders ji bo ku bêne avakirin ne: DocType: Projects Settings,Ignore Employee Time Overlap,Vebijêrtina Karûbarê Overlap @@ -6758,6 +6798,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Şablo DocType: Item Attribute,Numeric Values,Nirxên nimûne DocType: Delivery Note,Instructions,Rêber DocType: Blanket Order Item,Blanket Order Item,Pirtûka Pelê ya Blanket +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Ji bo hesab û wendakirinê ya nerazîbûnê apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Rêjeya komîsyonê ji 100 re zêdetir ne DocType: Course Topic,Course Topic,Dersa Kursê DocType: Employee,This will restrict user access to other employee records,Ev dê bikarhênerên ku bi qeydên karmendên din re sînor bike sînor dike @@ -6781,12 +6822,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Rêveberiya R apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Ji mişteran bistînin apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Rapor +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Hesabê partiyê DocType: Assessment Plan,Schedule,Pîlan apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Ji kerema xwe binivîse DocType: Lead,Channel Partner,Channel Partner apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Amûdê Amount DocType: Project,From Template,Ji Şablon +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Subscriptions apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Hêjeya Make Up DocType: Quality Review Table,Achieved,Wergirtiye @@ -6833,7 +6876,6 @@ DocType: Journal Entry,Subscription Section,Beşê Beşê DocType: Salary Slip,Payment Days,Rojên Payan apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Agahdariya dilxwaz apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Stocks Freeze Than`` ji dora% d rojan biçûk be. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Salê Fiscal Hilbijêre DocType: Bank Reconciliation,Total Amount,Tişta Tevahî DocType: Certification Application,Non Profit,Non Profit DocType: Subscription Settings,Cancel Invoice After Grace Period,Piştî vegihîştina şîfreyê veguhestin @@ -6846,7 +6888,6 @@ DocType: Serial No,Warranty Period (Days),Dema Warranty (Days) DocType: Expense Claim Detail,Expense Claim Detail,Expense Detail apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Bername: DocType: Patient Medical Record,Patient Medical Record,Record Record Medical -DocType: Quality Action,Action Description,Çalakiya Çalakiyê DocType: Item,Variant Based On,Li ser bingeha variant DocType: Vehicle Service,Brake Oil,Neftê DocType: Employee,Create User,Create User @@ -6902,7 +6943,7 @@ DocType: Cash Flow Mapper,Section Name,Navekî Navîn DocType: Packed Item,Packed Item,Tiştek pakkirî apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},"{0} {1}: Ji ber ku {2} drav an jî kredî kredî ye," apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Piştgiriya Salary Slips ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,No Action +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,No Action apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bexdayê li dijî {0} nabe, ji ber ku ew hesabek an Income or Expense Account" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Masters û Hesab DocType: Quality Procedure Table,Responsible Individual,Berpirsiyariya kesane @@ -7025,7 +7066,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Alîkariya Afirandina Afirandina Zarokan Zarokan DocType: Payment Entry,Company Bank Account,Hesabê şîrketê DocType: Amazon MWS Settings,UK,UK -DocType: Quality Procedure,Procedure Steps,Steps Procedure DocType: Normal Test Items,Normal Test Items,Test Test Items apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Peyva {0}: Qty {1} birêvebirin ku ji kêmtirî nermana qty {2} ve (nifşek di navnîşan de) nabe. apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Ne li Stock @@ -7104,7 +7144,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Roja Parastinê apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Şablon û mercên şertên DocType: Fee Schedule Program,Fee Schedule Program,Bernameya Schedule Program -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kursa {0} nîne. DocType: Project Task,Make Timesheet,Make Timesheet DocType: Production Plan Item,Production Plan Item,Pîlana Hilberînê Hilbijêre apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Tendurist @@ -7126,6 +7165,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Wrapping up apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Hûn dikarin tenê nûve bikin eger endametiya we di nav 30 rojan de derbas dibe apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Nirx divê di navbera {0} û {1} de +DocType: Quality Feedback,Parameters,Parameters ,Sales Partner Transaction Summary,Hevpeyivîna Hevpeymaniya Hevpeymaniyê DocType: Asset Maintenance,Maintenance Manager Name,Navê Mersûmê Navend apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Pêdivî ye ku ji bo agahdariya tiştên tomar bike. @@ -7163,6 +7203,7 @@ DocType: Student Admission,Student Admission,Xwendekarê Xwendekaran DocType: Designation Skill,Skill,Jîrî DocType: Budget Account,Budget Account,Hesabê budceyê DocType: Employee Transfer,Create New Employee Id,Id Job Job New +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} hesabê 'Hesab û Loss' hesabê {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Xizmet û Xizmetên Giştî (GST Hindistan) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Creating Salary Slips ... DocType: Employee Skill,Employee Skill,Karkeriya Karmendiyê @@ -7262,6 +7303,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Bawareyên we DocType: Subscription,Days Until Due,Rojên Heta Dereng apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Hilbijêre apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Raporta Danûstandinê ya Navnetewî ya Navnîşan +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Dezgeha Banka DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-YYYY- DocType: Healthcare Settings,Healthcare Service Items,Xizmetên tendurustî yên tenduristî apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,No records found @@ -7314,6 +7356,7 @@ DocType: Item Variant,Item Variant,Variant Vîdeo DocType: Training Event Employee,Invited,Invited apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Amûr to Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","Ji bo {0}, tenê hesabên dakit dikare li dijî derê krediyek din ve girêdayî ye" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Creating Dimensions ... DocType: Bank Statement Transaction Entry,Payable Account,Accountable Payment apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Ji kerema xwe tu mêvanan nerazî bikin DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Tenê tenê hilbijêre ku hûn dokumentên dirûşmeyên mûçeyê yên damezirandin hene @@ -7330,6 +7373,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,H DocType: Service Level,Resolution Time,Dema Biryara Hilbijartinê DocType: Grading Scale Interval,Grade Description,Dîroka Gêjeya DocType: Homepage Section,Cards,Karta +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kuştinên Kuştinê DocType: Linked Plant Analysis,Linked Plant Analysis,Analysis Plant Link apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Dîroka Pêdivî ya Destûra Dîroka Termê Dawîn nikare bibe apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Ji kerema xwe ji BSK-BS-GST-ê veguherîne saz bike. @@ -7363,7 +7407,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Tool Tool Attendance DocType: Employee,Educational Qualification,Qalîteya Perwerde apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Nirxdariya nirx apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Kêmeya nimûne {0} dikare ji hêla mêjûya wergirtiye {1} -DocType: Quiz,Last Highest Score,Last High Score DocType: POS Profile,Taxes and Charges,Bac û bargayên DocType: Opportunity,Contact Mobile No,Têkilî Mobile No DocType: Employee,Joining Details,Tevlêbûnê diff --git a/erpnext/translations/lo.csv b/erpnext/translations/lo.csv index a7448fc247..38634dd7c4 100644 --- a/erpnext/translations/lo.csv +++ b/erpnext/translations/lo.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Supplier Part No DocType: Journal Entry Account,Party Balance,Party Balance apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),ແຫລ່ງທຶນ (ຫນີ້ສິນ) DocType: Payroll Period,Taxable Salary Slabs,ເງິນເດືອນເງິນເດືອນ +DocType: Quality Action,Quality Feedback,Quality Feedback DocType: Support Settings,Support Settings,ສະຫນັບສະຫນູນ Settings apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,ກະລຸນາໃສ່ຜະລິດຕະພັນທໍາອິດ DocType: Quiz,Grading Basis,Grading Basis @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,ລາຍລະ DocType: Salary Component,Earning,ລາຍໄດ້ DocType: Restaurant Order Entry,Click Enter To Add,ກົດ Enter ເພື່ອຕື່ມ DocType: Employee Group,Employee Group,Employee Group +DocType: Quality Procedure,Processes,ຂະບວນການ DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ລະບຸອັດຕາແລກປ່ຽນທີ່ຈະແປງສະກຸນເງິນຫນຶ່ງເປັນອີກ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Aging Range 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},ອຸປະກອນທີ່ຕ້ອງການສໍາລັບຫຼັກຊັບ {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,ຄໍາຮ້ອງທຸກ DocType: Shipping Rule,Restrict to Countries,ຈໍາກັດຕໍ່ປະເທດ DocType: Hub Tracked Item,Item Manager,Item Manager apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},ສະກຸນເງິນຂອງບັນຊີປິດຕ້ອງເປັນ {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budgets apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,ເປີດບັນຊີລາຍການໃບແຈ້ງຫນີ້ DocType: Work Order,Plan material for sub-assemblies,ອຸປະກອນການແຜນສໍາລັບການປະຊຸມສະໄຫມ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Budget,Action if Annual Budget Exceeded on MR,ປະຕິບັດຖ້າຫາກວ່າງົບປະມານປະຈໍາປີເກີນກວ່າທ່ານ DocType: Sales Invoice Advance,Advance Amount,Advance Amount +DocType: Accounting Dimension,Dimension Name,ຂະຫນາດຊື່ DocType: Delivery Note Item,Against Sales Invoice Item,ຕໍ່ກັບສິນຄ້າໃບເກັບເງິນ DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,ລວມລາຍການໃນການຜະລິດ @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,ມັນເຮ ,Sales Invoice Trends,ຍອດຂາຍໃບແຈ້ງຍອດຂາຍ DocType: Bank Reconciliation,Payment Entries,ລາຍການການຈ່າຍເງິນ DocType: Employee Education,Class / Percentage,Class / Percentage -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມສິນຄ້າ> ຍີ່ຫໍ້ ,Electronic Invoice Register,Electronic Invoice Register DocType: Sales Invoice,Is Return (Credit Note),ແມ່ນການກັບຄືນ (ຫມາຍເຫດການປ່ອຍສິນເຊື່ອ) DocType: Lab Test Sample,Lab Test Sample,Lab Test Sample @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Variants apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","ຄ່າບໍລິການຈະຖືກແຈກຢາຍໂດຍອີງຕາມລາຍະການ qty ຫຼືຈໍານວນ, ຕາມການເລືອກຂອງທ່ານ" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,ກິດຈະກໍາທີ່ຍັງຄ້າງຢູ່ໃນມື້ນີ້ +DocType: Quality Procedure Process,Quality Procedure Process,Process Quality Procedure DocType: Fee Schedule Program,Student Batch,Student Batch apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},ອັດຕາການປະເມີນທີ່ຕ້ອງການສໍາລັບລາຍການໃນແຖວ {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Base Hour Rate (ເງິນສະກຸນຂອງບໍລິສັດ) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,ກໍານົດຈໍານວນໃນການປະຕິບັດໂດຍອີງໃສ່ການນໍາເຂົ້າບໍ່ມີ Serial apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},ເງິນສະກຸນເງິນທີ່ລ່ວງຫນ້າຄວນຈະເປັນເງິນສະກຸນເງິນຂອງບໍລິສັດ {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,ປັບແຕ່ງສ່ວນຫນ້າທໍາອິດ -DocType: Quality Goal,October,ຕຸລາ +DocType: GSTR 3B Report,October,ຕຸລາ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,ລົບ ID ພາສີຂອງລູກຄ້າຈາກການຂາຍການຂາຍ apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN ບໍ່ຖືກຕ້ອງ! A GSTIN ຕ້ອງມີ 15 ຕົວອັກສອນ. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,ລາຄາລະດັບ {0} ຖືກປັບປຸງ @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,ອອກຈາກດຸນ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},ຕາຕະລາງບໍາລຸງຮັກສາ {0} ມີຕໍ່ {1} DocType: Assessment Plan,Supervisor Name,Supervisor Name DocType: Selling Settings,Campaign Naming By,ແຄມເປນການຕັ້ງຊື່ໂດຍ -DocType: Course,Course Code,ລະຫັດຫຼັກສູດ +DocType: Student Group Creation Tool Course,Course Code,ລະຫັດຫຼັກສູດ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace DocType: Landed Cost Voucher,Distribute Charges Based On,ແຈກຈ່າຍຄ່າບໍລິການອີງໃສ່ DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Criteria Score Scoring Criteria Supplier Scorecard @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,ຮ້ານອາຫານເມນູ DocType: Asset Movement,Purpose,ຈຸດປະສົງ apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,ການມອບຫມາຍໂຄງສ້າງເງິນເດືອນສໍາລັບພະນັກງານມີຢູ່ແລ້ວ DocType: Clinical Procedure,Service Unit,ຫນ່ວຍບໍລິການ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ລູກຄ້າ> ກຸ່ມລູກຄ້າ> ອານາເຂດ DocType: Travel Request,Identification Document Number,ຫມາຍເລກເອກະສານການກໍານົດ DocType: Stock Entry,Additional Costs,ຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມ -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","ຫຼັກສູດຂອງພໍ່ແມ່ (ໃຫ້ຫວ່າງ, ຖ້ານີ້ບໍ່ແມ່ນສ່ວນຫນຶ່ງຂອງຫລັກສູດຂອງພໍ່ແມ່)" DocType: Employee Education,Employee Education,ການສຶກສາພະນັກງານ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,ຈໍານວນຕໍາແຫນ່ງບໍ່ສາມາດຫນ້ອຍກວ່າປະຈຸບັນຂອງລູກຈ້າງ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,ກຸ່ມລູກຄ້າທັງຫມົດ @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,ແຖວ {0}: ຈໍານວນແມ່ນຈໍາເປັນ DocType: Sales Invoice,Against Income Account,ຕໍ່ບັນຊີລາຍໄດ້ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ແຖວ # {0}: ການຊື້ໃບເກັບເງິນບໍ່ສາມາດເຮັດໄດ້ຕໍ່ຊັບສິນທີ່ມີຢູ່ {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,ກົດລະບຽບສໍາລັບການນໍາໃຊ້ລະບົບການໂຄສະນາທີ່ແຕກຕ່າງກັນ. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},ປັດໄຈສໍາຄັນຂອງ UOM ທີ່ຕ້ອງການສໍາລັບ UOM: {0} ໃນລາຍການ: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},ກະລຸນາໃສ່ປະລິມານສໍາລັບລາຍການ {0} DocType: Workstation,Electricity Cost,ຄ່າໄຟຟ້າ @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,ຈໍານວນລວມທີ່ຄາດ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,ວັນເລີ່ມຕົ້ນທີ່ແທ້ຈິງ 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) ລະຫວ່າງວັນທີ່ຕ້ອງການອອກກໍາລັງກາຍ -DocType: Company,About the Company,ກ່ຽວກັບບໍລິສັດ apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,ຕົ້ນໄມ້ຂອງບັນຊີການເງິນ. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,ລາຍໄດ້ໂດຍກົງ DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotel Room Reservation Item @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,ຖານຂ DocType: Skill,Skill Name,ຊື່ສີມືແຮງງານ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Print Report Card DocType: Soil Texture,Ternary Plot,Ternary Plot +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ສະຫນັບສະຫນູນປີ້ DocType: Asset Category Account,Fixed Asset Account,Fixed Asset Account apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,ຫຼ້າສຸດ @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Program Enrollment ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,ກະລຸນາຕັ້ງຄ່າຊຸດເພື່ອນໍາໃຊ້. DocType: Delivery Trip,Distance UOM,Distance UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,ຂໍ້ບັງຄັບສໍາລັບໃບດຸ່ນດ່ຽງ DocType: Payment Entry,Total Allocated Amount,ຈໍານວນເງິນທີ່ຖືກມອບຫມາຍ DocType: Sales Invoice,Get Advances Received,Get Advances Received DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,ຕາຕະລາ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Profile ຕ້ອງເຮັດໃຫ້ POS Entry DocType: Education Settings,Enable LMS,ເປີດໃຊ້ງານ LMS DocType: POS Closing Voucher,Sales Invoices Summary,ໃບແຈ້ງຍອດຂາຍຍອດລວມ +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,ຜົນປະໂຫຍດ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ບັນຊີເຄຣດິດເພື່ອບັນຊີຕ້ອງເປັນບັນຊີໃບສະຫຼຸບ DocType: Video,Duration,ໄລຍະເວລາ DocType: Lab Test Template,Descriptive,Descriptive @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Start and End Dates DocType: Supplier Scorecard,Notify Employee,ແຈ້ງພະນັກງານ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software +DocType: Program,Allow Self Enroll,ອະນຸຍາດໃຫ້ລົງທະບຽນຕົນເອງ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,ຄ່າໃຊ້ຈ່າຍໃນການຊື້ຂາຍ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,ເອກະສານອ້າງອີງແມ່ນບໍ່ຈໍາເປັນຖ້າທ່ານເຂົ້າມາໃນວັນທີການອ້າງອີງ DocType: Training Event,Workshop,ກອງປະຊຸມ @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},ສູງສຸດ: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ຂໍ້ມູນ E -Invoicing ຫາຍໄປ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,ບໍ່ມີການຂໍອຸປະກອນການສ້າງ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມສິນຄ້າ> ຍີ່ຫໍ້ DocType: Loan,Total Amount Paid,ຈໍານວນເງິນທີ່ຈ່າຍ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,ລາຍການທັງຫມົດເຫຼົ່ານີ້ໄດ້ຖືກມອບໃຫ້ແລ້ວ DocType: Training Event,Trainer Name,ຊື່ຄູຝຶກ @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Academic Year DocType: Sales Stage,Stage Name,Stage Name DocType: SMS Center,All Employee (Active),ພະນັກວຽກທັງຫມົດ (Active) +DocType: Accounting Dimension,Accounting Dimension,ຂະຫນາດບັນຊີ DocType: Project,Customer Details,ລາຍະລະອຽດຂອງລູກຄ້າ DocType: Buying Settings,Default Supplier Group,Default Supplier Group apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,ກະລຸນາຍົກເລີກໃບຢັ້ງຢືນການຊື້ {0} ກ່ອນ @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","ຈໍານວ DocType: Designation,Required Skills,ທັກສະທີ່ຕ້ອງການ DocType: Marketplace Settings,Disable Marketplace,Disable Marketplace DocType: Budget,Action if Annual Budget Exceeded on Actual,ປະຕິບັດຖ້າຫາກວ່າງົບປະມານປະຈໍາປີເກີນຂື້ນກັບຕົວຈິງ -DocType: Course,Course Abbreviation,Course Abbreviation apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,ການເຂົ້າຮ່ວມບໍ່ໄດ້ສົ່ງສໍາລັບ {0} ເປັນ {1} ເມື່ອພັກຜ່ອນ. DocType: Pricing Rule,Promotional Scheme Id,ລະຫັດໂປໂມຊັ່ນໂປໂມຊັ່ນ apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},ວັນທີສຸດທ້າຍຂອງວຽກ {0} ບໍ່ສາມາດໃຫຍ່ກວ່າ {1} ວັນສິ້ນສຸດຄາດຫມາຍ {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,ເງິນປັນຜົນ DocType: Chapter,Chapter,Chapter DocType: Purchase Receipt Item Supplied,Current Stock,Current Stock DocType: Employee,History In Company,ປະວັດສາດໃນບໍລິສັດ -DocType: Item,Manufacturer,ຜູ້ຜະລິດ +DocType: Purchase Invoice Item,Manufacturer,ຜູ້ຜະລິດ apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Moderate Sensitivity DocType: Compensatory Leave Request,Leave Allocation,ອອກຈາກການຈັດສັນ DocType: Timesheet,Timesheet,Timesheet @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,ວັດສະດຸ DocType: Products Settings,Hide Variants,Hide Variants DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ການປິດການຈັດວາງແຜນການແລະການຕິດຕາມເວລາ DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ຈະຖືກຄິດໄລ່ໃນການເຮັດທຸລະກໍາ. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} ແມ່ນຕ້ອງການສໍາລັບບັນຊີ 'ດຸ່ນດ່ຽງ' {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} ບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເຮັດການກັບ {1}. ກະລຸນາປ່ຽນບໍລິສັດ. 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}" DocType: Delivery Trip,Delivery Details,ລາຍະລະອຽດການຈັດສົ່ງ @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Prev apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Unit of Measure DocType: Lab Test,Test Template,ແບບທົດສອບ DocType: Fertilizer,Fertilizer Contents,ເນື້ອຫາປຸຍ -apps/erpnext/erpnext/utilities/user_progress.py,Minute,ນາທີ +DocType: Quality Meeting Minutes,Minute,ນາທີ apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ແຖວ # {0}: ຊັບສິນ {1} ບໍ່ສາມາດສົ່ງໄດ້, ມັນແມ່ນແລ້ວ {2}" DocType: Task,Actual Time (in Hours),ເວລາທີ່ແທ້ຈິງ (ໃນຊົ່ວໂມງ) DocType: Period Closing Voucher,Closing Account Head,Closing Account Head @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,ຫ້ອງທົດລອ DocType: Purchase Order,To Bill,ໄປບິນ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Utility Expenses DocType: Manufacturing Settings,Time Between Operations (in mins),ເວລາລະຫວ່າງການດໍາເນີນງານ (ໃນນາທີ) -DocType: Quality Goal,May,ພຶດສະພາ +DocType: GSTR 3B Report,May,ພຶດສະພາ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","ບັນຊີ Gateway ການຊໍາລະເງິນບໍ່ໄດ້ຖືກສ້າງຂື້ນ, ກະລຸນາສ້າງດ້ວຍຕົນເອງ." DocType: Opening Invoice Creation Tool,Purchase,ການຊື້ DocType: Program Enrollment,School House,ໂຮງຮຽນບ້ານ @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,ຂໍ້ມູນກົດລະບຽບແລະຂໍ້ມູນທົ່ວໄປກ່ຽວກັບຜູ້ຜະລິດຂອງທ່ານ DocType: Item Default,Default Selling Cost Center,ສູນຕົ້ນທຶນຂາຍແບບເດີມ DocType: Sales Partner,Address & Contacts,ທີ່ຢູ່ & ການຕິດຕໍ່ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕັ້ງຄ່າຊຸດຈໍານວນສໍາລັບການເຂົ້າຮ່ວມໂດຍຜ່ານ Setup> ເລກລໍາດັບ DocType: Subscriber,Subscriber,Subscriber apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ແບບຟອມ / ລາຍການ / {0}) ແມ່ນອອກຫຼັກຊັບ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,ກະລຸນາເລືອກວັນທີ່ລົງໂຄສະນາກ່ອນ @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,ຄ່າທໍານຽ DocType: Bank Statement Settings,Transaction Data Mapping,Transaction Data Mapping apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,ຜູ້ນໍາຕ້ອງຮຽກຮ້ອງຊື່ຂອງບຸກຄົນຫຼືຊື່ຂອງອົງການ DocType: Student,Guardians,ຜູ້ປົກຄອງ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ກະລຸນາຕັ້ງຊື່ລະບົບການໃຫ້ຄໍາແນະນໍາໃນການສຶກສາ> ການສຶກສາການສຶກສາ apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ເລືອກຍີ່ຫໍ້ ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,ລາຍໄດ້ກາງ DocType: Shipping Rule,Calculate Based On,ຄິດໄລ່ອີງໃສ່ @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,ຄ່າໃຊ້ຈ່າ DocType: Purchase Invoice,Rounding Adjustment (Company Currency),ການປັບຮອບ (ເງິນບໍລິສັດ) DocType: Item,Publish in Hub,ເຜີຍແຜ່ໃນ Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,ສິງຫາ +DocType: GSTR 3B Report,August,ສິງຫາ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,ກະລຸນາໃສ່ໃບຢັ້ງຢືນການຊື້ທໍາອິດ apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ປີເລີ່ມຕົ້ນ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),ເປົ້າຫມາຍ ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,Max Sample Quantity apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ແຫຼ່ງຂໍ້ມູນແລະສາງເປົ້າຫມາຍຕ້ອງແຕກຕ່າງກັນ DocType: Employee Benefit Application,Benefits Applied,ຜົນປະໂຫຍດນໍາໃຊ້ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,ກັບວາລະສານ Entry {0} ບໍ່ມີລາຍະການ {1} ທີ່ບໍ່ກົງກັນ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","ຕົວອັກສອນພິເສດຍົກເວັ້ນ "-", "#", ".", "/", "{" ແລະ "}" ບໍ່ອະນຸຍາດໃນຊຸດຊື່" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,ຕ້ອງມີລາຄາຫລືຜະລິດຕະພັນທີ່ຫຼຸດລົງ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ຕັ້ງຄ່າເປົ້າຫມາຍ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},ບັນທຶກການເຂົ້າຮ່ວມ {0} ມີຕໍ່ Student {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,ຕໍ່ເດືອນ DocType: Routing,Routing Name,ຊື່ເສັ້ນທາງ DocType: Disease,Common Name,ຊື່ທົ່ວໄປ -DocType: Quality Goal,Measurable,Measurable DocType: Education Settings,LMS Title,Title LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,ການຄຸ້ມຄອງເງິນກູ້ -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Support Analtyics DocType: Clinical Procedure,Consumable Total Amount,ຈໍານວນລວມທີ່ໃຊ້ໄດ້ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,ເປີດຕົວແມ່ແບບ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,ລູກຄ້າ LPO @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,ຮັບໃຊ້ DocType: Loan,Member,ສະຫມາຊິກ DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Schedule of Unit Practitioner Service Unit apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Wire Transfer +DocType: Quality Review Objective,Quality Review Objective,ເປົ້າຫມາຍການທົບທວນຄຸນນະພາບ DocType: Bank Reconciliation Detail,Against Account,Against Account DocType: Projects Settings,Projects Settings,ໂຄງການການຕັ້ງຄ່າ apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},ຈໍານວນຈິງ {0} / ຈໍານວນທີ່ລໍຖ້າ {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,ວັນສິ້ນສຸດປີງົບປະມານຄວນຈະເປັນຫນຶ່ງປີພາຍຫຼັງວັນທີເລີ່ມຕົ້ນຂອງປີງົບປະມານ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Daily reminders DocType: Item,Default Sales Unit of Measure,ຫນ່ວຍຍອດຂາຍມາດຕະຖານມາດຕະຖານ +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,ບໍລິສັດ GSTIN DocType: Asset Finance Book,Rate of Depreciation,ອັດຕາຄ່າເສື່ອມລາຄາ DocType: Support Search Source,Post Description Key,Post Description Key DocType: Loyalty Program Collection,Minimum Total Spent,Minimum Totally Spent @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,ການປ່ຽນກຸ່ມລູກຄ້າສໍາລັບລູກຄ້າທີ່ເລືອກບໍ່ຖືກອະນຸຍາດ. DocType: Serial No,Creation Document Type,ສ້າງແບບຟອມເອກະສານ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,ຈໍານວນ Batch ທີ່ມີຢູ່ໃນຄັງສິນຄ້າ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Invoice Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,ນີ້ແມ່ນດິນແດນຮາກແລະບໍ່ສາມາດແກ້ໄຂໄດ້. DocType: Patient,Surgical History,Surgical History apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,ຕົ້ນໄມ້ຂອງຂັ້ນຕອນການມີຄຸນນະພາບ. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,ກວດເບິ່ງນີ້ຖ້າທ່ານຕ້ອງການສະແດງໃນເວັບໄຊທ໌ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ປີງົບປະມານ {0} ບໍ່ພົບ DocType: Bank Statement Settings,Bank Statement Settings,Bank Statement Settings +DocType: Quality Procedure Process,Link existing Quality Procedure.,ເຊື່ອມຕໍ່ຂັ້ນຕອນທີ່ມີຄຸນນະພາບທີ່ມີຢູ່. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,ຕາຕະລາງນໍາເຂົ້າບັນຊີຈາກເອກະສານ CSV / Excel DocType: Appraisal Goal,Score (0-5),ຜະລິດແນນ (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Attribute {0} ເລືອກຫລາຍຄັ້ງໃນຕາລາງຄຸນສົມບັດ DocType: Purchase Invoice,Debit Note Issued,ຫມາຍເຫດ Debit ອອກ @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,ອອກຈາກນະໂຍບາຍ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,ຄັງແຮບໍ່ພົບໃນລະບົບ DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -DocType: Quality Goal,Measurable Goal,ເປົ້າຫມາຍທີ່ສາມາດວັດໄດ້ DocType: Bank Statement Transaction Payment Item,Invoices,ໃບແຈ້ງຫນີ້ DocType: Currency Exchange,Currency Exchange,ການແລກປ່ຽນສະກຸນເງິນ DocType: Payroll Entry,Fortnightly,ສອງສາມອາທິດ @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} ບໍ່ໄດ້ສົ່ງ DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Backflush ວັດຖຸດິບຈາກສາງໃນການເຮັດວຽກໃນຂະບວນການ DocType: Maintenance Team Member,Maintenance Team Member,Maintenance Team Member +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,ຕັ້ງຄ່າຂະຫນາດລູກຄ້າສໍາລັບການບັນຊີ DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,ໄລຍະທາງຕໍາ່ສຸດທີ່ລະຫວ່າງແຖວຂອງພືດສໍາລັບການເຕີບໂຕທີ່ດີທີ່ສຸດ DocType: Employee Health Insurance,Health Insurance Name,ຊື່ປະກັນສຸຂະພາບ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,ຊັບສິນຫຼັກຊັບ @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,ຊື່ການໂອນເງິ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternate Item DocType: Certification Application,Name of Applicant,ຊື່ຜູ້ສະຫມັກ DocType: Leave Type,Earned Leave,ອອກກໍາລັງກາຍທີ່ໄດ້ຮັບ -DocType: Quality Goal,June,ມິຖຸນາ +DocType: GSTR 3B Report,June,ມິຖຸນາ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},ແຖວ {0}: ສູນຕົ້ນທຶນແມ່ນຕ້ອງການສໍາລັບລາຍການ {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},ສາມາດໄດ້ຮັບການອະນຸມັດໂດຍ {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unit of Measure {0} ໄດ້ຖືກເຂົ້າຫຼາຍກວ່າຫນຶ່ງຄັ້ງໃນຕາຕະລາງປັດໄຈການປ່ຽນແປງ @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standard Selling Rate apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},ກະລຸນາຕັ້ງເມນູທີ່ໃຊ້ສໍາລັບຮ້ານອາຫານ {0} 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: Asset Finance Book,Asset Finance Book,Asset Finance Book +DocType: Quality Goal Objective,Quality Goal Objective,Quality Goal Objective DocType: Employee Transfer,Employee Transfer,ການໂອນເງິນພະນັກງານ ,Sales Funnel,Funnel ຂາຍ DocType: Agriculture Analysis Criteria,Water Analysis,ການວິເຄາະນ້ໍາ @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,ພະນັກ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,ກິດຈະກໍາທີ່ຍັງຄ້າງຢູ່ apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,ບອກຈໍານວນລູກຄ້າຂອງທ່ານ. ພວກເຂົາສາມາດເປັນອົງກອນຫລືບຸກຄົນ. DocType: Bank Guarantee,Bank Account Info,Bank Account Info +DocType: Quality Goal,Weekday,ວັນທໍາມະດາ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,ຊື່ຜູ້ປົກຄອງ 1 DocType: Salary Component,Variable Based On Taxable Salary,Variable Based On Taxable Salary DocType: Accounting Period,Accounting Period,ໄລຍະເວລາການບັນຊີ @@ -2229,7 +2245,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Rounding Adjustment DocType: Quality Review Table,Quality Review Table,ຕາລາງການທົບທວນຄຸນນະພາບ DocType: Member,Membership Expiry Date,ວັນຫມົດອາຍຸສະມາຊິກ DocType: Asset Finance Book,Expected Value After Useful Life,ມູນຄ່າຄາດຫວັງຈາກການໃຊ້ຊີວິດທີ່ເປັນປະໂຫຍດ -DocType: Quality Goal,November,ເດືອນພະຈິກ +DocType: GSTR 3B Report,November,ເດືອນພະຈິກ DocType: Loan Application,Rate of Interest,ອັດຕາດອກເບ້ຍ DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,ບັນຊີລາຍການການໂອນເງິນຂອງທະນາຄານ DocType: Restaurant Reservation,Waitlisted,ລໍຖ້າລາຍການ @@ -2293,6 +2309,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Row {0}: ເພື່ອກໍານົດໄລຍະເວລາ {1}, ຄວາມແຕກຕ່າງລະຫວ່າງແລະກັບມື້ຕ້ອງສູງກວ່າຫຼືເທົ່າກັບ {2}" DocType: Purchase Invoice Item,Valuation Rate,ອັດຕາການປະເມີນ DocType: Shopping Cart Settings,Default settings for Shopping Cart,ການຕັ້ງຄ່າເລີ່ມຕົ້ນສໍາລັບລົດເຂັນ +DocType: Quiz,Score out of 100,Score out of 100 DocType: Manufacturing Settings,Capacity Planning,ການວາງແຜນຄວາມສາມາດ apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Go to Instructors DocType: Activity Cost,Projects,ໂຄງການ @@ -2302,6 +2319,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,ຈາກເວລາ apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Details Report +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,ສໍາລັບການຊື້ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,ສະລັອດຕິງສໍາລັບ {0} ບໍ່ໄດ້ຖືກເພີ່ມເຂົ້າໃນຕາຕະລາງ DocType: Target Detail,Target Distribution,ເປົ້າຫມາຍການແຜ່ກະຈາຍ @@ -2319,6 +2337,7 @@ DocType: Activity Cost,Activity Cost,Cost Activity DocType: Journal Entry,Payment Order,Order Order apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,ລາຄາ ,Item Delivery Date,ວັນທີ່ຈັດສົ່ງສິນຄ້າ +DocType: Quality Goal,January-April-July-October,ເດືອນມັງກອນ - ເມສາ - ກໍລະກົດ - ຕຸລາ DocType: Purchase Order Item,Warehouse and Reference,Warehouse and Reference apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,ບັນຊີທີ່ມີປຸ່ມເດັກບໍ່ສາມາດຖືກປ່ຽນແປງເປັນຫນັງສື DocType: Soil Texture,Clay Composition (%),ສ່ວນປະກອບຂອງດິນເຜົາ (%) @@ -2369,6 +2388,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,ວັນອະນາ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Row {0}: ກະລຸນາຕັ້ງຄ່າໂຫມດການຊໍາລະເງິນໃນຕາຕະລາງການຊໍາລະເງິນ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,ໄລຍະເວລາຮຽນ: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Quality Feedback Parameter apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,ກະລຸນາເລືອກເອົາໃບສະເຫນີລາຄາຜ່ອນຜັນ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,ແຖວ # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,ການຊໍາລະເງິນທັງຫມົດ @@ -2411,7 +2431,7 @@ DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Employee ID DocType: Salary Structure Assignment,Salary Structure Assignment,Salary Structure Assignment DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,ໃບຢັ້ງຢືນການປິດໃບຢັ້ງຢືນຍອດຂາຍ POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Action Initialised +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Action Initialised DocType: POS Profile,Applicable for Users,ສາມາດໃຊ້ໄດ້ສໍາລັບຜູ້ໃຊ້ DocType: Training Event,Exam,Exam apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,ຈໍານວນທີ່ບໍ່ຖືກຕ້ອງຂອງບັນຊີລາຍການ Ledger ທົ່ວໄປພົບ. ທ່ານອາດຈະໄດ້ເລືອກບັນຊີຜິດໃນການເຮັດທຸລະກໍາ. @@ -2518,6 +2538,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Longitude DocType: Accounts Settings,Determine Address Tax Category From,ກໍານົດທີ່ຢູ່ພາສີຈາກ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,ກໍານົດຜູ້ຕັດສິນໃຈ +DocType: Stock Entry Detail,Reference Purchase Receipt,ໃບຢັ້ງຢືນການຊື້ເອກະສານຊື້ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Get Invocies DocType: Tally Migration,Is Day Book Data Imported,ແມ່ນບັນດາລາຍການປື້ມວັນທີທີ່ນໍາເຂົ້າ ,Sales Partners Commission,Sales Partners Commission @@ -2541,6 +2562,7 @@ DocType: Leave Type,Applicable After (Working Days),ສາມາດໃຊ້ໄ DocType: Timesheet Detail,Hrs,Hrs DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,ເງື່ອນໄຂຂອງຜະລິດຕະພັນຜູ້ຜະລິດ DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Quality Feedback Template Parameter apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,ວັນທີ່ເຂົ້າຮ່ວມຕ້ອງມີຫຼາຍກວ່າວັນເດືອນປີເກີດ DocType: Bank Statement Transaction Invoice Item,Invoice Date,ວັນທີ່ໃບເກັບເງິນ DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,ສ້າງທົດລອງທົດລອງ (s) ກ່ຽວກັບໃບແຈ້ງຍອດຂາຍສົ່ງ @@ -2647,7 +2669,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,ມູນຄ່າອ DocType: Stock Entry,Source Warehouse Address,ທີ່ຢູ່ Warehouse Address DocType: Compensatory Leave Request,Compensatory Leave Request,ຄໍາຮ້ອງສະຫມັກຂອງການຊົດເຊີຍຄ່າຕອບແທນ DocType: Lead,Mobile No.,Mobile No -DocType: Quality Goal,July,ເດືອນກໍລະກົດ +DocType: GSTR 3B Report,July,ເດືອນກໍລະກົດ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ມີສິດໄດ້ຮັບ ITC DocType: Fertilizer,Density (if liquid),ຄວາມຫນາແຫນ້ນ (ຖ້າເປັນແຫຼວ) DocType: Employee,External Work History,External Work History @@ -2724,6 +2746,7 @@ DocType: Certification Application,Certification Status,ສະຖານະກາ apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},ຕ້ອງມີສະຖານທີ່ແຫຼ່ງສໍາລັບຊັບສິນ {0} DocType: Employee,Encashment Date,Date Encashment apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,ກະລຸນາເລືອກວັນຄົບຖ້ວນສົມບູນສໍາລັບບັນທຶກການບໍາລຸງຮັກສາທີ່ສົມບູນແລ້ວ +DocType: Quiz,Latest Attempt,Latest Attempt DocType: Leave Block List,Allow Users,ອະນຸຍາດໃຫ້ຜູ້ໃຊ້ apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Chart Of Accounts apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,ລູກຄ້າຕ້ອງມີເງື່ອນໄຂຖ້າ 'ໂອກາດຈາກ' ຖືກຄັດເລືອກເປັນລູກຄ້າ @@ -2788,7 +2811,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Setup ຂອງຜ DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Settings DocType: Program Enrollment,Walking,ເວລາຍ່າງ DocType: SMS Log,Requested Numbers,ຈໍານວນທີ່ຕ້ອງການ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕັ້ງຄ່າຊຸດຈໍານວນສໍາລັບການເຂົ້າຮ່ວມໂດຍຜ່ານ Setup> ເລກລໍາດັບ DocType: Woocommerce Settings,Freight and Forwarding Account,ບັນຊີ Freight and Forwarding apps/erpnext/erpnext/accounts/party.py,Please select a Company,ກະລຸນາເລືອກບໍລິສັດ apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,ແຖວ {0}: {1} ຕ້ອງເກີນກວ່າ 0 @@ -2858,7 +2880,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ໃບເ DocType: Training Event,Seminar,ການສໍາມະນາ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),ເຄດິດ ({0}) DocType: Payment Request,Subscription Plans,ແຜນການຈອງ -DocType: Quality Goal,March,ມີນາ +DocType: GSTR 3B Report,March,ມີນາ apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Split Batch DocType: School House,House Name,ເຮືອນຊື່ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),ຍອດສໍາລັບ {0} ບໍ່ສາມາດຫນ້ອຍກວ່າສູນ ({1}) @@ -2921,7 +2943,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,ວັນເລີ່ມປະກັນໄພ DocType: Target Detail,Target Detail,Target Detail DocType: Packing Slip,Net Weight UOM,Net Weight UOM -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: Purchase Invoice Item,Net Amount (Company Currency),ມູນຄ່າສຸດທິ (ເງິນສະກຸນຂອງບໍລິສັດ) DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapped Data apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,ເງິນຝາກແລະເງິນຝາກ @@ -2971,6 +2992,7 @@ DocType: Cheque Print Template,Cheque Height,ກວດເບິ່ງຄວາ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,ກະລຸນາປ້ອນວັນທີ່ບັນເທົາ. DocType: Loyalty Program,Loyalty Program Help,ຄວາມຊ່ວຍເຫຼືອໂຄງການຄວາມພັກດີ DocType: Journal Entry,Inter Company Journal Entry Reference,Inter Company Journal Entry Reference +DocType: Quality Meeting,Agenda,ວາລະປະຊຸມ DocType: Quality Action,Corrective,ການແກ້ໄຂ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Group By DocType: Bank Account,Address and Contact,ທີ່ຢູ່ແລະຕິດຕໍ່ @@ -3024,7 +3046,7 @@ DocType: GL Entry,Credit Amount,ຈໍານວນເງິນເຄດິດ apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,ຈໍານວນເງິນທີ່ໄດ້ຮັບການຢັ້ງຢືນ DocType: Support Search Source,Post Route Key List,Post Route Key List apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} ບໍ່ຢູ່ໃນປີທີ່ມີການເຄື່ອນໄຫວໃດໆ. -DocType: Quality Action Table,Problem,ບັນຫາ +DocType: Quality Action Resolution,Problem,ບັນຫາ DocType: Training Event,Conference,ກອງປະຊຸມ DocType: Mode of Payment Account,Mode of Payment Account,ບັນຊີວິທີການຊໍາລະເງິນ DocType: Leave Encashment,Encashable days,ວັນເຂົ້າກັນໄດ້ @@ -3150,7 +3172,7 @@ DocType: Item,"Purchase, Replenishment Details","ລາຍະລະອຽດກ DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","ເມື່ອໄດ້ກໍານົດແລ້ວ, ໃບເກັບເງິນນີ້ຈະຖືກເກັບໄວ້ຈົນເຖິງວັນທີ່ກໍານົດໄວ້" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,ບໍ່ສາມາດມີຫຼັກຊັບສໍາລັບ Item {0} ນັບຕັ້ງແຕ່ມີການປ່ຽນແປງ DocType: Lab Test Template,Grouped,Grouped -DocType: Quality Goal,January,ມັງກອນ +DocType: GSTR 3B Report,January,ມັງກອນ DocType: Course Assessment Criteria,Course Assessment Criteria,Criteria Assessment Criteria DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,ຄົບຖ້ວນສົມບູນ @@ -3246,7 +3268,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Healthcare Se apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,ກະລຸນາໃສ່ໃບແຈ້ງຫນີ້ 1 ໃບສຸດທ້າຍໃນຕາຕະລາງ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,ບໍ່ໄດ້ສົ່ງຄໍາສັ່ງຂາຍ {0} apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,ການເຂົ້າຮ່ວມໄດ້ຮັບການຕີພິມເປັນປະສົບຜົນສໍາເລັດ. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Pre Sales +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pre Sales apps/erpnext/erpnext/config/projects.py,Project master.,ຫົວຫນ້າໂຄງການ. DocType: Daily Work Summary,Daily Work Summary,ລາຍວຽກປະຈໍາວັນ DocType: Asset,Partially Depreciated,ບາງສ່ວນຖືກຕັດສິນ @@ -3255,6 +3277,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,ອອກຈາກ Encashed? DocType: Certified Consultant,Discuss ID,ສົນທະນາ ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,ກະລຸນາຕັ້ງບັນຊີ GST ໃນ GST Settings +DocType: Quiz,Latest Highest Score,Latest Score Highest Score DocType: Supplier,Billing Currency,ສະກຸນເງິນອອກໃບຢັ້ງຢືນ apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,ກິດຈະກໍານັກຮຽນ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,ທັງເປົ້າຫມາຍຫລືເປົ້າຫມາຍແມ່ນຈໍາເປັນ @@ -3280,18 +3303,21 @@ DocType: Sales Order,Not Delivered,ບໍ່ໄດ້ຈັດສົ່ງ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,ອອກຈາກປະເພດ {0} ບໍ່ສາມາດຈັດສັນໄດ້ເພາະວ່າມັນຈະອອກໄປໂດຍບໍ່ເສຍຄ່າ DocType: GL Entry,Debit Amount,ອັດຕາດອກເບ້ຍ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},ບັນທຶກຢູ່ແລ້ວສໍາລັບລາຍການ {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Sub Assemblies 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.","ຖ້າຫາກວ່າກົດລະບຽບການກໍານົດລາຄາຫຼາຍໆປະການຈະສືບຕໍ່ຊະນະ, ຜູ້ຊົມໃຊ້ຖືກຖາມໃຫ້ຕັ້ງຄ່າຄວາມນິຍົມໃຫ້ດ້ວຍຕົນເອງເພື່ອແກ້ໄຂບັນຫາຂັດແຍ້ງ." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ບໍ່ສາມາດຖອນເວລາປະເພດແມ່ນສໍາລັບການ 'Valuation' ຫຼື 'Valuation ແລະ Total' apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,ຕ້ອງມີຈໍານວນກໍາມະການແລະຈໍານວນການຜະລິດ apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},ລາຍການ {0} ໄດ້ບັນລຸເຖິງທ້າຍຂອງຊີວິດໃນ {1} DocType: Quality Inspection Reading,Reading 6,ອ່ານ 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,ຕ້ອງມີເຂດຂໍ້ມູນຂອງບໍລິສັດ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,ການບໍລິໂພກວັດສະດຸບໍ່ໄດ້ກໍານົດໄວ້ໃນການຜະລິດການຜະລິດ. DocType: Assessment Group,Assessment Group Name,ຊື່ກຸ່ມການປະເມີນ -DocType: Item,Manufacturer Part Number,ຫມາຍເລກຜູ້ຜະລິດ +DocType: Purchase Invoice Item,Manufacturer Part Number,ຫມາຍເລກຜູ້ຜະລິດ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll Payable apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},ແຖວ # {0}: {1} ບໍ່ສາມາດເປັນຕົວລົບສໍາລັບລາຍການ {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balance Qty +DocType: Question,Multiple Correct Answer,ຄໍາຕອບທີ່ຖືກຕ້ອງຫລາຍ DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 ຈຸດທີ່ຄວາມສັດຊື່ = ອັດຕາເງິນເຟີ້ພື້ນຖານເທົ່າໃດ? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},ຫມາຍເຫດ: ບໍ່ມີຍອດເງິນອອກພຽງພໍສໍາລັບປະເພດອອກຈາກ {0} DocType: Clinical Procedure,Inpatient Record,Inpatient Record @@ -3414,6 +3440,7 @@ DocType: Fee Schedule Program,Total Students,ນັກຮຽນລວມ apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,ທ້ອງຖິ່ນ DocType: Chapter Member,Leave Reason,ອອກຈາກເຫດຜົນ DocType: Salary Component,Condition and Formula,ເງື່ອນໄຂແລະສູດ +DocType: Quality Goal,Objectives,ຈຸດປະສົງ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ເງິນເດືອນທີ່ໄດ້ປະຕິບັດແລ້ວສໍາລັບໄລຍະເວລາລະຫວ່າງ {0} ແລະ {1}, ໄລຍະເວລາຂອງໃບຢັ້ງຢືນບໍ່ສາມາດຢູ່ລະຫວ່າງຊ່ວງວັນທີນີ້." DocType: BOM Item,Basic Rate (Company Currency),ອັດຕາພື້ນຖານ (ເງິນສະກຸນຂອງບໍລິສັດ) DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item @@ -3464,6 +3491,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP -YYYY.- DocType: Expense Claim Account,Expense Claim Account,ບັນຊີໃບຄໍາຮ້ອງຄ່າໃຊ້ຈ່າຍ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ບໍ່ມີການຊໍາລະເງິນສໍາລັບວາລະສານເຂົ້າ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ແມ່ນນັກຮຽນບໍ່ມີປະສົບການ +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Make Stock Entry DocType: Employee Onboarding,Activities,ກິດຈະກໍາ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,ສາງຫນຶ່ງແມ່ນຄ້ໍາປະກັນ ,Customer Credit Balance,ຍອດລູກຫນີ້ສິນຄ້າຂອງລູກຄ້າ @@ -3548,7 +3576,6 @@ DocType: Contract,Contract Terms,ເງື່ອນໄຂສັນຍາ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,ທັງເປົ້າຫມາຍຫລືເປົ້າຫມາຍແມ່ນຈໍາເປັນ. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},ບໍ່ຖືກຕ້ອງ {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,ວັນປະຊຸມ DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP -YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,ຕົວຫຍໍ້ບໍ່ສາມາດມີຫລາຍກວ່າ 5 ອັກຂະລະ DocType: Employee Benefit Application,Max Benefits (Yearly),ປະໂຫຍດສູງສຸດ (ປະຈໍາປີ) @@ -3651,7 +3678,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Bank Charges apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,ສິນຄ້າໂອນ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primary Contact Details -DocType: Quality Review,Values,ມູນຄ່າ DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ຖ້າບໍ່ໄດ້ກວດ, ລາຍຊື່ຈະຕ້ອງໄດ້ຖືກເພີ່ມເຂົ້າໃນແຕ່ລະຫ້ອງການທີ່ຕ້ອງປະຕິບັດ." DocType: Item Group,Show this slideshow at the top of the page,ສະແດງໃຫ້ເຫັນ slideshow ນີ້ຢູ່ປາຍສຸດຂອງຫນ້າ apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} ພາລາມິເຕີບໍ່ຖືກຕ້ອງ @@ -3670,6 +3696,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Bank Charges Account DocType: Journal Entry,Get Outstanding Invoices,ຮັບໃບແຈ້ງຫນີ້ທີ່ໂດດເດັ່ນ DocType: Opportunity,Opportunity From,ໂອກາດຈາກ +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,ລາຍລະອຽດເປົ້າຫມາຍ DocType: Item,Customer Code,ລະຫັດລູກຄ້າ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,ກະລຸນາໃສ່ລາຍະການທໍາອິດ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,ລາຍຊື່ເວັບໄຊທ໌ @@ -3698,7 +3725,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Delivery To DocType: Bank Statement Transaction Settings Item,Bank Data,Bank Data apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,ກໍານົດໄວ້ Upto -DocType: Quality Goal,Everyday,ທຸກໆມື້ DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,ຮັກສາເວລາໃບບິນແລະເວລາເຮັດວຽກຄືກັນກັບເວລາ apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,ຕິດຕາມນໍາໂດຍແຫຼ່ງທີ່ມາ. DocType: Clinical Procedure,Nursing User,ຜູ້ໃຊ້ພະຍາບານ @@ -3723,7 +3749,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,ການຄຸ້ມ DocType: GL Entry,Voucher Type,ປະເພດຂອງໃບປະກາດ ,Serial No Service Contract Expiry,Serial No Service Contract Expiry DocType: Certification Application,Certified,ຢັ້ງຢືນ -DocType: Material Request Plan Item,Manufacture,ຜະລິດ +DocType: Purchase Invoice Item,Manufacture,ຜະລິດ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} ຜະລິດຕະພັນ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},ຄໍາຮ້ອງຂໍການຊໍາລະເງິນສໍາລັບ {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,ວັນນັບຕັ້ງແຕ່ຄໍາສັ່ງສຸດທ້າຍ @@ -3738,7 +3764,7 @@ DocType: Sales Invoice,Company Address Name,ຊື່ທີ່ຢູ່ບໍລ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,ສິນຄ້າໃນການຂົນສົ່ງ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,ທ່ານພຽງແຕ່ສາມາດຊື້ຈຸດສູງສຸດ {0} ໃນຄໍາສັ່ງນີ້ເທົ່ານັ້ນ. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},ກະລຸນາຕັ້ງບັນຊີໃນ Warehouse {0} -DocType: Quality Action Table,Resolution,Resolution +DocType: Quality Action,Resolution,Resolution DocType: Sales Invoice,Loyalty Points Redemption,ການໄຖ່ຈຸດສໍາຄັນ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,ມູນຄ່າທັງຫມົດທີ່ຖືກຕ້ອງ DocType: Patient Appointment,Scheduled,ກໍານົດເວລາ @@ -3859,6 +3885,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,ອັດຕາ apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},ການບັນທຶກ {0} DocType: SMS Center,Total Message(s),ລວມຂໍ້ຄວາມ (s) +DocType: Purchase Invoice,Accounting Dimensions,ຂະຫນາດບັນຊີ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Group by Account DocType: Quotation,In Words will be visible once you save the Quotation.,ໃນຄໍາສັບຕ່າງໆຈະຖືກເບິ່ງເຫັນເມື່ອທ່ານປະຢັດລາຍການ. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,ຈໍານວນການຜະລິດ @@ -4023,7 +4050,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","ຖ້າທ່ານມີຄໍາຖາມໃດໆ, ກະລຸນາກັບຄືນຫາພວກເຮົາ." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,ບໍ່ໄດ້ສົ່ງໃບຢັ້ງຢືນການຊື້ {0} DocType: Task,Total Expense Claim (via Expense Claim),ຄໍາຮ້ອງທຸກຄ່າໃຊ້ຈ່າຍທັງຫມົດ (ຜ່ານການຮ້ອງຂໍຄ່າໃຊ້ຈ່າຍ) -DocType: Quality Action,Quality Goal,Quality Goal +DocType: Quality Goal,Quality Goal,Quality Goal DocType: Support Settings,Support Portal,Support Portal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},ວັນທີສຸດທ້າຍຂອງວຽກ {0} ບໍ່ສາມາດນ້ອຍກວ່າ {1} ວັນເລີ່ມຕົ້ນທີ່ຄາດໄວ້ {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},ພະນັກງານ {0} ແມ່ນຢູ່ໃນວັນພັກສຸດ {1} @@ -4082,7 +4109,6 @@ DocType: BOM,Operating Cost (Company Currency),ຄ່າໃຊ້ຈ່າຍໃ DocType: Item Price,Item Price,Item Price DocType: Payment Entry,Party Name,ຊື່ຂອງພັກ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,ກະລຸນາເລືອກລູກຄ້າ -DocType: Course,Course Intro,Course Introduction DocType: Program Enrollment Tool,New Program,ໂຄງການໃຫມ່ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","ຈໍານວນສູນຕົ້ນທຶນໃຫມ່, ມັນຈະຖືກລວມຢູ່ໃນຊື່ສູນຕົ້ນທຶນເປັນຄໍານໍາຫນ້າ" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ເລືອກລູກຄ້າຫຼືຜູ້ສະຫນອງ. @@ -4283,6 +4309,7 @@ DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,ເງິນສົດສຸດທິບໍ່ສາມາດລົບໄດ້ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,No of Interactions 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/hr/doctype/employee/employee_dashboard.py,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,ຕາຕະລາງການປຸງແຕ່ງຂອງບັນຊີແລະພາກສ່ວນຕ່າງໆ DocType: Stock Settings,Convert Item Description to Clean HTML,ແປງລາຍລະອຽດຂອງລາຍການເພື່ອຄວາມສະອາດ HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,ກຸ່ມຜູ້ສະຫນອງທັງຫມົດ @@ -4361,6 +4388,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,ລາຍການຂອງພໍ່ແມ່ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},ກະລຸນາສ້າງໃບຢັ້ງຢືນຊື້ຫຼືໃບຢັ້ງຢືນຊື້ສໍາລັບລາຍການ {0} +,Product Bundle Balance,Product Bundle Balance apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,ຊື່ບໍລິສັດບໍ່ສາມາດເປັນບໍລິສັດ DocType: Maintenance Visit,Breakdown,Breakdown DocType: Inpatient Record,B Negative,B Negative @@ -4369,7 +4397,7 @@ DocType: Purchase Invoice,Credit To,ເຄດິດໄປ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,ສົ່ງຄໍາສັ່ງເຮັດວຽກນີ້ສໍາລັບການປຸງແຕ່ງຕໍ່ໄປ. DocType: Bank Guarantee,Bank Guarantee Number,ຫມາຍເລກທະນາຄານຮັບປະກັນ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},ຈັດສົ່ງ: {0} -DocType: Quality Action,Under Review,ພາຍໃຕ້ການທົບທວນຄືນ +DocType: Quality Meeting Table,Under Review,ພາຍໃຕ້ການທົບທວນຄືນ apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),ການກະສິກໍາ (beta) ,Average Commission Rate,ຄ່າບໍລິການເສລີ່ຍ DocType: Sales Invoice,Customer's Purchase Order Date,ວັນທີສັ່ງຊື້ຂອງລູກຄ້າ @@ -4486,7 +4514,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,ການຊໍາລະເງິນຄໍາທີ່ມີໃບແຈ້ງຫນີ້ DocType: Holiday List,Weekly Off,Weekly Off apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},ບໍ່ອະນຸຍາດໃຫ້ຕັ້ງຄ່າລາຍການທາງເລືອກສໍາລັບລາຍການ {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,ໂຄງການ {0} ບໍ່ມີຢູ່. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,ໂຄງການ {0} ບໍ່ມີຢູ່. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,ທ່ານບໍ່ສາມາດແກ້ລະຫັດຮາກໄດ້. DocType: Fee Schedule,Student Category,ຫມວດຫມູ່ນັກຮຽນ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Item {0}: {1} qty ຜະລິດ," @@ -4577,8 +4605,8 @@ DocType: Crop,Crop Spacing,Crop Spacing DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,ບໍລິສັດແລະບໍລິສັດຄວນຈະໄດ້ຮັບການປັບປຸງແນວໃດໂດຍອີງຕາມການຂາຍການຂາຍ. DocType: Pricing Rule,Period Settings,ການຕັ້ງຄ່າໄລຍະເວລາ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,ການປ່ຽນແປງໃນບັນຊີລູກຫນີ້ +DocType: Quality Feedback Template,Quality Feedback Template,Quality Feedback Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,ສໍາລັບຈໍານວນຕ້ອງເກີນກວ່າສູນ -DocType: Quality Goal,Goal Objectives,ເປົ້າຫມາຍເປົ້າຫມາຍ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","ມີຄວາມບໍ່ສອດຄ່ອງລະຫວ່າງອັດຕາ, ບໍ່ມີຮຸ້ນແລະຈໍານວນເງິນທີ່ຖືກຄິດໄລ່" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ປ່ອຍໃຫ້ຫວ່າງຖ້າທ່ານເຮັດກຸ່ມນັກຮຽນຕໍ່ປີ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ເງິນກູ້ (ຫນີ້ສິນ) @@ -4613,12 +4641,13 @@ DocType: Quality Procedure Table,Step,ຂັ້ນຕອນ DocType: Normal Test Items,Result Value,ມູນຄ່າຜົນໄດ້ຮັບ DocType: Cash Flow Mapping,Is Income Tax Liability,ແມ່ນຄວາມຮັບຜິດຊອບພາສີລາຍໄດ້ DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ລາຍະການຄ່າທໍານຽມໃນການເຂົ້າໂຮງຫມໍ -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} ບໍ່ມີຢູ່. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} ບໍ່ມີຢູ່. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Update Response DocType: Bank Guarantee,Supplier,ຜູ້ໃຫ້ບໍລິການ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},ກະລຸນາໃສ່ມູນຄ່າ betweeen {0} ແລະ {1} DocType: Purchase Order,Order Confirmation Date,ວັນທີທີ່ຢືນຢັນການສັ່ງຊື້ DocType: Delivery Trip,Calculate Estimated Arrival Times,ຄິດໄລ່ເວລາມາຮອດປະມານ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕັ້ງລະບົບການຕັ້ງຊື່ຂອງພະນັກງານໃນຊັບພະຍາກອນມະນຸດ> HR Settings apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,ສາມາດໃຊ້ໄດ້ DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,ວັນທີເລີ່ມຕົ້ນສະມາຊິກ @@ -4682,6 +4711,7 @@ DocType: Cheque Print Template,Is Account Payable,ແມ່ນບັນຊີທ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,ມູນຄ່າການສັ່ງຊື້ທັງຫມົດ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},ຜູ້ສະຫນອງ {0} ບໍ່ພົບໃນ {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,ຕັ້ງຄ່າການຕັ້ງຄ່າການເຂົ້າເຖິງ SMS +DocType: Salary Component,Round to the Nearest Integer,ຮອບກັບເລກທີ່ໃກ້ທີ່ສຸດ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,ຮາກບໍ່ສາມາດມີສູນຕົ້ນທຶນຂອງພໍ່ແມ່ໄດ້ DocType: Healthcare Service Unit,Allow Appointments,ອະນຸຍາດການແຕ່ງຕັ້ງ DocType: BOM,Show Operations,Show Operations @@ -4810,7 +4840,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Default Holiday List DocType: Naming Series,Current Value,ມູນຄ່າປັດຈຸບັນ apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","ຊ່ວງເວລາສໍາລັບການວາງແຜນງົບປະມານ, ເປົ້າຫມາຍແລະອື່ນໆ." -DocType: Program,Program Code,ລະຫັດໂຄງການ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},ຄໍາເຕືອນ: ຄໍາສັ່ງຂາຍ {0} ມີຢູ່ແລ້ວຕໍ່ຄໍາສັ່ງຊື້ຂອງລູກຄ້າ {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,ເປົ້າຫມາຍການຂາຍລາຍເດືອນ ( DocType: Guardian,Guardian Interests,ຄວາມສົນໃຈຂອງຜູ້ປົກຄອງ @@ -4860,10 +4889,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,ຈ່າຍແລະບໍ່ຈັດສົ່ງ apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,ລະຫັດສິນຄ້າແມ່ນບັງຄັບເພາະວ່າສິນຄ້າບໍ່ໄດ້ຖືກນັບເລກໄວ້ໂດຍອັດຕະໂນມັດ DocType: GST HSN Code,HSN Code,HSN Code -DocType: Quality Goal,September,ເດືອນກັນຍາ +DocType: GSTR 3B Report,September,ເດືອນກັນຍາ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administrative Expenses DocType: C-Form,C-Form No,C ແບບຟອມ No DocType: Purchase Invoice,End date of current invoice's period,ວັນທີສິ້ນສຸດຂອງໄລຍະເວລາໃບຢັ້ງຢືນໃນປະຈຸບັນ +DocType: Item,Manufacturers,ຜູ້ຜະລິດ DocType: Crop Cycle,Crop Cycle,Cycle crop DocType: Serial No,Creation Time,ເວລາສ້າງ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,ກະລຸນາໃສ່ການອະນຸມັດບົດບາດຫຼືຜູ້ໃຊ້ທີ່ອະນຸມັດ @@ -4936,8 +4966,6 @@ DocType: Employee,Short biography for website and other publications.,ຊີວ DocType: Purchase Invoice Item,Received Qty,Received Qty DocType: Purchase Invoice Item,Rate (Company Currency),ອັດຕາ (ເງິນສະກຸນຂອງບໍລິສັດ) DocType: Item Reorder,Request for,Request for -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ກະລຸນາລົບ Employee {0} \ ເພື່ອຍົກເລີກເອກະສານນີ້" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,ການຕິດຕັ້ງ presets apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,ກະລຸນາໃສ່ໄລຍະເວລາການຊໍາລະເງິນ DocType: Pricing Rule,Advanced Settings,ຕັ້ງຄ່າຂັ້ນສູງ @@ -4963,7 +4991,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,ເປີດຕະກ້າສິນຄ້າ DocType: Pricing Rule,Apply Rule On Other,ສະຫມັກກົດລະບຽບອື່ນ DocType: Vehicle,Last Carbon Check,ກວດກາຄາບອນສຸດທ້າຍ -DocType: Vehicle,Make,ເຮັດໃຫ້ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,ເຮັດໃຫ້ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,ໃບແຈ້ງຍອດຂາຍ {0} ຖືກສ້າງຂື້ນເປັນຄ່າຈ້າງ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,ຕ້ອງສ້າງເອກະສານອ້າງອີງການຮ້ອງຂໍການຊໍາລະເງິນ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ອາກອນລາຍໄດ້ @@ -5039,7 +5067,6 @@ DocType: Territory,Parent Territory,Parent Territory DocType: Vehicle Log,Odometer Reading,Odometer Reading DocType: Additional Salary,Salary Slip,Salary Slip DocType: Payroll Entry,Payroll Frequency,Payroll Frequency -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕັ້ງລະບົບການຕັ້ງຊື່ຂອງພະນັກງານໃນຊັບພະຍາກອນມະນຸດ> HR Settings apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","ວັນທີເລີ່ມຕົ້ນແລະສິ້ນສຸດບໍ່ໄດ້ຢູ່ໃນໄລຍະເວລາຊໍາລະເງິນທີ່ຖືກຕ້ອງ, ບໍ່ສາມາດຄິດໄລ່ {0}" DocType: Products Settings,Home Page is Products,ຫນ້າທໍາອິດແມ່ນຜະລິດຕະພັນ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Calls @@ -5093,7 +5120,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,ເກັບກໍາຂໍ້ມູນ ...... DocType: Delivery Stop,Contact Information,ຂໍ້ມູນຕິດຕໍ່ DocType: Sales Order Item,For Production,ສໍາລັບການຜະລິດ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ກະລຸນາຕັ້ງຊື່ລະບົບການໃຫ້ຄໍາແນະນໍາໃນການສຶກສາ> ການສຶກສາການສຶກສາ DocType: Serial No,Asset Details,ລາຍະລະອຽດຊັບສິນ DocType: Restaurant Reservation,Reservation Time,ເວລາ Reservation DocType: Selling Settings,Default Territory,Default Territory @@ -5233,6 +5259,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,ແບດເຕີລີ່ທີ່ຫມົດອາຍຸ DocType: Shipping Rule,Shipping Rule Type,Shipping Rule Type DocType: Job Offer,Accepted,ຍອມຮັບ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ກະລຸນາລົບ Employee {0} \ ເພື່ອຍົກເລີກເອກະສານນີ້" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,ທ່ານໄດ້ປະເມີນຜົນສໍາລັບເງື່ອນໄຂການປະເມີນຜົນ {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ເລືອກຈໍານວນຜະລິດຕະພັນ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),ອາຍຸ (ວັນ) @@ -5249,6 +5277,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,ລາຍການຊຸດໃນເວລາທີ່ຂາຍ. DocType: Payment Reconciliation Payment,Allocated Amount,ຈໍານວນເງິນທີ່ໄດ້ຈັດສັນ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Please select Company and Designation +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'ວັນທີ' ແມ່ນຕ້ອງການ DocType: Email Digest,Bank Credit Balance,Balance Bank Credit apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,ສະແດງຈໍານວນສະສົມ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,ທ່ານບໍ່ມີຈຸດເລີ້ມຕົ້ນທີ່ພຽງພໍເພື່ອແລກ @@ -5309,11 +5338,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,ໃນແຖວກ່ DocType: Student,Student Email Address,ທີ່ຢູ່ອີເມວນັກຮຽນ DocType: Academic Term,Education,ການສຶກສາ DocType: Supplier Quotation,Supplier Address,ທີ່ຢູ່ຂອງຜູ້ສະຫນອງ -DocType: Salary Component,Do not include in total,ບໍ່ລວມຢູ່ໃນທັງຫມົດ +DocType: Salary Detail,Do not include in total,ບໍ່ລວມຢູ່ໃນທັງຫມົດ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,ບໍ່ສາມາດຕັ້ງຄ່າ Defaults ຂອງສິນຄ້າຈໍານວນຫລາຍສໍາລັບບໍລິສັດ. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ບໍ່ມີ DocType: Purchase Receipt Item,Rejected Quantity,ປະຕິເສດຈໍານວນ DocType: Cashier Closing,To TIme,ເພື່ອ TIme +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: Daily Work Summary Group User,Daily Work Summary Group User,ຜູ້ປະສານງານກຸ່ມປະຈໍາວັນປະຈໍາວັນ DocType: Fiscal Year Company,Fiscal Year Company,Fiscal Year Company apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,ລາຍການທາງເລືອກຕ້ອງບໍ່ຄືກັບລະຫັດສິນຄ້າ @@ -5423,7 +5453,6 @@ DocType: Fee Schedule,Send Payment Request Email,ສົ່ງ Email Request Paym DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,ໃນຄໍາສັບຕ່າງໆຈະຖືກເບິ່ງເຫັນເມື່ອທ່ານປະຢັດໃບເກັບເງິນການຂາຍ. DocType: Sales Invoice,Sales Team1,Sales Team1 DocType: Work Order,Required Items,Items required -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","ຕົວອັກສອນພິເສດຍົກເວັ້ນ "-", "#", "." ແລະ "/" ບໍ່ອະນຸຍາດໃຫ້ຢູ່ໃນຊຸດຊື່" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,ອ່ານຄູ່ມື ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ກວດເບິ່ງໃບຢັ້ງຢືນຂອງຜູ້ອອກໃບຢັ້ງຢືນຈໍານວນຫນຶ່ງ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Search Sub Assemblies @@ -5491,7 +5520,6 @@ DocType: Taxable Salary Slab,Percent Deduction,ສ່ວນຮ້ອຍຕັດ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,ຈໍານວນການຜະລິດບໍ່ສາມາດຫນ້ອຍກວ່າສູນ DocType: Share Balance,To No,ໄປບໍ່ DocType: Leave Control Panel,Allocate Leaves,ຈັດສັນໃບ -DocType: Quiz,Last Attempt,ການພະຍາຍາມສຸດທ້າຍ DocType: Assessment Result,Student Name,ຊື່ນັກຮຽນ apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,ແຜນການສໍາລັບການຢ້ຽມຢາມບໍາລຸງຮັກສາ. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,ຄໍາຮ້ອງຂໍທາງດ້ານວັດຖຸດັ່ງຕໍ່ໄປນີ້ໄດ້ຖືກຍົກຂຶ້ນອັດຕະໂນມັດໂດຍອີງຕາມລະດັບການສັ່ງຊື້ໃຫມ່ຂອງສິນຄ້າ @@ -5560,6 +5588,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,ຕົວຊີ້ວັດສີ DocType: Item Variant Settings,Copy Fields to Variant,ຄັດລອກເຂດຂໍ້ມູນໃຫ້ປ່ຽນແປງ DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,ຄໍາຕອບດຽວທີ່ຖືກຕ້ອງ apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,ຈາກວັນທີບໍ່ສາມາດນ້ອຍກວ່າວັນເຂົ້າຮ່ວມຂອງພະນັກງານ DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,ອະນຸຍາດໃຫ້ໃບສັ່ງຊື້ຂາຍຫລາຍຕໍ່ຄໍາສັ່ງຊື້ຂອງລູກຄ້າ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5622,7 +5651,7 @@ DocType: Account,Expenses Included In Valuation,ຄ່າໃຊ້ຈ່າຍ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Serial Numbers DocType: Salary Slip,Deductions,ການຫັກລົບ ,Supplier-Wise Sales Analytics,ການວິເຄາະຝ່າຍຂາຍຜູ້ສະຫນອງ - ສະຫລາດ -DocType: Quality Goal,February,ເດືອນກຸມພາ +DocType: GSTR 3B Report,February,ເດືອນກຸມພາ DocType: Appraisal,For Employee,ສໍາລັບພະນັກງານ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,ວັນຈັດສົ່ງທີ່ແທ້ຈິງ DocType: Sales Partner,Sales Partner Name,ຊື່ຜູ້ຂາຍຂາຍ @@ -5718,7 +5747,6 @@ DocType: Procedure Prescription,Procedure Created,ຂັ້ນຕອນການ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},ກັບໃບແຈ້ງຫນີ້ຂອງຜູ້ໃຫ້ບໍລິການ {0} dated {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,ປ່ຽນ POS Profile apps/erpnext/erpnext/utilities/activation.py,Create Lead,ສ້າງ Lead -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Supplier> Supplier Type DocType: Shopify Settings,Default Customer,ລູກຄ້າມາດຕະຖານ DocType: Payment Entry Reference,Supplier Invoice No,ໃບແຈ້ງຫນີ້ຂອງຜູ້ໃຫ້ບໍລິການ DocType: Pricing Rule,Mixed Conditions,ເງື່ອນໄຂການຜະສົມຜະສານ @@ -5769,12 +5797,14 @@ DocType: Item,End of Life,End of Life DocType: Lab Test Template,Sensitivity,ຄວາມອ່ອນໄຫວ DocType: Territory,Territory Targets,ເປົ້າຫມາຍຂອງອານາເຂດ apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","ການຍົກເລີກການຈັດສັນການຈັດສັນສໍາລັບພະນັກງານດັ່ງຕໍ່ໄປນີ້, ຍ້ອນການອອກໃບຢັ້ງຢືນການແບ່ງປັນແລ້ວມີຕໍ່ພວກເຂົາ. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Quality Resolution Action DocType: Sales Invoice Item,Delivered By Supplier,ຈັດສົ່ງໂດຍຜູ້ສະຫນອງ DocType: Agriculture Analysis Criteria,Plant Analysis,Plant Analysis apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},ບັນຊີຄ່າໃຊ້ຈ່າຍແມ່ນບັງຄັບສໍາລັບລາຍການ {0} ,Subcontracted Raw Materials To Be Transferred,ຊັບສິນຕົ້ນຕໍທີ່ໄດ້ຮັບການສະເຫນີຂາຍຈະຖືກໂອນ DocType: Cashier Closing,Cashier Closing,Cashier Closing apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,ລາຍການ {0} ໄດ້ຖືກສົ່ງຄືນແລ້ວ +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN ບໍ່ຖືກຕ້ອງ! ຂໍ້ມູນທີ່ທ່ານເຂົ້າມາບໍ່ກົງກັບຮູບແບບຂອງ GSTIN ສໍາລັບ UIN Holders ຫຼືຜູ້ໃຫ້ບໍລິການທີ່ບໍ່ຢູ່ອາໄສ OIDAR apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,ສາງເດັກມີຢູ່ສໍາລັບສາງນີ້. ທ່ານບໍ່ສາມາດລຶບສາງນີ້ໄດ້. DocType: Diagnosis,Diagnosis,Diagnosis apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},ບໍ່ມີໄລຍະເວລາອອກຈາກລະຫວ່າງ {0} ກັບ {1} @@ -5791,6 +5821,7 @@ DocType: QuickBooks Migrator,Authorization Settings,ການກໍານົດ DocType: Homepage,Products,ຜະລິດຕະພັນ ,Profit and Loss Statement,ລາຍໄດ້ກໍາໄລແລະຂາດທຶນ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Rooms Booked +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},ປ້ອນເຂົ້າກັບລະຫັດທີ່ມີ {0} ແລະຜູ້ຜະລິດ {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,ນ້ໍາຫນັກລວມ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,ທ່ອງທ່ຽວ @@ -5839,6 +5870,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Default Customer Group DocType: Journal Entry Account,Debit in Company Currency,ເງິນຝາກໃນບໍລິສັດເງິນຕາ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",ຊຸດ fallback ແມ່ນ "SO -WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Quality Meeting Agenda DocType: Cash Flow Mapper,Section Header,ຫົວຂໍ້ພາກສ່ວນ apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,ຜະລິດຕະພັນຫຼືການບໍລິການຂອງທ່ານ DocType: Crop,Perennial,ອາຍຸຫລາຍປີ @@ -5883,7 +5915,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","ຜະລິດຕະພັນຫຼືບໍລິການທີ່ຊື້, ຂາຍຫຼືເກັບຢູ່ໃນສະຕັອກ." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),ປິດ (ເປີດ + ລວມ) DocType: Supplier Scorecard Criteria,Criteria Formula,Criteria Formula -,Support Analytics,ສະຫນັບສະຫນູນການວິເຄາະ +apps/erpnext/erpnext/config/support.py,Support Analytics,ສະຫນັບສະຫນູນການວິເຄາະ apps/erpnext/erpnext/config/quality_management.py,Review and Action,ການທົບທວນແລະການປະຕິບັດ DocType: Account,"If the account is frozen, entries are allowed to restricted users.","ຖ້າບັນຊີຖືກແຊກແຊງ, ລາຍການຈະຖືກອະນຸຍາດໃຫ້ຜູ້ໃຊ້ຖືກຈໍາກັດ." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,ຈໍານວນເງິນຫລັງການຫັກຄ່າ @@ -5928,7 +5960,6 @@ DocType: Contract Template,Contract Terms and Conditions,ເງື່ອນໄ apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Fetch Data DocType: Stock Settings,Default Item Group,Default Item Group DocType: Sales Invoice Timesheet,Billing Hours,ເວລາໃບບິນ -DocType: Item,Item Code for Suppliers,ລະຫັດສິນຄ້າສໍາລັບຜູ້ສະຫນອງ apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},ອອກຈາກແອັບພລິເຄຊັນ {0} ແລ້ວມີຕໍ່ນັກຮຽນ {1} DocType: Pricing Rule,Margin Type,ປະເພດຂອບໃບ DocType: Purchase Invoice Item,Rejected Serial No,Rejected Serial No @@ -6001,6 +6032,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,ໃບໄດ້ຮັບການຍອມຮັບຢ່າງສົມບູນ DocType: Loyalty Point Entry,Expiry Date,ວັນຫມົດອາຍຸ DocType: Project Task,Working,ການເຮັດວຽກ +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ແລ້ວມີຂັ້ນຕອນຂອງພໍ່ແມ່ {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,ນີ້ແມ່ນອີງໃສ່ການໂອນເງິນກັບຜູ້ປ່ວຍນີ້. ເບິ່ງຕາຕະລາງຂ້າງລຸ່ມສໍາລັບລາຍລະອຽດ DocType: Material Request,Requested For,Requested For DocType: SMS Center,All Sales Person,ຜູ້ຂາຍທັງຫມົດ @@ -6088,6 +6120,7 @@ DocType: Loan Type,Maximum Loan Amount,ຈໍານວນເງິນກູ້ apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,ອີເມວທີ່ບໍ່ພົບໃນຕິດຕໍ່ທາງເລືອກ DocType: Hotel Room Reservation,Booked,ຖືກຈອງ DocType: Maintenance Visit,Partially Completed,ບາງສ່ວນສໍາເລັດແລ້ວ +DocType: Quality Procedure Process,Process Description,ລາຍລະອຽດຂອງຂະບວນການ DocType: Company,Default Employee Advance Account,Default Employee Advance Account DocType: Leave Type,Allow Negative Balance,ອະນຸຍາດໃຫ້ມີດຸນງົບປະມານ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,ຊື່ແຜນການປະເມີນຜົນ @@ -6129,6 +6162,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Request for Quotation Item apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} ເຂົ້າສອງເທື່ອໃນລາຍການພາສີ DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,ດຶງດູດພາສີຢ່າງເຕັມທີ່ໃນວັນທີຈ່າຍເງິນທີ່ເລືອກ +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,ວັນທີກວດກາຄາບອນສຸດທ້າຍບໍ່ສາມາດເປັນວັນທີໃນອະນາຄົດ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,ເລືອກບັນຊີເງິນທີ່ມີການປ່ຽນແປງ DocType: Support Settings,Forum Posts,Forum Posts DocType: Timesheet Detail,Expected Hrs,ຄາດວ່າຈະມາເຖິງ @@ -6138,7 +6172,7 @@ DocType: Program Enrollment Tool,Enroll Students,ລົງທະບຽນນັ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Repeat Revenue Customer DocType: Company,Date of Commencement,Date of Commencement DocType: Bank,Bank Name,ຊື່ທະນາຄານ -DocType: Quality Goal,December,ເດືອນທັນວາ +DocType: GSTR 3B Report,December,ເດືອນທັນວາ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,ວັນທີ່ຖືກຕ້ອງຕ້ອງຫນ້ອຍກວ່າວັນທີທີ່ຖືກຕ້ອງ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,ນີ້ແມ່ນອີງໃສ່ການເຂົ້າຮ່ວມຂອງພະນັກງານນີ້ DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","ຖ້າຖືກກວດສອບ, ຫນ້າໂຮມເພດຈະເປັນຊຸດຂອງກຸ່ມຕົ້ນສະບັບສໍາລັບເວັບໄຊທ໌" @@ -6181,6 +6215,7 @@ DocType: Payment Entry,Payment Type,ປະເພດການຈ່າຍເງ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,ຕົວເລກຕົວຫນັງສືແມ່ນບໍ່ກົງກັນ DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF -YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},ການກວດກາຄຸນນະພາບ: {0} ບໍ່ໄດ້ສົ່ງສໍາລັບລາຍການ: {1} ໃນແຖວ {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},ສະແດງ {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} ລາຍການພົບ. ,Stock Ageing,Stocking Aging DocType: Customer Group,Mention if non-standard receivable account applicable,ຊີ້ໃຫ້ເຫັນວ່າບັນຊີຫນີ້ທີ່ບໍ່ຖືກຕ້ອງຕາມມາດຕະຖານສາມາດໃຊ້ໄດ້ @@ -6458,6 +6493,7 @@ DocType: Travel Request,Costing,ຄ່າໃຊ້ຈ່າຍ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Fixed Assets DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,ລວມລາຍໄດ້ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ລູກຄ້າ> ກຸ່ມລູກຄ້າ> ອານາເຂດ DocType: Share Balance,From No,ຈາກ No DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ໃບເກັບເງິນການຄືນເງິນການຊໍາລະເງິນ DocType: Purchase Invoice,Taxes and Charges Added,ພາສີແລະຄ່າບໍລິການເພີ່ມ @@ -6465,7 +6501,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,ພິຈາລ DocType: Authorization Rule,Authorized Value,ມູນຄ່າທີ່ໄດ້ຮັບອະນຸຍາດ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,ໄດ້ຮັບຈາກ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,ຄັງເກັບ {0} ບໍ່ມີຢູ່ +DocType: Item Manufacturer,Item Manufacturer,Item Manufacturer DocType: Sales Invoice,Sales Team,ທີມຂາຍ +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Qty DocType: Purchase Order Item Supplied,Stock UOM,ຫຸ້ນ UOM DocType: Installation Note,Installation Date,ວັນທີ່ຕິດຕັ້ງ DocType: Email Digest,New Quotations,New Quotations @@ -6529,7 +6567,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,ຊື່ວັນພັກ DocType: Water Analysis,Collection Temperature ,Collection Temperature DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,ຈັດການຈັດການການແຕ່ງຕັ້ງໃບແຈ້ງຫນີ້ສົ່ງແລະຍົກເລີກໂດຍອັດຕະໂນມັດສໍາລັບການພົບກັບຜູ້ເຈັບ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,ກະລຸນາຕັ້ງຊື່ຊຸດຊື່ສໍາລັບ {0} ຜ່ານ Setup> Settings> Naming Series DocType: Employee Benefit Claim,Claim Date,ວັນທີ່ຮ້ອງຂໍ DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,ປ່ອຍໃຫ້ຫວ່າງຖ້າຜູ້ໃຫ້ບໍລິການຖືກປິດບັງຕະຫຼອດເວລາ apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,ການເຂົ້າຮ່ວມຈາກວັນທີແລະການເຂົ້າຮ່ວມໃນວັນທີແມ່ນຈໍາເປັນ @@ -6540,6 +6577,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Date Of Retirement apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Please select Patient DocType: Asset,Straight Line,Straight Line +DocType: Quality Action,Resolutions,ການແກ້ໄຂ DocType: SMS Log,No of Sent SMS,ບໍ່ມີການສົ່ງ SMS ,GST Itemised Sales Register,GST ລາຍະການຂາຍລາຍເດືອນ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,ຈໍານວນເງິນລ່ວງຫນ້າທັງຫມົດບໍ່ສາມາດຈະສູງກວ່າຈໍານວນເງິນທີ່ຖືກລົງໂທດທັງຫມົດ @@ -6650,7 +6688,7 @@ DocType: Account,Profit and Loss,ກໍາໄຮແລະການສູນເ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Asset Finance Book,Written Down Value,ລາຄາຂຽນລົງ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,ເປີດໂອກາດການດຸ່ນດ່ຽງ -DocType: Quality Goal,April,ເມສາ +DocType: GSTR 3B Report,April,ເມສາ DocType: Supplier,Credit Limit,ຈໍາກັດການປ່ອຍສິນເຊື່ອ apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,ການແຈກຢາຍ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6705,6 +6743,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ເຊື່ອມຕໍ່ Shopify ກັບ ERPNext DocType: Homepage Section Card,Subtitle,Subtitle DocType: Soil Texture,Loam,Loam +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Supplier> Supplier Type DocType: BOM,Scrap Material Cost(Company Currency),ຕົ້ນທຶນວັດຖຸດິບ (ເງິນບໍລິສັດ) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ບໍ່ຕ້ອງສົ່ງຄໍາສົ່ງ {0} ໄປ DocType: Task,Actual Start Date (via Time Sheet),ວັນທີເລີ່ມຕົ້ນທີ່ແທ້ຈິງ (ຜ່ານເວລາ) @@ -6760,7 +6799,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosage DocType: Cheque Print Template,Starting position from top edge,ຕໍາແຫນ່ງເລີ່ມຕົ້ນຈາກຂອບດ້ານເທິງ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),ໄລຍະເວລານັດຫມາຍ (ນາທີ) -DocType: Pricing Rule,Disable,ປິດການໃຊ້ວຽກ +DocType: Accounting Dimension,Disable,ປິດການໃຊ້ວຽກ DocType: Email Digest,Purchase Orders to Receive,ຊື້ຄໍາສັ່ງທີ່ຈະໄດ້ຮັບ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,ໃບສັ່ງຜະລິດບໍ່ສາມາດຍົກຂຶ້ນມາໄດ້ສໍາລັບ: DocType: Projects Settings,Ignore Employee Time Overlap,ບໍ່ສົນໃຈເວລາເຮັດວຽກຂອງພະນັກງານ @@ -6844,6 +6883,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,ສ້ DocType: Item Attribute,Numeric Values,Numeric Values DocType: Delivery Note,Instructions,ຄໍາແນະນໍາ DocType: Blanket Order Item,Blanket Order Item,Blanket Order Item +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,ບັງຄັບສໍາລັບບັນຊີກໍາໄລແລະການສູນເສຍ apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,ອັດຕາຄະນະກໍາມະການບໍ່ສາມາດຈະສູງກວ່າ 100 DocType: Course Topic,Course Topic,Course Topic DocType: Employee,This will restrict user access to other employee records,ນີ້ຈະຈໍາກັດການເຂົ້າເຖິງຜູ້ໃຊ້ກັບບັນທຶກອື່ນໆຂອງພະນັກງານ @@ -6868,12 +6908,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,ການຄ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,ຮັບລູກຄ້າຈາກ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,ບົດລາຍງານໃຫ້ +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,ບັນຊີພັກ DocType: Assessment Plan,Schedule,ຕາຕະລາງ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,ກະລຸນາເຂົ້າໄປ DocType: Lead,Channel Partner,Channel Partner apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,ຈໍານວນເງິນຈໍານວນເງິນທີ່ຕ້ອງການ DocType: Project,From Template,From Template +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Subscriptions apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,ຈໍານວນທີ່ຕ້ອງເຮັດ DocType: Quality Review Table,Achieved,ປະສົບຜົນສໍາເລັດ @@ -6920,7 +6962,6 @@ DocType: Journal Entry,Subscription Section,Section Subscription DocType: Salary Slip,Payment Days,ວັນຈ່າຍ apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,ຂໍ້ມູນອາສາສະຫມັກ. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'Freeze Stocks Older Than' ຄວນຈະນ້ອຍກວ່າ% d ມື້. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,ເລືອກປີງົບປະມານ DocType: Bank Reconciliation,Total Amount,ຈໍານວນທັງຫມົດ DocType: Certification Application,Non Profit,ບໍ່ແມ່ນກໍາໄລ DocType: Subscription Settings,Cancel Invoice After Grace Period,ຍົກເລີກໃບເກັບເງິນຫຼັງຈາກທີ່ໄດ້ຮັບເງີນ @@ -6933,7 +6974,6 @@ DocType: Serial No,Warranty Period (Days),ໄລຍະເວລາຮັບປ DocType: Expense Claim Detail,Expense Claim Detail,ຄ່າໃຊ້ຈ່າຍຄໍາຮ້ອງຂໍລາຍະລະອຽດ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,ໂປລແກລມ: DocType: Patient Medical Record,Patient Medical Record,Patient Medical Record -DocType: Quality Action,Action Description,ປະຕິບັດຄໍາອະທິບາຍ DocType: Item,Variant Based On,Variant Based On DocType: Vehicle Service,Brake Oil,Brake Oil DocType: Employee,Create User,ສ້າງຜູ້ໃຊ້ @@ -6989,7 +7029,7 @@ DocType: Cash Flow Mapper,Section Name,ຊື່ພາກສ່ວນ DocType: Packed Item,Packed Item,Packed Item apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: ຈໍາເປັນຕ້ອງມີບັນຊີເງິນຝາກຫລືຈໍານວນເຄດິດສໍາລັບ {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Submitting Salary Slips ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,ບໍ່ມີການປະຕິບັດ +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,ບໍ່ມີການປະຕິບັດ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","ງົບປະມານບໍ່ສາມາດຖືກມອບຫມາຍຕໍ່ກັບ {0}, ຍ້ອນວ່າມັນບໍ່ແມ່ນບັນຊີລາຍໄດ້ຫຼືຄ່າໃຊ້ຈ່າຍ" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,ແມ່ບົດແລະບັນຊີ DocType: Quality Procedure Table,Responsible Individual,Responsible Individual @@ -7112,7 +7152,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,ອະນຸຍາດໃຫ້ສ້າງບັນຊີຕໍ່ບໍລິສັດເດັກ DocType: Payment Entry,Company Bank Account,ບັນຊີທະນາຄານຂອງບໍລິສັດ DocType: Amazon MWS Settings,UK,ອັງກິດ -DocType: Quality Procedure,Procedure Steps,Procedure Steps DocType: Normal Test Items,Normal Test Items,Normal Test Items apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Item {0}: ຄໍາສັ່ງ qty {1} ບໍ່ສາມາດນ້ອຍກວ່າຄໍາສັ່ງຂັ້ນຕ່ໍາ qty {2} (ທີ່ກໍານົດໃນ Item). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,ບໍ່ມີໃນສະຕັອກ @@ -7191,7 +7230,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Maintenance Role apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,ເງື່ອນໄຂແລະເງື່ອນໄຂ Template DocType: Fee Schedule Program,Fee Schedule Program,Fee Schedule Program -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,ຫຼັກສູດ {0} ບໍ່ມີ. DocType: Project Task,Make Timesheet,Make Timesheet DocType: Production Plan Item,Production Plan Item,Item Plan Production apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,ນັກຮຽນລວມ @@ -7213,6 +7251,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Wrapping up apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,ທ່ານພຽງແຕ່ສາມາດຕໍ່ອາຍຸຖ້າວ່າສະມາຊິກຂອງທ່ານຫມົດອາຍຸພາຍໃນ 30 ວັນ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},ມູນຄ່າຕ້ອງລະຫວ່າງ {0} ແລະ {1} +DocType: Quality Feedback,Parameters,Parameters ,Sales Partner Transaction Summary,Sales Partner Summary Summary DocType: Asset Maintenance,Maintenance Manager Name,Maintenance Manager Name apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,ມັນຈໍາເປັນຕ້ອງໄດ້ຄົ້ນຫາລາຍະລະອຽດຂອງສິນຄ້າ. @@ -7251,6 +7290,7 @@ DocType: Student Admission,Student Admission,ການເຂົ້າຮຽນ DocType: Designation Skill,Skill,ທັກສະ DocType: Budget Account,Budget Account,ບັນຊີງົບປະມານ DocType: Employee Transfer,Create New Employee Id,ສ້າງຕົວເລກພະນັກງານໃຫມ່ +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} ແມ່ນຕ້ອງການສໍາລັບບັນຊີ 'ກໍາໄລແລະການສູນເສຍ' {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),ພາສີສິນຄ້າແລະການບໍລິການ (GST ອິນເດຍ) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Creating Salary Slips ... DocType: Employee Skill,Employee Skill,ພະນັກງານທັກສະ @@ -7351,6 +7391,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,ໃບເກ DocType: Subscription,Days Until Due,Days Until Due apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,ສະແດງໃຫ້ເຫັນສໍາເລັດ apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,ບົດລາຍງານການລົງທະບຽນຂອງທະນາຄານຂອງທະນາຄານ +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ລະດັບ # {0}: ອັດຕາຕ້ອງຄືກັບ {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR -YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Health Care Service Items @@ -7407,6 +7448,7 @@ DocType: Training Event Employee,Invited,ເຊີນ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},ຈໍານວນເງິນທີ່ສູງສຸດມີເງື່ອນໄຂສໍາລັບອົງປະກອບ {0} ເກີນ {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,ຈໍານວນເງິນທີ່ຕ້ອງຈ່າຍ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","ສໍາລັບ {0}, ບັນຊີຫນີ້ເທົ່ານັ້ນສາມາດເຊື່ອມຕໍ່ກັບບັນຊີເຄດິດອື່ນ" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,ການສ້າງຂະຫນາດ ... DocType: Bank Statement Transaction Entry,Payable Account,ບັນຊີທີ່ຕ້ອງຈ່າຍ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,ໂປດລະບຸຈໍານວນການເຂົ້າຊົມທີ່ຕ້ອງການ DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,ພຽງແຕ່ເລືອກຖ້າທ່ານມີເອກະສານສະແດງລາຄາ Cash Flow Mapper @@ -7424,6 +7466,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,Resolution Time DocType: Grading Scale Interval,Grade Description,ລາຍລະອຽດຂອງຊັ້ນ DocType: Homepage Section,Cards,ບັດ +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Quality Meeting Minutes DocType: Linked Plant Analysis,Linked Plant Analysis,Linked Plant Analysis apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,ວັນຢຸດການບໍລິການບໍ່ສາມາດຢູ່ພາຍຫຼັງທີ່ວັນສິ້ນສຸດການບໍລິການ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,ກະລຸນາຕັ້ງຄ່າ B2C Limit ໃນ GST Settings. @@ -7458,7 +7501,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Employee Attendance T DocType: Employee,Educational Qualification,Qualification ການສຶກສາ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,ຄ່າທີ່ສາມາດເຂົ້າເຖິງໄດ້ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},ປະລິມານຕົວຢ່າງ {0} ບໍ່ສາມາດມີຫຼາຍກ່ວາປະລິມານທີ່ໄດ້ຮັບ {1} -DocType: Quiz,Last Highest Score,ຜະລິດແນນສູງສຸດສຸດທ້າຍ DocType: POS Profile,Taxes and Charges,ພາສີແລະຄ່າບໍລິການ DocType: Opportunity,Contact Mobile No,Contact Mobile No DocType: Employee,Joining Details,ເຂົ້າຮ່ວມລາຍລະອຽດ diff --git a/erpnext/translations/lt.csv b/erpnext/translations/lt.csv index 78d8bf10eb..63422b2adc 100644 --- a/erpnext/translations/lt.csv +++ b/erpnext/translations/lt.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Tiekėjo dalis Nr DocType: Journal Entry Account,Party Balance,Šalies balansas apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Fondų šaltinis (įsipareigojimai) DocType: Payroll Period,Taxable Salary Slabs,Apmokestinamos atlyginimo plokštės +DocType: Quality Action,Quality Feedback,Kokybės atsiliepimai DocType: Support Settings,Support Settings,Paramos nustatymai apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Pirmiausia įveskite gamybos elementą DocType: Quiz,Grading Basis,Įvertinimo pagrindas @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Daugiau informa DocType: Salary Component,Earning,Uždirbimas DocType: Restaurant Order Entry,Click Enter To Add,Spustelėkite Enter To Add DocType: Employee Group,Employee Group,Darbuotojų grupė +DocType: Quality Procedure,Processes,Procesai DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,"Nurodykite valiutų kursą, jei norite konvertuoti vieną valiutą į kitą" apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Senėjimo diapazonas 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Sandėlis reikalingas atsargai {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Skundas DocType: Shipping Rule,Restrict to Countries,Apriboti tik šalims DocType: Hub Tracked Item,Item Manager,Elementų tvarkyklė apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Uždarymo sąskaitos valiuta turi būti {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Biudžetai apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Sąskaitos faktūros atidarymas DocType: Work Order,Plan material for sub-assemblies,"Suplanuokite medžiagą, skirtą agregatams" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Aparatūra DocType: Budget,Action if Annual Budget Exceeded on MR,"Veiksmas, jei metinis biudžetas viršija MR" DocType: Sales Invoice Advance,Advance Amount,Išankstinė suma +DocType: Accounting Dimension,Dimension Name,Dydžio pavadinimas DocType: Delivery Note Item,Against Sales Invoice Item,Prieš pardavimo sąskaitos elementą DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Įtraukti gaminį @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Ką tai daro? ,Sales Invoice Trends,Pardavimų sąskaitų faktūrų tendencijos DocType: Bank Reconciliation,Payment Entries,Mokėjimo įrašai DocType: Employee Education,Class / Percentage,Klasė / procentinė dalis -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Elemento kodas> Prekių grupė> Gamintojas ,Electronic Invoice Register,Elektroninių sąskaitų faktūrų registras DocType: Sales Invoice,Is Return (Credit Note),Ar grąža (kredito pastaba) DocType: Lab Test Sample,Lab Test Sample,Laboratorinio tyrimo pavyzdys @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Variantai apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Mokesčiai bus paskirstyti proporcingai pagal elemento kiekį arba sumą, pagal jūsų pasirinkimą" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Laukiama veikla šiandien +DocType: Quality Procedure Process,Quality Procedure Process,Kokybės procedūros procesas DocType: Fee Schedule Program,Student Batch,Studentų partija apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},"Vertinimo norma, reikalinga {0} eilutės elementui" DocType: BOM Operation,Base Hour Rate(Company Currency),Pagrindinės valandos tarifas (įmonės valiuta) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Nustatyti kiekius operacijose pagal serijos Nr. Įvestį apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Išankstinės sąskaitos valiuta turėtų būti tokia pati kaip įmonės valiuta {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Tinkinti pagrindinį puslapį -DocType: Quality Goal,October,Spalio mėn +DocType: GSTR 3B Report,October,Spalio mėn DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Slėpti pardavimo sandorių mokesčių mokėtojo ID apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Netinkamas GSTIN! GSTIN turi būti 15 simbolių. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Kainos taisyklė {0} atnaujinama @@ -396,7 +400,7 @@ DocType: Leave Encashment,Leave Balance,Palikite pusiausvyrą apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Priežiūros planas {0} egzistuoja prieš {1} DocType: Assessment Plan,Supervisor Name,Vadovo vardas DocType: Selling Settings,Campaign Naming By,Kampanijos pavadinimas pagal -DocType: Course,Course Code,Modulio kodas +DocType: Student Group Creation Tool Course,Course Code,Modulio kodas apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace DocType: Landed Cost Voucher,Distribute Charges Based On,Paskirstykite mokesčius pagal „On“ DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Tiekėjo rezultatų suvestinės kriterijai @@ -478,10 +482,8 @@ DocType: Restaurant Menu,Restaurant Menu,Restorano meniu DocType: Asset Movement,Purpose,Tikslas apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Atlyginimų struktūros priskyrimas darbuotojui jau yra DocType: Clinical Procedure,Service Unit,Paslaugų skyrius -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klientas> Klientų grupė> Teritorija DocType: Travel Request,Identification Document Number,Identifikavimo dokumento numeris DocType: Stock Entry,Additional Costs,Papildomos išlaidos -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Tėvų kursas (palikite tuščią, jei tai nėra tėvų kursų dalis)" DocType: Employee Education,Employee Education,Darbuotojų švietimas apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Pozicijų skaičius negali būti mažesnis už dabartinį darbuotojų skaičių apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Visos klientų grupės @@ -528,6 +530,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,{0} eilutė: Kiekis yra privalomas DocType: Sales Invoice,Against Income Account,Prieš pajamų sąskaitą apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},# {0} eilutė: pirkimo sąskaita faktūra negali būti pateikta pagal esamą turtą {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Įvairių reklamos schemų taikymo taisyklės. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},"UOM perskaičiavimo koeficientas, reikalingas UOM: {0} elemente: {1}" apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Įveskite {0} elemento kiekį DocType: Workstation,Electricity Cost,Elektros sąnaudos @@ -862,7 +865,6 @@ DocType: Item,Total Projected Qty,Bendras numatomas kiekis apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Faktinė pradžios data 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 nedalyvaujate visą dieną (-as) tarp kompensacinių atostogų dienų -DocType: Company,About the Company,Apie įmonę apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Finansinių sąskaitų medis. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Netiesioginės pajamos DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Viešbučio kambarių rezervavimo punktas @@ -877,6 +879,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Potencialių DocType: Skill,Skill Name,Įgūdžių pavadinimas apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Spausdinti ataskaitos kortelę DocType: Soil Texture,Ternary Plot,Trivietis sklypas +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nustatykite {0} pavadinimo seriją naudodami sąrankos nustatymus> Nustatymai> Pavadinimo serija apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Palaikymo bilietai DocType: Asset Category Account,Fixed Asset Account,Fiksuoto turto sąskaita apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Naujausi @@ -886,6 +889,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Programos priėmimo ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Nustatykite naudotiną seriją. DocType: Delivery Trip,Distance UOM,Atstumas UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Privalomas balansui DocType: Payment Entry,Total Allocated Amount,Bendra skirta suma DocType: Sales Invoice,Get Advances Received,Gaukite gautus avansus DocType: Student,B-,B- @@ -909,6 +913,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Techninės prieži apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,„POS“ įrašai reikalingi POS įrašui atlikti DocType: Education Settings,Enable LMS,Įgalinti LMS DocType: POS Closing Voucher,Sales Invoices Summary,Pardavimų sąskaitų faktūrų suvestinė +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Nauda apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kreditas į sąskaitą turi būti balanso sąskaita DocType: Video,Duration,Trukmė DocType: Lab Test Template,Descriptive,Aprašomasis @@ -959,6 +964,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Pradžios ir pabaigos datos DocType: Supplier Scorecard,Notify Employee,Pranešti apie darbuotoją apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Programinė įranga +DocType: Program,Allow Self Enroll,Leisti savarankiškai registruotis apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Išlaidos apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Nuorodos numeris yra privalomas, jei įvedėte nuorodos datą" DocType: Training Event,Workshop,Seminaras @@ -1011,6 +1017,7 @@ DocType: Lab Test Template,Lab Test Template,Lab bandymo šablonas apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks.: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informacijos apie e. Sąskaitą faktūros trūksta apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nėra sukurtas materialus prašymas +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Elemento kodas> Prekių grupė> Gamintojas DocType: Loan,Total Amount Paid,Iš viso sumokėta suma apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Visi šie elementai jau buvo išrašyti sąskaitoje DocType: Training Event,Trainer Name,Trenerio vardas @@ -1032,6 +1039,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Mokslo metai DocType: Sales Stage,Stage Name,Sceninis vardas DocType: SMS Center,All Employee (Active),Visi darbuotojai (aktyvūs) +DocType: Accounting Dimension,Accounting Dimension,Apskaitos dimensija DocType: Project,Customer Details,Kliento duomenys DocType: Buying Settings,Default Supplier Group,Numatytoji tiekėjų grupė apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Pirmiausia atšaukite pirkimo čekį {0} @@ -1146,7 +1154,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Didesnis skaiči DocType: Designation,Required Skills,Reikalingi įgūdžiai DocType: Marketplace Settings,Disable Marketplace,Išjungti „Marketplace“ DocType: Budget,Action if Annual Budget Exceeded on Actual,"Veiksmas, jei metinis biudžetas viršijamas faktiškai" -DocType: Course,Course Abbreviation,Kurso santrumpa apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,"Dalyvavimas, nepateiktas {0} kaip {1} atostogų metu." DocType: Pricing Rule,Promotional Scheme Id,Reklaminės schemos ID apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Užduoties {0} pabaigos data negali būti didesnė nei {1} tikėtina pabaigos data {2} @@ -1289,7 +1296,7 @@ DocType: Bank Guarantee,Margin Money,Pinigų marža DocType: Chapter,Chapter,Skyrius DocType: Purchase Receipt Item Supplied,Current Stock,Akcijos DocType: Employee,History In Company,Istorija įmonėje -DocType: Item,Manufacturer,Gamintojas +DocType: Purchase Invoice Item,Manufacturer,Gamintojas apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Vidutinis jautrumas DocType: Compensatory Leave Request,Leave Allocation,Palikite paskirstymą DocType: Timesheet,Timesheet,Laiko juosta @@ -1320,6 +1327,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Gamybai perduota med DocType: Products Settings,Hide Variants,Slėpti variantus DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Išjungti pajėgumų planavimą ir laiko stebėjimą DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Bus skaičiuojamas sandoryje. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,„Balanso“ paskyrai {1} reikia {0}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} neleidžiama prekiauti su {1}. Pakeiskite bendrovę. 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 nurodyta pirkimo nuostatose, jei reikia įsigyti pirkimo == 'TAIP', tada norėdami sukurti pirkimo sąskaitą, vartotojas turi sukurti pirkinį „Pirkimo kvitas“ elementui {0}" DocType: Delivery Trip,Delivery Details,Pristatymo duomenys @@ -1355,7 +1363,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Ankstesnis apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Matavimo vienetas DocType: Lab Test,Test Template,Bandymo šablonas DocType: Fertilizer,Fertilizer Contents,Trąšų turinys -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minutė +DocType: Quality Meeting Minutes,Minute,Minutė apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","# {0} eilutė: negalima pateikti turto {1}, jis jau yra {2}" DocType: Task,Actual Time (in Hours),Faktinis laikas (valandomis) DocType: Period Closing Voucher,Closing Account Head,Sąskaitos vadovo uždarymas @@ -1528,7 +1536,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorija DocType: Purchase Order,To Bill,Apmokestinti apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Naudingumo išlaidos DocType: Manufacturing Settings,Time Between Operations (in mins),Laikas tarp operacijų (min.) -DocType: Quality Goal,May,Gegužė +DocType: GSTR 3B Report,May,Gegužė apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Mokėjimo šliuzo paskyra nėra sukurta, sukurkite ją rankiniu būdu." DocType: Opening Invoice Creation Tool,Purchase,Pirkimas DocType: Program Enrollment,School House,Mokyklos namai @@ -1560,6 +1568,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,K DocType: Supplier,Statutory info and other general information about your Supplier,Teisinė informacija ir kita bendra informacija apie jūsų tiekėją DocType: Item Default,Default Selling Cost Center,Numatytojo pardavimo kainos centras DocType: Sales Partner,Address & Contacts,Adresas ir kontaktai +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Prašome nustatyti numeravimo serijas dalyvavimui naudojant sąranką> Numeracijos serija DocType: Subscriber,Subscriber,Abonentas apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) yra nepasiekiamas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Pirmiausia pasirinkite paskelbimo datą @@ -1587,6 +1596,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Stacionarinio apsilankym DocType: Bank Statement Settings,Transaction Data Mapping,Operacijų duomenų atvaizdavimas apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Švinas reikalauja asmens vardo arba organizacijos pavadinimo DocType: Student,Guardians,Globėjai +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Švietimo> Švietimo nustatymuose nustatykite instruktoriaus pavadinimo sistemą apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Pasirinkite prekės ženklą ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Vidutinės pajamos DocType: Shipping Rule,Calculate Based On,Apskaičiuokite pagrindu @@ -1598,7 +1608,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Išlaidų reikalavimo avans DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Apvalinimo koregavimas (įmonės valiuta) DocType: Item,Publish in Hub,Paskelbkite „Hub“ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,Rugpjūtis +DocType: GSTR 3B Report,August,Rugpjūtis apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Pirmiausia įveskite pirkimo čekį apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Pradžios metai apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Taikymas ({}) @@ -1617,6 +1627,7 @@ DocType: Item,Max Sample Quantity,Maksimalus mėginio kiekis apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Šaltinis ir tikslinis sandėlis turi būti skirtingi DocType: Employee Benefit Application,Benefits Applied,Taikomos išmokos apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Prieš žurnalo įrašą {0} neturi jokio nesuderinto {1} įrašo +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Specialieji simboliai, išskyrus "-", "#", ".", "/", "{" Ir "}", neleidžiami vardų serijoje" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Reikalingos kainos arba nuolaidų plokštės apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Nustatykite taikinį apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Dalyvio įrašas {0} egzistuoja prieš studentą {1} @@ -1632,10 +1643,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Per mėnesį DocType: Routing,Routing Name,Maršruto pavadinimas DocType: Disease,Common Name,Dažnas vardas -DocType: Quality Goal,Measurable,Išmatuojamas DocType: Education Settings,LMS Title,LMS pavadinimas apps/erpnext/erpnext/config/non_profit.py,Loan Management,Paskolų valdymas -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Palaikykite „Analty“ DocType: Clinical Procedure,Consumable Total Amount,Vartojama bendra suma apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Įgalinti šabloną apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Kliento LPO @@ -1775,6 +1784,7 @@ DocType: Restaurant Order Entry Item,Served,Pateikta DocType: Loan,Member,Narys DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Praktikų aptarnavimo skyriaus tvarkaraštis apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Vielos perkėlimas +DocType: Quality Review Objective,Quality Review Objective,Kokybės peržiūros tikslas DocType: Bank Reconciliation Detail,Against Account,Prieš sąskaitą DocType: Projects Settings,Projects Settings,Projektų nustatymai apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Tikrasis kiekis {0} / laukimo kiekis {1} @@ -1803,6 +1813,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ri apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Finansinių metų pabaigos data turėtų būti vieneri metai nuo fiskalinių metų pradžios datos apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Dienos priminimai DocType: Item,Default Sales Unit of Measure,Numatytasis matavimo vienetas +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Įmonė GSTIN DocType: Asset Finance Book,Rate of Depreciation,Nusidėvėjimo norma DocType: Support Search Source,Post Description Key,Skelbimo aprašo raktas DocType: Loyalty Program Collection,Minimum Total Spent,Minimali bendra suma @@ -1874,6 +1885,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Kliento grupės keitimas pasirinktam klientui neleidžiamas. DocType: Serial No,Creation Document Type,Kūrimo dokumento tipas DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Galimas partijos kiekis sandėlyje +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Sąskaitos faktūra „Grand Total“ apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Tai šakninė teritorija ir negali būti redaguojama. DocType: Patient,Surgical History,Chirurginė istorija apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Kokybės procedūrų medis. @@ -1978,6 +1990,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,P DocType: Item Group,Check this if you want to show in website,"Patikrinkite, ar norite rodyti svetainėje" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskaliniai metai {0} nerastas DocType: Bank Statement Settings,Bank Statement Settings,Banko ataskaitos nustatymai +DocType: Quality Procedure Process,Link existing Quality Procedure.,Susieti esamą kokybės tvarką. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Importuoti sąskaitų schemą iš CSV / Excel failų DocType: Appraisal Goal,Score (0-5),Rezultatas (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Atributas lentelėje pažymėtas kelis kartus atributas {0} DocType: Purchase Invoice,Debit Note Issued,Išrašyta debeto pastaba @@ -1986,7 +2000,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Palikite politikos informaciją apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Sandėlis sistemoje nerastas DocType: Healthcare Practitioner,OP Consulting Charge,OP konsultavimo mokestis -DocType: Quality Goal,Measurable Goal,Išmatuotinas tikslas DocType: Bank Statement Transaction Payment Item,Invoices,Sąskaitos DocType: Currency Exchange,Currency Exchange,Valiutos keitykla DocType: Payroll Entry,Fortnightly,Naktį @@ -2049,6 +2062,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} nepateikiama DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Atsarginės žaliavos iš nepertraukiamo sandėlio DocType: Maintenance Team Member,Maintenance Team Member,Techninės priežiūros komandos narys +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Nustatykite individualius apskaitos matmenis DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimalus atstumas tarp augalų eilučių siekiant optimalaus augimo DocType: Employee Health Insurance,Health Insurance Name,Sveikatos draudimo pavadinimas apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Akcijų turtas @@ -2081,7 +2095,7 @@ DocType: Delivery Note,Billing Address Name,Atsiskaitymo adreso pavadinimas apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Pakaitinis elementas DocType: Certification Application,Name of Applicant,Pareiškėjo pavadinimas DocType: Leave Type,Earned Leave,Uždirbtas atostogas -DocType: Quality Goal,June,Birželio mėn +DocType: GSTR 3B Report,June,Birželio mėn apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},{0} eilutė: elementui {1} reikalingas išlaidų centras apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Galima patvirtinti {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,{0} matavimo vienetas konversijos koeficiento lentelėje buvo įvestas daugiau nei vieną kartą @@ -2102,6 +2116,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standartinė pardavimo norma apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Nustatykite aktyvų meniu restorane {0} 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“ vaidmenų naudotojas." DocType: Asset Finance Book,Asset Finance Book,Turto finansinė knyga +DocType: Quality Goal Objective,Quality Goal Objective,Kokybės tikslo tikslas DocType: Employee Transfer,Employee Transfer,Darbuotojų perkėlimas ,Sales Funnel,Pardavimų piltuvas DocType: Agriculture Analysis Criteria,Water Analysis,Vandens analizė @@ -2140,6 +2155,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Darbuotojų perk apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Laukiama veikla apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Išvardinkite keletą savo klientų. Jie gali būti organizacijos ar asmenys. DocType: Bank Guarantee,Bank Account Info,Banko sąskaitos informacija +DocType: Quality Goal,Weekday,Savaitės diena apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 pavadinimas DocType: Salary Component,Variable Based On Taxable Salary,Kintamasis pagal apmokestinamąjį atlyginimą DocType: Accounting Period,Accounting Period,Apskaitos laikotarpis @@ -2223,7 +2239,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Apvalinimo koregavimas DocType: Quality Review Table,Quality Review Table,Kokybės peržiūros lentelė DocType: Member,Membership Expiry Date,Narystės galiojimo data DocType: Asset Finance Book,Expected Value After Useful Life,Numatoma vertė po naudingo tarnavimo laiko -DocType: Quality Goal,November,Lapkričio mėn +DocType: GSTR 3B Report,November,Lapkričio mėn DocType: Loan Application,Rate of Interest,Palūkanų norma DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Banko ataskaitos operacijos mokėjimo punktas DocType: Restaurant Reservation,Waitlisted,Laukiama sąraše @@ -2287,6 +2303,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","{0} eilutė: norėdami nustatyti {1} periodiškumą, skirtumas tarp nuo ir iki dienos turi būti didesnis arba lygus {2}" DocType: Purchase Invoice Item,Valuation Rate,Vertinimo norma DocType: Shopping Cart Settings,Default settings for Shopping Cart,Prekių krepšelio numatytieji nustatymai +DocType: Quiz,Score out of 100,Rezultatas iš 100 DocType: Manufacturing Settings,Capacity Planning,Pajėgumų planavimas apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Eikite į instruktorius DocType: Activity Cost,Projects,Projektai @@ -2296,6 +2313,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Nuo laiko apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variantų ataskaitos ataskaita +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Pirkimas apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} laiko tarpsniai nėra įtraukti į tvarkaraštį DocType: Target Detail,Target Distribution,Tikslinis paskirstymas @@ -2313,6 +2331,7 @@ DocType: Activity Cost,Activity Cost,Veiklos kaina DocType: Journal Entry,Payment Order,Pirkimo užsakymas apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Kainos ,Item Delivery Date,Prekių pristatymo data +DocType: Quality Goal,January-April-July-October,Sausio – balandžio – liepos – spalio mėn DocType: Purchase Order Item,Warehouse and Reference,Sandėlis ir nuoroda apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,"Paskyra, kurioje yra vaikų mazgų, negali būti konvertuojama į knygą" DocType: Soil Texture,Clay Composition (%),Molio sudėtis (%) @@ -2363,6 +2382,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Ateities datos neleid apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,„Varaiance“ apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,{0} eilutė: nustatykite mokėjimo būdą mokėjimo grafike apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Akademinis terminas: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Kokybės atsiliepimų parametras apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Pasirinkite Apply Discount apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,# {0} eilutė: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Iš viso mokėjimų @@ -2405,7 +2425,7 @@ DocType: Hub Tracked Item,Hub Node,Stebėjimo mazgas apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Darbuotojo ID DocType: Salary Structure Assignment,Salary Structure Assignment,Atlyginimų struktūros priskyrimas DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS uždarymo čekių mokesčiai -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Veiksmas inicijuotas +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Veiksmas inicijuotas DocType: POS Profile,Applicable for Users,Taikoma naudotojams DocType: Training Event,Exam,Egzaminas apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nerasta klaidingų pagrindinių knygų įrašų. Galbūt pasirinkote neteisingą paskyrą operacijoje. @@ -2512,6 +2532,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Ilguma DocType: Accounts Settings,Determine Address Tax Category From,Nustatykite adreso mokesčių kategoriją nuo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Sprendimų priėmėjų nustatymas +DocType: Stock Entry Detail,Reference Purchase Receipt,Nuoroda Pirkimo kvitas apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Gaukite „Invocies“ DocType: Tally Migration,Is Day Book Data Imported,Ar importuojami dienos knygų duomenys ,Sales Partners Commission,Pardavimų partnerių komisija @@ -2535,6 +2556,7 @@ DocType: Leave Type,Applicable After (Working Days),Taikoma po (darbo dienos) DocType: Timesheet Detail,Hrs,Val DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Tiekėjo rezultatų vertinimo kriterijai DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Kokybės atsiliepimų šablono parametras apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Prisijungimo data turi būti didesnė už gimimo datą DocType: Bank Statement Transaction Invoice Item,Invoice Date,Sąskaitos data DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Sukurti „Lab“ testą (-us) pardavimų sąskaitoje faktūroje @@ -2641,7 +2663,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimali leistina ver DocType: Stock Entry,Source Warehouse Address,Šaltinio sandėlio adresas DocType: Compensatory Leave Request,Compensatory Leave Request,Kompensacinio atostogų prašymas DocType: Lead,Mobile No.,Mobilusis Nr. -DocType: Quality Goal,July,Liepos mėn +DocType: GSTR 3B Report,July,Liepos mėn apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Tinkama ITC DocType: Fertilizer,Density (if liquid),Tankis (jei skystas) DocType: Employee,External Work History,Išorės darbo istorija @@ -2717,6 +2739,7 @@ DocType: Certification Application,Certification Status,Sertifikavimo būsena apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Šaltinio vieta reikalinga turiniui {0} DocType: Employee,Encashment Date,Priėmimo data apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Pasirinkite užbaigto turto priežiūros žurnalo užbaigimo datą +DocType: Quiz,Latest Attempt,Paskutinis bandymas DocType: Leave Block List,Allow Users,Leisti naudotojams apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Sąskaitų diagrama apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"Klientas yra privalomas, jei „Opportunity From“ yra pasirinktas Klientu" @@ -2781,7 +2804,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Tiekėjas Scorecard DocType: Amazon MWS Settings,Amazon MWS Settings,„Amazon MWS“ nustatymai DocType: Program Enrollment,Walking,Ėjimas DocType: SMS Log,Requested Numbers,Prašomi numeriai -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Prašome nustatyti numeravimo serijas dalyvavimui naudojant sąranką> Numeracijos serija DocType: Woocommerce Settings,Freight and Forwarding Account,Krovinių ir persiuntimo sąskaita apps/erpnext/erpnext/accounts/party.py,Please select a Company,Pasirinkite įmonę apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,{0} eilutė: {1} turi būti didesnė nei 0 @@ -2851,7 +2873,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Klientams i DocType: Training Event,Seminar,Seminaras apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kreditas ({0}) DocType: Payment Request,Subscription Plans,Prenumeratos planai -DocType: Quality Goal,March,Kovas +DocType: GSTR 3B Report,March,Kovas apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Split partija DocType: School House,House Name,Namo Pavadinimas apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Neįvykdyta {0} suma negali būti mažesnė už nulį ({1}) @@ -2914,7 +2936,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Draudimo pradžios data DocType: Target Detail,Target Detail,Tikslinė informacija DocType: Packing Slip,Net Weight UOM,Grynasis svoris UOM -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}) elementui: {2} nerastas DocType: Purchase Invoice Item,Net Amount (Company Currency),Grynoji suma (įmonės valiuta) DocType: Bank Statement Transaction Settings Item,Mapped Data,Žemėlapiai apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Vertybiniai popieriai ir indėliai @@ -2964,6 +2985,7 @@ DocType: Cheque Print Template,Cheque Height,Patikrinkite aukštį apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Įveskite atleidimo datą. DocType: Loyalty Program,Loyalty Program Help,Lojalumo programos pagalba DocType: Journal Entry,Inter Company Journal Entry Reference,„Inter Company Journal“ įrašo įrašas +DocType: Quality Meeting,Agenda,Darbotvarkė DocType: Quality Action,Corrective,Koreguojama apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Grupuoti pagal DocType: Bank Account,Address and Contact,Adresas ir kontaktas @@ -3017,7 +3039,7 @@ DocType: GL Entry,Credit Amount,Kredito suma apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Iš viso kredituota suma DocType: Support Search Source,Post Route Key List,Po maršruto raktų sąrašo apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} ne bet kuriame aktyviame fiskaliniame metais. -DocType: Quality Action Table,Problem,Problema +DocType: Quality Action Resolution,Problem,Problema DocType: Training Event,Conference,Konferencija DocType: Mode of Payment Account,Mode of Payment Account,Mokėjimo sąskaitos būdas DocType: Leave Encashment,Encashable days,Pridedamos dienos @@ -3143,7 +3165,7 @@ DocType: Item,"Purchase, Replenishment Details","Pirkimo, papildymo informacija" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Kai bus nustatyta, ši sąskaita bus užlaikyta iki nustatytos datos" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"Nuo {0} elemento negalima įsigyti atsargų, nes yra variantų" DocType: Lab Test Template,Grouped,Sugrupuota -DocType: Quality Goal,January,Sausio mėn +DocType: GSTR 3B Report,January,Sausio mėn DocType: Course Assessment Criteria,Course Assessment Criteria,Kursų vertinimo kriterijai DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Užbaigtas kiekis @@ -3238,7 +3260,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Sveikatos pri apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Į lentelę įveskite bent 1 sąskaitą apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Pardavimo užsakymas {0} nepateikiamas apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Dalyvavimas buvo pažymėtas sėkmingai. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Prieš-išpardavimai +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Prieš-išpardavimai apps/erpnext/erpnext/config/projects.py,Project master.,Projekto vadovas. DocType: Daily Work Summary,Daily Work Summary,Dienos darbo suvestinė DocType: Asset,Partially Depreciated,Iš dalies nudėvima @@ -3247,6 +3269,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Palikite įklijuotą? DocType: Certified Consultant,Discuss ID,Aptarkite ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,GST nustatymuose nustatykite GST paskyras +DocType: Quiz,Latest Highest Score,Naujausias aukščiausias balas DocType: Supplier,Billing Currency,Atsiskaitymo valiuta apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Studentų veikla apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Privaloma nurodyti tikslinį kiekį arba tikslinę sumą @@ -3272,18 +3295,21 @@ DocType: Sales Order,Not Delivered,Nepristatytas apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"{0} atostogų tipas negali būti priskirtas, nes tai yra atostogos be darbo užmokesčio" DocType: GL Entry,Debit Amount,Debeto suma apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Jau įrašytas elementas {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Pogrupiai 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 toliau vyrauja kelios kainų nustatymo taisyklės, naudotojai raginami nustatyti prioritetą rankiniu būdu, kad išspręstų konfliktą." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Negalima išskaičiuoti, kai kategorija yra „Vertinimas“ arba „Vertinimas ir bendras“" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Reikalingi BOM ir gamybos kiekiai apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},{0} elementas pasiekė savo gyvenimo pabaigą {1} DocType: Quality Inspection Reading,Reading 6,Skaitymas 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Reikalingas įmonės laukas apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Gamybos nustatymai nenustato medžiagų suvartojimo. DocType: Assessment Group,Assessment Group Name,Vertinimo grupės pavadinimas -DocType: Item,Manufacturer Part Number,Gamintojo dalies numeris +DocType: Purchase Invoice Item,Manufacturer Part Number,Gamintojo dalies numeris apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Mokamas darbo užmokestis apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},# {0} eilutė: {1} negali būti neigiama elementui {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balanso kiekis +DocType: Question,Multiple Correct Answer,Keli teisingi atsakymai DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Lojalumo taškai = Kiek bazinės valiutos? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Pastaba: paliekant pusiausvyrą palikti tipą {0} DocType: Clinical Procedure,Inpatient Record,Stacionarinis įrašas @@ -3405,6 +3431,7 @@ DocType: Fee Schedule Program,Total Students,Iš viso studentų apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Vietinis DocType: Chapter Member,Leave Reason,Palikite priežastį DocType: Salary Component,Condition and Formula,Būklė ir formulė +DocType: Quality Goal,Objectives,Tikslai apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Atlyginimas, kuris jau buvo apdorotas laikotarpiui nuo {0} iki {1}, palikimo laikotarpis negali būti tarp šio laiko intervalo." DocType: BOM Item,Basic Rate (Company Currency),Pagrindinis tarifas (įmonės valiuta) DocType: BOM Scrap Item,BOM Scrap Item,BOM laužas @@ -3455,6 +3482,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Sąnaudų reikalavimo sąskaita apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,„Journal Entry“ nėra jokių grąžinamų mokėjimų apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} yra neaktyvus studentas +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Padaryti atsargų įrašą DocType: Employee Onboarding,Activities,Veikla apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,„Atleast“ vienas sandėlis yra privalomas ,Customer Credit Balance,Kliento kreditų likutis @@ -3539,7 +3567,6 @@ DocType: Contract,Contract Terms,Sutarties sąlygos apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Privaloma nurodyti tikslinį kiekį arba tikslinę sumą. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Neteisingas {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Susitikimo data DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Santrumpa negali būti daugiau kaip 5 simboliai DocType: Employee Benefit Application,Max Benefits (Yearly),Maksimalūs privalumai (kasmet) @@ -3641,7 +3668,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Banko mokesčiai apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Perduotos prekės apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Pagrindinė kontaktinė informacija -DocType: Quality Review,Values,Vertybės DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Jei nebus pažymėtas, sąrašas turės būti pridėtas prie kiekvieno skyriaus, kur jis turi būti taikomas." DocType: Item Group,Show this slideshow at the top of the page,Rodyti šią skaidrių peržiūrą puslapio viršuje apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} parametras neteisingas @@ -3660,6 +3686,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Banko mokesčių sąskaita DocType: Journal Entry,Get Outstanding Invoices,Gaukite išskirtines sąskaitas DocType: Opportunity,Opportunity From,Galimybė iš +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Tikslinė informacija DocType: Item,Customer Code,Kliento kodas apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Pirmiausia įveskite elementą apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Svetainių sąrašas @@ -3688,7 +3715,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Pristatyti DocType: Bank Statement Transaction Settings Item,Bank Data,Banko duomenys apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planuojama Upto -DocType: Quality Goal,Everyday,Kiekvieną dieną DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Išlaikyti apmokėjimo valandas ir darbo valandas tą patį laiko lape apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Sekite švino šaltinius. DocType: Clinical Procedure,Nursing User,Slaugantis vartotojas @@ -3713,7 +3739,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Tvarkyti teritorijos m DocType: GL Entry,Voucher Type,Kupono tipas ,Serial No Service Contract Expiry,Serijos Nr. Paslaugų sutarties galiojimo pabaiga DocType: Certification Application,Certified,Sertifikuota -DocType: Material Request Plan Item,Manufacture,Gamyba +DocType: Purchase Invoice Item,Manufacture,Gamyba apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} pagaminti elementai apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Mokėjimo užklausa {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dienos nuo paskutinio užsakymo @@ -3728,7 +3754,7 @@ DocType: Sales Invoice,Company Address Name,Įmonės adreso pavadinimas apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Prekės tranzitu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Šioje eilutėje galite išpirkti tik {0} taškus. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Nustatykite paskyrą „Warehouse“ {0} -DocType: Quality Action Table,Resolution,Rezoliucija +DocType: Quality Action,Resolution,Rezoliucija DocType: Sales Invoice,Loyalty Points Redemption,Lojalumo taškų išpirkimas apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Bendra apmokestinamoji vertė DocType: Patient Appointment,Scheduled,Planuojama @@ -3849,6 +3875,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Kaina apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Išsaugota {0} DocType: SMS Center,Total Message(s),Iš viso pranešimų (-ų) +DocType: Purchase Invoice,Accounting Dimensions,Apskaitos matmenys apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupė pagal paskyrą DocType: Quotation,In Words will be visible once you save the Quotation.,"Žodžiai bus matomi, kai išsaugosite citatą." apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,"Kiekis, kurį reikia gaminti" @@ -4013,7 +4040,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,N apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Jei turite klausimų, prašome kreiptis į mus." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Pirkimo kvitas {0} nepateikiamas DocType: Task,Total Expense Claim (via Expense Claim),Bendras išlaidų reikalavimas (naudojant išlaidų reikalavimą) -DocType: Quality Action,Quality Goal,Kokybės tikslas +DocType: Quality Goal,Quality Goal,Kokybės tikslas DocType: Support Settings,Support Portal,Paramos portalas apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Užduoties {0} pabaigos data negali būti mažesnė nei {1} tikėtina pradžios data {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Darbuotojas {0} yra paliktas {1} @@ -4072,7 +4099,6 @@ DocType: BOM,Operating Cost (Company Currency),Veiklos išlaidos (įmonės valiu DocType: Item Price,Item Price,Prekė Kaina DocType: Payment Entry,Party Name,Šalies pavadinimas apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Pasirinkite klientą -DocType: Course,Course Intro,Kurso intro DocType: Program Enrollment Tool,New Program,Nauja programa apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Naujo išlaidų centro numeris, jis bus įtrauktas į išlaidų centro pavadinimą kaip prefiksas" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Pasirinkite klientą arba tiekėją. @@ -4273,6 +4299,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Grynasis darbo užmokestis negali būti neigiamas apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Sąveikos Nr 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} # eilutė {1} negali būti perkelta daugiau nei {2} nuo užsakymo {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Apskaitos diagrama ir Šalys DocType: Stock Settings,Convert Item Description to Clean HTML,Konvertuoti elemento aprašą į švarų HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Visos tiekėjų grupės @@ -4351,6 +4378,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Tėvų punktas apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Tarpininkavimas apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Sukurkite {0} elemento pirkimo čekį arba pirkimo sąskaitą faktūrą +,Product Bundle Balance,Produkto rinkinio balansas apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Įmonės pavadinimas negali būti Bendrovė DocType: Maintenance Visit,Breakdown,Palūžti DocType: Inpatient Record,B Negative,B Neigiamas @@ -4359,7 +4387,7 @@ DocType: Purchase Invoice,Credit To,Kreditas apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Pateikite šį darbo užsakymą tolesniam apdorojimui. DocType: Bank Guarantee,Bank Guarantee Number,Banko garantijos numeris apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Pristatyta: {0} -DocType: Quality Action,Under Review,Peržiūrimas +DocType: Quality Meeting Table,Under Review,Peržiūrimas apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Žemės ūkis (beta) ,Average Commission Rate,Vidutinis Komisijos tarifas DocType: Sales Invoice,Customer's Purchase Order Date,Kliento pirkimo užsakymo data @@ -4476,7 +4504,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Atitinkami mokėjimai su sąskaitomis DocType: Holiday List,Weekly Off,Savaitės išjungimas apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Neleisti nustatyti alternatyvaus elemento {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Programa {0} neegzistuoja. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programa {0} neegzistuoja. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Negalite redaguoti šakninio mazgo. DocType: Fee Schedule,Student Category,Studentų kategorija apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","{0} punktas: {1} pagamintas kiekis," @@ -4567,8 +4595,8 @@ DocType: Crop,Crop Spacing,Augalų atstumas DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,"Kaip dažnai turėtų būti atnaujinami projektai ir įmonės, remiantis pardavimo sandoriais." DocType: Pricing Rule,Period Settings,Laikotarpio nustatymai apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Grynieji gautinų sumų pokytis +DocType: Quality Feedback Template,Quality Feedback Template,Kokybės atsiliepimų šablonas apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Kiekis turi būti didesnis nei nulis -DocType: Quality Goal,Goal Objectives,Tikslo tikslai 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 akcijų, akcijų skaičiaus ir apskaičiuotos sumos" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Palikite tuščią, jei kasmet mokinių grupes" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Paskolos (įsipareigojimai) @@ -4603,12 +4631,13 @@ DocType: Quality Procedure Table,Step,Žingsnis DocType: Normal Test Items,Result Value,Rezultato vertė DocType: Cash Flow Mapping,Is Income Tax Liability,Ar pajamų mokesčio atsakomybė DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Stacionarinio apsilankymo mokestis -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} neegzistuoja. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} neegzistuoja. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Atnaujinti atsakymą DocType: Bank Guarantee,Supplier,Tiekėjas apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Įveskite vertę {0} ir {1} DocType: Purchase Order,Order Confirmation Date,Užsakymo patvirtinimo data DocType: Delivery Trip,Calculate Estimated Arrival Times,Apskaičiuokite numatomus atvykimo laikus +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Prašome nustatyti darbuotojų pavadinimo sistemą žmogiškųjų išteklių> HR nustatymuose apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Vartojimas DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS - .YYYY.- DocType: Subscription,Subscription Start Date,Prenumeratos pradžios data @@ -4672,6 +4701,7 @@ DocType: Cheque Print Template,Is Account Payable,Ar sąskaita mokama apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Bendra užsakymo vertė apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Tiekėjas {0} nerastas {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Nustatykite SMS šliuzo nustatymus +DocType: Salary Component,Round to the Nearest Integer,Apskritimas iki artimiausio dydžio apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Šaknis negali turėti tėvų sąnaudų centro DocType: Healthcare Service Unit,Allow Appointments,Leisti susitikimus DocType: BOM,Show Operations,Rodyti operacijas @@ -4798,7 +4828,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Numatytasis atostogų sąrašas DocType: Naming Series,Current Value,Dabartinė vertė apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezoniškumas nustatant biudžetus, tikslus ir kt." -DocType: Program,Program Code,Programos kodas apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Įspėjimas: pardavimų užsakymas {0} jau yra prieš kliento užsakymą {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Mėnesio pardavimo tikslas ( DocType: Guardian,Guardian Interests,Globėjų interesai @@ -4848,10 +4877,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Mokama ir nepateikta apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Elemento kodas yra privalomas, nes elementas nėra automatiškai sunumeruotas" DocType: GST HSN Code,HSN Code,HSN kodas -DocType: Quality Goal,September,Rugsėjo mėn +DocType: GSTR 3B Report,September,Rugsėjo mėn apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administracinės išlaidos DocType: C-Form,C-Form No,C formos Nr DocType: Purchase Invoice,End date of current invoice's period,Dabartinės sąskaitos faktūros laikotarpio pabaigos data +DocType: Item,Manufacturers,Gamintojai DocType: Crop Cycle,Crop Cycle,Apkarpyti ciklą DocType: Serial No,Creation Time,Kūrimo laikas apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Įveskite patvirtinimo funkciją arba patvirtinantį naudotoją @@ -4924,8 +4954,6 @@ DocType: Employee,Short biography for website and other publications.,Trumpas in DocType: Purchase Invoice Item,Received Qty,Gautas kiekis DocType: Purchase Invoice Item,Rate (Company Currency),Įvertinimas (įmonės valiuta) DocType: Item Reorder,Request for,Prašymas -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Jei norite atšaukti šį dokumentą, ištrinkite darbuotoją {0}" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Presetų diegimas apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Įveskite grąžinimo laikotarpius DocType: Pricing Rule,Advanced Settings,Pažangūs nustatymai @@ -4951,7 +4979,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Įgalinti pirkinių krepšelį DocType: Pricing Rule,Apply Rule On Other,Taikyti taisyklę kitiems DocType: Vehicle,Last Carbon Check,Paskutinis anglies patikrinimas -DocType: Vehicle,Make,Padaryti +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Padaryti apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Pardavimo sąskaita-faktūra {0} sukurta kaip mokama apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,"Norint sukurti mokėjimo užklausos nuorodos dokumentą, reikia" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Pajamų mokestis @@ -5027,7 +5055,6 @@ DocType: Territory,Parent Territory,Tėvų teritorija DocType: Vehicle Log,Odometer Reading,Odometro rodmenys DocType: Additional Salary,Salary Slip,Algos lapelis DocType: Payroll Entry,Payroll Frequency,Darbo užmokesčio dažnumas -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Prašome nustatyti darbuotojų pavadinimo sistemą žmogiškųjų išteklių> HR nustatymuose apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Pradžios ir pabaigos datos, kurios nėra galiojančiame darbo užmokesčio laikotarpyje, negali apskaičiuoti {0}" DocType: Products Settings,Home Page is Products,Pagrindinis puslapis yra produktai apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Skambučiai @@ -5080,7 +5107,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Įrašų įrašymas ...... DocType: Delivery Stop,Contact Information,Kontaktinė informacija DocType: Sales Order Item,For Production,Gamybai -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Švietimo> Švietimo nustatymuose nustatykite instruktoriaus pavadinimo sistemą DocType: Serial No,Asset Details,Išsami informacija apie turtą DocType: Restaurant Reservation,Reservation Time,Rezervavimo laikas DocType: Selling Settings,Default Territory,Numatytoji teritorija @@ -5217,6 +5243,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,V apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Pasibaigusios partijos DocType: Shipping Rule,Shipping Rule Type,Pristatymo taisyklės tipas DocType: Job Offer,Accepted,Priimta +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Jei norite atšaukti šį dokumentą, ištrinkite darbuotoją {0}" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Jūs jau įvertinote vertinimo kriterijus {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Pasirinkite partijos numerius apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Amžius (dienos) @@ -5233,6 +5261,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Rinkinio elementai pardavimo metu. DocType: Payment Reconciliation Payment,Allocated Amount,Paskirta suma apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Pasirinkite įmonę ir paskyrą +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,Reikalinga „Data“ DocType: Email Digest,Bank Credit Balance,Banko kredito balansas apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Rodyti sukauptą sumą apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Jūs neturite pasitikėjimo lojalumo taškų išpirkti @@ -5293,11 +5322,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Ankstesnėje eilutėje DocType: Student,Student Email Address,Studentų el. Pašto adresas DocType: Academic Term,Education,Švietimas DocType: Supplier Quotation,Supplier Address,Tiekėjo adresas -DocType: Salary Component,Do not include in total,Neįtraukite viso +DocType: Salary Detail,Do not include in total,Neįtraukite viso apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Negalima nustatyti kelių įmonės elementų numatytųjų reikšmių. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nėra DocType: Purchase Receipt Item,Rejected Quantity,Atmestas kiekis DocType: Cashier Closing,To TIme,TIme +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}) elementui: {2} nerastas DocType: Daily Work Summary Group User,Daily Work Summary Group User,Dienos darbo suvestinė Grupės vartotojas DocType: Fiscal Year Company,Fiscal Year Company,Finansinių metų bendrovė apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternatyvus elementas neturi būti toks pats kaip prekės kodas @@ -5407,7 +5437,6 @@ DocType: Fee Schedule,Send Payment Request Email,Siųsti mokėjimo užklausą el DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Žodžiai bus matomi, kai išsaugosite pardavimo sąskaitą." DocType: Sales Invoice,Sales Team1,Pardavimų komanda1 DocType: Work Order,Required Items,Reikalingi elementai -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Specialūs simboliai, išskyrus "-", "#", "." ir „/“ neleidžiama vardų serijoje" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Perskaitykite ERPNext vadovą DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Patikrinkite tiekėjo sąskaitos faktūros numerį unikalumą apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Ieškoti subkomponentų @@ -5475,7 +5504,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Procentinis sumažinimas apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Kiekis gaminti negali būti mažesnis už nulį DocType: Share Balance,To No,Į Ne DocType: Leave Control Panel,Allocate Leaves,Paskirstykite lapus -DocType: Quiz,Last Attempt,Paskutinis bandymas DocType: Assessment Result,Student Name,Studento vardas apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Priežiūros apsilankymų planas. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,"Toliau nurodyti esminiai prašymai buvo keliami automatiškai, remiantis elemento pertvarkymo lygiu" @@ -5544,6 +5572,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Indikatoriaus spalva DocType: Item Variant Settings,Copy Fields to Variant,Kopijuokite laukus į variantą DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Vienintelis teisingas atsakymas apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Nuo datos negali būti mažesnė už darbuotojo prisijungimo datą DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Leisti kelis pardavimų užsakymus prieš kliento užsakymą apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5606,7 +5635,7 @@ DocType: Account,Expenses Included In Valuation,Išlaidos įtrauktos į vertinim apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Serijos numeriai DocType: Salary Slip,Deductions,Atskaitos ,Supplier-Wise Sales Analytics,Tiekėjo-protingo pardavimo analitika -DocType: Quality Goal,February,Vasario mėn +DocType: GSTR 3B Report,February,Vasario mėn DocType: Appraisal,For Employee,Darbuotojui apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Faktinė pristatymo data DocType: Sales Partner,Sales Partner Name,Pardavimo partnerio pavadinimas @@ -5702,7 +5731,6 @@ DocType: Procedure Prescription,Procedure Created,Procedūra Sukurta apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Prieš tiekėjo sąskaitą faktūrą {0} {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Pakeisti POS profilį apps/erpnext/erpnext/utilities/activation.py,Create Lead,Sukurti švino -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tiekėjas> Tiekėjo tipas DocType: Shopify Settings,Default Customer,Numatytasis klientas DocType: Payment Entry Reference,Supplier Invoice No,Tiekėjo sąskaita faktūra Nr DocType: Pricing Rule,Mixed Conditions,Mišrios sąlygos @@ -5753,12 +5781,14 @@ DocType: Item,End of Life,Gyvenimo pabaiga DocType: Lab Test Template,Sensitivity,Jautrumas DocType: Territory,Territory Targets,Teritorijos tikslai apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Praleidimo palikimo praleidimas šiems darbuotojams, nes palikimo paskirstymo įrašai jau yra prieš juos. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Kokybės veiksmų rezoliucija DocType: Sales Invoice Item,Delivered By Supplier,Tiekėjas DocType: Agriculture Analysis Criteria,Plant Analysis,Augalų analizė apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Sąnaudų sąskaita yra privaloma {0} elementui ,Subcontracted Raw Materials To Be Transferred,Perduodamos subrangos žaliavos DocType: Cashier Closing,Cashier Closing,Kasos uždarymas apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,{0} elementas jau buvo grąžintas +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Netinkamas GSTIN! Įvestas įvestis neatitinka UIN turėtojų arba ne rezidentų OIDAR paslaugų teikėjų GSTIN formato apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Šiam sandėliui yra vaikų sandėlis. Negalite ištrinti šio sandėlio. DocType: Diagnosis,Diagnosis,Diagnozė apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Tarp {0} ir {1} nėra atostogų laikotarpio @@ -5775,6 +5805,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Autorizacijos nustatymai DocType: Homepage,Products,Produktai ,Profit and Loss Statement,Pelno ir nuostolių ataskaita apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Kambariai užsakyti +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Dublikatas įrašant elemento kodą {0} ir gamintoją {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Bendras svoris apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Kelionė @@ -5821,6 +5852,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Numatytoji klientų grupė DocType: Journal Entry Account,Debit in Company Currency,Debeto įmonės valiuta DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Atsarginė serija yra „SO-WOO-“. +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Kokybės susitikimo darbotvarkė DocType: Cash Flow Mapper,Section Header,Sekcijos antraštė apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Jūsų produktai ar paslaugos DocType: Crop,Perennial,Daugiamečiai @@ -5866,7 +5898,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produktas arba paslauga, kuri yra perkama, parduodama ar laikoma sandėlyje." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Uždarymas (atidarymas + iš viso) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterijų formulė -,Support Analytics,„Analytics“ palaikymas +apps/erpnext/erpnext/config/support.py,Support Analytics,„Analytics“ palaikymas apps/erpnext/erpnext/config/quality_management.py,Review and Action,Peržiūra ir veiksmai DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Jei paskyra užšaldyta, įrašai leidžiami ribotiems vartotojams." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Suma po nusidėvėjimo @@ -5911,7 +5943,6 @@ DocType: Contract Template,Contract Terms and Conditions,Sutarties sąlygos apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Fetch Data DocType: Stock Settings,Default Item Group,Numatytoji elementų grupė DocType: Sales Invoice Timesheet,Billing Hours,Atsiskaitymo valandos -DocType: Item,Item Code for Suppliers,Tiekėjų kodas apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Palikite programą {0} jau prieš studentą {1} DocType: Pricing Rule,Margin Type,Maržos tipas DocType: Purchase Invoice Item,Rejected Serial No,Atmestas Serijos Nr @@ -5981,6 +6012,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Lapai buvo sėkmingai išduoti DocType: Loyalty Point Entry,Expiry Date,Galiojimo pabaigos data DocType: Project Task,Working,Darbas +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} jau turi tėvų procedūrą {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Tai grindžiama sandoriais prieš šią pacientą. Išsamesnės informacijos ieškokite žemiau DocType: Material Request,Requested For,Prašoma DocType: SMS Center,All Sales Person,Visi pardavimų asmenys @@ -6068,6 +6100,7 @@ DocType: Loan Type,Maximum Loan Amount,Maksimali paskolos suma apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,El. Laiškas nerastas numatytuoju kontaktu DocType: Hotel Room Reservation,Booked,Užsakyta DocType: Maintenance Visit,Partially Completed,Iš dalies baigtas +DocType: Quality Procedure Process,Process Description,Proceso aprašymas DocType: Company,Default Employee Advance Account,Numatytoji darbuotojų išankstinė sąskaita DocType: Leave Type,Allow Negative Balance,Leisti neigiamą balansą apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Vertinimo plano pavadinimas @@ -6109,6 +6142,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Užklausos prašymas apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} du kartus įvedėte elemento mokestį DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Išskaičiuokite visą mokestį už pasirinktą darbo užmokesčio datą +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Paskutinė anglies patikrinimo data negali būti būsima data apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Pasirinkite pakeitimo sumos paskyrą DocType: Support Settings,Forum Posts,Forumo žinutės DocType: Timesheet Detail,Expected Hrs,Tikėtini valandos @@ -6118,7 +6152,7 @@ DocType: Program Enrollment Tool,Enroll Students,Užregistruokite mokinius apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Pakartokite klientų pajamas DocType: Company,Date of Commencement,Pradžios data DocType: Bank,Bank Name,Banko pavadinimas -DocType: Quality Goal,December,Gruodžio mėn +DocType: GSTR 3B Report,December,Gruodžio mėn 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ė nei galiojanti iki datos apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Tai grindžiama šio darbuotojo dalyvavimu DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jei pažymėtas, pagrindinis puslapis bus numatytasis elemento grupė" @@ -6161,6 +6195,7 @@ DocType: Payment Entry,Payment Type,Mokėjimo tipas apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Folio numeriai nesutampa DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF –YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Kokybės patikrinimas: {0} nepateikiamas elementui: {1} eilutėje {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Rodyti {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,Rasta {0} elemento. ,Stock Ageing,Atsargų senėjimas DocType: Customer Group,Mention if non-standard receivable account applicable,"Nurodykite, ar taikoma standartinė gautina sąskaita" @@ -6437,6 +6472,7 @@ DocType: Travel Request,Costing,Sąnaudų apskaičiavimas apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Ilgalaikis turtas DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Visas uždarbis +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klientas> Klientų grupė> Teritorija DocType: Share Balance,From No,Nuo Nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Mokėjimo suderinimo sąskaita DocType: Purchase Invoice,Taxes and Charges Added,Įtraukti mokesčiai ir mokesčiai @@ -6444,7 +6480,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Apsvarstykite mok DocType: Authorization Rule,Authorized Value,Įgaliota vertė apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Gautas nuo apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Sandėlis {0} neegzistuoja +DocType: Item Manufacturer,Item Manufacturer,Prekė Gamintojas DocType: Sales Invoice,Sales Team,Pardavimų komanda +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Paketo kiekis DocType: Purchase Order Item Supplied,Stock UOM,Atsargos UOM DocType: Installation Note,Installation Date,Diegimo data DocType: Email Digest,New Quotations,Naujos kainos @@ -6508,7 +6546,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Atostogų sąrašo pavadinimas DocType: Water Analysis,Collection Temperature ,Kolekcijos temperatūra DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Tvarkykite paskyrimo sąskaitą faktūrą ir automatiškai atšaukite paciento susitikimą -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nustatykite {0} pavadinimo seriją naudodami sąrankos nustatymus> Nustatymai> Pavadinimo serija DocType: Employee Benefit Claim,Claim Date,Reikalavimo data DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"Jei tiekėjas yra užblokuotas neribotą laiką, palikite tuščią" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Dalyvavimas nuo datos ir lankomumo dienos yra privalomas @@ -6519,6 +6556,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Išėjimo į pensiją data apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Pasirinkite Pacientas DocType: Asset,Straight Line,Tiesi linija +DocType: Quality Action,Resolutions,Rezoliucijos DocType: SMS Log,No of Sent SMS,Išsiųstų SMS žinučių skaičius ,GST Itemised Sales Register,GST detalusis pardavimo registras apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Bendra avansinė suma negali būti didesnė už bendrą sankciją @@ -6629,7 +6667,7 @@ DocType: Account,Profit and Loss,Pelnas ir nuostoliai apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Dif. Kiekis DocType: Asset Finance Book,Written Down Value,Parašyta vertė apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Atidarymo balanso nuosavybė -DocType: Quality Goal,April,Balandis +DocType: GSTR 3B Report,April,Balandis DocType: Supplier,Credit Limit,Kredito limitas apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Platinimas apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6684,6 +6722,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Prijunkite „Shopify“ su ERPNext DocType: Homepage Section Card,Subtitle,Subtitrai DocType: Soil Texture,Loam,Loam +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tiekėjas> Tiekėjo tipas DocType: BOM,Scrap Material Cost(Company Currency),Metalo laužas (įmonės valiuta) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Pristatymo pastaba {0} negali būti pateikta DocType: Task,Actual Start Date (via Time Sheet),Faktinė pradžios data (per laiko lapą) @@ -6739,7 +6778,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dozavimas DocType: Cheque Print Template,Starting position from top edge,Pradinė padėtis nuo viršutinio krašto apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Paskyrimo trukmė (min.) -DocType: Pricing Rule,Disable,Išjungti +DocType: Accounting Dimension,Disable,Išjungti DocType: Email Digest,Purchase Orders to Receive,Pirkimo užsakymai gauti apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,„Productions“ užsakymai negali būti keliami: DocType: Projects Settings,Ignore Employee Time Overlap,Ignoruoti darbuotojų laiko persidengimą @@ -6823,6 +6862,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Sukurt DocType: Item Attribute,Numeric Values,Skaitinės vertės DocType: Delivery Note,Instructions,Instrukcijos DocType: Blanket Order Item,Blanket Order Item,Antklodės užsakymo elementas +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Privaloma pelno (nuostolio) ataskaitai apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Komisija negali būti didesnė nei 100 DocType: Course Topic,Course Topic,Modulio tema DocType: Employee,This will restrict user access to other employee records,Tai apribos vartotojo prieigą prie kitų darbuotojų įrašų @@ -6847,12 +6887,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Prenumeratos v apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Gaukite klientų iš apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Pranešti +DocType: Video,YouTube,„YouTube“ DocType: Party Account,Party Account,Šalies paskyra DocType: Assessment Plan,Schedule,Tvarkaraštis apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Įveskite DocType: Lead,Channel Partner,Kanalo partneris apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Sąskaitos faktūros suma DocType: Project,From Template,Iš šablono +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Prenumeratos apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,"Kiekis, kurį reikia padaryti" DocType: Quality Review Table,Achieved,Pasiekta @@ -6899,7 +6941,6 @@ DocType: Journal Entry,Subscription Section,Prenumeratos skyrius DocType: Salary Slip,Payment Days,Mokėjimo dienos apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Savanorių informacija. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,„Užšaldyti atsargas senesniems nei“ turėtų būti mažesnis nei% d dienų. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Pasirinkite fiskalinius metus DocType: Bank Reconciliation,Total Amount,Visas kiekis DocType: Certification Application,Non Profit,Ne pelnas DocType: Subscription Settings,Cancel Invoice After Grace Period,Atšaukite sąskaitą faktūrą po malonės laikotarpio @@ -6912,7 +6953,6 @@ DocType: Serial No,Warranty Period (Days),Garantijos laikotarpis (dienos) DocType: Expense Claim Detail,Expense Claim Detail,Išlaidų reikalavimo informacija apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programa: DocType: Patient Medical Record,Patient Medical Record,Paciento medicininis įrašas -DocType: Quality Action,Action Description,Veiksmo aprašymas DocType: Item,Variant Based On,Variantas pagrįstas DocType: Vehicle Service,Brake Oil,Stabdžių alyva DocType: Employee,Create User,Sukurti vartotoją @@ -6968,7 +7008,7 @@ DocType: Cash Flow Mapper,Section Name,Sekcijos pavadinimas DocType: Packed Item,Packed Item,Supakuotas elementas apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: {2} reikalinga debeto arba kredito suma apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Atlyginimų skilčių pateikimas ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Jokių veiksmų +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Jokių veiksmų apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Biudžetas negali būti priskirtas pagal {0}, nes tai nėra pajamų ar išlaidų sąskaita" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Meistrai ir sąskaitos DocType: Quality Procedure Table,Responsible Individual,Atsakingas asmuo @@ -7091,7 +7131,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Leisti sąskaitos kūrimą prieš vaiko kompaniją DocType: Payment Entry,Company Bank Account,Įmonės banko sąskaita DocType: Amazon MWS Settings,UK,JK -DocType: Quality Procedure,Procedure Steps,Procedūros žingsniai DocType: Normal Test Items,Normal Test Items,Normalūs bandymo elementai apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,{0} punktas: Užsakytas kiekis {1} negali būti mažesnis už minimalų užsakymo kiekį {2} (apibrėžtas punkte). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Ne sandėlyje @@ -7170,7 +7209,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,„Analytics“ DocType: Maintenance Team Member,Maintenance Role,Techninės priežiūros vaidmuo apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Sąlygos ir sąlygos šablonas DocType: Fee Schedule Program,Fee Schedule Program,Mokesčių grafiko programa -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kursas {0} neegzistuoja. DocType: Project Task,Make Timesheet,Padaryti laikraštį DocType: Production Plan Item,Production Plan Item,Gamybos plano punktas apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Iš viso studentų @@ -7192,6 +7230,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Apvyniojimas apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Galite atnaujinti tik jei narystė baigiasi per 30 dienų apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Reikšmė turi būti tarp {0} ir {1} +DocType: Quality Feedback,Parameters,Parametrai ,Sales Partner Transaction Summary,Pardavimų partnerių sandorių suvestinė DocType: Asset Maintenance,Maintenance Manager Name,Priežiūros vadybininko pavadinimas apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Reikia atsiųsti elemento duomenis. @@ -7229,6 +7268,7 @@ DocType: Student Admission,Student Admission,Studentų priėmimas DocType: Designation Skill,Skill,Įgūdžiai DocType: Budget Account,Budget Account,Biudžeto paskyra DocType: Employee Transfer,Create New Employee Id,Sukurti naują darbuotojo ID +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} reikalinga paskyrai „Pelnas ir nuostoliai“ {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Prekių ir paslaugų mokestis (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Atlyginimo lapelių kūrimas ... DocType: Employee Skill,Employee Skill,Darbuotojų įgūdžiai @@ -7329,6 +7369,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Sąskaita fak DocType: Subscription,Days Until Due,Dienos iki pabaigos apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Rodyti užbaigtą apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Banko ataskaitos operacijos įvedimo ataskaita +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,„Bank Deatils“ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,# {0} eilutė: norma turi būti tokia pati kaip {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Sveikatos priežiūros paslaugos @@ -7385,6 +7426,7 @@ DocType: Training Event Employee,Invited,Pakviestas apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},"Maksimali suma, atitinkanti komponentą {0}, viršija {1}" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Suma į Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","Jei {0}, tik debeto sąskaitos gali būti susietos su kitu kredito įrašu" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Matmenų kūrimas ... DocType: Bank Statement Transaction Entry,Payable Account,Mokėtina sąskaita apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,"Prašome paminėti, kad nereikia apsilankyti" DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Pasirinkite tik, jei turite sąrankos „Cash Flow Mapper“ dokumentus" @@ -7402,6 +7444,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice," DocType: Service Level,Resolution Time,Skyros laikas DocType: Grading Scale Interval,Grade Description,Įvertinimo aprašymas DocType: Homepage Section,Cards,Kortelės +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kokybės susitikimo protokolai DocType: Linked Plant Analysis,Linked Plant Analysis,Susijusios gamyklos analizė apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Paslaugų pabaigos data negali būti po paslaugos pabaigos datos apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,GST nustatymuose nustatykite B2C ribą. @@ -7435,7 +7478,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Darbuotojų dalyvavim DocType: Employee,Educational Qualification,edukacinė kvalifikacija apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Prieinama vertė apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Mėginio kiekis {0} negali būti didesnis už gautą kiekį {1} -DocType: Quiz,Last Highest Score,Paskutinis aukščiausias balas DocType: POS Profile,Taxes and Charges,Mokesčiai ir mokesčiai DocType: Opportunity,Contact Mobile No,Susisiekite su „Mobile No“ DocType: Employee,Joining Details,Prisijungimas prie informacijos diff --git a/erpnext/translations/lv.csv b/erpnext/translations/lv.csv index 2f0f796d2b..fd6fc75623 100644 --- a/erpnext/translations/lv.csv +++ b/erpnext/translations/lv.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Piegādātāja Nr DocType: Journal Entry Account,Party Balance,Partijas bilance apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Fonda avots (pasīvi) DocType: Payroll Period,Taxable Salary Slabs,Nodokļu algu plāksnes +DocType: Quality Action,Quality Feedback,Kvalitātes atsauksmes DocType: Support Settings,Support Settings,Atbalsta iestatījumi apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,"Lūdzu, vispirms ievadiet ražošanas vienumu" DocType: Quiz,Grading Basis,Novērtēšanas bāze @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Skatīt vairāk DocType: Salary Component,Earning,Nopelnīt DocType: Restaurant Order Entry,Click Enter To Add,Noklikšķiniet uz Enter To Add DocType: Employee Group,Employee Group,Darbinieku grupa +DocType: Quality Procedure,Processes,Procesi DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,"Norādiet valūtas kursu, lai pārvērstu vienu valūtu citā" apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Novecošanas diapazons 4 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Could not solve criteria score function for {0}. Make sure the formula is valid.,"{0} nevarēja atrisināt kritēriju rezultātu funkciju. Pārliecinieties, vai formula ir derīga." @@ -156,11 +158,13 @@ DocType: Complaint,Complaint,Sūdzība DocType: Shipping Rule,Restrict to Countries,Ierobežot uz valstīm DocType: Hub Tracked Item,Item Manager,Vienumu pārvaldnieks apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Noslēguma konta valūtai jābūt {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budžets apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Rēķina vienības atvēršana DocType: Work Order,Plan material for sub-assemblies,Plānot materiālus apakškomplektiem apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Aparatūra DocType: Budget,Action if Annual Budget Exceeded on MR,"Rīcība, ja gada budžets pārsniedz MR" DocType: Sales Invoice Advance,Advance Amount,Iepriekšēja summa +DocType: Accounting Dimension,Dimension Name,Dimensijas nosaukums DocType: Delivery Note Item,Against Sales Invoice Item,Pret pārdošanas rēķina posteni DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Iekļaut preci ražošanā @@ -217,7 +221,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Ko tas dara? ,Sales Invoice Trends,Pārdošanas rēķinu tendences DocType: Bank Reconciliation,Payment Entries,Maksājumu ieraksti DocType: Employee Education,Class / Percentage,Klase / procentuālā daļa -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Preces kods> Vienuma grupa> Zīmols ,Electronic Invoice Register,Elektronisko rēķinu reģistrs DocType: Sales Invoice,Is Return (Credit Note),Vai atgriešanās (kredīta piezīme) DocType: Lab Test Sample,Lab Test Sample,Laboratorijas testa paraugs @@ -291,6 +294,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Variants apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Maksa tiks sadalīta proporcionāli, pamatojoties uz vienības daudzumu vai summu, atbilstoši jūsu izvēlei" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Līdz šim notiekošās darbības +DocType: Quality Procedure Process,Quality Procedure Process,Kvalitātes procedūras process DocType: Fee Schedule Program,Student Batch,Studentu partija apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},"Vērtības likme, kas nepieciešama postenim {0}" DocType: BOM Operation,Base Hour Rate(Company Currency),Pamatstundu likme (uzņēmuma valūta) @@ -310,7 +314,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,"Iestatiet kvantitāti darījumos, kuru pamatā ir sērijas Nr" apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Avansa konta valūtai jābūt vienādai ar uzņēmuma valūtu {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Pielāgot mājas lapas sadaļas -DocType: Quality Goal,October,Oktobris +DocType: GSTR 3B Report,October,Oktobris DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Paslēpt Klienta nodokļu ID no pārdošanas darījumiem apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Nederīgs GSTIN! GSTIN jābūt 15 rakstzīmēm. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Tiek atjaunināta cenu noteikšanas kārtība {0} @@ -396,7 +400,7 @@ DocType: Leave Encashment,Leave Balance,Atstājiet atlikumu apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Uzturēšanas grafiks {0} pastāv pret {1} DocType: Assessment Plan,Supervisor Name,Vadītāja vārds DocType: Selling Settings,Campaign Naming By,Kampaņas nosaukšana pēc -DocType: Course,Course Code,Kursa kods +DocType: Student Group Creation Tool Course,Course Code,Kursa kods apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace DocType: Landed Cost Voucher,Distribute Charges Based On,"Izplatīt maksas, pamatojoties uz" DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Piegādātājs Scorecard rādītāju kritēriji @@ -478,10 +482,8 @@ DocType: Restaurant Menu,Restaurant Menu,Restorāna ēdienkarte DocType: Asset Movement,Purpose,Mērķis apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Algu struktūras piešķiršana darbiniekam jau pastāv DocType: Clinical Procedure,Service Unit,Pakalpojumu vienība -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klients> Klientu grupa> Teritorija DocType: Travel Request,Identification Document Number,Identifikācijas dokumenta numurs DocType: Stock Entry,Additional Costs,Papildu izmaksas -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Vecāku kurss (atstājiet tukšu, ja tas nav daļa no vecāku kursa)" DocType: Employee Education,Employee Education,Darbinieku izglītība apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Pozīciju skaits nedrīkst būt mazāks par pašreizējo darbinieku skaitu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Visas klientu grupas @@ -528,6 +530,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Rinda {0}: daudzums ir obligāts DocType: Sales Invoice,Against Income Account,Pret ienākumu kontu apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},"# {0} rinda: pirkuma rēķinu nevar veikt, izmantojot esošu aktīvu {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/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},"UOM pārvēršanas koeficients, kas nepieciešams UOM: {0} pozīcijā: {1}" apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},"Lūdzu, ievadiet {0} vienuma daudzumu" DocType: Workstation,Electricity Cost,Elektroenerģijas izmaksas @@ -862,7 +865,6 @@ DocType: Item,Total Projected Qty,Kopējais prognozētais daudzums apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Faktiskais sākuma datums 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 nedrīkstat visu dienu (-as) starp kompensācijas atvaļinājuma dienām -DocType: Company,About the Company,Par uzņēmumu apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Finanšu kontu koks. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Netiešie ienākumi DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Viesnīcas numura rezervēšanas punkts @@ -877,6 +879,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Potenciālo DocType: Skill,Skill Name,Prasmju nosaukums apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Drukāt atskaites karti DocType: Soil Texture,Ternary Plot,Trīskāršais zemes gabals +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Lūdzu, iestatiet nosaukuma sēriju {0}, izmantojot iestatījumu> Iestatījumi> Nosaukumu sērija" apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Atbalsta biļetes DocType: Asset Category Account,Fixed Asset Account,Fiksēto aktīvu konts apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Jaunākās @@ -886,6 +889,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Programmas uzņemš ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,"Lūdzu, iestatiet izmantojamo sēriju." DocType: Delivery Trip,Distance UOM,Attālums UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligāts bilancei DocType: Payment Entry,Total Allocated Amount,Kopā piešķirtā summa DocType: Sales Invoice,Get Advances Received,Saņemt saņemtos avansa maksājumus DocType: Student,B-,B- @@ -909,6 +913,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Uzturēšanas grafi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,"POS profils nepieciešams, lai veiktu POS ierakstu" DocType: Education Settings,Enable LMS,Iespējot LMS DocType: POS Closing Voucher,Sales Invoices Summary,Pārdošanas rēķinu kopsavilkums +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Pabalsts apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredīta kontam jābūt bilances kontam DocType: Video,Duration,Ilgums DocType: Lab Test Template,Descriptive,Aprakstošs @@ -959,6 +964,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Sākuma un beigu datumi DocType: Supplier Scorecard,Notify Employee,Paziņot darbiniekam apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Programmatūra +DocType: Program,Allow Self Enroll,Atļaut pašregulāciju apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Krājumu izmaksas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Atsauces numurs ir obligāts, ja ievadījāt atsauces datumu" DocType: Training Event,Workshop,Seminārs @@ -1011,6 +1017,7 @@ DocType: Lab Test Template,Lab Test Template,Lab testa paraugs apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks.: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informācija par e-rēķinu trūkst apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nav izveidots materiāls pieprasījums +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Preces kods> Vienuma grupa> Zīmols DocType: Loan,Total Amount Paid,Kopā samaksātā summa apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Visi šie vienumi jau ir izrakstīti rēķinā DocType: Training Event,Trainer Name,Trenera vārds @@ -1032,6 +1039,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Akadēmiskais gads DocType: Sales Stage,Stage Name,Skatuves vārds DocType: SMS Center,All Employee (Active),Visi darbinieki (aktīvi) +DocType: Accounting Dimension,Accounting Dimension,Grāmatvedības dimensija DocType: Project,Customer Details,Klienta dati DocType: Buying Settings,Default Supplier Group,Noklusējuma piegādātāju grupa apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,"Lūdzu, vispirms atcelt pirkuma kvīti {0}" @@ -1146,7 +1154,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Augstāks skaitl DocType: Designation,Required Skills,Nepieciešamās prasmes DocType: Marketplace Settings,Disable Marketplace,Atspējot tirgus laukumu DocType: Budget,Action if Annual Budget Exceeded on Actual,"Darbība, ja gada budžets pārsniedz faktisko" -DocType: Course,Course Abbreviation,Kursa saīsinājums apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,"Dalība, kas nav iesniegta {0} kā {1} atvaļinājumā." DocType: Pricing Rule,Promotional Scheme Id,Reklāmas shēmas ID apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},{0} uzdevuma beigu datums nevar būt lielāks par {1} paredzamo beigu datumu {2} @@ -1289,7 +1296,7 @@ DocType: Bank Guarantee,Margin Money,Naudas marža DocType: Chapter,Chapter,Nodaļa DocType: Purchase Receipt Item Supplied,Current Stock,Pašreizējā krājumi DocType: Employee,History In Company,Vēsture uzņēmumā -DocType: Item,Manufacturer,Ražotājs +DocType: Purchase Invoice Item,Manufacturer,Ražotājs apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Mērena jutība DocType: Compensatory Leave Request,Leave Allocation,Atstāt piešķiršanu DocType: Timesheet,Timesheet,Laika kontrolsaraksts @@ -1320,6 +1327,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Ražošanai nodots ma DocType: Products Settings,Hide Variants,Slēpt variantus DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Atspējot jaudas plānošanu un laika uzskaiti DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Tiks aprēķināts darījumā. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} ir vajadzīgs kontam “Bilance” {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,"{0} nav atļauts veikt darījumus ar {1}. Lūdzu, nomainiet uzņēmumu." 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}","Saskaņā ar pirkuma iestatījumiem, ja nepieciešams iepirkuma pieprasījums == "JĀ", tad, lai izveidotu pirkuma rēķinu, lietotājam priekšraksts {0} vispirms jāizveido pirkuma kvīts" DocType: Delivery Trip,Delivery Details,Piegādes detaļas @@ -1355,7 +1363,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Iepriekš apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Mērvienība DocType: Lab Test,Test Template,Testa veidne DocType: Fertilizer,Fertilizer Contents,Mēslojuma saturs -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minūtes +DocType: Quality Meeting Minutes,Minute,Minūtes apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","# {0} rinda: {1} aktīvu nevar iesniegt, tas jau ir {2}" DocType: Task,Actual Time (in Hours),Faktiskais laiks (stundās) DocType: Period Closing Voucher,Closing Account Head,Konta vadītāja slēgšana @@ -1527,7 +1535,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorija DocType: Purchase Order,To Bill,Bill apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Lietderības izdevumi DocType: Manufacturing Settings,Time Between Operations (in mins),Laiks starp operācijām (min.) -DocType: Quality Goal,May,Maijs +DocType: GSTR 3B Report,May,Maijs apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Maksājuma vārtejas konts nav izveidots, lūdzu, izveidojiet to manuāli." DocType: Opening Invoice Creation Tool,Purchase,Pirkums DocType: Program Enrollment,School House,Skolas nams @@ -1559,6 +1567,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,C DocType: Supplier,Statutory info and other general information about your Supplier,Normatīvā informācija un cita vispārīga informācija par jūsu piegādātāju DocType: Item Default,Default Selling Cost Center,Noklusējuma pārdošanas izmaksu centrs DocType: Sales Partner,Address & Contacts,Adrese un kontakti +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Lūdzu, iestatiet numerācijas sērijas apmeklējumam, izmantojot iestatījumu> Numerācijas sērija" DocType: Subscriber,Subscriber,Abonents apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) nav noliktavā apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Lūdzu, vispirms atlasiet Posting Date" @@ -1586,6 +1595,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Stacionārā apmeklējum DocType: Bank Statement Settings,Transaction Data Mapping,Darījumu datu kartēšana apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Vadītājam ir nepieciešams personas vārds vai organizācijas nosaukums DocType: Student,Guardians,Aizbildņi +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Lūdzu, iestatiet instruktora nosaukumu sistēmu izglītībā> Izglītības iestatījumi" apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Atlasiet zīmolu ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Vidējie ienākumi DocType: Shipping Rule,Calculate Based On,"Aprēķināt, pamatojoties uz" @@ -1597,7 +1607,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Izdevumu pieprasījums DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Noapaļošanas korekcija (uzņēmuma valūta) DocType: Item,Publish in Hub,Publicēt Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,augusts +DocType: GSTR 3B Report,August,augusts apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,"Lūdzu, vispirms ievadiet pirkuma kvīti" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Sākuma gads apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Mērķis ({}) @@ -1616,6 +1626,7 @@ DocType: Item,Max Sample Quantity,Maksimālais parauga daudzums apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Avota un mērķa noliktavai jābūt atšķirīgai DocType: Employee Benefit Application,Benefits Applied,Piemērotie pabalsti apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Pret žurnāla ierakstu {0} nav nekāda nesaskaņota {1} ieraksta +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Nosaukumu sērijā nav atļauts izmantot īpašas rakstzīmes, izņemot "-", "#", ".", "/", "{" Un "}"" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Nepieciešama cena vai produktu atlaide apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Iestatiet mērķi apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Apmeklējuma ieraksts {0} pastāv pret studentu {1} @@ -1631,10 +1642,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Mēnesī DocType: Routing,Routing Name,Maršruta nosaukums DocType: Disease,Common Name,Parastais nosaukums -DocType: Quality Goal,Measurable,Mērāms DocType: Education Settings,LMS Title,LMS sadaļa apps/erpnext/erpnext/config/non_profit.py,Loan Management,Kredītu pārvaldība -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Atbalstīt Analtyics DocType: Clinical Procedure,Consumable Total Amount,Patēriņa kopējā summa apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Iespējot veidni apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Klientu LPO @@ -1774,6 +1783,7 @@ DocType: Restaurant Order Entry Item,Served,Pasniedz DocType: Loan,Member,Biedrs DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Prakses dienesta vienības grafiks apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Wire Transfer +DocType: Quality Review Objective,Quality Review Objective,Kvalitātes pārbaudes mērķis DocType: Bank Reconciliation Detail,Against Account,Pret kontu DocType: Projects Settings,Projects Settings,Projektu iestatījumi apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Faktiskais daudzums {0} / gaidīšanas daudzums {1} @@ -1802,6 +1812,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ri apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Finanšu gada beigu datumam jābūt vienam gadam pēc fiskālā gada sākuma datuma apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Ikdienas atgādinājumi DocType: Item,Default Sales Unit of Measure,Noklusējuma pārdošanas vienība +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Uzņēmums GSTIN DocType: Asset Finance Book,Rate of Depreciation,Nolietojuma likme DocType: Support Search Source,Post Description Key,Post Apraksts Key DocType: Loyalty Program Collection,Minimum Total Spent,Minimālā kopējā summa @@ -1873,6 +1884,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Klientu grupas maiņa izvēlētajam klientam nav atļauta. DocType: Serial No,Creation Document Type,Izveides dokumenta veids DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Pieejamais partijas daudzums noliktavā +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Rēķina summa kopā apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,"Tā ir saknes teritorija, un to nevar rediģēt." DocType: Patient,Surgical History,Ķirurģiskā vēsture apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Kvalitātes procedūru koks. @@ -1975,6 +1987,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,I DocType: Item Group,Check this if you want to show in website,"Pārbaudiet, vai vēlaties parādīt vietnē" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskālais gads {0} nav atrasts DocType: Bank Statement Settings,Bank Statement Settings,Bankas izraksta iestatījumi +DocType: Quality Procedure Process,Link existing Quality Procedure.,Saistīt esošo kvalitātes procedūru. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Importēt kontu diagrammu no CSV / Excel failiem DocType: Appraisal Goal,Score (0-5),Vērtējums (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Atribūts tabulā vairākas reizes atlasīts atribūts {0} DocType: Purchase Invoice,Debit Note Issued,Izdots debeta paziņojums @@ -1983,7 +1997,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Atstāt politikas informāciju apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Noliktava nav atrodama sistēmā DocType: Healthcare Practitioner,OP Consulting Charge,OP konsultāciju maksa -DocType: Quality Goal,Measurable Goal,Mērāms mērķis DocType: Bank Statement Transaction Payment Item,Invoices,Rēķini DocType: Currency Exchange,Currency Exchange,Valūtas maiņa DocType: Payroll Entry,Fortnightly,Katru nedēļu @@ -2046,6 +2059,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} netiek iesniegts DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Atgrieziet izejvielas no nepabeigtās noliktavas DocType: Maintenance Team Member,Maintenance Team Member,Uzturēšanas grupas loceklis +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Iestatiet pielāgotus izmērus grāmatvedībai 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 DocType: Employee Health Insurance,Health Insurance Name,Veselības apdrošināšanas nosaukums apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Akciju aktīvi @@ -2078,7 +2092,7 @@ DocType: Delivery Note,Billing Address Name,Norēķinu adreses nosaukums apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternatīvs vienums DocType: Certification Application,Name of Applicant,Iesniedzēja vārds DocType: Leave Type,Earned Leave,Nopelnīts atvaļinājums -DocType: Quality Goal,June,jūnijs +DocType: GSTR 3B Report,June,jūnijs apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},{0} rinda: vienumam {1} ir nepieciešams izmaksu centrs apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Var apstiprināt ar {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mērvienības {0} vienība konversijas koeficienta tabulā ir ievadīta vairāk nekā vienu reizi @@ -2099,6 +2113,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standarta pārdošanas likme apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},"Lūdzu, iestatiet aktīvo ēdienkarti restorānam {0}" 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 lietotājus Marketplace, jums jābūt lietotājam ar sistēmas pārvaldnieka un vienumu pārvaldnieka lomām." DocType: Asset Finance Book,Asset Finance Book,Aktīvu finanšu grāmata +DocType: Quality Goal Objective,Quality Goal Objective,Kvalitātes mērķa mērķis DocType: Employee Transfer,Employee Transfer,Darbinieku pārcelšana ,Sales Funnel,Tirdzniecības piltuve DocType: Agriculture Analysis Criteria,Water Analysis,Ūdens analīze @@ -2137,6 +2152,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Darbinieku pārve apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Līdz gaidāmajām darbībām apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Uzskaitiet dažus no saviem klientiem. Tie varētu būt organizācijas vai indivīdi. DocType: Bank Guarantee,Bank Account Info,Bankas konta informācija +DocType: Quality Goal,Weekday,Nedēļas diena apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 nosaukums DocType: Salary Component,Variable Based On Taxable Salary,"Mainīgs, pamatojoties uz nodokli apliekamo algu" DocType: Accounting Period,Accounting Period,Grāmatvedības periods @@ -2221,7 +2237,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Noapaļošanas regulēšana DocType: Quality Review Table,Quality Review Table,Kvalitātes pārbaudes tabula DocType: Member,Membership Expiry Date,Dalības beigu datums DocType: Asset Finance Book,Expected Value After Useful Life,Paredzamā vērtība pēc lietderīgās lietošanas laika -DocType: Quality Goal,November,Novembris +DocType: GSTR 3B Report,November,Novembris DocType: Loan Application,Rate of Interest,Procentu likme DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Bankas konta izraksta maksājuma postenis DocType: Restaurant Reservation,Waitlisted,Gaidīt sarakstā @@ -2285,6 +2301,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Rinda {0}: lai iestatītu {1} periodiskumu, atšķirībai starp un līdz šim jābūt lielākai vai vienādai ar {2}" DocType: Purchase Invoice Item,Valuation Rate,Vērtēšanas likme DocType: Shopping Cart Settings,Default settings for Shopping Cart,Iepirkumu grozu noklusējuma iestatījumi +DocType: Quiz,Score out of 100,Rezultāts no 100 DocType: Manufacturing Settings,Capacity Planning,Jaudas plānošana apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Dodieties uz instruktoriem DocType: Activity Cost,Projects,Projekti @@ -2294,6 +2311,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,No laika apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variantu detaļu pārskats +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Pirkšanai apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Laiks {0} netiek pievienots grafikam DocType: Target Detail,Target Distribution,Mērķa izplatīšana @@ -2311,6 +2329,7 @@ DocType: Activity Cost,Activity Cost,Darbības izmaksas DocType: Journal Entry,Payment Order,Maksājuma rīkojums apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Cenu noteikšana ,Item Delivery Date,Vienuma piegādes datums +DocType: Quality Goal,January-April-July-October,Janvāris-aprīlis-jūlijs-oktobris DocType: Purchase Order Item,Warehouse and Reference,Noliktava un atsauce apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Kontu ar bērnu mezgliem nevar pārvērst par virsgrāmatu DocType: Soil Texture,Clay Composition (%),Māla sastāvs (%) @@ -2361,6 +2380,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Nākotnes datumi nav a apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"Rinda {0}: lūdzu, iestatiet maksājuma veidu maksājumu grafikā" apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Akadēmiskais termiņš: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Kvalitātes atgriezeniskās saites parametrs apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,"Lūdzu, atlasiet Lietot atlaidi" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,# {0} rinda: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Kopējie maksājumi @@ -2403,7 +2423,7 @@ DocType: Hub Tracked Item,Hub Node,Hub mezgls apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,darbinieka ID DocType: Salary Structure Assignment,Salary Structure Assignment,Algu struktūras piešķiršana DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS slēgšanas kuponu nodokļi -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Darbība ir inicializēta +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Darbība ir inicializēta DocType: POS Profile,Applicable for Users,Piemērojams lietotājiem DocType: Training Event,Exam,Eksāmens apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,"Atrasts nepareizs ģenerālgrāmatu ierakstu skaits. Iespējams, ka esat atlasījis nepareizu kontu." @@ -2510,6 +2530,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Garums DocType: Accounts Settings,Determine Address Tax Category From,Nosakiet adreses nodokļu kategoriju no apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Lēmumu pieņēmēju identificēšana +DocType: Stock Entry Detail,Reference Purchase Receipt,Atsauces pirkuma kvīts apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Get Invocies DocType: Tally Migration,Is Day Book Data Imported,Ir importēti dienas grāmatu dati ,Sales Partners Commission,Pārdošanas partneru komisija @@ -2533,6 +2554,7 @@ DocType: Leave Type,Applicable After (Working Days),Piemērojams pēc (darba die DocType: Timesheet Detail,Hrs,Hrs DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Piegādātāju rezultātu kartes kritēriji DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Kvalitātes atsauksmes veidnes parametrs apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Pievienošanās datumam jābūt lielākam par dzimšanas datumu DocType: Bank Statement Transaction Invoice Item,Invoice Date,Rēķina datums DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Izveidot laboratorijas testu (-us) pārdošanas rēķinā Iesniegt @@ -2637,7 +2659,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimālā pieļaujam DocType: Stock Entry,Source Warehouse Address,Avota noliktavas adrese DocType: Compensatory Leave Request,Compensatory Leave Request,Kompensācijas atvaļinājuma pieprasījums DocType: Lead,Mobile No.,Mobilais numurs -DocType: Quality Goal,July,Jūlijs +DocType: GSTR 3B Report,July,Jūlijs apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Atbilstošs ITC DocType: Fertilizer,Density (if liquid),Blīvums (ja šķidrums) DocType: Employee,External Work History,Ārējā darba vēsture @@ -2714,6 +2736,7 @@ DocType: Certification Application,Certification Status,Sertifikācijas statuss apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Avota atrašanās vieta ir nepieciešama {0} DocType: Employee,Encashment Date,Ievietošanas datums apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,"Lūdzu, atlasiet pabeigto aktīvu uzturēšanas žurnāla pabeigšanas datumu" +DocType: Quiz,Latest Attempt,Jaunākais mēģinājums DocType: Leave Block List,Allow Users,Atļaut lietotājiem apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Kontu diagramma apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"Klients ir obligāts, ja opcija "Opportunity From" ir izvēlēta kā Klients" @@ -2778,7 +2801,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Piegādātājs Score DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS iestatījumi DocType: Program Enrollment,Walking,Pastaigas DocType: SMS Log,Requested Numbers,Pieprasītie numuri -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Lūdzu, iestatiet numerācijas sērijas apmeklējumam, izmantojot iestatījumu> Numerācijas sērija" DocType: Woocommerce Settings,Freight and Forwarding Account,Kravu un nosūtīšanas konts apps/erpnext/erpnext/accounts/party.py,Please select a Company,"Lūdzu, izvēlieties uzņēmumu" apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Rindai {0}: {1} jābūt lielākai par 0 @@ -2848,7 +2870,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,"Rēķini, DocType: Training Event,Seminar,Seminārs apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kredīts ({0}) DocType: Payment Request,Subscription Plans,Abonēšanas plāni -DocType: Quality Goal,March,Marts +DocType: GSTR 3B Report,March,Marts apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Sadalīta partija DocType: School House,House Name,Mājas nosaukums apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Izpilde {0} nevar būt mazāka par nulli ({1}) @@ -2911,7 +2933,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Apdrošināšanas sākuma datums DocType: Target Detail,Target Detail,Mērķa informācija DocType: Packing Slip,Net Weight UOM,Neto svars -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM reklāmguvumu koeficients ({0} -> {1}) nav atrasts vienumam: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Neto summa (uzņēmuma valūta) DocType: Bank Statement Transaction Settings Item,Mapped Data,Kartētie dati apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Vērtspapīri un noguldījumi @@ -2961,6 +2982,7 @@ DocType: Cheque Print Template,Cheque Height,Pārbaudiet augstumu apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,"Lūdzu, ievadiet atbrīvošanas datumu." DocType: Loyalty Program,Loyalty Program Help,Lojalitātes programmas palīdzība DocType: Journal Entry,Inter Company Journal Entry Reference,Uzņēmuma žurnāla ieraksta atsauce +DocType: Quality Meeting,Agenda,Darba kārtība DocType: Quality Action,Corrective,Labot apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Grupas pēc DocType: Bank Account,Address and Contact,Adrese un kontaktpersona @@ -3014,7 +3036,7 @@ DocType: GL Entry,Credit Amount,Kredīta summa apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Kopējā kredīta summa DocType: Support Search Source,Post Route Key List,Post Route Key List apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} nav nevienā aktīvajā fiskālajā gadā. -DocType: Quality Action Table,Problem,Problēma +DocType: Quality Action Resolution,Problem,Problēma DocType: Training Event,Conference,Konference DocType: Mode of Payment Account,Mode of Payment Account,Maksājumu konta veids DocType: Leave Encashment,Encashable days,Iespējamas dienas @@ -3140,7 +3162,7 @@ DocType: Item,"Purchase, Replenishment Details","Iegāde, papildināšana" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Pēc iestatīšanas šis rēķins tiks aizturēts līdz noteiktajam datumam apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"Krājumam {0} nevar būt krājumu, jo ir varianti" DocType: Lab Test Template,Grouped,Grupēti -DocType: Quality Goal,January,Janvāris +DocType: GSTR 3B Report,January,Janvāris DocType: Course Assessment Criteria,Course Assessment Criteria,Kursa vērtēšanas kritēriji DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Pabeigts daudzums @@ -3236,7 +3258,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Veselības ap apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Lūdzu, ievadiet tabulā vismaz vienu rēķinu" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Pārdošanas pasūtījums {0} netiek iesniegts apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Dalība ir atzīmēta veiksmīgi. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Pirms pārdošanas +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pirms pārdošanas apps/erpnext/erpnext/config/projects.py,Project master.,Projekta vadītājs. DocType: Daily Work Summary,Daily Work Summary,Dienas darba kopsavilkums DocType: Asset,Partially Depreciated,Daļēji nolietojums @@ -3245,6 +3267,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Atstājiet ieslēgtu? DocType: Certified Consultant,Discuss ID,Apspriediet ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,GST iestatījumos iestatiet GST kontus +DocType: Quiz,Latest Highest Score,Jaunākais augstākais rādītājs DocType: Supplier,Billing Currency,Norēķinu valūta apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Studentu aktivitāte apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Obligāts ir mērķa daudzums vai mērķa summa @@ -3270,18 +3293,21 @@ DocType: Sales Order,Not Delivered,Nav piegādāts apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Atvaļinājuma veidu {0} nevar piešķirt, jo tas ir atvaļinājums bez maksas" DocType: GL Entry,Debit Amount,Debeta summa apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Jau ierakstīts vienums {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Apakšsavienojumi 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 joprojām dominē vairāki cenu noteikšanas noteikumi, lietotāji tiek aicināti manuāli iestatīt prioritāti, lai atrisinātu konfliktu." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nevar atskaitīt, kad kategorija ir “Vērtēšana” vai “Vērtēšana un kopsumma”" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM un ražošanas apjoms ir nepieciešams apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},{0} vienums ir sasniedzis dzīves beigas {1} DocType: Quality Inspection Reading,Reading 6,Lasīšana 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Ir nepieciešams uzņēmuma lauks apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Materiālu patēriņš nav iestatīts ražošanas iestatījumos. DocType: Assessment Group,Assessment Group Name,Novērtēšanas grupas nosaukums -DocType: Item,Manufacturer Part Number,Ražotāja daļas numurs +DocType: Purchase Invoice Item,Manufacturer Part Number,Ražotāja daļas numurs apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll Payable apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},# {0} rinda: {1} nevar būt negatīva vienumam {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Bilances apjoms +DocType: Question,Multiple Correct Answer,Vairāku pareizo atbildi DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Lojalitātes punkti = cik daudz bāzes valūtas? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Piezīme. Atvaļinājuma veids {0} DocType: Clinical Procedure,Inpatient Record,Stacionārā reģistrācija @@ -3403,6 +3429,7 @@ DocType: Fee Schedule Program,Total Students,Kopā studenti apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Vietējais DocType: Chapter Member,Leave Reason,Atstājiet iemeslu DocType: Salary Component,Condition and Formula,Stāvoklis un formula +DocType: Quality Goal,Objectives,Mērķi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Alga, kas jau ir apstrādāta laika posmā no {0} līdz {1}, atstāšanas pieteikumu periods nevar būt starp šo datumu diapazonu." DocType: BOM Item,Basic Rate (Company Currency),Pamatlikme (uzņēmuma valūta) DocType: BOM Scrap Item,BOM Scrap Item,BOM lūžņu postenis @@ -3453,6 +3480,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Izdevumu pieprasījuma konts apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Žurnāla ierakstam nav pieejami atmaksājumi apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ir neaktīvs students +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Veikt krājumu ierakstu DocType: Employee Onboarding,Activities,Darbības apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Viena noliktava ir obligāta ,Customer Credit Balance,Klientu kredīta atlikums @@ -3537,7 +3565,6 @@ DocType: Contract,Contract Terms,Līguma noteikumi apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Obligāts ir mērķa daudzums vai mērķa summa. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Nederīgs {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Tikšanās datums DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Saīsinājumam nevar būt vairāk par 5 rakstzīmēm DocType: Employee Benefit Application,Max Benefits (Yearly),Maksimālie ieguvumi (katru gadu) @@ -3640,7 +3667,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Bankas maksa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Pārvestās preces apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primārā kontaktinformācija -DocType: Quality Review,Values,Vērtības DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ja tas netiek pārbaudīts, saraksts būs jāpievieno katram departamentam, kur tas ir jāpiemēro." DocType: Item Group,Show this slideshow at the top of the page,Rādīt šo slaidrādi lapas augšdaļā apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} parametrs nav derīgs @@ -3659,6 +3685,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Bankas maksājumu konts DocType: Journal Entry,Get Outstanding Invoices,Saņemiet izcilus rēķinus DocType: Opportunity,Opportunity From,Iespēja no +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Mērķa dati DocType: Item,Customer Code,Klienta kods apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,"Lūdzu, vispirms ievadiet vienumu" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Vietņu saraksts @@ -3687,7 +3714,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Piegāde līdz DocType: Bank Statement Transaction Settings Item,Bank Data,Bankas dati apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Plānotais Upto -DocType: Quality Goal,Everyday,Katru dienu DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,"Saglabājiet norēķinu stundas un darba stundas, kas norādītas laika kontrolsarakstā" apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Track Leads ar Lead Source. DocType: Clinical Procedure,Nursing User,Aprūpes lietotājs @@ -3712,7 +3738,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Pārvaldiet teritorija DocType: GL Entry,Voucher Type,Kupona veids ,Serial No Service Contract Expiry,Sērijas Nr. Pakalpojuma līguma beigu termiņš DocType: Certification Application,Certified,Sertificēts -DocType: Material Request Plan Item,Manufacture,Ražot +DocType: Purchase Invoice Item,Manufacture,Ražot apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} izgatavoti vienumi apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Maksājuma pieprasījums {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dienas kopš pēdējā pasūtījuma @@ -3727,7 +3753,7 @@ DocType: Sales Invoice,Company Address Name,Uzņēmuma adreses nosaukums apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Preces tranzītā apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Šajā rīkojumā varat izmantot tikai maksimālos punktus {0}. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},"Lūdzu, iestatiet kontu noliktavā {0}" -DocType: Quality Action Table,Resolution,Izšķirtspēja +DocType: Quality Action,Resolution,Izšķirtspēja DocType: Sales Invoice,Loyalty Points Redemption,Lojalitātes punkti Atpirkšana apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Kopējā nodokļa vērtība DocType: Patient Appointment,Scheduled,Plānots @@ -3848,6 +3874,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Likme apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Saglabāšana {0} DocType: SMS Center,Total Message(s),Kopējais ziņojums (-i) +DocType: Purchase Invoice,Accounting Dimensions,Grāmatvedības izmēri apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupa pēc konta DocType: Quotation,In Words will be visible once you save the Quotation.,"Vārdi būs redzami, kad saglabāsiet piedāvājumu." apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Ražojamā daudzums @@ -4012,7 +4039,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,I apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Ja jums ir kādi jautājumi, lūdzu, atgriezieties pie mums." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Pirkuma kvīts {0} netiek iesniegts DocType: Task,Total Expense Claim (via Expense Claim),Kopējais izdevumu pieprasījums (izmantojot izdevumu pieprasījumu) -DocType: Quality Action,Quality Goal,Kvalitātes mērķis +DocType: Quality Goal,Quality Goal,Kvalitātes mērķis DocType: Support Settings,Support Portal,Atbalsta portāls apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},{0} uzdevuma beigu datums nevar būt mazāks par {1} paredzamo sākuma datumu {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Darbinieks {0} ir palicis atvaļinājumā {1} @@ -4071,7 +4098,6 @@ DocType: BOM,Operating Cost (Company Currency),Darbības izmaksas (uzņēmuma va DocType: Item Price,Item Price,Vienība Cena DocType: Payment Entry,Party Name,Partijas nosaukums apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,"Lūdzu, izvēlieties klientu" -DocType: Course,Course Intro,Kursa ievads DocType: Program Enrollment Tool,New Program,Jauna programma apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Jaunā izmaksu centra numurs, tas tiks iekļauts izmaksu centra nosaukumā kā prefikss" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Izvēlieties klientu vai piegādātāju. @@ -4271,6 +4297,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto atalgojums nevar būt negatīvs apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Mijiedarbību skaits 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} # postenis {1} nevar tikt pārsūtīts vairāk kā {2} pret pirkuma pasūtījumu {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Kontu un pušu apstrādes diagramma DocType: Stock Settings,Convert Item Description to Clean HTML,Konvertēt vienuma aprakstu uz tīru HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Visas piegādātāju grupas @@ -4349,6 +4376,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Vecāku vienums apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokeru pakalpojumi apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},"Lūdzu, izveidojiet pirkuma kvīti vai pirkuma rēķinu vienumam {0}" +,Product Bundle Balance,Produkta komplekta atlikums apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Uzņēmuma nosaukums nevar būt uzņēmums DocType: Maintenance Visit,Breakdown,Saplīst DocType: Inpatient Record,B Negative,B Negatīvs @@ -4357,7 +4385,7 @@ DocType: Purchase Invoice,Credit To,Kredīts apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Iesniegt šo darba kārtību tālākai apstrādei. DocType: Bank Guarantee,Bank Guarantee Number,Bankas garantijas numurs apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Piegādāts: {0} -DocType: Quality Action,Under Review,Pārskatā +DocType: Quality Meeting Table,Under Review,Pārskatā apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Lauksaimniecība (beta) ,Average Commission Rate,Komisijas vidējā likme DocType: Sales Invoice,Customer's Purchase Order Date,Klienta pasūtījuma datums @@ -4474,7 +4502,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Saskaņot maksājumus ar rēķiniem DocType: Holiday List,Weekly Off,Nedēļas izslēgšana apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Neļaujiet vienumam {0} iestatīt alternatīvu vienumu -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Programma {0} nepastāv. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programma {0} nepastāv. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Nevar rediģēt saknes mezglu. DocType: Fee Schedule,Student Category,Studentu kategorija apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","{0} vienums: {1} saražots," @@ -4564,8 +4592,8 @@ DocType: Crop,Crop Spacing,Augu atstatums DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Cik bieži projektam un uzņēmumam jāatjaunina pārdošanas darījumi. DocType: Pricing Rule,Period Settings,Perioda iestatījumi apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Debitoru parādu neto izmaiņas +DocType: Quality Feedback Template,Quality Feedback Template,Kvalitātes atsauksmes veidne 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 -DocType: Quality Goal,Goal Objectives,Mērķa mērķi apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Ir neatbilstība starp likmi, akciju skaitu un aprēķināto summu" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Atstājiet tukšu, ja katru gadu veicat studentu grupas" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Kredīti (pasīvi) @@ -4600,12 +4628,13 @@ DocType: Quality Procedure Table,Step,Solis DocType: Normal Test Items,Result Value,Rezultātu vērtība DocType: Cash Flow Mapping,Is Income Tax Liability,Vai ienākuma nodokļa saistības DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Stacionārā apmeklējuma maksa -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} nepastāv. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} nepastāv. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Atbildes atjaunināšana DocType: Bank Guarantee,Supplier,Piegādātājs apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Ievadiet vērtību {0} un {1} DocType: Purchase Order,Order Confirmation Date,Pasūtījuma apstiprināšanas datums DocType: Delivery Trip,Calculate Estimated Arrival Times,Aprēķināt paredzamo ierašanās laiku +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Lūdzu, iestatiet darbinieku nosaukumu sistēmu cilvēkresursu> HR iestatījumos" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Patēriņš DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS - .YYYY.- DocType: Subscription,Subscription Start Date,Abonēšanas sākuma datums @@ -4669,6 +4698,7 @@ DocType: Cheque Print Template,Is Account Payable,Vai konts ir maksājams apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Kopējā pasūtījuma vērtība apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Piegādātājs {0} nav atrasts {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Iestatiet SMS vārtejas iestatījumus +DocType: Salary Component,Round to the Nearest Integer,Noapaļojiet līdz tuvākajam veselajam skaitlim apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Saknei nevar būt vecāku izmaksu centrs DocType: Healthcare Service Unit,Allow Appointments,Atļaut iecelšanu DocType: BOM,Show Operations,Rādīt darbības @@ -4796,7 +4826,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Noklusējuma brīvdienu saraksts DocType: Naming Series,Current Value,Šī brīža vērtība apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezonitāte budžetu, mērķu noteikšanai utt." -DocType: Program,Program Code,Programmas kods apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Brīdinājums: pārdošanas pasūtījums {0} jau pastāv pret klienta pasūtījumu {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Mēneša pārdošanas mērķis ( DocType: Guardian,Guardian Interests,Aizbildņu intereses @@ -4846,10 +4875,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Apmaksāts un netiek piegādāts apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Vienuma kods ir obligāts, jo vienums netiek automātiski numurēts" DocType: GST HSN Code,HSN Code,HSN kods -DocType: Quality Goal,September,Septembris +DocType: GSTR 3B Report,September,Septembris apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administratīvie izdevumi DocType: C-Form,C-Form No,C veidlapa Nr DocType: Purchase Invoice,End date of current invoice's period,Pašreizējā rēķina perioda beigu datums +DocType: Item,Manufacturers,Ražotāji DocType: Crop Cycle,Crop Cycle,Apstrādāt ciklu DocType: Serial No,Creation Time,Izveides laiks apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Lūdzu, ievadiet apstiprinošo lomu vai apstiprinošo lietotāju" @@ -4921,8 +4951,6 @@ DocType: Employee,Short biography for website and other publications.,Īsa biogr DocType: Purchase Invoice Item,Received Qty,Saņemts daudzums DocType: Purchase Invoice Item,Rate (Company Currency),Likme (uzņēmuma valūta) DocType: Item Reorder,Request for,Pieprasījums pēc -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Lūdzu, izdzēsiet Darbinieks {0}, lai atceltu šo dokumentu" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Iepriekš iestatītu instalēšana apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,"Lūdzu, ievadiet atmaksas periodus" DocType: Pricing Rule,Advanced Settings,Papildu iestatījumi @@ -4948,7 +4976,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Iespējot iepirkumu grozu DocType: Pricing Rule,Apply Rule On Other,Lietot Noteikumus citā DocType: Vehicle,Last Carbon Check,Pēdējā oglekļa pārbaude -DocType: Vehicle,Make,Veidot +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Veidot apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Pārdošanas rēķins {0} izveidots kā samaksāts apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,"Lai izveidotu Maksājuma pieprasījuma atsauces dokumentu, ir nepieciešams" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Ienākuma nodoklis @@ -5024,7 +5052,6 @@ DocType: Territory,Parent Territory,Vecāku teritorija DocType: Vehicle Log,Odometer Reading,Odometra rādījums DocType: Additional Salary,Salary Slip,Algas lappuse DocType: Payroll Entry,Payroll Frequency,Darba samaksas biežums -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Lūdzu, iestatiet darbinieku nosaukumu sistēmu cilvēkresursu> HR iestatījumos" apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Sākuma un beigu datumi, kas nav derīgā algas periodā, nevar aprēķināt {0}" DocType: Products Settings,Home Page is Products,Mājas lapa ir produkti apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Zvani @@ -5078,7 +5105,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Ierakstu ielāde ...... DocType: Delivery Stop,Contact Information,Kontaktinformācija DocType: Sales Order Item,For Production,Ražošanai -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Lūdzu, iestatiet instruktora nosaukumu sistēmu izglītībā> Izglītības iestatījumi" DocType: Serial No,Asset Details,Informācija par aktīviem DocType: Restaurant Reservation,Reservation Time,Rezervācijas laiks DocType: Selling Settings,Default Territory,Noklusējuma teritorija @@ -5218,6 +5244,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,V apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Beidzās partijas DocType: Shipping Rule,Shipping Rule Type,Piegādes noteikumu veids DocType: Job Offer,Accepted,Pieņemts +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Lūdzu, izdzēsiet Darbinieks {0}, lai atceltu šo dokumentu" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Jūs jau esat novērtējis vērtēšanas kritērijus {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Atlasiet Sērijas numuri apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Vecums (dienas) @@ -5234,6 +5262,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Iepakojuma vienības pārdošanas brīdī. DocType: Payment Reconciliation Payment,Allocated Amount,Piešķirtā summa apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,"Lūdzu, izvēlieties uzņēmumu un apzīmējumu" +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,Nepieciešams datums DocType: Email Digest,Bank Credit Balance,Bankas kredīta atlikums apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Rādīt kumulatīvo summu apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Jums nav ticis piesaistīts lojalitātes punktiem @@ -5294,11 +5323,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Iepriekšējā rindā DocType: Student,Student Email Address,Studentu e-pasta adrese DocType: Academic Term,Education,Izglītība DocType: Supplier Quotation,Supplier Address,Piegādātāja adrese -DocType: Salary Component,Do not include in total,Neiekļaut kopā +DocType: Salary Detail,Do not include in total,Neiekļaut kopā apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Nevar iestatīt vairākus vienuma noklusējumus uzņēmumam. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nepastāv DocType: Purchase Receipt Item,Rejected Quantity,Noraidīts daudzums DocType: Cashier Closing,To TIme,TIme +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM reklāmguvumu koeficients ({0} -> {1}) nav atrasts vienumam: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Ikdienas darba kopsavilkums Grupas lietotājs DocType: Fiscal Year Company,Fiscal Year Company,Fiskālā gada uzņēmums apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternatīvais vienums nedrīkst būt tāds pats kā vienuma kods @@ -5408,7 +5438,6 @@ DocType: Fee Schedule,Send Payment Request Email,Nosūtīt maksājuma pieprasīj DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Vārdi būs redzami, kad būsit saglabājis pārdošanas rēķinu." DocType: Sales Invoice,Sales Team1,Pārdošanas komanda1 DocType: Work Order,Required Items,Obligātie vienumi -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Īpašas rakstzīmes, izņemot "-", "#", "." un "/" nav atļauts nosaukumu sērijās" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Lasiet ERPNext rokasgrāmatu DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Pārbaudiet piegādātāja rēķina numuru apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Meklēt apakšdaļas @@ -5476,7 +5505,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Procentuālā atskaitīšana apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,"Daudzums, kas jāsagatavo, nedrīkst būt mazāks par nulli" DocType: Share Balance,To No,Uz Nē DocType: Leave Control Panel,Allocate Leaves,Piešķirt lapas -DocType: Quiz,Last Attempt,Pēdējais mēģinājums DocType: Assessment Result,Student Name,Studenta vārds apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Apkopes apmeklējumu plāns. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,"Sekojošie materiālie pieprasījumi ir automātiski izvirzīti, pamatojoties uz Vienības atkārtota pasūtījuma līmeni" @@ -5545,6 +5573,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Indikatora krāsa DocType: Item Variant Settings,Copy Fields to Variant,Kopēt laukus uz variantu DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Viena pareiza atbilde apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,No datuma nevar būt mazāks par darbinieka pievienošanās datumu DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Atļaut vairākus pārdošanas pasūtījumus pret klienta pasūtījumu apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5607,7 +5636,7 @@ DocType: Account,Expenses Included In Valuation,"Izdevumi, kas iekļauti vērtē apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Sērijas numuri DocType: Salary Slip,Deductions,Atskaitījumi ,Supplier-Wise Sales Analytics,Piegādātāja-gudra pārdošanas analīze -DocType: Quality Goal,February,Februārī +DocType: GSTR 3B Report,February,Februārī DocType: Appraisal,For Employee,Darbiniekam apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Faktiskais piegādes datums DocType: Sales Partner,Sales Partner Name,Pārdošanas partnera nosaukums @@ -5703,7 +5732,6 @@ DocType: Procedure Prescription,Procedure Created,Procedūra Izveidota apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Pret piegādātāja rēķinu {0} datēts {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Mainīt POS profilu apps/erpnext/erpnext/utilities/activation.py,Create Lead,Izveidot svinu -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Piegādātājs> Piegādātāja veids DocType: Shopify Settings,Default Customer,Noklusējuma klients DocType: Payment Entry Reference,Supplier Invoice No,Piegādātāja rēķins Nr DocType: Pricing Rule,Mixed Conditions,Jaukti nosacījumi @@ -5754,12 +5782,14 @@ DocType: Item,End of Life,Dzīves beigas DocType: Lab Test Template,Sensitivity,Jutīgums DocType: Territory,Territory Targets,Teritorijas mērķi apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Izlaist atlaižu izlaišanu šādiem darbiniekiem, jo Atbrīvojuma piešķiršanas ieraksti jau ir pret viņiem. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Kvalitātes rīcības rezolūcija DocType: Sales Invoice Item,Delivered By Supplier,Piegādātājs DocType: Agriculture Analysis Criteria,Plant Analysis,Augu analīze apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Izdevumu konts ir obligāts vienumam {0} ,Subcontracted Raw Materials To Be Transferred,"Apakšuzņēmuma izejvielas, kas jānodod" DocType: Cashier Closing,Cashier Closing,Kases slēgšana apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,{0} vienums jau ir atgriezts +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,"Nederīgs GSTIN! Ievadītais ievade neatbilst UIN turētāju GIDIN formātam vai OIDAR pakalpojumu sniedzējiem, kas nav rezidenti" apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Šai noliktavai ir bērnu noliktava. Jūs nevarat izdzēst šo noliktavu. DocType: Diagnosis,Diagnosis,Diagnoze apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},No {0} līdz {1} nav atvaļinājuma laika @@ -5776,6 +5806,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Autorizācijas iestatījumi DocType: Homepage,Products,Produkti ,Profit and Loss Statement,Peļņas un zaudējumu aprēķins apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Numuri rezervēti +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Dublikāta ieraksts ar vienuma kodu {0} un ražotāju {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Kopējais svars apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Ceļošana @@ -5824,6 +5855,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Noklusējuma klientu grupa DocType: Journal Entry Account,Debit in Company Currency,Debets uzņēmuma valūtā DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Rezerves sērija ir "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Kvalitātes sanāksmes darba kārtība DocType: Cash Flow Mapper,Section Header,Sadaļas virsraksts apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Jūsu produkti vai pakalpojumi DocType: Crop,Perennial,Daudzgadīgie @@ -5869,7 +5901,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produkts vai pakalpojums, kas tiek nopirkts, pārdots vai atrodas noliktavā." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Slēgšana (atvēršana + kopējais) DocType: Supplier Scorecard Criteria,Criteria Formula,Kritēriju formula -,Support Analytics,Atbalstīt Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Atbalstīt Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Pārskatīšana un darbība DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ja konts ir iesaldēts, ierakstus drīkst ierobežot lietotājiem." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Summa pēc nolietojuma @@ -5914,7 +5946,6 @@ DocType: Contract Template,Contract Terms and Conditions,Līguma noteikumi un no apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Datu ielāde DocType: Stock Settings,Default Item Group,Noklusējuma vienumu grupa DocType: Sales Invoice Timesheet,Billing Hours,Norēķinu stundas -DocType: Item,Item Code for Suppliers,Piegādātāju kods apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Atstājiet lietojumprogrammu {0} jau pret studentu {1} DocType: Pricing Rule,Margin Type,Maržas veids DocType: Purchase Invoice Item,Rejected Serial No,Noraidīts sērijas Nr @@ -5987,6 +6018,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Lapas ir veiksmīgi piešķirtas DocType: Loyalty Point Entry,Expiry Date,Derīguma termiņš DocType: Project Task,Working,Darbs +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} jau ir vecāku procedūra {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Tas ir balstīts uz darījumiem pret šo pacientu. Sīkāku informāciju skatīt zemāk DocType: Material Request,Requested For,Pieprasīta par DocType: SMS Center,All Sales Person,Visa pārdošanas persona @@ -6074,6 +6106,7 @@ DocType: Loan Type,Maximum Loan Amount,Maksimālā aizdevuma summa apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-pasts nav atrasts noklusētajā kontaktā DocType: Hotel Room Reservation,Booked,Rezervēts DocType: Maintenance Visit,Partially Completed,Daļēji pabeigta +DocType: Quality Procedure Process,Process Description,Procesa apraksts DocType: Company,Default Employee Advance Account,Noklusējuma darbinieku iepriekšējais konts DocType: Leave Type,Allow Negative Balance,Atļaut negatīvo bilanci apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Novērtējuma plāna nosaukums @@ -6115,6 +6148,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Piedāvājuma pieprasījums apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} divreiz ievadīts vienuma postenī DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Atskaitīt pilnu nodokli par izvēlēto darba samaksas datumu +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Pēdējais oglekļa pārbaudes datums nevar būt nākotnes datums apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Atlasiet izmaiņas summas kontu DocType: Support Settings,Forum Posts,Foruma ziņojumi DocType: Timesheet Detail,Expected Hrs,Paredzamais laiks @@ -6124,7 +6158,7 @@ DocType: Program Enrollment Tool,Enroll Students,Reģistrējiet studentus apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Atkārtojiet klientu ieņēmumus DocType: Company,Date of Commencement,Sākuma datums DocType: Bank,Bank Name,Bankas nosaukums -DocType: Quality Goal,December,Decembrī +DocType: GSTR 3B Report,December,Decembrī 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īgu līdz pat dienai apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Tas ir balstīts uz šī darbinieka piedalīšanos DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ja tā ir atzīmēta, mājas lapa būs noklusējuma vienumu grupa" @@ -6167,6 +6201,7 @@ DocType: Payment Entry,Payment Type,Maksājuma veids apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Folio numuri nesakrīt DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF - .YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Kvalitātes pārbaude: {0} nav iesniegts vienumam: {1} rindā {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Rādīt {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} vienums atrasts. ,Stock Ageing,Krājumu novecošana DocType: Customer Group,Mention if non-standard receivable account applicable,"Norādiet, ja piemēro nestandarta debitoru kontu" @@ -6445,6 +6480,7 @@ DocType: Travel Request,Costing,Izmaksu aprēķināšana apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Pamatlīdzekļi DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Kopējā peļņa +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klients> Klientu grupa> Teritorija DocType: Share Balance,From No,No Nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Maksājuma saskaņošanas rēķins DocType: Purchase Invoice,Taxes and Charges Added,Pievienoti nodokļi un maksas @@ -6452,7 +6488,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Apsveriet nodokli DocType: Authorization Rule,Authorized Value,Atļautā vērtība apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Saņemts no apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Noliktava {0} nepastāv +DocType: Item Manufacturer,Item Manufacturer,Vienība Ražotājs DocType: Sales Invoice,Sales Team,Pārdošanas komanda +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Iepakojuma daudzums DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM DocType: Installation Note,Installation Date,Instalēšanas datums DocType: Email Digest,New Quotations,Jaunas cenas @@ -6516,7 +6554,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Brīvdienu saraksta nosaukums DocType: Water Analysis,Collection Temperature ,Kolekcijas temperatūra DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Pārvaldiet iecelšanas rēķinu un automātiski atceliet pacienta tikšanos -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Lūdzu, iestatiet nosaukuma sēriju {0}, izmantojot iestatījumu> Iestatījumi> Nosaukumu sērija" DocType: Employee Benefit Claim,Claim Date,Prasības datums DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"Ja piegādātājs ir bloķēts uz nenoteiktu laiku, atstājiet tukšu" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Dalība no dienas un apmeklējuma datuma ir obligāta @@ -6527,6 +6564,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Pensionēšanās datums apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,"Lūdzu, atlasiet Patient" DocType: Asset,Straight Line,Taisne +DocType: Quality Action,Resolutions,Rezolūcijas DocType: SMS Log,No of Sent SMS,Nosūtīto īsziņu skaits ,GST Itemised Sales Register,GST detalizēts pārdošanas reģistrs apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Kopējā avansa summa nevar būt lielāka par kopējo sodīto summu @@ -6637,7 +6675,7 @@ DocType: Account,Profit and Loss,Peļņa un zaudējumi apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Dif. Daudzums DocType: Asset Finance Book,Written Down Value,Norakstīta vērtība apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Atvēruma bilances akcija -DocType: Quality Goal,April,Aprīlis +DocType: GSTR 3B Report,April,Aprīlis DocType: Supplier,Credit Limit,Kredīta limits apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Izplatīšana apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6692,6 +6730,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Pievienojiet Shopify ar ERPNext DocType: Homepage Section Card,Subtitle,Apakšvirsraksts DocType: Soil Texture,Loam,Loam +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Piegādātājs> Piegādātāja veids DocType: BOM,Scrap Material Cost(Company Currency),Metāllūžņu materiālu izmaksas (uzņēmuma valūta) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Piegādes piezīmi {0} nedrīkst iesniegt DocType: Task,Actual Start Date (via Time Sheet),Faktiskais sākuma datums (ar laika lapu) @@ -6747,7 +6786,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Devas DocType: Cheque Print Template,Starting position from top edge,Sākuma pozīcija no augšējās malas apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Iecelšanas ilgums (min) -DocType: Pricing Rule,Disable,Atspējot +DocType: Accounting Dimension,Disable,Atspējot DocType: Email Digest,Purchase Orders to Receive,"Iegādāties pasūtījumus, lai saņemtu" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Productions Rīkojumus nevar izvirzīt: DocType: Projects Settings,Ignore Employee Time Overlap,Ignorēt darbinieku laika pārklāšanos @@ -6831,6 +6870,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Izveid DocType: Item Attribute,Numeric Values,Skaitliskās vērtības DocType: Delivery Note,Instructions,Instrukcijas DocType: Blanket Order Item,Blanket Order Item,Segas pasūtījuma postenis +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Obligāts peļņas un zaudējumu aprēķinam apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Komisijas likme nevar būt lielāka par 100. \ T DocType: Course Topic,Course Topic,Kursa tēma DocType: Employee,This will restrict user access to other employee records,Tas ierobežos lietotāju piekļuvi citiem darbinieku ierakstiem @@ -6855,12 +6895,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Abonēšanas p apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Iegūstiet klientus no apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Ziņojumi +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Partijas konts DocType: Assessment Plan,Schedule,Grafiks apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,"Lūdzu, ievadiet" DocType: Lead,Channel Partner,Kanāla partneris apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Rēķinā norādītā summa DocType: Project,From Template,No veidnes +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Abonementi apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,"Daudzums, kas jāveic" DocType: Quality Review Table,Achieved,Sasniegts @@ -6907,7 +6949,6 @@ DocType: Journal Entry,Subscription Section,Abonēšanas sadaļa DocType: Salary Slip,Payment Days,Maksājumu dienas apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Brīvprātīgo informācija. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,“Saldēt krājumus vecākiem par” ir jābūt mazākam par% d dienām. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Atlasiet fiskālos gadus DocType: Bank Reconciliation,Total Amount,Kopā summa DocType: Certification Application,Non Profit,Bezpeļņas DocType: Subscription Settings,Cancel Invoice After Grace Period,Atcelt rēķinu pēc žēlastības perioda @@ -6920,7 +6961,6 @@ DocType: Serial No,Warranty Period (Days),Garantijas periods (dienas) DocType: Expense Claim Detail,Expense Claim Detail,Detalizēta informācija par izdevumu pieprasījumu apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programma: DocType: Patient Medical Record,Patient Medical Record,Pacienta medicīniskais ieraksts -DocType: Quality Action,Action Description,Darbības apraksts DocType: Item,Variant Based On,Variant Pamatojoties DocType: Vehicle Service,Brake Oil,Bremžu eļļa DocType: Employee,Create User,Izveidot lietotāju @@ -6975,7 +7015,7 @@ DocType: Cash Flow Mapper,Section Name,Sadaļas nosaukums DocType: Packed Item,Packed Item,Iepakots vienums apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: {2} obligāta debeta vai kredīta summa apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Algu saspraudes iesniegšana ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Nekāda darbība +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Nekāda darbība apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budžetu nevar piešķirt, izmantojot {0}, jo tas nav ienākumu vai izdevumu konts" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Meistari un konti DocType: Quality Procedure Table,Responsible Individual,Atbildīgā persona @@ -7098,7 +7138,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Atļaut konta izveidošanu pret bērnu uzņēmumu DocType: Payment Entry,Company Bank Account,Uzņēmuma bankas konts DocType: Amazon MWS Settings,UK,Apvienotā Karaliste -DocType: Quality Procedure,Procedure Steps,Procedūras soļi DocType: Normal Test Items,Normal Test Items,Parastie pārbaudes priekšmeti apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,{0}: pasūtītais daudzums {1} nevar būt mazāks par minimālo pasūtījuma daudzumu {2} (definēts pozīcijā). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Nav noliktavā @@ -7177,7 +7216,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Uzturēšanas loma apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Noteikumi un nosacījumi Veidne DocType: Fee Schedule Program,Fee Schedule Program,Maksa grafiku programma -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kursa {0} nav. DocType: Project Task,Make Timesheet,Padarīt laika kontrolsaraksts DocType: Production Plan Item,Production Plan Item,Ražošanas plāna punkts apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Kopējais students @@ -7199,6 +7237,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Ietīšana apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Jūs varat atjaunot tikai tad, ja jūsu dalība beidzas 30 dienu laikā" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vērtībai jābūt starp {0} un {1} +DocType: Quality Feedback,Parameters,Parametri ,Sales Partner Transaction Summary,Pārdošanas partneru darījumu kopsavilkums DocType: Asset Maintenance,Maintenance Manager Name,Apkopes vadītāja nosaukums apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,"Ir nepieciešams, lai ielādētu vienuma detaļas." @@ -7236,6 +7275,7 @@ DocType: Student Admission,Student Admission,Studentu uzņemšana DocType: Designation Skill,Skill,Prasme DocType: Budget Account,Budget Account,Budžeta konts DocType: Employee Transfer,Create New Employee Id,Izveidot jaunu darbinieku ID +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} ir nepieciešams konta “Peļņa un zaudējumi” {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Preču un pakalpojumu nodoklis (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Atalgojuma veidlapu izveide ... DocType: Employee Skill,Employee Skill,Darbinieku prasme @@ -7335,6 +7375,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Rēķins atse DocType: Subscription,Days Until Due,Dienas līdz termiņa beigām apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Rādīt pabeigtu apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Ziņojums par bankas operāciju veikšanu +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bankas Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,# {0} rinda: likmei jābūt vienādai ar {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Veselības aprūpes pakalpojumu vienības @@ -7391,6 +7432,7 @@ DocType: Training Event Employee,Invited,Uzaicināts apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},"Maksimālā summa, kas atbilst {0} komponentam, pārsniedz {1}" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Summa uz Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",Attiecībā uz {0} tikai debeta kontus var saistīt ar citu ierakstu +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Izmēru izveide ... DocType: Bank Statement Transaction Entry,Payable Account,Maksājamais konts apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,"Lūdzu, norādiet, ka nav nepieciešami apmeklējumi" DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Atlasiet tikai tad, ja jums ir iestatījumi Cash Flow Mapper dokumenti" @@ -7408,6 +7450,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice," DocType: Service Level,Resolution Time,Izšķirtspējas laiks DocType: Grading Scale Interval,Grade Description,Novērtējuma apraksts DocType: Homepage Section,Cards,Kartes +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kvalitātes sanāksmes protokoli DocType: Linked Plant Analysis,Linked Plant Analysis,Saistīto iekārtu analīze apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Pakalpojuma beigu datums nevar būt pēc pakalpojuma beigu datuma apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,"Lūdzu, iestatiet B2C limitu GST iestatījumos." @@ -7442,7 +7485,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Darbinieku apmeklēju DocType: Employee,Educational Qualification,Izglītības kvalifikācija apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Pieejamā vērtība apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Parauga daudzums {0} nevar būt lielāks par saņemto daudzumu {1} -DocType: Quiz,Last Highest Score,Pēdējais augstākais rādītājs DocType: POS Profile,Taxes and Charges,Nodokļi un maksājumi DocType: Opportunity,Contact Mobile No,Sazinieties ar Mobile No DocType: Employee,Joining Details,Pievienošanās informācijai diff --git a/erpnext/translations/mk.csv b/erpnext/translations/mk.csv index d6d0d3155d..d9b9e0df4c 100644 --- a/erpnext/translations/mk.csv +++ b/erpnext/translations/mk.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Дел од снабдув DocType: Journal Entry Account,Party Balance,Партија рамнотежа apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Извор на средства (обврски) DocType: Payroll Period,Taxable Salary Slabs,Плодови за плата за оданочување +DocType: Quality Action,Quality Feedback,Поврат на квалитет DocType: Support Settings,Support Settings,Подесувања за поддршка apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Внеси прво внесете производствена ставка DocType: Quiz,Grading Basis,Основа за оценување @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Повеќе д DocType: Salary Component,Earning,Заработка DocType: Restaurant Order Entry,Click Enter To Add,Кликнете Enter за да додадете DocType: Employee Group,Employee Group,Група вработени +DocType: Quality Procedure,Processes,Процеси DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Наведете курс за конвертирање на една валута во друга apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Стареење опсег 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Складиште потребно за акции Точка {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Жалба DocType: Shipping Rule,Restrict to Countries,Ограничи се на земји DocType: Hub Tracked Item,Item Manager,Менаџер на предмети apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Валутата на сметката за затворање мора да биде {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Буџети apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Отворање фактура точка DocType: Work Order,Plan material for sub-assemblies,Планирајте материјал за под-склопови apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Хардвер DocType: Budget,Action if Annual Budget Exceeded on MR,Акција ако годишниот буџет е надминат на МР DocType: Sales Invoice Advance,Advance Amount,Однапред износ +DocType: Accounting Dimension,Dimension Name,Името на димензијата DocType: Delivery Note Item,Against Sales Invoice Item,Против ставка за продажба DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Вклучи ставка во производството @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Што прав ,Sales Invoice Trends,Трендови за продажба на продажба DocType: Bank Reconciliation,Payment Entries,Записи за исплата DocType: Employee Education,Class / Percentage,Класа / Процент -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на производ> Група на производи> Бренд ,Electronic Invoice Register,Електронски регистар на фактури DocType: Sales Invoice,Is Return (Credit Note),Е враќање (кредитната белешка) DocType: Lab Test Sample,Lab Test Sample,Примерок за лабораториски испитувања @@ -291,6 +294,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Варијанти apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Надоместоците ќе бидат распределени пропорционално врз основа на ставка или износ на ставка, според вашиот избор" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Активности кои се чекаат за денес +DocType: Quality Procedure Process,Quality Procedure Process,Процес на процедура за квалитет DocType: Fee Schedule Program,Student Batch,Студентски серија apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Потребна е стапка на проценка за ставка по ред {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Базна работна стапка (Валута на компанијата) @@ -310,7 +314,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Постави кол во трансакции врз основа на сериски без влез apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Авансната валута на сметката треба да биде иста како валута на компанијата {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Прилагодете ги партициите во почетната страница -DocType: Quality Goal,October,Октомври +DocType: GSTR 3B Report,October,Октомври DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Сокриј го Id данокот на купувачи од продажните трансакции apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Невалиден GSTIN! А GSTIN мора да има 15 знаци. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Ценовното правило {0} се ажурира @@ -398,7 +402,7 @@ DocType: Leave Encashment,Leave Balance,Остави баланс apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Распоредот за одржување {0} постои против {1} DocType: Assessment Plan,Supervisor Name,Име на супервизорот DocType: Selling Settings,Campaign Naming By,Именување на кампањата -DocType: Course,Course Code,Код на курсот +DocType: Student Group Creation Tool Course,Course Code,Код на курсот apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Воздухопловна DocType: Landed Cost Voucher,Distribute Charges Based On,Дистрибуирај надоместоци базирани на DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Критериуми за оценување на резултатите од добавувачот @@ -480,10 +484,8 @@ DocType: Restaurant Menu,Restaurant Menu,Мени за ресторани DocType: Asset Movement,Purpose,Цел apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Доделувањето на структурата на платите за вработените веќе постои DocType: Clinical Procedure,Service Unit,Сервизна единица -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Група на клиенти> Територија DocType: Travel Request,Identification Document Number,Број за идентификациски документ DocType: Stock Entry,Additional Costs,Дополнителни трошоци -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Родителски курс (Остави празно, ако ова не е дел од родителскиот курс)" DocType: Employee Education,Employee Education,Образование на вработените apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Број на позиции не може да биде помал од моменталниот број на вработени apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Сите кориснички групи @@ -530,6 +532,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Ред {0}: Количината е задолжителна DocType: Sales Invoice,Against Income Account,Против сметката за приходи apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ред # {0}: Купување Фактура не може да се направи против постоечко средство {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Правила за примена на различни промотивни шеми. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM-фактор на порибување потребен за UOM: {0} во точка: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Ве молиме внесете количество за елемент {0} DocType: Workstation,Electricity Cost,Цена на електрична енергија @@ -865,7 +868,6 @@ DocType: Item,Total Projected Qty,Вкупно проектирана колич apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Бомс DocType: Work Order,Actual Start Date,Датум на стартување apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Вие не сте присутни целиот ден (ите) помеѓу деновите за барање за компензаторско отсуство -DocType: Company,About the Company,За компанијата apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Дрво на финансиски сметки. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Индиректни приходи DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Хотел соба резервација точка @@ -880,6 +882,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,База н DocType: Skill,Skill Name,Име на вештина apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Печатење на извештај картичка DocType: Soil Texture,Ternary Plot,Троично заговор +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ве молиме наместете го Селектирањето за {0} преку Setup> Settings> Series за именување apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Поддршка Билети DocType: Asset Category Account,Fixed Asset Account,Фиксна сметка за средства apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Најнови @@ -889,6 +892,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Курс за за ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Ве молиме поставете ја серијата што ќе се користи. DocType: Delivery Trip,Distance UOM,Растојание UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Задолжителен за биланс на состојба DocType: Payment Entry,Total Allocated Amount,Вкупен распределен износ DocType: Sales Invoice,Get Advances Received,Добие аванси DocType: Student,B-,B- @@ -912,6 +916,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Точка за о apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,ПОС Профил потребен за да се направи ПОС Влез DocType: Education Settings,Enable LMS,Овозможи LMS DocType: POS Closing Voucher,Sales Invoices Summary,Резиме на фактури за продажба +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Корист apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на сметка мора да биде сметка Биланс на состојба DocType: Video,Duration,Времетраење DocType: Lab Test Template,Descriptive,Описни @@ -963,6 +968,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Почеток и крај датуми DocType: Supplier Scorecard,Notify Employee,Извести го вработениот apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Софтвер +DocType: Program,Allow Self Enroll,Дозволи самопроверка apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Трошоци за акции apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Референтниот број е задолжителен ако внесете Референтен датум DocType: Training Event,Workshop,Работилница @@ -1015,6 +1021,7 @@ DocType: Lab Test Template,Lab Test Template,Лабораториски тест apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Макс: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Недостасува информација за е-фактурирање apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Нема креирано материјално барање +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на производ> Група на производи> Бренд DocType: Loan,Total Amount Paid,Вкупен износ платен apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Сите овие елементи веќе се фактурирани DocType: Training Event,Trainer Name,Име на тренерот @@ -1036,6 +1043,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Академска година DocType: Sales Stage,Stage Name,Сценско име DocType: SMS Center,All Employee (Active),Сите вработени (активни) +DocType: Accounting Dimension,Accounting Dimension,Сметководствена димензија DocType: Project,Customer Details,Детали за клиентите DocType: Buying Settings,Default Supplier Group,Стандардна група на добавувачи apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Ве молиме откажете ја купопродажната цена {0} прво @@ -1150,7 +1158,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Повисок DocType: Designation,Required Skills,Потребни вештини DocType: Marketplace Settings,Disable Marketplace,Оневозможи пазар DocType: Budget,Action if Annual Budget Exceeded on Actual,Акција ако годишниот буџет се надминува на актуелниот -DocType: Course,Course Abbreviation,Кратенка на курсот apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Публика не е поднесена за {0} како {1} на одмор. DocType: Pricing Rule,Promotional Scheme Id,Id на промотивната шема apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Краен датум на задача {0} не може да биде поголем од {1} очекуваниот краен датум {2} @@ -1293,7 +1300,7 @@ DocType: Bank Guarantee,Margin Money,Маргина пари DocType: Chapter,Chapter,Поглавје DocType: Purchase Receipt Item Supplied,Current Stock,Тековна берза DocType: Employee,History In Company,Историја во компанијата -DocType: Item,Manufacturer,Производител +DocType: Purchase Invoice Item,Manufacturer,Производител apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Умерена чувствителност DocType: Compensatory Leave Request,Leave Allocation,Оставете Распределба DocType: Timesheet,Timesheet,Временска рамка @@ -1324,6 +1331,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Пренесен ма DocType: Products Settings,Hide Variants,Сокриј варијанти DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Оневозможи планирање на капацитети и следење на време DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Ќе се пресметува во трансакцијата. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} е потребен за сметката "Биланс на состојба" {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} не е дозволено да се справи со {1}. Ве молиме да ја смените компанијата. 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}" DocType: Delivery Trip,Delivery Details,Детали за испорака @@ -1359,7 +1367,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Претходна apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Единица мерка DocType: Lab Test,Test Template,Тест образец DocType: Fertilizer,Fertilizer Contents,Содржина на ѓубрива -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Минута +DocType: Quality Meeting Minutes,Minute,Минута apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ред # {0}: Asset {1} не може да се поднесе, веќе е {2}" DocType: Task,Actual Time (in Hours),Фактичко време (во часови) DocType: Period Closing Voucher,Closing Account Head,Глава за затворање на сметката @@ -1532,7 +1540,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Лабораторија DocType: Purchase Order,To Bill,За Бил apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Комунални трошоци DocType: Manufacturing Settings,Time Between Operations (in mins),Време помеѓу операциите (во мините) -DocType: Quality Goal,May,Мај +DocType: GSTR 3B Report,May,Мај apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Не се креира профил за исплата, ве молиме креирајте рачно." DocType: Opening Invoice Creation Tool,Purchase,Купување DocType: Program Enrollment,School House,Училиште куќа @@ -1564,6 +1572,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,Законски информации и други општи информации за добавувачот DocType: Item Default,Default Selling Cost Center,Стандарден трошок центар за продажба DocType: Sales Partner,Address & Contacts,Адреса и контакти +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ве молиме наместете серија за нумерација за Присуство преку Поставување> Нумерирање DocType: Subscriber,Subscriber,Претплатник apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Образец / точка / {0}) е надвор од акциите apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Ве молиме изберете прво да го објавите датумот @@ -1591,6 +1600,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Болничка пос DocType: Bank Statement Settings,Transaction Data Mapping,Мапирање податоци за трансакции apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Олово бара или име на лице или име на организацијата DocType: Student,Guardians,Чувари +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ве молиме поставете Систем за наведување на наставници во образованието> Образование apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Избери Бренд ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Среден приход DocType: Shipping Rule,Calculate Based On,Пресметајте врз основа на @@ -1602,7 +1612,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Предвремени тв DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Прилагодување за заокружување (Валута на компанијата) DocType: Item,Publish in Hub,Објавување во Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,Август +DocType: GSTR 3B Report,August,Август apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Внеси прво внесете Потврда за купување apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Започнете година apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Целна ({}) @@ -1621,6 +1631,7 @@ DocType: Item,Max Sample Quantity,Максимална количина на п apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Изворниот и целниот склад мора да бидат различни DocType: Employee Benefit Application,Benefits Applied,Применливи придобивки apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Против внес на дневникот {0} нема никаков неспоредлив {1} запис +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Специјални знаци, освен "-", "#", ".", "/", "{" И "}" не се дозволени при именување на серии" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Потребни се попустни цени или производи apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Постави цел apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Записник за присуство {0} постои против Студент {1} @@ -1636,10 +1647,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Месечно DocType: Routing,Routing Name,Име на рутирање DocType: Disease,Common Name,Заедничко име -DocType: Quality Goal,Measurable,Мерливи DocType: Education Settings,LMS Title,Наслов на LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Кредит за управување -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Поддршка Аналитики DocType: Clinical Procedure,Consumable Total Amount,Потрошен вкупен износ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Овозможи дефиниција apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Клиент LPO @@ -1779,6 +1788,7 @@ DocType: Restaurant Order Entry Item,Served,Служеше DocType: Loan,Member,Член DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Распоред на единицата на лекарот apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Пренос на жици +DocType: Quality Review Objective,Quality Review Objective,Цел на преглед на квалитетот DocType: Bank Reconciliation Detail,Against Account,Против сметка DocType: Projects Settings,Projects Settings,Подесувања на проектите apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Фактичка количина {0} / Чекање Qty {1} @@ -1807,6 +1817,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,К apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Финалниот датум на фискалната година треба да биде една година по датумот на фискална година apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Дневни потсетници DocType: Item,Default Sales Unit of Measure,Стандардна единица за продажба на мерка +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Компанија GSTIN DocType: Asset Finance Book,Rate of Depreciation,Стапка на амортизација DocType: Support Search Source,Post Description Key,Пост Опис клуч DocType: Loyalty Program Collection,Minimum Total Spent,Минимално вкупно потрошено @@ -1878,6 +1889,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Промена на група клиенти за избраниот клиент не е дозволено. DocType: Serial No,Creation Document Type,Тип на документ за креирање DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Достапна серија количини на складиште +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Фактура Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Ова е корен територија и не може да се уредува. DocType: Patient,Surgical History,Хируршка историја apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Дрво на процедури за квалитет. @@ -1982,6 +1994,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,Проверете го ова ако сакате да се прикажете на веб-страница apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Фискалната година {0} не е пронајдена DocType: Bank Statement Settings,Bank Statement Settings,Поставки за изјава за банка +DocType: Quality Procedure Process,Link existing Quality Procedure.,Поврзете ја постоечката процедура за квалитет. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Увери ги сметките од CSV / Excel датотеки DocType: Appraisal Goal,Score (0-5),Резултат (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} селектира повеќе пати во табелата со атрибути DocType: Purchase Invoice,Debit Note Issued,Издадена е дебитна белешка @@ -1990,7 +2004,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Остави детали за политиката apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Магацинот не е пронајден во системот DocType: Healthcare Practitioner,OP Consulting Charge,ОП консултантски полнење -DocType: Quality Goal,Measurable Goal,Измерлива цел DocType: Bank Statement Transaction Payment Item,Invoices,Фактури DocType: Currency Exchange,Currency Exchange,Размена на валута DocType: Payroll Entry,Fortnightly,Вечерва @@ -2053,6 +2066,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} не е поднесен DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Backflush суровини од складиштето во работа DocType: Maintenance Team Member,Maintenance Team Member,Член на тимот за одржување +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Поставување на димензии за сметководство DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Минималното растојание меѓу редовите на растенијата за оптимален раст DocType: Employee Health Insurance,Health Insurance Name,Име на здравственото осигурување apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Акции на акции @@ -2085,7 +2099,7 @@ DocType: Delivery Note,Billing Address Name,Име на платежната а apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Алтернативна точка DocType: Certification Application,Name of Applicant,Име на апликантот DocType: Leave Type,Earned Leave,Заработени -DocType: Quality Goal,June,Јуни +DocType: GSTR 3B Report,June,Јуни apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Ред {0}: потребен е центар за трошоци за елемент {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Може да се одобри од {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица за мерка {0} е внесена повеќе пати во табелата за конверзија @@ -2106,6 +2120,7 @@ DocType: Lab Test Template,Standard Selling Rate,Стандардна стапк apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Поставете активно мени за Ресторан {0} 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: Asset Finance Book,Asset Finance Book,Асет финансии книга +DocType: Quality Goal Objective,Quality Goal Objective,Квалитетна цел Цел DocType: Employee Transfer,Employee Transfer,Трансфер на вработени ,Sales Funnel,Продажна инка DocType: Agriculture Analysis Criteria,Water Analysis,Анализа на вода @@ -2144,6 +2159,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Сопствен apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Активности во тек apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Наведете неколку од вашите клиенти. Тие би можеле да бидат организации или поединци. DocType: Bank Guarantee,Bank Account Info,Информации за банкарска сметка +DocType: Quality Goal,Weekday,Weekday apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Гардијан1 име DocType: Salary Component,Variable Based On Taxable Salary,Променлива врз основа на оданочлива плата DocType: Accounting Period,Accounting Period,Период на сметководство @@ -2228,7 +2244,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Прилагодување за з DocType: Quality Review Table,Quality Review Table,Табела за преглед на квалитет DocType: Member,Membership Expiry Date,Датум на истекување на членство DocType: Asset Finance Book,Expected Value After Useful Life,Очекувана вредност по корисен живот -DocType: Quality Goal,November,Ноември +DocType: GSTR 3B Report,November,Ноември DocType: Loan Application,Rate of Interest,Каматна стапка DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Точка за плаќање на трансакцијата на банката DocType: Restaurant Reservation,Waitlisted,Листа на чекање @@ -2292,6 +2308,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Ред {0}: За да поставите {1} периодичност, разликата помеѓу и до датумот \ мора да биде поголема или еднаква на {2}" DocType: Purchase Invoice Item,Valuation Rate,Стапка на проценка DocType: Shopping Cart Settings,Default settings for Shopping Cart,Основни подесувања за Кошничката +DocType: Quiz,Score out of 100,Резултат од 100 DocType: Manufacturing Settings,Capacity Planning,Планирање на капацитети apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Одете на Инструктори DocType: Activity Cost,Projects,Проекти @@ -2301,6 +2318,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Од времето apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Извештај за детали од варијанта +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,За купување apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Слот за {0} не се додаваат во распоредот DocType: Target Detail,Target Distribution,Целна дистрибуција @@ -2318,6 +2336,7 @@ DocType: Activity Cost,Activity Cost,Цена на активност DocType: Journal Entry,Payment Order,Наложба за плаќање apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Цени ,Item Delivery Date,Датум на испорака на предметот +DocType: Quality Goal,January-April-July-October,Јануари-април-јули-октомври DocType: Purchase Order Item,Warehouse and Reference,Магацин и референца apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Сметката со дете јазли не може да се конвертира во тел DocType: Soil Texture,Clay Composition (%),Состав на глина (%) @@ -2368,6 +2387,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Идните дату apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Ред {0}: Ве молиме наместете го начинот на плаќање во Планот за плаќање apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Академски термин: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Параметар за повратна информација за квалитет apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Ве молиме изберете Примени го попустот вклучен apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Ред # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Вкупно плаќања @@ -2410,7 +2430,7 @@ DocType: Hub Tracked Item,Hub Node,Центар за јазол apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Идентификатор на вработените DocType: Salary Structure Assignment,Salary Structure Assignment,Доделување на структура на плата DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS затворање на ваучерните такси -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Акција иницијализирана +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Акција иницијализирана DocType: POS Profile,Applicable for Users,Применливо за корисници DocType: Training Event,Exam,Испит apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Пронајден е неточен број на записи за Општи Книги. Можеби избравте погрешна сметка во трансакцијата. @@ -2517,6 +2537,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Должина DocType: Accounts Settings,Determine Address Tax Category From,Одреди ја категоријата на данокот на адреса од apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Идентификување на одлуки +DocType: Stock Entry Detail,Reference Purchase Receipt,Референтен налог за купување apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Земете Invocies DocType: Tally Migration,Is Day Book Data Imported,Увезени се дневни податоци ,Sales Partners Commission,Комисија за продажба на партнери @@ -2540,6 +2561,7 @@ DocType: Leave Type,Applicable After (Working Days),Применливо пос DocType: Timesheet Detail,Hrs,Ч DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Критериуми за оценување на добавувачи DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Параметар на шаблон за повратни информации за квалитет apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Датумот на приклучување мора да биде поголем од датумот на раѓање DocType: Bank Statement Transaction Invoice Item,Invoice Date,Датум на фактура DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Креирајте лабораториски тестови за продажната фактура @@ -2646,7 +2668,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Минимална д DocType: Stock Entry,Source Warehouse Address,Address Address of Warehouse DocType: Compensatory Leave Request,Compensatory Leave Request,Компензаторско барање за напуштање DocType: Lead,Mobile No.,Мобилен број -DocType: Quality Goal,July,Јули +DocType: GSTR 3B Report,July,Јули apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Подобни ИТЦ DocType: Fertilizer,Density (if liquid),Густина (ако е течна) DocType: Employee,External Work History,Историја на надворешни работи @@ -2723,6 +2745,7 @@ DocType: Certification Application,Certification Status,Статус на сер apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Локација на изворот е потребна за средството {0} DocType: Employee,Encashment Date,Дата на вградување apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Ве молиме изберете Датум на завршување на дневник за одржување на состојбата на средствата +DocType: Quiz,Latest Attempt,Последен обид DocType: Leave Block List,Allow Users,Дозволи корисници apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Сметка на сметки apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Клиентот е задолжителен ако 'Клиент е избрана' Можност од ' @@ -2787,7 +2810,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Поставувањ DocType: Amazon MWS Settings,Amazon MWS Settings,Амазон MWS поставувања DocType: Program Enrollment,Walking,Одење DocType: SMS Log,Requested Numbers,Бараните броеви -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ве молиме наместете серија за нумерација за Присуство преку Поставување> Нумерирање DocType: Woocommerce Settings,Freight and Forwarding Account,Сметка за товар и шпедиција apps/erpnext/erpnext/accounts/party.py,Please select a Company,Изберете компанија apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Редот {0}: {1} мора да биде поголем од 0 @@ -2857,7 +2879,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Сметк DocType: Training Event,Seminar,Семинар apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Кредит ({0}) DocType: Payment Request,Subscription Plans,Планови за претплати -DocType: Quality Goal,March,март +DocType: GSTR 3B Report,March,март apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Сплит серија DocType: School House,House Name,Име на куќата apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Најдоброто за {0} не може да биде помало од нула ({1}) @@ -2920,7 +2942,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Датум на осигурување DocType: Target Detail,Target Detail,Целна деталност DocType: Packing Slip,Net Weight UOM,Нето тежина UOM -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: Purchase Invoice Item,Net Amount (Company Currency),Нето износ (Валута на компанијата) DocType: Bank Statement Transaction Settings Item,Mapped Data,Мапирани податоци apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Хартии од вредност и депозити @@ -2970,6 +2991,7 @@ DocType: Cheque Print Template,Cheque Height,Проверете ја висин apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Внесете го датумот за ослободување. DocType: Loyalty Program,Loyalty Program Help,Помош за Програмата за лојалност DocType: Journal Entry,Inter Company Journal Entry Reference,Внатрешен референт за интерни весници +DocType: Quality Meeting,Agenda,Агенда DocType: Quality Action,Corrective,Корективни apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Група од DocType: Bank Account,Address and Contact,Адреса и контакт @@ -3023,7 +3045,7 @@ DocType: GL Entry,Credit Amount,Износ на кредитот apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Вкупен износ на кредит DocType: Support Search Source,Post Route Key List,Листа со клучни зборови за пост apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} не во некоја активна фискална година. -DocType: Quality Action Table,Problem,Проблем +DocType: Quality Action Resolution,Problem,Проблем DocType: Training Event,Conference,Конференција DocType: Mode of Payment Account,Mode of Payment Account,Сметка за начинот на плаќање DocType: Leave Encashment,Encashable days,Датуми што може да се приклучат @@ -3149,7 +3171,7 @@ DocType: Item,"Purchase, Replenishment Details","Набавка, детали з DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Откако ќе се постави, оваа фактура ќе се одржи до одредениот датум" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"Акцијата не може да постои за Точка {0}, бидејќи има варијанти" DocType: Lab Test Template,Grouped,Групирани -DocType: Quality Goal,January,Јануари +DocType: GSTR 3B Report,January,Јануари DocType: Course Assessment Criteria,Course Assessment Criteria,Критериуми за оценување на курсот DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Завршено Qty @@ -3245,7 +3267,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Вид на apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Ве молиме внесете најмалку 1 фактура во табелата apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Нарачката за продажба {0} не е поднесена apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Публиката е успешно означена. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Пред продажбата +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Пред продажбата apps/erpnext/erpnext/config/projects.py,Project master.,Проект господар. DocType: Daily Work Summary,Daily Work Summary,Резиме на дневна работа DocType: Asset,Partially Depreciated,Делумно амортизирана @@ -3254,6 +3276,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Оставете го осамен? DocType: Certified Consultant,Discuss ID,Дискутирај проект apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Ве молиме поставете ги GST профилите во GST Settings +DocType: Quiz,Latest Highest Score,Последна највисока оценка DocType: Supplier,Billing Currency,Валута за наплата apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Студентска активност apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Или целна количина или целна сума е задолжителна @@ -3279,18 +3302,21 @@ DocType: Sales Order,Not Delivered,Не е испорачано apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Оставете Тип {0} не може да се распредели, бидејќи е безплатен" DocType: GL Entry,Debit Amount,Износ на задолжување apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Веќе постои запис за ставката {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Подгрупи 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.","Доколку повеќекратните Правила за цените продолжуваат да преовладуваат, од корисниците се бара да го постават Приоритет рачно за да го решат конфликтот." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Не може да се одземе кога категорија е за "Вреднување" или "Вреднување и Вкупно" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Се бара Бум и Производство Количина apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Точката {0} го достигнала својот животен век на {1} DocType: Quality Inspection Reading,Reading 6,Читање 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Објект на компанијата е задолжителен apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Потрошувачката на материјалот не е поставена во Поставките за производство. DocType: Assessment Group,Assessment Group Name,Име на групата за оценување -DocType: Item,Manufacturer Part Number,Број на производителот +DocType: Purchase Invoice Item,Manufacturer Part Number,Број на производителот apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Платен список се исплатува apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Редот # {0}: {1} не може да биде негативен за ставката {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Биланс Коти +DocType: Question,Multiple Correct Answer,Повеќе точен одговор DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Поени за лојалност = Колку основна валута? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Забелешка: Нема доволно рамнотежа за напуштање Тип {0} DocType: Clinical Procedure,Inpatient Record,Болнички рекорд @@ -3413,6 +3439,7 @@ DocType: Fee Schedule Program,Total Students,Вкупно студенти apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Локално DocType: Chapter Member,Leave Reason,Оставете го причинот DocType: Salary Component,Condition and Formula,Состојба и формула +DocType: Quality Goal,Objectives,Цели apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Платата веќе е обработена за периодот помеѓу {0} и {1}, Периодот за напуштање на апликацијата не може да биде помеѓу овој временски период." DocType: BOM Item,Basic Rate (Company Currency),Основен курс (Валута на компанијата) DocType: BOM Scrap Item,BOM Scrap Item,BOM стара точка @@ -3463,6 +3490,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Сметка за побарување на трошоци apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Нема достапни отплати за внесување на весници apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} е неактивен студент +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Направете берзански запис DocType: Employee Onboarding,Activities,Активности apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Само еден магацин е задолжителен ,Customer Credit Balance,Клиентски биланс @@ -3547,7 +3575,6 @@ DocType: Contract,Contract Terms,Услови на договорот apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Или целна количина или целна сума е задолжителна. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Невалиден {0} DocType: Item,FIFO,ФИФО -DocType: Quality Meeting,Meeting Date,Датум на состанокот DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Кратенката не може да има повеќе од 5 знаци DocType: Employee Benefit Application,Max Benefits (Yearly),Макс бенефиции (годишно) @@ -3650,7 +3677,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Банкарски надоместоци apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Пренесена стока apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Основни детали за контакт -DocType: Quality Review,Values,Вредности DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ако не се провери, листата ќе треба да се додаде на секое одделение каде што треба да се примени." DocType: Item Group,Show this slideshow at the top of the page,Прикажи го слајдшоуто на врвот на страната apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Параметарот {0} е невалиден @@ -3669,6 +3695,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Сметка за наплата на банка DocType: Journal Entry,Get Outstanding Invoices,Добијте извонредни фактури DocType: Opportunity,Opportunity From,Можност од +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Целни детали DocType: Item,Customer Code,Код на купувачи apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Внесете ја првата ставка apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Листа на веб-страници @@ -3697,7 +3724,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Испорака до DocType: Bank Statement Transaction Settings Item,Bank Data,Податоци за банка apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Планиран Upto -DocType: Quality Goal,Everyday,Секој ден DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Одржувајте ги времето за наплата и работните часови исто на табелите apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Следете ги главните извори на енергија. DocType: Clinical Procedure,Nursing User,Корисник на медицински сестри @@ -3722,7 +3748,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Управување DocType: GL Entry,Voucher Type,Тип на ваучер ,Serial No Service Contract Expiry,Сериски Без Истекување времетраење на услуга DocType: Certification Application,Certified,Сертифициран -DocType: Material Request Plan Item,Manufacture,Производство +DocType: Purchase Invoice Item,Manufacture,Производство apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} произведени предмети apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Барање за исплата за {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Денови од последниот ред @@ -3737,7 +3763,7 @@ DocType: Sales Invoice,Company Address Name,Името на компанијат apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Стоки во транзит apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Можете да ги откупите само максимум {0} поени во овој редослед. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Поставете сметка во Магацин {0} -DocType: Quality Action Table,Resolution,Резолуција +DocType: Quality Action,Resolution,Резолуција DocType: Sales Invoice,Loyalty Points Redemption,Посветеност од лојални бодови apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Вкупно оданочлива вредност DocType: Patient Appointment,Scheduled,Планирано @@ -3858,6 +3884,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Стапка apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Зачувување {0} DocType: SMS Center,Total Message(s),Вкупна порака (и) +DocType: Purchase Invoice,Accounting Dimensions,Димензии на сметководството apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Група според Сметка DocType: Quotation,In Words will be visible once you save the Quotation.,Во Зборови ќе биде видливо откако ќе го зачувате Цитатот. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Количина за производство @@ -4022,7 +4049,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Ако имате било какви прашања, ве молиме да ни се вратите." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Приемот за купување {0} не е поднесен DocType: Task,Total Expense Claim (via Expense Claim),Вкупен приход од трошене (преку трошковен приговор) -DocType: Quality Action,Quality Goal,Квалитетна цел +DocType: Quality Goal,Quality Goal,Квалитетна цел DocType: Support Settings,Support Portal,Портал за поддршка apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Краен датум на задачата {0} не може да биде помал од {1} очекуваниот датум на почеток {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Вработениот {0} е на Остави на {1} @@ -4081,7 +4108,6 @@ DocType: BOM,Operating Cost (Company Currency),Оперативни трошоц DocType: Item Price,Item Price,Цена Цена DocType: Payment Entry,Party Name,Име на партијата apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Ве молиме изберете купувач -DocType: Course,Course Intro,Курс Вовед DocType: Program Enrollment Tool,New Program,Нова програма apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Број на нов Центар за трошоци, тој ќе биде вклучен во името на центарот за трошоци како префикс" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Изберете го купувачот или добавувачот. @@ -4282,6 +4308,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Нето платата не може да биде негативна apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Број на интеракции 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/hr/doctype/employee/employee_dashboard.py,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Обработка на сметки и странки DocType: Stock Settings,Convert Item Description to Clean HTML,Конвертирај ставка за да го исчистите HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Сите групи на добавувачи @@ -4359,6 +4386,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Матична точка apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Брокерство apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Ве молиме создадете сметка за купување или купувате фактура за предметот {0} +,Product Bundle Balance,Баланс на производот apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Името на компанијата не може да биде Компанија DocType: Maintenance Visit,Breakdown,Се расипа DocType: Inpatient Record,B Negative,Б Негативно @@ -4367,7 +4395,7 @@ DocType: Purchase Invoice,Credit To,Кредит за apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Поднесете го овој работен налог за понатамошна обработка. DocType: Bank Guarantee,Bank Guarantee Number,Гарантен број на банка apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Доставено: {0} -DocType: Quality Action,Under Review,Под Преглед +DocType: Quality Meeting Table,Under Review,Под Преглед apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Земјоделство (бета) ,Average Commission Rate,Просечна стапка на Комисијата DocType: Sales Invoice,Customer's Purchase Order Date,Датум на нарачка на купувачот @@ -4484,7 +4512,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Плаќања за натпревари со фактури DocType: Holiday List,Weekly Off,Неделно исклучување apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Не дозволувајте да поставите алтернативен елемент за ставката {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Програмата {0} не постои. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Програмата {0} не постои. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Не можете да го уредувате корнениот јазол. DocType: Fee Schedule,Student Category,Категорија на студенти apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Точка {0}: {1} Количина произведена," @@ -4575,8 +4603,8 @@ DocType: Crop,Crop Spacing,Растојание на култури DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Колку често проектот и компанијата треба да се ажурираат врз основа на продажните трансакции. DocType: Pricing Rule,Period Settings,Подесувања на периоди apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Нето промени во побарувањата на сметките +DocType: Quality Feedback Template,Quality Feedback Template,Шаблон за повратни информации за квалитет apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,За количината мора да биде поголема од нула -DocType: Quality Goal,Goal Objectives,Цели на цел apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Постојат недоследности помеѓу стапката, бројот на акции и износот пресметан" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Оставете празно ако ги групирате учениците годишно apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Кредити (Обврски) @@ -4611,12 +4639,13 @@ DocType: Quality Procedure Table,Step,Чекор DocType: Normal Test Items,Result Value,Резултат вредност DocType: Cash Flow Mapping,Is Income Tax Liability,Дали е одговорност за данок на доход DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Стационарна посета на стационарната посета -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} не постои. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} не постои. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Ажурирај го одговорот DocType: Bank Guarantee,Supplier,Добавувач apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Внесете вредност помеѓу {0} и {1} DocType: Purchase Order,Order Confirmation Date,Датум на потврдување на нарачката DocType: Delivery Trip,Calculate Estimated Arrival Times,Пресметајте ги проценетите времиња на пристигнување +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ве молиме подесете Систем за имиџ на вработените во човечки ресурси> Поставувања за човечки ресурси apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Потрошена DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Датум на почеток на претплата @@ -4680,6 +4709,7 @@ DocType: Cheque Print Template,Is Account Payable,Дали сметката се apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Вкупна вредност на нарачката apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Добавувачот {0} не е пронајден во {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Поставување поставувања за поставување на СМС +DocType: Salary Component,Round to the Nearest Integer,Круг на најблискиот цел број apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Коренот не може да има родителски центар за трошоци DocType: Healthcare Service Unit,Allow Appointments,Дозволи именувања DocType: BOM,Show Operations,Прикажи операции @@ -4808,7 +4838,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Стандардна листа за одмор DocType: Naming Series,Current Value,Моментална вредност apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Сезоналност за поставување на буџети, цели итн." -DocType: Program,Program Code,Програмски код apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Предупредување: Нарачката за продажба {0} веќе постои против купувачкиот налог на купувачот {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Месечна продажна цел ( DocType: Guardian,Guardian Interests,Интереси на Гардијан @@ -4858,10 +4887,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Платени и не доставени apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Код на предметот е задолжителен бидејќи ставката не е автоматски нумерирана DocType: GST HSN Code,HSN Code,ХСН код -DocType: Quality Goal,September,Септември +DocType: GSTR 3B Report,September,Септември apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Административни трошоци DocType: C-Form,C-Form No,C-образец бр DocType: Purchase Invoice,End date of current invoice's period,Краен датум на периодот на тековната фактура +DocType: Item,Manufacturers,Производители DocType: Crop Cycle,Crop Cycle,Crop Cycle DocType: Serial No,Creation Time,Време на создавање apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Ве молиме внесете го одобрениот улога или одобрениот корисник @@ -4934,8 +4964,6 @@ DocType: Employee,Short biography for website and other publications.,Кратк DocType: Purchase Invoice Item,Received Qty,Received Qty DocType: Purchase Invoice Item,Rate (Company Currency),Стапка (Валута на компанијата) DocType: Item Reorder,Request for,Барање за -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ве молиме избришете го вработениот {0} \ за да го откажете овој документ" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Инсталирање на предупредувања apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Ве молиме внесете периоди на отплата DocType: Pricing Rule,Advanced Settings,Напредни поставувања @@ -4961,7 +4989,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Овозможи кошница DocType: Pricing Rule,Apply Rule On Other,Применувај правило на друго DocType: Vehicle,Last Carbon Check,Последна проверка на јаглерод -DocType: Vehicle,Make,Направете +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Направете apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Фактура за продажба {0} создадена како платена apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,За да креирате референтен документ за барање за исплата потребно е apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Данок на доход @@ -5037,7 +5065,6 @@ DocType: Territory,Parent Territory,Матична територија DocType: Vehicle Log,Odometer Reading,Читање на километражата DocType: Additional Salary,Salary Slip,Плата се лизга DocType: Payroll Entry,Payroll Frequency,Фреквенција на плата -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ве молиме подесете Систем за имиџ на вработените во човечки ресурси> Поставувања за човечки ресурси apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Датумот на почеток и крај не е во валиден перолошки период, не може да се пресмета {0}" DocType: Products Settings,Home Page is Products,Домашната страница е производи apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Повици @@ -5091,7 +5118,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Добивање на записи ...... DocType: Delivery Stop,Contact Information,Контакт информации DocType: Sales Order Item,For Production,За производство -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ве молиме поставете Систем за наведување на наставници во образованието> Образование DocType: Serial No,Asset Details,Детали за средства DocType: Restaurant Reservation,Reservation Time,Време на резервација DocType: Selling Settings,Default Territory,Стандардна територија @@ -5231,6 +5257,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Истечени серии DocType: Shipping Rule,Shipping Rule Type,Тип на правила за испорака DocType: Job Offer,Accepted,Прифатено +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ве молиме избришете го вработениот {0} \ за да го откажете овој документ" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Веќе сте оценети за критериумите за оценување {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Изберете сериски броеви apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Возраст (денови) @@ -5247,6 +5275,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Пакет предмети во време на продажба. DocType: Payment Reconciliation Payment,Allocated Amount,Распределен износ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Изберете компанија и ознака +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,Потребен е "Датум" DocType: Email Digest,Bank Credit Balance,Банкарски кредитен биланс apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Прикажи кумулативен износ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Вие не сте донеле лојални точки за откуп @@ -5307,11 +5336,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,На претходн DocType: Student,Student Email Address,Студентски е-мејл адреса DocType: Academic Term,Education,Образование DocType: Supplier Quotation,Supplier Address,Адреса на добавувачот -DocType: Salary Component,Do not include in total,Не вклучувајте вкупно +DocType: Salary Detail,Do not include in total,Не вклучувајте вкупно apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Не може да се постават повеќе Стандардни нагодувања за компанијата. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} не постои DocType: Purchase Receipt Item,Rejected Quantity,Отфрлена количина DocType: Cashier Closing,To TIme,За ТИМ +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: Daily Work Summary Group User,Daily Work Summary Group User,Корисник на дневна работа DocType: Fiscal Year Company,Fiscal Year Company,Фискална година Компанијата apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Алтернативната ставка не смее да биде иста како код на ставка @@ -5421,7 +5451,6 @@ DocType: Fee Schedule,Send Payment Request Email,Испрати е-пошта з DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Во Зборови ќе биде видлива откако ќе ја зачувате фактурата за продажба. DocType: Sales Invoice,Sales Team1,Продажен тим1 DocType: Work Order,Required Items,Задолжителни предмети -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Специјални знаци освен "-", "#", "." и "/" не е дозволено при именување на серии" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Прочитајте го прирачникот ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Проверете број на фактура на добавувачот Единственост apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Пребарувај ги Собранијата на Собранието @@ -5489,7 +5518,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Процентуална одби apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Количината за производство не може да биде помала од нула DocType: Share Balance,To No,Да Не DocType: Leave Control Panel,Allocate Leaves,Распредели листови -DocType: Quiz,Last Attempt,Последен обид DocType: Assessment Result,Student Name,Име на студентот apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,План за посети за одржување. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,По материјалните барања се кренаа автоматски врз основа на нивото на редефинирање на Товарот @@ -5558,6 +5586,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Боја на индикаторот DocType: Item Variant Settings,Copy Fields to Variant,Копирај полиња до варијанта DocType: Soil Texture,Sandy Loam,Сенди Лоам +DocType: Question,Single Correct Answer,Слободен точен одговор apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Од датумот не може да биде помал од датумот на приклучување на вработениот DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Дозволи повеќе нарачки за продажба против купувачкиот налог на купувачи apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5620,7 +5649,7 @@ DocType: Account,Expenses Included In Valuation,Вклучени трошоци apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Сериски броеви DocType: Salary Slip,Deductions,Одбивања ,Supplier-Wise Sales Analytics,Добавувач-мудар Продај анализи -DocType: Quality Goal,February,Февруари +DocType: GSTR 3B Report,February,Февруари DocType: Appraisal,For Employee,За вработените apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Вистински датум на испорака DocType: Sales Partner,Sales Partner Name,Име на партнер за продажба @@ -5715,7 +5744,6 @@ DocType: Procedure Prescription,Procedure Created,Создадена е пост apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Против добавувачот фактура {0} со датум {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Промени ПОС Профил apps/erpnext/erpnext/utilities/activation.py,Create Lead,Креирај олово -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добавувачот> Тип на добавувач DocType: Shopify Settings,Default Customer,Стандарден клиент DocType: Payment Entry Reference,Supplier Invoice No,Фактура со набавувач бр DocType: Pricing Rule,Mixed Conditions,Мешани услови @@ -5766,12 +5794,14 @@ DocType: Item,End of Life,Крај на живот DocType: Lab Test Template,Sensitivity,Чувствителност DocType: Territory,Territory Targets,Цели на територијата apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Прескокнувајќи ги Оставете Распределба за следните вработени, со оглед на тоа дека постоечките записи за напуштање веќе постојат против нив. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Решение за квалитет на квалитет DocType: Sales Invoice Item,Delivered By Supplier,Доставен од добавувачот DocType: Agriculture Analysis Criteria,Plant Analysis,Анализа на растенијата apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Расходната сметка е задолжителна за предметот {0} ,Subcontracted Raw Materials To Be Transferred,Субконтрактирани суровини да бидат пренесени DocType: Cashier Closing,Cashier Closing,Затворање на благајната apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Точката {0} веќе е вратена +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Невалиден GSTIN! Внесувањето што го внесовте не се совпаѓа со формат GSTIN за УИН-носители или за нерезидентни OIDAR провајдери на услуги apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,За овој магацин постои складиште за деца. Не можете да го избришете овој склад. DocType: Diagnosis,Diagnosis,Дијагноза apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Нема период за одмор помеѓу {0} и {1} @@ -5788,6 +5818,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Поставки за авт DocType: Homepage,Products,Производи ,Profit and Loss Statement,Извештај за добивка и загуба apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Соби резервирани +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Дупликат внес против кодот на објектот {0} и производител {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Вкупна тежина apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Патува @@ -5836,6 +5867,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Стандардна група на клиенти DocType: Journal Entry Account,Debit in Company Currency,Дебит во компанијата Валута DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Серијата на резервни копии е "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Агенда за состанок за квалитет DocType: Cash Flow Mapper,Section Header,Глава на одделот apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Вашите производи или услуги DocType: Crop,Perennial,Повеќегодишна @@ -5881,7 +5913,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Производ или услуга што се купува, продава или чува во залиха." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Затворање (отворање + вкупно) DocType: Supplier Scorecard Criteria,Criteria Formula,Критериум Формула -,Support Analytics,Поддршка за Анализа +apps/erpnext/erpnext/config/support.py,Support Analytics,Поддршка за Анализа apps/erpnext/erpnext/config/quality_management.py,Review and Action,Преглед и акција DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ако сметката е замрзната, записите им се дозволени на ограничени корисници." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Износ по амортизација @@ -5926,7 +5958,6 @@ DocType: Contract Template,Contract Terms and Conditions,Услови на до apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Земи податоци DocType: Stock Settings,Default Item Group,Стандардна група на предмети DocType: Sales Invoice Timesheet,Billing Hours,Време на наплата -DocType: Item,Item Code for Suppliers,Код за добавувачи apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Оставете апликација {0} веќе постои против ученикот {1} DocType: Pricing Rule,Margin Type,Вид на маргина DocType: Purchase Invoice Item,Rejected Serial No,Отфрлен сериски број @@ -5999,6 +6030,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Лисјата се дадени успешно DocType: Loyalty Point Entry,Expiry Date,Датум на истекување DocType: Project Task,Working,Работа +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} веќе има Матична постапка {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Ова се базира на трансакции против овој пациент. Погледнете временска рамка подолу за детали DocType: Material Request,Requested For,Баран за DocType: SMS Center,All Sales Person,Сите продажни лица @@ -6086,6 +6118,7 @@ DocType: Loan Type,Maximum Loan Amount,Максимален износ на за apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Е-пошта не е пронајдена во стандардниот контакт DocType: Hotel Room Reservation,Booked,Резервирано DocType: Maintenance Visit,Partially Completed,Делумно завршено +DocType: Quality Procedure Process,Process Description,Опис на процесот DocType: Company,Default Employee Advance Account,Стандардна сметка на вработените DocType: Leave Type,Allow Negative Balance,Дозволи негативен баланс apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Име на планот за проценка @@ -6127,6 +6160,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Барање за понуда за понуда apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} Внесена двапати во точка Данок DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Одбегнувајте полн данок на избраниот датум на платен список +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Последниот датум за проверка на јаглерод не може да биде иден датум apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Изберете сметка за износот на промени DocType: Support Settings,Forum Posts,Форуми DocType: Timesheet Detail,Expected Hrs,Очекувани часови @@ -6136,7 +6170,7 @@ DocType: Program Enrollment Tool,Enroll Students,Запишете студент apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Повторете приходи од клиентите DocType: Company,Date of Commencement,Датум на започнување DocType: Bank,Bank Name,Име на банка -DocType: Quality Goal,December,Декември +DocType: GSTR 3B Report,December,Декември apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Важи од датумот мора да биде помал од важечки до датумот apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Ова се заснова на присуството на овој вработен DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ако е означено, почетната страница ќе биде стандардна ставка за веб-страница" @@ -6179,6 +6213,7 @@ DocType: Payment Entry,Payment Type,Начин на плаќање apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Фолио броевите не се совпаѓаат DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Инспекција за квалитет: {0} не е поднесена за ставката: {1} по ред {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Покажи {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} пронајден предмет. ,Stock Ageing,Акции на стареење DocType: Customer Group,Mention if non-standard receivable account applicable,Споменување ако се применува нестандардна сметка за побарувања @@ -6456,6 +6491,7 @@ DocType: Travel Request,Costing,Трошоци apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Фиксни средства DocType: Purchase Order,Ref SQ,Реф. SQ DocType: Salary Structure,Total Earning,Вкупно заработка +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Група на клиенти> Територија DocType: Share Balance,From No,Од бр DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Уплата за помирување на плаќањата DocType: Purchase Invoice,Taxes and Charges Added,Даноци и такси Додадено @@ -6463,7 +6499,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Размисле DocType: Authorization Rule,Authorized Value,Овластена вредност apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Примено од apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Магацинот {0} не постои +DocType: Item Manufacturer,Item Manufacturer,Производител на производи DocType: Sales Invoice,Sales Team,Продажен тим +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Qty DocType: Purchase Order Item Supplied,Stock UOM,Берза UOM DocType: Installation Note,Installation Date,Датум на инсталација DocType: Email Digest,New Quotations,Нови цитати @@ -6527,7 +6565,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Име на летен лист DocType: Water Analysis,Collection Temperature ,Температура на собирање DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Управување со назначувањето Фактурата поднесува и автоматски се откажува за средба со пациенти -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ве молиме наместете го Селектирањето за {0} преку Setup> Settings> Series за именување DocType: Employee Benefit Claim,Claim Date,Датум на приговор DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Оставете празно ако Добавувачот е блокиран на неодредено време apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Присуството од датум и посетеност до датум е задолжително @@ -6538,6 +6575,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Датум на пензионирање apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Изберете пациент DocType: Asset,Straight Line,Права линија +DocType: Quality Action,Resolutions,Резолуции DocType: SMS Log,No of Sent SMS,Број на испратени SMS ,GST Itemised Sales Register,GST Детализиран продажен регистар apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Вкупниот износ на авансот не може да биде поголем од вкупниот санкциониран износ @@ -6648,7 +6686,7 @@ DocType: Account,Profit and Loss,Добивка и загуба apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Asset Finance Book,Written Down Value,Пишана вредност apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Отворен балансен капитал -DocType: Quality Goal,April,Април +DocType: GSTR 3B Report,April,Април DocType: Supplier,Credit Limit,Кредитен лимит apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Дистрибуција apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6703,6 +6741,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Поврзете го Shopify со ERPNext DocType: Homepage Section Card,Subtitle,Превод DocType: Soil Texture,Loam,Loam +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добавувачот> Тип на добавувач DocType: BOM,Scrap Material Cost(Company Currency),Трошок за отпадна материја (Валута на компанијата) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Забелешка за испорака {0} не смее да се поднесе DocType: Task,Actual Start Date (via Time Sheet),Датум на фактички почеток (преку временски лист) @@ -6758,7 +6797,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Дозирање DocType: Cheque Print Template,Starting position from top edge,Стартна позиција од горниот раб apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Времетраење на назначување (мин.) -DocType: Pricing Rule,Disable,Оневозможи +DocType: Accounting Dimension,Disable,Оневозможи DocType: Email Digest,Purchase Orders to Receive,Нарачка за набавка apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Нарачки за производство не може да се подигнат за: DocType: Projects Settings,Ignore Employee Time Overlap,Игнорирај времето на преклопување на вработените @@ -6842,6 +6881,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Кре DocType: Item Attribute,Numeric Values,Нумерички вредности DocType: Delivery Note,Instructions,Инструкции DocType: Blanket Order Item,Blanket Order Item,Нарачка за нарачка +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Задолжителна сметка за профит и загуба apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Стапката на Комисијата не може да биде поголема од 100 DocType: Course Topic,Course Topic,Тема на курсот DocType: Employee,This will restrict user access to other employee records,Ова ќе го ограничи корисничкиот пристап до други записи на вработените @@ -6866,12 +6906,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Управув apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Добијте клиенти од apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Дигест DocType: Employee,Reports to,Извештаи до +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Партиска сметка DocType: Assessment Plan,Schedule,Распоред apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Ве молиме внесете DocType: Lead,Channel Partner,Партнер за канали apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Фактурирана сума DocType: Project,From Template,Од шаблонот +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Претплати apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Количина да се направи DocType: Quality Review Table,Achieved,Постигне @@ -6918,7 +6960,6 @@ DocType: Journal Entry,Subscription Section,Секција за претплат DocType: Salary Slip,Payment Days,Денови на исплата apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Информации за волонтери. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"Замрзнување акции постари од" треба да бидат помали од% d дена. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Изберете фискална година DocType: Bank Reconciliation,Total Amount,Вкупна количина DocType: Certification Application,Non Profit,Непрофит DocType: Subscription Settings,Cancel Invoice After Grace Period,Откажи фактура по грејс период @@ -6931,7 +6972,6 @@ DocType: Serial No,Warranty Period (Days),Гарантен период (ден DocType: Expense Claim Detail,Expense Claim Detail,Детален приговор за трошоци apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Програма: DocType: Patient Medical Record,Patient Medical Record,Медицински рекорд на пациенти -DocType: Quality Action,Action Description,Опис на акција DocType: Item,Variant Based On,Врз основа на варијанта DocType: Vehicle Service,Brake Oil,Масло за сопирање DocType: Employee,Create User,Креирај корисник @@ -6987,7 +7027,7 @@ DocType: Cash Flow Mapper,Section Name,Име на делот DocType: Packed Item,Packed Item,Спакувана точка apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Или дебитна или кредитна сума е потребна за {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Доставување на ливчиња ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Нема акција +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Нема акција apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Буџетот не може да биде доделен против {0}, бидејќи не е сметка за приходи или расходи" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Мајстори и сметки DocType: Quality Procedure Table,Responsible Individual,Одговорна индивидуа @@ -7110,7 +7150,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Дозволете создавање на сметка против детската компанија DocType: Payment Entry,Company Bank Account,Банкарска сметка на компанијата DocType: Amazon MWS Settings,UK,Велика Британија -DocType: Quality Procedure,Procedure Steps,Чекори на постапката DocType: Normal Test Items,Normal Test Items,Нормални тестови apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Точка {0}: Нареди количина {1} не може да биде помала од минималната големина на нарачка {2} (дефинирана во точка). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Не е на располагање @@ -7189,7 +7228,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Анализа DocType: Maintenance Team Member,Maintenance Role,Одржување улога apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Шаблон за рокови и услови DocType: Fee Schedule Program,Fee Schedule Program,Програма Распоред програма -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Се разбира {0} не постои. DocType: Project Task,Make Timesheet,Направете тајмс листа DocType: Production Plan Item,Production Plan Item,Производствен план точка apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Вкупно студент @@ -7211,6 +7249,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Завиткување apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Можете да обнови само ако вашето членство истекува во рок од 30 дена apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Вредноста мора да биде помеѓу {0} и {1} +DocType: Quality Feedback,Parameters,Параметри ,Sales Partner Transaction Summary,Резиме на трансакцијата на партнерот за продажба DocType: Asset Maintenance,Maintenance Manager Name,Име на менаџментот за одржување apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Потребно е да дознаете Детали за ставката. @@ -7249,6 +7288,7 @@ DocType: Student Admission,Student Admission,Прием на студенти DocType: Designation Skill,Skill,Вештина DocType: Budget Account,Budget Account,Буџетска сметка DocType: Employee Transfer,Create New Employee Id,Креирај нов Идентификатор на вработените +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} е потребен за профилот "Профит и загуба" {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Данок на стоки и услуги (GST Индија) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Креирање на лизгалки ... DocType: Employee Skill,Employee Skill,Вештина на вработените @@ -7349,6 +7389,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Фактур DocType: Subscription,Days Until Due,Денови до доцна apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Show Completed apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Извештај за внес на трансакција на извештај за банка +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Банкарски податоци apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ред # {0}: Стапката мора да биде иста како {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Теми за здравствена заштита @@ -7405,6 +7446,7 @@ DocType: Training Event Employee,Invited,Поканети apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Максималниот износ кој е подобен за компонентата {0} надминува {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Износ до Бил apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","За {0}, само дебитните сметки можат да се поврзат со друг кредитен влез" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Креирање димензии ... DocType: Bank Statement Transaction Entry,Payable Account,Плаќаат сметка apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Ве молиме да го споменете бројот на потребни посети DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Изберете само ако имате инсталирано документи за прилив на готовински тек @@ -7422,6 +7464,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,Време на резолуција DocType: Grading Scale Interval,Grade Description,Опис на оценката DocType: Homepage Section,Cards,Картички +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Квалитетни состаноци DocType: Linked Plant Analysis,Linked Plant Analysis,Поврзана фабрика анализа apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Датумот за стопирање на услуги не може да биде по датумот за завршување на услугата apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Ве молиме наместете B2C Limit во GST Settings. @@ -7456,7 +7499,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Алатка за п DocType: Employee,Educational Qualification,Образовна квалификација apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Достапна вредност apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Количината на примерокот {0} не може да биде повеќе од добиената количина {1} -DocType: Quiz,Last Highest Score,Последна највисока оценка DocType: POS Profile,Taxes and Charges,Даноци и такси DocType: Opportunity,Contact Mobile No,Контакт Мобилен бр DocType: Employee,Joining Details,Детали за приклучување diff --git a/erpnext/translations/ml.csv b/erpnext/translations/ml.csv index ce8d952f14..e1bb2e10d4 100644 --- a/erpnext/translations/ml.csv +++ b/erpnext/translations/ml.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,വിതരണക്കാ DocType: Journal Entry Account,Party Balance,പാർട്ടി ബാലൻസ് apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),ഫണ്ടുകളുടെ ഉറവിടം (ബാധ്യതകൾ) DocType: Payroll Period,Taxable Salary Slabs,നികുതി അടയ്ക്കാവുന്ന ശമ്പള സ്ലാബ്സ് +DocType: Quality Action,Quality Feedback,ഗുണനിലവാരമുള്ള ഫീഡ്‌ബാക്ക് DocType: Support Settings,Support Settings,പിന്തുണാ സജ്ജീകരണങ്ങൾ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,ആദ്യം പ്രൊഡക്ഷൻ ഇനം നൽകുക DocType: Quiz,Grading Basis,ഗ്രേഡിംഗ് ബേസിസ് @@ -44,6 +45,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,കൂടുത DocType: Salary Component,Earning,സമ്പാദിച്ച DocType: Restaurant Order Entry,Click Enter To Add,Add to Enter ക്ലിക്ക് ചെയ്യുക DocType: Employee Group,Employee Group,എംപ്ലോയീസ് ഗ്രൂപ്പ് +DocType: Quality Procedure,Processes,പ്രോസസുകൾ DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ഒരു കറൻസി മറ്റൊന്നിലേക്ക് പരിവർത്തനം ചെയ്യാൻ എക്സ്ചേഞ്ച് റേറ്റ് വ്യക്തമാക്കുക apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,പ്രാധാന്യം റേഞ്ച് 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},സ്റ്റോക്ക് ഇനം {0} @@ -153,11 +155,13 @@ DocType: Complaint,Complaint,പരാതി DocType: Shipping Rule,Restrict to Countries,രാജ്യങ്ങളിലേയ്ക്ക് നിയന്ത്രിക്കുക DocType: Hub Tracked Item,Item Manager,ഇനം മാനേജർ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},ക്ലോണിംഗ് അക്കൗണ്ടിന്റെ നാണയം {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,ബജറ്റുകൾ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,ഇൻവോയ്സ് ഇനം തുറക്കുന്നു DocType: Work Order,Plan material for sub-assemblies,സബ് അസംബ്ളിക്ക് പദ്ധതി ആസൂത്രണം apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,ഹാർഡ്വെയർ DocType: Budget,Action if Annual Budget Exceeded on MR,വാർഷിക ബജറ്റ് എം.ആർ. DocType: Sales Invoice Advance,Advance Amount,മുൻകൂർ തുക +DocType: Accounting Dimension,Dimension Name,അളവിന്റെ പേര് DocType: Delivery Note Item,Against Sales Invoice Item,വിൽപ്പനവിവരം ഇനത്തിനെതിരെ DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,നിർമ്മാണത്തിലെ ഇനം ഉൾപ്പെടുത്തുക @@ -213,7 +217,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,അതെന് ,Sales Invoice Trends,വിൽപ്പന ഇൻവോയ്സ് ട്രെൻഡുകൾ DocType: Bank Reconciliation,Payment Entries,പേയ്മെന്റ് എൻട്രികൾ DocType: Employee Education,Class / Percentage,ക്ലാസ് / ശതമാനം -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ഇനം കോഡ്> ഇനം ഗ്രൂപ്പ്> ബ്രാൻഡ് ,Electronic Invoice Register,ഇലക്ട്രോണിക് ഇൻവോയ്സ് രജിസ്റ്റർ DocType: Sales Invoice,Is Return (Credit Note),മടങ്ങാണ് (ക്രെഡിറ്റ് നോട്ട്) DocType: Lab Test Sample,Lab Test Sample,ലാബ് ടെസ്റ്റ് സാമ്പിൾ @@ -284,6 +287,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,വകഭേദങ്ങൾ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",നിങ്ങളുടെ തെരഞ്ഞെടുപ്പിന് അനുസൃതമായി ഇനങ്ങളുടെ ഇനത്തിന്റെ അളവ് അല്ലെങ്കിൽ തുകയുടെ അടിസ്ഥാനത്തിൽ തുക വിതരണം ചെയ്യപ്പെടും apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,ഇന്നത്തെ തീർപ്പാക്കാത്ത പ്രവർത്തനങ്ങൾ +DocType: Quality Procedure Process,Quality Procedure Process,ഗുണനിലവാരം പ്രോസസ്സ് DocType: Fee Schedule Program,Student Batch,വിദ്യാർത്ഥി ബാച്ച് apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},ഇനത്തിനായുള്ള ഇനത്തിന്റെ മൂല്യനിർണ്ണയ നിരക്ക് {0} DocType: BOM Operation,Base Hour Rate(Company Currency),അടിസ്ഥാനനിരക്ക് നിരക്ക് (കമ്പനി കറൻസി) @@ -301,8 +305,9 @@ DocType: Vehicle,Acquisition Date,ഏറ്റെടുക്കൽ തീയത DocType: SMS Center,Send To,അയക്കുക apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ശരാശരി നിരക്ക് DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,സീരിയൽ നോപുട്ട് അടിസ്ഥാനമാക്കിയുള്ള ട്രാൻസാക്ഷനുകളിൽ Qty സജ്ജമാക്കുക +apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},അഡ്വാൻസ് അക്കൗണ്ട് കറൻസി കമ്പനി കറൻസിക്ക് തുല്യമായിരിക്കണം {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,ഹോംപേജ് വിഭാഗങ്ങൾ ഇഷ്ടാനുസൃതമാക്കുക -DocType: Quality Goal,October,ഒക്ടോബർ +DocType: GSTR 3B Report,October,ഒക്ടോബർ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,സെയിൽ ഇടപാടുകളിൽ നിന്ന് കസ്റ്റമർമാരുടെ ടാക്സ് ഐഡി മറയ്ക്കുക apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,അസാധുവായ GSTIN! ഒരു GSTIN- ന് 15 പ്രതീകങ്ങൾ ഉണ്ടായിരിക്കണം. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,വിലനിയന്ത്രണം {0} അപ്ഡേറ്റുചെയ്തു @@ -389,7 +394,7 @@ DocType: GoCardless Mandate,GoCardless Customer,GoCardless ഉപഭോക്ത DocType: Leave Encashment,Leave Balance,ബാലൻസ് വിടുക DocType: Assessment Plan,Supervisor Name,സൂപ്പർവൈസർ നാമം DocType: Selling Settings,Campaign Naming By,കാമ്പയിൻ നാമകരണം -DocType: Course,Course Code,കോഴ്സ് കോഡ് +DocType: Student Group Creation Tool Course,Course Code,കോഴ്സ് കോഡ് apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,എയറോസ്പേസ് DocType: Landed Cost Voucher,Distribute Charges Based On,അടിസ്ഥാനമാക്കിയുള്ള ചാർജുകൾ വിതരണം ചെയ്യുക DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,വിതരണക്കാരൻ സ്കോര്കാര്ഡ് സ്കോറിംഗ് മാനദണ്ഡം @@ -470,10 +475,8 @@ DocType: Restaurant Menu,Restaurant Menu,റെസ്റ്റോറന്റ് DocType: Asset Movement,Purpose,ഉദ്ദേശ്യം apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,ജീവനക്കാർക്കുള്ള ശമ്പളം ഘടന നിർവഹണം ഇതിനകം നിലവിലുണ്ട് DocType: Clinical Procedure,Service Unit,സർവീസ് യൂണിറ്റ് -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ഉപഭോക്താവ്> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിട്ടറി DocType: Travel Request,Identification Document Number,ഐഡന്റിഫിക്കേഷൻ ഡോക്യുമെന്റ് നമ്പർ DocType: Stock Entry,Additional Costs,കൂടുതൽ ചിലവ് -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",മാതൃകാ കോഴ്സ് (ഇത് പാരന്റ് കോഴ്സിന്റെ ഭാഗമായിരുന്നില്ലെങ്കിൽ ശൂന്യമായി വയ്ക്കുക) DocType: Employee Education,Employee Education,ജീവനക്കാരുടെ വിദ്യാഭ്യാസം apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,"ജീവനക്കാരുടെ എണ്ണം കുറച്ചുകഴിഞ്ഞാൽ, തൊഴിലാളികളുടെ എണ്ണം കുറവായിരിക്കില്ല" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,എല്ലാ കസ്റ്റമർ ഗ്രൂപ്പുകൾ @@ -519,6 +522,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,വരി {0}: ക്വാണ്ടി നിർബന്ധമാണ് DocType: Sales Invoice,Against Income Account,വരുമാന അക്കൌണ്ടിനെതിരെ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},വരി # {0}: നിലവിലുള്ള ഒരു അസറ്റിനെതിരെ വാങ്ങിയ ഇൻവോയ്സ് ഉണ്ടാക്കാൻ കഴിയുകയില്ല {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,വ്യത്യസ്ത പ്രമോഷണൽ സ്കീമുകൾ പ്രയോഗിക്കുന്നതിനുള്ള നിയമങ്ങൾ. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM- യ്ക്ക് UOM കോവേർഷൻ ഫാക്ടർ ആവശ്യമാണ്: {0} ഇനം: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},ദയവായി ഇനത്തിനായുള്ള അളവ് നൽകുക {0} DocType: Workstation,Electricity Cost,ഇലക്ട്രിസിറ്റി കോസ്റ്റ് @@ -804,6 +808,7 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,Jobs,ജോലി DocType: Expense Claim,Approval Status,അംഗീകാര നില apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Opening Qty,Qty തുറക്കുന്നു apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,"Skipping Salary Structure Assignment for the following employees, as Salary Structure Assignment records already exists against them. {0}",ശമ്പള സമിതിയുടെ ഉത്തരവാദിത്തം താഴെപ്പറയുന്ന ജീവനക്കാർക്ക് നൽകും. {0} +apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"ടേം അവസാനിക്കുന്ന തീയതി, പദം ബന്ധിപ്പിച്ച അക്കാദമിക് വർഷത്തിന്റെ വർഷാവസാന തീയതിയേക്കാൾ വൈകരുത് (അക്കാദമിക് വർഷം {}). തീയതികൾ ശരിയാക്കി വീണ്ടും ശ്രമിക്കുക." DocType: Purchase Order,% Billed,% ബിൽ ചെയ്തു apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Variance,മൊത്തം വേരിയൻസ് apps/erpnext/erpnext/support/doctype/issue/issue.js,Split Issue,പ്രശ്നം വിഭജിക്കുക @@ -840,7 +845,6 @@ DocType: Item,Total Projected Qty,ആകെ പ്രൊജക്റ്റഡ് apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,ബോംക്സ് DocType: Work Order,Actual Start Date,യഥാർത്ഥ ആരംഭ തീയതി apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,നഷ്ടപരിഹാര അവധിവസം അഭ്യർത്ഥന ദിവസങ്ങൾക്കുള്ളിൽ നിങ്ങൾ ദിവസം മുഴുവനുണ്ടായിരുന്നില്ല -DocType: Company,About the Company,കമ്പനിയെക്കുറിച്ച് apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,സാമ്പത്തിക അക്കൌണ്ടുകളുടെ വൃക്ഷം. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,പരോക്ഷ വരുമാനം DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,ഹോട്ടൽ റൂൾ റിസർവേഷൻ ഇനം @@ -855,6 +859,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,ഉപയോ DocType: Skill,Skill Name,കഴിവുള്ള പേര് apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,റിപ്പോർട്ട് റിപ്പോർട്ട് പ്രിന്റ് ചെയ്യുക DocType: Soil Texture,Ternary Plot,ടെർണറി പ്ലോട്ട് +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setup> Settings> Naming Series വഴി {0} നാമത്തിനായുള്ള പരമ്പര സജ്ജീകരിക്കുക apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,പിന്തുണ ടിക്കറ്റ് DocType: Asset Category Account,Fixed Asset Account,അസറ്റ് അക്കൗണ്ട് ഫിക്സ് ചെയ്തിരിക്കുന്നു apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,ഏറ്റവും പുതിയ @@ -864,6 +869,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,പ്രോഗ് ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,ദയവായി ഉപയോഗിക്കുന്നതിനായി പരമ്പര ക്രമീകരിക്കുക. DocType: Delivery Trip,Distance UOM,ദൂരം UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,ബാലൻസ് ഷീറ്റിന് നിർബന്ധമാണ് DocType: Payment Entry,Total Allocated Amount,മൊത്തം അനുവദിച്ച തുക DocType: Sales Invoice,Get Advances Received,പുരോഗതി പ്രാപിക്കുക DocType: Student,B-,ബി- @@ -884,6 +890,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,മെയിൻറ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS എൻട്രി ഉണ്ടാക്കുന്നതിന് POS പ്രൊഫൈൽ ആവശ്യമാണ് DocType: Education Settings,Enable LMS,LMS പ്രാപ്തമാക്കുക DocType: POS Closing Voucher,Sales Invoices Summary,സെയിൽ ഇൻവോയിസ് സംഗ്രഹം +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,ആനുകൂല്യം apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ക്രെഡിറ്റ് അക്കൗണ്ട് ഒരു ബാലൻസ് ഷീറ്റ് അക്കൗണ്ട് ആയിരിക്കണം DocType: Video,Duration,ദൈർഘ്യം DocType: Lab Test Template,Descriptive,വിവരണാത്മക @@ -897,6 +904,7 @@ DocType: Item,Automatically Create New Batch,പുതിയ ബാച്ച് DocType: Restaurant Menu,Price List (Auto created),വിലവിവരങ്ങൾ (സ്വയമേവ സൃഷ്ടിച്ചത്) DocType: Customer,Credit Limit and Payment Terms,"ക്രെഡിറ്റ് പരിധി, പേയ്മെന്റ് നിബന്ധനകൾ" apps/erpnext/erpnext/stock/doctype/item/item.js,Show Variants,വ്യത്യാസങ്ങൾ കാണിക്കുക +apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},കമ്പനി {0} ൽ 'അസറ്റ് ഡിസ്പോസലിൽ നേട്ടം / നഷ്ടം അക്കൗണ്ട്' സജ്ജമാക്കുക. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for time sheet {1},സമയനിഷ്ഠാനത്തിനായി {0} ഇതിനകം സൃഷ്ടിച്ച ജീവനക്കാരുടെ ശമ്പള സ്ലിപ്പ് {1} apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,ടാസ്ക്കുകളുടെ സമയപരിധി. DocType: Purchase Invoice,Rounded Total (Company Currency),വൃത്താകാരം ആകെ (കമ്പനി കറൻസി) @@ -932,6 +940,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,ആരംഭവും അവസാന തീയതിയും DocType: Supplier Scorecard,Notify Employee,ജീവനക്കാരനെ അറിയിക്കുക apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,സോഫ്റ്റ്വെയർ +DocType: Program,Allow Self Enroll,സ്വയം എൻറോൾ അനുവദിക്കുക apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,ഓഹരി ചെലവുകൾ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,നിങ്ങൾ റഫറൻസ് തീയതി നൽകിയാൽ റഫറൻസ് നമ്പർ നിർബന്ധമല്ല DocType: Training Event,Workshop,വർക്ക്ഷോപ്പ് @@ -983,6 +992,7 @@ DocType: Lab Test Template,Lab Test Template,ടെസ്റ്റ് ടെം apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},പരമാവധി: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ഇ-ഇൻവോയിംഗ് വിവരം നഷ്ടപ്പെട്ടു apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,ഭൌതിക അഭ്യർത്ഥനയൊന്നും സൃഷ്ടിച്ചിട്ടില്ല +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ഇനം കോഡ്> ഇനം ഗ്രൂപ്പ്> ബ്രാൻഡ് DocType: Loan,Total Amount Paid,പണമടച്ച തുക apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,ഈ ഇനങ്ങൾ എല്ലാം ഇതിനകം തന്നെ വിളിക്കപ്പെട്ടിരിക്കുന്നു DocType: Training Event,Trainer Name,പരിശീലകന്റെ പേര് @@ -995,6 +1005,7 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re DocType: Payroll Entry,Select Payment Account to make Bank Entry,ബാങ്ക് എൻട്രി നടത്തുന്നതിനുള്ള പേയ്മെന്റ് അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക DocType: Supplier Scorecard,Scoring Setup,സ്കോറിംഗ് സെറ്റ്അപ്പ് DocType: Salary Slip,Total Interest Amount,മൊത്തം പലിശ തുക +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/projects/report/billing_summary.py,Billable Hours,ബില്ലബിൾ മണിക്കൂർ apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge with Existing Account,നിലവിലുള്ള അക്കൗണ്ട് ഉപയോഗിച്ച് ലയിപ്പിക്കുക DocType: Lead,Lost Quotation,നഷ്ടമായ ഉദ്ധരണി @@ -1003,6 +1014,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,അധ്യയന വർഷം DocType: Sales Stage,Stage Name,സ്റ്റേജ് പേര് DocType: SMS Center,All Employee (Active),എല്ലാ ജീവനക്കാരും (സജീവം) +DocType: Accounting Dimension,Accounting Dimension,അക്ക ing ണ്ടിംഗ് അളവ് DocType: Project,Customer Details,ഉപഭോക്തൃ വിശദാംശങ്ങൾ DocType: Buying Settings,Default Supplier Group,Default Supplier Group apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,ആദ്യം വാങ്ങൽ വാങ്ങൽ റദ്ദാക്കുക {0} @@ -1113,7 +1125,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","ഉയർന് DocType: Designation,Required Skills,ആവശ്യമായ കഴിവുകൾ DocType: Marketplace Settings,Disable Marketplace,Marketplace അപ്രാപ്തമാക്കുക DocType: Budget,Action if Annual Budget Exceeded on Actual,വാർഷിക ബജറ്റ് യഥാർത്ഥത്തിൽ കവിഞ്ഞതാണെങ്കിൽ നടപടി -DocType: Course,Course Abbreviation,കോഴ്സ് സംഗ്രഹം apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,{0} അവധി കഴിഞ്ഞ് {0} എന്ന രീതിയിൽ സമർപ്പിച്ചിട്ടില്ല. DocType: Pricing Rule,Promotional Scheme Id,പ്രൊമോഷണൽ സ്കീം ഐഡി DocType: Driver,License Details,ലൈസൻസ് വിശദാംശങ്ങൾ @@ -1251,7 +1262,7 @@ DocType: Bank Guarantee,Margin Money,മാർജിൻ മണി DocType: Chapter,Chapter,ചാപ്റ്റർ DocType: Purchase Receipt Item Supplied,Current Stock,നിലവിലെ സ്റ്റോക്ക് DocType: Employee,History In Company,ചരിത്രം -DocType: Item,Manufacturer,നിർമ്മാതാവ് +DocType: Purchase Invoice Item,Manufacturer,നിർമ്മാതാവ് apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,മോഡറേറ്റ് സെൻസിറ്റിവിറ്റി DocType: Compensatory Leave Request,Leave Allocation,വിഹിതം വിടുക DocType: Timesheet,Timesheet,ടൈംസ്ഷീറ്റ് @@ -1282,6 +1293,7 @@ DocType: Work Order,Material Transferred for Manufacturing,നിർമ്മാ DocType: Products Settings,Hide Variants,വേരിയന്റുകൾ മറയ്ക്കുക DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ശേഷി ആസൂത്രണവും സമയ ട്രാക്കിംഗും അപ്രാപ്തമാക്കുക DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ഇടപാടിൽ കണക്കുകൂട്ടും. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,'ബാലൻസ് ഷീറ്റ്' അക്കൗണ്ടിനായി {0} ആവശ്യമാണ് {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} ഉപയോഗിച്ച് കൈമാറാൻ {0} അനുവാദമില്ല. ദയവായി കമ്പനി മാറ്റൂ. 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}","വാങ്ങൽ റെക്കപ്റ്റി required == 'YES' ആണെങ്കിൽ വാങ്ങൽ ക്രമീകരണ പ്രകാരം, വാങ്ങൽ ഇൻവോയ്സ് സൃഷ്ടിക്കുന്നതിനായി, ഉപയോക്താവ് {0} എന്നതിന് ആദ്യം വാങ്ങൽ രസീതി സൃഷ്ടിക്കേണ്ടതുണ്ട്." DocType: Delivery Trip,Delivery Details,ഡെലിവറി വിശദാംശങ്ങൾ @@ -1315,7 +1327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,മുമ്പത്ത apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,അളവുകോൽ DocType: Lab Test,Test Template,ടെംപ്ലേറ്റ് ടെസ്റ്റ് ചെയ്യുക DocType: Fertilizer,Fertilizer Contents,രാസവസ്തുക്കൾ -apps/erpnext/erpnext/utilities/user_progress.py,Minute,മിനിറ്റ് +DocType: Quality Meeting Minutes,Minute,മിനിറ്റ് DocType: Task,Actual Time (in Hours),യഥാർത്ഥ സമയം (മണിക്കൂറിൽ) DocType: Period Closing Voucher,Closing Account Head,അക്കൗണ്ട് ഹെഡ് അടയ്ക്കുന്നു DocType: Purchase Invoice,Shipping Rule,ഷിപ്പിംഗ് റൂൾ @@ -1372,6 +1384,7 @@ The package **Item** will have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" For Example: If you are selling Laptops and Backpacks separately and have a special price if the customer buys both, then the Laptop + Backpack will be a new Product Bundle Item. Note: BOM = Bill of Materials","** ഇനങ്ങളുടെ മൊത്തം ഗ്രൂപ്പ് ** മറ്റൊരു വിഷയത്തിൽ **. നിങ്ങൾ ഒരു നിശ്ചിത ** ഇനങ്ങൾ ** കൂട്ടിച്ചേർക്കുന്നുണ്ടെങ്കിൽ ഇത് ഉപയോഗപ്രദമാകും ** പായ്ക്ക് ** ഇനങ്ങളുടെ സ്റ്റോക്ക് ** മാത്രമല്ല, മൊത്തമായുള്ള ** ഇനം ** അല്ല. പാക്കേജ് ** ഇനം ** "ഇല്ല" എന്നതും "ഇല്ല" എന്നതും "അതെ" ആയി "വിൽപ്പന ഇനം" എന്നതും "സ്റ്റോക്ക് ഇനം" ആണ്. ഉദാഹരണത്തിന്: ലാപ്ടോപ്പുകളും ബാക്ക്പാക്കുകളും വെവ്വേറെ വിൽക്കുന്നതും കസ്റ്റമർ രണ്ടും വാങ്ങുന്നെങ്കിൽ പ്രത്യേക വിലയും ഉണ്ടെങ്കിൽ, ലാപ്ടോപ്പ് + ബാക്ക്പാക്ക് ഒരു പുതിയ ഉൽപ്പന്ന ബണ്ടിൽ ഐളാണ്. കുറിപ്പ്: BOM = വസ്തുക്കളുടെ ബിൽ" +apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Another Budget record '{0}' already exists against {1} '{2}' and account '{3}' for fiscal year {4},മറ്റൊരു ബജറ്റ് റെക്കോർഡ് '{0}' ഇതിനകം {1} '{2}' നും അക്ക account ണ്ട് {4} നും എതിരായി നിലവിലുണ്ട് {4} DocType: Asset,Purchase Receipt Amount,വാങ്ങൽ രസീത് തുക DocType: Issue,Ongoing,നടന്നുകൊണ്ടിരിക്കുന്നു DocType: Service Level Agreement,Agreement Details,ഉടമ്പടിയുടെ വിശദാംശങ്ങൾ @@ -1483,7 +1496,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,ലബോറട്ടറി DocType: Purchase Order,To Bill,ബില്ലിലേക്ക് apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,യൂട്ടിലിറ്റി ചെലവുകൾ DocType: Manufacturing Settings,Time Between Operations (in mins),പ്രവർത്തന സമയം (മിനിറ്റിൽ) -DocType: Quality Goal,May,മെയ് +DocType: GSTR 3B Report,May,മെയ് apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","പേയ്മെന്റ് ഗേറ്റ്വേ അക്കൗണ്ട് സൃഷ്ടിച്ചില്ല, ദയവായി ഒരു സ്വമേധയാ സൃഷ്ടിക്കുക." DocType: Opening Invoice Creation Tool,Purchase,വാങ്ങൽ DocType: Program Enrollment,School House,സ്കൂൾ ഹൗസ് @@ -1515,6 +1528,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,നിയമാനുസൃത വിവരവും വിതരണക്കാരനെക്കുറിച്ചുള്ള മറ്റ് പൊതു വിവരങ്ങളും DocType: Item Default,Default Selling Cost Center,സെറ്റ് സെറ്റിങ്ങ് കോസ്റ്റ് സെന്റർ DocType: Sales Partner,Address & Contacts,വിലാസവും കോൺടാക്റ്റുകളും +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,സജ്ജീകരണം> നമ്പറിംഗ് സീരീസ് വഴി അറ്റൻഡൻസിനായി നമ്പറിംഗ് സീരീസ് സജ്ജമാക്കുക DocType: Subscriber,Subscriber,സബ്സ്ക്രൈബർ apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ഫോം / ഇനം / {0}) സ്റ്റോക്കില്ല apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,ദയവായി പോസ്റ്റിങ്ങ് തീയതി ആദ്യം തിരഞ്ഞെടുക്കുക @@ -1542,6 +1556,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,ഇൻപേഷ്യൻ DocType: Bank Statement Settings,Transaction Data Mapping,ഇടപാട് ഡാറ്റ മാപ്പിംഗ് apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,ഒരു ലീഡിന് ഒരു വ്യക്തിയുടെ പേര് അല്ലെങ്കിൽ സ്ഥാപനത്തിന്റെ പേര് ആവശ്യമാണ് DocType: Student,Guardians,ഗാർഡിയൻ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ദയവായി വിദ്യാഭ്യാസം> വിദ്യാഭ്യാസ സജ്ജീകരണങ്ങളിൽ സജ്ജീകരണ അധ്യാപിക നാമനിർദേശം ചെയ്യുന്ന സംവിധാനം apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ബ്രാൻഡ് തിരഞ്ഞെടുക്കുക ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,മധ്യവരുമാനം DocType: Shipping Rule,Calculate Based On,അടിസ്ഥാനമാക്കിയുള്ളത് കണക്കാക്കുക @@ -1553,7 +1568,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,ചെലവ് ക്ല DocType: Purchase Invoice,Rounding Adjustment (Company Currency),റൗണ്ടിംഗ് അഡ്ജസ്റ്റ്മെന്റ് (കമ്പനി കറൻസി) DocType: Item,Publish in Hub,ഹബ് ൽ പ്രസിദ്ധീകരിക്കുക apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,ആഗസ്റ്റ് +DocType: GSTR 3B Report,August,ആഗസ്റ്റ് apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,ആദ്യം വാങ്ങൽ രസീത് നൽകുക apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ആരംഭിക്കുന്ന വർഷം apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),ലക്ഷ്യം ({}) @@ -1572,6 +1587,7 @@ DocType: Item,Max Sample Quantity,പരമാവധി സാമ്പിൾ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ഉറവിടവും ടാർഗെറ്റ് വെയർഹൗസും വ്യത്യസ്തമായിരിക്കണം DocType: Employee Benefit Application,Benefits Applied,ബാധകമായ ആനുകൂല്യങ്ങൾ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,ജേർണൽ എൻട്രിയ്ക്ക് {0} തമ്മിൽ പൊരുത്തമില്ലാത്ത {1} എൻട്രി ഇല്ല +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",""-" ഒഴികെ പ്രത്യേക അക്ഷരങ്ങൾ, "#", ".", "/", "{", "" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,വില അല്ലെങ്കിൽ ഉൽപ്പന്നത്തിന്റെ കിഴിവ് സ്ലാബുകൾ ആവശ്യമാണ് apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ഒരു ടാർഗെറ്റ് സജ്ജമാക്കുക apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,ഇടപാട് തീയതി @@ -1586,10 +1602,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,മാസം തോറും DocType: Routing,Routing Name,റൂട്ടിംഗ് പേര് DocType: Disease,Common Name,പൊതുവായ പേര് -DocType: Quality Goal,Measurable,അളവ് DocType: Education Settings,LMS Title,LMS ശീർഷകം apps/erpnext/erpnext/config/non_profit.py,Loan Management,ലോൺ മാനേജ്മെന്റ് -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,അനലിറ്റിക്സ് പിന്തുണ DocType: Clinical Procedure,Consumable Total Amount,മൊത്തം മൊത്തം തുക apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,ടെംപ്ലേറ്റ് പ്രാപ്തമാക്കുക apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,ഉപഭോക്താവ് LPO @@ -1726,6 +1740,7 @@ DocType: Restaurant Order Entry Item,Served,സേവിച്ചു DocType: Loan,Member,അംഗം DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,പ്രാക്ടീഷണർ സർവീസ് യൂണിറ്റ് ഷെഡ്യൂൾ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,വയർ ട്രാൻസ്ഫർ +DocType: Quality Review Objective,Quality Review Objective,ഗുണനിലവാര അവലോകന ലക്ഷ്യം DocType: Bank Reconciliation Detail,Against Account,അക്കൗണ്ടിനെതിരായി DocType: Projects Settings,Projects Settings,പ്രോജക്ട് ക്രമീകരണങ്ങൾ apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},യഥാർത്ഥ ക്വാർട്ടി {0} / കാത്തിരിക്കൽ ക്യൂട്ടി {1} @@ -1753,6 +1768,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,"ധനകാര്യ വർഷം അവസാനിക്കുന്ന തീയതി, ധനന വർഷത്തിന്റെ ആരംഭം കഴിഞ്ഞ് ഒരു വർഷം ആയിരിക്കണം" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,ദിവസേനയുള്ള ഓർമ്മപ്പെടുത്തലുകൾ DocType: Item,Default Sales Unit of Measure,മെഷർ സെലക്ട് സെൽപ്പ് യൂണിറ്റ് +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,കമ്പനി GSTIN DocType: Asset Finance Book,Rate of Depreciation,മൂല്യത്തകർച്ചയുടെ നിരക്ക് DocType: Support Search Source,Post Description Key,പോസ്റ്റ് വിവരണം കീ DocType: Loyalty Program Collection,Minimum Total Spent,ഏറ്റവും കുറഞ്ഞ ആകെത്തുക @@ -1822,6 +1838,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,തിരഞ്ഞെടുത്ത കസ്റ്റമർക്കായി ഉപഭോക്തൃ ഗ്രൂപ്പ് മാറ്റുന്നത് അനുവദനീയമല്ല. DocType: Serial No,Creation Document Type,ക്രിയേഷൻ ഡോക്യുമെന്റ് ടൈപ്പ് DocType: Sales Invoice Item,Available Batch Qty at Warehouse,വെയർഹൗസിലുള്ള ലഭ്യമായ ബാച്ച് ക്വാട്ട് +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ഇൻവോയ്സ് ഗ്രാൻഡ് ടോട്ടൽ apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,"ഇത് ഒരു റൂട്ട് പ്രദേശമാണ്, അത് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല." DocType: Patient,Surgical History,സർജിക്കൽ ചരിത്രം apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,ഗുണനിലവാരം പരിശോധിക്കൽ @@ -1894,6 +1911,7 @@ DocType: Warranty Claim,If different than customer address,ഉപഭോക്ത DocType: Chart of Accounts Importer,Chart Tree,ചാർട്ട് ട്രീ DocType: Contract,Contract,കരാർ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,ഒന്നിലധികം കളക്ഷൻ നിയമങ്ങൾ ഒന്നിലധികം ടൈയർ പ്രോഗ്രാം തരം തിരഞ്ഞെടുക്കുക. +apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,{0} for {1},{1} ന് {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,For Quantity (Manufactured Qty) is mandatory,ക്വാണ്ടിറ്റി (ഉല്പാദിപ്പിച്ച Qty) നിർബന്ധമാണ് apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Primary School"" or ""University""",ഉദാ: "പ്രൈമറി സ്കൂൾ" അല്ലെങ്കിൽ "യൂണിവേഴ്സിറ്റി" DocType: Pricing Rule,Apply Multiple Pricing Rules,മൾട്ടിപ്പിൾ പ്രൈസിങ് നിയമങ്ങൾ പ്രയോഗിക്കുക @@ -1922,13 +1940,14 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,നിങ്ങൾ വെബ്സൈറ്റിൽ കാണിക്കാൻ ആഗ്രഹിക്കുന്നുവെങ്കിൽ ഇത് ചെക്ക് ചെയ്യുക apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ധനകാര്യ വർഷം {0} കണ്ടെത്തിയില്ല DocType: Bank Statement Settings,Bank Statement Settings,ബാങ്ക് സ്റ്റേറ്റ്മെന്റ് ക്രമീകരണങ്ങൾ +DocType: Quality Procedure Process,Link existing Quality Procedure.,നിലവിലെ നിലവാര നടപടിക്രമം ലിങ്ക് ചെയ്യുക. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,CSV / Excel ഫയലുകളിൽ നിന്ന് അക്ക of ണ്ടുകളുടെ ചാർട്ട് ഇറക്കുമതി ചെയ്യുക DocType: Appraisal Goal,Score (0-5),സ്കോർ (0-5) DocType: Purchase Invoice,Debit Note Issued,ഡെബിറ്റ് നോട്ട് പുറത്തിറക്കി 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",""സ്റ്റോക്ക് ഇനം" എന്നത് "ഇല്ല", "വിൽപ്പന ഇനം" "അതെ" ആണ്, കൂടാതെ മറ്റേതെങ്കിലും ഉൽപ്പന്ന ബണ്ടിൽ" DocType: Leave Policy Detail,Leave Policy Detail,നയ വിശദാംശം വിടുക apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,സിസ്റ്റത്തിൽ വെയർഹൗസ് കണ്ടില്ല DocType: Healthcare Practitioner,OP Consulting Charge,ഒപി കൺസൾട്ടിംഗ് ചാർജ് -DocType: Quality Goal,Measurable Goal,അളവുള്ള ഗോൾ DocType: Bank Statement Transaction Payment Item,Invoices,ഇൻവോയിസുകൾ DocType: Currency Exchange,Currency Exchange,നാണയ വിനിമയം DocType: Payroll Entry,Fortnightly,രാവും പകലും @@ -1989,6 +2008,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} സമർപ്പിക്കപ്പെടുന്നില്ല DocType: Work Order,Backflush raw materials from work-in-progress warehouse,ജോലി ചെയ്യുന്ന പുരോഗമന വെയർഹൗസിലുള്ള ബാക്ക്ഫ്ൾ അസംസ്കൃത വസ്തുക്കൾ DocType: Maintenance Team Member,Maintenance Team Member,മെയിൻറനൻസ് ടീം അംഗം +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,അക്കൗണ്ടിംഗിനായി ഇഷ്‌ടാനുസൃത അളവുകൾ സജ്ജമാക്കുക DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,പരമാവധി വളർച്ചയ്ക്ക് സസ്യങ്ങളുടെ വരികൾ തമ്മിലുള്ള ഏറ്റവും കുറഞ്ഞ ദൂരം DocType: Employee Health Insurance,Health Insurance Name,ആരോഗ്യ ഇൻഷ്വറൻസ് നാമം apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,സ്റ്റോക്ക് അസറ്റുകൾ @@ -2019,7 +2039,7 @@ DocType: Delivery Note,Billing Address Name,ബില്ലിംഗ് വി apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,ഇതര ഇനം DocType: Certification Application,Name of Applicant,അപേക്ഷകൻറെ പേര് DocType: Leave Type,Earned Leave,സമ്പാദിച്ച അവധി -DocType: Quality Goal,June,ജൂൺ +DocType: GSTR 3B Report,June,ജൂൺ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},{0} അംഗീകരിച്ചു DocType: Purchase Invoice Item,Net Rate (Company Currency),നെറ്റ് നിരക്ക് (കമ്പനി കറൻസി) apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,എല്ലാ BOM കളും @@ -2037,6 +2057,7 @@ DocType: Purchase Order Item,Supplier Part Number,വിതരണക്കാര DocType: Lab Test Template,Standard Selling Rate,സ്റ്റാൻഡേർഡ് സെല്ലിംഗ് നിരക്ക് 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: Asset Finance Book,Asset Finance Book,അസറ്റ് ഫിനാൻസ് ബുക്ക് +DocType: Quality Goal Objective,Quality Goal Objective,ഗുണനിലവാര ലക്ഷ്യം DocType: Employee Transfer,Employee Transfer,എംപ്ലോയീസ് ട്രാൻസ്ഫർ ,Sales Funnel,സെയിൽസ് ഫണൽ DocType: Agriculture Analysis Criteria,Water Analysis,ജല വിശകലനം @@ -2068,10 +2089,12 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,ഊർജ DocType: Soil Analysis,Ca/K,സി / കെ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,BOM- ൽ ഉള്ള എല്ലാ ഇനങ്ങൾക്കുമായി സൃഷ്ടിച്ച ഓർഡർ ഇതിനകം സൃഷ്ടിച്ചു apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,ബിൽഡ് തുക +apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},നൽകിയ ഓഡോമീറ്റർ വായന പ്രാരംഭ വാഹന ഓഡോമീറ്ററിനേക്കാൾ കൂടുതലായിരിക്കണം {0} DocType: Employee Transfer Property,Employee Transfer Property,എംപ്ലോയീസ് ട്രാൻസ്ഫർ പ്രോപ്പർട്ടി apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,ശേഷിക്കുന്ന പ്രവർത്തനങ്ങൾ apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,നിങ്ങളുടെ ചില ഉപയോക്താക്കളെ ലിസ്റ്റുചെയ്യുക. അവർ സംഘടനകളോ വ്യക്തികളോ ആകാം. DocType: Bank Guarantee,Bank Account Info,ബാങ്ക് അക്കൌണ്ട് വിവരം +DocType: Quality Goal,Weekday,ആഴ്ചാവസാനം apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 പേര് DocType: Salary Component,Variable Based On Taxable Salary,നികുതിദായക ശമ്പളത്തെ അടിസ്ഥാനമാക്കിയുള്ള വേരിയബിൾ DocType: Accounting Period,Accounting Period,അക്കൗണ്ടിംഗ് കാലയളവ് @@ -2151,7 +2174,7 @@ DocType: Purchase Invoice,Rounding Adjustment,റൌണ്ടിംഗ് അഡ DocType: Quality Review Table,Quality Review Table,ക്വാളിറ്റി റിവ്യൂ ടേബിൾ DocType: Member,Membership Expiry Date,അംഗത്വം കാലാവധി തീയതി DocType: Asset Finance Book,Expected Value After Useful Life,ഉപയോഗപ്രദമായ ലൈഫ് ഉപയോഗിച്ചുള്ള പ്രതീക്ഷിത മൂല്യം -DocType: Quality Goal,November,നവംബർ +DocType: GSTR 3B Report,November,നവംബർ DocType: Loan Application,Rate of Interest,പലിശനിരക്ക് DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,ബാങ്ക് സ്റ്റേറ്റ് ട്രാൻസാക്ഷൻ പെയ്മെന്റ് ഇനം DocType: Restaurant Reservation,Waitlisted,കാത്തിരുന്നു @@ -2213,6 +2236,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","വരി {0}: {1} ആവർത്തിക്കുക, തീയതിയും തീയതിയും തമ്മിലുള്ള വ്യത്യാസം {2}" DocType: Purchase Invoice Item,Valuation Rate,മൂല്യനിർണയ നിരക്ക് DocType: Shopping Cart Settings,Default settings for Shopping Cart,ഷോപ്പിംഗ് കാർട്ടിനായുള്ള സ്ഥിരസ്ഥിതി ക്രമീകരണങ്ങൾ +DocType: Quiz,Score out of 100,100 ൽ സ്കോർ DocType: Manufacturing Settings,Capacity Planning,ശേഷി ആസൂത്രണം apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,അദ്ധ്യാപകരിലേക്ക് പോകുക DocType: Activity Cost,Projects,പദ്ധതികൾ @@ -2222,6 +2246,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,സമയം മുതൽ apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,വേരിയന്റ് വിശദാംശങ്ങൾ റിപ്പോർട്ട് ചെയ്യുക +,BOM Explorer,BOM എക്സ്പ്ലോറർ DocType: Currency Exchange,For Buying,വാങ്ങുന്നതിനായി apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} എന്നതിനായുള്ള സ്ലോട്ടുകൾ ഷെഡ്യൂളിലേക്ക് ചേർക്കില്ല DocType: Target Detail,Target Distribution,ടാർഗറ്റ് വിതരണം @@ -2239,6 +2264,7 @@ DocType: Activity Cost,Activity Cost,പ്രവർത്തന ചെലവ് DocType: Journal Entry,Payment Order,പേയ്മെന്റ് ഓർഡർ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,വിലനിർണ്ണയം ,Item Delivery Date,ഇനം ഡെലിവറി തീയതി +DocType: Quality Goal,January-April-July-October,ജനുവരി-ഏപ്രിൽ-ജൂലൈ-ഒക്ടോബർ DocType: Purchase Order Item,Warehouse and Reference,വെയർഹൗസും റെഫറൻസ് apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,കുട്ടി നോഡുകളുള്ള അക്കൗണ്ട് ലഡ്ജറായി പരിവർത്തനം ചെയ്യാനാവില്ല DocType: Soil Texture,Clay Composition (%),ക്ലേ കോമ്പോസിഷൻ (%) @@ -2289,6 +2315,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,ഭാവി കാല apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varianiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,വരി {0}: പേയ്മെന്റ് ഷെഡ്യൂളിൽ പണമടയ്ക്കൽ രീതി ക്രമീകരിക്കുക apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,അക്കാദമിക് ടേം: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,ഗുണനിലവാര ഫീഡ്‌ബാക്ക് പാരാമീറ്റർ apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,ദയവായി കിഴിവ് ബാധകമാക്കുക തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,വരി # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,മൊത്തം പേയ്മെന്റ്സ് @@ -2331,7 +2358,7 @@ DocType: Hub Tracked Item,Hub Node,ഹബ് നോഡ് apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,തൊഴിലാളിയുടെ തിരിച്ചറിയല് രേഖ DocType: Salary Structure Assignment,Salary Structure Assignment,ശമ്പളം ഘടന നിർണയം DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,പിഒസ് അടച്ച വൗച്ചർ നികുതി -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,പ്രവർത്തനം സമാരംഭിച്ചു +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,പ്രവർത്തനം സമാരംഭിച്ചു DocType: POS Profile,Applicable for Users,ഉപയോക്താക്കൾക്ക് ബാധകമാണ് DocType: Training Event,Exam,പരീക്ഷ apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,പൊതുവായ ലെഡ്ജർ എൻട്രികളുടെ തെറ്റായ എണ്ണം കണ്ടെത്തി. ഇടപാടിന് നിങ്ങൾ ഒരു തെറ്റായ അക്കൗണ്ട് തിരഞ്ഞെടുത്തിരിക്കാം. @@ -2432,6 +2459,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,രേഖാംശം DocType: Accounts Settings,Determine Address Tax Category From,അഡ്രസ് ടാക്സ് വിഭാഗം നിശ്ചയിക്കുക apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,തീരുമാന നിർമാതാക്കളെ തിരിച്ചറിയുക +DocType: Stock Entry Detail,Reference Purchase Receipt,റഫറൻസ് വാങ്ങൽ രസീത് apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,ഇൻവോകികൾ നേടുക DocType: Tally Migration,Is Day Book Data Imported,ഡേ ബുക്ക് പുസ്തകം ഡാറ്റ ഇറക്കുമതി ചെയ്തു ,Sales Partners Commission,സെയിൽസ് പാർട്ട്ണേഴ്സ് കമ്മീഷൻ @@ -2455,6 +2483,7 @@ DocType: Leave Type,Applicable After (Working Days),(ജോലി ദിവസ DocType: Timesheet Detail,Hrs,മണിക്കൂർ DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,വിതരണക്കാരൻ സ്കോർകാർഡ് മാനദണ്ഡം DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,നിലവാര ഫീഡ്ബാക്ക് ടെംപ്ലേറ്റ് പാരാമീറ്റർ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,ജനനത്തീയതി ജനനത്തീയതിയേക്കാൾ കൂടുതലായിരിക്കണം തീയതി DocType: Bank Statement Transaction Invoice Item,Invoice Date,രസീത് തീയതി DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,സെയിൽസ് ഇൻവോയ്സ് സമർപ്പിക്കുക എന്നതിലെ ലാ ടെസ്റ്റ് (കൾ) സൃഷ്ടിക്കുക @@ -2557,7 +2586,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,കുറഞ്ഞത DocType: Stock Entry,Source Warehouse Address,ഉറവിട വെയർഹൗസ് വിലാസം DocType: Compensatory Leave Request,Compensatory Leave Request,കോംപൻസററി അവധി അഭ്യർത്ഥന DocType: Lead,Mobile No.,മൊബൈൽ നമ്പർ. -DocType: Quality Goal,July,ജൂലൈ +DocType: GSTR 3B Report,July,ജൂലൈ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,യോഗ്യതയുള്ള ഐടിസി DocType: Fertilizer,Density (if liquid),സാന്ദ്രത (ലിക്വിഡ് ആണെങ്കിൽ) DocType: Employee,External Work History,ബാഹ്യ ചരിത്ര ചരിത്രം @@ -2589,6 +2618,7 @@ DocType: Healthcare Settings,Result Emailed,ഫലം ഇമെയിൽ ചെ apps/erpnext/erpnext/selling/doctype/campaign/campaign.js,View Leads,ലീഡ്സ് കാണുക DocType: Fee Validity,Visited yet,ഇതുവരെ സന്ദർശിച്ചു DocType: Purchase Invoice,Terms,നിബന്ധനകൾ +apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater than Loan Amount {0},വിതരണം ചെയ്ത തുക വായ്പ തുകയേക്കാൾ കൂടുതലാകരുത് {0} DocType: Share Balance,Issued,ഇഷ്യൂചെയ്തു apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,അഡ്മിഷൻ ഷെഡ്യൂൾ apps/erpnext/erpnext/public/js/templates/contact_list.html,No contacts added yet.,ഇതുവരെ കോൺടാക്റ്റുകളൊന്നും ചേർത്തിട്ടില്ല. @@ -2631,6 +2661,7 @@ DocType: Certification Application,Certification Status,സർട്ടിഫി apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},ആസ്തിയ്ക്കായി {0} ഉറവിട ലൊക്കേഷൻ ആവശ്യമാണ് DocType: Employee,Encashment Date,എൻക്യാഷ്മെന്റ് തീയതി apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,ദയവായി പൂർത്തിയാക്കിയ അസറ്റ് മെയിന്റനൻസ് ലോഗ് പൂർത്തിയാക്കുന്നതിന് ദയവായി പൂർത്തിയാക്കിയ തീയതി തിരഞ്ഞെടുക്കുക +DocType: Quiz,Latest Attempt,ഏറ്റവും പുതിയ ശ്രമം DocType: Leave Block List,Allow Users,ഉപയോക്താക്കളെ അനുവദിക്കുക apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,വരവ് ചെലവു കണക്കു പുസ്തകം apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,ഉപഭോക്താവ് 'ഓപ്പർച്യുനിറ്റി ഫ്രം' കസ്റ്റമർ ആയി തിരഞ്ഞെടുത്തിട്ടുണ്ടെങ്കിൽ കസ്റ്റമർ നിർബന്ധമാണ് @@ -2694,7 +2725,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,വിതരണ സ DocType: Amazon MWS Settings,Amazon MWS Settings,ആമസോൺ MWS സജ്ജീകരണങ്ങൾ DocType: Program Enrollment,Walking,നടക്കുന്നു DocType: SMS Log,Requested Numbers,അഭ്യർത്ഥിച്ച സംഖ്യകൾ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,സെറ്റപ്പ്> നമ്പറിംഗ് സീരീസിലൂടെ വരുന്ന ഹാജരാക്കാനായി സെറ്റപ്പ് നമ്പറുകൾ ക്രമീകരിക്കുക DocType: Woocommerce Settings,Freight and Forwarding Account,ഫ്രൈയും കൈമാറ്റം ചെയ്ത അക്കൌണ്ടും apps/erpnext/erpnext/accounts/party.py,Please select a Company,ഒരു കമ്പനി തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,വരി {0}: {1} 0-ത്തേക്കാൾ വലുതായിരിക്കണം @@ -2761,7 +2791,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ബില DocType: Training Event,Seminar,സെമിനാറിന് apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),ക്രെഡിറ്റ് ({0}) DocType: Payment Request,Subscription Plans,സബ്സ്ക്രിപ്ഷൻ പ്ലാനുകൾ -DocType: Quality Goal,March,മാർച്ച് +DocType: GSTR 3B Report,March,മാർച്ച് apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,സ്പ്ലിറ്റ് ബാച്ച് DocType: School House,House Name,ഹൗസ് നാമം apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0} ന് വേണ്ടിയുള്ള ഏറ്റവും മികച്ചത് പൂജ്യത്തേക്കാൾ കുറവായിരിക്കരുത് ({1}) @@ -2774,6 +2804,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Monthly Repayment Amount cannot be DocType: Leave Allocation,Allocation,വിഹിതം apps/erpnext/erpnext/stock/doctype/item/item.py,Warning: Invalid attachment {0},മുന്നറിയിപ്പ്: അസാധുവായ അറ്റാച്ചുമെന്റ് {0} DocType: Vehicle,License Plate,ലൈസൻസ് പ്ലേറ്റ് +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Paid Amount cannot be greater than total negative outstanding amount {0},പണമടച്ച തുക മൊത്തം നെഗറ്റീവ് കുടിശ്ശിക തുകയേക്കാൾ കൂടുതലാകരുത് {0} apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.js,Stock quantity to start procedure is not available in the warehouse. Do you want to record a Stock Transfer,വെയർ ഹൗസുകളിൽ സ്റ്റോക്ക് അളവ് തുടങ്ങാൻ നടപടിക്രമങ്ങൾ ലഭ്യമല്ല. നിങ്ങൾ ഒരു സ്റ്റോക്ക് ട്രാൻസ്ഫർ രേഖപ്പെടുത്താൻ ആഗ്രഹിക്കുന്നുണ്ടോ? DocType: Bank Guarantee,Clauses and Conditions,നിബന്ധനകളും വ്യവസ്ഥകളും apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,ദയവായി ശരിയായ അക്കൌണ്ട് തിരഞ്ഞെടുക്കുക @@ -2823,7 +2854,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,ഇൻഷുറൻസ് ആരംഭ തീയതി DocType: Target Detail,Target Detail,ടാർഗെറ്റ് വിശദാംശം DocType: Packing Slip,Net Weight UOM,നെറ്റ് തൂക്കം UOM -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: Purchase Invoice Item,Net Amount (Company Currency),മൊത്തം തുക (കമ്പനി കറൻസി) DocType: Bank Statement Transaction Settings Item,Mapped Data,മാപ്പുചെയ്ത ഡാറ്റ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,സെക്യൂരിറ്റികളും ഡിപ്പോസിറ്റുകളും @@ -2871,6 +2901,7 @@ DocType: Cheque Print Template,Cheque Height,ഉയരം പരിശോധി apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,റിലീസിംഗ് തീയതി നൽകുക. DocType: Loyalty Program,Loyalty Program Help,ലോയൽറ്റി പ്രോഗ്രാം സഹായം DocType: Journal Entry,Inter Company Journal Entry Reference,ഇൻറർ കമ്പനി ജേർണൽ എൻട്രി റഫറൻസ് +DocType: Quality Meeting,Agenda,അജണ്ട DocType: Quality Action,Corrective,തിരുത്തൽ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,ഗ്രൂപ്പിലൂടെ DocType: Bank Account,Address and Contact,വിലാസവും സമ്പർക്കവും @@ -2923,7 +2954,7 @@ DocType: GL Entry,Credit Amount,ക്രെഡിറ്റ് തുക apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,മൊത്തം തുക ലഭിച്ചു DocType: Support Search Source,Post Route Key List,പോസ്റ്റ് റൂട്ട് കീ ലിസ്റ്റ് apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} ഏതെങ്കിലും ഒരു ധനകാര്യ വർഷത്തിൽ അല്ല. -DocType: Quality Action Table,Problem,പ്രശ്നം +DocType: Quality Action Resolution,Problem,പ്രശ്നം DocType: Training Event,Conference,സമ്മേളനം DocType: Mode of Payment Account,Mode of Payment Account,പേയ്മെന്റ് അക്കൗണ്ട് മോഡ് DocType: Leave Encashment,Encashable days,രസകരമായ ദിവസങ്ങൾ @@ -3036,6 +3067,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot DocType: Agriculture Analysis Criteria,Weather,കാലാവസ്ഥ ,Welcome to ERPNext,ERPNext ലേക്ക് സ്വാഗതം DocType: Payment Reconciliation,Maximum Invoice Amount,പരമാവധി ഇൻവോയ്സ് തുക +apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim for Vehicle Log {0},വാഹന ലോഗിനായുള്ള ചെലവ് ക്ലെയിം {0} DocType: Healthcare Settings,Patient Encounters in valid days,സാധുവായ ദിവസങ്ങളിൽ രോഗിയുടെ എൻകോട്ടറുകൾ ,Student Fee Collection,സ്റ്റുഡന്റ് ഫീസ് കളക്ഷൻ DocType: Selling Settings,Sales Order Required,സെൽ ഓർഡർ ആവശ്യമാണ് @@ -3048,7 +3080,7 @@ DocType: Item,"Purchase, Replenishment Details","വാങ്ങൽ, പുന DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","സെറ്റ് ചെയ്തുകഴിഞ്ഞാൽ, സെറ്റ് തിയതി വരെ ഈ ഇൻവോയ്സ് ഹോൾഡിലായിരിക്കും" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,ഇനങ്ങൾക്ക് മുതൽ ഇനം {0} മുതൽ സ്റ്റോക്ക് നിലവിലില്ല DocType: Lab Test Template,Grouped,ഗ്രൂപ്പുചെയ്തു -DocType: Quality Goal,January,ജനുവരി +DocType: GSTR 3B Report,January,ജനുവരി DocType: Course Assessment Criteria,Course Assessment Criteria,കോഴ്സ് അസസ്സ്മെന്റ് മാനദണ്ഡം DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,പൂർത്തിയാക്കിയ ക്യൂറ്റി @@ -3141,7 +3173,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,ഹെൽത apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,പട്ടികയിൽ കുറഞ്ഞത് 1 ഇൻവോയ്സ് നൽകുക apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,സെൽ ഓർഡർ {0} സമർപ്പിച്ചിട്ടില്ല apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,ഹാജരാകുന്നത് വിജയകരമായി അടയാളപ്പെടുത്തിയിരിക്കുന്നു. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,പ്രീ സെയിൽസ് +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,പ്രീ സെയിൽസ് apps/erpnext/erpnext/config/projects.py,Project master.,പ്രോജക്ട് മാസ്റ്റർ. DocType: Daily Work Summary,Daily Work Summary,ദിവസേനയുള്ള തൊഴിൽ ചുരുക്കം DocType: Asset,Partially Depreciated,ഭാഗികമായി മാപ്പുകൊടുക്കണം @@ -3150,6 +3182,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,എൻസ്കാഷ് തരാമോ? DocType: Certified Consultant,Discuss ID,ഐഡി ചർച്ചചെയ്യുക apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,GST ക്രമീകരണങ്ങളിൽ GST അക്കൗണ്ടുകൾ ദയവായി സജ്ജീകരിക്കുക +DocType: Quiz,Latest Highest Score,ഏറ്റവും ഉയർന്ന സ്കോർ DocType: Supplier,Billing Currency,ബില്ലിംഗ് കറൻസി apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,വിദ്യാർത്ഥി പ്രവർത്തനം apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,ടാർഗറ്റ് qty അല്ലെങ്കിൽ ലക്ഷ്യം തുക നിർബന്ധമാണ് @@ -3175,17 +3208,20 @@ DocType: Sales Order,Not Delivered,കൈമാറിയില്ല apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,ശമ്പളമില്ലാതെയുള്ളതിനാൽ വിടുന്നതിനുള്ള വിഹിതം {0} അനുവദിക്കാനാവില്ല DocType: GL Entry,Debit Amount,ഡെബിറ്റ് തുക apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},ഈ ഇനത്തിന് ഇതിനകം റെക്കോർഡ് നിലവിലുണ്ട് {0} +DocType: Video,Vimeo,വിമിയോ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,സബ് അസംബ്ലീസ് 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.","ഒന്നിലധികം വിലനിർണ്ണയ വ്യവസ്ഥകൾ നിലനിൽക്കുന്നുണ്ടെങ്കിൽ, തർക്കങ്ങൾ പരിഹരിക്കുന്നതിനായി ഉപയോക്താക്കളെ മുൻഗണന സ്വമേധയാ സജ്ജമാക്കാൻ ആവശ്യപ്പെടുന്നു." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"'മൂല്യനിർണ്ണയം' അല്ലെങ്കിൽ 'മൂല്യനിർണ്ണയം, മൊത്തം' എന്നിവയ്ക്കായുള്ള വിഭാഗം കണക്കാക്കാൻ കഴിയില്ല." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,"ബോം, മാനുഫാക്ചറിങ് ക്വാളിറ്റി ആവശ്യമാണ്" apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},{{0} {1} DocType: Quality Inspection Reading,Reading 6,വായന 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,കമ്പനി ഫീൽഡ് ആവശ്യമാണ് apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,മാനുഫാക്ചറിംഗ് ക്രമീകരണങ്ങളിൽ മെറ്റീരിയൽ ഉപഭോഗം സജ്ജീകരിച്ചിട്ടില്ല. DocType: Assessment Group,Assessment Group Name,മൂല്യനിർണ്ണയ ഗ്രൂപ്പ് നാമം -DocType: Item,Manufacturer Part Number,നിർമ്മാതാവിന്റെ നമ്പർ നമ്പർ +DocType: Purchase Invoice Item,Manufacturer Part Number,നിർമ്മാതാവിന്റെ നമ്പർ നമ്പർ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,പേയ്റോൾ പേയ്മെന്റ് apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,ബാലൻസ് ക്യുറ്റി +DocType: Question,Multiple Correct Answer,ഒന്നിലധികം ശരിയായ ഉത്തരം DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 ലോയൽറ്റി പോയിന്റുകൾ = ബേസ് കറൻസി എത്രയാണ്? DocType: Clinical Procedure,Inpatient Record,ഇൻപേഷ്യൻറ് റെക്കോർഡ് DocType: Sales Invoice Item,Customer's Item Code,ഉപഭോക്താവിന്റെ ഇന കോഡ് @@ -3302,6 +3338,7 @@ DocType: Fee Schedule Program,Total Students,ആകെ വിദ്യാർത apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,ലോക്കൽ DocType: Chapter Member,Leave Reason,കാരണം ഉപേക്ഷിക്കുക DocType: Salary Component,Condition and Formula,അവസ്ഥയും സൂത്രവും +DocType: Quality Goal,Objectives,ലക്ഷ്യങ്ങൾ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","{0}, {1} എന്നിവയ്ക്കിടയിലുള്ള ശീർഷകം ഇതിനകം പ്രോസസ് ചെയ്തു, ഈ തീയതി ശ്രേണിയ്ക്ക് ഇടയിൽ അപേക്ഷ കാലയളവ് പാടില്ല." DocType: BOM Item,Basic Rate (Company Currency),അടിസ്ഥാന നിരക്ക് (കമ്പനി കറൻസി) DocType: BOM Scrap Item,BOM Scrap Item,ബോം സ്ക്രാപ്പ് ഇനം @@ -3351,6 +3388,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP- .YYYY.- DocType: Expense Claim Account,Expense Claim Account,ചെലവുകൾ ക്ലെയിം അക്കൗണ്ട് apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ജേർണൽ എൻട്രിക്ക് റീഫേൻസുകൾ ലഭ്യമല്ല apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} നിഷ്ക്രിയ വിദ്യാർത്ഥി ആണ് +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,സ്റ്റോക്ക് എൻട്രി ഉണ്ടാക്കുക DocType: Employee Onboarding,Activities,പ്രവർത്തനങ്ങൾ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,ഒരു വെയർഹൗസ് നിർബന്ധമാണ് ,Customer Credit Balance,ഉപഭോക്തൃ ക്രെഡിറ്റ് ബാലൻസ് @@ -3435,7 +3473,6 @@ DocType: Contract,Contract Terms,കരാർ നിബന്ധനകൾ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,ടാർഗറ്റ് qty അല്ലെങ്കിൽ ലക്ഷ്യം തുക നിർബന്ധമാണ്. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},അസാധുവായ {0} DocType: Item,FIFO,ഫിഫ -DocType: Quality Meeting,Meeting Date,മീറ്റിംഗ് തീയതി DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP- .YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,സംവിധാനത്തിന് 5 പ്രതീകങ്ങളിൽ കൂടുതൽ ഉണ്ടായിരിക്കാൻ പാടില്ല DocType: Employee Benefit Application,Max Benefits (Yearly),പരമാവധി ആനുകൂല്യങ്ങൾ (വാർഷികം) @@ -3534,7 +3571,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,ബാങ്ക് ചാർജുകൾ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,ഗുഡ്സ് ട്രാൻസ്ഫേർഡ് apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,പ്രാഥമിക കോൺടാക്റ്റ് വിശദാംശങ്ങൾ -DocType: Quality Review,Values,മൂല്യങ്ങൾ DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","പരിശോധിച്ചിട്ടില്ലെങ്കിൽ, ഓരോ വകുപ്പിലും പട്ടിക ചേർക്കണം." DocType: Item Group,Show this slideshow at the top of the page,പേജിന്റെ മുകളിലുള്ള ഈ സ്ലൈഡ്ഷോ കാണിക്കുക apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} പാരാമീറ്റർ അസാധുവാണ് @@ -3553,6 +3589,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,ബാങ്ക് ചാർജ്സ് അക്കൗണ്ട് DocType: Journal Entry,Get Outstanding Invoices,മികച്ച ഇൻവോയ്സുകൾ നേടുക DocType: Opportunity,Opportunity From,മുതൽ അവസരം +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,ടാർഗെറ്റ് വിശദാംശങ്ങൾ DocType: Item,Customer Code,ഉപഭോക്തൃ കോഡ് apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,ആദ്യം ഇനം ദയവായി നൽകുക apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,വെബ്സൈറ്റ് ലിസ്റ്റിംഗ് @@ -3581,7 +3618,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,സ്വീകര്ത്താവ് DocType: Bank Statement Transaction Settings Item,Bank Data,ബാങ്ക് ഡാറ്റ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,ഷെഡ്യൂൾ ചെയ്തു -DocType: Quality Goal,Everyday,എല്ലാ ദിവസവും DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,"ബില്ലിംഗ് സമയം, പ്രവർത്തി സമയം എന്നിവ കൈകാര്യം ചെയ്യുക" apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,ലീഡ് ഉറവിടം ലീഡ് നയിക്കുന്നു. DocType: Clinical Procedure,Nursing User,നഴ്സിംഗ് ഉപയോക്താവ് @@ -3606,7 +3642,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,ടെറിട്ട DocType: GL Entry,Voucher Type,വൗച്ചർ തരം ,Serial No Service Contract Expiry,സീരിയൽ ഇല്ല സർവീസ് കോൺട്രാണ്ട് കാലാവധി DocType: Certification Application,Certified,സർട്ടിഫൈഡ് -DocType: Material Request Plan Item,Manufacture,നിർമ്മാണം +DocType: Purchase Invoice Item,Manufacture,നിർമ്മാണം apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} ഉൽപന്നങ്ങൾ സൃഷ്ടിച്ചവ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0} എന്നതിനുള്ള പേയ്മെന്റ് അഭ്യർത്ഥന apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,അവസാന ഉത്തരവ് മുതൽ ദിനങ്ങൾ @@ -3619,7 +3655,7 @@ DocType: Topic,Topic Content,വിഷയ ഉള്ളടക്കം DocType: Sales Invoice,Company Address Name,കമ്പനി വിലാസ നാമം apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,ട്രാൻസിറ്റ് ഗുഡ്സ് apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,ഈ ക്രമത്തിൽ നിങ്ങൾക്ക് പരമാവധി {0} പോയിന്റുകൾ മാത്രമേ റിഡീം ചെയ്യാനാകൂ. -DocType: Quality Action Table,Resolution,റെസല്യൂഷൻ +DocType: Quality Action,Resolution,റെസല്യൂഷൻ DocType: Sales Invoice,Loyalty Points Redemption,ലോയൽറ്റി പോയിന്റുകൾ റിഡംപ്ഷൻ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,ആകെ നികുതിയോഗ്യമായ മൂല്യം DocType: Patient Appointment,Scheduled,ഷെഡ്യൂൾ ചെയ്തു @@ -3738,6 +3774,7 @@ apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Item {0} not found, apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,നിങ്ങൾ തനിപ്പകർപ്പ് ഇനങ്ങൾ നൽകി. തെറ്റുതിരുത്തി വീണ്ടും ശ്രമിക്കുക. DocType: Purchase Invoice Item,Rate,റേറ്റുചെയ്യുക DocType: SMS Center,Total Message(s),ആകെ സന്ദേശം (ങ്ങൾ) +DocType: Purchase Invoice,Accounting Dimensions,അക്കൗണ്ടിംഗ് അളവുകൾ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,അക്കൗണ്ട് വഴി ഗ്രൂപ്പ് DocType: Quotation,In Words will be visible once you save the Quotation.,നിങ്ങൾ ഉദ്ധരണനം സംരക്ഷിച്ച ശേഷം വാക്കുകൾ കാണാൻ കഴിയും. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,ഉല്പാദനത്തിന്റെ അളവ് @@ -3896,7 +3933,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.",നിങ്ങൾക്ക് എന്തെങ്കിലും ചോദ്യങ്ങൾ ഉണ്ടെങ്കിൽ ദയവായി ഞങ്ങളിലേക്ക് തിരിച്ചുവരിക. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,വാങ്ങൽ രസീതി {0} സമർപ്പിക്കാൻ കഴിയില്ല DocType: Task,Total Expense Claim (via Expense Claim),മൊത്തം ചെലവ് ക്ലെയിം (ചെലവ് ക്ലെയിം വഴി) -DocType: Quality Action,Quality Goal,ഗുണനിലവാര ലക്ഷ്യം +DocType: Quality Goal,Quality Goal,ഗുണനിലവാര ലക്ഷ്യം DocType: Support Settings,Support Portal,പിന്തുണാ പോർട്ടൽ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},{1} ജീവനക്കാരൻ {0} DocType: Employee,Held On,നടന്നത് @@ -3953,7 +3990,6 @@ DocType: BOM,Operating Cost (Company Currency),ഓപ്പറേറ്റിങ DocType: Item Price,Item Price,ഇനം വില DocType: Payment Entry,Party Name,പാർട്ടി പേര് apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,ഒരു ഉപഭോക്താവിനെ തിരഞ്ഞെടുക്കുക -DocType: Course,Course Intro,കോഴ്സ് ഇൻറർ DocType: Program Enrollment Tool,New Program,പുതിയ പരിപാടി apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","പുതിയ ചെലവുകളുടെ സെന്ററിന്റെ എണ്ണം, ഉപരി സെന്റെറിന്റെ പേര് ഒരു പ്രിഫിക്സായി ഉൾപ്പെടുത്തും" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ഉപഭോക്താവ് അല്ലെങ്കിൽ വിതരണക്കാരൻ തിരഞ്ഞെടുക്കുക. @@ -3999,6 +4035,7 @@ DocType: Employee Transfer,Transfer Date,തീയതി ട്രാൻസ് DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,അന്വേഷണത്തിന്റെ ഉറവിടം പ്രചരിപ്പിക്കുകയാണെങ്കിൽ പ്രചാരണത്തിന്റെ പേര് നൽകുക apps/erpnext/erpnext/stock/doctype/item/item.js,This Item is a Template and cannot be used in transactions. Item attributes will be copied over into the variants unless 'No Copy' is set,"ഈ ഇനം ഒരു ടെംപ്ലേറ്റാണ്, ഇടപാടുകൾക്ക് ഉപയോഗിക്കാൻ കഴിയില്ല. 'ഇല്ല പകർപ്പ്' സജ്ജമാക്കിയില്ലെങ്കിൽ ഇന ആട്രിബ്യൂട്ടുകൾ വേരിയന്റുകളിൽ പകർത്തപ്പെടും" DocType: Cheque Print Template,Regular,പതിവ് +apps/erpnext/erpnext/controllers/selling_controller.py,Maximum discount for Item {0} is {1}%,{0} ഇനത്തിനുള്ള പരമാവധി കിഴിവ് {1}% ആണ് DocType: Production Plan,Not Started,ആരംഭിച്ചിട്ടില്ല DocType: Disease,Treatment Task,ചികിത്സ ടാസ്ക് apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Row {0}: user has not applied rule {1} on the item {2},വരി {0}: ഉപയോക്താവ് {2} ഇനത്തിൽ ഭരണം {1} പ്രയോഗിച്ചില്ല ചെയ്തു @@ -4149,6 +4186,7 @@ DocType: Global Defaults,Disable In Words,വാക്കുകൾ നിശബ DocType: Customer,CUST-.YYYY.-,CUST- .YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,നെറ്റ് പേയ്മെന്റ് നെഗറ്റീവ് ആയിരിക്കരുത് apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,ഇടപെടലുകളുടെ എണ്ണം +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,ഷിഫ്റ്റ് apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,അക്കൗണ്ടുകളുടെയും പാര്ട്ടികളുടെയും പ്രവര്ത്തന ചാർട്ട് DocType: Stock Settings,Convert Item Description to Clean HTML,HTML നന്നാക്കുന്നതിന് ഇനത്തിന്റെ വിവരണം പരിവർത്തനം ചെയ്യുക apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,എല്ലാ വിതരണ ഗ്രൂപ്പുകളും @@ -4226,6 +4264,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,പാരന്റ് ഇനം apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,ബ്രോക്കറേജ് apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},ഇനത്തിന് {0} എന്നതിനായുള്ള വാങ്ങൽ റെസിപ്റ്റ് അല്ലെങ്കിൽ വാങ്ങൽ ഇൻവോയ്സ് സൃഷ്ടിക്കുക +,Product Bundle Balance,ഉൽപ്പന്ന ബണ്ടിൽ ബാലൻസ് apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,കമ്പനി നാമം കഴിയില്ല DocType: Maintenance Visit,Breakdown,പ്രവർത്തന രഹിതം DocType: Inpatient Record,B Negative,ബി നെഗറ്റീവ് @@ -4234,7 +4273,7 @@ DocType: Purchase Invoice,Credit To,ക്രെഡിറ്റ് ടു apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,കൂടുതൽ പ്രോസസ്സുചെയ്യുന്നതിന് ഈ വർക്ക് ഓർഡർ സമർപ്പിക്കുക. DocType: Bank Guarantee,Bank Guarantee Number,ബാങ്ക് ഗാരൻറി നമ്പർ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},ഡെലിവർ ചെയ്തത്: {0} -DocType: Quality Action,Under Review,അവലോകനത്തിലാണ് +DocType: Quality Meeting Table,Under Review,അവലോകനത്തിലാണ് apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),കൃഷി (ബീറ്റ) ,Average Commission Rate,ശരാശരി കമ്മീഷൻ നിരക്ക് DocType: Sales Invoice,Customer's Purchase Order Date,ഉപഭോക്താവിന്റെ വാങ്ങൽ ഓർഡർ തീയതി @@ -4350,7 +4389,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,ഇൻവോയിസുകളുമായുള്ള പൊരുത്തങ്ങൾ പൊരുത്തപ്പെടുത്തുക DocType: Holiday List,Weekly Off,ആഴ്ചതോറും ഓഫ് ചെയ്യുക apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},ഇനത്തിനു പകരം മറ്റൊന്ന് സജ്ജീകരിക്കാൻ അനുവദിക്കരുത് {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,പ്രോഗ്രാം {0} നിലവിലില്ല. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,പ്രോഗ്രാം {0} നിലവിലില്ല. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,നിങ്ങൾക്ക് റൂട്ട് നോഡ് എഡിറ്റുചെയ്യാൻ കഴിയില്ല. DocType: Fee Schedule,Student Category,വിദ്യാർത്ഥി വിഭാഗം apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","ഇനം {0}: {1} qty നിർമ്മിക്കുന്നത്," @@ -4441,8 +4480,8 @@ DocType: Crop,Crop Spacing,വിളകൾ അകലം DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,"സെയിൽ ട്രാൻസാക്ഷനുകൾ അടിസ്ഥാനമാക്കി പ്രൊജക്റ്റ്, കമ്പനി എത്രമാത്രം അപ്ഡേറ്റുചെയ്യണം." DocType: Pricing Rule,Period Settings,കാലാവധി ക്രമീകരണം apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,അക്കൗണ്ടുകളിലെ നെറ്റ്വെയർ മാറ്റുക +DocType: Quality Feedback Template,Quality Feedback Template,ഗുണനിലവാരമുള്ള ഫീഡ്‌ബാക്ക് ടെംപ്ലേറ്റ് apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,ക്വാളിറ്റി പൂജ്യത്തേക്കാൾ വലുതായിരിക്കണം -DocType: Quality Goal,Goal Objectives,ലക്ഷ്യ ലക്ഷ്യങ്ങൾ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","ഷെയറുകളുടെയും, ഷെയറുകളുടെയും കണക്കുകൂട്ടിയ തുകയുടെയും വ്യത്യാസങ്ങൾ ഉണ്ട്" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ഓരോ വർഷവും നിങ്ങൾക്ക് വിദ്യാർത്ഥികൾ ഗ്രൂപ്പുകൾ ഉണ്ടാക്കുകയാണെങ്കിൽ ശൂന്യമായി വിടുക apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),വായ്പകൾ (ബാധ്യതകൾ) @@ -4476,12 +4515,13 @@ DocType: Quality Procedure Table,Step,ഘട്ടം DocType: Normal Test Items,Result Value,ഫല മൂല്യം DocType: Cash Flow Mapping,Is Income Tax Liability,ആദായ നികുതി ബാധ്യതയാണ് DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ഇൻപെഡേഷ്യൻറ് വിസ ചാർജ് ഇനം -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} നിലവിലില്ല. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} നിലവിലില്ല. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,പ്രതികരണം അപ്ഡേറ്റുചെയ്യുക DocType: Bank Guarantee,Supplier,വിതരണക്കാരൻ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},മൂല്യം നൽകുക {0} {1} DocType: Purchase Order,Order Confirmation Date,ഓർഡർ സ്ഥിരീകരണ തീയതി DocType: Delivery Trip,Calculate Estimated Arrival Times,കണക്കാക്കപ്പെട്ട വരവ് സമയം കണക്കാക്കുക +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ഹ്യൂമൻ റിസോഴ്സ്> എച്ച്ആർ ക്രമീകരണങ്ങളിൽ ജീവനക്കാരുടെ പേരിടൽ സംവിധാനം സജ്ജമാക്കുക apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,സാദ്ധ്യമായ DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS -YYYY.- DocType: Subscription,Subscription Start Date,സബ്സ്ക്രിപ്ഷൻ ആരംഭ തീയതി @@ -4542,6 +4582,7 @@ DocType: Cheque Print Template,Is Account Payable,അക്കൗണ്ട് apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,മൊത്തം ഓർഡർ മൂല്യം apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},{1} വിതരണക്കാരൻ {0} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,SMS ഗേറ്റ്വേ ക്രമീകരണം സജ്ജമാക്കുക +DocType: Salary Component,Round to the Nearest Integer,അടുത്തുള്ള വലതുവശത്തേക്കുള്ള റൗണ്ട് apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,റൂട്ട് ഒരു രക്ഷാകർതൃ സെന്റ്റ് സെന്ററിലില്ല DocType: Healthcare Service Unit,Allow Appointments,അപ്പോയിന്മെന്റുകൾ അനുവദിക്കുക DocType: BOM,Show Operations,പ്രവർത്തനങ്ങൾ കാണിക്കുക @@ -4665,7 +4706,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,സ്ഥിരസ്ഥിതി അവധിക്കാല പട്ടിക DocType: Naming Series,Current Value,ഇപ്പോഴത്തെ മൂല്യം apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","ബഡ്ജറ്റ്, ടാർജറ്റ് തുടങ്ങിയവ സജ്ജമാക്കുന്നതിനുള്ള സീസണലിറ്റി" -DocType: Program,Program Code,പ്രോഗ്രാം കോഡ് apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,മാസംതോറുമുള്ള ടാർഗെറ്റ് ( DocType: Guardian,Guardian Interests,ഗാർഡിയൻ താൽപ്പര്യങ്ങൾ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ബാച്ച് ID നിർബന്ധിതമാണ് @@ -4688,6 +4728,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Address 1,വിലാസം 1 ,Purchase Receipt Trends,വാങ്ങൽ രസീത് ട്രെൻഡുകൾ DocType: Leave Block List,Leave Block List Dates,ബ്ലോക്ക് ലിസ്റ്റ് തീയതി ഉപേക്ഷിക്കുക +apps/erpnext/erpnext/education/doctype/student/student.py,Student {0} exist against student applicant {1},വിദ്യാർത്ഥി അപേക്ഷകനെതിരെ {1} വിദ്യാർത്ഥി നിലനിൽക്കുന്നു {1} DocType: Education Settings,LMS Settings,LMS ക്രമീകരണങ്ങൾ apps/erpnext/erpnext/config/settings.py,Titles for print templates e.g. Proforma Invoice.,അച്ചടി ഫലകങ്ങൾക്കുള്ള ശീർഷകങ്ങൾ ഉദാഹരണം പ്രോഫോമാ ഇൻവോയ്സ്. DocType: Serial No,Delivery Time,വിതരണ സമയം @@ -4713,10 +4754,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,പണമടച്ചതല്ല apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,ഇനം യാന്ത്രികമായി എണ്ണമറ്റാത്തതിനാൽ ഇനം കോഡ് നിർബന്ധമാണ് DocType: GST HSN Code,HSN Code,HSN കോഡ് -DocType: Quality Goal,September,സെപ്റ്റംബർ +DocType: GSTR 3B Report,September,സെപ്റ്റംബർ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,ഭരണച്ചിലവുകൾ DocType: C-Form,C-Form No,സി-ഫോം നം DocType: Purchase Invoice,End date of current invoice's period,നിലവിലെ ഇൻവോയിസിന്റെ കാലാവധിയുടെ അവസാന തീയതി +DocType: Item,Manufacturers,നിർമ്മാതാക്കൾ DocType: Crop Cycle,Crop Cycle,ക്രോപ്പ് സൈക്കിൾ DocType: Serial No,Creation Time,സൃഷ്ടി സമയം apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,റോൾ അംഗീകരിക്കുക അല്ലെങ്കിൽ ഉപയോക്താവിനെ അംഗീകരിക്കുക @@ -4788,8 +4830,6 @@ DocType: Employee,Short biography for website and other publications.,വെബ DocType: Purchase Invoice Item,Received Qty,ലഭിച്ചു Qty DocType: Purchase Invoice Item,Rate (Company Currency),നിരക്ക് (കമ്പനി കറൻസി) DocType: Item Reorder,Request for,ഇതിനായി അഭ്യർത്ഥിക്കുക -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ദയവായി ഈ പ്രമാണം റദ്ദാക്കാൻ ജീവനക്കാരനെ {0} ഇല്ലാതാക്കുക" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,പ്രീസെറ്റുകൾ ഇൻസ്റ്റാൾ ചെയ്യുന്നു apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,പണമടയ്ക്കൽ കാലാവധി നൽകുക DocType: Pricing Rule,Advanced Settings,വിപുലമായ ക്രമീകരണങ്ങൾ @@ -4814,7 +4854,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,ഷോപ്പിംഗ് കാർട്ട് പ്രവർത്തനക്ഷമമാക്കുക DocType: Pricing Rule,Apply Rule On Other,മറ്റുള്ളവയിൽ നയം പ്രയോഗിക്കുക DocType: Vehicle,Last Carbon Check,അവസാന കാർബൺ ചെക്ക് -DocType: Vehicle,Make,ഉണ്ടാക്കുക +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,ഉണ്ടാക്കുക apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,പണമടച്ചുള്ള സെയിൽസ് ഇൻവോയ്സ് {0} സൃഷ്ടിച്ചു apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,ഒരു പേയ്മെന്റ് അഭ്യർത്ഥന റഫറൻസ് പ്രമാണം സൃഷ്ടിക്കുന്നതിന് ആവശ്യമാണ് apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ആദായ നികുതി @@ -4890,7 +4930,6 @@ DocType: Territory,Parent Territory,പാരന്റ് ടെറിട്ട DocType: Vehicle Log,Odometer Reading,ഓഡോമീറ്റർ വായന DocType: Additional Salary,Salary Slip,ശമ്പളം സ്ലിപ്പ് DocType: Payroll Entry,Payroll Frequency,പേയ്റോൾ ഫ്രീക്വെൻസി -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,മാനവ വിഭവശേഷി> എച്ച്ആർ സജ്ജീകരണങ്ങളിൽ ദയവായി എംപ്ലോയീ നെയിമിങ് സിസ്റ്റം സജ്ജീകരിക്കുക apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","സാധുതയുള്ള ശീർഷ കാലയളവിൽ ആരംഭിക്കുന്നതും അവസാനിക്കുന്നതുമായ തീയതികൾ, {0}" DocType: Products Settings,Home Page is Products,ഹോം പേജ് പ്രോഡക്ട് ആണ് apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,കോളുകൾ @@ -4942,7 +4981,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,റെക്കോർഡ് റെക്കോർഡ് ...... DocType: Delivery Stop,Contact Information,ബന്ധപ്പെടാനുള്ള വിവരങ്ങൾ DocType: Sales Order Item,For Production,ഉത്പാദനം -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ദയവായി വിദ്യാഭ്യാസം> വിദ്യാഭ്യാസ സജ്ജീകരണങ്ങളിൽ സജ്ജീകരണ അധ്യാപിക നാമനിർദേശം ചെയ്യുന്ന സംവിധാനം DocType: Serial No,Asset Details,അസറ്റ് വിശദാംശങ്ങൾ DocType: Restaurant Reservation,Reservation Time,റിസർവേഷൻ സമയം DocType: Selling Settings,Default Territory,സ്ഥിരസ്ഥിതി പ്രദേശം @@ -5079,6 +5117,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,കാലഹരണപ്പെട്ട തുലാസ് DocType: Shipping Rule,Shipping Rule Type,ഷിപ്പിംഗ് റൂൾ തരം DocType: Job Offer,Accepted,അംഗീകരിച്ചു +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ദയവായി ഈ പ്രമാണം റദ്ദാക്കാൻ ജീവനക്കാരനെ {0} ഇല്ലാതാക്കുക" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,നിങ്ങൾ ഇതിനകം മൂല്യ നിർണ്ണയ മാനദണ്ഡത്തിനായി വിലയിരുത്തിയിട്ടുണ്ട്. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ബാച്ച് നമ്പരുകൾ തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),പ്രായം (ദിവസം) @@ -5095,6 +5135,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,വിൽപ്പന സമയത്ത് ബണ്ടിൽ വസ്തുക്കൾ. DocType: Payment Reconciliation Payment,Allocated Amount,അനുവദിച്ച തുക apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,ദയവായി കമ്പനിയും ഡയറക്ടറിയും തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'തീയതി' ആവശ്യമാണ് DocType: Email Digest,Bank Credit Balance,ബാങ്ക് ക്രെഡിറ്റ് ബാലൻസ് apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,മൊത്തം തുക കാണിക്കുക apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,നിങ്ങൾക്ക് വീണ്ടെടുക്കാനുള്ള വിശ്വസ്തപദവികൾ ആവശ്യമില്ല @@ -5152,11 +5193,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,മുമ്പത് DocType: Student,Student Email Address,വിദ്യാർത്ഥി ഇമെയിൽ വിലാസം DocType: Academic Term,Education,വിദ്യാഭ്യാസം DocType: Supplier Quotation,Supplier Address,വിതരണക്കാരൻ വിലാസം -DocType: Salary Component,Do not include in total,മൊത്തത്തിൽ ഉൾപ്പെടുത്തരുത് +DocType: Salary Detail,Do not include in total,മൊത്തത്തിൽ ഉൾപ്പെടുത്തരുത് apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,ഒരു കമ്പനിക്കായി ഒന്നിലധികം ഇനം സ്ഥിരസ്ഥിതികൾ സജ്ജമാക്കാൻ കഴിയില്ല. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ഇല്ല DocType: Purchase Receipt Item,Rejected Quantity,നിരസിച്ചു അളവ് DocType: Cashier Closing,To TIme,TIme ലേക്ക് +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: Daily Work Summary Group User,Daily Work Summary Group User,ദിവസേനയുള്ള ചുരുക്കം സംഗ്രഹ ഗ്രൂപ്പ് ഉപയോക്താവ് DocType: Fiscal Year Company,Fiscal Year Company,ഫിസ്കൽ ഇയർ കമ്പനി apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,ഇതര ഇനം ഇനം കോഡായിരിക്കാൻ പാടില്ല @@ -5265,7 +5307,6 @@ DocType: Fee Schedule,Send Payment Request Email,പേയ്മെന്റ് DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,നിങ്ങൾ സെയിൽസ് ഇൻവോയ്സ് സംരക്ഷിച്ചാലുടൻ വാക്കുകൾ പരസ്യത്തിൽ ദൃശ്യമാകും. DocType: Sales Invoice,Sales Team1,വിൽപ്പന ടീം 1 DocType: Work Order,Required Items,ആവശ്യമുള്ള ഇനങ്ങൾ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",""-" ഒഴികെ പ്രത്യേക അക്ഷരങ്ങൾ, "#", "." ഒപ്പം "/" പരമ്പരയെ നാമനിർദ്ദേശം ചെയ്യാൻ അനുവദിക്കില്ല" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,ERPNext മാനുവൽ വായിക്കുക DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,സപ്ലിയർ ഇൻവോയ്സ് നമ്പർ യൂണിക്സ് പരിശോധിക്കുക apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,സബ് അസംബ്ലീസ് തിരയുക @@ -5280,6 +5321,7 @@ apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found., DocType: Item Attribute,From Range,ശ്രേണിയിൽ നിന്ന് DocType: Clinical Procedure,Consumables,ഉപഭോഗം DocType: Purchase Taxes and Charges,Reference Row #,റഫറൻസ് വരി # +apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},കമ്പനി {0} ൽ 'അസറ്റ് ഡിപ്രീസിയേഷൻ കോസ്റ്റ് സെന്റർ' സജ്ജമാക്കുക apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,വരി # {0}: ട്രാസേഷൻ പൂർത്തിയാക്കാൻ പേയ്മെന്റ് പ്രമാണം ആവശ്യമാണ് DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ആമസോൺ MWS- ൽ നിന്ന് നിങ്ങളുടെ സെയിൽസ് ഓർഡർ ഡാറ്റ പിൻവലിക്കുന്നതിന് ഈ ബട്ടൺ ക്ലിക്കുചെയ്യുക. ,Assessment Plan Status,അസസ്സ്മെന്റ് പ്ലാൻ സ്റ്റാറ്റസ് @@ -5331,7 +5373,6 @@ DocType: Taxable Salary Slab,Percent Deduction,ശതമാനം കിഴി apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,ഉല്പാദനത്തിന്റെ പരിധി പൂജ്യത്തേക്കാൾ കുറവായിരിക്കരുത് DocType: Share Balance,To No,ഇല്ല DocType: Leave Control Panel,Allocate Leaves,ഇലകൾ അനുവദിക്കുക -DocType: Quiz,Last Attempt,അവസാന ശ്രമം DocType: Assessment Result,Student Name,വിദ്യാർഥിയുടെ പേര് apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,അറ്റകുറ്റപ്പണി സന്ദർശനത്തിനുള്ള പദ്ധതി. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,വസ്തുവിന്റെ പിൻവലിക്കൽ നില അടിസ്ഥാനമാക്കി മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ സ്വയമേവ ഉയർത്തി @@ -5399,6 +5440,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,സൂചക നിറം DocType: Item Variant Settings,Copy Fields to Variant,വേരിയന്റിലേക്ക് ഫീൽഡുകൾ പകർത്തുക DocType: Soil Texture,Sandy Loam,സാൻഡി ലോവം +DocType: Question,Single Correct Answer,ശരിയായ ശരിയായ ഉത്തരം apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,തീയതി മുതൽ തൊഴിലാളിയുടെ ജോയിന്റ് തീയതി കുറവാണ് കഴിയില്ല DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,ഉപഭോക്താവിന്റെ പർച്ചേസ് ഓർഡർക്കെതിരായി ഒന്നിലധികം വിൽപ്പന ഉത്തരവുകൾ അനുവദിക്കുക apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5459,10 +5501,11 @@ DocType: Account,Expenses Included In Valuation,ചെലവുകൾ ഉൾക apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,സീരിയൽ നമ്പറുകൾ DocType: Salary Slip,Deductions,ഡിഡക്ഷൻസ് ,Supplier-Wise Sales Analytics,വിതരണക്കാരൻ-വൈസ് സെയിൽസ് അനലിറ്റിക്സ് -DocType: Quality Goal,February,ഫെബ്രുവരി +DocType: GSTR 3B Report,February,ഫെബ്രുവരി DocType: Appraisal,For Employee,ജീവനക്കാരന് apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,യഥാർത്ഥ ഡെലിവറി തീയതി DocType: Sales Partner,Sales Partner Name,സെയിൽസ് പങ്കാളി പേര് +apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,മൂല്യത്തകർച്ച വരി {0}: മൂല്യത്തകർച്ച ആരംഭ തീയതി കഴിഞ്ഞ തീയതിയായി നൽകി DocType: GST HSN Code,Regional,റീജിയണൽ DocType: Lead,Lead is an Organization,ലീഡ് ഒരു ഓർഗനൈസേഷനാണ് apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select Charge Type first,ആദ്യം ചാർജ് തരം തിരഞ്ഞെടുക്കുക @@ -5552,7 +5595,6 @@ DocType: Procedure Prescription,Procedure Created,നടപടിക്രമം apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},വിതരണക്കാരൻ ഇൻവോയ്സ് {0} dated {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS പ്രൊഫൈൽ മാറ്റുക apps/erpnext/erpnext/utilities/activation.py,Create Lead,ലീഡ് സൃഷ്ടിക്കുക -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണക്കാരൻ തരം DocType: Shopify Settings,Default Customer,സ്ഥിരസ്ഥിതി ഉപഭോക്താവ് DocType: Payment Entry Reference,Supplier Invoice No,വിതരണക്കാരൻ ഇൻവോയ്സ് നം DocType: Pricing Rule,Mixed Conditions,സമ്മിശ്ര വ്യവസ്ഥകൾ @@ -5602,11 +5644,13 @@ DocType: Item,End of Life,ജീവിതാവസാനം DocType: Lab Test Template,Sensitivity,സെൻസിറ്റിവിറ്റി DocType: Territory,Territory Targets,ടെറിട്ടറി ടാർഗെറ്റുകൾ apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",അവശേഷിക്കുന്ന ക്ലോക്ക് അലവൻസ് രേഖകൾ താഴെപ്പറയുന്ന ജീവനക്കാർക്ക് വേണ്ടി നീക്കിവെയ്ക്കുന്നു. {0} +DocType: Quality Action Resolution,Quality Action Resolution,ഗുണനിലവാര പ്രവർത്തന മിഴിവ് DocType: Sales Invoice Item,Delivered By Supplier,വിതരണക്കാരൻ വഴി വിതരണം ചെയ്തു DocType: Agriculture Analysis Criteria,Plant Analysis,പ്ലാന്റ് അനാലിസിസ് ,Subcontracted Raw Materials To Be Transferred,കൈമാറ്റം ചെയ്യപ്പെടുന്ന അസംസ്കൃത വസ്തുക്കൾ DocType: Cashier Closing,Cashier Closing,കാസിയർ ക്ലോസിംഗ് apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,ഇനം {0} ഇതിനകം തന്നെ മടക്കി നൽകിയിരിക്കുന്നു +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN അസാധുവാണ്! നിങ്ങൾ നൽകിയ ഇൻപുട്ട് യുഐഎൻ ഹോൾഡർമാർക്കോ നോൺ-റസിഡന്റ് ഒയിഡാർ സേവന ദാതാക്കൾക്കോ ഉള്ള ജിഎസ്ടിഎൻ ഫോർമാറ്റുമായി പൊരുത്തപ്പെടുന്നില്ല apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,ഈ വെയർഹൗസിനു വേണ്ടി ശിശു വിഹാരം നിലവിലുണ്ട്. നിങ്ങൾക്ക് ഈ വെയർഹൌസ് ഇല്ലാതാക്കാൻ കഴിയില്ല. DocType: Diagnosis,Diagnosis,രോഗനിർണ്ണയം apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},"{0}, {1} എന്നിവയ്ക്കിടയിലുള്ള അവധി കാലാവധി ഇല്ല" @@ -5667,6 +5711,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,സ്ഥിരസ്ഥിതി ഉപഭോക്തൃ ഗ്രൂപ്പ് DocType: Journal Entry Account,Debit in Company Currency,കമ്പനി കറൻസിയിൽ ഡെബിറ്റ് DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",ഫോൾബാക്ക് ശ്രേണി "SO-WOO-" ആണ്. +DocType: Quality Meeting Agenda,Quality Meeting Agenda,ഗുണനിലവാര മീറ്റിങ്ങ് അജണ്ട DocType: Cash Flow Mapper,Section Header,വിഭാഗ ഹെഡ്ഡർ apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,നിങ്ങളുടെ ഉല്പന്നങ്ങളോ സേവനങ്ങളോ DocType: Crop,Perennial,വറ്റാത്ത @@ -5711,7 +5756,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",സ്റ്റോക്ക് വാങ്ങുകയോ വിറ്റുകയോ സൂക്ഷിക്കുകയോ ചെയ്യുന്ന ഒരു ഉൽപ്പന്നമോ സേവനമോ. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),അടച്ചു (മൊത്തം + എണ്ണം തുറക്കുക) DocType: Supplier Scorecard Criteria,Criteria Formula,മാനദണ്ഡ ഫോർമുല -,Support Analytics,പിന്തുണ അനലിറ്റിക്സ് +apps/erpnext/erpnext/config/support.py,Support Analytics,പിന്തുണ അനലിറ്റിക്സ് apps/erpnext/erpnext/config/quality_management.py,Review and Action,റിവ്യൂ ആൻഡ് ആക്ഷൻ DocType: Account,"If the account is frozen, entries are allowed to restricted users.",അക്കൌണ്ട് മരവിപ്പിച്ചതാണെങ്കിൽ നിയന്ത്രിത ഉപയോക്താക്കളെ അനുവദിയ്ക്കുന്നു. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,മൂല്യശീലത്തിനു ശേഷം തുക @@ -5756,7 +5801,6 @@ DocType: Contract Template,Contract Terms and Conditions,കരാർ വ്യ apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ഡാറ്റ ലഭ്യമാക്കുക DocType: Stock Settings,Default Item Group,ഡീഫോൾട്ട് ഇന ഗ്രൂപ്പ് DocType: Sales Invoice Timesheet,Billing Hours,ബില്ലിംഗ് സമയം -DocType: Item,Item Code for Suppliers,വിതരണക്കാർക്കുള്ള ഇന കോഡ് apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},വിദ്യാർത്ഥിക്ക് {0} എതിരെ {0} ഇതിനകം തന്നെ അപേക്ഷ നിലവിലുണ്ട് DocType: Pricing Rule,Margin Type,മാർജിൻ തരം DocType: Purchase Invoice Item,Rejected Serial No,നിരസിക്കപ്പെട്ട സീരിയൽ നം @@ -5828,6 +5872,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,ഇലകൾ വിജയകരമായി പൂർത്തിയാക്കി DocType: Loyalty Point Entry,Expiry Date,കാലഹരണപ്പെടുന്ന തീയതി DocType: Project Task,Working,പ്രവർത്തിക്കുന്നു +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ന് ഇതിനകം ഒരു രക്ഷാകർതൃ നടപടിക്രമം ഉണ്ട് {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,ഈ രോഗിക്ക് എതിരായ ഇടപാടുകൾ അടിസ്ഥാനമാക്കിയുള്ളതാണ്. വിശദാംശങ്ങൾക്കായി താഴെയുള്ള ടൈംലൈൻ കാണുക DocType: Material Request,Requested For,ഇതിനായി അഭ്യർത്ഥിച്ചു DocType: SMS Center,All Sales Person,എല്ലാ സെയിൽസ് പേഴ്സണൽ @@ -5912,6 +5957,7 @@ DocType: Loan Type,Maximum Loan Amount,പരമാവധി വായ്പ ത apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,സ്ഥിരസ്ഥിതി കോൺടാക്റ്റിൽ ഇമെയിൽ കണ്ടെത്തിയില്ല DocType: Hotel Room Reservation,Booked,ബുക്ക് ചെയ്തു DocType: Maintenance Visit,Partially Completed,ഭാഗികമായി പൂർത്തിയായി +DocType: Quality Procedure Process,Process Description,പ്രോസസ്സ് വിവരണം DocType: Company,Default Employee Advance Account,സ്ഥിരസ്ഥിതി ജീവനക്കാരന്റെ അഡ്വാൻസ് അക്കൗണ്ട് DocType: Leave Type,Allow Negative Balance,നെഗറ്റീവ് ബാലൻസ് അനുവദിക്കുക apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,അസസ്സ്മെന്റ് പ്ലാൻ നാമം @@ -5949,6 +5995,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,ഉദ്ധരണി ഇനത്തിനായി അഭ്യർത്ഥിക്കുക apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} ഇനം ടാക്സിൽ രണ്ട് തവണ നൽകി DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,തിരഞ്ഞെടുത്ത ശമ്പള തീയതിയിൽ പൂർണ്ണ നികുതി എടുത്തുകളയുക +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,അവസാന കാർബൺ ചെക്ക് തീയതി ഭാവി തീയതി ആയിരിക്കരുത് apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,അക്കൗണ്ട് അക്കൗണ്ട് മാറ്റുക എന്നത് തിരഞ്ഞെടുക്കുക DocType: Support Settings,Forum Posts,ഫോറം പോസ്റ്റുകൾ DocType: Timesheet Detail,Expected Hrs,പ്രതീക്ഷിച്ച സമയം @@ -5958,7 +6005,7 @@ DocType: Program Enrollment Tool,Enroll Students,വിദ്യാർത്ഥ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,ഉപഭോക്തൃ വരുമാനം ആവർത്തിക്കുക DocType: Company,Date of Commencement,ആരംഭിക്കുന്ന ദിവസം DocType: Bank,Bank Name,ബാങ്കിന്റെ പേര് -DocType: Quality Goal,December,ഡിസംബര് +DocType: GSTR 3B Report,December,ഡിസംബര് apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,തീയതി മുതൽ സാധുതയുള്ള തീയതി വരെ സാധുവായ കുറവായിരിക്കണം apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,ഈ ജീവനക്കാരന്റെ ഹാജർ അടിസ്ഥാനമാക്കിയുള്ളതാണ് DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","പരിശോധിച്ചാൽ, വെബ്സൈറ്റിനായുള്ള സ്ഥിരസ്ഥിതി ഇനം ഗ്രൂപ്പായിരിക്കും ഹോം പേജ്" @@ -5998,6 +6045,7 @@ DocType: Payment Entry,Payment Type,പേയ്മെന്റ് തരം apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,ഫോളിയോ നമ്പറുകൾ പൊരുത്തപ്പെടുന്നില്ല DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},ഗുണ പരിശോധന: {0} ഈ ഇനത്തിന് സമർപ്പിക്കുന്നില്ല: {1} വരിയിൽ {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},{0} കാണിക്കുക apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} ഇനം കണ്ടെത്തി. ,Stock Ageing,സ്റ്റോക്കിംഗ് ഏജിംഗ് DocType: Customer Group,Mention if non-standard receivable account applicable,സ്റ്റാൻഡേർഡ് സ്വീകരിക്കുന്ന അക്കൗണ്ട് പ്രായോഗികമാണെങ്കിൽ പരാമർശിക്കുക @@ -6264,6 +6312,7 @@ DocType: Travel Request,Costing,ചെലവ് apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,അസറ്റുകൾ സ്ഥിരമാണ് DocType: Purchase Order,Ref SQ,റഫറൻസ് സ്ക്വയർ DocType: Salary Structure,Total Earning,ആകെ സമ്പാദ്യം +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ഉപഭോക്താവ്> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിട്ടറി DocType: Share Balance,From No,ഇല്ല DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,പേയ്മെന്റ് റീകോണ്ലിയേഷൻ ഇൻവോയ്സ് DocType: Purchase Invoice,Taxes and Charges Added,നികുതികളും ചാർജുകളും ചേർത്തു @@ -6271,7 +6320,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,നികുത DocType: Authorization Rule,Authorized Value,അംഗീകൃത മൂല്യം apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,നിന്ന് സ്വീകരിച്ചു apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,വെയർഹൗസ് {0} നിലവിലില്ല +DocType: Item Manufacturer,Item Manufacturer,ഇനം നിർമ്മാതാവ് DocType: Sales Invoice,Sales Team,വിൽപ്പന ടീം +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,ക്യൂട്ടി ബണ്ടിൽ ചെയ്യുക DocType: Purchase Order Item Supplied,Stock UOM,ഓഹരി UOM DocType: Installation Note,Installation Date,ഇൻസ്റ്റലേഷൻ തീയതി DocType: Email Digest,New Quotations,പുതിയ ഉദ്ധരണികൾ @@ -6334,7 +6385,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,അവധിക്കാല പട്ടികയുടെ പേര് DocType: Water Analysis,Collection Temperature ,ശേഖരത്തിന്റെ താപനില DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,അസിസ്റ്റന്റ് ഇൻവോയ്സ് പേയ്ന്റ് എൻകൌണ്ടറിനായി സ്വയമേവ സമർപ്പിക്കുകയും റദ്ദാക്കുകയും ചെയ്യുക -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setup> Settings> Naming Series വഴി {0} നാമത്തിനായുള്ള പരമ്പര സജ്ജീകരിക്കുക DocType: Employee Benefit Claim,Claim Date,ക്ലെയിം തീയതി DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,വിതരണക്കാരൻ അനിശ്ചിതമായി തടഞ്ഞിരിക്കുകയാണെങ്കിൽ ശൂന്യമായി വിടുക apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,തീയതി മുതൽ ഹാജർവരെയുള്ള അറ്റൻഡൻസ് നിർബന്ധമാണ് @@ -6345,6 +6395,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,വിരമിക്കൽ തീയതി apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,രോഗിയെ തിരഞ്ഞെടുക്കുക DocType: Asset,Straight Line,സ്ട്രെയിറ്റ് ലൈറ്റ് +DocType: Quality Action,Resolutions,പ്രമേയങ്ങൾ DocType: SMS Log,No of Sent SMS,അയച്ച എസ്.വി. ,GST Itemised Sales Register,GST ഐഡന്റിഫൈഡ് സെയിൽസ് രജിസ്റ്റർ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,മൊത്തം മുൻകൂർ തുകയിൽ കൂടുതൽ മുൻകൂർ തുകയായിരിക്കില്ല @@ -6449,7 +6500,7 @@ DocType: Account,Profit and Loss,ലാഭവും നഷ്ടവും apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,വ്യത്യാസം DocType: Asset Finance Book,Written Down Value,എഴുതപ്പെട്ട മൂല്യം apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,ബാലൻസ് ഇക്വിറ്റി തുറക്കുന്നു -DocType: Quality Goal,April,ഏപ്രിൽ +DocType: GSTR 3B Report,April,ഏപ്രിൽ DocType: Supplier,Credit Limit,ക്രെഡിറ്റ് പരിധി apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,വിതരണ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6504,6 +6555,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext ഉപയോഗിച്ച് Shopify കണക്റ്റുചെയ്യുക DocType: Homepage Section Card,Subtitle,ഉപശീർഷകം DocType: Soil Texture,Loam,ഹരം +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണക്കാരൻ തരം DocType: BOM,Scrap Material Cost(Company Currency),സ്ക്രാപ്പ് മെറ്റീരിയൽ കോസ്റ്റ് (കമ്പനി കറൻസി) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ഡെലിവറി കുറിപ്പ് {0} സമർപ്പിക്കാൻ പാടില്ല DocType: Task,Actual Start Date (via Time Sheet),യഥാർത്ഥ ആരംഭ തീയതി (ടൈം ഷീറ്റിലൂടെ) @@ -6557,7 +6609,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,മരുന്നുകൾ DocType: Cheque Print Template,Starting position from top edge,മുകളിൽ അഗ്രം മുതൽ ആരംഭിക്കുന്നു apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),നിയമന സമയ ദൈർഘ്യം (മിനിറ്റ്) -DocType: Pricing Rule,Disable,അപ്രാപ്തമാക്കുക +DocType: Accounting Dimension,Disable,അപ്രാപ്തമാക്കുക DocType: Email Digest,Purchase Orders to Receive,സ്വീകരിക്കുന്നതിനുള്ള ഓർഡറുകൾ വാങ്ങുക apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,പ്രൊഡക്ഷൻസ് ഉത്തരവുകൾക്ക് വേണ്ടി ഉയർത്താൻ കഴിയില്ല: DocType: Projects Settings,Ignore Employee Time Overlap,ജീവനക്കാരുടെ സമയം ഓവർലാപ്പ് അവഗണിക്കുക @@ -6639,6 +6691,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,ടാ DocType: Item Attribute,Numeric Values,സംഖ്യാപരമായ മൂല്യങ്ങൾ DocType: Delivery Note,Instructions,നിർദ്ദേശങ്ങൾ DocType: Blanket Order Item,Blanket Order Item,ബ്ലാക്ക് ഓർഡർ ഇനം +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,ലാഭനഷ്ട അക്കൗണ്ടിനായി നിർബന്ധമാണ് apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,കമ്മീഷൻ നിരക്ക് 100 ൽ അധികമാകരുത് DocType: Course Topic,Course Topic,കോഴ്സ് വിഷയം DocType: Employee,This will restrict user access to other employee records,ഇത് മറ്റ് ജീവനക്കാരുടെ രേഖകളിലേക്കുള്ള ഉപയോക്തൃ ആക്സസ് നിയന്ത്രിക്കും @@ -6662,12 +6715,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,സബ്സ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,ഉപഭോക്താക്കളിൽ നിന്ന് വാങ്ങുക apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} ഡൈജസ്റ്റ് DocType: Employee,Reports to,റിപ്പോർട്ട് ചെയ്യുക +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,പാർട്ടി അക്കൗണ്ട് DocType: Assessment Plan,Schedule,പട്ടിക apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,ദയവായി നൽകുക DocType: Lead,Channel Partner,ചാനൽ പങ്കാളി apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,ഇൻവോയ്ഡ് തുക DocType: Project,From Template,ടെംപ്ലേറ്റിൽ നിന്നും +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,സബ്സ്ക്രിപ്ഷനുകൾ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,വരുത്താനുള്ള അളവ് DocType: Quality Review Table,Achieved,നേടി @@ -6714,7 +6769,6 @@ DocType: Journal Entry,Subscription Section,സബ്സ്ക്രിപ്ഷ DocType: Salary Slip,Payment Days,പണമടയ്ക്കൽ ദിവസങ്ങൾ apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,സ്വമേധയാ വിവരങ്ങൾ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`സ്റ്റേകൾ ഫ്രീസുചെയ്യുക പഴയത്`% d ദിവസത്തേക്കാൾ ചെറുതായിരിക്കണം. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,ധനകാര്യ വർഷം തെരഞ്ഞെടുക്കുക DocType: Bank Reconciliation,Total Amount,മൊത്തം തുക DocType: Certification Application,Non Profit,ലാഭേച്ഛയില്ലാത്ത DocType: Subscription Settings,Cancel Invoice After Grace Period,ഗ്രേസ് കാലയളവിന് ശേഷം ഇൻവോയ്സ് റദ്ദാക്കുക @@ -6727,7 +6781,6 @@ DocType: Serial No,Warranty Period (Days),വാറന്റി കാലയള DocType: Expense Claim Detail,Expense Claim Detail,ചെലവ് ക്ലെയിം വിശദാംശം apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,പ്രോഗ്രാം: DocType: Patient Medical Record,Patient Medical Record,രോഗിയുടെ മെഡിക്കൽ റെക്കോർഡ് -DocType: Quality Action,Action Description,പ്രവർത്തന വിവരണം DocType: Item,Variant Based On,വേരിയന്റ് അടിസ്ഥാനമാക്കിയുള്ളത് DocType: Vehicle Service,Brake Oil,ബ്രേക്ക് ഓയിൽ DocType: Employee,Create User,ഉപയോക്താവിനെ സൃഷ്ടിക്കുക @@ -6774,13 +6827,14 @@ DocType: Naming Series,Set prefix for numbering series on your transactions,ന apps/erpnext/erpnext/accounts/utils.py,Journal Entries {0} are un-linked,ജേർണലിസം എൻട്രികൾ {0} ബന്ധിപ്പിച്ചിട്ടില്ല apps/erpnext/erpnext/config/buying.py,Other Reports,മറ്റ് റിപ്പോർട്ടുകൾ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,എല്ലാ ഇനങ്ങളും ഇതിനകം നൽകിയിരിക്കുന്നു +apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset scrapped via Journal Entry {0},ജേണൽ‌ എൻ‌ട്രി വഴി അസറ്റ് സ്ക്രാപ്പ് ചെയ്തു {0} DocType: Employee,Prefered Email,മുൻകൂർ ഇമെയിൽ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,"Can't change valuation method, as there are transactions against some items which does not have it's own valuation method","മൂല്യനിർണ്ണയ രീതി മാറ്റാൻ കഴിയില്ല, കാരണം ചില മൂല്യങ്ങൾക്ക് വിരുദ്ധമായ രീതിയിലുള്ള ഇടപാടുകൾ ഉള്ളതിനാൽ ഇത് അവരുടെ മൂല്യനിർണ്ണയ രീതി അല്ല" DocType: Cash Flow Mapper,Section Name,വിഭാഗത്തിന്റെ പേര് DocType: Packed Item,Packed Item,ഇനം പാക്ക് ചെയ്തു apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: {2} യ്ക്കുള്ള ഡെബിറ്റ് അല്ലെങ്കിൽ ക്രെഡിറ്റ് തുക ആവശ്യമാണ് apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,ശമ്പള സ്ലിപ്പുകൾ സമർപ്പിക്കുന്നു ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,നടപടി ഇല്ല +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,നടപടി ഇല്ല apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","വരുമാനം അല്ലെങ്കിൽ ചെലവ് അക്കൗണ്ട് അല്ലാത്തതിനാൽ, ബജറ്റ് {0} ന് എതിരായി നൽകാനാവില്ല" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,മാസ്റ്റേഴ്സ് ആൻഡ് അക്കൗണ്ടുകൾ DocType: Quality Procedure Table,Responsible Individual,ഉത്തരവാദിത്ത വ്യക്തിത്വം @@ -6902,7 +6956,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,ചൈൽഡ് കമ്പനിക്കെതിരെയുള്ള അക്കൗണ്ട് സൃഷ്ടിക്കൽ അനുവദിക്കുക DocType: Payment Entry,Company Bank Account,കമ്പനി ബാങ്ക് അക്കൗണ്ട് DocType: Amazon MWS Settings,UK,യുകെ -DocType: Quality Procedure,Procedure Steps,നടപടിക്രമ നടപടികൾ DocType: Normal Test Items,Normal Test Items,സാധാരണ പരീക്ഷണ ഇനങ്ങൾ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,ഇനം {0}: ഓർഡർചെയ്ത qty {1} എന്നത് മിനിമം ഓർഡറിലെ qty {2} ൽ കുറവായിരിക്കരുത് (നിർവ്വചനത്തിൽ നിർവചിച്ചിരിക്കുന്നു). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,സ്റ്റോക്ക് ഇല്ല @@ -6980,7 +7033,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,അനലിറ്റിക DocType: Maintenance Team Member,Maintenance Role,മെയിൻറനൻസ് റോൾ apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,നിബന്ധനകളും വ്യവസ്ഥകളും ടെംപ്ലേറ്റ് DocType: Fee Schedule Program,Fee Schedule Program,ഫീസ് ഷെഡ്യൂൾ പ്രോഗ്രാം -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,കോഴ്സ് {0} നിലവിലില്ല. DocType: Project Task,Make Timesheet,ടൈംഷീറ്റ് സജ്ജമാക്കുക DocType: Production Plan Item,Production Plan Item,ഉല്പാദന പദ്ധതി ഇനം apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,ആകെ വിദ്യാർത്ഥി @@ -7002,6 +7054,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,പൊതിയുക apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,നിങ്ങളുടെ അംഗത്വം 30 ദിവസത്തിനുള്ളിൽ കാലഹരണപ്പെടുമ്പോൾ മാത്രമേ നിങ്ങൾക്ക് പുതുക്കാനാകൂ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},"മൂല്യം {0}, {1} എന്നിവയ്ക്കിടയിലുള്ളതായിരിക്കണം" +DocType: Quality Feedback,Parameters,പാരാമീറ്ററുകൾ ,Sales Partner Transaction Summary,സെയിൽസ് പങ്കാളി ട്രാൻസാക്ഷൻ സംഗ്രഹം DocType: Asset Maintenance,Maintenance Manager Name,മെയിന്റനൻസ് മാനേജർ നാമം apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,ഇനം വിവരങ്ങൾ ലഭ്യമാക്കേണ്ടത് ആവശ്യമാണ്. @@ -7026,6 +7079,7 @@ DocType: Sales Partner Type,Sales Partner Type,സെയിൽസ് പങ് apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,"Select BOM, Qty and For Warehouse","BOM, Qty ഉം വെയർഹൗസും തിരഞ്ഞെടുക്കുക" DocType: Asset Maintenance Log,Maintenance Type,പരിപാലന തരം DocType: Homepage Section,Use this field to render any custom HTML in the section.,വിഭാഗത്തിൽ ഏതെങ്കിലും ഇഷ്ടാനുസൃത HTML റെൻഡർ ചെയ്യുന്നതിന് ഈ ഫീൽഡ് ഉപയോഗിക്കുക. +apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,"Appointment cancelled, Please review and cancel the invoice {0}","അപ്പോയിന്റ്മെന്റ് റദ്ദാക്കി, ഇൻവോയ്സ് അവലോകനം ചെയ്ത് റദ്ദാക്കുക {0}" DocType: Sales Invoice,Time Sheet List,ടൈം ഷീറ്റ് ലിസ്റ്റ് DocType: Shopify Settings,For Company,കമ്പനിയ്ക്കായി DocType: Linked Soil Analysis,Linked Soil Analysis,ലിങ്ക്ഡ് മണ്ണ് അനാലിസിസ് @@ -7038,6 +7092,7 @@ DocType: Student Admission,Student Admission,വിദ്യാർത്ഥി DocType: Designation Skill,Skill,കഴിവ് DocType: Budget Account,Budget Account,ബജറ്റ് അക്കൗണ്ട് DocType: Employee Transfer,Create New Employee Id,പുതിയ ജീവനക്കാരുടെ ഐഡി സൃഷ്ടിക്കുക +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} 'ലാഭം നഷ്ടം' അക്കൗണ്ടിന് {1} ആവശ്യമാണ്. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),വസ്തുക്കളും സേവന നികുതിയും (ജിഎസ്ടി ഇന്ത്യ) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,ശമ്പള സ്ലിപ്പുകള് സൃഷ്ടിക്കുന്നു ... DocType: Employee Skill,Employee Skill,തൊഴിലാളി കഴിവ് @@ -7135,6 +7190,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,ഉപഭോ DocType: Subscription,Days Until Due,Due വരെ ദിവസം apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,ഷോ പൂർത്തിയാക്കി apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,ബാങ്ക് സ്റ്റേറ്റ് ട്രാൻസാക്ഷൻ എൻട്രി റിപ്പോർട്ട് +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ബാങ്ക് ദീപ്തികൾ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,വരി # {0}: നിരക്ക് {1} എന്നതിന് സമാനമായിരിക്കണം: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR- .YYYY.- DocType: Healthcare Settings,Healthcare Service Items,ഹെൽത്ത് സേവന ഇനങ്ങൾ @@ -7186,6 +7242,7 @@ DocType: Item Variant,Item Variant,ഇനം വേരിയന്റ് DocType: Training Event Employee,Invited,ക്ഷണിച്ചു apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,ബില്ലിനുള്ള തുക apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","{0}, ഡെബിറ്റ് അക്കൗണ്ടുകൾക്കുമാത്രമേ മറ്റൊരു ക്രെഡിറ്റ് എൻട്രിയ്ക്കെതിരായുള്ള ബന്ധിപ്പിക്കാനാവൂ" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,അളവുകൾ സൃഷ്ടിക്കുന്നു ... DocType: Bank Statement Transaction Entry,Payable Account,പേയ്മെന്റ് അക്കൗണ്ട് apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,സന്ദർശിക്കേണ്ട സന്ദർശനങ്ങൾ ഒന്നും സൂചിപ്പിക്കരുത് DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,നിങ്ങൾ ക്യാഷ് ഫ്ലോ മാപ്പർ രേഖകൾ ഉണ്ടെങ്കിൽ മാത്രം തിരഞ്ഞെടുക്കുക @@ -7203,6 +7260,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,റസല്യൂഷൻ സമയം DocType: Grading Scale Interval,Grade Description,ഗ്രേഡ് വിവരണം DocType: Homepage Section,Cards,കാർഡുകൾ +DocType: Quality Meeting Minutes,Quality Meeting Minutes,ഗുണനിലവാര മീറ്റിംഗ് മിനിറ്റ് DocType: Linked Plant Analysis,Linked Plant Analysis,ലിങ്കുചെയ്ത പ്ലാൻ അനാലിസിസ് apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,സർവീസ് അവസാന തീയതിക്കുശേഷം സേവന നിർത്തൽ തീയതി ഉണ്ടായിരിക്കരുത് apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,GST ക്രമീകരണങ്ങളിൽ B2C പരിധി സജ്ജീകരിക്കുക. @@ -7237,7 +7295,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,എംപ്ലോയ DocType: Employee,Educational Qualification,വിദ്യാഭ്യാസ യോഗ്യത apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,ആക്സസ് ചെയ്യാവുന്ന മൂല്യം apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},സാമ്പിൾ അളവ് {0} ലഭിച്ച തുകയേക്കാൾ കൂടുതൽ ആകരുത് {1} -DocType: Quiz,Last Highest Score,അവസാനത്തെ ഉയർന്ന സ്കോർ DocType: POS Profile,Taxes and Charges,നികുതികളും നിരക്കുകളും DocType: Opportunity,Contact Mobile No,മൊബൈൽ നമ്പറെ ബന്ധപ്പെടുക DocType: Employee,Joining Details,വിശദാംശങ്ങളിൽ ചേരുക diff --git a/erpnext/translations/mr.csv b/erpnext/translations/mr.csv index cd651b1974..e4f3704ca9 100644 --- a/erpnext/translations/mr.csv +++ b/erpnext/translations/mr.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,पुरवठादार DocType: Journal Entry Account,Party Balance,पक्ष शिल्लक apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),निधी स्रोत (जबाबदार्या) DocType: Payroll Period,Taxable Salary Slabs,करपात्र वेतन स्लॅब +DocType: Quality Action,Quality Feedback,गुणवत्ता अभिप्राय DocType: Support Settings,Support Settings,समर्थन सेटिंग्ज apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,प्रथम उत्पादन आयटम प्रविष्ट करा DocType: Quiz,Grading Basis,ग्रेडिंग बेसिस @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,अधिक DocType: Salary Component,Earning,कमाई DocType: Restaurant Order Entry,Click Enter To Add,जोडण्यासाठी एंटर क्लिक करा DocType: Employee Group,Employee Group,कर्मचारी गट +DocType: Quality Procedure,Processes,प्रक्रिया DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,एक चलन दुसर्या रूपांतरित करण्यासाठी एक्सचेंज रेट निर्दिष्ट करा apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,वय श्रेणी 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},स्टॉकसाठी आवश्यक असलेली वेअरहाऊस आयटम {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,तक्रार DocType: Shipping Rule,Restrict to Countries,देशांना प्रतिबंधित करा DocType: Hub Tracked Item,Item Manager,आयटम व्यवस्थापक apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},बंद खात्याचे चलन {0} असणे आवश्यक आहे +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,बजेट apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,चलन आयटम उघडत आहे DocType: Work Order,Plan material for sub-assemblies,सब-असेंब्लीसाठी प्लॅन सामग्री apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,हार्डवेअर DocType: Budget,Action if Annual Budget Exceeded on MR,वार्षिक बजेट एमआर वर गेले तर कृती DocType: Sales Invoice Advance,Advance Amount,आगाऊ रक्कम +DocType: Accounting Dimension,Dimension Name,परिमाण नाव DocType: Delivery Note Item,Against Sales Invoice Item,विक्री चलन आयटम विरुद्ध DocType: Expense Claim,HR-EXP-.YYYY.-,एचआर-एक्सपी-. होय- DocType: BOM Explosion Item,Include Item In Manufacturing,उत्पादन मध्ये आयटम समाविष्ट करा @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,ते काय ,Sales Invoice Trends,विक्री चलन ट्रेंड DocType: Bank Reconciliation,Payment Entries,भरणा नोंदी DocType: Employee Education,Class / Percentage,वर्ग / टक्केवारी -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड ,Electronic Invoice Register,इलेक्ट्रॉनिक चलन नोंदणी DocType: Sales Invoice,Is Return (Credit Note),परत आहे (क्रेडिट नोट) DocType: Lab Test Sample,Lab Test Sample,लॅब चाचणी नमुना @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,रूपे apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",आपल्या निवडीनुसार आयटम क्विटी किंवा रकमेवर आधारित शुल्क वितरित केले जाईल apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,आजसाठी प्रलंबित क्रियाकलाप +DocType: Quality Procedure Process,Quality Procedure Process,गुणवत्ता प्रक्रिया प्रक्रिया DocType: Fee Schedule Program,Student Batch,विद्यार्थी बॅच apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},रकमेतील आयटमसाठी मूल्य मूल्यांकन आवश्यक {0} DocType: BOM Operation,Base Hour Rate(Company Currency),बेस तास दर (कंपनी चलन) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,सीरियल न इनपुट वर आधारित ट्रांझॅक्शन्समध्ये Qty सेट करा apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},आगाऊ खाते चलन कंपनी चलनासारखेच असावे {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,मुख्यपृष्ठ विभाग सानुकूलित करा -DocType: Quality Goal,October,ऑक्टोबर +DocType: GSTR 3B Report,October,ऑक्टोबर DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,विक्री व्यवहारांमधून ग्राहकांचे आयडी आयडी लपवा apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,अवैध जीएसटीआयएन! जीएसटीआयएनमध्ये 15 अक्षरे असणे आवश्यक आहे. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,किंमत नियम {0} अद्यतनित केला आहे @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,शिल्लक सोडा apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},{1} च्या विरुद्ध देखभाल अनुसूची {0} अस्तित्वात आहे DocType: Assessment Plan,Supervisor Name,पर्यवेक्षक नाव DocType: Selling Settings,Campaign Naming By,द्वारे मोहीम नामांकन -DocType: Course,Course Code,कोर्स कोड +DocType: Student Group Creation Tool Course,Course Code,कोर्स कोड apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,एरोस्पेस DocType: Landed Cost Voucher,Distribute Charges Based On,शुल्क आधारित वितरण DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,पुरवठादार स्कोअरकार्ड स्कोअरिंग मापदंड @@ -480,10 +484,8 @@ DocType: Restaurant Menu,Restaurant Menu,रेस्टॉरंट मेन DocType: Asset Movement,Purpose,उद्देश apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,कर्मचार्यांसाठी वेतन संरचना असाइनमेंट आधीच अस्तित्वात आहे DocType: Clinical Procedure,Service Unit,सेवा युनिट -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> प्रदेश DocType: Travel Request,Identification Document Number,ओळखपत्र क्रमांक DocType: Stock Entry,Additional Costs,अतिरिक्त खर्च -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",पालक अभ्यासक्रम (हा मूळ पालकांचा भाग नसल्यास रिक्त सोडा) DocType: Employee Education,Employee Education,कर्मचारी शिक्षण apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,कर्मचार्यांच्या वर्तमान संख्येपेक्षा पदांची संख्या कमी असू शकत नाही apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,सर्व ग्राहक गट @@ -530,6 +532,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,पंक्ती {0}: चलन अनिवार्य आहे DocType: Sales Invoice,Against Income Account,उत्पन्न खात्याच्या विरूद्ध apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},पंक्ती # {0}: विद्यमान मालमत्तेच्या विरूद्ध खरेदी चलन तयार केले जाऊ शकत नाही {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,विविध प्रचारात्मक योजना लागू करण्याच्या नियम. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},यूओएमसाठी आवश्यक असलेले यूओएम कव्हर घटक: {0} आयटममध्ये: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},आयटम {0} साठी प्रमाण प्रविष्ट करा DocType: Workstation,Electricity Cost,विजेचा खर्च @@ -861,7 +864,6 @@ DocType: Item,Total Projected Qty,एकूण प्रक्षेपित apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,बम्स DocType: Work Order,Actual Start Date,वास्तविक प्रारंभ तारीख apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,आपण सर्व दिवस (दिवसां) भरपाईची सुट्टी विनंती दिवसांच्या दरम्यान उपस्थित नाही -DocType: Company,About the Company,कंपनीबद्दल apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,आर्थिक खात्यांचे झाड. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,अप्रत्यक्ष उत्पन्न DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,हॉटेल रूम आरक्षण आयटम @@ -876,6 +878,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,संभा DocType: Skill,Skill Name,कौशल्य नाव apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,प्रिंट अहवाल कार्ड DocType: Soil Texture,Ternary Plot,टर्नरी प्लॉट +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,समर्थन तिकिट DocType: Asset Category Account,Fixed Asset Account,निश्चित मालमत्ता खाते apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,नवीनतम @@ -885,6 +888,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,कार्यक ,IRS 1099,आयआरएस 10 99 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,कृपया वापरण्यासाठी मालिका सेट करा. DocType: Delivery Trip,Distance UOM,अंतर UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,बॅलन्स शीटसाठी अनिवार्य DocType: Payment Entry,Total Allocated Amount,एकूण वाटप केलेली रक्कम DocType: Sales Invoice,Get Advances Received,प्राप्ती प्राप्त करा DocType: Student,B-,बी- @@ -908,6 +912,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,देखभाल apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,पीओएस प्रोफाइलने पीओएस प्रवेश करणे आवश्यक आहे DocType: Education Settings,Enable LMS,एलएमएस सक्षम करा DocType: POS Closing Voucher,Sales Invoices Summary,विक्री चलन सारांश +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,फायदा apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,खात्यात क्रेडिट बॅलन्स शीट खाते असणे आवश्यक आहे DocType: Video,Duration,कालावधी DocType: Lab Test Template,Descriptive,वर्णनात्मक @@ -959,6 +964,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,प्रारंभ आणि समाप्ती तारखा DocType: Supplier Scorecard,Notify Employee,कर्मचारी सूचित करा apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,सॉफ्टवेअर +DocType: Program,Allow Self Enroll,स्वयं नावनोंदणी करण्यास परवानगी द्या apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,स्टॉक खर्च apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,आपण संदर्भ तारीख प्रविष्ट केल्यास संदर्भ क्रमांक अनिवार्य आहे DocType: Training Event,Workshop,कार्यशाळा @@ -1011,6 +1017,7 @@ DocType: Lab Test Template,Lab Test Template,लॅब चाचणी टेम apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},कमाल: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ई-चलन माहिती गहाळ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,कोणतीही सामग्री विनंती तयार केली नाही +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड DocType: Loan,Total Amount Paid,देय एकूण रक्कम apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,या सर्व गोष्टी आधीपासूनच चालविल्या गेल्या आहेत DocType: Training Event,Trainer Name,प्रशिक्षक नाव @@ -1032,6 +1039,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,शैक्षणिक वर्ष DocType: Sales Stage,Stage Name,स्टेज नाव DocType: SMS Center,All Employee (Active),सर्व कर्मचारी (सक्रिय) +DocType: Accounting Dimension,Accounting Dimension,अकाऊंटिंग परिमाण DocType: Project,Customer Details,ग्राहक तपशील DocType: Buying Settings,Default Supplier Group,डीफॉल्ट पुरवठादार गट apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,कृपया खरेदी पावती {0} प्रथम रद्द करा @@ -1146,7 +1154,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","उच्च स DocType: Designation,Required Skills,आवश्यक कौशल्ये DocType: Marketplace Settings,Disable Marketplace,मार्केटप्लेस अक्षम करा DocType: Budget,Action if Annual Budget Exceeded on Actual,वार्षिक अंदाजपत्रक प्रत्यक्षात वाढले तर कृती -DocType: Course,Course Abbreviation,कोर्स संक्षेप apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,सुट्टीवर {0} म्हणून {1} साठी उपस्थित नाही. DocType: Pricing Rule,Promotional Scheme Id,प्रमोशनल स्कीम आयडी DocType: Driver,License Details,परवाना तपशील @@ -1288,7 +1295,7 @@ DocType: Bank Guarantee,Margin Money,मार्जिन मनी DocType: Chapter,Chapter,धडा DocType: Purchase Receipt Item Supplied,Current Stock,करंट स्टॉक DocType: Employee,History In Company,कंपनीमध्ये इतिहास -DocType: Item,Manufacturer,निर्माता +DocType: Purchase Invoice Item,Manufacturer,निर्माता apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,मध्यम संवेदनशीलता DocType: Compensatory Leave Request,Leave Allocation,वाटप सोडा DocType: Timesheet,Timesheet,वेळ पत्रक @@ -1319,6 +1326,7 @@ DocType: Work Order,Material Transferred for Manufacturing,उत्पादन DocType: Products Settings,Hide Variants,वेरिएंट लपवा DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,क्षमता नियोजन आणि वेळ ट्रॅकिंग अक्षम करा DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* व्यवहारामध्ये गणना केली जाईल. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} 'बॅलन्स शीट' खात्यासाठी आवश्यक आहे {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} सह व्यवहारासाठी परवानगी नाही {1}. कृपया कंपनी बदला. 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}" DocType: Delivery Trip,Delivery Details,वितरण तपशील @@ -1354,7 +1362,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,मागील apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,मोजण्याचे एकक DocType: Lab Test,Test Template,चाचणी टेम्पलेट DocType: Fertilizer,Fertilizer Contents,खते सामग्री -apps/erpnext/erpnext/utilities/user_progress.py,Minute,मिनिट +DocType: Quality Meeting Minutes,Minute,मिनिट apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","पंक्ती # {0}: मालमत्ता {1} सबमिट केली जाऊ शकत नाही, ती आधीपासूनच {2} आहे" DocType: Task,Actual Time (in Hours),वास्तविक वेळ (तासांमध्ये) DocType: Period Closing Voucher,Closing Account Head,बंद खाते प्रमुख @@ -1527,7 +1535,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,प्रयोगशाळ DocType: Purchase Order,To Bill,बिल करणे apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,उपयुक्तता खर्च DocType: Manufacturing Settings,Time Between Operations (in mins),ऑपरेशन्स दरम्यान वेळ (मिनिटात) -DocType: Quality Goal,May,मे +DocType: GSTR 3B Report,May,मे apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","पेमेंट गेटवे खाते तयार केले नाही, कृपया एक व्यक्तिच तयार करा." DocType: Opening Invoice Creation Tool,Purchase,खरेदी DocType: Program Enrollment,School House,शाळा हाऊस @@ -1559,6 +1567,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,आपल्या पुरवठादाराबद्दल वैधानिक माहिती आणि इतर सामान्य माहिती DocType: Item Default,Default Selling Cost Center,डीफॉल्ट विक्री किंमत केंद्र DocType: Sales Partner,Address & Contacts,पत्ता आणि संपर्क +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> क्रमांकन मालिकाद्वारे उपस्थित राहण्यासाठी क्रमांकन शृंखला सेट करा DocType: Subscriber,Subscriber,सदस्य apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# फॉर्म / आयटम / {0}) स्टॉकच्या बाहेर आहे apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,कृपया प्रथम पोस्टिंग तारीख निवडा @@ -1586,6 +1595,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,रुग्णांन DocType: Bank Statement Settings,Transaction Data Mapping,ट्रान्झॅक्शन डेटा मॅपिंग apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,लीडला एकतर व्यक्तीचे नाव किंवा संस्थेचे नाव आवश्यक असते DocType: Student,Guardians,पालक +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षण> शिक्षण सेटिंग्जमध्ये शिक्षक नामांकन प्रणाली सेट करा apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ब्रँड निवडा ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,मध्यम उत्पन्न DocType: Shipping Rule,Calculate Based On,गणना आधारित @@ -1597,7 +1607,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,क्लेम अॅड DocType: Purchase Invoice,Rounding Adjustment (Company Currency),राउंडिंग ऍडजस्टमेंट (कंपनी चलन) DocType: Item,Publish in Hub,हब मध्ये प्रकाशित करा apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,जीएसटीआयएन -DocType: Quality Goal,August,ऑगस्ट +DocType: GSTR 3B Report,August,ऑगस्ट apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,कृपया प्रथम खरेदी पावती प्रविष्ट करा apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,वर्ष सुरू करा apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),लक्ष्य ({}) @@ -1616,6 +1626,7 @@ DocType: Item,Max Sample Quantity,मॅक्स नमुना प्रम apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,स्त्रोत आणि लक्ष्य गोदाम वेगळे असणे आवश्यक आहे DocType: Employee Benefit Application,Benefits Applied,फायदे लागू apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,जर्नल एंट्री {0} च्या विरुद्ध कोणत्याही बेजोड़ {1} एंट्री नाहीत +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","नामांकन मालिकेत "-", "#", ".", "/", "{" आणि "}" वगळता विशेष वर्ण वगळता" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,किंमत किंवा उत्पादन सवलत स्लॅब आवश्यक आहेत apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,लक्ष्य सेट करा apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},विद्यार्थ्याविरूद्ध उपस्थित उपस्थिति {0} अस्तित्वात आहे {1} @@ -1631,10 +1642,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,दर महिन्याला DocType: Routing,Routing Name,राउटिंग नाव DocType: Disease,Common Name,सामान्य नाव -DocType: Quality Goal,Measurable,मोजण्यायोग्य DocType: Education Settings,LMS Title,एलएमएस शीर्षक apps/erpnext/erpnext/config/non_profit.py,Loan Management,कर्ज व्यवस्थापन -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,समर्थन Analtyics DocType: Clinical Procedure,Consumable Total Amount,उपभोग्य एकूण रक्कम apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,टेम्पलेट सक्षम करा apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,ग्राहक एलपीओ @@ -1774,6 +1783,7 @@ DocType: Restaurant Order Entry Item,Served,सेवा केली DocType: Loan,Member,सदस्य DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,प्रॅक्टिशनर सर्व्हिस युनिट वेळापत्रक apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,वायर हस्तांतरण +DocType: Quality Review Objective,Quality Review Objective,गुणवत्ता पुनरावलोकन उद्देश DocType: Bank Reconciliation Detail,Against Account,खात्या विरुद्ध DocType: Projects Settings,Projects Settings,प्रकल्प सेटिंग्ज apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},वास्तविक चलन {0} / प्रतिक्षा अनुदान {1} @@ -1802,6 +1812,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,आर्थिक वर्षाच्या समाप्तीची तारीख वित्तीय वर्ष सुरू होण्याच्या तारखेनंतर एक वर्ष असावी apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,दैनिक स्मरणपत्रे DocType: Item,Default Sales Unit of Measure,मापन डीफॉल्ट विक्री युनिट +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,कंपनी जीएसटीआयएन DocType: Asset Finance Book,Rate of Depreciation,घसारा दर DocType: Support Search Source,Post Description Key,पोस्ट वर्णन की DocType: Loyalty Program Collection,Minimum Total Spent,किमान एकूण खर्च @@ -1873,6 +1884,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,निवडलेल्या ग्राहकांसाठी ग्राहक समूह बदलणे आवश्यक नाही. DocType: Serial No,Creation Document Type,निर्मिती दस्तऐवज प्रकार DocType: Sales Invoice Item,Available Batch Qty at Warehouse,वेअरहाऊसमध्ये उपलब्ध बॅच क्वालिटी +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,चलन ग्रँड टोटल apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,हे मूळ क्षेत्र आहे आणि संपादित केले जाऊ शकत नाही. DocType: Patient,Surgical History,सर्जिकल इतिहास apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,गुणवत्ता प्रक्रिया वृक्ष. @@ -1977,6 +1989,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,आपण वेबसाइटवर दर्शवू इच्छित असल्यास हे तपासा apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,आर्थिक वर्ष {0} सापडले नाही DocType: Bank Statement Settings,Bank Statement Settings,बँक स्टेटमेंट सेटिंग्ज +DocType: Quality Procedure Process,Link existing Quality Procedure.,विद्यमान गुणवत्ता प्रक्रिया दुवा साधा. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,सीएसव्ही / एक्सेल फायलींकडून खात्यांची चार्ट आयात करा DocType: Appraisal Goal,Score (0-5),स्कोअर (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,विशेषता सारणीमध्ये {0} गुणधर्म एकाधिक वेळा निवडले DocType: Purchase Invoice,Debit Note Issued,डेबिट नोट जारी केले @@ -1985,7 +1999,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,धोरण तपशील सोडा apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,सिस्टममध्ये वेअरहाऊस सापडला नाही DocType: Healthcare Practitioner,OP Consulting Charge,ओपी सल्लागार शुल्क -DocType: Quality Goal,Measurable Goal,मापनयोग्य गोल DocType: Bank Statement Transaction Payment Item,Invoices,चलन DocType: Currency Exchange,Currency Exchange,चलन विनिमय DocType: Payroll Entry,Fortnightly,पंधरवड्या @@ -2048,6 +2061,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} सबमिट नाही DocType: Work Order,Backflush raw materials from work-in-progress warehouse,वर्क-इन-प्रोग्रेस वेअरहाउसमधून बॅकफ्लुश कच्चा माल DocType: Maintenance Team Member,Maintenance Team Member,देखरेख टीम सदस्य +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,लेखासाठी सानुकूल परिमाणे सेट अप करा DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,इष्टतम वाढीसाठी रोपांच्या पंक्तीमधील किमान अंतर DocType: Employee Health Insurance,Health Insurance Name,आरोग्य विमा नाव apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,स्टॉक मालमत्ता @@ -2078,7 +2092,7 @@ DocType: Delivery Note,Billing Address Name,बिलिंग पत्ता apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,वैकल्पिक आयटम DocType: Certification Application,Name of Applicant,अर्जदाराचे नांव DocType: Leave Type,Earned Leave,कमाईची सोय -DocType: Quality Goal,June,जून +DocType: GSTR 3B Report,June,जून apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},पंक्ती {0}: आयटमसाठी किंमती केंद्र आवश्यक आहे {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},{0} द्वारे मंजूर केले जाऊ शकते apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,रुपांतरण घटक सारणीमध्ये एकापेक्षा जास्त मोजमाप {0} प्रविष्ट केले गेले आहे @@ -2099,6 +2113,7 @@ DocType: Lab Test Template,Standard Selling Rate,मानक विक्री apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},रेस्टॉरन्टसाठी कृपया सक्रिय मेनू सेट करा {0} 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: Asset Finance Book,Asset Finance Book,मालमत्ता वित्त पुस्तक +DocType: Quality Goal Objective,Quality Goal Objective,गुणवत्ता गोल उद्दीष्ट DocType: Employee Transfer,Employee Transfer,कर्मचारी हस्तांतरण ,Sales Funnel,विक्री फनेल DocType: Agriculture Analysis Criteria,Water Analysis,पाणी विश्लेषण @@ -2137,6 +2152,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,कर्मच apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,प्रलंबित क्रियाकलाप apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,आपल्या काही ग्राहकांची यादी करा. ते संस्था किंवा व्यक्ती असू शकतात. DocType: Bank Guarantee,Bank Account Info,बँक खाते माहिती +DocType: Quality Goal,Weekday,आठवड्याचे दिवस apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,पालक 1 नाव DocType: Salary Component,Variable Based On Taxable Salary,करपात्र वेतनानुसार व्हेरिएबल DocType: Accounting Period,Accounting Period,लेखा कालावधी @@ -2220,7 +2236,7 @@ DocType: Purchase Invoice,Rounding Adjustment,राउंडिंग समा DocType: Quality Review Table,Quality Review Table,गुणवत्ता पुनरावलोकन सारणी DocType: Member,Membership Expiry Date,सदस्यता कालबाह्यता तारीख DocType: Asset Finance Book,Expected Value After Useful Life,उपयुक्त जीवना नंतर अपेक्षित मूल्य -DocType: Quality Goal,November,नोव्हेंबर +DocType: GSTR 3B Report,November,नोव्हेंबर DocType: Loan Application,Rate of Interest,व्याज दर DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,बँक स्टेटमेंट ट्रान्झॅक्शन पेमेंट आयटम DocType: Restaurant Reservation,Waitlisted,प्रतिक्षा यादी @@ -2282,6 +2298,7 @@ DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,सवल apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,द्वारे पुरवठादार मिळवा DocType: Purchase Invoice Item,Valuation Rate,मूल्यांकन दर DocType: Shopping Cart Settings,Default settings for Shopping Cart,खरेदी कार्टसाठी डीफॉल्ट सेटिंग्ज +DocType: Quiz,Score out of 100,100 पैकी धावा DocType: Manufacturing Settings,Capacity Planning,क्षमता नियोजन apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,शिक्षकांना जा DocType: Activity Cost,Projects,प्रकल्प @@ -2291,6 +2308,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,वेळ पासून apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,वेरिएंट तपशील अहवाल +,BOM Explorer,बीओएम एक्सप्लोरर DocType: Currency Exchange,For Buying,खरेदीसाठी apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} साठी स्लॉट शेड्यूलमध्ये जोडलेले नाहीत DocType: Target Detail,Target Distribution,लक्ष्य वितरण @@ -2308,6 +2326,7 @@ DocType: Activity Cost,Activity Cost,क्रियाकलाप खर्च DocType: Journal Entry,Payment Order,प्रदान आदेश apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,किंमत ,Item Delivery Date,आयटम वितरण तारीख +DocType: Quality Goal,January-April-July-October,जानेवारी-एप्रिल-जुलै-ऑक्टोबर DocType: Purchase Order Item,Warehouse and Reference,गोदाम आणि संदर्भ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,मुलाच्या नोड्ससह खाते खात्यात रूपांतरित केले जाऊ शकत नाही DocType: Soil Texture,Clay Composition (%),क्ले रचना (%) @@ -2358,6 +2377,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,भविष्या apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,वारायण apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,पंक्ती {0}: कृपया भरणा शेड्यूलमध्ये देयक मोड सेट करा apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,शैक्षणिक टर्मः +DocType: Quality Feedback Parameter,Quality Feedback Parameter,गुणवत्ता अभिप्राय परिमाण apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,कृपया सूट लागू करा निवडा apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,पंक्ती # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,एकूण देयके @@ -2400,7 +2420,7 @@ DocType: Hub Tracked Item,Hub Node,हब नोड apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,कर्मचारी आयडी DocType: Salary Structure Assignment,Salary Structure Assignment,वेतन संरचना असाइनमेंट DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,पीओएस बंद व्हाउचर कर -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,क्रिया आरंभ केली +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,क्रिया आरंभ केली DocType: POS Profile,Applicable for Users,वापरकर्त्यांसाठी लागू DocType: Training Event,Exam,परीक्षा apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,अवैध लेजर नोंदी चुकीची संख्या आढळली. आपण व्यवहारामध्ये चुकीचे खाते निवडले असेल. @@ -2507,6 +2527,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,रेखांश DocType: Accounts Settings,Determine Address Tax Category From,पासून पत्ता कर श्रेणी निश्चित करा apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,निर्णय निर्मात्यांना ओळखणे +DocType: Stock Entry Detail,Reference Purchase Receipt,संदर्भ खरेदी पावती apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,आमंत्रणे मिळवा DocType: Tally Migration,Is Day Book Data Imported,दिन पुस्तक डेटा आयात केला आहे ,Sales Partners Commission,विक्री भागीदार आयोग @@ -2530,6 +2551,7 @@ DocType: Leave Type,Applicable After (Working Days),(लागू दिवस) DocType: Timesheet Detail,Hrs,तास DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,पुरवठादार स्कोअरकार्ड मापदंड DocType: Amazon MWS Settings,FR,एफआर +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,गुणवत्ता अभिप्राय टेम्पलेट पॅरामीटर apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,सामील होण्याची तारीख जन्म तारखेपेक्षा मोठी असणे आवश्यक आहे DocType: Bank Statement Transaction Invoice Item,Invoice Date,चलन तारीख DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,विक्री चलन सबमिट वर लॅब चाचणी तयार करा @@ -2635,7 +2657,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,किमान प DocType: Stock Entry,Source Warehouse Address,स्त्रोत वेअरहाऊस पत्ता DocType: Compensatory Leave Request,Compensatory Leave Request,कम्पेन्सरीरी लीव्ह रिक्वेस्ट DocType: Lead,Mobile No.,मोबाइल नंबर -DocType: Quality Goal,July,जुलै +DocType: GSTR 3B Report,July,जुलै apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,पात्र आयटीसी DocType: Fertilizer,Density (if liquid),घनता (द्रव असल्यास) DocType: Employee,External Work History,बाह्य कार्य इतिहास @@ -2711,6 +2733,7 @@ DocType: Certification Application,Certification Status,प्रमाणन apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},मालमत्तेसाठी स्त्रोत स्थान आवश्यक आहे {0} DocType: Employee,Encashment Date,एनकॅशमेंट तारीख apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,कृपया पूर्ण मालमत्ता देखभाल लॉगसाठी समाप्ती तारीख निवडा +DocType: Quiz,Latest Attempt,नवीनतम प्रयत्न DocType: Leave Block List,Allow Users,वापरकर्त्यांना परवानगी द्या apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,खात्याचे चार्ट apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,ग्राहक म्हणून 'संधी मुळे' निवडल्यास ग्राहक अनिवार्य आहे @@ -2775,7 +2798,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,पुरवठा DocType: Amazon MWS Settings,Amazon MWS Settings,ऍमेझॉन एमडब्ल्यूएस सेटिंग्ज DocType: Program Enrollment,Walking,चालणे DocType: SMS Log,Requested Numbers,विनंती क्रमांक -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> क्रमांकन मालिकाद्वारे उपस्थित राहण्यासाठी क्रमांकन शृंखला सेट करा DocType: Woocommerce Settings,Freight and Forwarding Account,फ्रेट आणि फॉरवर्डिंग खाते apps/erpnext/erpnext/accounts/party.py,Please select a Company,कृपया एक कंपनी निवडा apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,पंक्ती {0}: {1} 0 पेक्षा मोठे असणे आवश्यक आहे @@ -2845,7 +2867,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ग्र DocType: Training Event,Seminar,सेमिनार apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),पत ({0}) DocType: Payment Request,Subscription Plans,सदस्यता योजना -DocType: Quality Goal,March,मार्च +DocType: GSTR 3B Report,March,मार्च apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,स्प्लिट बॅच DocType: School House,House Name,घर नाव apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0} साठी उत्कृष्ट हे शून्यपेक्षा कमी असू शकत नाही ({1}) @@ -2908,7 +2930,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,विमा प्रारंभ तारीख DocType: Target Detail,Target Detail,लक्ष्य तपशील DocType: Packing Slip,Net Weight UOM,नेट वेट युओएम -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},यूओएम रुपांतरण घटक ({0} -> {1}) आयटमसाठी सापडला नाही: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),निव्वळ रक्कम (कंपनी चलन) DocType: Bank Statement Transaction Settings Item,Mapped Data,मॅप केलेला डेटा apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,सिक्युरिटीज आणि ठेवी @@ -2958,6 +2979,7 @@ DocType: Cheque Print Template,Cheque Height,उंची तपासा apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,कृपया तारण तारीख प्रविष्ट करा. DocType: Loyalty Program,Loyalty Program Help,निष्ठा कार्यक्रम मदत DocType: Journal Entry,Inter Company Journal Entry Reference,आंतर कंपनी जर्नल एंट्री संदर्भ +DocType: Quality Meeting,Agenda,अजेंडा DocType: Quality Action,Corrective,सुधारात्मक apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,गट गट DocType: Bank Account,Address and Contact,पत्ता आणि संपर्क @@ -3011,7 +3033,7 @@ DocType: GL Entry,Credit Amount,क्रेडिट रक्कम apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,एकूण रक्कम जमा केली DocType: Support Search Source,Post Route Key List,पोस्ट रूट की यादी apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} कोणत्याही सक्रिय आर्थिक वर्षात नाही. -DocType: Quality Action Table,Problem,समस्या +DocType: Quality Action Resolution,Problem,समस्या DocType: Training Event,Conference,परिषद DocType: Mode of Payment Account,Mode of Payment Account,पेमेंट खाते मोड DocType: Leave Encashment,Encashable days,कूटबद्ध दिवस @@ -3137,7 +3159,7 @@ DocType: Item,"Purchase, Replenishment Details","खरेदी, परतफ DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","एकदा सेट केल्यानंतर, हा चलन सेट डेट पर्यंत होल्ड होईल" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,आयटम {0} साठी विद्यमान नसल्यामुळे स्टॉक अस्तित्वात नाही DocType: Lab Test Template,Grouped,गटबद्ध -DocType: Quality Goal,January,जानेवारी +DocType: GSTR 3B Report,January,जानेवारी DocType: Course Assessment Criteria,Course Assessment Criteria,कोर्स मूल्यांकन निकष DocType: Certification Application,INR,रुपये DocType: Job Card Time Log,Completed Qty,पूर्ण केलेली रक्कम @@ -3232,7 +3254,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,हेल् apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,कृपया सारणीमध्ये कमीतकमी 1 चलन प्रविष्ट करा apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,विक्री ऑर्डर {0} सबमिट केली गेली नाही apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,उपस्थितपणा यशस्वीरित्या चिन्हांकित केले गेले आहे. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,प्री विक्री +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,प्री विक्री apps/erpnext/erpnext/config/projects.py,Project master.,प्रकल्प मास्टर DocType: Daily Work Summary,Daily Work Summary,दैनिक कार्य सारांश DocType: Asset,Partially Depreciated,अंशतः कमी @@ -3241,6 +3263,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,एन्कॅश सोडले? DocType: Certified Consultant,Discuss ID,आयडी चर्चा करा apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,कृपया जीएसटी सेटिंग्जमध्ये जीएसटी खाते सेट करा +DocType: Quiz,Latest Highest Score,नवीनतम सर्वोच्च धावसंख्या DocType: Supplier,Billing Currency,बिलिंग चलन apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,विद्यार्थी क्रियाकलाप apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,एकतर लक्ष्य QTY किंवा लक्ष्य रक्कम अनिवार्य आहे @@ -3266,18 +3289,21 @@ DocType: Sales Order,Not Delivered,वितरित नाही apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,सोयीचा प्रकार {0} तो फेड न करता सोडला जाऊ शकत नाही DocType: GL Entry,Debit Amount,डेबिट रक्कम apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},आयटम {0} साठी आधीपासूनच रेकॉर्ड अस्तित्वात आहे +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,उप असेंब्ली 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.","एकाधिक मूल्य नियमांचे पालन चालू राहिल्यास, वापरकर्त्यांना विवाद निराकरण करण्यासाठी प्राथमिकता सेट करण्यास सांगितले जाते." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',श्रेणी 'मूल्य निर्धारण' किंवा 'मूल्यमापन आणि एकूण' साठी असेल तेव्हा कापून घेऊ शकत नाही apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,बीओएम आणि उत्पादन प्रमाण आवश्यक आहे apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},आयटम {0} आपल्या आयुष्यातील शेवटपर्यंत पोहोचला आहे {1} DocType: Quality Inspection Reading,Reading 6,वाचन 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,कंपनी फील्ड आवश्यक आहे apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,मॅन्युफॅक्चरींग कंझ्युम्प्शन हे सेटिंग सेटिंगमध्ये सेट केलेले नाही. DocType: Assessment Group,Assessment Group Name,मूल्यांकन गट नाव -DocType: Item,Manufacturer Part Number,निर्माता भाग क्रमांक +DocType: Purchase Invoice Item,Manufacturer Part Number,निर्माता भाग क्रमांक apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,पेरोल देय apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},पंक्ती # {0}: {1} आयटमसाठी नकारात्मक असू शकत नाही {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,शिल्लक रक्कम +DocType: Question,Multiple Correct Answer,बरेच बरोबर उत्तर DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 लॉयल्टी पॉइंट = किती मूळ चलन? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},टीपः लीव्ह प्रकारासाठी {0} पुरेशी शिल्लक शिल्लक नाही DocType: Clinical Procedure,Inpatient Record,इनपेशंट रेकॉर्ड @@ -3399,6 +3425,7 @@ DocType: Fee Schedule Program,Total Students,एकूण विद्यार apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,स्थानिक DocType: Chapter Member,Leave Reason,कारण सोडा DocType: Salary Component,Condition and Formula,अट आणि फॉर्म्युला +DocType: Quality Goal,Objectives,उद्देश apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","{0} आणि {1} दरम्यानच्या कालावधीसाठी आधीच प्रक्रिया केलेली पगार, या तारखेच्या कालावधी दरम्यान सोडण्याची प्रक्रिया कालावधी असू शकत नाही." DocType: BOM Item,Basic Rate (Company Currency),मूळ दर (कंपनी चलन) DocType: BOM Scrap Item,BOM Scrap Item,बीओएम स्क्रॅप आयटम @@ -3449,6 +3476,7 @@ DocType: Supplier,SUP-.YYYY.-,अप-. होय- DocType: Expense Claim Account,Expense Claim Account,दावा खाते खर्च करा apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,जर्नल एंट्रीसाठी कोणतीही परतफेड उपलब्ध नाही apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} निष्क्रिय विद्यार्थी आहे +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,स्टॉक एंट्री बनवा DocType: Employee Onboarding,Activities,क्रियाकलाप apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,किमान एक गोदाम अनिवार्य आहे ,Customer Credit Balance,ग्राहक पत शिल्लक @@ -3533,7 +3561,6 @@ DocType: Contract,Contract Terms,करार अटी apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,एकतर लक्ष्य QTY किंवा लक्ष्य रक्कम अनिवार्य आहे. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},अवैध {0} DocType: Item,FIFO,फिफो -DocType: Quality Meeting,Meeting Date,बैठक तारीख DocType: Inpatient Record,HLC-INP-.YYYY.-,एचएलसी-आयएनपी- .YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,संक्षेपमध्ये 5 वर्णांपेक्षा जास्त असू शकत नाही DocType: Employee Benefit Application,Max Benefits (Yearly),कमाल फायदे (वार्षिक) @@ -3636,7 +3663,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,बँक शुल्क apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,वस्तू हस्तांतरित apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,प्राथमिक संपर्क तपशील -DocType: Quality Review,Values,मूल्ये DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",जर तपासले नाही तर प्रत्येक विभागाला त्यास जोडणे आवश्यक आहे. DocType: Item Group,Show this slideshow at the top of the page,पृष्ठाच्या शीर्षस्थानी हा स्लाइडशो दर्शवा apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} मापदंड अवैध आहे @@ -3655,6 +3681,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,बँक शुल्क खाते DocType: Journal Entry,Get Outstanding Invoices,बकाया चलन मिळवा DocType: Opportunity,Opportunity From,संधी +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,लक्ष्य तपशील DocType: Item,Customer Code,ग्राहक कोड apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,कृपया प्रथम आयटम प्रविष्ट करा apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,वेबसाइट लिस्ट @@ -3683,7 +3710,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,ला पोहोचते करणे DocType: Bank Statement Transaction Settings Item,Bank Data,बँक डेटा apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,अनुसूचित -DocType: Quality Goal,Everyday,रोज DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,टाइमशीटवर त्याचप्रमाणे बिलिंग तास आणि कामाचे तास राखून ठेवा apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,लीड सोर्सद्वारे लीड ट्रॅक. DocType: Clinical Procedure,Nursing User,नर्सिंग वापरकर्ता @@ -3708,7 +3734,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,प्रदेश व DocType: GL Entry,Voucher Type,वाउचर प्रकार ,Serial No Service Contract Expiry,सीरियल नाही सेवा करार कालबाह्यता DocType: Certification Application,Certified,प्रमाणित -DocType: Material Request Plan Item,Manufacture,उत्पादन +DocType: Purchase Invoice Item,Manufacture,उत्पादन apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} वस्तू तयार केल्या apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0} साठी देयक विनंती apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,अंतिम ऑर्डर पासून दिवस @@ -3723,7 +3749,7 @@ DocType: Sales Invoice,Company Address Name,कंपनीचा पत्त apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,संक्रमण मध्ये वस्तू apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,आपण या ऑर्डरमध्ये केवळ अधिकतम {0} पॉइंट्सची पूर्तता करू शकता. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},कृपया वेअरहाऊसमध्ये खाते सेट करा {0} -DocType: Quality Action Table,Resolution,ठराव +DocType: Quality Action,Resolution,ठराव DocType: Sales Invoice,Loyalty Points Redemption,लॉयल्टी पॉइंट्स रिडेम्प्शन apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,एकूण करपात्र मूल्य DocType: Patient Appointment,Scheduled,अनुसूचित @@ -3844,6 +3870,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,दर apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},जतन करीत आहे {0} DocType: SMS Center,Total Message(s),एकूण संदेश +DocType: Purchase Invoice,Accounting Dimensions,अकाउंटिंग परिमाण apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,खात्याद्वारे गट DocType: Quotation,In Words will be visible once you save the Quotation.,एकदा आपण कोटेशन जतन केल्यानंतर शब्द दृश्यमान होतील. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,उत्पादनाची मात्रा @@ -4008,7 +4035,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","आपल्याला काही प्रश्न असल्यास, कृपया आमच्याकडे परत या." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,खरेदी पावती {0} सबमिट केली गेली नाही DocType: Task,Total Expense Claim (via Expense Claim),एकूण खर्च दावा (खर्च हक्कांद्वारे) -DocType: Quality Action,Quality Goal,गुणवत्ता गोल +DocType: Quality Goal,Quality Goal,गुणवत्ता गोल DocType: Support Settings,Support Portal,समर्थन पोर्टल apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},कर्मचारी {0} रोजी आहे {1} DocType: Employee,Held On,रोजी आयोजित @@ -4066,7 +4093,6 @@ DocType: BOM,Operating Cost (Company Currency),ऑपरेटिंग कॉ DocType: Item Price,Item Price,आयटम किंमत DocType: Payment Entry,Party Name,पार्टीचे नाव apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,कृपया एक ग्राहक निवडा -DocType: Course,Course Intro,अभ्यासक्रम परिचय DocType: Program Enrollment Tool,New Program,नवीन कार्यक्रम apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","नवीन खर्चाच्या केंद्रांची संख्या, ते किंमत केंद्र नाव मध्ये प्रत्यय म्हणून समाविष्ट केले जाईल" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ग्राहक किंवा पुरवठादार निवडा. @@ -4267,6 +4293,7 @@ DocType: Customer,CUST-.YYYY.-,सीएसटी- होय- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,निव्वळ वेतन नकारात्मक असू शकत नाही apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,संवादाची नाही 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/hr/doctype/employee/employee_dashboard.py,Shift,शिफ्ट apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,लेखा आणि पक्षांची प्रक्रिया प्रक्रिया DocType: Stock Settings,Convert Item Description to Clean HTML,HTML साफ करण्यासाठी आयटम वर्णन रूपांतरित करा apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,सर्व पुरवठादार गट @@ -4345,6 +4372,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,पालक आयटम apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,ब्रोकरेज apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},कृपया आयटमसाठी खरेदी पावती किंवा खरेदी पावती तयार करा {0} +,Product Bundle Balance,उत्पादन बंडल शिल्लक apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,कंपनीचे नाव कंपनी असू शकत नाही DocType: Maintenance Visit,Breakdown,यंत्रातील बिघाड DocType: Inpatient Record,B Negative,बी नकारात्मक @@ -4353,7 +4381,7 @@ DocType: Purchase Invoice,Credit To,श्रेय apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,पुढील प्रक्रियेसाठी हे कार्य ऑर्डर सबमिट करा. DocType: Bank Guarantee,Bank Guarantee Number,बँक हमी क्रमांक apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},वितरित: {0} -DocType: Quality Action,Under Review,निरीक्षणाखाली +DocType: Quality Meeting Table,Under Review,निरीक्षणाखाली apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),शेती (बीटा) ,Average Commission Rate,सरासरी आयोग दर DocType: Sales Invoice,Customer's Purchase Order Date,ग्राहकांची खरेदी ऑर्डर तारीख @@ -4470,7 +4498,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,चलन सह जुळणारे पैसे DocType: Holiday List,Weekly Off,साप्ताहिक बंद apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},आयटमसाठी वैकल्पिक आयटम सेट करण्याची परवानगी नाही {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,प्रोग्राम {0} अस्तित्वात नाही. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,प्रोग्राम {0} अस्तित्वात नाही. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,आपण रूट नोड संपादित करू शकत नाही. DocType: Fee Schedule,Student Category,विद्यार्थी वर्ग apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","आयटम {0}: {1} qty उत्पादित," @@ -4561,8 +4589,8 @@ DocType: Crop,Crop Spacing,क्रॉप स्पेसिंग DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,विक्री व्यवहारांवर आधारित प्रोजेक्ट आणि कंपनी किती वेळा अद्यतनित केली पाहिजे. DocType: Pricing Rule,Period Settings,कालावधी सेटिंग्ज apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,खात्यातील निव्वळ बदल प्राप्त करण्यायोग्य +DocType: Quality Feedback Template,Quality Feedback Template,गुणवत्ता अभिप्राय टेम्पलेट apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,प्रमाणासाठी शून्य पेक्षा मोठे असणे आवश्यक आहे -DocType: Quality Goal,Goal Objectives,लक्ष्य उद्दिष्टे apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","दर, शेअर्सची आणि गणना केलेल्या रकमेमध्ये असंगतता नाही" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,आपण प्रति वर्ष विद्यार्थी गट तयार केल्यास रिक्त सोडा apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),कर्ज (देयता) @@ -4597,12 +4625,13 @@ DocType: Quality Procedure Table,Step,पाऊल DocType: Normal Test Items,Result Value,परिणाम मूल्य DocType: Cash Flow Mapping,Is Income Tax Liability,आयकर दायित्व आहे DocType: Healthcare Practitioner,Inpatient Visit Charge Item,इनपेशंट चार्ज आयटमला भेट द्या -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} अस्तित्वात नाही. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} अस्तित्वात नाही. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,अद्यतन प्रतिसाद DocType: Bank Guarantee,Supplier,पुरवठादार apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},मूल्य betweeen {0} आणि {1} प्रविष्ट करा DocType: Purchase Order,Order Confirmation Date,ऑर्डर पुष्टीकरण तारीख DocType: Delivery Trip,Calculate Estimated Arrival Times,अनुमानित आगमन वेळाची गणना करा +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> मानव संसाधन सेटिंग्जमध्ये कर्मचारी नामांकन प्रणाली सेट करा apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,उपभोग्य DocType: Instructor,EDU-INS-.YYYY.-,एडीयू-आयएनएस -YYYY.- DocType: Subscription,Subscription Start Date,सदस्यता प्रारंभ तारीख @@ -4666,6 +4695,7 @@ DocType: Cheque Print Template,Is Account Payable,खाते देय आह apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,एकूण ऑर्डर मूल्य apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},{1} पुरवठादार {0} आढळला नाही apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,एसएमएस गेटवे सेटिंग्ज सेट अप करा +DocType: Salary Component,Round to the Nearest Integer,सर्वात जवळील पूर्णांक कडे गोल apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,रूटचा मूळ खर्च केंद्र असू शकत नाही DocType: Healthcare Service Unit,Allow Appointments,नियुक्तीस परवानगी द्या DocType: BOM,Show Operations,ऑपरेशन्स दर्शवा @@ -4793,7 +4823,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,डिफॉल्ट हॉलिडे लिस्ट DocType: Naming Series,Current Value,करंट व्हॅल्यू apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","बजेट, लक्ष्य इ. सेट करण्यासाठी हंगामीपणा" -DocType: Program,Program Code,कार्यक्रम कोड apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},चेतावणी: विक्री ऑर्डर {0} ग्राहकांच्या खरेदी ऑर्डरच्या विरूद्ध आधीपासून विद्यमान आहे {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,मासिक विक्री लक्ष्य ( DocType: Guardian,Guardian Interests,पालकांची स्वारस्ये @@ -4843,10 +4872,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,देय दिले आणि वितरित केले नाही apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,आयटम कोड अनिवार्य आहे कारण आयटम स्वयंचलितपणे क्रमांकित केला जात नाही DocType: GST HSN Code,HSN Code,एचएसएन कोड -DocType: Quality Goal,September,सप्टेंबर +DocType: GSTR 3B Report,September,सप्टेंबर apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,प्रशासकीय खर्च DocType: C-Form,C-Form No,सी-फॉर्म क्रमांक DocType: Purchase Invoice,End date of current invoice's period,वर्तमान चलन कालावधीची समाप्ती तारीख +DocType: Item,Manufacturers,उत्पादक DocType: Crop Cycle,Crop Cycle,क्रॉप सायकल DocType: Serial No,Creation Time,निर्माण वेळ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,कृपया भूमिका मंजूर करा किंवा वापरकर्त्यास मंजूरी द्या @@ -4919,8 +4949,6 @@ DocType: Employee,Short biography for website and other publications.,वेब DocType: Purchase Invoice Item,Received Qty,प्राप्त झालेली रक्कम DocType: Purchase Invoice Item,Rate (Company Currency),दर (कंपनी चलन) DocType: Item Reorder,Request for,च्यासाठी विनंती -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी {0} \ हटवा" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,प्रीसेट स्थापित करीत आहे apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,कृपया परतफेड कालावधी प्रविष्ट करा DocType: Pricing Rule,Advanced Settings,प्रगत सेटिंग्ज @@ -4946,7 +4974,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,खरेदी कार्ट सक्षम करा DocType: Pricing Rule,Apply Rule On Other,इतरांवर नियम लागू करा DocType: Vehicle,Last Carbon Check,अंतिम कार्बन तपासणी -DocType: Vehicle,Make,बनवा +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,बनवा apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,विक्री चलन {0} देय म्हणून तयार केले apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,पेमेंट विनंती संदर्भ दस्तऐवज तयार करणे आवश्यक आहे apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,आयकर @@ -5021,7 +5049,6 @@ DocType: Territory,Parent Territory,पालक प्रदेश DocType: Vehicle Log,Odometer Reading,ओडोमीटर वाचन DocType: Additional Salary,Salary Slip,वेतन स्लिप DocType: Payroll Entry,Payroll Frequency,पेरोल फ्रीक्वेंसी -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> मानव संसाधन सेटिंग्जमध्ये कर्मचारी नामांकन प्रणाली सेट करा apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","वैध पेरोल कालावधीमध्ये नसलेली प्रारंभ आणि समाप्ती तारीख, {0} ची गणना करू शकत नाही" DocType: Products Settings,Home Page is Products,मुख्यपृष्ठ हे उत्पादन आहे apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,कॉल @@ -5075,7 +5102,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,रेकॉर्ड मिळवत आहे ...... DocType: Delivery Stop,Contact Information,संपर्क माहिती DocType: Sales Order Item,For Production,उत्पादनासाठी -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षण> शिक्षण सेटिंग्जमध्ये शिक्षक नामांकन प्रणाली सेट करा DocType: Serial No,Asset Details,मालमत्ता तपशील DocType: Restaurant Reservation,Reservation Time,आरक्षण वेळ DocType: Selling Settings,Default Territory,डिफॉल्ट टेरीटरी @@ -5215,6 +5241,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,कालबाह्य बॅच DocType: Shipping Rule,Shipping Rule Type,शिपिंग नियम प्रकार DocType: Job Offer,Accepted,स्वीकारले +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी {0} \ हटवा" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,आपण आधीपासूनच मूल्यांकन निकष {} साठी मूल्यांकन केले आहे. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,बॅच नंबर निवडा apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),वय (दिवस) @@ -5231,6 +5259,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,विक्रीच्या वेळी बंडल वस्तू. DocType: Payment Reconciliation Payment,Allocated Amount,वाटप केलेली रक्कम apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,कृपया कंपनी आणि पदनाम निवडा +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'तारीख' आवश्यक आहे DocType: Email Digest,Bank Credit Balance,बँक क्रेडिट बॅलन्स apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,संचयी रक्कम दर्शवा apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,आपल्याकडे रीडीम करण्यासाठी लॉयल्टी पॉइंट्सची गरज नाही @@ -5291,11 +5320,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,मागील पं DocType: Student,Student Email Address,विद्यार्थी ईमेल पत्ता DocType: Academic Term,Education,शिक्षण DocType: Supplier Quotation,Supplier Address,पुरवठादार पत्ता -DocType: Salary Component,Do not include in total,एकूण समाविष्ट करू नका +DocType: Salary Detail,Do not include in total,एकूण समाविष्ट करू नका apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,कंपनीसाठी एकाधिक आयटम डीफॉल्ट सेट करू शकत नाही. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} अस्तित्वात नाही DocType: Purchase Receipt Item,Rejected Quantity,नाकारलेले प्रमाण DocType: Cashier Closing,To TIme,टिम करण्यासाठी +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},यूओएम रुपांतरण घटक ({0} -> {1}) आयटमसाठी सापडला नाही: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,दैनिक कार्य सारांश गट वापरकर्ता DocType: Fiscal Year Company,Fiscal Year Company,आर्थिक वर्ष कंपनी apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,पर्यायी आयटम आयटम कोडसारखाच नसतो @@ -5404,7 +5434,6 @@ DocType: Fee Schedule,Send Payment Request Email,पेमेंट विनं DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,आपण विक्री चलन जतन केल्यानंतर शब्द दृश्यमान होतील. DocType: Sales Invoice,Sales Team1,सेल्स टीम 1 DocType: Work Order,Required Items,आवश्यक वस्तू -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",""-", "#", "." वगळता विशेष वर्ण आणि "/" नामांकन मालिकेमध्ये परवानगी नाही" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,ERPNext मॅन्युअल वाचा DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,चेक सप्लायर चलन क्रमांक विशिष्टता तपासा apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,सब उपसमूह शोधा @@ -5472,7 +5501,6 @@ DocType: Taxable Salary Slab,Percent Deduction,टक्के कपात apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,उत्पादनाची मात्रा शून्यपेक्षा कमी असू शकत नाही DocType: Share Balance,To No,नाही DocType: Leave Control Panel,Allocate Leaves,वाटप पाने -DocType: Quiz,Last Attempt,शेवटचा प्रयत्न DocType: Assessment Result,Student Name,विद्यार्थी नाव apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,देखभाल भेटीसाठी योजना. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,आयटमच्या पुन्हा-मागणी स्तरावर स्वयंचलितपणे खालील सामग्रीची विनंती केली गेली आहे @@ -5541,6 +5569,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,निर्देशक रंग DocType: Item Variant Settings,Copy Fields to Variant,फील्ड फील्डमध्ये कॉपी करा DocType: Soil Texture,Sandy Loam,सँडी लोम +DocType: Question,Single Correct Answer,एकच बरोबर उत्तर apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,तारखेपासून कर्मचारी च्या सामील होण्याच्या तारखेपेक्षा कमी असू शकत नाही DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,ग्राहकांच्या खरेदी ऑर्डरच्या विरूद्ध एकाधिक विक्री ऑर्डरची अनुमती द्या apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,पीडीसी / एलसी @@ -5603,7 +5632,7 @@ DocType: Account,Expenses Included In Valuation,मूल्यमापन म apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,सीरियल नंबर DocType: Salary Slip,Deductions,कपात ,Supplier-Wise Sales Analytics,पुरवठादार-ज्ञान विक्री विश्लेषणे -DocType: Quality Goal,February,फेब्रुवारी +DocType: GSTR 3B Report,February,फेब्रुवारी DocType: Appraisal,For Employee,कर्मचारी साठी apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,वास्तविक वितरण तारीख DocType: Sales Partner,Sales Partner Name,विक्री भागीदार नाव @@ -5699,7 +5728,6 @@ DocType: Procedure Prescription,Procedure Created,प्रक्रिया apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},प्रदायक चालकांच्या विरोधात {0} दिनांक {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,पीओएस प्रोफाइल बदला apps/erpnext/erpnext/utilities/activation.py,Create Lead,लीड तयार करा -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार DocType: Shopify Settings,Default Customer,डीफॉल्ट ग्राहक DocType: Payment Entry Reference,Supplier Invoice No,पुरवठादार चलन क्रमांक DocType: Pricing Rule,Mixed Conditions,मिश्रित अटी @@ -5750,12 +5778,14 @@ DocType: Item,End of Life,आयुष्याचा शेवट DocType: Lab Test Template,Sensitivity,संवेदनशीलता DocType: Territory,Territory Targets,प्रदेश लक्ष्य apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","खालील कर्मचा-यांसाठी सोडण्याची सोय वगळता, कारण त्यांच्या विरोधात लीव्ह अॅलोकेशन रेकॉर्ड आधीच अस्तित्वात आहेत. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,गुणवत्ता क्रिया संकल्प DocType: Sales Invoice Item,Delivered By Supplier,पुरवठादार द्वारे वितरित DocType: Agriculture Analysis Criteria,Plant Analysis,वनस्पती विश्लेषण apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},आयटम {0} साठी खर्चाचे खाते अनिवार्य आहे ,Subcontracted Raw Materials To Be Transferred,हस्तांतरित करण्यासाठी उप-कंत्राट कच्चा माल DocType: Cashier Closing,Cashier Closing,कॅशियर बंद apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,आयटम {0} आधीपासूनच परत आला आहे +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,अवैध जीएसटीआयएन! आपण प्रविष्ट केलेला इनपुट यूआयएन धारक किंवा अनिवासी ओआयडीएआर सेवा प्रदात्यांसाठी जीएसटीआयएन फॉर्मेटशी जुळत नाही apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,या वेअरहाऊससाठी चाइल्ड वेअरहाऊस अस्तित्वात आहे. आपण हे गोदाम हटवू शकत नाही. DocType: Diagnosis,Diagnosis,निदान apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0} आणि {1} दरम्यान कोणतेही सुट कालावधी नाही @@ -5772,6 +5802,7 @@ DocType: QuickBooks Migrator,Authorization Settings,अधिकृतता स DocType: Homepage,Products,उत्पादने ,Profit and Loss Statement,नफा आणि तोटा स्टेटमेंट apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,खोल्या बुक +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},आयटम कोड {0} आणि निर्मात्याच्या विरूद्ध डुप्लीकेट एंट्री {1} DocType: Item Barcode,EAN,ईएएन DocType: Purchase Invoice Item,Total Weight,एकूण वजन apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,प्रवास @@ -5820,6 +5851,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,डीफॉल्ट ग्राहक गट DocType: Journal Entry Account,Debit in Company Currency,कंपनी चलन डेबिट DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",फॉलबॅक मालिका "SO-WOO-" आहे. +DocType: Quality Meeting Agenda,Quality Meeting Agenda,गुणवत्ता बैठक एजेंडा DocType: Cash Flow Mapper,Section Header,विभाग शीर्षलेख apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,आपले उत्पादन किंवा सेवा DocType: Crop,Perennial,बारमाही @@ -5865,7 +5897,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","एक उत्पादन किंवा सेवा विकत घेतलेली, विकली किंवा ठेवली जाते." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),बंद करणे (उघडणे + एकूण) DocType: Supplier Scorecard Criteria,Criteria Formula,निकष फॉर्म्युला -,Support Analytics,समर्थन विश्लेषक +apps/erpnext/erpnext/config/support.py,Support Analytics,समर्थन विश्लेषक apps/erpnext/erpnext/config/quality_management.py,Review and Action,पुनरावलोकन आणि कृती DocType: Account,"If the account is frozen, entries are allowed to restricted users.","खाते गोठलेले असल्यास, प्रतिबंधित वापरकर्त्यांना प्रवेश करण्याची परवानगी आहे." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,घसारा नंतर रक्कम @@ -5910,7 +5942,6 @@ DocType: Contract Template,Contract Terms and Conditions,करार अटी apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,डेटा मिळवा DocType: Stock Settings,Default Item Group,डीफॉल्ट आयटम गट DocType: Sales Invoice Timesheet,Billing Hours,बिलिंग तास -DocType: Item,Item Code for Suppliers,पुरवठादारांसाठी आयटम कोड apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},विद्यार्थ्याविरूद्ध {0} आधीपासूनच विद्यमान अनुप्रयोग विद्यमान आहे. {1} DocType: Pricing Rule,Margin Type,मार्जिन प्रकार DocType: Purchase Invoice Item,Rejected Serial No,नाकारली सीरियल नं @@ -5983,6 +6014,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,पाने सुरक्षितपणे दिली गेली आहे DocType: Loyalty Point Entry,Expiry Date,कालबाह्यता तारीख DocType: Project Task,Working,कार्यरत +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} कडे आधीपासूनच पालक प्रक्रिया आहे {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,हे या रुग्णाच्या विरूद्ध केलेल्या व्यवहारावर आधारित आहे. तपशीलांसाठी खाली टाइमलाइन पहा DocType: Material Request,Requested For,साठी विनंती केली DocType: SMS Center,All Sales Person,सर्व विक्री व्यक्ती @@ -6069,6 +6101,7 @@ DocType: Loan Type,Maximum Loan Amount,कमाल कर्ज रक्कम apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,ईमेल डिफॉल्ट संपर्कात सापडला नाही DocType: Hotel Room Reservation,Booked,बुक केलेले DocType: Maintenance Visit,Partially Completed,अंशतः पूर्ण +DocType: Quality Procedure Process,Process Description,प्रक्रिया वर्णन DocType: Company,Default Employee Advance Account,डीफॉल्ट कर्मचारी आगाऊ खाते DocType: Leave Type,Allow Negative Balance,ऋणात्मक शिल्लक परवानगी द्या apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,मूल्यांकन योजना नाव @@ -6110,6 +6143,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,कोटेशन आयटमसाठी विनंती apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} आयटम करमध्ये दोनदा प्रविष्ट केले DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,निवडलेल्या पेरोल डेटवर पूर्ण कर कापून घ्या +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,अंतिम कार्बन चेक तारीख भविष्यातील तारीख असू शकत नाही apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,बदल रक्कम खाते निवडा DocType: Support Settings,Forum Posts,फोरम पोस्ट DocType: Timesheet Detail,Expected Hrs,अपेक्षित तास @@ -6119,7 +6153,7 @@ DocType: Program Enrollment Tool,Enroll Students,विद्यार्थ् apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,ग्राहक महसूल पुन्हा करा DocType: Company,Date of Commencement,प्रारंभाची तारीख DocType: Bank,Bank Name,बँकेचे नाव -DocType: Quality Goal,December,डिसेंबर +DocType: GSTR 3B Report,December,डिसेंबर apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,तारखेपासून वैध वैध डेटापेक्षा कमी असणे आवश्यक आहे apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,हे या कर्मचार्यांच्या उपस्थितीवर आधारित आहे DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","चेक केल्यास, मुख्यपृष्ठासाठी मुख्य पृष्ठ डीफॉल्ट आयटम ग्रुप असेल" @@ -6160,6 +6194,7 @@ DocType: Payment Entry,Payment Type,पैसे भरण्याची पध apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,फोलिओ क्रमांक जुळत नाहीत DocType: C-Form,ACC-CF-.YYYY.-,एसीसी-सीएफ- .YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},गुणवत्ता तपासणी: {0} आयटमसाठी सबमिट केलेली नाही: {1} पंक्ती {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},दर्शवा {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} आयटम सापडला. ,Stock Ageing,स्टॉक एजिंग DocType: Customer Group,Mention if non-standard receivable account applicable,नॉन-स्टँडर्ड प्राप्य खाते लागू असल्यास उल्लेख करा @@ -6436,6 +6471,7 @@ DocType: Travel Request,Costing,खर्च apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,स्थिर मालमत्ता DocType: Purchase Order,Ref SQ,रेफरी एसक्यू DocType: Salary Structure,Total Earning,एकूण कमाई +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> प्रदेश DocType: Share Balance,From No,नाही पासून DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,पेमेंट रीकॉन्सीलेशन इनव्हॉइस DocType: Purchase Invoice,Taxes and Charges Added,कर आणि शुल्क जोडले @@ -6443,7 +6479,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,कर किं DocType: Authorization Rule,Authorized Value,अधिकृत मूल्य apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,कडून प्राप्त apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,गोदाम {0} अस्तित्वात नाही +DocType: Item Manufacturer,Item Manufacturer,आयटम निर्माता DocType: Sales Invoice,Sales Team,विक्री कार्यसंघ +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,बंडल Qty DocType: Purchase Order Item Supplied,Stock UOM,स्टॉक उम DocType: Installation Note,Installation Date,स्थापना तारीख DocType: Email Digest,New Quotations,नवीन कोटेशन @@ -6507,7 +6545,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,सुट्टी यादी नाव DocType: Water Analysis,Collection Temperature ,संग्रह तापमान DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,अपॉइंटमेंट इनव्हॉइस व्यवस्थापित करा पॅटीएन्ट एनकॉन्टरसाठी स्वयंचलितपणे सबमिट करा आणि रद्द करा -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया सेट अप> सेटिंग्ज> नामांकन मालिकाद्वारे {0} साठी नामांकन शृंखला सेट करा DocType: Employee Benefit Claim,Claim Date,दावा तारीख DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,पुरवठादार अनिश्चित काळासाठी अवरोधित असल्यास रिक्त सोडा apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,तारखेपासून उपस्थित व उपस्थित राहण्याची तारीख अनिवार्य आहे @@ -6518,6 +6555,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,सेवानिवृत्तीची तारीख apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,कृपया रोगी निवडा DocType: Asset,Straight Line,सरळ रेषा +DocType: Quality Action,Resolutions,रेझोल्यूशन DocType: SMS Log,No of Sent SMS,प्रेषित एसएमएस नाही ,GST Itemised Sales Register,जीएसटी वस्तूबद्ध विक्री नोंदणी apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,एकूण मंजूर रक्कम एकूण मंजूर केलेल्या रकमेपेक्षा अधिक असू शकत नाही @@ -6627,7 +6665,7 @@ DocType: Account,Profit and Loss,नफा व तोटा apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,डिफ क्विंटल DocType: Asset Finance Book,Written Down Value,लिखित डाउन व्हॅल्यू apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,ओपनिंग बॅलन्स इक्विटी -DocType: Quality Goal,April,एप्रिल +DocType: GSTR 3B Report,April,एप्रिल DocType: Supplier,Credit Limit,पत मर्यादा apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,वितरण apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6682,6 +6720,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext सह Shopify कनेक्ट करा DocType: Homepage Section Card,Subtitle,उपशीर्षक DocType: Soil Texture,Loam,लोम +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार DocType: BOM,Scrap Material Cost(Company Currency),स्क्रॅप सामग्री खर्च (कंपनी चलन) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,डिलिव्हरी नोट {0} सादर करणे आवश्यक नाही DocType: Task,Actual Start Date (via Time Sheet),वास्तविक प्रारंभ तारीख (टाइम शीट मार्गे) @@ -6737,7 +6776,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,डोस DocType: Cheque Print Template,Starting position from top edge,शीर्ष किनार्यापासून सुरू होणारी स्थिती apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),नियुक्त कालावधी (मिनिटे) -DocType: Pricing Rule,Disable,अक्षम करा +DocType: Accounting Dimension,Disable,अक्षम करा DocType: Email Digest,Purchase Orders to Receive,खरेदी ऑर्डर प्राप्त करण्यासाठी apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,प्रॉडक्शन ऑर्डरसाठी वाढता येणार नाहीः DocType: Projects Settings,Ignore Employee Time Overlap,कर्मचारी वेळ आच्छादन दुर्लक्षित करा @@ -6821,6 +6860,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,कर DocType: Item Attribute,Numeric Values,संख्यात्मक मूल्ये DocType: Delivery Note,Instructions,सूचना DocType: Blanket Order Item,Blanket Order Item,कंबल ऑर्डर आयटम +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,नफा आणि तोटा खात्यासाठी अनिवार्य apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,आयोग दर 100 पेक्षा जास्त असू शकत नाही DocType: Course Topic,Course Topic,कोर्स विषय DocType: Employee,This will restrict user access to other employee records,हे वापरकर्त्याच्या इतर कर्मचार्यांच्या रेकॉर्डवर प्रवेश प्रतिबंधित करेल @@ -6845,12 +6885,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,सदस् apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,ग्राहकांना मिळवा apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} डायजेस्ट DocType: Employee,Reports to,ला अहवाल दे +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,पार्टी खाते DocType: Assessment Plan,Schedule,वेळापत्रक apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,कृपया प्रविष्ट करा DocType: Lead,Channel Partner,चॅनेल भागीदार apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,चलन रक्कम DocType: Project,From Template,टेम्पलेट वरून +,DATEV,तारीख वी apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,सदस्यता apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,बनवण्याचे प्रमाण DocType: Quality Review Table,Achieved,मिळविले @@ -6897,7 +6939,6 @@ DocType: Journal Entry,Subscription Section,सदस्यता विभा DocType: Salary Slip,Payment Days,पेमेंट दिवस apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,स्वयंसेवक माहिती. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'जुन्या जुन्या स्टॉक'% d दिवसांपेक्षा लहान असल्या पाहिजेत. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,आर्थिक वर्ष निवडा DocType: Bank Reconciliation,Total Amount,एकूण रक्कम DocType: Certification Application,Non Profit,नफा DocType: Subscription Settings,Cancel Invoice After Grace Period,ग्रेस पीरियड नंतर चलन रद्द करा @@ -6910,7 +6951,6 @@ DocType: Serial No,Warranty Period (Days),वारंटी कालावध DocType: Expense Claim Detail,Expense Claim Detail,दावा तपशील खर्च करा apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,कार्यक्रमः DocType: Patient Medical Record,Patient Medical Record,रुग्ण वैद्यकीय रेकॉर्ड -DocType: Quality Action,Action Description,क्रिया वर्णन DocType: Item,Variant Based On,चलन आधारित DocType: Vehicle Service,Brake Oil,ब्रेक ऑइल DocType: Employee,Create User,वापरकर्ता तयार करा @@ -6966,7 +7006,7 @@ DocType: Cash Flow Mapper,Section Name,विभाग नाव DocType: Packed Item,Packed Item,पॅक केलेला आयटम apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: {2} साठी डेबिट किंवा क्रेडिट रक्कम आवश्यक आहे apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,वेतन स्लिप सबमिट करीत आहे ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,कृतीविना +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,कृतीविना apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",अर्थ किंवा खर्च खाते नसल्यामुळे बजेट {0} विरूद्ध दिले जाऊ शकत नाही apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,मास्टर्स व अकाउंट्स DocType: Quality Procedure Table,Responsible Individual,जबाबदार व्यक्ती @@ -7089,7 +7129,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,बाल कंपनीच्या विरूद्ध खाते तयार करण्याची परवानगी द्या DocType: Payment Entry,Company Bank Account,कंपनी बँक खाते DocType: Amazon MWS Settings,UK,यूके -DocType: Quality Procedure,Procedure Steps,प्रक्रिया चरण DocType: Normal Test Items,Normal Test Items,सामान्य चाचणी आयटम apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,आयटम {0}: ऑर्डर केलेले क्विटी {1} कमीत कमी ऑर्डर qty {2} (आयटममध्ये परिभाषित) पेक्षा कमी असू शकत नाही. apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,स्टॉकमध्ये नाही @@ -7166,7 +7205,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,विश्लेषण DocType: Maintenance Team Member,Maintenance Role,देखरेख भूमिका apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,नियम व अटी टेम्पलेट DocType: Fee Schedule Program,Fee Schedule Program,फी अनुसूची कार्यक्रम -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,कोर्स {0} अस्तित्वात नाही. DocType: Project Task,Make Timesheet,टाइमशीट बनवा DocType: Production Plan Item,Production Plan Item,उत्पादन योजना आयटम apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,एकूण विद्यार्थी @@ -7188,6 +7226,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,लपेटणे apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,आपली सदस्यता 30 दिवसांच्या आत कालबाह्य झाल्यास आपण नूतनीकरण करू शकता apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},मूल्य {0} आणि {1} दरम्यान असणे आवश्यक आहे +DocType: Quality Feedback,Parameters,परिमाणे ,Sales Partner Transaction Summary,विक्री भागीदार हस्तांतरण सारांश DocType: Asset Maintenance,Maintenance Manager Name,देखरेख व्यवस्थापक नाव apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,आयटम तपशील आणण्यासाठी आवश्यक आहे. @@ -7226,6 +7265,7 @@ DocType: Student Admission,Student Admission,विद्यार्थी प DocType: Designation Skill,Skill,कौशल्य DocType: Budget Account,Budget Account,बजेट खाते DocType: Employee Transfer,Create New Employee Id,नवीन कर्मचारी आयडी तयार करा +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} 'नफा आणि तोटा' खात्यासाठी आवश्यक आहे {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),वस्तू आणि सेवा कर (जीएसटी इंडिया) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,वेतन स्लिप्स तयार करणे ... DocType: Employee Skill,Employee Skill,कर्मचारी कौशल्य @@ -7326,6 +7366,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,चलन म DocType: Subscription,Days Until Due,दिवस पर्यंत दिवस apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,पूर्ण दर्शवा apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,बँक स्टेटमेंट ट्रान्झॅक्शन एंट्री रिपोर्ट +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,बँक डीटिल्स apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,पंक्ती # {0}: दर {1}: {2} ({3} / {4} सारखे असणे आवश्यक आहे. DocType: Clinical Procedure,HLC-CPR-.YYYY.-,एचएलसी-सीपीआर -YYYY.- DocType: Healthcare Settings,Healthcare Service Items,हेल्थकेअर सेवा आयटम @@ -7382,6 +7423,7 @@ DocType: Training Event Employee,Invited,आमंत्रित apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},घटक {0} साठी पात्र जास्तीत जास्त रक्कम {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,बिल रक्कम apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","{0} साठी, केवळ डेबिट खाती दुसर्या क्रेडिट एंट्री विरुध्द जोडली जाऊ शकतात" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,परिमाण तयार करीत आहे ... DocType: Bank Statement Transaction Entry,Payable Account,देय खाते apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,कृपया आवश्यक भेटींचा उल्लेख करा DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,आपण कॅश फ्लो मॅपर दस्तऐवज सेट केले असल्यासच केवळ निवडा @@ -7399,6 +7441,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,ठराव वेळ DocType: Grading Scale Interval,Grade Description,ग्रेड वर्णन DocType: Homepage Section,Cards,कार्डे +DocType: Quality Meeting Minutes,Quality Meeting Minutes,गुणवत्ता बैठक मिनिटे DocType: Linked Plant Analysis,Linked Plant Analysis,दुवा साधलेली वनस्पती विश्लेषण apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,सेवा थांबविण्याची तारीख सेवा समाप्ती तारखेनंतर असू शकत नाही apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,कृपया जीएसटी सेटिंग्जमध्ये बी 2 सी मर्यादा सेट करा. @@ -7431,7 +7474,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,कर्मचार DocType: Employee,Educational Qualification,शैक्षणिक पात्रता apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,प्रवेशयोग्य मूल्य apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},नमुना प्रमाण {0} प्राप्त प्रमाणापेक्षा जास्त असू शकत नाही {1} -DocType: Quiz,Last Highest Score,अंतिम सर्वोच्च धावसंख्या DocType: POS Profile,Taxes and Charges,कर व शुल्क DocType: Opportunity,Contact Mobile No,मोबाइल नंबरशी संपर्क साधा DocType: Employee,Joining Details,तपशील सामील diff --git a/erpnext/translations/ms.csv b/erpnext/translations/ms.csv index cdff43250b..9279cdeb48 100644 --- a/erpnext/translations/ms.csv +++ b/erpnext/translations/ms.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Bahagian Pembekal No DocType: Journal Entry Account,Party Balance,Baki Parti apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Sumber Dana (Liabiliti) DocType: Payroll Period,Taxable Salary Slabs,Slab Gaji Boleh Dikenakan +DocType: Quality Action,Quality Feedback,Maklum balas Kualiti DocType: Support Settings,Support Settings,Tetapan Sokongan apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Sila masukkan Item Pengeluaran dahulu DocType: Quiz,Grading Basis,Asas Penggredan @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Maklumat lanjut DocType: Salary Component,Earning,Pendapatan DocType: Restaurant Order Entry,Click Enter To Add,Klik Masukkan Ke Tambah DocType: Employee Group,Employee Group,Kumpulan Pekerja +DocType: Quality Procedure,Processes,Proses DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Tentukan Kadar Pertukaran untuk menukarkan satu mata wang kepada yang lain apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Julat Penuaan 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Gudang yang diperlukan untuk item Stok {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Aduan DocType: Shipping Rule,Restrict to Countries,Hadkan kepada Negara DocType: Hub Tracked Item,Item Manager,Pengurus Item apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Mata Wang Akaun Penutup mesti {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Belanjawan apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Pembukaan Item Invois DocType: Work Order,Plan material for sub-assemblies,Merancang bahan untuk sub-perhimpunan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Perkakasan DocType: Budget,Action if Annual Budget Exceeded on MR,Tindakan jika Bajet Tahunan Melebihi MR DocType: Sales Invoice Advance,Advance Amount,Jumlah pendahuluan +DocType: Accounting Dimension,Dimension Name,Nama Dimensi DocType: Delivery Note Item,Against Sales Invoice Item,Melawan Item Invois Jualan DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Termasuk Item Dalam Pembuatan @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Apa yang dilakuk ,Sales Invoice Trends,Trend Invois Jualan DocType: Bank Reconciliation,Payment Entries,Penyertaan Bayaran DocType: Employee Education,Class / Percentage,Kelas / Peratusan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod Item> Kumpulan Item> Jenama ,Electronic Invoice Register,Daftar Invois Elektronik DocType: Sales Invoice,Is Return (Credit Note),Adakah Pulangan (Nota Kredit) DocType: Lab Test Sample,Lab Test Sample,Sampel Ujian Makmal @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Variasi apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Caj akan diagihkan secara berpadanan berdasarkan item qty atau jumlah, mengikut pemilihan anda" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Aktiviti belum selesai untuk hari ini +DocType: Quality Procedure Process,Quality Procedure Process,Proses Prosedur Kualiti DocType: Fee Schedule Program,Student Batch,Batch Pelajar apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Kadar Penilaian diperlukan untuk Item dalam baris {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Kadar Jam Base (Mata Wang Syarikat) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Tetapkan Qty dalam Transaksi berdasarkan Serial No Input 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 sepatutnya sama dengan mata wang syarikat {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Sesuaikan Bahagian Homepage -DocType: Quality Goal,October,Oktober +DocType: GSTR 3B Report,October,Oktober DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Sembunyikan Id Cukai Pelanggan dari Transaksi Jualan apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN tidak sah! A GSTIN mesti mempunyai 15 aksara. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Peraturan Harga {0} dikemas kini @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Tinggalkan Baki apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Jadual penyelenggaraan {0} wujud terhadap {1} DocType: Assessment Plan,Supervisor Name,Nama Penyelia DocType: Selling Settings,Campaign Naming By,Kempen Penamaan Oleh -DocType: Course,Course Code,Kod Kursus +DocType: Student Group Creation Tool Course,Course Code,Kod Kursus apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aeroangkasa DocType: Landed Cost Voucher,Distribute Charges Based On,Mengedarkan Caj Berdasarkan DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Kriteria Pemarkahan Skor Pembekal @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Menu Restoran DocType: Asset Movement,Purpose,Tujuan apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Penyerahan Struktur Gaji untuk Pekerja telah wujud DocType: Clinical Procedure,Service Unit,Unit Perkhidmatan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah DocType: Travel Request,Identification Document Number,Nombor Dokumen Pengenalan DocType: Stock Entry,Additional Costs,Kos-kos tambahan -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Kursus Induk (Buang kosong, jika ini bukan sebahagian daripada Kursus Induk)" DocType: Employee Education,Employee Education,Pendidikan Pekerja apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Bilangan jawatan tidak boleh kurang jumlah pekerja semasa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Semua Kumpulan Pelanggan @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Baris {0}: Qty adalah wajib DocType: Sales Invoice,Against Income Account,Terhadap Akaun Pendapatan apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Baris # {0}: Invois Pembelian tidak boleh dibuat terhadap aset sedia ada {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Kaedah untuk memohon skim promosi yang berbeza. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion factor yang diperlukan untuk UOM: {0} in Item: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Sila masukkan kuantiti untuk Item {0} DocType: Workstation,Electricity Cost,Kos Elektrik @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Jumlah yang Diproyeksikan Qty apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Tarikh mula sebenar 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 -DocType: Company,About the Company,Mengenai Syarikat apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Pokok akaun kewangan. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Pendapatan Tidak Langsung DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Tempahan Bilik Bilik Hotel @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Pangkalan da DocType: Skill,Skill Name,Nama kemahiran apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Cetak Kad Laporan DocType: Soil Texture,Ternary Plot,Plot Ternary +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Tiket Sokongan DocType: Asset Category Account,Fixed Asset Account,Akaun Aset Tetap apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Terkini @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Kursus Pendaftaran ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Sila tetapkan siri ini untuk digunakan. DocType: Delivery Trip,Distance UOM,Jarak UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Lembaran Imbangan Mandatori DocType: Payment Entry,Total Allocated Amount,Jumlah yang diperuntukkan DocType: Sales Invoice,Get Advances Received,Dapatkan Mendapat Penerimaan DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Jadual Penyelenggar apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,Profil POS diperlukan untuk membuat POS Entry DocType: Education Settings,Enable LMS,Dayakan LMS DocType: POS Closing Voucher,Sales Invoices Summary,Ringkasan Invois Jualan +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Manfaat apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit Untuk akaun mestilah akaun Lembaran Imbangan DocType: Video,Duration,Tempoh DocType: Lab Test Template,Descriptive,Penjelasan @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Tarikh Mula dan Akhir DocType: Supplier Scorecard,Notify Employee,Memberitahu Pekerja apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Perisian +DocType: Program,Allow Self Enroll,Benarkan Diri Sendiri apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Perbelanjaan Saham apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Rujukan Tidak wajib jika anda memasukkan Tarikh Rujukan DocType: Training Event,Workshop,Bengkel @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Templat Ujian Lab apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-Invoicing Information Missing apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Tiada permintaan material yang dibuat +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod Item> Kumpulan Item> Jenama DocType: Loan,Total Amount Paid,Jumlah Amaun Dibayar apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Semua barang-barang ini telah dimasukkan ke dalam invois DocType: Training Event,Trainer Name,Nama Jurulatih @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Tahun akademik DocType: Sales Stage,Stage Name,Nama pentas DocType: SMS Center,All Employee (Active),Semua Pekerja (Aktif) +DocType: Accounting Dimension,Accounting Dimension,Dimensi Perakaunan DocType: Project,Customer Details,butiran pelanggan DocType: Buying Settings,Default Supplier Group,Kumpulan Pembekal Lalai apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Sila membatalkan Resit Pembelian {0} terlebih dahulu @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Lebih tinggi nom DocType: Designation,Required Skills,Kemahiran yang Diperlukan DocType: Marketplace Settings,Disable Marketplace,Lumpuhkan Pasaran DocType: Budget,Action if Annual Budget Exceeded on Actual,Tindakan jika Bajet Tahunan Melebihi Sebenar -DocType: Course,Course Abbreviation,Singkatan Kursus apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Kehadiran tidak diserahkan untuk {0} sebagai {1} semasa cuti. DocType: Pricing Rule,Promotional Scheme Id,Id Skim Promosi apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Tarikh tamat tugas {0} tidak boleh melebihi {1} tarikh akhir yang diharapkan {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Wang Margin DocType: Chapter,Chapter,Bab DocType: Purchase Receipt Item Supplied,Current Stock,Stok semasa DocType: Employee,History In Company,Sejarah Di Syarikat -DocType: Item,Manufacturer,Pengeluar +DocType: Purchase Invoice Item,Manufacturer,Pengeluar apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Kepekaan Moderat DocType: Compensatory Leave Request,Leave Allocation,Tinggalkan Peruntukan DocType: Timesheet,Timesheet,Timesheet @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Bahan yang Dipindahka DocType: Products Settings,Hide Variants,Sembunyikan Variasi DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Lumpuhkan Perancangan Kapasiti dan Penjejakan Masa DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Akan dikira dalam transaksi. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} diperlukan untuk akaun 'Kunci Kira-kira' {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} tidak dibenarkan berurusniaga dengan {1}. Sila tukar Syarikat. 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}","Mengikut Tetapan Pembelian jika Rekod Pembelian Diperlukan == 'YES', kemudian untuk membuat Invois Pembelian, pengguna perlu membuat Resit Pembelian terlebih dahulu untuk item {0}" DocType: Delivery Trip,Delivery Details,butiran penghantaran @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Sebelumnya apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Unit ukuran DocType: Lab Test,Test Template,Templat Ujian DocType: Fertilizer,Fertilizer Contents,Kandungan Pupuk -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minit +DocType: Quality Meeting Minutes,Minute,Minit apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Baris # {0}: Asset {1} tidak dapat diserahkan, sudah {2}" DocType: Task,Actual Time (in Hours),Masa sebenar (dalam jam) DocType: Period Closing Voucher,Closing Account Head,Menutup Ketua Akaun @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Makmal DocType: Purchase Order,To Bill,Untuk Rang Undang-Undang apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Perbelanjaan Utiliti DocType: Manufacturing Settings,Time Between Operations (in mins),Masa Antara Operasi (dalam minit) -DocType: Quality Goal,May,Mungkin +DocType: GSTR 3B Report,May,Mungkin apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Akaun Gateway Pembayaran tidak dibuat, sila buat satu manual." DocType: Opening Invoice Creation Tool,Purchase,Pembelian DocType: Program Enrollment,School House,Rumah Sekolah @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,K DocType: Supplier,Statutory info and other general information about your Supplier,Maklumat statutori dan maklumat umum lain mengenai Pembekal anda DocType: Item Default,Default Selling Cost Center,Pusat Kos Jualan Lalai DocType: Sales Partner,Address & Contacts,Alamat & Kenalan +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: Subscriber,Subscriber,Pelanggan apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Borang / Item / {0}) kehabisan stok apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Sila pilih Tarikh Posting dahulu @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Cuti Lawatan Pesakit Dal DocType: Bank Statement Settings,Transaction Data Mapping,Pemetaan Data Transaksi apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,A Lead memerlukan sama ada nama seseorang atau nama organisasi DocType: Student,Guardians,Penjaga +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/public/js/stock_analytics.js,Select Brand...,Pilih Jenama ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Pendapatan Tengah DocType: Shipping Rule,Calculate Based On,Kira Berdasarkan Berdasarkan @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Pendahuluan Tuntutan Perbel DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Penyelarasan Bulat (Mata Wang Syarikat) DocType: Item,Publish in Hub,Terbitkan di Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,Ogos +DocType: GSTR 3B Report,August,Ogos apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Sila masukkan Resit Pembelian terlebih dahulu apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Mula Tahun apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Sasaran ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,Kuantiti Sampel Maksima apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Gudang sumber dan sasaran mestilah berbeza DocType: Employee Benefit Application,Benefits Applied,Faedah yang Dipohon apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Terhadap Kemasukan Jurnal {0} tidak mempunyai entri {1} yang tidak dapat ditandingi +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Watak Khas kecuali "-", "#", ".", "/", "{" Dan "}" tidak dibenarkan dalam siri penamaan" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Slab potongan harga atau produk diperlukan apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Tetapkan Sasaran apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Rekod Kehadiran {0} wujud terhadap Pelajar {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Sebulan DocType: Routing,Routing Name,Nama Routing DocType: Disease,Common Name,Nama yang selalu digunakan -DocType: Quality Goal,Measurable,Boleh diukur DocType: Education Settings,LMS Title,Tajuk LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Pengurusan Pinjaman -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Sokongan Analit DocType: Clinical Procedure,Consumable Total Amount,Jumlah Jumlah yang boleh digunakan apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Dayakan Templat apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Pelanggan LPO @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,Berkhidmat DocType: Loan,Member,Ahli DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Jadual Unit Perkhidmatan Praktisi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Pemindahan wayar +DocType: Quality Review Objective,Quality Review Objective,Objektif Kajian Kualiti DocType: Bank Reconciliation Detail,Against Account,Terhadap Akaun DocType: Projects Settings,Projects Settings,Tetapan Projek apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Qty sebenar {0} / Menunggu Qty {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Mo apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Tarikh Akhir Tahun Fiskal hendaklah satu tahun selepas Tarikh Mula Tahun Fiskal apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Peringatan harian DocType: Item,Default Sales Unit of Measure,Unit Jualan Kesilapan +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Syarikat GSTIN DocType: Asset Finance Book,Rate of Depreciation,Kadar Susut Nilai DocType: Support Search Source,Post Description Key,Catat Keterangan Utama DocType: Loyalty Program Collection,Minimum Total Spent,Jumlah Semula Minimum @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Mengubah Kumpulan Pelanggan untuk Pelanggan yang dipilih tidak dibenarkan. DocType: Serial No,Creation Document Type,Jenis Dokumen Penciptaan DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Terdapat Kelebihan Qty di Gudang +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Jumlah Besar Invois apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Ini adalah wilayah akar dan tidak dapat diedit. DocType: Patient,Surgical History,Sejarah Pembedahan apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Pokok Prosedur Kualiti. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,P DocType: Item Group,Check this if you want to show in website,Semak ini jika anda mahu tunjukkan di laman web apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Tahun Fiskal {0} tidak dijumpai DocType: Bank Statement Settings,Bank Statement Settings,Tetapan Penyata Bank +DocType: Quality Procedure Process,Link existing Quality Procedure.,Pautan Prosedur Kualiti yang sedia ada. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Import Carta Akaun dari fail CSV / Excel DocType: Appraisal Goal,Score (0-5),Markah (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Atribut {0} dipilih beberapa kali dalam Jadual Atribut DocType: Purchase Invoice,Debit Note Issued,Nota Debit yang Dikeluarkan @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Tinggalkan Butiran Dasar apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Gudang tidak terdapat di dalam sistem DocType: Healthcare Practitioner,OP Consulting Charge,Caj Perundingan OP -DocType: Quality Goal,Measurable Goal,Matlamat yang boleh diukur DocType: Bank Statement Transaction Payment Item,Invoices,Invois DocType: Currency Exchange,Currency Exchange,Pertukaran mata wang DocType: Payroll Entry,Fortnightly,Fortnightly @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} tidak diserahkan DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Bahan bakar backflush dari gudang kerja yang sedang berjalan DocType: Maintenance Team Member,Maintenance Team Member,Ahli Pasukan Penyelenggaraan +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Persediaan dimensi khusus untuk perakaunan DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Jarak minimum antara barisan tumbuhan untuk pertumbuhan yang optimum DocType: Employee Health Insurance,Health Insurance Name,Nama Insurans Kesihatan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Aset Saham @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,Nama Alamat Pengebilan apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Perkara Ganti DocType: Certification Application,Name of Applicant,Nama pemohon DocType: Leave Type,Earned Leave,Caj Perolehan -DocType: Quality Goal,June,Jun +DocType: GSTR 3B Report,June,Jun apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Baris {0}: Pusat kos diperlukan untuk item {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Boleh diluluskan oleh {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unit Ukur {0} telah dimasukkan lebih dari sekali dalam Jadual Faktor Penukaran @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,Kadar Jualan Standard apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Sila tetapkan menu aktif untuk Restoran {0} apps/erpnext/erpnext/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: Asset Finance Book,Asset Finance Book,Buku Kewangan Aset +DocType: Quality Goal Objective,Quality Goal Objective,Objektif Kualiti Matlamat DocType: Employee Transfer,Employee Transfer,Pemindahan Pekerja ,Sales Funnel,Corong Jualan DocType: Agriculture Analysis Criteria,Water Analysis,Analisis Air @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Harta Pemindahan apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Aktiviti Menanti apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Senaraikan beberapa pelanggan anda. Mereka boleh menjadi organisasi atau individu. DocType: Bank Guarantee,Bank Account Info,Maklumat Akaun Bank +DocType: Quality Goal,Weekday,Hari minggu apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Nama Guardian1 DocType: Salary Component,Variable Based On Taxable Salary,Variabel Berdasarkan Gaji Boleh Dituntut DocType: Accounting Period,Accounting Period,Tempoh Perakaunan @@ -2229,7 +2245,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Pelarasan Membulat DocType: Quality Review Table,Quality Review Table,Jadual Penilaian Kualiti DocType: Member,Membership Expiry Date,Keahlian Tarikh Luput DocType: Asset Finance Book,Expected Value After Useful Life,Nilai yang Dijangka Selepas Kehidupan Berguna -DocType: Quality Goal,November,November +DocType: GSTR 3B Report,November,November DocType: Loan Application,Rate of Interest,Kadar faedah DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Perkara Pembayaran Transaksi Penyata Bank DocType: Restaurant Reservation,Waitlisted,Waitlisted @@ -2293,6 +2309,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Baris {0}: Untuk menetapkan {1} berkala, perbezaan antara dari dan ke tarikh \ mestilah lebih besar daripada atau sama dengan {2}" DocType: Purchase Invoice Item,Valuation Rate,Kadar Penilaian DocType: Shopping Cart Settings,Default settings for Shopping Cart,Tetapan lalai untuk Keranjang Belanja +DocType: Quiz,Score out of 100,Skor daripada 100 DocType: Manufacturing Settings,Capacity Planning,Perancangan Kapasiti apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Pergi ke Pengajar DocType: Activity Cost,Projects,Projek-projek @@ -2302,6 +2319,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Dari masa apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Laporan Butiran Variasi +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Untuk Membeli apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slot untuk {0} tidak ditambah pada jadual DocType: Target Detail,Target Distribution,Pengedaran Sasaran @@ -2319,6 +2337,7 @@ DocType: Activity Cost,Activity Cost,Kos Aktiviti DocType: Journal Entry,Payment Order,Perintah Pembayaran apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Harga ,Item Delivery Date,Tarikh Penghantaran Item +DocType: Quality Goal,January-April-July-October,Januari-April-Julai-Oktober DocType: Purchase Order Item,Warehouse and Reference,Gudang dan Rujukan apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Akaun dengan nod anak tidak boleh ditukar kepada lejar DocType: Soil Texture,Clay Composition (%),Komposisi tanah liat (%) @@ -2369,6 +2388,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Tarikh masa depan tida apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance 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/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Masa Akademik: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Parameter Maklum Balas Kualiti apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Sila pilih Terapkan Diskaun Diskaun apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Baris # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Jumlah Pembayaran @@ -2411,7 +2431,7 @@ DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID pekerja DocType: Salary Structure Assignment,Salary Structure Assignment,Penyerahhakkan Struktur Gaji DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Voucher Penutupan Cukai -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Tindakan Inisiatif +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Tindakan Inisiatif DocType: POS Profile,Applicable for Users,Berkenaan untuk Pengguna DocType: Training Event,Exam,Peperiksaan apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nombor Entre Lejar Am yang tidak betul didapati. Anda mungkin telah memilih Akaun salah dalam transaksi. @@ -2518,6 +2538,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Longitud DocType: Accounts Settings,Determine Address Tax Category From,Tentukan Kategori Cukai Alamat Dari apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Mengenal pasti Pembuat Keputusan +DocType: Stock Entry Detail,Reference Purchase Receipt,Resit Pembelian Rujukan apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Dapatkan Invocies DocType: Tally Migration,Is Day Book Data Imported,Adakah Data Buku Hari Diimport ,Sales Partners Commission,Suruhanjaya Perkongsian Jualan @@ -2541,6 +2562,7 @@ DocType: Leave Type,Applicable After (Working Days),Berkenaan Selepas (Hari Kerj DocType: Timesheet Detail,Hrs,Hrs DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kriteria Kad Skor Pembekal DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parameter Templat Maklum Balas Kualiti apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Tarikh Bersalin mestilah lebih besar daripada Tarikh Lahir DocType: Bank Statement Transaction Invoice Item,Invoice Date,Tarikh invois DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Buat Ujian Makmal ke atas Invois Jualan Jualan @@ -2647,7 +2669,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Nilai Minimum yang Di DocType: Stock Entry,Source Warehouse Address,Alamat Gudang Sumber DocType: Compensatory Leave Request,Compensatory Leave Request,Permintaan Cuti Pampasan DocType: Lead,Mobile No.,Nombor telefon bimbit. -DocType: Quality Goal,July,Julai +DocType: GSTR 3B Report,July,Julai apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC yang layak DocType: Fertilizer,Density (if liquid),Kepadatan (jika cecair) DocType: Employee,External Work History,Sejarah Kerja Luar @@ -2724,6 +2746,7 @@ DocType: Certification Application,Certification Status,Status Persijilan apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Lokasi Sumber diperlukan untuk aset {0} DocType: Employee,Encashment Date,Tarikh Encasment apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Sila pilih Tarikh Siap untuk Log Penyelenggaraan Aset Selesai +DocType: Quiz,Latest Attempt,Percubaan terkini DocType: Leave Block List,Allow Users,Benarkan Pengguna apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Carta Akaun apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Pelanggan adalah wajib jika 'Opportunity From' dipilih sebagai Pelanggan @@ -2788,7 +2811,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Persediaan Kad Score DocType: Amazon MWS Settings,Amazon MWS Settings,Tetapan MWS Amazon DocType: Program Enrollment,Walking,Berjalan kaki DocType: SMS Log,Requested Numbers,Nombor yang Diminta -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: Woocommerce Settings,Freight and Forwarding Account,Akaun Pengangkut dan Pengiriman apps/erpnext/erpnext/accounts/party.py,Please select a Company,Sila pilih Syarikat apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Baris {0}: {1} mesti lebih besar daripada 0 @@ -2858,7 +2880,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Bil-bil yan DocType: Training Event,Seminar,Seminar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kredit ({0}) DocType: Payment Request,Subscription Plans,Pelan Langganan -DocType: Quality Goal,March,Mac +DocType: GSTR 3B Report,March,Mac apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Split Batch DocType: School House,House Name,Nama rumah apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Undian untuk {0} tidak boleh kurang daripada sifar ({1}) @@ -2921,7 +2943,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Tarikh Mula Insurans DocType: Target Detail,Target Detail,Detail sasaran DocType: Packing Slip,Net Weight UOM,Berat bersih UOM -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: Purchase Invoice Item,Net Amount (Company Currency),Jumlah Bersih (Mata Wang Syarikat) DocType: Bank Statement Transaction Settings Item,Mapped Data,Data Mapping apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Sekuriti dan Deposit @@ -2971,6 +2992,7 @@ DocType: Cheque Print Template,Cheque Height,Semak Ketinggian apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Sila masukkan tarikh pelepasan. DocType: Loyalty Program,Loyalty Program Help,Bantuan Program Kesetiaan DocType: Journal Entry,Inter Company Journal Entry Reference,Rujukan Kemasukan Jurnal Syarikat Antara +DocType: Quality Meeting,Agenda,Agenda DocType: Quality Action,Corrective,Pembetulan apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Kumpulan Oleh DocType: Bank Account,Address and Contact,Alamat dan Kenalan @@ -3024,7 +3046,7 @@ DocType: GL Entry,Credit Amount,Jumlah kredit apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Jumlah Jumlah Dikreditkan DocType: Support Search Source,Post Route Key List,Senarai Kunci Laluan Pos apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} tidak dalam mana-mana Tahun Fiskal yang aktif. -DocType: Quality Action Table,Problem,Masalah +DocType: Quality Action Resolution,Problem,Masalah DocType: Training Event,Conference,Persidangan DocType: Mode of Payment Account,Mode of Payment Account,Mod Pembayaran Akaun DocType: Leave Encashment,Encashable days,Hari-hari yang boleh dicegah @@ -3150,7 +3172,7 @@ DocType: Item,"Purchase, Replenishment Details","Pembelian, Butiran Penambahan" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Setelah ditetapkan, invois ini akan ditangguhkan sehingga tarikh ditetapkan" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Stok tidak boleh wujud untuk Item {0} sejak mempunyai variasi DocType: Lab Test Template,Grouped,Dikumpulkan -DocType: Quality Goal,January,Januari +DocType: GSTR 3B Report,January,Januari DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteria Penilaian Kursus DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Qty selesai @@ -3246,7 +3268,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Jenis Unit Pe apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Sila masukkan atleast 1 invois dalam jadual apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Pesanan Jualan {0} tidak dihantar apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Kehadiran telah berjaya ditandakan. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Pra Jualan +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pra Jualan apps/erpnext/erpnext/config/projects.py,Project master.,Tuan projek. DocType: Daily Work Summary,Daily Work Summary,Ringkasan Kerja Harian DocType: Asset,Partially Depreciated,Disatukan sebahagiannya @@ -3255,6 +3277,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Tinggalkan Encashed? DocType: Certified Consultant,Discuss ID,Bincangkan ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Sila tetapkan Akaun GST dalam Tetapan CBP +DocType: Quiz,Latest Highest Score,Skor Tertinggi Terkini DocType: Supplier,Billing Currency,Mata Wang Pengebilan apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Aktiviti Pelajar apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Sama ada sasaran qty atau jumlah sasaran adalah wajib @@ -3280,18 +3303,21 @@ DocType: Sales Order,Not Delivered,Tidak dihantar 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 kerana ia meninggalkan tanpa gaji DocType: GL Entry,Debit Amount,Jumlah Debit apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Sudah ada rekod untuk item {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Sub Assemblies 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.","Sekiranya Banyak Peraturan Penentuan terus diguna pakai, pengguna diminta untuk menetapkan Prioriti secara manual untuk menyelesaikan konflik." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Tidak boleh memotong apabila kategori adalah untuk 'Penilaian' atau 'Penilaian dan Jumlah' apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM dan Kuantiti Pembuatan diperlukan apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Perkara {0} telah mencapai akhir hayatnya pada {1} DocType: Quality Inspection Reading,Reading 6,Membaca 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Bidang syarikat diperlukan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Penggunaan Bahan tidak ditetapkan dalam Tetapan Pembuatan. DocType: Assessment Group,Assessment Group Name,Nama Kumpulan Penilaian -DocType: Item,Manufacturer Part Number,Nombor Bahagian Pengeluar +DocType: Purchase Invoice Item,Manufacturer Part Number,Nombor Bahagian Pengeluar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll Payable apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Baris # {0}: {1} tidak boleh menjadi negatif untuk item {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Baki Qty +DocType: Question,Multiple Correct Answer,Berbilang Jawapan yang Betul DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Mata Kesetiaan = Berapa banyak mata wang asas? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Nota: Tidak cukup baki cuti untuk Tinggalkan Jenis {0} DocType: Clinical Procedure,Inpatient Record,Rekod Rawat Inap @@ -3412,6 +3438,7 @@ DocType: Fee Schedule Program,Total Students,Jumlah Pelajar apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Tempatan DocType: Chapter Member,Leave Reason,Tinggalkan Sebab DocType: Salary Component,Condition and Formula,Keadaan dan Formula +DocType: Quality Goal,Objectives,Objektif apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Gaji sudah diproses untuk tempoh di antara {0} dan {1}, Tinggalkan tempoh permohonan tidak boleh berada di antara julat tarikh ini." DocType: BOM Item,Basic Rate (Company Currency),Kadar Asas (Mata Wang Syarikat) DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item @@ -3462,6 +3489,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Akaun Tuntutan Perbelanjaan apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Tiada bayaran balik yang tersedia untuk Kemasukan Jurnal apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} adalah pelajar tidak aktif +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Buat Entri Saham DocType: Employee Onboarding,Activities,Aktiviti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast satu gudang adalah wajib ,Customer Credit Balance,Baki Kredit Pelanggan @@ -3546,7 +3574,6 @@ DocType: Contract,Contract Terms,Terma Kontrak apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Sama ada sasaran qty atau jumlah sasaran adalah wajib. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},{0} tidak sah DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Tarikh Mesyuarat DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Singkatan tidak boleh mempunyai lebih daripada 5 aksara DocType: Employee Benefit Application,Max Benefits (Yearly),Manfaat Maksimum (Tahunan) @@ -3649,7 +3676,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Caj bank apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Barang Dipindahkan apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Butiran Hubungan Utama -DocType: Quality Review,Values,Nilai DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Sekiranya tidak diperiksa, senarai itu perlu ditambah ke setiap Jabatan yang perlu digunakan." DocType: Item Group,Show this slideshow at the top of the page,Paparkan tayangan gambar ini di bahagian atas halaman apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Parameter {0} tidak sah @@ -3668,6 +3694,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Akaun Caj Bank DocType: Journal Entry,Get Outstanding Invoices,Dapatkan Invois DocType: Opportunity,Opportunity From,Peluang Dari +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Butiran Sasaran DocType: Item,Customer Code,Kod pelanggan apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Sila masukkan Item dahulu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Penyenaraian Laman Web @@ -3696,7 +3723,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Penghantaran kepada DocType: Bank Statement Transaction Settings Item,Bank Data,Data Bank apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Upto yang dijadualkan -DocType: Quality Goal,Everyday,Setiap hari DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Mengekalkan Waktu Pengebilan dan Waktu Kerja Sama pada Timesheet apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Trek Memimpin oleh Sumber Utama. DocType: Clinical Procedure,Nursing User,Pengguna Kejururawatan @@ -3721,7 +3747,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Urus Pokok Wilayah. DocType: GL Entry,Voucher Type,Jenis Baucer ,Serial No Service Contract Expiry,Tempoh Kontrak Tidak Berakhir DocType: Certification Application,Certified,Disahkan -DocType: Material Request Plan Item,Manufacture,Pembuatan +DocType: Purchase Invoice Item,Manufacture,Pembuatan apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} item dihasilkan apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Permintaan Pembayaran untuk {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Hari Sejak Perintah Terakhir @@ -3736,7 +3762,7 @@ DocType: Sales Invoice,Company Address Name,Nama Alamat Syarikat apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Barangan Dalam Transit apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Anda hanya boleh menebus maks {0} mata dalam pesanan ini. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Sila berikan akaun dalam Gudang {0} -DocType: Quality Action Table,Resolution,Resolusi +DocType: Quality Action,Resolution,Resolusi DocType: Sales Invoice,Loyalty Points Redemption,Penebusan Mata Kesetiaan apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Jumlah Nilai Kenaikan DocType: Patient Appointment,Scheduled,Dijadualkan @@ -3857,6 +3883,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Kadar apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Menyimpan {0} DocType: SMS Center,Total Message(s),Jumlah mesej (s) +DocType: Purchase Invoice,Accounting Dimensions,Dimensi Perakaunan apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Kumpulan mengikut Akaun DocType: Quotation,In Words will be visible once you save the Quotation.,Dalam Perkataan akan dapat dilihat apabila anda menyimpan Sebut Harga. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Kuantiti untuk Menghasilkan @@ -4021,7 +4048,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,M apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Jika anda mempunyai sebarang soalan, sila kembali kepada kami." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Resit Pembelian {0} tidak diserahkan DocType: Task,Total Expense Claim (via Expense Claim),Tuntutan Perbelanjaan Jumlah (melalui Tuntutan Perbelanjaan) -DocType: Quality Action,Quality Goal,Matlamat Kualiti +DocType: Quality Goal,Quality Goal,Matlamat Kualiti DocType: Support Settings,Support Portal,Portal Sokongan apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Tarikh tamat tugas {0} tidak boleh kurang daripada {1} tarikh permulaan yang diharapkan {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Pekerja {0} ada di Cuti di {1} @@ -4080,7 +4107,6 @@ DocType: BOM,Operating Cost (Company Currency),Kos Operasi (Mata Wang Syarikat) DocType: Item Price,Item Price,Harga Item DocType: Payment Entry,Party Name,Nama Parti apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Sila pilih pelanggan -DocType: Course,Course Intro,Pengenalan Kursus DocType: Program Enrollment Tool,New Program,Program Baru apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Bilangan Pusat Kos baru, ia akan dimasukkan ke dalam nama pusat kos sebagai awalan" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Pilih pelanggan atau pembekal. @@ -4281,6 +4307,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Bayar bersih tidak boleh negatif apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Tiada Interaksi 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 dipindahkan lebih daripada {2} terhadap Pesanan Pembelian {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Pemprosesan Carta Akaun dan Pihak DocType: Stock Settings,Convert Item Description to Clean HTML,Tukar Penerangan Penerangan untuk HTML Bersih apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Semua Kumpulan Pembekal @@ -4359,6 +4386,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Item Ibu Bapa apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Sila buat resit pembelian atau pembelian invois untuk item {0} +,Product Bundle Balance,Baki Bundle Produk apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Nama Syarikat tidak boleh menjadi Syarikat DocType: Maintenance Visit,Breakdown,Rosak DocType: Inpatient Record,B Negative,B Negatif @@ -4367,7 +4395,7 @@ DocType: Purchase Invoice,Credit To,Kredit Kepada apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Serahkan Perintah Kerja ini untuk pemprosesan selanjutnya. DocType: Bank Guarantee,Bank Guarantee Number,Nombor Jaminan Bank apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Dihantar: {0} -DocType: Quality Action,Under Review,Ditinjau +DocType: Quality Meeting Table,Under Review,Ditinjau apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Pertanian (beta) ,Average Commission Rate,Purata Kadar Komisen DocType: Sales Invoice,Customer's Purchase Order Date,Tarikh Pesanan Pembelian Pelanggan @@ -4484,7 +4512,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Padankan Pembayaran dengan Invois DocType: Holiday List,Weekly Off,Mingguan Mati apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Tidak membenarkan menetapkan item alternatif untuk item {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Program {0} tidak wujud. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} tidak wujud. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Anda tidak boleh mengedit nod akar. DocType: Fee Schedule,Student Category,Kategori Pelajar apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Perkara {0}: {1} qty dihasilkan," @@ -4575,8 +4603,8 @@ DocType: Crop,Crop Spacing,Spasi Tanaman 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? DocType: Pricing Rule,Period Settings,Tetapan Tempoh apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Perubahan Bersih dalam Akaun Belum Terima +DocType: Quality Feedback Template,Quality Feedback Template,Template Maklum Balas Kualiti apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Untuk Kuantiti mestilah lebih besar dari sifar -DocType: Quality Goal,Goal Objectives,Objektif Matlamat apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Terdapat ketidakkonsistenan antara kadar, tiada saham dan amaun yang dikira" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Biarkan kosong jika anda membuat kumpulan pelajar setiap tahun apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Pinjaman (Liabiliti) @@ -4611,12 +4639,13 @@ DocType: Quality Procedure Table,Step,Langkah DocType: Normal Test Items,Result Value,Nilai Hasil DocType: Cash Flow Mapping,Is Income Tax Liability,Kewajipan Cukai Pendapatan DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Item Caj Rawat Inap Pesakit -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} tidak wujud. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} tidak wujud. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Kemas kini Semula DocType: Bank Guarantee,Supplier,Pembekal apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Masukkan nilai betweeen {0} dan {1} DocType: Purchase Order,Order Confirmation Date,Tarikh Pengesahan Pesanan DocType: Delivery Trip,Calculate Estimated Arrival Times,Kira Anggaran Ketibaan Kali +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Sila persediaan Sistem Penamaan Pekerja dalam Sumber Manusia> Tetapan HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Boleh makan DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Tarikh Mula Langganan @@ -4680,6 +4709,7 @@ DocType: Cheque Print Template,Is Account Payable,Adakah Akaun Boleh Dibayar apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Nilai Pesanan Keseluruhan apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Pembekal {0} tidak dijumpai di {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Tetapkan tetapan gerbang SMS +DocType: Salary Component,Round to the Nearest Integer,Pusingan ke Integer Hampir apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Akar tidak boleh mempunyai pusat kos ibu bapa DocType: Healthcare Service Unit,Allow Appointments,Benarkan Pelantikan DocType: BOM,Show Operations,Tunjukkan Operasi @@ -4808,7 +4838,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Senarai Holiday Default DocType: Naming Series,Current Value,Nilai semasa apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Musim untuk menetapkan belanjawan, sasaran dll." -DocType: Program,Program Code,Kod Program apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Amaran: Pesanan Jualan {0} sudah wujud terhadap Pesanan Pembelian Pelanggan {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Sasaran Jualan Bulanan ( DocType: Guardian,Guardian Interests,Minat Guardian @@ -4858,10 +4887,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Dibayar dan Tidak Dihantar apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Kod Item adalah wajib kerana Item tidak secara automatik dihitung DocType: GST HSN Code,HSN Code,Kod HSN -DocType: Quality Goal,September,September +DocType: GSTR 3B Report,September,September apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Perbelanjaan pentadbiran DocType: C-Form,C-Form No,C-Borang No DocType: Purchase Invoice,End date of current invoice's period,Tarikh akhir tempoh invois semasa +DocType: Item,Manufacturers,Pengilang DocType: Crop Cycle,Crop Cycle,Kitaran Tanaman DocType: Serial No,Creation Time,Masa Penciptaan apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Sila masukkan Meluluskan Peranan atau Pengguna Meluluskan @@ -4934,8 +4964,6 @@ DocType: Employee,Short biography for website and other publications.,Biografi r DocType: Purchase Invoice Item,Received Qty,Diterima Qty DocType: Purchase Invoice Item,Rate (Company Currency),Kadar (Mata Wang Syarikat) DocType: Item Reorder,Request for,Permintaan untuk -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/setup/setup_wizard/setup_wizard.py,Installing presets,Memasang pratetap apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Sila masukkan Tempoh Pembayaran DocType: Pricing Rule,Advanced Settings,Tetapan lanjutan @@ -4961,7 +4989,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Dayakan Keranjang Belanja DocType: Pricing Rule,Apply Rule On Other,Memohon Peraturan Di Lain-lain DocType: Vehicle,Last Carbon Check,Pemeriksaan Karbon Terakhir -DocType: Vehicle,Make,Buat +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Buat apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Invois Jualan {0} dicipta sebagai berbayar apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Untuk membuat dokumen rujukan Permintaan Pembayaran diperlukan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Cukai pendapatan @@ -5037,7 +5065,6 @@ DocType: Territory,Parent Territory,Wilayah Ibu Bapa DocType: Vehicle Log,Odometer Reading,Membaca Odometer DocType: Additional Salary,Salary Slip,Slip gaji DocType: Payroll Entry,Payroll Frequency,Frekuensi Gaji -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Sila persediaan Sistem Penamaan Pekerja dalam Sumber Manusia> Tetapan HR apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Tarikh mula dan tamat tidak dalam Tempoh Penggajian yang sah, tidak dapat mengira {0}" DocType: Products Settings,Home Page is Products,Laman Utama ialah Produk apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Panggilan @@ -5091,7 +5118,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Mengambil rekod ...... DocType: Delivery Stop,Contact Information,Maklumat perhubungan DocType: Sales Order Item,For Production,Untuk Pengeluaran -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: Serial No,Asset Details,Butiran Aset DocType: Restaurant Reservation,Reservation Time,Waktu Tempahan DocType: Selling Settings,Default Territory,Wilayah Terlantar @@ -5231,6 +5257,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,P apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Batches yang telah tamat DocType: Shipping Rule,Shipping Rule Type,Jenis Peraturan Penghantaran DocType: Job Offer,Accepted,Diterima +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/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Anda telah menilai kriteria penilaian {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Pilih Nombor Batch apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Umur (Hari) @@ -5247,6 +5275,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bungkusan item pada masa jualan. DocType: Payment Reconciliation Payment,Allocated Amount,Amaun yang diperuntukkan apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Sila pilih Syarikat dan Jawatan +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'Tarikh' diperlukan DocType: Email Digest,Bank Credit Balance,Baki Kredit Bank apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Tunjukkan Jumlah Kumulatif apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Anda tidak mempunyai Points Kesetiaan yang cukup untuk menebus @@ -5307,11 +5336,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Pada Baris Sebelum Jum DocType: Student,Student Email Address,Alamat E-mel Pelajar DocType: Academic Term,Education,Pendidikan DocType: Supplier Quotation,Supplier Address,Alamat Pembekal -DocType: Salary Component,Do not include in total,Jangan masukkan secara keseluruhan +DocType: Salary Detail,Do not include in total,Jangan masukkan secara keseluruhan apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Tidak boleh menetapkan berbilang Butiran Item untuk syarikat. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} tidak wujud DocType: Purchase Receipt Item,Rejected Quantity,Kuantiti Ditolak DocType: Cashier Closing,To TIme,Kepada TIme +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: Daily Work Summary Group User,Daily Work Summary Group User,Pengguna Kumpulan Ringkasan Kerja Harian DocType: Fiscal Year Company,Fiscal Year Company,Syarikat Fiskal Tahun apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Item alternatif tidak boleh sama dengan kod item @@ -5421,7 +5451,6 @@ DocType: Fee Schedule,Send Payment Request Email,Hantar E-mel Permintaan Pembaya DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Dalam Perkataan akan dapat dilihat apabila anda menyimpan Invois Jualan. DocType: Sales Invoice,Sales Team1,Pasukan Jualan1 DocType: Work Order,Required Items,Item yang diperlukan -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Watak Khas kecuali "-", "#", "." dan "/" tidak dibenarkan dalam penamaan siri" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Baca Manual ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Semak Kredibiliti Nombor Invois Pembekal apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Cari Sub perhimpunan @@ -5489,7 +5518,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Potongan Percukaian 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: Share Balance,To No,Tidak DocType: Leave Control Panel,Allocate Leaves,Alihkan Daun -DocType: Quiz,Last Attempt,Percubaan terakhir DocType: Assessment Result,Student Name,Nama pelajar apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Rancang untuk lawatan penyelenggaraan. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Mengikuti Permintaan Bahan telah dibangkitkan secara automatik berdasarkan tahap semula pesanan item @@ -5558,6 +5586,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Warna Petunjuk DocType: Item Variant Settings,Copy Fields to Variant,Salin Medan ke Varian DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Jawapan yang betul apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Dari tarikh tidak boleh kurang daripada tarikh menyertai pekerja DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Benarkan Berbilang Pesanan Jualan berbanding Pesanan Pembelian Pelanggan apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5620,7 +5649,7 @@ DocType: Account,Expenses Included In Valuation,Perbelanjaan Termasuk dalam Peni apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Nombor Siri DocType: Salary Slip,Deductions,Potongan ,Supplier-Wise Sales Analytics,Analitis Jualan Bijaksana -DocType: Quality Goal,February,Februari +DocType: GSTR 3B Report,February,Februari DocType: Appraisal,For Employee,Untuk Pekerja apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Tarikh Penghantaran Sebenar DocType: Sales Partner,Sales Partner Name,Nama Rakan Kongsi Jualan @@ -5716,7 +5745,6 @@ DocType: Procedure Prescription,Procedure Created,Prosedur Dibuat apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Terhadap Invois Pembekal {0} bertarikh {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Tukar Profil POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Buat Lead -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pembekal> Jenis Pembekal DocType: Shopify Settings,Default Customer,Pelanggan Lalai DocType: Payment Entry Reference,Supplier Invoice No,Invois Pembekal Tidak DocType: Pricing Rule,Mixed Conditions,Syarat Campuran @@ -5767,12 +5795,14 @@ DocType: Item,End of Life,Akhir hayat DocType: Lab Test Template,Sensitivity,Kepekaan DocType: Territory,Territory Targets,Sasaran Wilayah apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Peruntukkan Cuti Skipping untuk pekerja berikut, sebagai Rekod Tinggalkan Peruntukan sudah wujud terhadap mereka. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Resolusi Tindakan Kualiti DocType: Sales Invoice Item,Delivered By Supplier,Dihantar oleh Pembekal DocType: Agriculture Analysis Criteria,Plant Analysis,Analisis Tanaman apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Akaun perbelanjaan adalah wajib untuk item {0} ,Subcontracted Raw Materials To Be Transferred,Bahan Binaan Subkontrak Dipindahkan DocType: Cashier Closing,Cashier Closing,Penutupan Tunai apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Item {0} telah dikembalikan +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN tidak sah! Input yang anda masukkan tidak sepadan dengan format GSTIN untuk Penyedia Perkhidmatan OIDAR Pemegang UIN atau Bukan Pemastautin apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Gudang kanak-kanak wujud untuk gudang ini. Anda tidak boleh memadamkan gudang ini. DocType: Diagnosis,Diagnosis,Diagnosis apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Tiada tempoh cuti di antara {0} dan {1} @@ -5789,6 +5819,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Tetapan Kebenaran DocType: Homepage,Products,Produk ,Profit and Loss Statement,Kenyataan untung dan rugi apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Bilik yang dipesan +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Kemasukan salinan terhadap kod item {0} dan pengilang {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Berat keseluruhan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Perjalanan @@ -5837,6 +5868,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Kumpulan Pelanggan Lalai DocType: Journal Entry Account,Debit in Company Currency,Debit dalam Matawang Syarikat DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Siri sandaran adalah "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Agenda Mesyuarat Kualiti DocType: Cash Flow Mapper,Section Header,Tajuk Seksyen apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Produk atau Perkhidmatan Anda DocType: Crop,Perennial,Abadi @@ -5882,7 +5914,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produk atau Perkhidmatan yang dibeli, dijual atau disimpan dalam stok." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Penutupan (pembukaan + jumlah) DocType: Supplier Scorecard Criteria,Criteria Formula,Formula Kriteria -,Support Analytics,Sokongan Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Sokongan Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Kajian dan Tindakan DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Sekiranya akaun dibekukan, penyertaan dibenarkan untuk pengguna terhad." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Jumlah Selepas Susut Nilai @@ -5927,7 +5959,6 @@ DocType: Contract Template,Contract Terms and Conditions,Terma dan Syarat Kontra apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Ambil Data DocType: Stock Settings,Default Item Group,Kumpulan Item Lalai DocType: Sales Invoice Timesheet,Billing Hours,Waktu Pengebilan -DocType: Item,Item Code for Suppliers,Kod Item untuk Pembekal 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} DocType: Pricing Rule,Margin Type,Jenis Margin DocType: Purchase Invoice Item,Rejected Serial No,Ditolak Serial No @@ -6000,6 +6031,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Daun telah berjaya dicapai DocType: Loyalty Point Entry,Expiry Date,Tarikh luput DocType: Project Task,Working,Bekerja +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} sudah mempunyai Tatacara Ibu Bapa {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Ini berdasarkan urus niaga terhadap Pesakit ini. Lihat garis masa di bawah untuk maklumat lanjut DocType: Material Request,Requested For,Diminta Untuk DocType: SMS Center,All Sales Person,Semua Orang Jualan @@ -6087,6 +6119,7 @@ DocType: Loan Type,Maximum Loan Amount,Jumlah Pinjaman Maksimum apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-mel tidak terdapat dalam hubungan lalai DocType: Hotel Room Reservation,Booked,Telah dipetik DocType: Maintenance Visit,Partially Completed,Sebahagiannya selesai +DocType: Quality Procedure Process,Process Description,Penerangan proses DocType: Company,Default Employee Advance Account,Akaun Advance Pekerja Awal DocType: Leave Type,Allow Negative Balance,Benarkan Baki Negatif apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Nama Pelan Penilaian @@ -6128,6 +6161,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Permintaan untuk Perkara Sebut Harga apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} dimasukkan dua kali dalam Cukai Item DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Potong Cukai Penuh pada Tarikh Penggajian Terpilih +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Tarikh pemeriksaan karbon terakhir tidak boleh menjadi tarikh yang akan datang apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Pilih jumlah amaun perubahan DocType: Support Settings,Forum Posts,Forum Posts DocType: Timesheet Detail,Expected Hrs,Hr @@ -6137,7 +6171,7 @@ DocType: Program Enrollment Tool,Enroll Students,Mendaftar Pelajar apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Ulangi Hasil Pelanggan DocType: Company,Date of Commencement,Tarikh permulaan DocType: Bank,Bank Name,Nama bank -DocType: Quality Goal,December,Disember +DocType: GSTR 3B Report,December,Disember 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 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Ini adalah berdasarkan kepada kehadiran Pekerja ini DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jika disemak, Laman Utama akan menjadi Kumpulan Perkara lalai untuk laman web" @@ -6180,6 +6214,7 @@ DocType: Payment Entry,Payment Type,Jenis pembayaran apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Nombor folio tidak sepadan DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Pemeriksaan Kualiti: {0} tidak diserahkan untuk item: {1} dalam baris {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Tunjukkan {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} item dijumpai. ,Stock Ageing,Penuaan Saham DocType: Customer Group,Mention if non-standard receivable account applicable,Nyatakan jika akaun belum terima piawai boleh digunakan @@ -6458,6 +6493,7 @@ DocType: Travel Request,Costing,Kos apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Aset tetap DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Jumlah Pendapatan +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah DocType: Share Balance,From No,Dari Tidak DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Invois Penyesuaian Pembayaran DocType: Purchase Invoice,Taxes and Charges Added,Cukai dan Caj Ditambah @@ -6465,7 +6501,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Pertimbangkan Cuk DocType: Authorization Rule,Authorized Value,Nilai yang Dibenarkan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Terima daripada apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Gudang {0} tidak wujud +DocType: Item Manufacturer,Item Manufacturer,Pengilang Perkara DocType: Sales Invoice,Sales Team,Pasukan jualan +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Qty DocType: Purchase Order Item Supplied,Stock UOM,Saham UOM DocType: Installation Note,Installation Date,Tarikh Pemasangan DocType: Email Digest,New Quotations,Sebutharga Baru @@ -6529,7 +6567,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Nama Percutian Holiday DocType: Water Analysis,Collection Temperature ,Suhu Pengumpulan DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Urus Pelantikan Invois mengemukakan dan membatalkan secara automatik untuk Encounter Pesakit -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Sila tetapkan Siri Penamaan untuk {0} melalui Persediaan> Tetapan> Penamaan Siri DocType: Employee Benefit Claim,Claim Date,Tarikh Tuntutan DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Biarkan kosong jika Pembekal disekat selama-lamanya apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Kehadiran Dari Tarikh dan Kehadiran Kepada Tarikh adalah wajib @@ -6540,6 +6577,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Tarikh Persaraan apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Sila pilih Pesakit DocType: Asset,Straight Line,Garis lurus +DocType: Quality Action,Resolutions,Resolusi DocType: SMS Log,No of Sent SMS,Tiada SMS yang Dihantar ,GST Itemised Sales Register,Senarai Jualan Terperinci GST apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Jumlah jumlah pendahuluan tidak boleh melebihi jumlah keseluruhan yang dibenarkan @@ -6650,7 +6688,7 @@ DocType: Account,Profit and Loss,Untung dan rugi apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Asset Finance Book,Written Down Value,Nilai Tertulis apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Baki Ekuiti Pembukaan -DocType: Quality Goal,April,April +DocType: GSTR 3B Report,April,April DocType: Supplier,Credit Limit,Had kredit apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Pengedaran apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6705,6 +6743,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Sambungkan Shopify dengan ERPNext DocType: Homepage Section Card,Subtitle,Sarikata DocType: Soil Texture,Loam,Loam +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pembekal> Jenis Pembekal DocType: BOM,Scrap Material Cost(Company Currency),Kos Bahan Kos (Mata Wang Syarikat) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Catatan Penghantaran {0} tidak boleh dihantar DocType: Task,Actual Start Date (via Time Sheet),Tarikh Mula Sebenar (melalui Sheet Masa) @@ -6760,7 +6799,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dos DocType: Cheque Print Template,Starting position from top edge,Memulakan kedudukan dari tepi atas apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Tempoh Pelantikan (minit) -DocType: Pricing Rule,Disable,Lumpuhkan +DocType: Accounting Dimension,Disable,Lumpuhkan DocType: Email Digest,Purchase Orders to Receive,Pesanan Pembelian untuk Menerima apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Pesanan Produksi tidak boleh dibangkitkan untuk: DocType: Projects Settings,Ignore Employee Time Overlap,Abaikan Peralihan Masa Pekerja @@ -6844,6 +6883,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Buat T DocType: Item Attribute,Numeric Values,Nilai Numerik DocType: Delivery Note,Instructions,Arahan DocType: Blanket Order Item,Blanket Order Item,Item Pesanan Selimut +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Mandatori Untuk Akaun Untung dan Rugi apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Kadar komisen tidak boleh melebihi 100 DocType: Course Topic,Course Topic,Topik Kursus DocType: Employee,This will restrict user access to other employee records,Ini akan menyekat akses pengguna ke rekod pekerja lain @@ -6868,12 +6908,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Pengurusan Lan apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Dapatkan pelanggan dari apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Laporan kepada +DocType: Video,YouTube,Youtube DocType: Party Account,Party Account,Akaun Parti DocType: Assessment Plan,Schedule,Jadual apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Sila masukkan DocType: Lead,Channel Partner,Rakan Kongsi Saluran apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Jumlah Invois DocType: Project,From Template,Daripada Templat +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Langganan apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Kuantiti Membuat DocType: Quality Review Table,Achieved,Dicapai @@ -6920,7 +6962,6 @@ DocType: Journal Entry,Subscription Section,Seksyen Subskrip DocType: Salary Slip,Payment Days,Hari Bayaran apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Maklumat sukarela. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Stok Beku Lebih Lama Daripada` hendaklah lebih kecil daripada% d hari. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Pilih Tahun Fiskal DocType: Bank Reconciliation,Total Amount,Jumlah keseluruhan DocType: Certification Application,Non Profit,Bukan Untung DocType: Subscription Settings,Cancel Invoice After Grace Period,Batal Invois Selepas Tempoh Grace @@ -6933,7 +6974,6 @@ DocType: Serial No,Warranty Period (Days),Tempoh Waranti (Hari) DocType: Expense Claim Detail,Expense Claim Detail,Butiran Tuntutan Perbelanjaan apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program: DocType: Patient Medical Record,Patient Medical Record,Rekod Perubatan Pesakit -DocType: Quality Action,Action Description,Penerangan Tindakan DocType: Item,Variant Based On,Berbeza dengan Varians DocType: Vehicle Service,Brake Oil,Minyak brek DocType: Employee,Create User,Buat Pengguna @@ -6989,7 +7029,7 @@ DocType: Cash Flow Mapper,Section Name,Nama Bahagian DocType: Packed Item,Packed Item,Item yang Dikemas apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Amaun debit atau kredit diperlukan untuk {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Mengirim Slip Gaji ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Tiada tindakan +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Tiada tindakan apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Belanjawan tidak boleh diberikan kepada {0}, kerana ia bukan akaun Pendapatan atau Perbelanjaan" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Sarjana dan Akaun DocType: Quality Procedure Table,Responsible Individual,Individu Yang Bertanggungjawab @@ -7112,7 +7152,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Benarkan Penciptaan Akaun Terhadap Syarikat Kanak-Kanak DocType: Payment Entry,Company Bank Account,Akaun Bank Syarikat DocType: Amazon MWS Settings,UK,UK -DocType: Quality Procedure,Procedure Steps,Langkah Prosedur DocType: Normal Test Items,Normal Test Items,Item Ujian Normal apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Perkara {0}: Pesanan qty {1} tidak boleh kurang daripada pesanan minimum qty {2} (ditakrifkan dalam Perkara). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Tidak dalam Stok @@ -7191,7 +7230,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analitis DocType: Maintenance Team Member,Maintenance Role,Peranan Penyelenggaraan apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Templat Terma dan Syarat DocType: Fee Schedule Program,Fee Schedule Program,Program Jadual Bayaran -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kursus {0} tidak wujud. DocType: Project Task,Make Timesheet,Buat Timesheet DocType: Production Plan Item,Production Plan Item,Item Pelan Pengeluaran apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Jumlah Pelajar @@ -7213,6 +7251,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Mengakhiri apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Anda hanya boleh memperbaharui sekiranya keahlian anda tamat tempoh dalam masa 30 hari apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Nilai mestilah antara {0} dan {1} +DocType: Quality Feedback,Parameters,Parameter ,Sales Partner Transaction Summary,Ringkasan Transaksi Mitra Jualan DocType: Asset Maintenance,Maintenance Manager Name,Nama Pengurus Penyelenggaraan apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Ia diperlukan untuk mendapatkan Butiran Item. @@ -7251,6 +7290,7 @@ DocType: Student Admission,Student Admission,Kemasukan Pelajar DocType: Designation Skill,Skill,Kemahiran DocType: Budget Account,Budget Account,Akaun Belanjawan DocType: Employee Transfer,Create New Employee Id,Buat Id Pekerja Baru +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} diperlukan untuk akaun 'Keuntungan dan Kerugian' {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Cukai Barangan dan Perkhidmatan (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Membuat Slip Gaji ... DocType: Employee Skill,Employee Skill,Kemahiran Pekerja @@ -7351,6 +7391,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Invois Secara DocType: Subscription,Days Until Due,Hari Sehingga Hutang apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Tunjukkan Selesai apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Laporan Penyertaan Transaksi Penyata Bank +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Baris # {0}: Kadar mesti sama dengan {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Barangan Perkhidmatan Penjagaan Kesihatan @@ -7407,6 +7448,7 @@ DocType: Training Event Employee,Invited,Dijemput apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Jumlah maksimum yang layak untuk komponen {0} melebihi {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Jumlah Rang Undang-Undang apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","Untuk {0}, akaun debit hanya boleh dikaitkan dengan kemasukan kredit lain" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Membuat Dimensi ... DocType: Bank Statement Transaction Entry,Payable Account,Akaun Boleh Dibayar apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Sila nyatakan tiada lawatan yang diperlukan DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Hanya pilih jika anda mempunyai dokumen Persediaan Aliran Tunai @@ -7424,6 +7466,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,P DocType: Service Level,Resolution Time,Masa Resolusi DocType: Grading Scale Interval,Grade Description,Gred Description DocType: Homepage Section,Cards,Kad +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Minit Mesyuarat Kualiti DocType: Linked Plant Analysis,Linked Plant Analysis,Analisis Loji Terkait apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Tarikh Henti Perkhidmatan tidak boleh selepas Tarikh Akhir Perkhidmatan apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Sila tetapkan Had B2C dalam Tetapan CBP. @@ -7458,7 +7501,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Alat Kehadiran Pekerj DocType: Employee,Educational Qualification,kelayakan pelajaran apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Nilai yang boleh diakses apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Kuantiti sampel {0} tidak dapat melebihi kuantiti {1} -DocType: Quiz,Last Highest Score,Skor Tertinggi Tertinggi DocType: POS Profile,Taxes and Charges,Cukai dan Caj DocType: Opportunity,Contact Mobile No,Hubungi Mobile No DocType: Employee,Joining Details,Menyertai Butiran diff --git a/erpnext/translations/my.csv b/erpnext/translations/my.csv index 2dd10c2051..cebbfb58cb 100644 --- a/erpnext/translations/my.csv +++ b/erpnext/translations/my.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,ပေးသွင်းအ DocType: Journal Entry Account,Party Balance,ပါတီ Balance apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),ရန်ပုံငွေများ၏ရင်းမြစ် (စိစစ်) DocType: Payroll Period,Taxable Salary Slabs,Taxable လစာတစ်ခုလို့ဆိုရမှာပါ +DocType: Quality Action,Quality Feedback,အရည်အသွေးတုံ့ပြန်ချက် DocType: Support Settings,Support Settings,ပံ့ပိုးမှုက Settings apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,ထုတ်လုပ်မှု Item ပထမဦးဆုံးရိုက်ထည့်ပေးပါ DocType: Quiz,Grading Basis,တန်းအခြေခံ @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,ပိုမျ DocType: Salary Component,Earning,ဝင်ငွေ DocType: Restaurant Order Entry,Click Enter To Add,Add စေရန် Enter ကိုကလစ်နှိပ်ပါ DocType: Employee Group,Employee Group,ဝန်ထမ်း Group မှ +DocType: Quality Procedure,Processes,လုပ်ငန်းစဉ်များ DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,အခြားသို့တဦးတည်းငွေကြေးပြောင်းလဲချိန်းနှုန်းသတ်မှတ် apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,အိုမင်း Range 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},စတော့ရှယ်ယာ Item {0} များအတွက်လိုအပ်သည့်ဂိုဒေါင် @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,တိုင်ကြားစာ DocType: Shipping Rule,Restrict to Countries,နိုင်ငံများမှကန့်သတ်ရန် DocType: Hub Tracked Item,Item Manager,item Manager ကို apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},အဆိုပါပိတ်ခြင်းအကောင့်၏ငွေကြေး {0} ရှိရမည် +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,ဘတ်ဂျက် apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,ဖွင့်လှစ်ငွေတောင်းခံလွှာ Item DocType: Work Order,Plan material for sub-assemblies,Sub-အသင်းတော်တို့အဘို့အစီအစဉ်ပစ္စည်း apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,hardware DocType: Budget,Action if Annual Budget Exceeded on MR,လှုပ်ရှားမှုနှစ်ပတ်လည်ဘတ်ဂျက် MR အပေါ်ကိုကျြောသှားပါလျှင် DocType: Sales Invoice Advance,Advance Amount,ကြိုတင်ငွေပမာဏ +DocType: Accounting Dimension,Dimension Name,Dimension အမည် DocType: Delivery Note Item,Against Sales Invoice Item,အရောင်းပြေစာ Item ဆန့်ကျင် DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,ကုန်ထုတ်လုပ်မှုများတွင်ပစ္စည်း Include @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,ဒါကြေ ,Sales Invoice Trends,အရောင်းပြေစာ Trends DocType: Bank Reconciliation,Payment Entries,ငွေပေးချေမှုရမည့် Entries DocType: Employee Education,Class / Percentage,class / ရာခိုင်နှုန်း -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,item Code ကို> item Group မှ> အမှတ်တံဆိပ် ,Electronic Invoice Register,အီလက်ထရောနစ်ငွေတောင်းခံလွှာမှတ်ပုံတင်မည် DocType: Sales Invoice,Is Return (Credit Note),ပြန်သွားစဉ် (Credit မှတ်ချက်) ဖြစ်ပါသည် DocType: Lab Test Sample,Lab Test Sample,Lab ကစမ်းသပ်နမူနာ @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,မျိုးကွဲ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",စွဲချက်သင့်ရဲ့ရွေးချယ်ရေးနှုန်းအဖြစ်ကို item အရည်အတွက်သို့မဟုတ်ငွေပမာဏပေါ်တွင်အခြေခံအချိုးကျဖြန့်ဝေပါလိမ့်မည် apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,ယနေ့အဘို့အဆိုင်းငံ့လှုပ်ရှားမှုများ +DocType: Quality Procedure Process,Quality Procedure Process,အရည်အသွေးလုပ်ထုံးလုပ်နည်းလုပ်ငန်းစဉ် DocType: Fee Schedule Program,Student Batch,ကျောင်းသားအသုတ်လိုက် apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},အတန်း {0} အတွက် Item များအတွက်လိုအပ်သောအဘိုးပြတ်နှုန်း DocType: BOM Operation,Base Hour Rate(Company Currency),base နာရီနှုန်း (ကုမ္ပဏီငွေကြေးစနစ်) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Serial ဘယ်သူမျှမက Input ကိုအပျေါအခွခေံအရောင်းအဝယ်အတွက်အရည်အတွက် Set apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},ကြိုတင်မဲအကောင့်ငွေကြေးကိုကုမ္ပဏီကိုငွေကြေး {0} အဖြစ်အတူတူပင်ဖြစ်သင့်သည် apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,မူလစာမျက်နှာကဏ္ဍများ Customize -DocType: Quality Goal,October,အောက်တိုဘာလ +DocType: GSTR 3B Report,October,အောက်တိုဘာလ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,အရောင်းအရောင်းအဝယ်ကနေဖောက်သည်ရဲ့အခွန် Id Hide apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,မှားနေသော GSTIN! တစ်ဦးက GSTIN 15 ဇာတ်ကောင်ရှိရမည်။ apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,စျေးနှုန်းနည်းဥပဒေ {0} မွမ်းမံ @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Balance Leave apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},ကို Maintenance ဇယား {0} {1} ဆန့်ကျင်တည်ရှိ DocType: Assessment Plan,Supervisor Name,ကြီးကြပ်ရေးမှူးအမည် DocType: Selling Settings,Campaign Naming By,အားဖြင့်အမည်ဖြင့်သမုတ်ကင်ပိန်း -DocType: Course,Course Code,သင်တန်းအမှတ်စဥ် Code ကို +DocType: Student Group Creation Tool Course,Course Code,သင်တန်းအမှတ်စဥ် Code ကို apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,လေကြောင်း DocType: Landed Cost Voucher,Distribute Charges Based On,တွင် အခြေခံ. စွပ်စွဲချက်ဖြန့်ဝေ DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,ပေးသွင်း Scorecard အမှတ်ပေးလိုအပ်ချက် @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,စားသောက်ဆိုင် DocType: Asset Movement,Purpose,ရည်ရွယ်ချက် apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,ထမ်းများအတွက်လစာဖွဲ့စည်းပုံတာဝန်ရှိပြီးဖြစ်၏ DocType: Clinical Procedure,Service Unit,Service ကိုယူနစ် -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည် Group မှ> နယ်မြေတွေကို DocType: Travel Request,Identification Document Number,identification စာရွက်စာတမ်းအရေအတွက် DocType: Stock Entry,Additional Costs,အပိုဆောင်းကုန်ကျစရိတ် -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","မိဘသင်တန်းအမှတ်စဥ် (ဒီမိဘသင်တန်း၏အစိတ်အပိုင်းမပါလျှင်, အလွတ် Leave)" DocType: Employee Education,Employee Education,ဝန်ထမ်းပညာရေး apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,ရာထူးအရေအတွက်န်ထမ်းများ၏လက်ရှိရေတွက်ပြီးတော့ဒီထက်မဖွစျနိုငျ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,အားလုံးဖောက်သည်အဖွဲ့များ @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,အတန်း {0}: အရည်အတွက်မဖြစ်မနေဖြစ်ပါသည် DocType: Sales Invoice,Against Income Account,ဝင်ငွေခွန်အကောင့်ဆန့်ကျင် apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},အတန်း # {0}: အရစ်ကျငွေတောင်းခံလွှာရှိပြီးသားပိုင်ဆိုင်မှု {1} ဆန့်ကျင်လုပ်မရနိုငျ +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,ကွဲပြားခြားနားသောပရိုမိုးရှင်းအစီအစဉ်များလျှောက်ထားမှုအတွက်စည်းကမ်းများ။ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM များအတွက်လိုအပ်သော UOM ဖုံးလွှမ်းအချက်: Item အတွက် {0}: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Item {0} များအတွက်အရေအတွက်ရိုက်ထည့်ပေးပါ DocType: Workstation,Electricity Cost,လျှပ်စစ်မီးကုန်ကျစရိတ် @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,စုစုပေါင်း Project အရ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,အမှန်တကယ် Start ကိုနေ့စွဲ 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) ကိုတင်ပြကြသည်မဟုတ် -DocType: Company,About the Company,ကုမ္ပဏီအကြောင်း apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,ဘဏ္ဍာရေးအကောင့်အသစ်များ၏သစ်ပင်။ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,သွယ်ဝိုက်ဝင်ငွေခွန် DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,ဟိုတယ်အခန်းကြိုတင်မှာယူမှု Item @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,အလား DocType: Skill,Skill Name,ကျွမ်းကျင်မှုအမည် apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,ပုံနှိပ်ပါအစီရင်ခံစာကဒ် DocType: Soil Texture,Ternary Plot,Ternary ကြံစည်မှု +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ပံ့ပိုးမှုလက်မှတ်တွေ DocType: Asset Category Account,Fixed Asset Account,ပုံသေပိုင်ဆိုင်မှုအကောင့် apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,နောက်ဆုံး @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Program ကို ,IRS 1099,IRS ကို 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,အသုံးပြုသောခံရဖို့စီးရီးသတ်မှတ်ပါ။ DocType: Delivery Trip,Distance UOM,အဝေးသင် UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Balance Sheet သည်မသင်မနေရ DocType: Payment Entry,Total Allocated Amount,စုစုပေါင်းခွဲဝေငွေပမာဏ DocType: Sales Invoice,Get Advances Received,တိုးတက်လာတာနဲ့အမျှရရှိထားသည့် Get DocType: Student,B-,ပါဘူးရှငျ @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,ကို Maintenan apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Entry 'ပါစေရန်လိုအပ်သည် POS ကိုယ်ရေးဖိုင် DocType: Education Settings,Enable LMS,LMS Enable DocType: POS Closing Voucher,Sales Invoices Summary,အနှစ်ချုပ်ငွေတောင်းခံလွှာအရောင်း +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,အကျိုး apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,အကောင့်ရန်အကြွေးတစ် Balance Sheet အကောင့်ရှိရမည် DocType: Video,Duration,ရှည်ကြာခြင်း DocType: Lab Test Template,Descriptive,ဖော်ပြရန် @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Start နှင့်ရပ်တန့်နေ့စွဲများ DocType: Supplier Scorecard,Notify Employee,ထမ်းအကြောင်းကြားရန် apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software များ +DocType: Program,Allow Self Enroll,ကိုယ်ပိုင်ကျောင်းအပ် Allow apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,စတော့အိတ်ကုန်ကျစရိတ် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,ကိုးကားသင်ကိုးကားစရာနေ့စွဲထဲသို့ဝင်လျှင်အဘယ်သူမျှမမဖြစ်မနေဖြစ်ပါသည် DocType: Training Event,Workshop,အလုပ်ရုံ @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Lab ကစမ်းသပ် Templa apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},မက်စ်: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-Invoicing ပြန်ကြားရေးပျောက်ဆုံးနေ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,created အဘယ်သူမျှမပစ္စည်းကိုတောငျးဆိုခကျြ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,item Code ကို> item Group မှ> အမှတ်တံဆိပ် DocType: Loan,Total Amount Paid,စုစုပေါင်းငွေပမာဏ Paid apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,ဤသူအပေါင်းတို့သည်ပစ္စည်းများကိုပြီးသားသို့ပို့ခဲ့ကြ DocType: Training Event,Trainer Name,သင်တန်းပေးသူအမည် @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,စာသင်နှစ် DocType: Sales Stage,Stage Name,ဇာတ်စင်အမည် DocType: SMS Center,All Employee (Active),အားလုံးန်ထမ်း (Active ကို) +DocType: Accounting Dimension,Accounting Dimension,စာရင်းကိုင် Dimension DocType: Project,Customer Details,ဖောက်သည်အသေးစိတ် DocType: Buying Settings,Default Supplier Group,default ပေးသွင်း Group မှ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,ပထမဦးဆုံးဝယ်ယူငွေလက်ခံပြေစာ {0} ကိုပယ်ဖျက်ပေးပါ @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority",ပိုမိ DocType: Designation,Required Skills,လိုအပ်သောကျွမ်းကျင်မှု DocType: Marketplace Settings,Disable Marketplace,Marketplace disable DocType: Budget,Action if Annual Budget Exceeded on Actual,လှုပ်ရှားမှုနှစ်ပတ်လည်ဘတ်ဂျက်အမှန်တကယ်အပေါ်ကိုကျြောသှားပါလျှင် -DocType: Course,Course Abbreviation,သင်တန်းအမှတ်စဥ်အတိုကောက် apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,တက်ရောက်သူ {0} ခွင့်အပေါ် {1} အဖြစ်များအတွက်တင်သွင်းမဟုတ်ပါဘူး။ DocType: Pricing Rule,Promotional Scheme Id,ပရိုမိုးရှင်းအစီအစဉ် Id apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},အလုပ်တခုကို၏အဆုံးနေ့စွဲ {0} {1} မျှော်လင့်ထားသည့်အဆုံးနေ့စွဲ {2} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,margin ငွေ DocType: Chapter,Chapter,အခနျး DocType: Purchase Receipt Item Supplied,Current Stock,လက်ရှိစတော့အိတ် DocType: Employee,History In Company,ကုမ္ပဏီခုနှစ်တွင်သမိုင်း -DocType: Item,Manufacturer,ထုတ်လုပ်သူ +DocType: Purchase Invoice Item,Manufacturer,ထုတ်လုပ်သူ apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,အလယ်အလတ်အာရုံ DocType: Compensatory Leave Request,Leave Allocation,ခွဲဝေ Leave DocType: Timesheet,Timesheet,အချိန်ဇယား @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,ကုန်ထုတ DocType: Products Settings,Hide Variants,မူကွဲ Hide DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,စွမ်းဆောင်ရည်စီမံကိန်းနှင့်အချိန်ခြေရာကောက် Disable DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ငွေလွှဲပြောင်းမှုအတွက်တွက်ချက်ခြင်းကိုခံရလိမ့်မည်။ +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} 'Balance Sheet' 'အကောင့် {1} ဘို့လိုအပ်ပါသည်။ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} {1} နှင့်အတူစတင်မည်ခွင့်မပြု။ ကုမ္ပဏီပြောင်းပါ။ 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} များအတွက်ပထမဦးဆုံးဝယ်ယူငွေလက်ခံပြေစာကိုဖန်တီးရန်လိုအပ်တယ်ဆိုရင်" DocType: Delivery Trip,Delivery Details,Delivery အသေးစိတ် @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,prev apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,တိုင်း၏ယူနစ် DocType: Lab Test,Test Template,စမ်းသပ်ခြင်း Template ကို DocType: Fertilizer,Fertilizer Contents,ဓာတ်မြေသြဇာမာတိကာ -apps/erpnext/erpnext/utilities/user_progress.py,Minute,မိနစ် +DocType: Quality Meeting Minutes,Minute,မိနစ် apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",အတန်း # {0}: ပိုင်ဆိုင်မှု {1} တင်သွင်းမရနိုငျသောကြောင့် {2} ပြီးသားဖြစ်ပါတယ် DocType: Task,Actual Time (in Hours),(နာရီအတွက်) အမှန်တကယ်အချိန် DocType: Period Closing Voucher,Closing Account Head,ပိတ်အကောင့်ဌာနမှူး @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,စမ်းသပ်ခန DocType: Purchase Order,To Bill,ဘီလ်မှ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,utility ကုန်ကျစရိတ် DocType: Manufacturing Settings,Time Between Operations (in mins),(မိနစ်၌) စစ်ဆင်ရေးအကြားအချိန် -DocType: Quality Goal,May,မေ +DocType: GSTR 3B Report,May,မေ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","created မဟုတ်ငွေပေးချေမှုရမည့် Gateway မှာအကောင့်, ကို manually တဦးတည်းဖန်တီးပါ။" DocType: Opening Invoice Creation Tool,Purchase,အရစ်ကျ DocType: Program Enrollment,School House,School တွင်အိမ် @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,ပြဌာန်းချက်အချက်အလက်နှင့်သင့်ပေးသွင်းအကြောင်းကိုအခြားအယေဘုယျသတင်းအချက်အလက် DocType: Item Default,Default Selling Cost Center,default ရောင်းအားကုန်ကျစရိတ်ရေးစင်တာ DocType: Sales Partner,Address & Contacts,လိပ်စာ & ဆက်သွယ်ရန် +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ကျေးဇူးပြု. Setup ကို> နံပါတ်စီးရီးကနေတစ်ဆင့်တက်ရောက်ဘို့ setup ကိုစာရငျးစီးရီး DocType: Subscriber,Subscriber,စာရင်းပေးသွင်းသူ apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form ကို / Item / {0}) စတော့ရှယ်ယာထဲကဖြစ်ပါတယ် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Post date ပထမဦးဆုံးကိုရွေးပါ ကျေးဇူးပြု. @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,အတွင်းလူ DocType: Bank Statement Settings,Transaction Data Mapping,ငွေသွင်းငွေထုတ်မှာ Data မြေပုံ apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,တစ်ဦးကဦးဆောင်ပုဂ္ဂိုလ်တစ်ဦးရဲ့နာမည်သို့မဟုတ်အဖွဲ့အစည်းတစ်ခု၏အမည်ကိုလည်းကောင်းလိုအပ်ပါတယ် DocType: Student,Guardians,အုပ်ထိန်းသူများ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ပညာရေးအတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုနည်းပြ> ပညာရေးကိုဆက်တင် apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ကုန်အမှတ်တံဆိပ်ကို Select လုပ်ပါ ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,အလယျပိုငျးဝင်ငွေခွန် DocType: Shipping Rule,Calculate Based On,အခြေပြုတွင်တွက်ချက် @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,စရိတ်ဆိုန DocType: Purchase Invoice,Rounding Adjustment (Company Currency),ရှာနိုင်ပါတယ်ညှိယူ (ကုမ္ပဏီငွေကြေးစနစ်) DocType: Item,Publish in Hub,Hub အတွက် Publish apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,သြဂုတ်လ +DocType: GSTR 3B Report,August,သြဂုတ်လ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,အရစ်ကျငွေလက်ခံပြေစာပထမဦးဆုံးရိုက်ထည့်ပေးပါ apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,start ကိုတစ်နှစ်တာ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),အဆိုပါ နှစ်မှစ. (အဆိုပါနှစ်ထက်လည်း {}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,မက်စ်နမူနာအရေအတ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,အရင်းအမြစ်နှင့်ပစ်မှတ်ဂိုဒေါင်ကွဲပြားခြားနားသောဖြစ်ရမည် DocType: Employee Benefit Application,Benefits Applied,သုံးစွဲမှုကိုအကျိုးကျေးဇူးများ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,ဂျာနယ် Entry '{0} ဆန့်ကျင်မည်သည့်ပွို {1} entry ကိုမပေးပါဘူး +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","မှလွဲ. အထူးဇာတ်ကောင် "-" "။ ", "#", "/", "{" နှင့် "}" စီးရီးနာမည်အတွက်ခွင့်မပြု" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,စျေးသို့မဟုတ်ထုတ်ကုန်လျှော့စျေးပြားလိုအပ်သည် apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,တစ်ပစ်မှတ် Set apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},တက်ရောက်သူစံချိန်တင် {0} ကျောင်းသား {1} ဆန့်ကျင်တည်ရှိ @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,တစ်လလျှင် DocType: Routing,Routing Name,routing အမည် DocType: Disease,Common Name,လူအသုံးအများဆုံးအမည် -DocType: Quality Goal,Measurable,တိုင်းတာ DocType: Education Settings,LMS Title,LMS ခေါင်းစဉ် apps/erpnext/erpnext/config/non_profit.py,Loan Management,ချေးငွေစီမံခန့်ခွဲမှု -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,ပံ့ပိုးမှု Analtyics DocType: Clinical Procedure,Consumable Total Amount,စားသုံးသူစုစုပေါင်းငွေပမာဏ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Template: Enable apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,ဖောက်သည် LPO @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,တာဝန်ထမ်းဆော DocType: Loan,Member,အဖှဲ့ဝငျ DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Practitioner ဝန်ဆောင်မှုယူနစ်ဇယား apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,ငွေလွှဲခြင်း +DocType: Quality Review Objective,Quality Review Objective,အရည်အသွေးပြန်လည်ဆန်းစစ်ခြင်းရည်ရွယ်ချက် DocType: Bank Reconciliation Detail,Against Account,အကောင့်ဆန့်ကျင် DocType: Projects Settings,Projects Settings,စီမံကိန်းများ Settings များ apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},အမှန်တကယ်အရည်အတွက် {0} / စောငျ့အရည်အတွက် {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာပြီးဆုံးရက်စွဲဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ Start ကိုနေ့စွဲပြီးနောက်တစ်နှစ်ဖြစ်သင့် apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,နေ့စဉ်သတိပေးချက် DocType: Item,Default Sales Unit of Measure,တိုင်း၏ default အရောင်းယူနစ် +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,ကုမ္ပဏီ GSTIN DocType: Asset Finance Book,Rate of Depreciation,တန်ဖိုးနှုန်း DocType: Support Search Source,Post Description Key,Post ကိုဖျေါပွခကျြ Key ကို DocType: Loyalty Program Collection,Minimum Total Spent,အနိမ့်စုစုပေါင်း Spent @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,ရွေးချယ်ထားသောဖောက်သည်များအတွက်ဖောက်သည်အုပ်စုပြောင်းခြင်းခွင့်ပြုမထားပေ။ DocType: Serial No,Creation Document Type,ဖန်ဆင်းခြင်းစာရွက်စာတမ်းအမျိုးအစား DocType: Sales Invoice Item,Available Batch Qty at Warehouse,ဂိုဒေါင်မှာမရရှိနိုင်ပါအသုတ်လိုက်အရည်အတွက် +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ငွေတောင်းခံလွှာက Grand စုစုပေါင်း apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,ဒါကအမြစ်နယ်မြေဖြစ်ပြီး edited မရနိုင်ပါ။ DocType: Patient,Surgical History,ခွဲစိတ်သမိုင်း apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,အရည်အသွေးလုပ်ထုံးလုပ်နည်းများ၏သစ်ပင်။ @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,သငျသညျက်ဘ်ဆိုဒ်ထဲမှာပြသချင်တယ်ဆိုရင်ဒီ Check apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ {0} မတွေ့ရှိ DocType: Bank Statement Settings,Bank Statement Settings,ဘဏ်ထုတ်ပြန်ချက်က Settings +DocType: Quality Procedure Process,Link existing Quality Procedure.,Link ကိုအရည်အသွေးလုပ်ထုံးလုပ်နည်းတည်ဆဲ။ +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,CSV ဖိုင် / Excel ကိုဖိုင်တွေထဲက Accounts ကို၏သွင်းကုန်ဇယား DocType: Appraisal Goal,Score (0-5),ရမှတ် (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,attribute {0} Attribute တွေကစားပွဲတင်အတွက်အကြိမ်ပေါင်းများစွာမရွေး DocType: Purchase Invoice,Debit Note Issued,debit မှတ်ချက်ထုတ်ပေး @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,ပေါ်လစီအသေးစိတ် Leave apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,ဂိုဒေါင်စနစ်အတွက်မတွေ့ရှိ DocType: Healthcare Practitioner,OP Consulting Charge,OP အတိုင်ပင်ခံတာဝန်ခံ -DocType: Quality Goal,Measurable Goal,တိုင်းတာပန်းတိုင် DocType: Bank Statement Transaction Payment Item,Invoices,ငွေတောင်းခံလွှာ DocType: Currency Exchange,Currency Exchange,ငွေကြေးလဲလှယ်ရေး DocType: Payroll Entry,Fortnightly,နှစ်ပတ်တ @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} တင်သွင်းမဟုတ်ပါ DocType: Work Order,Backflush raw materials from work-in-progress warehouse,အလုပ်-In-တိုးတက်မှုဂိုဒေါင်ထဲကနေ Backflush ကုန်ကြမ်း DocType: Maintenance Team Member,Maintenance Team Member,ကို Maintenance အဖွဲ့အဖွဲ့ဝင် +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,စာရင်းကိုင်များအတွက် Setup ကိုထုံးစံရှုထောင် DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,အကောင်းဆုံးကြီးထွားမှုအတွက်အပင်တန်းများအကြားနိမ့်ဆုံးအကွာအဝေး DocType: Employee Health Insurance,Health Insurance Name,ကနျြးမာရေးအာမခံအမည် apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,စတော့အိတ်ပိုင်ဆိုင်မှုများ @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,ငွေတောင်းခံလ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,alternate Item DocType: Certification Application,Name of Applicant,လျှောက်ထားသူအမည် DocType: Leave Type,Earned Leave,Leave ရရှိခဲ့ -DocType: Quality Goal,June,ဇွန်လ +DocType: GSTR 3B Report,June,ဇွန်လ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},အတန်း {0}: ကုန်ကျစရိတ်စင်တာတစ်ခုကို item {1} ဘို့လိုအပ်ပါသည် apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},{0} ကအတည်ပြုနိုင်ပါတယ် apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,တိုင်း {0} ၏ယူနစ်တစ်ချိန်ကကူးပြောင်းခြင်း Factor စားပွဲတင်အတွက်ထက်ပိုမိုထဲသို့ဝင်ထားပြီး @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,စံရောင်းအာ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},စားသောက်ဆိုင် {0} တစ်ခုတက်ကြွ menu ကိုသတ်မှတ်ပေးပါ apps/erpnext/erpnext/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: Asset Finance Book,Asset Finance Book,ပိုင်ဆိုင်မှုဘဏ္ဍာရေးစာအုပ် +DocType: Quality Goal Objective,Quality Goal Objective,အရည်အသွေးပန်းတိုင်ရည်ရွယ်ချက် DocType: Employee Transfer,Employee Transfer,ဝန်ထမ်းလွှဲပြောင်း ,Sales Funnel,အရောင်းကတော့ DocType: Agriculture Analysis Criteria,Water Analysis,ရေအားသုံးသပ်ခြင်း @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,ဝန်ထမ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,ဆိုင်းငံ့လှုပ်ရှားမှုများ apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,သင့်ရဲ့ဖောက်သည်များ၏အနည်းငယ်စာရင်းပြုစုပါ။ သူတို့ဟာအဖွဲ့အစည်းများသို့မဟုတ်တစ်ဦးချင်းစီဖြစ်နိုင်ပါတယ်။ DocType: Bank Guarantee,Bank Account Info,ဘဏ်အကောင့်အင်ဖို +DocType: Quality Goal,Weekday,WEEKDAY apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 အမည် DocType: Salary Component,Variable Based On Taxable Salary,Taxable လစာတွင် အခြေခံ. variable DocType: Accounting Period,Accounting Period,စာရင်းကိုင်ကာလ @@ -2229,7 +2245,7 @@ DocType: Purchase Invoice,Rounding Adjustment,ရှာနိုင်ပါတ DocType: Quality Review Table,Quality Review Table,အရည်အသွေးပြန်လည်ဆန်းစစ်ခြင်းဇယား DocType: Member,Membership Expiry Date,အသင်းဝင်သက်တမ်းကုန်ဆုံးနေ့စွဲ DocType: Asset Finance Book,Expected Value After Useful Life,အသုံးဝင်သောဘဝပြီးနောက်မျှော်လင့်ထားသည့်တန်ဖိုး -DocType: Quality Goal,November,နိုဝင်ဘာလ +DocType: GSTR 3B Report,November,နိုဝင်ဘာလ DocType: Loan Application,Rate of Interest,အကျိုးစီးပွား၏နှုန်းမှာ DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,ဘဏ်ဖော်ပြချက်ငွေသွင်းငွေထုတ်ငွေပေးချေမှုရမည့် Item DocType: Restaurant Reservation,Waitlisted,စောင့်နေစာရင်းထဲက @@ -2293,6 +2309,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","အတန်း {0}: နေ့စွဲ \ ထဲကနေနှင့်အကြားခြားနားချက်ထက် သာ. ကြီးမြတ်သို့မဟုတ် {2} ညီမျှဖြစ်ရမည် {1} PERIODICITY အချိန်တိုင်းသတ်မှတ်ထားရန်," DocType: Purchase Invoice Item,Valuation Rate,အဘိုးပြတ်နှုန်း DocType: Shopping Cart Settings,Default settings for Shopping Cart,စျေးဝယ်လှည်းများအတွက် default settings ကို +DocType: Quiz,Score out of 100,100 အထဲကဂိုးသွင်း DocType: Manufacturing Settings,Capacity Planning,စွမ်းဆောင်ရည်စီမံကိန်း apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,သင်တန်းပို့ချကိုသွားပါ DocType: Activity Cost,Projects,စီမံကိန်းများ @@ -2302,6 +2319,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II ကို DocType: Cashier Closing,From Time,အချိန်ကနေ apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,မူကွဲအသေးစိတ်အစီရင်ခံစာ +,BOM Explorer,BOM Explorer ကို DocType: Currency Exchange,For Buying,ဝယ်သည်အတွက် apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} များအတွက် slots အချိန်ဇယားကိုထည့်သွင်းမထား DocType: Target Detail,Target Distribution,ပစ်မှတ်ဖြန့်ဖြူး @@ -2319,6 +2337,7 @@ DocType: Activity Cost,Activity Cost,activity ကိုကုန်ကျစရ DocType: Journal Entry,Payment Order,ငွေပေးချေမှုရမည့်အမိန့် apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,စျေးနှုန်း ,Item Delivery Date,item Delivery နေ့စွဲ +DocType: Quality Goal,January-April-July-October,ဇန်နဝါရီလဧပြီလဇူလိုင်လအောက်တိုဘာလ DocType: Purchase Order Item,Warehouse and Reference,ဂိုဒေါင်နဲ့ကိုးကားစရာ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,ကလေးက node များနှင့်အတူအကောင့်လယ်ဂျာကူးပြောင်းမရနိုင် DocType: Soil Texture,Clay Composition (%),ရွှံ့ရေးစပ်သီကုံး (%) @@ -2369,6 +2388,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,အနာဂတ်ရ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,အတန်း {0}: ငွေပေးချေမှုရမည့်ဇယားများတွင်ငွေပေးချေ၏ Mode ကိုသတ်မှတ်ပေးပါ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,ပညာရေးဆိုင်ရာ Term: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,အရည်အသွေးတုံ့ပြန်ချက် Parameter apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,လျှော့တွင် Apply ကို select ပေးပါ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,အတန်း # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,စုစုပေါင်းငွေချေမှု @@ -2411,7 +2431,7 @@ DocType: Hub Tracked Item,Hub Node,hub Node apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ဝန်ထမ်း ID ကို DocType: Salary Structure Assignment,Salary Structure Assignment,လစာဖွဲ့စည်းပုံတာဝန် DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,voucher အခွန်ပိတ်ပွဲ POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,လှုပ်ရှားမှု Initialised +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,လှုပ်ရှားမှု Initialised DocType: POS Profile,Applicable for Users,အသုံးပြုသူများအဘို့သက်ဆိုင်သော DocType: Training Event,Exam,စာမေးပွဲ apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,အထွေထွေ Ledger Entries ၏မှားယွင်းနေအရေအတွက်ကတွေ့ရှိခဲ့ပါတယ်။ သင်ကငွေပေးငွေယူနေတဲ့မှားယွင်းတဲ့အကောင့်ကိုရှေးခယျြခဲ့ကြပေလိမ့်မည်။ @@ -2518,6 +2538,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,လောင်ဂျီတွဒ် DocType: Accounts Settings,Determine Address Tax Category From,လိပ်စာအခွန်အမျိုးအစား မှစ. ဆုံးဖြတ်ရန် apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,ဖော်ထုတ်ခြင်းမူဝါဒချမှတ်သူများ +DocType: Stock Entry Detail,Reference Purchase Receipt,ကိုးကားစရာအရစ်ကျငွေလက်ခံပြေစာ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Invocies get DocType: Tally Migration,Is Day Book Data Imported,နေ့စာအုပ်ဒေတာများကအရေးကြီးတယ် ,Sales Partners Commission,အရောင်းအပေါင်းအဖေါ်များကော်မရှင် @@ -2541,6 +2562,7 @@ DocType: Leave Type,Applicable After (Working Days),(အလုပ်အဖွဲ DocType: Timesheet Detail,Hrs,နာရီ DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,ပေးသွင်း Scorecard လိုအပ်ချက် DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,အရည်အသွေးတုံ့ပြန်ချက် Template: Parameter apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,ချိတ်တွဲ၏နေ့စွဲမွေးရက်ထက် သာ. ကြီးမြတ်ဖြစ်ရမည် DocType: Bank Statement Transaction Invoice Item,Invoice Date,ငွေတောင်းခံလွှာနေ့စွဲ DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,အရောင်းပြေစာအပေါ် Lab ကစမ်းသပ် (s) ကို Create Submit @@ -2647,7 +2669,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,အနိမ့်ခ DocType: Stock Entry,Source Warehouse Address,source ဂိုဒေါင်လိပ်စာ DocType: Compensatory Leave Request,Compensatory Leave Request,အစားထိုးခွင့်တောင်းဆိုခြင်း DocType: Lead,Mobile No.,ဖုန်းနံပါတ်။ -DocType: Quality Goal,July,ဇူလိုင်လ +DocType: GSTR 3B Report,July,ဇူလိုင်လ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,အရည်အချင်းပြည့်မီ ITC DocType: Fertilizer,Density (if liquid),သိပ်သည်းဆ (အရည်လျှင်) DocType: Employee,External Work History,ပြင်ပလုပ်ငန်းခွင်သမိုင်း @@ -2724,6 +2746,7 @@ DocType: Certification Application,Certification Status,လက်မှတ်အ apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},source တည်နေရာပိုင်ဆိုင်မှု {0} ဘို့လိုအပ်ပါသည် DocType: Employee,Encashment Date,Encashment နေ့စွဲ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Completed ပိုင်ဆိုင်မှုကို Maintenance Log in ဝင်ရန်အဘို့အပြီးစီးနေ့စွဲကို select ပေးပါ +DocType: Quiz,Latest Attempt,နောက်ဆုံးရကြိုးစားခြင်း DocType: Leave Block List,Allow Users,Allow အသုံးပြုသူများ apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,အကောင့်ဇယား apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,'' ကနေအခွင့်အလမ်း '' ဖောက်သည်အဖြစ်ရွေးချယ်လျှင်ဖောက်သည်မဖြစ်မနေဖြစ်ပါသည် @@ -2788,7 +2811,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,ပေးသွင DocType: Amazon MWS Settings,Amazon MWS Settings,အမေဇုံ MWS Settings များ DocType: Program Enrollment,Walking,လမ်းလျှောက် DocType: SMS Log,Requested Numbers,တောင်းဆိုထားသောနံပါတ်များ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ကျေးဇူးပြု. Setup ကို> နံပါတ်စီးရီးကနေတစ်ဆင့်တက်ရောက်ဘို့ setup ကိုစာရငျးစီးရီး DocType: Woocommerce Settings,Freight and Forwarding Account,ကုန်တင်နှင့်ထပ်ဆင့်ပို့အကောင့် apps/erpnext/erpnext/accounts/party.py,Please select a Company,တစ်ဦးကုမ္ပဏီကို select ပေးပါ apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,အတန်း {0}: {1} 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်ရမည် @@ -2858,7 +2880,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Customer DocType: Training Event,Seminar,ညှိနှိုငျးဖလှယျပှဲ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),ခရက်ဒစ် ({0}) DocType: Payment Request,Subscription Plans,subscription စီမံကိန်းများကို -DocType: Quality Goal,March,မတ်လ +DocType: GSTR 3B Report,March,မတ်လ apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Split ကိုအသုတ်လိုက် DocType: School House,House Name,အိမ်အမည် apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),ထူးချွန် {0} သုည ({1}) ထက်လျော့နည်းမဖွစျနိုငျဘို့ @@ -2921,7 +2943,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,အာမခံ Start ကိုနေ့စွဲ DocType: Target Detail,Target Detail,ပစ်မှတ်အသေးစိတ် DocType: Packing Slip,Net Weight UOM,Net ကအလေးချိန် UOM -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: Purchase Invoice Item,Net Amount (Company Currency),net ငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်) DocType: Bank Statement Transaction Settings Item,Mapped Data,မြေပုံနှင့်ညှိထားသောဒေတာများ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Securities and စာရင်း @@ -2971,6 +2992,7 @@ DocType: Cheque Print Template,Cheque Height,အမြင့် Check apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,ရက်စွဲကိုသက်သာရာရိုက်ထည့်ပေးပါ။ DocType: Loyalty Program,Loyalty Program Help,သစ္စာရှိမှုအစီအစဉ်အကူအညီ DocType: Journal Entry,Inter Company Journal Entry Reference,အင်တာမီလန်ကုမ္ပဏီဂျာနယ် Entry ကိုးကားစရာ +DocType: Quality Meeting,Agenda,ကိစ္စအစီအစဉ် DocType: Quality Action,Corrective,မှန်ကန်သော apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Group မှဖြင့် DocType: Bank Account,Address and Contact,လိပ်စာနှင့်ဆက်သွယ်ပါ @@ -3024,7 +3046,7 @@ DocType: GL Entry,Credit Amount,အကြွေးပမာဏ apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,စုစုပေါင်းငွေပမာဏအသိအမှတ်ပြု DocType: Support Search Source,Post Route Key List,Post ကိုလမ်းကြောင်း Key ကိုစာရင်း apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} မတက်ကြွဘဏ္ဍာရေးတစ်နှစ်တာ။ -DocType: Quality Action Table,Problem,ပြဿနာ +DocType: Quality Action Resolution,Problem,ပြဿနာ DocType: Training Event,Conference,အစည်းအဝေး DocType: Mode of Payment Account,Mode of Payment Account,ငွေပေးချေမှုရမည့်အကောင့်၏ Mode ကို DocType: Leave Encashment,Encashable days,Encashable ရက်ပေါင်း @@ -3150,7 +3172,7 @@ DocType: Item,"Purchase, Replenishment Details","အရစ်ကျ, Replenishme DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",ထားပြီးတာနဲ့ဒီငွေတောင်းခံလွှာအတွက်အစုရက်စွဲမကုန်မှီတိုင်အောင်ကိုင်ပေါ်ပါလိမ့်မည် apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,မျိုးကွဲရှိပါတယ်ကတည်းကစတော့အိတ် Item {0} ဘို့မတည်ရှိနိုင်ပါတယ် DocType: Lab Test Template,Grouped,အုပ်စုဖွဲ့ -DocType: Quality Goal,January,ဇန္နဝါရီလ +DocType: GSTR 3B Report,January,ဇန္နဝါရီလ DocType: Course Assessment Criteria,Course Assessment Criteria,သင်တန်းအမှတ်စဥ်အကဲဖြတ်လိုအပ်ချက် DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,completed အရည်အတွက် @@ -3246,7 +3268,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,ကျန် apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,table ထဲမှာ atleast 1 ငွေတောင်းခံလွှာကိုရိုက်ထည့်ပေးပါ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,အရောင်းအမိန့် {0} တင်သွင်းမဟုတ်ပါ apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,တက်ရောက်သူအောင်မြင်စွာမှတ်လိုက်ပါပြီ။ -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,အကြိုအရောင်း +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,အကြိုအရောင်း apps/erpnext/erpnext/config/projects.py,Project master.,Project မှမာစတာ။ DocType: Daily Work Summary,Daily Work Summary,နေ့စဉ်လုပ်ငန်းခွင်အကျဉ်းချုပ် DocType: Asset,Partially Depreciated,တစ်စိတ်တစ်ပိုင်းတန်ဖိုးလျော့ကျ @@ -3255,6 +3277,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Encashed Leave? DocType: Certified Consultant,Discuss ID,ID ကိုအကြောင်းဆွေးနွေး apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,GST က Settings ထဲမှာ GST Accounts ကိုသတ်မှတ်ပေးပါ +DocType: Quiz,Latest Highest Score,နောက်ဆုံးရအမြင့်ဆုံးရမှတ် DocType: Supplier,Billing Currency,ငွေတောင်းခံငွေကြေးစနစ် apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,ကျောင်းသားလှုပ်ရှားမှု apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,ပစ်မှတ်အရည်အတွက်သို့မဟုတ်ပစ်မှတ်ပမာဏကိုဖြစ်စေမဖြစ်မနေဖြစ်ပါသည် @@ -3280,18 +3303,21 @@ DocType: Sales Order,Not Delivered,ပို့ပြီးမဟုတ် apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,အမျိုးအစား {0} Leave ကလစာမရှိပဲစွန့်ခွာဖြစ်ပါတယ်ကတည်းကခွဲဝေမရနိုငျ DocType: GL Entry,Debit Amount,debit ငွေပမာဏ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},ယခုပင်လျှင်စံချိန်ပစ္စည်း {0} များအတွက်တည်ရှိ +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,sub စညျးဝေးပှဲ 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.","မျိုးစုံစျေးနှုန်းစည်းကမ်းများနိုင်မှဆက်လက်လျှင်, အသုံးပြုသူပဋိပက္ခဖြေရှင်းရန်ကိုယ်တိုင်ဦးစားပေးသတ်မှတ်ထားဖို့တောင်းနေကြသည်။" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',အမျိုးအစား '' အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် 'သို့မဟုတ်' 'အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နှင့်စုစုပေါင်း' 'အဘို့ဖြစ်၏ရသောအခါနုတ်မရနိုင်သလား apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM နှင့်ကုန်ထုတ်လုပ်မှုပမာဏလိုအပ်သည် apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},item {0} {1} အပေါ်အသက်တာ၏ယင်း၏အဆုံးရောက်ရှိခဲ့ပါသည် DocType: Quality Inspection Reading,Reading 6,6 Reading +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,ကုမ္ပဏီလယ်ကွက်လိုအပ်ပါသည် apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,ပစ္စည်းစားသုံးမှုထုတ်လုပ်ခြင်းလုပ်ငန်းကိုဆက်တင်ထဲမှာ set မပေးပါ။ DocType: Assessment Group,Assessment Group Name,အကဲဖြတ် Group မှအမည် -DocType: Item,Manufacturer Part Number,ထုတ်လုပ်သူအပိုင်းအရေအတွက် +DocType: Purchase Invoice Item,Manufacturer Part Number,ထုတ်လုပ်သူအပိုင်းအရေအတွက် apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,လုပ်ခလစာပေးချေ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},အတန်း # {0}: {1} ကို item {2} ဘို့အနုတ်လက္ခဏာမဖွစျနိုငျ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,balance အရည်အတွက် +DocType: Question,Multiple Correct Answer,အကွိမျမြားစှာမှန်ကန်သောအဖြေ DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 သစ္စာရှိမှုအမှတ်ဘယ်လောက်အခြေစိုက်စခန်းငွေကြေး =? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},မှတ်ချက်: အလုံအလောက်ခွင့်ချိန်ခွင်လျှာခွင့်အမျိုးအစား {0} များအတွက်မရှိပါ DocType: Clinical Procedure,Inpatient Record,အတွင်းလူနာမှတ်တမ်း @@ -3414,6 +3440,7 @@ DocType: Fee Schedule Program,Total Students,စုစုပေါင်းက apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,ဒေသဆိုင်ရာ DocType: Chapter Member,Leave Reason,အကြောင်းပြချက် Leave DocType: Salary Component,Condition and Formula,အခြေအနေနှင့်ဖော်မြူလာ +DocType: Quality Goal,Objectives,ရည်ရွယ်ချက်များ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","လစာပြီးသားဤရက်စွဲအကွာအဝေးအကြားမဖွစျနိုငျ {0} အကြားကာလအတွက်လုပ်ငန်းများ၌နှင့် {1}, လျှောက်လွှာကာလချန်ထားပါ။" DocType: BOM Item,Basic Rate (Company Currency),အခြေခံပညာနှုန်း (ကုမ္ပဏီငွေကြေးစနစ်) DocType: BOM Scrap Item,BOM Scrap Item,BOM အပိုင်းအစ Item @@ -3464,6 +3491,7 @@ DocType: Supplier,SUP-.YYYY.-,sup-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,စရိတ်ဆိုနေအကောင့် apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ဂျာနယ် Entry များအတွက်မရှိနိုင်ပါပြန်ဆပ်ဖို့တွေအတွက် apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} မလှုပ်မရှားကျောင်းသားဖြစ်ပါသည် +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,စတော့အိတ် Entry 'Make DocType: Employee Onboarding,Activities,လှုပ်ရှားမှုများ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast တဦးတည်းဂိုဒေါင်မဖြစ်မနေဖြစ်ပါသည် ,Customer Credit Balance,ဖောက်သည် Credit Balance @@ -3548,7 +3576,6 @@ DocType: Contract,Contract Terms,စာချုပ်စည်းကမ်း apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,ပစ်မှတ်အရည်အတွက်သို့မဟုတ်ပစ်မှတ်ပမာဏကိုဖြစ်စေမဖြစ်မနေဖြစ်ပါတယ်။ apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},မှားနေသော {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,နေ့စွဲတွေ့ဆုံ DocType: Inpatient Record,HLC-INP-.YYYY.-,ဆဆ-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,အတိုကောက်ထက်ပိုမို 5 ဇာတ်ကောင်ရှိသည်မဟုတ်နိုင်ပါတယ် DocType: Employee Benefit Application,Max Benefits (Yearly),မက်စ်အကျိုးကျေးဇူးများ (နှစ်စဉ်) @@ -3651,7 +3678,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,ဘဏ်စွပ်စွဲချက် apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,လွှဲပြောင်းကုန်ပစ္စည်းများ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,မူလတန်းဆက်သွယ်ပါအသေးစိတ် -DocType: Quality Review,Values,တန်ဖိုးများ DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","check လုပ်ထားမထားလျှင်, စာရင်းကလျှောက်ထားခံရဖို့ရှိပါတယ်ရှိရာတစ်ဦးစီဦးစီးဌာနမှဆက်ပြောသည်ခံရဖို့ရှိသည်လိမ့်မယ်။" DocType: Item Group,Show this slideshow at the top of the page,စာမျက်နှာရဲ့ထိပ်မှာဒီဆလိုက်ရှိုးပြရန် apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} parameter သည်မမှန်ကန် @@ -3670,6 +3696,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,ဘဏ်စွပ်စွဲချက်အကောင့် DocType: Journal Entry,Get Outstanding Invoices,ထူးချွန်ငွေတောင်းခံလွှာကိုရယူပါ DocType: Opportunity,Opportunity From,မှစ. အခွင့်အလမ်း +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,ပစ်မှတ်အသေးစိတ် DocType: Item,Customer Code,ဖောက်သည် Code ကို apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,ပထမဦးဆုံးပစ္စည်းကိုရိုက်ထည့်ပေးပါ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,ဝက်ဘ်ဆိုက်အိမ်ခန်းနှင့် @@ -3698,7 +3725,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,ရန် Delivery DocType: Bank Statement Transaction Settings Item,Bank Data,ဘဏ်ဒေတာများ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,နူန်းကျော်ကျော် Scheduled -DocType: Quality Goal,Everyday,နေ့တိုင်း DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Timesheet အပေါ်တူငွေတောင်းခံလွှာနာရီနှင့်အလုပ်အဖွဲ့နာရီကိုထိန်းသိမ်းရန် apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,track ခဲရင်းမြစ်များကပို့ဆောင်။ DocType: Clinical Procedure,Nursing User,သူနာပြုအသုံးပြုသူ @@ -3723,7 +3749,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,နယ်မြေတ DocType: GL Entry,Voucher Type,voucher အမျိုးအစား ,Serial No Service Contract Expiry,serial အဘယ်သူမျှမ Service ကိုစာချုပ်သက်တမ်းကုန်ဆုံး DocType: Certification Application,Certified,သတ်မှတ်နိုင်ကြောင်း -DocType: Material Request Plan Item,Manufacture,ပြုလုပ် +DocType: Purchase Invoice Item,Manufacture,ပြုလုပ် apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,ထုတ်လုပ် {0} ပစ္စည်းများ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0} များအတွက်ငွေပေးချေမှုရမည့်တောင်းဆိုခြင်း apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,နောက်ဆုံးအမိန့်ကတည်းကနေ့ရက်များ @@ -3738,7 +3764,7 @@ DocType: Sales Invoice,Company Address Name,ကုမ္ပဏီလိပ်စ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Transit ခုနှစ်တွင်ကုန်စည် apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,သင်သာဒီနိုင်ရန်အတွက် max ကို {0} အချက်များကိုရွေးနှုတ်တော်မူနိုင်ပါတယ်။ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},ဂိုဒေါင် {0} အတွက်အကောင့်ကိုသတ်မှတ်ပေးပါ -DocType: Quality Action Table,Resolution,resolution +DocType: Quality Action,Resolution,resolution DocType: Sales Invoice,Loyalty Points Redemption,သစ္စာရှိမှုအမှတ်ရွေးနှုတ်ခြင်း apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,စုစုပေါင်း Taxable Value ကို DocType: Patient Appointment,Scheduled,Scheduled @@ -3859,6 +3885,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,rate apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},သိမ်းဆည်းခြင်း {0} DocType: SMS Center,Total Message(s),စုစုပေါင်းကို Message (s) ကို +DocType: Purchase Invoice,Accounting Dimensions,စာရင်းကိုင်အရွယ်အစား apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,အကောင့်အားဖြင့် Group မှ DocType: Quotation,In Words will be visible once you save the Quotation.,သင်စျေးနှုန်းကယ်တင်တစ်ချိန်ကစကားခုနှစ်တွင်မြင်နိုင်ပါလိမ့်မည်။ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,ထုတ်လုပ်အရေအတွက် @@ -4023,7 +4050,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.",သင်သည်မည်သည့်မေးခွန်းများရှိပါကနောက်ကျောကိုအရပါ။ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,အရစ်ကျငွေလက်ခံပြေစာ {0} တင်သွင်းမဟုတ်ပါ DocType: Task,Total Expense Claim (via Expense Claim),(ကုန်ကျစရိတ်ဆိုနေမှတဆင့်) စုစုပေါင်းကုန်ကျစရိတ်ဆိုနေ -DocType: Quality Action,Quality Goal,အရည်အသွေးပန်းတိုင် +DocType: Quality Goal,Quality Goal,အရည်အသွေးပန်းတိုင် DocType: Support Settings,Support Portal,ပံ့ပိုးမှု Portal ကို apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},အလုပ်တခုကို၏အဆုံးနေ့စွဲ {0} {1} မျှော်လင့်ထားစတင်နေ့စွဲ {2} ထက်လျော့နည်းမဖွစျနိုငျ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},ဝန်ထမ်း {0} {1} အပေါ်ခွင့်အပေါ်ဖြစ်ပါသည် @@ -4082,7 +4109,6 @@ DocType: BOM,Operating Cost (Company Currency),operating ကုန်ကျစ DocType: Item Price,Item Price,item စျေး DocType: Payment Entry,Party Name,ပါတီအမည် apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,ဖောက်သည်တစ်ဦးကို select ပေးပါ -DocType: Course,Course Intro,သင်တန်းအမှတ်စဥ်မိတ်ဆက်ခြင်း DocType: Program Enrollment Tool,New Program,နယူးအစီအစဉ် apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix",အသစ်ကကုန်ကျစရိတ်စင်တာနံပါတ်ကရှေ့ဆက်အဖြစ်ကုန်ကျစရိတ်စင်တာနာမ၌ထည့်သွင်းပါလိမ့်မည် apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,ဖောက်သည်သို့မဟုတ်ပေးသွင်းရွေးချယ်ပါ။ @@ -4283,6 +4309,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net ကလစာအနုတ်လက္ခဏာမဖွစျနိုငျ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,ဆက်သွယ်မှုသည်၏အဘယ်သူမျှမ 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/hr/doctype/employee/employee_dashboard.py,Shift,အဆိုင်း apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Accounts ကိုနှင့်ပါတီများ၏ဇယားထုတ်ယူခြင်း DocType: Stock Settings,Convert Item Description to Clean HTML,Item ဖျေါပွခကျြက HTML ကိုရှင်းလင်းပြောင်း apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,အားလုံးပေးသွင်းအဖွဲ့များ @@ -4361,6 +4388,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,မိဘပစ္စည်း apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,brokerage apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},ပစ္စည်း {0} များအတွက်ဝယ်ယူပြေစာသို့မဟုတ်ဝယ်ယူငွေတောင်းခံလွှာကိုဖန်တီးပေးပါ +,Product Bundle Balance,ကုန်ပစ္စည်း Bundle ကို Balance apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,ကုမ္ပဏီအမည်ကုမ္ပဏီမဖွစျနိုငျ DocType: Maintenance Visit,Breakdown,ပျက်သည် DocType: Inpatient Record,B Negative,B ကအနုတ် @@ -4369,7 +4397,7 @@ DocType: Purchase Invoice,Credit To,credit ပေးရန် apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,နောက်ထပ်အပြောင်းအလဲနဲ့အဘို့ဤလုပ်ငန်းအမိန့် Submit ။ DocType: Bank Guarantee,Bank Guarantee Number,ဘဏ်အာမခံနံပါတ် apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},ကယ်နှုတ်တော်မူ၏: {0} -DocType: Quality Action,Under Review,ဆန်းစစ်ခြင်းလက်အောက်တွင် +DocType: Quality Meeting Table,Under Review,ဆန်းစစ်ခြင်းလက်အောက်တွင် apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),စိုက်ပျိုးရေး (beta ကို) ,Average Commission Rate,ပျမ်းမျှကော်မရှင်နှုန်း DocType: Sales Invoice,Customer's Purchase Order Date,ဖောက်သည်ရဲ့အရစ်ကျမိန့်နေ့စွဲ @@ -4486,7 +4514,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,ငွေတောင်းခံလွှာနှင့်အတူပွဲစဉ်ငွေပေးချေ DocType: Holiday List,Weekly Off,အပတ်စဉ်ဟာ Off apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},ပစ္စည်း {0} များအတွက်အခြားရွေးချယ်စရာကို item set ဖို့ခွင့်မပြု -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Program ကို {0} မတည်ရှိပါဘူး။ +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program ကို {0} မတည်ရှိပါဘူး။ apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,သငျသညျအမြစ် node ကိုတည်းဖြတ်မရနိုင်ပါ။ DocType: Fee Schedule,Student Category,ကျောင်းသား Category: apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","item {0}: ထုတ်လုပ် {1} အရည်အတွက်," @@ -4577,8 +4605,8 @@ DocType: Crop,Crop Spacing,သီးနှံ Spacing DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,မကြာခဏဘယ်လိုပရောဂျက်သငျ့သညျနှင့်ကုမ္ပဏီအရောင်းအရောင်းအဝယ်ပေါ်တွင်အခြေခံ updated လိမ့်မည်။ DocType: Pricing Rule,Period Settings,ကာလက Settings apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Accounts ကို receiver များတွင် Net ကပြောင်းလဲမှု +DocType: Quality Feedback Template,Quality Feedback Template,အရည်အသွေးတုံ့ပြန်ချက် Template ကို apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,အရေအတွက်အဘို့အသုညထက်ကြီးမြတ်သူဖြစ်ရမည် -DocType: Quality Goal,Goal Objectives,ရည်မှန်းချက်ရည်ရွယ်ချက်များ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","နှုန်း, ရှယ်ယာမျှနှင့်တွက်ချက်ပမာဏကိုအကြားရှေ့နောက်မညီရှိပါတယ်" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,သငျသညျတစ်နှစ်လျှင်ကျောင်းသားကျောင်းသူများအုပ်စုများစေလျှင်လွတ် Leave apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ချေးငွေ (စိစစ်) @@ -4613,12 +4641,13 @@ DocType: Quality Procedure Table,Step,လှမ်း DocType: Normal Test Items,Result Value,ရလဒ်တန်ဖိုး DocType: Cash Flow Mapping,Is Income Tax Liability,ဝင်ငွေခွန်တာဝန်ဝတ္တရား Is DocType: Healthcare Practitioner,Inpatient Visit Charge Item,အတွင်းလူနာခရီးစဉ်တာဝန်ခံ Item -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} မတည်ရှိပါဘူး။ +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} မတည်ရှိပါဘူး။ apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,တုံ့ပြန်မှုကိုအပ်ဒိတ်လုပ် DocType: Bank Guarantee,Supplier,ကုန်သွင်းသူ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},တန်ဖိုးအား betweeen {0} Enter နဲ့ {1} DocType: Purchase Order,Order Confirmation Date,အမိန့်အတည်ပြုချက်နေ့စွဲ DocType: Delivery Trip,Calculate Estimated Arrival Times,မှန်းခြေဆိုက်ရောက်ဗီဇာ Times ကတွက်ချက် +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,လူ့စွမ်းအားအရင်းအမြစ်အတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုထမ်း> HR က Settings apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumer DocType: Instructor,EDU-INS-.YYYY.-,EDU တွင်-ins-.YYYY.- DocType: Subscription,Subscription Start Date,subscription ကို Start နေ့စွဲ @@ -4682,6 +4711,7 @@ DocType: Cheque Print Template,Is Account Payable,အကောင့်ပေး apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,စုစုပေါင်းအမိန့် Value ကို apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},ပေးသွင်း {0} {1} အတွက်မတွေ့ရှိ apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Setup ကို SMS ကိုတံခါးပေါက် settings ကို +DocType: Salary Component,Round to the Nearest Integer,အနီးဆုံး Integer မှ round apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,အမြစ်မိဘတစ်ဦးကုန်ကျစရိတ်စင်တာရှိသည်မဟုတ်နိုင်ပါတယ် DocType: Healthcare Service Unit,Allow Appointments,ချိန်း Allow DocType: BOM,Show Operations,Show ကိုစစ်ဆင်ရေး @@ -4810,7 +4840,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,default အားလပ်ရက်များစာရင်း DocType: Naming Series,Current Value,လက်ရှိတန်ဖိုး apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","ဘတ်ဂျက် setting များအတွက်ရာသီ, ပစ်မှတ်စသည်တို့ကို" -DocType: Program,Program Code,Program ကို Code ကို apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},သတိပေးချက်: အရောင်းအမိန့် {0} ပြီးသားဖောက်သည်ရဲ့အရစ်ကျမိန့် {1} ဆန့်ကျင်တည်ရှိ apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,လစဉ်အရောင်းအဆိုပါ နှစ်မှစ. (အဆိုပါနှစ်ထက်လည်း DocType: Guardian,Guardian Interests,ဂါးဒီးယန်းစိတ်ဝင်စားမှုများ @@ -4860,10 +4889,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Paid နှင့်မကယ်မနှုတ် apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,item ကိုအလိုအလျောက်နံပါတ်မဟုတ်ပါဘူးဘာဖြစ်လို့လဲဆိုတော့ item Code ကိုမဖြစ်မနေဖြစ်ပါသည် DocType: GST HSN Code,HSN Code,HSN Code ကို -DocType: Quality Goal,September,စက်တင်ဘာလ +DocType: GSTR 3B Report,September,စက်တင်ဘာလ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,အုပ်ချုပ်ရေးဆိုင်ရာကုန်ကျစရိတ် DocType: C-Form,C-Form No,ကို C-Form ကိုအဘယ်သူမျှမ DocType: Purchase Invoice,End date of current invoice's period,လက်ရှိငွေတောင်းခံလွှာရဲ့အကာလ၏အဆုံးသည့်ရက်စွဲ +DocType: Item,Manufacturers,ထုတ်လုပ်သူ DocType: Crop Cycle,Crop Cycle,သီးနှံ Cycle DocType: Serial No,Creation Time,ဖန်ဆင်းခြင်းအချိန် apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,အခန်းက္ပအတည်ပြုသို့မဟုတ်အသုံးပြုသူအတည်ပြုရိုက်ထည့်ပေးပါ @@ -4936,8 +4966,6 @@ DocType: Employee,Short biography for website and other publications.,က်ဘ DocType: Purchase Invoice Item,Received Qty,အရည်အတွက်ရရှိထားသည့် DocType: Purchase Invoice Item,Rate (Company Currency),နှုန်း (ကုမ္ပဏီငွေကြေးစနစ်) DocType: Item Reorder,Request for,အဘို့တောင်းဆိုခြင်း -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","အဆိုပါထမ်း delete ကျေးဇူးပြု. {0} ဤစာရွက်စာတမ်းဖျက်သိမ်းရန် \" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,ရလာဒ်ကဒိ Installing apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,ပြန်ဆပ်ကာလကိုရိုက်ထည့်ပေးပါ DocType: Pricing Rule,Advanced Settings,အဆင့်မြင့်ချိန်ညှိမှုများ @@ -4963,7 +4991,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,စျေးဝယ်လှည်း Enable DocType: Pricing Rule,Apply Rule On Other,အခြားတွင်စည်းမျဉ်း Apply DocType: Vehicle,Last Carbon Check,နောက်ဆုံးကာဗွန်စစ်ဆေးမှု -DocType: Vehicle,Make,Make +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Make apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,paid အဖြစ်အရောင်းပြေစာ {0} created apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,ရည်ညွှန်းစာရွက်စာတမ်းလိုအပ်ပါသည်တစ်ဦးငွေပေးချေမှုရမည့်တောင်းဆိုခြင်းကိုဖန်တီးရန် apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ဝင်ငွေခွန် @@ -5039,7 +5067,6 @@ DocType: Territory,Parent Territory,မိဘနယ်မြေတွေကိ DocType: Vehicle Log,Odometer Reading,Odometer စာဖတ်ခြင်း DocType: Additional Salary,Salary Slip,လစာစလစ်ဖြတ်ပိုင်းပုံစံ DocType: Payroll Entry,Payroll Frequency,လစာကြိမ်နှုန်း -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,လူ့စွမ်းအားအရင်းအမြစ်အတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုထမ်း> HR က Settings apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Start နဲ့အဆုံးခိုင်လုံသောလစာကာလ၌မကျစတငျရ, {0} တွက်ချက်လို့မရဘူး" DocType: Products Settings,Home Page is Products,မူလစာမျက်နှာစာမျက်နှာထုတ်ကုန်များဖြစ်ပါသည် apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,ဖုန်းခေါ်ဆိုမှု @@ -5093,7 +5120,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,မှတ်တမ်းများကိုရယူနေ ...... DocType: Delivery Stop,Contact Information,ဆက်သွယ်ရန်အချက်အလက် DocType: Sales Order Item,For Production,ထုတ်လုပ်မှုများအတွက် -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ပညာရေးအတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုနည်းပြ> ပညာရေးကိုဆက်တင် DocType: Serial No,Asset Details,ပိုင်ဆိုင်မှုအသေးစိတ် DocType: Restaurant Reservation,Reservation Time,reservation အချိန် DocType: Selling Settings,Default Territory,default နယ်မြေတွေကို @@ -5233,6 +5259,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,သက်တမ်းကုန်ဆုံး batch DocType: Shipping Rule,Shipping Rule Type,shipping နည်းဥပဒေအမျိုးအစား DocType: Job Offer,Accepted,လက်ခံ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","အဆိုပါထမ်း delete ကျေးဇူးပြု. {0} ဤစာရွက်စာတမ်းဖျက်သိမ်းရန် \" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,သငျသညျပြီးသား {} အဆိုပါအကဲဖြတ်သတ်မှတ်ချက်အဘို့အအကဲဖြတ်ပါပြီ။ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ကို Select လုပ်ပါအသုတ်လိုက်နံပါတ်များ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),အသက်အရွယ် (နေ့ရက်များ) @@ -5249,6 +5277,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,ရောင်းချအချိန်တွင်ပစ္စည်းများ bundle ။ DocType: Payment Reconciliation Payment,Allocated Amount,ခွဲဝေငွေပမာဏ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,ကုမ္ပဏီနှင့်ဒီဇိုင်းကိုရွေးချယ်ပါ ကျေးဇူးပြု. +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'' နေ့စွဲ '' လိုအပ်ပါသည် DocType: Email Digest,Bank Credit Balance,ဘဏ်ချေးငွေ Balance apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,တိုးပွားလာသောငွေပမာဏပြရန် apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,သငျသညျကိုရှေးနှုတျမှ enought သစ္စာရှိမှုအမှတ်ရှိသည်မဟုတ်ကြဘူး @@ -5309,11 +5338,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,ယခင် Row စ DocType: Student,Student Email Address,ကျောင်းသားအီးမေးလ်လိပ်စာ DocType: Academic Term,Education,ပညာရေး DocType: Supplier Quotation,Supplier Address,ပေးသွင်းလိပ်စာ -DocType: Salary Component,Do not include in total,စုစုပေါင်းမပါဝင်ပါနဲ့ +DocType: Salary Detail,Do not include in total,စုစုပေါင်းမပါဝင်ပါနဲ့ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,ကုမ္ပဏီအဘို့အမျိုးစုံ Item Defaults ကိုမသတ်မှတ်နိုင်ပါ။ apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} တည်ရှိပါဘူး DocType: Purchase Receipt Item,Rejected Quantity,ပယ်ချအရေအတွက် DocType: Cashier Closing,To TIme,အချိန် +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: Daily Work Summary Group User,Daily Work Summary Group User,နေ့စဉ်လုပ်ငန်းခွင်အနှစ်ချုပ် Group မှအသုံးပြုသူတို့၏ DocType: Fiscal Year Company,Fiscal Year Company,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာကုမ္ပဏီ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,အခြားရွေးချယ်စရာကို item ကို item code ကိုအဖြစ်အတူတူပင်ဖြစ်မနေရပါ @@ -5423,7 +5453,6 @@ DocType: Fee Schedule,Send Payment Request Email,ငွေပေးချေမ DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,သင်အရောင်းပြေစာကိုကယ်တင်တစ်ချိန်ကစကားခုနှစ်တွင်မြင်နိုင်ပါလိမ့်မည်။ DocType: Sales Invoice,Sales Team1,အရောင်း Team1 DocType: Work Order,Required Items,လိုအပ်သောပစ္စည်းများ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","မှလွဲ. အထူးဇာတ်ကောင် "-", "#", "။ " နှင့် "/" စီးရီးနာမည်အတွက်ခွင့်မပြု" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,အဆိုပါ ERPNext လက်စွဲစာအုပ် Read DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ပေးသွင်းငွေတောင်းခံလွှာနံပါတ်ထူးခြားတဲ့ Check apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,ရှာရန် Sub စညျးဝေးပှဲ @@ -5491,7 +5520,6 @@ DocType: Taxable Salary Slab,Percent Deduction,ရာခိုင်နှုန apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,ထုတ်လုပ်အရေအတွက်သုညထက်လျော့နည်းမဖွစျနိုငျ DocType: Share Balance,To No,အဘယ်သူမျှမမှ DocType: Leave Control Panel,Allocate Leaves,အရွက်ခွဲဝေချထားပေးရန် -DocType: Quiz,Last Attempt,နောက်ဆုံးကြိုးစားခြင်း DocType: Assessment Result,Student Name,ကျောင်းသားအမည် apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,ပြုပြင်ထိန်းသိမ်းမှုလာရောက်လည်ပတ်သူအဘို့အစီအစဉ်။ apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,အောက်ပါပစ္စည်းတောင်းဆိုချက်များ Item ရဲ့ Re-အလို့ငှာအဆငျ့အပေါ်အခြေခံပြီးအလိုအလျှောက်ကြီးပြင်းခဲ့ကြ @@ -5560,6 +5588,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,indicator အရောင် DocType: Item Variant Settings,Copy Fields to Variant,မူကွဲမှ Fields မိတ္တူ DocType: Soil Texture,Sandy Loam,စန္ဒီ Loam +DocType: Question,Single Correct Answer,လူပျိုမှန်ကန်သောအဖြေ apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,နေ့စွဲကနေန်ထမ်းရဲ့ပူးပေါင်းရက်စွဲထက်လျော့နည်းမဖွစျနိုငျ DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,တစ်ဦးဖောက်သည်ရဲ့အရစ်ကျအမိန့်ဆန့်ကျင်မျိုးစုံအရောင်းအမိန့် Allow apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,ကောင်စီ / LC @@ -5622,7 +5651,7 @@ DocType: Account,Expenses Included In Valuation,အကောက်ခွန် apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,serial နံပါတ် DocType: Salary Slip,Deductions,ဖြတ်တောက်ခြင်းများကို ,Supplier-Wise Sales Analytics,ပေးသွင်း-ပညာရှိအရောင်း Analytics မှ -DocType: Quality Goal,February,ဖေဖေါ်ဝါရီလ +DocType: GSTR 3B Report,February,ဖေဖေါ်ဝါရီလ DocType: Appraisal,For Employee,ထမ်းများအတွက် apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,အမှန်တကယ် Delivery နေ့စွဲ DocType: Sales Partner,Sales Partner Name,အရောင်း Partner အမည် @@ -5718,7 +5747,6 @@ DocType: Procedure Prescription,Procedure Created,လုပ်ထုံးလု apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},ပေးသွင်းငွေတောင်းခံလွှာ {0} ဆန့်ကျင် {1} ရက်စွဲပါ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,ပြောင်းလဲမှု POS ကိုယ်ရေးဖိုင် apps/erpnext/erpnext/utilities/activation.py,Create Lead,ခဲ Create -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ပေးသွင်း> ပေးသွင်းအမျိုးအစား DocType: Shopify Settings,Default Customer,default ဖောက်သည် DocType: Payment Entry Reference,Supplier Invoice No,ပေးသွင်းငွေတောင်းခံလွှာအဘယ်သူမျှမ DocType: Pricing Rule,Mixed Conditions,ရောနှောထားသောအခြေအနေများ @@ -5769,12 +5797,14 @@ DocType: Item,End of Life,အသက်တာ၏အဆုံး DocType: Lab Test Template,Sensitivity,အာရုံများကိုထိခိုက်လွယ်ခြင်း DocType: Territory,Territory Targets,နယ်မြေတွေကိုပစ်မှတ် apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Leave ခွဲဝေမှတ်တမ်းများပြီးသားသူတို့တဘက်၌တည်ရှိသကဲ့သို့, အောက်ပါန်ထမ်းများအတွက်ခွင့်ခွဲဝေခုန်ကျော်သွားသကဲ့သို့ဖြစ်ရသည်။ {0}" +DocType: Quality Action Resolution,Quality Action Resolution,အရည်အသွေးလှုပ်ရှားမှုဆုံးဖြတ်ချက် DocType: Sales Invoice Item,Delivered By Supplier,ပေးသွင်းခြင်းအားဖြင့်ကယ်လွှတ် DocType: Agriculture Analysis Criteria,Plant Analysis,စက်ရုံအားသုံးသပ်ခြင်း apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},စရိတ် account item ကို {0} တွေအတွက်မဖြစ်မနေဖြစ်ပါသည် ,Subcontracted Raw Materials To Be Transferred,လွှဲပြောင်းရန်နှုံးကုန်ကြမ်း DocType: Cashier Closing,Cashier Closing,ငွေကိုင်ပိတ်ခြင်း apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,item {0} ပြီးသားပြန်ရောက်ခဲ့ပြီး +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,မှားနေသော GSTIN! သင်ထည့်သွင်းဖူးတဲ့ input ကို UIN ရှင်သို့မဟုတ် Non-ဌာနေ OIDAR Service Providers များအတွက် GSTIN format နဲ့မကိုက်ညီ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,ကလေးသူငယ်ဂိုဒေါင်ကဒီဂိုဒေါင်အဘို့တည်ရှိကြောင်း။ သင်ဤဂိုဒေါင်မဖျက်နိုင်ပါ။ DocType: Diagnosis,Diagnosis,ရောဂါအမည်ဖေါ်ခြင်း apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},အဘယ်သူမျှမချန်ကာလ {0} နှင့် {1} ကြား၌ရှိပါသည် @@ -5791,6 +5821,7 @@ DocType: QuickBooks Migrator,Authorization Settings,authorization Settings မ DocType: Homepage,Products,ထုတ်ကုန်များ ,Profit and Loss Statement,အမြတ်အစွန်းနှင့်ဆုံးရှုံးမှုထုတ်ပြန်ချက် apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,ကြိုတင်ဘွတ်ကင်အခန်းပေါင်း +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},ပစ္စည်းကုဒ် {0} နှင့်ထုတ်လုပ်သူ {1} ဆန့်ကျင် entry ကို Duplicate DocType: Item Barcode,EAN,Ean DocType: Purchase Invoice Item,Total Weight,စုစုပေါင်းအလေးချိန် apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,ခရီးသွား @@ -5839,6 +5870,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,default ဖောက်သည်အုပ်စု DocType: Journal Entry Account,Debit in Company Currency,ကုမ္ပဏီငွေကြေးစနစ်အတွက် debit DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",အဆိုပါ fallback စီးရီး "SO-WOO-" ဖြစ်ပါတယ်။ +DocType: Quality Meeting Agenda,Quality Meeting Agenda,အရည်အသွေးအစည်းအဝေးအစီအစဉ် DocType: Cash Flow Mapper,Section Header,ပုဒ်မ Header ကို apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,သင့်ရဲ့ထုတ်ကုန်များသို့မဟုတ်န်ဆောင်မှုများ DocType: Crop,Perennial,နှစ်ရှည် @@ -5884,7 +5916,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",တစ်ဦးကကုန်ပစ္စည်းသို့မဟုတ်စတော့ရှယ်ယာအတွက်ဝယ်ရောင်းမထားရှိမည်သောဝန်ဆောင်မှု။ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),ပိတ် (ဖွင့်ပွဲ + စုစုပေါင်း) DocType: Supplier Scorecard Criteria,Criteria Formula,လိုအပ်ချက်ဖော်မြူလာ -,Support Analytics,ပံ့ပိုးမှု Analytics မှ +apps/erpnext/erpnext/config/support.py,Support Analytics,ပံ့ပိုးမှု Analytics မှ apps/erpnext/erpnext/config/quality_management.py,Review and Action,ဆန်းစစ်ခြင်းနှင့်လှုပ်ရှားမှု DocType: Account,"If the account is frozen, entries are allowed to restricted users.",အကောင့်အေးခဲသည်ဆိုပါ entries တွေကိုကန့်သတ်သည်အသုံးပြုသူများမှခွင့်ပြုခဲ့ရသည်။ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,တန်ဖိုးလျော့ပြီးနောက်ငွေပမာဏ @@ -5929,7 +5961,6 @@ DocType: Contract Template,Contract Terms and Conditions,စာချုပ် apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ဒေတာများကိုဆွဲယူ DocType: Stock Settings,Default Item Group,default Item Group မှ DocType: Sales Invoice Timesheet,Billing Hours,ငွေတောင်းခံနာရီ -DocType: Item,Item Code for Suppliers,ပေးသွင်းများအတွက် item Code ကို apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},{0} ပြီးသားကျောင်းသား {1} ဆန့်ကျင်တည်ရှိ application ကိုစွန့်ခွာ DocType: Pricing Rule,Margin Type,margin အမျိုးအစား DocType: Purchase Invoice Item,Rejected Serial No,ပယ်ချ Serial ဘယ်သူမျှမက @@ -6002,6 +6033,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,အရွက် sucessfully ခွင့်ပြုထားပြီး DocType: Loyalty Point Entry,Expiry Date,သက်တမ်းကုန်ဆုံးရက် DocType: Project Task,Working,အလုပ်အဖွဲ့ +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ပြီးသားမိဘလုပ်ထုံးလုပ်နည်း {1} ရှိပါတယ်။ apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,ဒီလူနာဆန့်ကျင်အရောင်းအပေါ်တွင်အခြေခံထားသည်။ အသေးစိတ်အချက်အလက်များကိုအောက်ပါအချိန်ဇယားကိုကြည့်ပါ DocType: Material Request,Requested For,သည်တောင်းဆိုထားသော DocType: SMS Center,All Sales Person,အားလုံးအရောင်းပုဂ္ဂိုလ် @@ -6089,6 +6121,7 @@ DocType: Loan Type,Maximum Loan Amount,အများဆုံးချေး apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,အီးမေးလ်ပို့ရန်က default အဆက်အသွယ်မတွေ့ရှိ DocType: Hotel Room Reservation,Booked,ကြိုတင်ဘွတ်ကင် DocType: Maintenance Visit,Partially Completed,တစ်စိတ်တစ်ပိုင်းပြီးစီး +DocType: Quality Procedure Process,Process Description,ဖြစ်စဉ်ကိုဖျေါပွခကျြ DocType: Company,Default Employee Advance Account,default န်ထမ်းကြိုတင်အကောင့် DocType: Leave Type,Allow Negative Balance,အပျက်သဘောဆောင်သော Balance Allow apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,အကဲဖြတ်အစီအစဉ်အမည် @@ -6130,6 +6163,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,စျေးနှုန်း Item ဘို့တောင်းဆိုခြင်း apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} Item အခွန်အတွက်နှစ်ကြိမ်ထဲသို့ဝင် DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Selected လစာနေ့စွဲအပေါ်အပြည့်အဝအခွန်နုတ် +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,နောက်ဆုံးကာဗွန်စစ်ဆေးမှုများနေ့စွဲအနာဂတ်နေ့စွဲမဖွစျနိုငျ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,ပြောင်းလဲမှုငွေပမာဏကိုအကောင့်ကိုရွေးချယ်ပါ DocType: Support Settings,Forum Posts,ဖိုရမ်ရေးသားချက်များ DocType: Timesheet Detail,Expected Hrs,မျှော်လင့်ထားသည့်နာရီ @@ -6139,7 +6173,7 @@ DocType: Program Enrollment Tool,Enroll Students,ကျောင်းသား apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,ထပ်ခါတလဲလဲဖောက်သည်အခွန်ဝန်ကြီးဌာန DocType: Company,Date of Commencement,စတင်တဲ့ရက်စွဲ DocType: Bank,Bank Name,ဘဏ်အမည် -DocType: Quality Goal,December,ဒီဇင်ဘာလ +DocType: GSTR 3B Report,December,ဒီဇင်ဘာလ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,နေ့စွဲကနေသက်တမ်းရှိသည့်ရက်စွဲနူန်းကျော်ကျော်တရားဝင်ထက်လျော့နည်းဖြစ်ရမည် apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,ဒီထမ်းများ၏တက်ရောက်သူအပေါ်အခြေခံသည် DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","check လုပ်ထားလျှင်, ပင်မစာမျက်နှာဝက်ဘ်ဆိုက်များအတွက် default အ Item Group မှဖြစ်လိမ့်မည်" @@ -6182,6 +6216,7 @@ DocType: Payment Entry,Payment Type,ငွေပေးချေမှုရမ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,အဆိုပါဖိုလီယိုနံပါတ်များကိုကိုက်ညီကြသည်မဟုတ် DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},အရည်အသွေးစစ်ဆေးရေး: {0} ပစ္စည်းများအတွက်တင်သွင်းမဟုတ်ပါ: {1} {2} အတန်းအတွက် +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Show ကို {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} ကို item တွေ့ရှိခဲ့ပါတယ်။ ,Stock Ageing,စတော့အိတ်အို DocType: Customer Group,Mention if non-standard receivable account applicable,Non-စံ receiver အကောင့်သက်ဆိုင်သောလျှင်ဖော်ပြထားခြင်း @@ -6460,6 +6495,7 @@ DocType: Travel Request,Costing,ကုန်ကျ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,fixed ပိုင်ဆိုင်မှုများ DocType: Purchase Order,Ref SQ,ref စတုရန်းမိုင် DocType: Salary Structure,Total Earning,စုစုပေါင်းဝင်ငွေရ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည် Group မှ> နယ်မြေတွေကို DocType: Share Balance,From No,အဘယ်သူမျှမကနေ DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ငွေပေးချေမှုရမည့်ပြန်လည်သင့်မြတ်ရေးငွေတောင်းခံလွှာ DocType: Purchase Invoice,Taxes and Charges Added,အခွန်အခများနှင့်စွပ်စွဲချက် Added @@ -6467,7 +6503,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,များအ DocType: Authorization Rule,Authorized Value,Authorized Value ကို apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,မှစ. ရရှိထားသည့် apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,ဂိုဒေါင် {0} မတည်ရှိပါဘူး +DocType: Item Manufacturer,Item Manufacturer,item ထုတ်လုပ်သူ DocType: Sales Invoice,Sales Team,အရောင်းရေးအဖွဲ့ +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,bundle ကိုအရည်အတွက် DocType: Purchase Order Item Supplied,Stock UOM,စတော့အိတ် UOM DocType: Installation Note,Installation Date,installation နေ့စွဲ DocType: Email Digest,New Quotations,နယူးကိုးကားချက်များ @@ -6531,7 +6569,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,အားလပ်ရက်စာရင်းအမည် DocType: Water Analysis,Collection Temperature ,ငွေကောက်ခံအပူချိန် DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,ခန့်အပ်တာဝန်ပေးခြင်းငွေတောင်းခံလွှာတင်သွင်းခြင်းနှင့်လူနာတှေ့ဆုံဘို့အလိုအလြောကျ cancel စီမံခန့်ခွဲရန် -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setup ကို> Setting> အမည်ဖြင့်သမုတ်စီးရီးကနေတဆင့် {0} များအတွက်စီးရီးအမည်ဖြင့်သမုတ်သတ်မှတ်ထား ကျေးဇူးပြု. DocType: Employee Benefit Claim,Claim Date,အရေးဆိုသည့်ရက်စွဲ DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,ပေးသွင်းအသတ်မရှိပိတ်ဆို့လျှင်လွတ် Leave apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,နေ့စွဲရန်နေ့စွဲနှင့်တက်ရောက်သူ မှစ. တက်ရောက်သူမဖြစ်မနေဖြစ်ပါသည် @@ -6542,6 +6579,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,အငြိမ်းစား၏နေ့စွဲ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,လူနာကို select ပေးပါ DocType: Asset,Straight Line,မျဥ်းဖြောင့် +DocType: Quality Action,Resolutions,resolutions DocType: SMS Log,No of Sent SMS,Sent SMS ကိုအဘယ်သူမျှမ ,GST Itemised Sales Register,GST Item အရောင်းမှတ်ပုံတင်မည် apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,စုစုပေါင်းကြိုတင်မဲငွေပမာဏစုစုပေါင်းပိတ်ဆို့အရေးယူငွေပမာဏထက် သာ. ကြီးမြတ်မဖွစျနိုငျ @@ -6652,7 +6690,7 @@ DocType: Account,Profit and Loss,အမြတ်အစွန်းနှင် apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,ကွဲပြားမှုအရည်အတွက် DocType: Asset Finance Book,Written Down Value,Down Written Value ကို apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Balance Equity ဖွင့်လှစ် -DocType: Quality Goal,April,ဧပြီလ +DocType: GSTR 3B Report,April,ဧပြီလ DocType: Supplier,Credit Limit,အကြွေးကန့်သတ် apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,ဖြန့်ဖြူး apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6707,6 +6745,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext နှင့်အတူ Shopify ချိတ်ဆက်ပါ DocType: Homepage Section Card,Subtitle,ခေါင်းစဉ်ကလေး DocType: Soil Texture,Loam,Loam +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ပေးသွင်း> ပေးသွင်းအမျိုးအစား DocType: BOM,Scrap Material Cost(Company Currency),အပိုင်းအစပစ္စည်းကုန်ကျစရိတ် (ကုမ္ပဏီငွေကြေးစနစ်) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Delivery မှတ်ချက် {0} တင်သွင်းမရရှိရမည် DocType: Task,Actual Start Date (via Time Sheet),(အချိန်စာရွက်ကနေတဆင့်) အမှန်တကယ် Start ကိုနေ့စွဲ @@ -6762,7 +6801,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,ဆေးတခါသောက် DocType: Cheque Print Template,Starting position from top edge,ထိပ်ဆုံးအစွန်ကနေအနေအထားစတင်ခြင်း apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),ခန့်အပ်တာဝန်ပေးခြင်း Duration: (မိနစ်) -DocType: Pricing Rule,Disable,disable +DocType: Accounting Dimension,Disable,disable DocType: Email Digest,Purchase Orders to Receive,လက်ခံမှအမိန့်ဝယ်ယူရန် apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Productions အမိန့်အဘို့ပြင်းလာရနိုင်မှာမဟုတ်ဘူး: DocType: Projects Settings,Ignore Employee Time Overlap,ထမ်းအချိန်ထပ်လျစ်လျူရှု @@ -6846,6 +6885,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,အခ DocType: Item Attribute,Numeric Values,numeric တန်ဖိုးများ DocType: Delivery Note,Instructions,ညွှန်ကြားချက်များ DocType: Blanket Order Item,Blanket Order Item,စောင်အမိန့် Item +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,အမြတ်နှင့်အရှုံးအကောင့်သည်မသင်မနေရ apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,ကော်မရှင်မှုနှုန်းက 100 ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Course Topic,Course Topic,သင်တန်းခေါင်းစဉ် DocType: Employee,This will restrict user access to other employee records,ဤသည်ကတခြားဝန်ထမ်းမှတ်တမ်းများမှအသုံးပြုသူ access ကိုကန့်သတ်ပါလိမ့်မယ် @@ -6870,12 +6910,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,subscription apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,ကနေဖောက်သည် Get apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest မဂ္ဂဇင်း DocType: Employee,Reports to,အစီရင်ခံစာများမှ +DocType: Video,YouTube,YouTube ကို DocType: Party Account,Party Account,ပါတီအကောင့် DocType: Assessment Plan,Schedule,ဇယား apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,ကျေးဇူးပြု. ထည့်သွင်းပါ DocType: Lead,Channel Partner,channel ကိုအဖော် apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,သို့ပို့ပမာဏ DocType: Project,From Template,Template: ကနေ +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,subscriptions apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Make မှအရေအတွက် DocType: Quality Review Table,Achieved,အောင်မြင် @@ -6922,7 +6964,6 @@ DocType: Journal Entry,Subscription Section,subscription ပုဒ်မ DocType: Salary Slip,Payment Days,ငွေပေးချေမှုရမည့်နေ့ရက်များ apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,စေတနာ့ဝန်ထမ်းသတင်းအချက်အလက်။ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze စတော့ရှယ်ယာများအသက်ကြီး Than`% ဃရက်ပေါင်းထက်သေးငယ်ဖြစ်သင့်သည်။ -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,ဘဏ္ဍာရေးတစ်နှစ်တာကို Select လုပ်ပါ DocType: Bank Reconciliation,Total Amount,စုစုပေါင်းပမာဏ DocType: Certification Application,Non Profit,non အမြတ် DocType: Subscription Settings,Cancel Invoice After Grace Period,ကျေးဇူးတော်ရှိစေသတည်းကာလပြီးနောက်ငွေတောင်းခံလွှာ Cancel @@ -6935,7 +6976,6 @@ DocType: Serial No,Warranty Period (Days),အာမခံကာလ (နေ့ရ DocType: Expense Claim Detail,Expense Claim Detail,စရိတ်အရေးဆိုမှုအသေးစိတ် apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program ကို: DocType: Patient Medical Record,Patient Medical Record,လူနာဆေးဘက်ဆိုင်ရာမှတ်တမ်း -DocType: Quality Action,Action Description,လှုပ်ရှားမှုဖျေါပွခကျြ DocType: Item,Variant Based On,မူကွဲအခြေပြုတွင် DocType: Vehicle Service,Brake Oil,ဘရိတ်ရေနံ DocType: Employee,Create User,အသုံးပြုသူကိုဖန်တီး @@ -6991,7 +7031,7 @@ DocType: Cash Flow Mapper,Section Name,ပုဒ်မအမည် DocType: Packed Item,Packed Item,ထုပ်ပိုးပစ္စည်း apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: ဒက်ဘစ်သို့မဟုတ်ခရက်ဒစ်ပမာဏကိုဖြစ်စေ {2} ဘို့လိုအပ်ပါသည် apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,လစာစလစ်တင်သွင်းနေ ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,အဘယ်သူမျှမဇာတ်ကြမ်း +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,အဘယ်သူမျှမဇာတ်ကြမ်း apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",ဒါကြောင့်တစ်ဦးဝင်ငွေခွန်သို့မဟုတ်သုံးစွဲမှုအကောငျ့ကိုမပေးမယ့်အဖြစ်ဘတ်ဂျက် {0} ဆန့်ကျင်တာဝန်ပေးအပ်ရနိုင်မှာမဟုတ်ဘူး apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,မာစတာနှင့် Accounts ကို DocType: Quality Procedure Table,Responsible Individual,တာဝန်ရှိတစ်ဦးချင်း @@ -7114,7 +7154,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,ကလေးကုမ္ပဏီဆန့်ကျင်အကောင့်ဖန်ဆင်းခြင်း Allow DocType: Payment Entry,Company Bank Account,ကုမ္ပဏီဘဏ်အကောင့် DocType: Amazon MWS Settings,UK,ဗြိတိန်နိုင်ငံ -DocType: Quality Procedure,Procedure Steps,လုပ်ထုံးလုပ်နည်းခြေလှမ်းများ DocType: Normal Test Items,Normal Test Items,ပုံမှန်စမ်းသပ်ပစ္စည်းများ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,item {0}: မိန့်ထုတ်အရည်အတွက် {1} {2} (item အတွက်သတ်မှတ်ထားသော) နိမ့်ဆုံးအမိန့်အရည်အတွက်ထက်လျော့နည်းမဖြစ်နိုင်ပါ။ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,မဟုတ်စတော့အိတ်အတွက် @@ -7193,7 +7232,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,analytics DocType: Maintenance Team Member,Maintenance Role,ကို Maintenance အခန်းက္ပ apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,စည်းကမ်းသတ်မှတ်ချက်များ Template ကို DocType: Fee Schedule Program,Fee Schedule Program,အခကြေးငွေဇယားအစီအစဉ် -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,သင်တန်းအမှတ်စဥ် {0} မတည်ရှိပါဘူး။ DocType: Project Task,Make Timesheet,Timesheet Make DocType: Production Plan Item,Production Plan Item,ထုတ်လုပ်မှုအစီအစဉ် Item apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,စုစုပေါင်းကျောင်းသား @@ -7215,6 +7253,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,"တက်အရှေ့ဥရောပ, တောင်အာဖရိက" apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,သင့်ရဲ့အဖွဲ့ဝင်ရက်ပေါင်း 30 အတွင်းကုန်ဆုံးလျှင်သင်သာသက်တမ်းတိုးလို့ရပါတယ် apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Value ကို {0} နှင့် {1} အကြားဖြစ်ရပါမည် +DocType: Quality Feedback,Parameters,parameters ,Sales Partner Transaction Summary,အရောင်း Partner ငွေသွင်းငွေထုတ်အကျဉ်းချုပ် DocType: Asset Maintenance,Maintenance Manager Name,ကို Maintenance Manager ကိုအမည် apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,ဒါဟာ Item အသေးစိတ်ဆွဲယူဖို့လိုအပ်ပါသည်။ @@ -7253,6 +7292,7 @@ DocType: Student Admission,Student Admission,ကျောင်းသားသ DocType: Designation Skill,Skill,ကျင်လည်ခြင်း DocType: Budget Account,Budget Account,ဘတ်ဂျက်အကောင့် DocType: Employee Transfer,Create New Employee Id,နယူးထမ်း Id Create +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} '' အကျိုးအမြတ်နှင့်ဆုံးရှုံးမှု '' အကောင့် {1} ဘို့လိုအပ်ပါသည်။ apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),ကုန်ပစ္စည်းများနှင့်ဝန်ဆောင်မှုများကိုအခွန် (GST အိန္ဒိယ) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,လစာစလစ်ဖန်တီးနေ ... DocType: Employee Skill,Employee Skill,ဝန်ထမ်းကျွမ်းကျင်မှု @@ -7353,6 +7393,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,စားသ DocType: Subscription,Days Until Due,ကြောင့်အချိန်အထိနေ့ရက်များ apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Show ကိုပြီးစီး apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,ဘဏ်ဖော်ပြချက်ငွေသွင်းငွေထုတ် Entry 'အစီရင်ခံစာ +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ဘဏ် Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,အတန်း # {0}: {2} ({3} / {4}): နှုန်း {1} အဖြစ်အတူတူပင်ဖြစ်ရပါမည် DocType: Clinical Procedure,HLC-CPR-.YYYY.-,ဆဆ-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,ကျန်းမာရေးစောင့်ရှောက်မှုဝန်ဆောင်မှုပစ္စည်းများ @@ -7409,6 +7450,7 @@ DocType: Training Event Employee,Invited,ဖိတ်ကြားခဲ့ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},အဆိုပါအစိတ်အပိုင်း {0} များအတွက်အရည်အချင်းပြည့်မီအများဆုံးပမာဏကို {1} ထက်ကျော်လွန် apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,ဘီလ်မှငွေပမာဏ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",{0} များအတွက်သာ debit အကောင့်အခြားအကြွေး entry ကိုဆန့်ကျင်ဆက်နွယ်နေနိုင်ပါသည် +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Creating အရွယ်အစား ... DocType: Bank Statement Transaction Entry,Payable Account,ပေးဆောင်အကောင့် apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,လိုအပ်သောလည်ပတ်မှုမရှိဖော်ပြထားခြင်း ကျေးဇူးပြု. DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,သငျသညျ setup ကိုငွေ Flow Mapper စာရွက်စာတမ်းများရှိပါကသာလျှင် select လုပ်ပါ @@ -7426,6 +7468,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,resolution အချိန် DocType: Grading Scale Interval,Grade Description,grade ဖျေါပွခကျြ DocType: Homepage Section,Cards,ကတ်များ +DocType: Quality Meeting Minutes,Quality Meeting Minutes,အရည်အသွေးအစည်းအဝေးမှတ်တမ်းများ DocType: Linked Plant Analysis,Linked Plant Analysis,လင့်ခ်လုပ်ထားသောစက်ရုံအားသုံးသပ်ခြင်း apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Service ကိုရပ်တန့်နေ့စွဲဝန်ဆောင်မှုပြီးဆုံးရက်စွဲပြီးနောက်မဖွစျနိုငျ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,GST က Settings ထဲမှာ B2C ကန့်သတ်သတ်မှတ်ပါ။ @@ -7460,7 +7503,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,ဝန်ထမ်း DocType: Employee,Educational Qualification,ပညာရေးဆိုင်ရာအရည်အချင်း apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,access Value ကို apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},နမူနာအရေအတွက် {0} လက်ခံရရှိအရေအတွက် {1} ထက်ပိုမဖွစျနိုငျ -DocType: Quiz,Last Highest Score,နောက်ဆုံးအမြင့်ဆုံးရမှတ် DocType: POS Profile,Taxes and Charges,အခွန်အခများနှင့်စွပ်စွဲချက် DocType: Opportunity,Contact Mobile No,မိုဘိုင်းအဘယ်သူမျှမဆက်သွယ်ပါ DocType: Employee,Joining Details,အသေးစိတ်ပူးပေါင်း diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv index 744a0419ff..454b3fc55b 100644 --- a/erpnext/translations/nl.csv +++ b/erpnext/translations/nl.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Leveranciersdeel nr DocType: Journal Entry Account,Party Balance,Partij balans apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Bron van fondsen (verplichtingen) DocType: Payroll Period,Taxable Salary Slabs,Belastbare salarisplaten +DocType: Quality Action,Quality Feedback,Quality Feedback DocType: Support Settings,Support Settings,Ondersteuningsinstellingen apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Voer eerst het productie-item in DocType: Quiz,Grading Basis,Beoordeling Basis @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Meer details DocType: Salary Component,Earning,verdienen DocType: Restaurant Order Entry,Click Enter To Add,Klik op Enter om toe te voegen DocType: Employee Group,Employee Group,Werknemersgroep +DocType: Quality Procedure,Processes,Processen DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Geef wisselkoers op om de ene valuta om te zetten in een andere apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Verouderingsbereik 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Magazijn vereist voor voorraad Artikel {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Klacht DocType: Shipping Rule,Restrict to Countries,Beperken tot landen DocType: Hub Tracked Item,Item Manager,Item Manager apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Valuta van het sluitingsaccount moet {0} zijn +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,begrotingen apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Factuuritem openen DocType: Work Order,Plan material for sub-assemblies,Plan materiaal voor sub-assemblies apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Budget,Action if Annual Budget Exceeded on MR,Actie als jaarbegroting op MR DocType: Sales Invoice Advance,Advance Amount,Voorschotbedrag +DocType: Accounting Dimension,Dimension Name,Dimensienaam DocType: Delivery Note Item,Against Sales Invoice Item,Tegen verkoopfactuuritem DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Item in productie opnemen @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Wat doet het? ,Sales Invoice Trends,Trends verkoopfacturen DocType: Bank Reconciliation,Payment Entries,Betalingsgegevens DocType: Employee Education,Class / Percentage,Klasse / percentage -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgroep> Merk ,Electronic Invoice Register,Elektronisch factuurregister DocType: Sales Invoice,Is Return (Credit Note),Is Return (Credit Note) DocType: Lab Test Sample,Lab Test Sample,Lab-testvoorbeeld @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,varianten apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Kosten worden proportioneel verdeeld op basis van artikelhoeveelheid of bedrag, afhankelijk van uw selectie" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,In afwachting van activiteiten voor vandaag +DocType: Quality Procedure Process,Quality Procedure Process,Kwaliteitsproces Proces DocType: Fee Schedule Program,Student Batch,Student Batch apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Waarderingspercentage vereist voor artikel in rij {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Basis uurtarief (bedrijfsvaluta) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Aantal instellen in transacties op basis van serieel geen invoer 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} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Aanpassen Homepage secties -DocType: Quality Goal,October,oktober +DocType: GSTR 3B Report,October,oktober DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Verberg BTW-id klant van verkooptransacties apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Ongeldige GSTIN! Een GSTIN moet uit 15 tekens bestaan. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Prijsregel {0} is bijgewerkt @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Verlofsaldo apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Onderhoudsschema {0} bestaat tegen {1} DocType: Assessment Plan,Supervisor Name,Naam van de supervisor DocType: Selling Settings,Campaign Naming By,Campagne benoemen door -DocType: Course,Course Code,Cursuscode +DocType: Student Group Creation Tool Course,Course Code,Cursuscode apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,ruimte DocType: Landed Cost Voucher,Distribute Charges Based On,Verdeel tarieven op basis van DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Scorecriteria leverancier scorecard @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Restaurant menu DocType: Asset Movement,Purpose,Doel apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Salarisstructuurtoewijzing voor werknemer bestaat al DocType: Clinical Procedure,Service Unit,Service-eenheid -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klant> Klantengroep> Gebied DocType: Travel Request,Identification Document Number,identificatie document nummer DocType: Stock Entry,Additional Costs,Bijkomende kosten -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Hoofdcursus (laat dit leeg, als dit geen deel uitmaakt van de oudercursus)" DocType: Employee Education,Employee Education,Werknemersonderwijs apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Aantal posities mag niet kleiner zijn dan het huidige aantal werknemers apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Alle klantengroepen @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Rij {0}: aantal is verplicht DocType: Sales Invoice,Against Income Account,Tegen inkomensrekening apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rij # {0}: aankoopfactuur kan niet worden gemaakt voor een bestaand activum {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Regels voor het toepassen van verschillende promotieprogramma's. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM-dekkingsfactor vereist voor UOM: {0} in artikel: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Voer het aantal in voor artikel {0} DocType: Workstation,Electricity Cost,Elektriciteitskosten @@ -864,7 +867,6 @@ DocType: Item,Total Projected Qty,Totaal geprojecteerde aantal apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Werkelijke startdatum 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 -DocType: Company,About the Company,Over het bedrijf apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Structuur van financiële rekeningen. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Indirect inkomen DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotelkamerreserveringsitem @@ -879,6 +881,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Gegevensbest DocType: Skill,Skill Name,Vaardigheidsnaam apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Rapportkaart afdrukken DocType: Soil Texture,Ternary Plot,Ternary Plot +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 voor {0} via Instellingen> Instellingen> Serie benoemen apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Ondersteuning tickets DocType: Asset Category Account,Fixed Asset Account,Vaste activarekening apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Laatste @@ -888,6 +891,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Programma inschrijf ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Stel de te gebruiken serie in. DocType: Delivery Trip,Distance UOM,Afstand UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Verplicht voor balans DocType: Payment Entry,Total Allocated Amount,Totaal toegewezen bedrag DocType: Sales Invoice,Get Advances Received,Ontvangen voorschotten ontvangen DocType: Student,B-,B- @@ -911,6 +915,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Onderhoudsschema It apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS-profiel vereist om POS-invoer te verrichten DocType: Education Settings,Enable LMS,Schakel LMS in DocType: POS Closing Voucher,Sales Invoices Summary,Samenvatting verkoopfacturen +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Voordeel apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Krediet Aan een rekening moet een balansrekening zijn DocType: Video,Duration,Looptijd DocType: Lab Test Template,Descriptive,Beschrijvend @@ -962,6 +967,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Begin- en einddatums DocType: Supplier Scorecard,Notify Employee,Medewerker informeren apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software +DocType: Program,Allow Self Enroll,Sta Zelf inschrijven toe apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Stock kosten apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Referentienummer is verplicht als u Referentiedatum hebt ingevoerd DocType: Training Event,Workshop,werkplaats @@ -1014,6 +1020,7 @@ DocType: Lab Test Template,Lab Test Template,Lab-testsjabloon apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informatie over e-facturatie ontbreekt apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Er is geen aanvraag voor een artikel gemaakt +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgroep> Merk DocType: Loan,Total Amount Paid,Totaal betaald bedrag apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Al deze items zijn al gefactureerd DocType: Training Event,Trainer Name,Naam van de trainer @@ -1035,6 +1042,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Academiejaar DocType: Sales Stage,Stage Name,Artiestennaam DocType: SMS Center,All Employee (Active),Alle werknemers (actief) +DocType: Accounting Dimension,Accounting Dimension,Boekhoudingsdimensie DocType: Project,Customer Details,Klant details DocType: Buying Settings,Default Supplier Group,Standaard leveranciersgroep apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Annuleer eerst Purchase Receipt {0} @@ -1149,7 +1157,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Hoger het nummer DocType: Designation,Required Skills,Benodigde vaardigheden DocType: Marketplace Settings,Disable Marketplace,Schakel Marketplace uit DocType: Budget,Action if Annual Budget Exceeded on Actual,Actie als de jaarlijkse begroting het feitelijke overschrijdt -DocType: Course,Course Abbreviation,Cursusafkorting apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Aanwezigheid niet ingediend voor {0} als {1} met verlof. DocType: Pricing Rule,Promotional Scheme Id,Promotieregeling-id apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Einddatum van taak {0} kan niet groter zijn dan {1} verwachte einddatum {2} @@ -1292,7 +1299,7 @@ DocType: Bank Guarantee,Margin Money,Marge geld DocType: Chapter,Chapter,Hoofdstuk DocType: Purchase Receipt Item Supplied,Current Stock,Huidige voorraad DocType: Employee,History In Company,Geschiedenis in bedrijf -DocType: Item,Manufacturer,Fabrikant +DocType: Purchase Invoice Item,Manufacturer,Fabrikant apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Gematigde gevoeligheid DocType: Compensatory Leave Request,Leave Allocation,Verlof toewijzing DocType: Timesheet,Timesheet,Rooster @@ -1323,6 +1330,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Materiaal overgedrage DocType: Products Settings,Hide Variants,Varianten verbergen DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Capaciteitsplanning en tijdtracering uitschakelen DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Wordt berekend in de transactie. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} is vereist voor 'Balance Sheet'-account {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} mag niet transacties uitvoeren met {1}. Wijzig het bedrijf. 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}","Zoals bij de aankoopinstellingen als Aankoopontvangst vereist == 'JA' en vervolgens inkoopfactuur moet maken, moet de gebruiker eerst een inkoopbewijs aanmaken voor item {0}" DocType: Delivery Trip,Delivery Details,Verzendgegevens @@ -1358,7 +1366,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Vorige apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Maateenheid DocType: Lab Test,Test Template,Test sjabloon DocType: Fertilizer,Fertilizer Contents,Kunstmest Inhoud -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minuut +DocType: Quality Meeting Minutes,Minute,Minuut apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rij # {0}: item {1} kan niet worden ingediend, het is al {2}" DocType: Task,Actual Time (in Hours),Werkelijke tijd (in uren) DocType: Period Closing Voucher,Closing Account Head,Accountkop sluiten @@ -1531,7 +1539,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorium DocType: Purchase Order,To Bill,Aanrekenen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Nutsuitgaven DocType: Manufacturing Settings,Time Between Operations (in mins),Tijd tussen bewerkingen (in minuten) -DocType: Quality Goal,May,mei +DocType: GSTR 3B Report,May,mei apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Betalingsgateway-account niet aangemaakt, maak er alstublieft één handmatig aan." DocType: Opening Invoice Creation Tool,Purchase,Aankoop DocType: Program Enrollment,School House,School huis @@ -1562,6 +1570,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Wettelijke informatie en andere algemene informatie over uw leverancier DocType: Item Default,Default Selling Cost Center,Standaard verkoopkostenplaats DocType: Sales Partner,Address & Contacts,Adres en contacten +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel nummeringsreeksen in voor Aanwezigheid via Setup> Nummeringserie DocType: Subscriber,Subscriber,Abonnee apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) is niet op voorraad apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Selecteer eerst de boekingsdatum @@ -1589,6 +1598,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Inpatient Visit Charge DocType: Bank Statement Settings,Transaction Data Mapping,Transaction Data Mapping apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Een lead vereist de naam van een persoon of de naam van een organisatie DocType: Student,Guardians,Guardians +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel het systeem voor instructeursbenaming in het onderwijs in> onderwijsinstellingen apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Selecteer merk ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Middelste inkomen DocType: Shipping Rule,Calculate Based On,Berekenen op basis van @@ -1600,7 +1610,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Onkostendeclaratie doorvoer DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Afrondingsaanpassing (bedrijfsvaluta) DocType: Item,Publish in Hub,Publiceren in Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,augustus +DocType: GSTR 3B Report,August,augustus apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Voer eerst het aankoopbewijs in apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Start jaar apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Doelwit ({}) @@ -1619,6 +1629,7 @@ DocType: Item,Max Sample Quantity,Max. Aantal monsters apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Het bron- en doelmagazijn moet anders zijn DocType: Employee Benefit Application,Benefits Applied,Toegepaste voordelen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Tegen journaalboeking heeft {0} geen ongeëvenaard {1} -item +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Speciale tekens behalve "-", "#", ".", "/", "{" En "}" zijn niet toegestaan in series met namen" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Prijs- of productkortingen zijn vereist apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Stel een doel in apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Aanwezigheidsrecord {0} bestaat tegen student {1} @@ -1634,10 +1645,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Per maand DocType: Routing,Routing Name,Naam van routering DocType: Disease,Common Name,Gemeenschappelijke naam -DocType: Quality Goal,Measurable,Meetbaar DocType: Education Settings,LMS Title,LMS-titel apps/erpnext/erpnext/config/non_profit.py,Loan Management,Leningbeheer -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Analtyics ondersteunen DocType: Clinical Procedure,Consumable Total Amount,Verbruiksgoederen totaalbedrag apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Schakel sjabloon in apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,LPO klant @@ -1777,6 +1786,7 @@ DocType: Restaurant Order Entry Item,Served,geserveerd DocType: Loan,Member,Lid DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Practitioner Service Unit Schedule apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Overschrijving +DocType: Quality Review Objective,Quality Review Objective,Quality Review-doelstelling DocType: Bank Reconciliation Detail,Against Account,Tegen account DocType: Projects Settings,Projects Settings,Projectinstellingen apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Werkelijke hoeveelheid {0} / wachtend aantal {1} @@ -1805,6 +1815,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ri apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,De einddatum van het fiscale jaar moet één jaar na de begindatum van het boekjaar zijn apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Dagelijkse herinneringen DocType: Item,Default Sales Unit of Measure,Standaard verkoopeenheid van maatregel +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Bedrijf GSTIN DocType: Asset Finance Book,Rate of Depreciation,Snelheid van afschrijving DocType: Support Search Source,Post Description Key,Bericht Beschrijving Sleutel DocType: Loyalty Program Collection,Minimum Total Spent,Minimaal totaal besteed @@ -1876,6 +1887,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Het wijzigen van de klantengroep voor de geselecteerde klant is niet toegestaan. DocType: Serial No,Creation Document Type,Aanmaak Documenttype DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Beschikbare batchwaarde bij Warehouse +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Invoice Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Dit is een rootgebied en kan niet worden bewerkt. DocType: Patient,Surgical History,Chirurgische geschiedenis apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Tree of Quality-procedures. @@ -1980,6 +1992,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,I DocType: Item Group,Check this if you want to show in website,Vink dit aan als je wilt laten zien op de website apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiscaal jaar {0} niet gevonden DocType: Bank Statement Settings,Bank Statement Settings,Instellingen voor bankafschriften +DocType: Quality Procedure Process,Link existing Quality Procedure.,Link bestaande kwaliteitsprocedure. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Rekeningschema importeren vanuit CSV / Excel-bestanden DocType: Appraisal Goal,Score (0-5),Score (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Attribuut {0} meerdere keren geselecteerd in Attributen-tabel DocType: Purchase Invoice,Debit Note Issued,Debet Note uitgegeven @@ -1988,7 +2002,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Laat beleidsdetails achter apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Magazijn niet gevonden in het systeem DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -DocType: Quality Goal,Measurable Goal,Meetbaar doel DocType: Bank Statement Transaction Payment Item,Invoices,facturen DocType: Currency Exchange,Currency Exchange,Wisselkantoor DocType: Payroll Entry,Fortnightly,van twee weken @@ -2051,6 +2064,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} is niet verzonden DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Grondstoffen backflush uit werk-in-voortgang magazijn DocType: Maintenance Team Member,Maintenance Team Member,Onderhoudsteamlid +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Stel aangepaste dimensies in voor de boekhouding DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,De minimale afstand tussen rijen planten voor een optimale groei DocType: Employee Health Insurance,Health Insurance Name,Ziekteverzekeringsnaam apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Voorraadactiva @@ -2083,7 +2097,7 @@ DocType: Delivery Note,Billing Address Name,Naam factuuradres apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternatief item DocType: Certification Application,Name of Applicant,Naam aanvrager DocType: Leave Type,Earned Leave,Verdiend verlof -DocType: Quality Goal,June,juni- +DocType: GSTR 3B Report,June,juni- apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Rij {0}: kostenplaats is vereist voor een artikel {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Kan worden goedgekeurd door {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Maateenheid {0} is meer dan eens ingevoerd in de Conversion Factor Table @@ -2104,6 +2118,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standaard verkooptarief apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Stel een actief menu in voor Restaurant {0} apps/erpnext/erpnext/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: Asset Finance Book,Asset Finance Book,Asset Finance Book +DocType: Quality Goal Objective,Quality Goal Objective,Quality Goal Objective DocType: Employee Transfer,Employee Transfer,Overdracht van werknemers ,Sales Funnel,Verkooptrechter DocType: Agriculture Analysis Criteria,Water Analysis,Water analyse @@ -2142,6 +2157,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Overdracht van me apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,In afwachting van activiteiten apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Noem een paar van uw klanten. Het kunnen organisaties of individuen zijn. DocType: Bank Guarantee,Bank Account Info,Bankrekeninggegevens +DocType: Quality Goal,Weekday,Weekdag apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Name DocType: Salary Component,Variable Based On Taxable Salary,Variabele op basis van belastbaar salaris DocType: Accounting Period,Accounting Period,Financiele periode @@ -2226,7 +2242,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Afronding aanpassing DocType: Quality Review Table,Quality Review Table,Kwaliteitsoverzichtstabel DocType: Member,Membership Expiry Date,Vervaldatum lidmaatschap DocType: Asset Finance Book,Expected Value After Useful Life,Verwachte waarde na bruikbare levensduur -DocType: Quality Goal,November,november +DocType: GSTR 3B Report,November,november DocType: Loan Application,Rate of Interest,Rentevoet DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Betalingstransactie voor bankafschrift DocType: Restaurant Reservation,Waitlisted,wachtlijst @@ -2290,6 +2306,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Rij {0}: om {1} periodiciteit in te stellen, moet het verschil tussen van en tot datum \ groter zijn dan of gelijk aan {2}" DocType: Purchase Invoice Item,Valuation Rate,Waardering DocType: Shopping Cart Settings,Default settings for Shopping Cart,Standaardinstellingen voor winkelwagen +DocType: Quiz,Score out of 100,Scoor van de 100 DocType: Manufacturing Settings,Capacity Planning,Capaciteits planning apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Ga naar cursusleiders DocType: Activity Cost,Projects,projecten @@ -2299,6 +2316,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Van tijd apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Details Rapport +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Om te kopen apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots voor {0} worden niet toegevoegd aan het schema DocType: Target Detail,Target Distribution,Target distributie @@ -2316,6 +2334,7 @@ DocType: Activity Cost,Activity Cost,Activiteitskosten DocType: Journal Entry,Payment Order,Betalingsopdracht apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,pricing ,Item Delivery Date,Item Leveringsdatum +DocType: Quality Goal,January-April-July-October,Januari-april-juli-oktober DocType: Purchase Order Item,Warehouse and Reference,Magazijn en referentie apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Account met onderliggende knooppunten kan niet worden geconverteerd naar grootboek DocType: Soil Texture,Clay Composition (%),Kleisamenstelling (%) @@ -2366,6 +2385,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Toekomstige data niet apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rij {0}: stel de betalingswijze in het betalingsschema in apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Academische termijn: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Quality Feedback Parameter apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Selecteer korting toepassen op apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Rij # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Totaal betalingen @@ -2408,7 +2428,7 @@ DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Werknemers-ID DocType: Salary Structure Assignment,Salary Structure Assignment,Salarisstructuurtoewijzing DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Belastingen -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Actie geïnitialiseerd +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Actie geïnitialiseerd DocType: POS Profile,Applicable for Users,Toepasbaar voor gebruikers DocType: Training Event,Exam,tentamen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Onjuist aantal ontvangen grootboekboekingen gevonden. Mogelijk hebt u in de transactie een verkeerd account geselecteerd. @@ -2515,6 +2535,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Lengtegraad DocType: Accounts Settings,Determine Address Tax Category From,Bepaal adresbelastingcategorie van apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Besluitvormers identificeren +DocType: Stock Entry Detail,Reference Purchase Receipt,Referentie Aankoopbewijs apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Ontvang Invocies DocType: Tally Migration,Is Day Book Data Imported,Is dagboekgegevens geïmporteerd ,Sales Partners Commission,Commissie verkooppartners @@ -2538,6 +2559,7 @@ DocType: Leave Type,Applicable After (Working Days),Van toepassing na (werkdagen DocType: Timesheet Detail,Hrs,hrs DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Scorecardcriteria leverancier DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Quality Feedback Template Parameter apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,De datum van toetreding moet groter zijn dan de geboortedatum DocType: Bank Statement Transaction Invoice Item,Invoice Date,Factuur datum DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Maak Lab-test (s) op Sales Invoice Submit @@ -2644,7 +2666,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimaal toelaatbare DocType: Stock Entry,Source Warehouse Address,Bron magazijnadres DocType: Compensatory Leave Request,Compensatory Leave Request,Compenserend verlofaanvraag DocType: Lead,Mobile No.,Mobiel Nee. -DocType: Quality Goal,July,juli- +DocType: GSTR 3B Report,July,juli- apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,In aanmerking komende ITC DocType: Fertilizer,Density (if liquid),Dichtheid (indien vloeibaar) DocType: Employee,External Work History,Externe werkgeschiedenis @@ -2721,6 +2743,7 @@ DocType: Certification Application,Certification Status,Certificeringsstatus apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Bronlocatie is vereist voor het item {0} DocType: Employee,Encashment Date,Aanpassingsdatum apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Selecteer de voltooiingsdatum voor het uitgevoerde onderhoudslogboek +DocType: Quiz,Latest Attempt,Laatste poging DocType: Leave Block List,Allow Users,Gebruikers toestaan apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Rekeningschema apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Klant is verplicht als 'Opportunity vanaf' is geselecteerd als klant @@ -2785,7 +2808,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Leverancier scorekaa DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS-instellingen DocType: Program Enrollment,Walking,wandelen DocType: SMS Log,Requested Numbers,Gevraagde nummers -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel nummeringsreeksen in voor Aanwezigheid via Setup> Nummeringserie DocType: Woocommerce Settings,Freight and Forwarding Account,Vracht- en doorstuuraccount apps/erpnext/erpnext/accounts/party.py,Please select a Company,Selecteer een bedrijf apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Rij {0}: {1} moet groter zijn dan 0 @@ -2855,7 +2877,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Facturen op DocType: Training Event,Seminar,congres apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Krediet ({0}) DocType: Payment Request,Subscription Plans,Abonnementen -DocType: Quality Goal,March,maart +DocType: GSTR 3B Report,March,maart apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Splitsen DocType: School House,House Name,Huis naam apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Uitstaande voor {0} kan niet kleiner zijn dan nul ({1}) @@ -2918,7 +2940,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Startdatum verzekering DocType: Target Detail,Target Detail,Target Detail DocType: Packing Slip,Net Weight UOM,Netto gewicht UOM -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 artikel: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Netto bedrag (bedrijfsvaluta) DocType: Bank Statement Transaction Settings Item,Mapped Data,Toegewezen gegevens apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Effecten en deposito's @@ -2968,6 +2989,7 @@ DocType: Cheque Print Template,Cheque Height,Controleer de hoogte apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Voer de ontlastingsdatum in. DocType: Loyalty Program,Loyalty Program Help,Loyaliteitsprogramma Hulp DocType: Journal Entry,Inter Company Journal Entry Reference,Inter Company Journal Entry Reference +DocType: Quality Meeting,Agenda,Agenda DocType: Quality Action,Corrective,correctief apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Groeperen op DocType: Bank Account,Address and Contact,Adres en contact @@ -3021,7 +3043,7 @@ DocType: GL Entry,Credit Amount,Hoeveelheid krediet apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Totaal gecrediteerd bedrag DocType: Support Search Source,Post Route Key List,Post Route-toetslijst apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} niet in een actief fiscaal jaar. -DocType: Quality Action Table,Problem,Probleem +DocType: Quality Action Resolution,Problem,Probleem DocType: Training Event,Conference,Conferentie DocType: Mode of Payment Account,Mode of Payment Account,Wijze van betaalrekening DocType: Leave Encashment,Encashable days,Aanpasbare dagen @@ -3147,7 +3169,7 @@ DocType: Item,"Purchase, Replenishment Details",Aankoop- en aanvullingsgegevens DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Eenmaal ingesteld, wordt deze factuur in de wacht gezet tot de ingestelde datum" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Voorraad kan niet bestaan voor artikel {0} omdat er varianten zijn DocType: Lab Test Template,Grouped,gegroepeerd -DocType: Quality Goal,January,januari- +DocType: GSTR 3B Report,January,januari- DocType: Course Assessment Criteria,Course Assessment Criteria,Beoordelingscriteria voor de cursus DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Voltooid Qty @@ -3243,7 +3265,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Type zorgeenh apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Voer ten minste 1 factuur in de tabel in apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Klantorder {0} is niet verzonden apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Aanwezigheid is gemarkeerd als succesvol. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Voorverkoop +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Voorverkoop apps/erpnext/erpnext/config/projects.py,Project master.,Project meester. DocType: Daily Work Summary,Daily Work Summary,Dagelijkse samenvatting van het werk DocType: Asset,Partially Depreciated,Gedeeltelijk afgeschreven @@ -3252,6 +3274,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Laat Encashed? DocType: Certified Consultant,Discuss ID,Bespreek ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Stel GST-accounts in via GST-instellingen +DocType: Quiz,Latest Highest Score,Nieuwste hoogste score DocType: Supplier,Billing Currency,Valuta voor facturering apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Student activiteit apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Het gewenste aantal of streefbedrag is verplicht @@ -3277,18 +3300,21 @@ DocType: Sales Order,Not Delivered,Niet geleverd apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Verloftype {0} kan niet worden toegewezen omdat het verlof zonder betaling is DocType: GL Entry,Debit Amount,Debetbedrag 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} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Subassemblages 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 prijsregels blijven prevaleren, wordt gebruikers gevraagd om Priority handmatig in te stellen om conflicten op te lossen." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kan niet aftrekken als categorie 'waardevaststelling' of 'waardering en totaal' is apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM en productiehoeveelheid zijn vereist apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Artikel {0} is aan het einde van zijn levensduur op {1} DocType: Quality Inspection Reading,Reading 6,Lezen 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Het veld Bedrijf is verplicht apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Materiaalverbruik is niet ingesteld in Productie-instellingen. DocType: Assessment Group,Assessment Group Name,Evaluatiegroepsnaam -DocType: Item,Manufacturer Part Number,Fabrikant Onderdeelnummer +DocType: Purchase Invoice Item,Manufacturer Part Number,Fabrikant Onderdeelnummer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll Payable apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Rij # {0}: {1} kan niet negatief zijn voor artikel {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balans aantal +DocType: Question,Multiple Correct Answer,Meervoudig correct antwoord DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Loyaliteitspunten = Hoeveel basisvaluta? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Opmerking: Er is niet voldoende verloftegoed voor Verloftype {0} DocType: Clinical Procedure,Inpatient Record,Inpatient Record @@ -3411,6 +3437,7 @@ DocType: Fee Schedule Program,Total Students,Totaal studenten apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,lokaal DocType: Chapter Member,Leave Reason,Verlaat Reden DocType: Salary Component,Condition and Formula,Conditie en formule +DocType: Quality Goal,Objectives,Doelen apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Salaris is al verwerkt voor een periode tussen {0} en {1}. De aanvraagperiode kan niet tussen dit datumbereik liggen. DocType: BOM Item,Basic Rate (Company Currency),Basistarief (bedrijfsvaluta) DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item @@ -3461,6 +3488,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Onkostendeclaratie apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Geen terugbetalingen beschikbaar voor journaalboeking apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} is een inactieve student +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Voorraadinvoer maken DocType: Employee Onboarding,Activities,Activiteiten apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Ten minste één magazijn is verplicht ,Customer Credit Balance,Klantkredietsaldo @@ -3545,7 +3573,6 @@ DocType: Contract,Contract Terms,Contract termen apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Het gewenste aantal of streefbedrag is verplicht. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Ongeldig {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Ontmoetingsdatum DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Afkorting mag niet meer dan 5 tekens bevatten DocType: Employee Benefit Application,Max Benefits (Yearly),Max. Voordelen (jaarlijks) @@ -3648,7 +3675,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Bancaire kosten apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Goederen overgedragen apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primaire contactgegevens -DocType: Quality Review,Values,waarden 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 aangevinkt, moet de lijst worden toegevoegd aan elke Afdeling waar deze moet worden toegepast." DocType: Item Group,Show this slideshow at the top of the page,Toon deze diavoorstelling aan de bovenkant van de pagina apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} parameter is ongeldig @@ -3667,6 +3693,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Bankkostenrekening DocType: Journal Entry,Get Outstanding Invoices,Ontvang uitstaande facturen DocType: Opportunity,Opportunity From,Gelegenheid van +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Target details DocType: Item,Customer Code,Klantencode apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Voer eerst het artikel in apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Website Listing @@ -3695,7 +3722,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Leveren aan DocType: Bank Statement Transaction Settings Item,Bank Data,Bankgegevens apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Geplande Tot -DocType: Quality Goal,Everyday,Elke dag DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Behoud uren en werktijden Hetzelfde op urenformulier apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Leads volgen op leadbron. DocType: Clinical Procedure,Nursing User,Verpleegkundige gebruiker @@ -3720,7 +3746,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Beheert Grondgebied. DocType: GL Entry,Voucher Type,Voucher Type ,Serial No Service Contract Expiry,Serial Geen servicecontract vervalt DocType: Certification Application,Certified,gecertificeerde -DocType: Material Request Plan Item,Manufacture,Vervaardiging +DocType: Purchase Invoice Item,Manufacture,Vervaardiging apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} items geproduceerd apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Betalingsverzoek voor {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dagen sinds laatste bestelling @@ -3735,7 +3761,7 @@ DocType: Sales Invoice,Company Address Name,Bedrijfsadresnaam apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Goederen onderweg apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,U kunt in deze bestelling maximaal {0} punten inwisselen. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Stel een account in in Magazijn {0} -DocType: Quality Action Table,Resolution,Resolutie +DocType: Quality Action,Resolution,Resolutie DocType: Sales Invoice,Loyalty Points Redemption,Loyalty Points Redemption apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Totale belastbare waarde DocType: Patient Appointment,Scheduled,geplande @@ -3856,6 +3882,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,tarief apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},{0} opslaan DocType: SMS Center,Total Message(s),Totaal bericht (en) +DocType: Purchase Invoice,Accounting Dimensions,Boekhoudkundige dimensies apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Groep voor account DocType: Quotation,In Words will be visible once you save the Quotation.,In Words is zichtbaar zodra u de offerte opslaat. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Hoeveelheid om te produceren @@ -4020,7 +4047,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,S apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Als u vragen heeft, kunt u contact met ons opnemen." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Aankoopbewijs {0} is niet verzonden DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Claim (via Onkostendeclaratie) -DocType: Quality Action,Quality Goal,Kwaliteitsdoel +DocType: Quality Goal,Quality Goal,Kwaliteitsdoel DocType: Support Settings,Support Portal,Ondersteuningsportal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Einddatum van taak {0} mag niet minder dan {1} verwachte startdatum {2} zijn apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Werknemer {0} staat op Verlof op {1} @@ -4079,7 +4106,6 @@ DocType: BOM,Operating Cost (Company Currency),Bedrijfskosten (bedrijfsvaluta) DocType: Item Price,Item Price,Stuksprijs DocType: Payment Entry,Party Name,Feest naam apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Selecteer een klant -DocType: Course,Course Intro,Cursusintro DocType: Program Enrollment Tool,New Program,Nieuw programma apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Aantal nieuwe kostenplaatsen, dit wordt als voorvoegsel opgenomen in de naam van de kostenplaats" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Selecteer de klant of leverancier. @@ -4280,6 +4306,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettoloon kan niet negatief zijn apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Aantal interacties 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/hr/doctype/employee/employee_dashboard.py,Shift,Verschuiving apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Verwerking rekeningschema en partijen DocType: Stock Settings,Convert Item Description to Clean HTML,Itembeschrijving converteren om HTML te wissen apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alle leveranciersgroepen @@ -4358,6 +4385,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Bovenliggend item apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Makelaardij apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Maak een aankoopbevestiging of een inkoopfactuur voor het artikel {0} +,Product Bundle Balance,Productbundelsaldo apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Bedrijfsnaam kan geen bedrijf zijn DocType: Maintenance Visit,Breakdown,Afbreken DocType: Inpatient Record,B Negative,B Negatief @@ -4366,7 +4394,7 @@ DocType: Purchase Invoice,Credit To,Krediet voor apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Dien deze werkbon in voor verdere verwerking. DocType: Bank Guarantee,Bank Guarantee Number,Bankgarantie nummer apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Bezorgd: {0} -DocType: Quality Action,Under Review,Wordt beoordeeld +DocType: Quality Meeting Table,Under Review,Wordt beoordeeld apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Landbouw (bèta) ,Average Commission Rate,Gemiddeld commissietarief DocType: Sales Invoice,Customer's Purchase Order Date,Aankoopdatum klant @@ -4483,7 +4511,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Overeenkomen met betalingen met facturen DocType: Holiday List,Weekly Off,Wekelijks uitgeschakeld apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Niet toestaan om alternatief item in te stellen voor het item {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Programma {0} bestaat niet. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programma {0} bestaat niet. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,U kunt het basisknooppunt niet bewerken. DocType: Fee Schedule,Student Category,Studentencategorie apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Artikel {0}: {1} aantal geproduceerd," @@ -4574,8 +4602,8 @@ DocType: Crop,Crop Spacing,Uitsnede bijsnijden 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. DocType: Pricing Rule,Period Settings,Periode-instellingen apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Netto wijziging in debiteuren +DocType: Quality Feedback Template,Quality Feedback Template,Quality Feedback Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Voor Hoeveelheid moet groter zijn dan nul -DocType: Quality Goal,Goal Objectives,Doel Doelstellingen 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, het aantal aandelen en het berekende bedrag" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Laat dit leeg als u per jaar groepen studenten maakt apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Leningen (verplichtingen) @@ -4610,12 +4638,13 @@ DocType: Quality Procedure Table,Step,Stap DocType: Normal Test Items,Result Value,Resultaatwaarde DocType: Cash Flow Mapping,Is Income Tax Liability,Is de aansprakelijkheid van de inkomstenbelasting DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Vergoedingsitem voor inkomende patiëntenbezoek -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} bestaat niet. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} bestaat niet. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Reactie bijwerken DocType: Bank Guarantee,Supplier,Leverancier apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Voer een waarde in tussen {0} en {1} DocType: Purchase Order,Order Confirmation Date,Bevestigingsdatum bestellen DocType: Delivery Trip,Calculate Estimated Arrival Times,Bereken geschatte aankomsttijden +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Stel Employee Naming System in Human Resource> HR-instellingen in apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,verbruiksartikelen DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Begindatum abonnement @@ -4679,6 +4708,7 @@ DocType: Cheque Print Template,Is Account Payable,Is crediteurig apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Totale bestelwaarde apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Leverancier {0} niet gevonden in {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,SMS-gateway-instellingen instellen +DocType: Salary Component,Round to the Nearest Integer,Rond naar het dichtstbijzijnde gehele getal apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Root kan geen parent-kostenplaats hebben DocType: Healthcare Service Unit,Allow Appointments,Afspraken toestaan DocType: BOM,Show Operations,Bewerkingen weergeven @@ -4807,7 +4837,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Standaard feestlijst DocType: Naming Series,Current Value,Huidige waarde apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Seizoensgebondenheid voor het instellen van budgetten, doelen etc." -DocType: Program,Program Code,Programmacode apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Waarschuwing: verkooporder {0} bestaat al tegen de inkooporder van de klant {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Maandelijks verkoopdoel ( DocType: Guardian,Guardian Interests,Guardian Interests @@ -4857,10 +4886,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Betaald en niet geleverd apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Artikelcode is verplicht omdat artikel niet automatisch genummerd is DocType: GST HSN Code,HSN Code,HSN-code -DocType: Quality Goal,September,september +DocType: GSTR 3B Report,September,september apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administratieve lasten DocType: C-Form,C-Form No,C-vorm nummer DocType: Purchase Invoice,End date of current invoice's period,Einddatum van de lopende factuurperiode +DocType: Item,Manufacturers,fabrikanten DocType: Crop Cycle,Crop Cycle,Crop Cycle DocType: Serial No,Creation Time,Creation Time apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Voer de goedkeuringsrol in of de gebruiker goed @@ -4933,8 +4963,6 @@ DocType: Employee,Short biography for website and other publications.,Korte biog DocType: Purchase Invoice Item,Received Qty,Ontvangst Aantal DocType: Purchase Invoice Item,Rate (Company Currency),Tarief (bedrijfsvaluta) DocType: Item Reorder,Request for,Verzoek tot -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/setup/setup_wizard/setup_wizard.py,Installing presets,Voorinstellingen installeren apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Voer de terugbetalingsperioden in DocType: Pricing Rule,Advanced Settings,Geavanceerde instellingen @@ -4960,7 +4988,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Winkelwagen inschakelen DocType: Pricing Rule,Apply Rule On Other,Regel toepassen op andere DocType: Vehicle,Last Carbon Check,Laatste koolstofcontrole -DocType: Vehicle,Make,Maken +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Maken apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Verkoopfactuur {0} is als betaald aangemaakt apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,U hebt een referentiedocument voor een betalingsverzoek nodig apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Inkomstenbelasting @@ -5036,7 +5064,6 @@ DocType: Territory,Parent Territory,Parent Territory DocType: Vehicle Log,Odometer Reading,Odometer Reading DocType: Additional Salary,Salary Slip,Salaris slip DocType: Payroll Entry,Payroll Frequency,Payroll-frequentie -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Stel Employee Naming System in Human Resource> HR-instellingen in apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Start- en einddatums niet in een geldige Payroll-periode, kunnen {0} niet berekenen" DocType: Products Settings,Home Page is Products,Homepage is Producten apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,gesprekken @@ -5090,7 +5117,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Records ophalen ...... DocType: Delivery Stop,Contact Information,Contactgegevens DocType: Sales Order Item,For Production,Voor productie -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel het systeem voor instructeursbenaming in het onderwijs in> onderwijsinstellingen DocType: Serial No,Asset Details,Activadetails DocType: Restaurant Reservation,Reservation Time,Reservatietijd DocType: Selling Settings,Default Territory,Standaardgebied @@ -5230,6 +5256,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Verlopen batches DocType: Shipping Rule,Shipping Rule Type,Verzendregel Type DocType: Job Offer,Accepted,Aanvaard +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/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,U hebt al beoordeeld op de beoordelingscriteria {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Selecteer batchnummers apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Leeftijd (dagen) @@ -5246,6 +5274,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bundel items op het moment van verkoop. DocType: Payment Reconciliation Payment,Allocated Amount,Toegewezen bedrag apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Selecteer Bedrijf en Aanwijzing +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'Datum' is verplicht DocType: Email Digest,Bank Credit Balance,Bankkredietsaldo apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Cumulatief bedrag weergeven apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,U hebt geen genoeg loyaliteitspunten om in te wisselen @@ -5306,11 +5335,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Op vorige rij Totaal DocType: Student,Student Email Address,E-mailadres van student DocType: Academic Term,Education,Opleiding DocType: Supplier Quotation,Supplier Address,Adres van leverancier -DocType: Salary Component,Do not include in total,Neem niet alles mee +DocType: Salary Detail,Do not include in total,Neem niet alles mee 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. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} bestaat niet DocType: Purchase Receipt Item,Rejected Quantity,Verworpen hoeveelheid DocType: Cashier Closing,To TIme,Timen +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 artikel: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Daily Work Summary Group User DocType: Fiscal Year Company,Fiscal Year Company,Fiscaal Jaar Bedrijf apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternatief artikel mag niet hetzelfde zijn als artikelcode @@ -5420,7 +5450,6 @@ DocType: Fee Schedule,Send Payment Request Email,Verzend e-mail met betalingsver DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,In woorden is zichtbaar zodra u de verkoopfactuur opslaat. DocType: Sales Invoice,Sales Team1,Verkoopteam1 DocType: Work Order,Required Items,Vereiste items -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Speciale tekens behalve "-", "#", "." en "/" niet toegestaan in series van namen" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Lees de ERPNext-handleiding DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Controleer Leverancier Factuurnummer Uniciteit apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Subsamenstellingen zoeken @@ -5488,7 +5517,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Procentuele aftrek apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Hoeveelheid aan producten mag niet minder zijn dan nul DocType: Share Balance,To No,Naar Nee DocType: Leave Control Panel,Allocate Leaves,Bladeren toewijzen -DocType: Quiz,Last Attempt,Laatste poging DocType: Assessment Result,Student Name,Studenten naam apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Plan voor onderhoudsbezoeken. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,De volgende artikelverzoeken zijn automatisch verhoogd op basis van het re-orderniveau van het artikel @@ -5557,6 +5585,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Indicator Kleur DocType: Item Variant Settings,Copy Fields to Variant,Velden naar variant kopiëren DocType: Soil Texture,Sandy Loam,Zandige leem +DocType: Question,Single Correct Answer,Enkel correct antwoord apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Vanaf datum kan niet minder zijn dan de toetredingsdatum van de werknemer DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Sta meerdere verkooporders toe tegen de inkooporder van een klant apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5619,7 +5648,7 @@ DocType: Account,Expenses Included In Valuation,Kosten inbegrepen bij waardering apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Serienummers DocType: Salary Slip,Deductions,aftrek ,Supplier-Wise Sales Analytics,Supplier-Wise Sales Analytics -DocType: Quality Goal,February,februari +DocType: GSTR 3B Report,February,februari DocType: Appraisal,For Employee,Voor werknemer apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Werkelijke leveringsdatum DocType: Sales Partner,Sales Partner Name,Naam verkooppartner @@ -5715,7 +5744,6 @@ DocType: Procedure Prescription,Procedure Created,Procedure gemaakt apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Tegen Leveranciersfactuur {0} gedateerd {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS-profiel wijzigen apps/erpnext/erpnext/utilities/activation.py,Create Lead,Lead creëren -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverancier> leverancier type DocType: Shopify Settings,Default Customer,Standaard klant DocType: Payment Entry Reference,Supplier Invoice No,Leverancier Factuurnr DocType: Pricing Rule,Mixed Conditions,Gemengde voorwaarden @@ -5766,12 +5794,14 @@ DocType: Item,End of Life,Eind van het leven DocType: Lab Test Template,Sensitivity,Gevoeligheid DocType: Territory,Territory Targets,Territory Targets apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Verlof verdelen voor de volgende werknemers, omdat er records tegen verlatingsallocatie bestaan. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Actiebesluit van hoge kwaliteit DocType: Sales Invoice Item,Delivered By Supplier,Geleverd door leverancier DocType: Agriculture Analysis Criteria,Plant Analysis,Plantanalyse apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Onkostenrekening is verplicht voor artikel {0} ,Subcontracted Raw Materials To Be Transferred,Uitbestede grondstoffen die moeten worden overgedragen DocType: Cashier Closing,Cashier Closing,Kassier sluiten apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Item {0} is al geretourneerd +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Ongeldige GSTIN! De invoer die u hebt ingevoerd komt niet overeen met het GSTIN-formaat voor UIN-houders of niet-residente OIDAR-serviceproviders apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Er is een kindermagazijn voor dit magazijn. Je kunt dit magazijn niet verwijderen. DocType: Diagnosis,Diagnosis,Diagnose apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Er is geen verlofperiode tussen {0} en {1} @@ -5788,6 +5818,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Autorisatie-instellingen DocType: Homepage,Products,producten ,Profit and Loss Statement,Winst- en verliesrekening apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Kamers geboekt +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Dubbele invoer tegen de artikelcode {0} en fabrikant {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Totale gewicht apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Reizen @@ -5836,6 +5867,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Standaard klantgroep DocType: Journal Entry Account,Debit in Company Currency,Debet in bedrijfsvaluta DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",De fallback-serie is "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Goede vergaderagenda DocType: Cash Flow Mapper,Section Header,Sectiekoptekst apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Uw producten of services DocType: Crop,Perennial,eeuwigdurend @@ -5881,7 +5913,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Een product of dienst dat wordt gekocht, verkocht of op voorraad wordt gehouden." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Sluiten (Opening + totaal) DocType: Supplier Scorecard Criteria,Criteria Formula,Criteria Formule -,Support Analytics,Ondersteuning van Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Ondersteuning van Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Beoordeling en actie DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Als het account is vastgelopen, kunnen items worden beperkt door gebruikers." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Bedrag na afschrijving @@ -5926,7 +5958,6 @@ DocType: Contract Template,Contract Terms and Conditions,Contractvoorwaarden apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Gegevens ophalen DocType: Stock Settings,Default Item Group,Standaard artikelgroep DocType: Sales Invoice Timesheet,Billing Hours,Factureringstijd -DocType: Item,Item Code for Suppliers,Artikelcode voor leveranciers 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} DocType: Pricing Rule,Margin Type,Marge type DocType: Purchase Invoice Item,Rejected Serial No,Rejected Serial No @@ -5999,6 +6030,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Bladeren zijn met succes uitgevoerd DocType: Loyalty Point Entry,Expiry Date,Vervaldatum DocType: Project Task,Working,Werken +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} heeft al een bovenliggende procedure {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Dit is gebaseerd op transacties met deze patiënt. Zie de tijdlijn hieronder voor meer informatie DocType: Material Request,Requested For,Gevraagd voor DocType: SMS Center,All Sales Person,All Sales Person @@ -6086,6 +6118,7 @@ DocType: Loan Type,Maximum Loan Amount,Maximum leenbedrag apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-mailadres niet gevonden in standaardcontact DocType: Hotel Room Reservation,Booked,geboekt DocType: Maintenance Visit,Partially Completed,Gedeeltelijk voltooid +DocType: Quality Procedure Process,Process Description,Procesbeschrijving DocType: Company,Default Employee Advance Account,Standaard Employee Advance Account DocType: Leave Type,Allow Negative Balance,Negatief saldo toestaan apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Beoordeling plannaam @@ -6127,6 +6160,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Verzoek om offerte-item apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} twee keer ingevoerd in artikel BTW DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Trek de volledige belasting af op de geselecteerde payroll-datum +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,De laatste check-datum voor carbon kan geen toekomstige datum zijn apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Selecteer het rekeningschema DocType: Support Settings,Forum Posts,Forum berichten DocType: Timesheet Detail,Expected Hrs,Verwachte uren @@ -6136,7 +6170,7 @@ DocType: Program Enrollment Tool,Enroll Students,Schrijf studenten in apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Herhaal de klantopbrengst DocType: Company,Date of Commencement,Aanvangsdatum DocType: Bank,Bank Name,Banknaam -DocType: Quality Goal,December,december +DocType: GSTR 3B Report,December,december apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Geldig vanaf datum moet minder dan geldig tot nu toe zijn apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Dit is gebaseerd op de aanwezigheid van deze werknemer DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Indien aangevinkt, zal de startpagina de standaard itemgroep voor de website zijn" @@ -6179,6 +6213,7 @@ DocType: Payment Entry,Payment Type,Betalingswijze apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,De folionummers komen niet overeen DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Kwaliteitsinspectie: {0} is niet verzonden voor het item: {1} in rij {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Laat {0} zien apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} item gevonden. ,Stock Ageing,Voorraad veroudering DocType: Customer Group,Mention if non-standard receivable account applicable,Vermeld als niet-standaard te ontvangen rekening van toepassing is @@ -6457,6 +6492,7 @@ DocType: Travel Request,Costing,Costing apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Vaste activa DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Totaal verdienen +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klant> Klantengroep> Gebied DocType: Share Balance,From No,Van Nee DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Payment Reconciliation Invoice DocType: Purchase Invoice,Taxes and Charges Added,Belastingen en toeslagen toegevoegd @@ -6464,7 +6500,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Overweeg belastin DocType: Authorization Rule,Authorized Value,Geautoriseerde waarde apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Ontvangen van apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Magazijn {0} bestaat niet +DocType: Item Manufacturer,Item Manufacturer,Artikelfabrikant DocType: Sales Invoice,Sales Team,Verkoop team +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundel aantal DocType: Purchase Order Item Supplied,Stock UOM,Voorraad UOM DocType: Installation Note,Installation Date,Installatie datum DocType: Email Digest,New Quotations,Nieuwe offertes @@ -6528,7 +6566,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Lijst met vakantielijsten DocType: Water Analysis,Collection Temperature ,Verzamelingstemperatuur DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Afspraakfactuur beheren indienen en automatisch annuleren voor patiëntontmoeting -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series in voor {0} via Instellingen> Instellingen> Serie benoemen DocType: Employee Benefit Claim,Claim Date,Claimdatum DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Laat dit leeg als de leverancier voor onbepaalde tijd is geblokkeerd apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Aanwezigheid van datum en aanwezigheid tot datum is verplicht @@ -6539,6 +6576,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Datum van pensionering apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Selecteer alstublieft Patiënt DocType: Asset,Straight Line,Rechte lijn +DocType: Quality Action,Resolutions,resoluties DocType: SMS Log,No of Sent SMS,Nee van verzonden sms ,GST Itemised Sales Register,GST Gedetailleerd verkoopregister apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Het totale voorschotbedrag kan niet hoger zijn dan het totale gesanctioneerde bedrag @@ -6649,7 +6687,7 @@ DocType: Account,Profit and Loss,Winst en verlies apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff DocType: Asset Finance Book,Written Down Value,Geschreven waarde apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Beginevenwicht Equity -DocType: Quality Goal,April,april +DocType: GSTR 3B Report,April,april DocType: Supplier,Credit Limit,Kredietlimiet apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Distributie apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6704,6 +6742,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Verbind Shopify met ERPNext DocType: Homepage Section Card,Subtitle,subtitel DocType: Soil Texture,Loam,Leem +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverancier> leverancier type DocType: BOM,Scrap Material Cost(Company Currency),Schrootmateriaalkosten (bedrijfsvaluta) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Afleveringsbewijs {0} mag niet worden ingediend DocType: Task,Actual Start Date (via Time Sheet),Werkelijke begindatum (via urenregistratie) @@ -6759,7 +6798,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosering DocType: Cheque Print Template,Starting position from top edge,Uitgangspositie vanaf bovenkant apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Afspraakduur (minuten) -DocType: Pricing Rule,Disable,onbruikbaar maken +DocType: Accounting Dimension,Disable,onbruikbaar maken DocType: Email Digest,Purchase Orders to Receive,Inkooporders om te ontvangen apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Producties Bestellingen kunnen niet worden geplaatst voor: DocType: Projects Settings,Ignore Employee Time Overlap,Negeer overlap tussen werknemerstijd @@ -6843,6 +6882,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Belast DocType: Item Attribute,Numeric Values,Numerieke waarden DocType: Delivery Note,Instructions,Instructions DocType: Blanket Order Item,Blanket Order Item,Deken bestellingsitem +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Verplicht voor winst- en verliesrekening apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Commissie tarief kan niet groter zijn dan 100 DocType: Course Topic,Course Topic,Cursus onderwerp DocType: Employee,This will restrict user access to other employee records,Hiermee wordt de gebruikerstoegang tot andere werknemersrecords beperkt @@ -6867,12 +6907,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Abonnementbehe apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Haal klanten uit apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Samenvatting DocType: Employee,Reports to,Rapporteert aan +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Feestaccount DocType: Assessment Plan,Schedule,Planning apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Kom binnen alstublieft DocType: Lead,Channel Partner,Channel Partner apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Gefactureerde bedrag DocType: Project,From Template,Van sjabloon +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,abonnementen apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Te maken hoeveelheid DocType: Quality Review Table,Achieved,Bereikt @@ -6919,7 +6961,6 @@ DocType: Journal Entry,Subscription Section,Abonnementssectie DocType: Salary Slip,Payment Days,Betaling dagen apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Vrijwilliger informatie. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Bevries aandelen ouder dan 'moet kleiner zijn dan% d dagen. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Selecteer fiscaal jaar DocType: Bank Reconciliation,Total Amount,Totale hoeveelheid DocType: Certification Application,Non Profit,Non-profit DocType: Subscription Settings,Cancel Invoice After Grace Period,Factuur na genadeperiode annuleren @@ -6932,7 +6973,6 @@ DocType: Serial No,Warranty Period (Days),Garantieperiode (dagen) DocType: Expense Claim Detail,Expense Claim Detail,Detail van claimclaim apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programma: DocType: Patient Medical Record,Patient Medical Record,Patiënt medisch dossier -DocType: Quality Action,Action Description,Actiebeschrijving DocType: Item,Variant Based On,Variant gebaseerd op DocType: Vehicle Service,Brake Oil,Remolie DocType: Employee,Create User,Gebruiker maken @@ -6988,7 +7028,7 @@ DocType: Cash Flow Mapper,Section Name,sectie naam DocType: Packed Item,Packed Item,Verpakt item apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: een debet- of creditbedrag is vereist voor {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Salarisbrieven indienen ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Geen actie +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Geen actie apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget kan niet worden toegewezen aan {0}, omdat het geen inkomsten- of onkostenrekening is" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Masters en accounts DocType: Quality Procedure Table,Responsible Individual,Verantwoordelijk persoon @@ -7111,7 +7151,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Sta de oprichting van een account toe tegen een kindbedrijf DocType: Payment Entry,Company Bank Account,Bedrijfsbankrekening DocType: Amazon MWS Settings,UK,UK -DocType: Quality Procedure,Procedure Steps,Procedure stappen DocType: Normal Test Items,Normal Test Items,Normale testitems apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Artikel {0}: Bestelde hoeveelheid {1} kan niet kleiner zijn dan de minimale bestelhoeveelheid van {2} (gedefinieerd in artikel). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Niet op voorraad @@ -7190,7 +7229,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Onderhoudsrol apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Algemene voorwaarden sjabloon DocType: Fee Schedule Program,Fee Schedule Program,Fee Schedule Program -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Cursus {0} bestaat niet. DocType: Project Task,Make Timesheet,Maak urenstaat DocType: Production Plan Item,Production Plan Item,Productplan Item apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Totaal student @@ -7212,6 +7250,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Afsluiten apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,U kunt alleen verlengen als uw lidmaatschap binnen 30 dagen verloopt apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},De waarde moet tussen {0} en {1} liggen +DocType: Quality Feedback,Parameters,parameters ,Sales Partner Transaction Summary,Verkooppartner Transactieoverzicht DocType: Asset Maintenance,Maintenance Manager Name,Naam onderhoudsmanager apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Het is nodig om itemdetails te halen. @@ -7250,6 +7289,7 @@ DocType: Student Admission,Student Admission,Studenten toelating DocType: Designation Skill,Skill,bekwaamheid DocType: Budget Account,Budget Account,Budgetaccount DocType: Employee Transfer,Create New Employee Id,Maak een nieuwe werknemer-ID +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} is vereist voor 'Winst en verlies'-account {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Goederen- en dienstenbelasting (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Salarisbrieven maken ... DocType: Employee Skill,Employee Skill,Medewerkersvaardigheden @@ -7350,6 +7390,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Factuur apart DocType: Subscription,Days Until Due,Dagen tot Due apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Toon voltooid apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Rekeningoverzicht Transactie Entry Report +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Rij # {0}: Tarief moet hetzelfde zijn als {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Items in de gezondheidszorg @@ -7406,6 +7447,7 @@ DocType: Training Event Employee,Invited,Uitgenodigd apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Maximumbedrag dat in aanmerking komt voor het onderdeel {0} overschrijdt {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Bedrag aan Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",Voor {0} kunnen alleen debetrekeningen worden gekoppeld aan een andere creditering +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Dimensies maken ... DocType: Bank Statement Transaction Entry,Payable Account,Crediterend account apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Geef alsjeblieft nee op voor bezoeken DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Selecteer alleen als u Cash Flow Mapper-documenten hebt ingesteld @@ -7423,6 +7465,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,S DocType: Service Level,Resolution Time,Oplossingstijd DocType: Grading Scale Interval,Grade Description,Cijferbeschrijving DocType: Homepage Section,Cards,Kaarten +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Quality Meeting Minutes DocType: Linked Plant Analysis,Linked Plant Analysis,Linked Plant Analysis apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,De service-einddatum kan niet na de einddatum van de service liggen apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Stel B2C-limiet in GST-instellingen in. @@ -7457,7 +7500,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Employee Attendance T DocType: Employee,Educational Qualification,Educatieve Kwalificatie apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Toegankelijke waarde apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Voorbeeldhoeveelheid {0} kan niet meer dan ontvangen hoeveelheid {1} zijn -DocType: Quiz,Last Highest Score,Laatste hoogste score DocType: POS Profile,Taxes and Charges,Belastingen en heffingen DocType: Opportunity,Contact Mobile No,Contact opnemen met mobiel nummer DocType: Employee,Joining Details,Deelnemen aan details diff --git a/erpnext/translations/no.csv b/erpnext/translations/no.csv index c3840b1b61..50fee2e896 100644 --- a/erpnext/translations/no.csv +++ b/erpnext/translations/no.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Leverandørens varenr DocType: Journal Entry Account,Party Balance,Party Balance apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Fondets Kilde (Gjeld) DocType: Payroll Period,Taxable Salary Slabs,Skattepliktig lønnsplater +DocType: Quality Action,Quality Feedback,Kvalitets tilbakemelding DocType: Support Settings,Support Settings,Støtteinnstillinger apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Vennligst skriv produksjonselementet først DocType: Quiz,Grading Basis,Gradering Basis @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Mer informasjon DocType: Salary Component,Earning,tjene DocType: Restaurant Order Entry,Click Enter To Add,Klikk på Enter for å legge til DocType: Employee Group,Employee Group,Medarbeidergruppe +DocType: Quality Procedure,Processes,prosesser DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Angi valutakurs for å konvertere en valuta til en annen apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Aldringsområde 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Lager nødvendig for lager Artikkel {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Klage DocType: Shipping Rule,Restrict to Countries,Begrens til land DocType: Hub Tracked Item,Item Manager,Elementleder apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Valuta for sluttkontoen må være {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,budsjetter apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Åpning av fakturaelement DocType: Work Order,Plan material for sub-assemblies,Planlegg materiale for underenheter apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,maskinvare DocType: Budget,Action if Annual Budget Exceeded on MR,Handling hvis årlig budsjett overskrider MR DocType: Sales Invoice Advance,Advance Amount,Forskuddsbeløp +DocType: Accounting Dimension,Dimension Name,Dimensjonsnavn DocType: Delivery Note Item,Against Sales Invoice Item,Mot salgsfakturaelement DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Inkluder element i produksjon @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Hva gjør den? ,Sales Invoice Trends,Salgsfakturautvikling DocType: Bank Reconciliation,Payment Entries,Betalingsoppføringer DocType: Employee Education,Class / Percentage,Klasse / Prosentandel -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varenummer> Varegruppe> Varemerke ,Electronic Invoice Register,Elektronisk fakturaregister DocType: Sales Invoice,Is Return (Credit Note),Er retur (kredittnota) DocType: Lab Test Sample,Lab Test Sample,Lab Test prøve @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,varianter apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Avgiftene vil bli distribuert forholdsmessig basert på varenummer eller -beløp, per ditt valg" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Venter på aktiviteter for i dag +DocType: Quality Procedure Process,Quality Procedure Process,Kvalitetsprosedyre Prosess DocType: Fee Schedule Program,Student Batch,Studentbatch apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Verdsettingsgrad som kreves for element i rad {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Base Hour Rate (selskapsvaluta) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Angi antall i transaksjoner basert på serienummerinngang apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Forhåndskonto-valutaen bør være den samme som selskapets valuta {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Tilpass Hjemmeside Seksjoner -DocType: Quality Goal,October,oktober +DocType: GSTR 3B Report,October,oktober DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Skjul kundens skatte-ID fra salgstransaksjoner apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Ugyldig GSTIN! En GSTIN må ha 15 tegn. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Prisregelen {0} er oppdatert @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Forlat balanse apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Vedlikeholdsplan {0} eksisterer mot {1} DocType: Assessment Plan,Supervisor Name,Tilsynsnavn DocType: Selling Settings,Campaign Naming By,Kampanje navn etter -DocType: Course,Course Code,Bankkode +DocType: Student Group Creation Tool Course,Course Code,Bankkode apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuer avgifter basert på DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Leverandør Scorecard Scoring Criteria @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Restaurantmeny DocType: Asset Movement,Purpose,Hensikt apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Lønnsstrukturoppgave for ansatt eksisterer allerede DocType: Clinical Procedure,Service Unit,Service Unit -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium DocType: Travel Request,Identification Document Number,Identifikasjonsdokumentnummer DocType: Stock Entry,Additional Costs,Tilleggskostnader -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Foreldreforlengelse (Forlatt tomt, dersom dette ikke er en del av foreldrenes kurs)" DocType: Employee Education,Employee Education,Medarbeiderutdanning apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Antall stillinger kan ikke være mindre enn nåværende antall ansatte apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Alle kundegrupper @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Row {0}: Antall er obligatorisk DocType: Sales Invoice,Against Income Account,Mot inntektskonto apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rute # {0}: Kjøpsfaktura kan ikke gjøres mot en eksisterende ressurs {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Regler for bruk av ulike salgsfremmende ordninger. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM deksjonsfaktor som kreves for UOM: {0} i Item: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Vennligst skriv inn antall for vare {0} DocType: Workstation,Electricity Cost,Elektrisitetskostnad @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Totalt projisert antall apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Faktisk startdato 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 mellom kompensasjonsorlovsdager -DocType: Company,About the Company,Om selskapet apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Tre av finansielle kontoer. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Indirekte inntekter DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotel Room Reservation Item @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database ove DocType: Skill,Skill Name,Ferdighetsnavn apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Skriv ut rapportkort DocType: Soil Texture,Ternary Plot,Ternary Plot +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vennligst still inn navngivningsserien for {0} via Setup> Settings> Naming Series apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Støtte Billetter DocType: Asset Category Account,Fixed Asset Account,Faste aktivskonto apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Siste @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Programopptakskurs ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Vennligst sett serien som skal brukes. DocType: Delivery Trip,Distance UOM,Avstand UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligatorisk for balanse DocType: Payment Entry,Total Allocated Amount,Totalt tildelt beløp DocType: Sales Invoice,Get Advances Received,Få fremskritt mottatt DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Vedlikehold Schedul apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS-profil som kreves for å gjøre POS-oppføring DocType: Education Settings,Enable LMS,Aktiver LMS DocType: POS Closing Voucher,Sales Invoices Summary,Sammendrag av salgsfakturaer +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Fordel apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kreditt Til konto må være en balanse konto DocType: Video,Duration,Varighet DocType: Lab Test Template,Descriptive,beskrivende @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Start- og sluttdatoer DocType: Supplier Scorecard,Notify Employee,Informer medarbeider apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,programvare +DocType: Program,Allow Self Enroll,Tillat selvregistrering apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Lagerutgifter apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Henvisning er obligatorisk hvis du har oppgitt referansedato DocType: Training Event,Workshop,Verksted @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-fakturainformasjon mangler apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Ingen materiell forespørsel opprettet +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varenummer> Varegruppe> Varemerke DocType: Loan,Total Amount Paid,Totalt beløp betalt apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Alle disse elementene er allerede fakturert DocType: Training Event,Trainer Name,Trenernavn @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Studieår DocType: Sales Stage,Stage Name,Artistnavnet DocType: SMS Center,All Employee (Active),Alle ansatte (aktiv) +DocType: Accounting Dimension,Accounting Dimension,Regnskapsmessig størrelse DocType: Project,Customer Details,kundedetaljer DocType: Buying Settings,Default Supplier Group,Standardleverandørgruppe apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Vennligst avbryt kjøp kvittering {0} først @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Jo høyere talle DocType: Designation,Required Skills,Påkrevd ferdigheter DocType: Marketplace Settings,Disable Marketplace,Deaktiver Marketplace DocType: Budget,Action if Annual Budget Exceeded on Actual,Handling hvis årlig budsjett overskrides på faktisk -DocType: Course,Course Abbreviation,Kursforkortelse apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Tilstedeværelse ikke sendt for {0} som {1} på permisjon. DocType: Pricing Rule,Promotional Scheme Id,Kampanjeplan ID apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Sluttdato for oppgave {0} kan ikke være større enn {1} forventet sluttdato {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Marginpenger DocType: Chapter,Chapter,Kapittel DocType: Purchase Receipt Item Supplied,Current Stock,Nåværende aksje DocType: Employee,History In Company,Historie i selskapet -DocType: Item,Manufacturer,Produsent +DocType: Purchase Invoice Item,Manufacturer,Produsent apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Moderat følsomhet DocType: Compensatory Leave Request,Leave Allocation,La tildeling DocType: Timesheet,Timesheet,Tids skjema @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Material overført fo DocType: Products Settings,Hide Variants,Skjul variantene DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Deaktiver kapasitetsplanlegging og tidssporing DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Beregnes i transaksjonen. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} er påkrevd for 'Balansebok' konto {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} ikke lov til å transaksere med {1}. Vennligst endre firmaet. 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}" DocType: Delivery Trip,Delivery Details,leveringsdetaljer @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,prev apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Måleenhet DocType: Lab Test,Test Template,Testmal DocType: Fertilizer,Fertilizer Contents,Innhold av gjødsel -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minutt +DocType: Quality Meeting Minutes,Minute,Minutt 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, det er allerede {2}" DocType: Task,Actual Time (in Hours),Faktisk tid (i timer) DocType: Period Closing Voucher,Closing Account Head,Sluttkontohode @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorium DocType: Purchase Order,To Bill,Å fakturere apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Utility Utgifter DocType: Manufacturing Settings,Time Between Operations (in mins),Tid mellom operasjoner (i min) -DocType: Quality Goal,May,Kan +DocType: GSTR 3B Report,May,Kan apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Betaling Gateway-konto ikke opprettet, vennligst opprett en manuelt." DocType: Opening Invoice Creation Tool,Purchase,Kjøp DocType: Program Enrollment,School House,Skolehuset @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Lovbestemt informasjon og annen generell informasjon om leverandøren din DocType: Item Default,Default Selling Cost Center,Standard Selling Cost Center DocType: Sales Partner,Address & Contacts,Adresse og kontakter +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vennligst oppsett nummereringsserie for Deltakelse via Oppsett> Nummereringsserie DocType: Subscriber,Subscriber,abonnent apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) er tomt på lager apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Vennligst velg Opprettingsdato først @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Inpatient besøksavgift DocType: Bank Statement Settings,Transaction Data Mapping,Transaksjonsdata kartlegging apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,En Lead krever enten en persons navn eller en organisasjons navn DocType: Student,Guardians,Voktere +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vennligst oppsett Instruktør Navngivningssystem i utdanning> Utdanningsinnstillinger apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Velg merkevare ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Middelinntekt DocType: Shipping Rule,Calculate Based On,Beregn basert på @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Kostnadskrav Advance DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Avrundingsjustering (Bedriftsvaluta) DocType: Item,Publish in Hub,Publiser i Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,august +DocType: GSTR 3B Report,August,august apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Vennligst skriv inn kjøp kvittering først apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Startår apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Mål ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,Maks antall prøver apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Kilde og mållager må være forskjellig DocType: Employee Benefit Application,Benefits Applied,Fordeler anvendt apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Mot Journal Entry {0} har ikke noen enestående {1} oppføring +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Spesielle tegn unntatt "-", "#", ".", "/", "{" Og "}" ikke tillatt i navngivningsserier" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Pris- eller produktrabattplater er påkrevd apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Angi et mål apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Deltakelsesopptegnelse {0} eksisterer mot Student {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Per måned DocType: Routing,Routing Name,Rutingsnavn DocType: Disease,Common Name,Vanlig navn -DocType: Quality Goal,Measurable,målbar DocType: Education Settings,LMS Title,LMS-tittel apps/erpnext/erpnext/config/non_profit.py,Loan Management,Lånestyring -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Støtte Analtyics DocType: Clinical Procedure,Consumable Total Amount,Forbrukbar Totalbeløp apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Aktiver mal apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Kunde LPO @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,serveres DocType: Loan,Member,Medlem DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Utøvere Service Unit Schedule apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Wire Transfer +DocType: Quality Review Objective,Quality Review Objective,Kvalitetsrevurderingsmål DocType: Bank Reconciliation Detail,Against Account,Mot kontoen DocType: Projects Settings,Projects Settings,Prosjekter Innstillinger apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Faktisk antall {0} / Venter antall {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ve apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Regnskapsårets sluttdato bør være ett år etter regnskapsårets startdato apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Daglige påminnelser DocType: Item,Default Sales Unit of Measure,Standard salgsmengde av mål +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Firma GSTIN DocType: Asset Finance Book,Rate of Depreciation,Avskrivningsgrad DocType: Support Search Source,Post Description Key,Innlegg Beskrivelse Nøkkel DocType: Loyalty Program Collection,Minimum Total Spent,Minimum totalt brukt @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Endring av kundegruppe for den valgte kunden er ikke tillatt. DocType: Serial No,Creation Document Type,Opprettelsesdokumenttype DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Tilgjengelig Batch Antall på lager +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Dette er et rotterritorium og kan ikke redigeres. DocType: Patient,Surgical History,Kirurgisk historie apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Tree of Quality Procedures. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,i DocType: Item Group,Check this if you want to show in website,Sjekk dette hvis du vil vise på nettstedet apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiscal Year {0} ikke funnet DocType: Bank Statement Settings,Bank Statement Settings,Innstillingsinnstillinger +DocType: Quality Procedure Process,Link existing Quality Procedure.,Koble eksisterende kvalitetsprosedyre. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Importer kart over kontoer fra CSV / Excel-filer DocType: Appraisal Goal,Score (0-5),Resultat (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Attributt {0} valgt flere ganger i Attributts Tabell DocType: Purchase Invoice,Debit Note Issued,Debet notat utstedt @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Forlat politikkdetaljer apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Lager ikke funnet i systemet DocType: Healthcare Practitioner,OP Consulting Charge,OP-konsulentkostnad -DocType: Quality Goal,Measurable Goal,Målbart mål DocType: Bank Statement Transaction Payment Item,Invoices,fakturaer DocType: Currency Exchange,Currency Exchange,Valutaveksling DocType: Payroll Entry,Fortnightly,hver fjortende dag @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} er ikke sendt inn DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Backflush råmaterialer fra lager i gang DocType: Maintenance Team Member,Maintenance Team Member,Vedlikeholdsteammedlem +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Oppsett egendefinerte dimensjoner for regnskap DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimal avstand mellom rader av planter for optimal vekst DocType: Employee Health Insurance,Health Insurance Name,Helseforsikringsnavn apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Aksjeobjekter @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,Faktureringsadressenavn apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternativt element DocType: Certification Application,Name of Applicant,Navn på søkeren DocType: Leave Type,Earned Leave,Opptjent permisjon -DocType: Quality Goal,June,juni +DocType: GSTR 3B Report,June,juni apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Row {0}: Kostnadsstedet kreves for et element {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Kan godkjennes av {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Enhetsenhet {0} er angitt mer enn en gang i konverteringsfaktordabellen @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standard salgspris apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Vennligst sett inn en aktiv meny for Restaurant {0} apps/erpnext/erpnext/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: Asset Finance Book,Asset Finance Book,Asset Finance Book +DocType: Quality Goal Objective,Quality Goal Objective,Kvalitetsmål DocType: Employee Transfer,Employee Transfer,Ansatteoverføring ,Sales Funnel,Salgstratt DocType: Agriculture Analysis Criteria,Water Analysis,Vannanalyse @@ -2144,6 +2159,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Medarbeideroverf apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Venter på aktiviteter apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Oppgi noen av dine kunder. De kan være organisasjoner eller enkeltpersoner. DocType: Bank Guarantee,Bank Account Info,Bankkontoinformasjon +DocType: Quality Goal,Weekday,Weekday apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Foresatte1 Navn DocType: Salary Component,Variable Based On Taxable Salary,Variabel basert på skattepliktig lønn DocType: Accounting Period,Accounting Period,Regnskapsperiode @@ -2228,7 +2244,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Avrundingsjustering DocType: Quality Review Table,Quality Review Table,Kvalitet gjennomgangstabell DocType: Member,Membership Expiry Date,Medlemskapets utløpsdato DocType: Asset Finance Book,Expected Value After Useful Life,Forventet verdi etter brukbart liv -DocType: Quality Goal,November,november +DocType: GSTR 3B Report,November,november DocType: Loan Application,Rate of Interest,Rente DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Bankoversikt Transaksjonsbetalingselement DocType: Restaurant Reservation,Waitlisted,ventelisten @@ -2292,6 +2308,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Row {0}: For å sette {1} periodicitet, må forskjellen mellom og til dags \ være større enn eller lik {2}" DocType: Purchase Invoice Item,Valuation Rate,Verdsettelseshastighet DocType: Shopping Cart Settings,Default settings for Shopping Cart,Standardinnstillinger for handlekurv +DocType: Quiz,Score out of 100,Resultat av 100 DocType: Manufacturing Settings,Capacity Planning,Kapasitetsplanlegging apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Gå til Instruktører DocType: Activity Cost,Projects,prosjekter @@ -2301,6 +2318,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Fra tid apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Details Report +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,For kjøp apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots for {0} legges ikke til i timeplanen DocType: Target Detail,Target Distribution,Måldistribusjon @@ -2318,6 +2336,7 @@ DocType: Activity Cost,Activity Cost,Aktivitetskostnad DocType: Journal Entry,Payment Order,Betalingsordre apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Priser ,Item Delivery Date,Leveringsdato for vare +DocType: Quality Goal,January-April-July-October,Januar-april-juli-oktober DocType: Purchase Order Item,Warehouse and Reference,Lager og referanse apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Konto med barnnoder kan ikke konverteres til hovedbok DocType: Soil Texture,Clay Composition (%),Leirekomposisjon (%) @@ -2368,6 +2387,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Fremtidige datoer ikke apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Row {0}: Vennligst angi betalingsmåte i betalingsplan apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Faglig semester: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Kvalitets tilbakemelding Parameter apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Vennligst velg Bruk rabatt på apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Rad # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Sum betalinger @@ -2410,7 +2430,7 @@ DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Ansatt ID DocType: Salary Structure Assignment,Salary Structure Assignment,Lønnsstrukturoppgave DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Skatt -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Handling initiert +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Handling initiert DocType: POS Profile,Applicable for Users,Gjelder for brukere DocType: Training Event,Exam,Eksamen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Feil antall General Ledger Entries funnet. Du har kanskje valgt en feil konto i transaksjonen. @@ -2517,6 +2537,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,lengde~~POS=TRUNC DocType: Accounts Settings,Determine Address Tax Category From,Bestem Adresse Skatt Kategori Fra apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Identifisere beslutningstakere +DocType: Stock Entry Detail,Reference Purchase Receipt,Referanse kjøp kvittering apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Få invokasjoner DocType: Tally Migration,Is Day Book Data Imported,Er data fra dagbok importert ,Sales Partners Commission,Salgspartner-kommisjonen @@ -2540,6 +2561,7 @@ DocType: Leave Type,Applicable After (Working Days),Gjelder etter (arbeidsdager) DocType: Timesheet Detail,Hrs,timer DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Leverandør Scorecard Kriterier DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Kvalitets tilbakemeldingskart Parameter apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Dato for tilkobling må være større enn fødselsdato DocType: Bank Statement Transaction Invoice Item,Invoice Date,Fakturadato DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Opprett Lab Test (er) på salgsfaktura Send @@ -2646,7 +2668,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Minste tillatte verdi DocType: Stock Entry,Source Warehouse Address,Source Warehouse Address DocType: Compensatory Leave Request,Compensatory Leave Request,Kompenserende forlengelsesforespørsel DocType: Lead,Mobile No.,Mobilnummer -DocType: Quality Goal,July,juli +DocType: GSTR 3B Report,July,juli apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Kvalifisert ITC DocType: Fertilizer,Density (if liquid),Tetthet (hvis flytende) DocType: Employee,External Work History,Ekstern arbeidshistorie @@ -2723,6 +2745,7 @@ DocType: Certification Application,Certification Status,Sertifiseringsstatus apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Kildeplassering er nødvendig for aktiva {0} DocType: Employee,Encashment Date,Encashment Date apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Vennligst velg sluttdato for fullført aktivitetsvedlikeholdslogg +DocType: Quiz,Latest Attempt,Siste forsøk DocType: Leave Block List,Allow Users,Tillat brukere apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Kontooversikt apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Kunden er obligatorisk dersom 'Mulighet fra' er valgt som kunde @@ -2787,7 +2810,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Leverandør Scorecar DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Innstillinger DocType: Program Enrollment,Walking,walking DocType: SMS Log,Requested Numbers,Forespurte tall -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vennligst oppsett nummereringsserie for Deltakelse via Oppsett> Nummereringsserie DocType: Woocommerce Settings,Freight and Forwarding Account,Frakt og videresendingskonto apps/erpnext/erpnext/accounts/party.py,Please select a Company,Vennligst velg et selskap apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Row {0}: {1} må være større enn 0 @@ -2857,7 +2879,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Regninger h DocType: Training Event,Seminar,Seminar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kreditt ({0}) DocType: Payment Request,Subscription Plans,Abonnementsplaner -DocType: Quality Goal,March,mars +DocType: GSTR 3B Report,March,mars apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Split Batch DocType: School House,House Name,Husnavn apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Utestående for {0} kan ikke være mindre enn null ({1}) @@ -2920,7 +2942,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Forsikring Startdato DocType: Target Detail,Target Detail,Måldetalj DocType: Packing Slip,Net Weight UOM,Nettovekt UOM -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 elementet: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Netto beløp (selskapsvaluta) DocType: Bank Statement Transaction Settings Item,Mapped Data,Mappedata apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Verdipapirer og innskudd @@ -2970,6 +2991,7 @@ DocType: Cheque Print Template,Cheque Height,Sjekk høyde apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Vennligst skriv inn lindrende dato. DocType: Loyalty Program,Loyalty Program Help,Lojalitetsprogram Hjelp DocType: Journal Entry,Inter Company Journal Entry Reference,Inter Company Journal Entry Reference +DocType: Quality Meeting,Agenda,Dagsorden DocType: Quality Action,Corrective,korrigerende apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Gruppe av DocType: Bank Account,Address and Contact,Adresse og kontakt @@ -3023,7 +3045,7 @@ DocType: GL Entry,Credit Amount,Kredittbeløp apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Totalt beløp krevet DocType: Support Search Source,Post Route Key List,Legg inn rutenøkkelliste apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} ikke i noe aktivt regnskapsår. -DocType: Quality Action Table,Problem,Problem +DocType: Quality Action Resolution,Problem,Problem DocType: Training Event,Conference,Konferanse DocType: Mode of Payment Account,Mode of Payment Account,Betalingsmodus DocType: Leave Encashment,Encashable days,Klembare dager @@ -3149,7 +3171,7 @@ DocType: Item,"Purchase, Replenishment Details","Kjøp, Replenishment Detaljer" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Når denne er satt, vil denne fakturaen være på vent til innstilt dato" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Lager kan ikke eksistere for element {0} siden har varianter DocType: Lab Test Template,Grouped,gruppert -DocType: Quality Goal,January,januar +DocType: GSTR 3B Report,January,januar DocType: Course Assessment Criteria,Course Assessment Criteria,Kursets vurderingskriterier DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Fullført antall @@ -3245,7 +3267,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Helse Service apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Vennligst skriv inn minst 1 faktura i tabellen apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Salgsordre {0} er ikke sendt inn apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Deltakelse er merket med hell. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Før salg +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Før salg apps/erpnext/erpnext/config/projects.py,Project master.,Prosjekt master. DocType: Daily Work Summary,Daily Work Summary,Daglig arbeidssammendrag DocType: Asset,Partially Depreciated,Delvis avskrivet @@ -3254,6 +3276,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Forlate Encashed? DocType: Certified Consultant,Discuss ID,Diskuter ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Vennligst sett GST-kontoer i GST-innstillinger +DocType: Quiz,Latest Highest Score,Siste høyeste poeng DocType: Supplier,Billing Currency,Faktureringsvaluta apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Studentaktivitet apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Enten målmengde eller målbeløp er obligatorisk @@ -3279,18 +3302,21 @@ DocType: Sales Order,Not Delivered,Ikke levert apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Opplatype {0} kan ikke tildeles siden det er permisjon uten lønn DocType: GL Entry,Debit Amount,Debetbeløp apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Allerede posten eksisterer for elementet {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Underforsamlinger 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 regler for prisregulering fortsetter å seire, blir brukere bedt om å angi prioritet manuelt for å løse konflikt." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kan ikke trekke fra når kategorien er for "verdsettelse" eller "verdsettelse og total" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM og produksjonsmengde er påkrevd apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Elementet {0} har nådd slutten av livet på {1} DocType: Quality Inspection Reading,Reading 6,Lesing 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Firmanavn er nødvendig apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Materialforbruk er ikke angitt i produksjonsinnstillinger. DocType: Assessment Group,Assessment Group Name,Bedømmelsesgruppe Navn -DocType: Item,Manufacturer Part Number,Produsentens varenummer +DocType: Purchase Invoice Item,Manufacturer Part Number,Produsentens varenummer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Lønn betales apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} kan ikke være negativ for elementet {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balanse Antall +DocType: Question,Multiple Correct Answer,Flere korrekt svar DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Lojalitetspoeng = Hvor mye basevaluta? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Merk: Det er ikke nok forlengelsesbalanse for permisjonstype {0} DocType: Clinical Procedure,Inpatient Record,Inpatient Record @@ -3413,6 +3439,7 @@ DocType: Fee Schedule Program,Total Students,Totalt studenter apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,lokal DocType: Chapter Member,Leave Reason,Legg igjen grunn DocType: Salary Component,Condition and Formula,Tilstand og formel +DocType: Quality Goal,Objectives,Mål apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Lønn som allerede er behandlet for perioden mellom {0} og {1}, kan forlate søknadsperioden ikke være mellom dette datoperioden." DocType: BOM Item,Basic Rate (Company Currency),Grunnleggende pris (selskapsvaluta) DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item @@ -3463,6 +3490,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Kostnadskravskonto apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Ingen tilbakebetalinger tilgjengelig for Journal Entry apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} er inaktiv student +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Lag lagerinngang DocType: Employee Onboarding,Activities,aktiviteter apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast ett lager er obligatorisk ,Customer Credit Balance,Kredittkortsaldo @@ -3547,7 +3575,6 @@ DocType: Contract,Contract Terms,Kontraktsbetingelser apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Enten målmengde eller målbeløp er obligatorisk. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Ugyldig {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Møtedato DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Forkortelse kan ikke ha mer enn 5 tegn DocType: Employee Benefit Application,Max Benefits (Yearly),Maksimal fordel (årlig) @@ -3650,7 +3677,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Bankgebyrer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Varer overført apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primær kontaktdetaljer -DocType: Quality Review,Values,verdier 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 merket, må listen legges til hver avdeling der den skal brukes." DocType: Item Group,Show this slideshow at the top of the page,Vis denne lysbildeserien øverst på siden apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} parameteren er ugyldig @@ -3669,6 +3695,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Bankgebyrer Konto DocType: Journal Entry,Get Outstanding Invoices,Få utestående fakturaer DocType: Opportunity,Opportunity From,Mulighet fra +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Måldetaljer DocType: Item,Customer Code,Kundenummer apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Vennligst skriv inn element først apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Nettstedsliste @@ -3697,7 +3724,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Levering til DocType: Bank Statement Transaction Settings Item,Bank Data,Bankdata apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planlagt Upto -DocType: Quality Goal,Everyday,Hver dag DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Oppretthold faktureringstid og arbeidstid samme på tidsskema apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Sporledninger av blykilde. DocType: Clinical Procedure,Nursing User,Sykepleier Bruker @@ -3722,7 +3748,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Administrer Territory DocType: GL Entry,Voucher Type,Voucher Type ,Serial No Service Contract Expiry,Serienummer Tjenestekontraktens utløp DocType: Certification Application,Certified,sertifisert -DocType: Material Request Plan Item,Manufacture,Produksjon +DocType: Purchase Invoice Item,Manufacture,Produksjon apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} produserte produkter apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Betalingsforespørsel om {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dager siden siste bestilling @@ -3737,7 +3763,7 @@ DocType: Sales Invoice,Company Address Name,Bedriftsadressenavn apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Varer i transitt apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Du kan kun innløse maksimalt {0} poeng i denne rekkefølgen. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Vennligst sett inn konto i Lager {0} -DocType: Quality Action Table,Resolution,Vedtak +DocType: Quality Action,Resolution,Vedtak DocType: Sales Invoice,Loyalty Points Redemption,Lojalitetspoeng Innløsning apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Total skattepliktig verdi DocType: Patient Appointment,Scheduled,planlagt @@ -3858,6 +3884,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Sats apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Lagrer {0} DocType: SMS Center,Total Message(s),Total melding (er) +DocType: Purchase Invoice,Accounting Dimensions,Regnskapsmessige dimensjoner apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupper etter konto DocType: Quotation,In Words will be visible once you save the Quotation.,I Ord blir det synlig når du lagrer tilbudet. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Mengde å produsere @@ -4022,7 +4049,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,O apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Hvis du har spørsmål, vennligst kom tilbake til oss." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Kjøpsbevis {0} er ikke sendt inn DocType: Task,Total Expense Claim (via Expense Claim),Total kostnadskrav (via kostnadskrav) -DocType: Quality Action,Quality Goal,Kvalitetsmål +DocType: Quality Goal,Quality Goal,Kvalitetsmål DocType: Support Settings,Support Portal,Support Portal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Sluttdato for oppgave {0} kan ikke være mindre enn {1} forventet startdato {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Ansatt {0} er på permisjon på {1} @@ -4081,7 +4108,6 @@ DocType: BOM,Operating Cost (Company Currency),Driftskostnad (selskapsvaluta) DocType: Item Price,Item Price,Varepris DocType: Payment Entry,Party Name,Festnavn apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Vennligst velg en kunde -DocType: Course,Course Intro,Kursus Intro DocType: Program Enrollment Tool,New Program,Nytt Program apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Antall nye kostnadssenter, det vil bli inkludert i kostnadsområdets navn som et prefiks" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Velg kunden eller leverandøren. @@ -4282,6 +4308,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Netto lønn kan ikke være negativ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Ingen interaksjoner 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/hr/doctype/employee/employee_dashboard.py,Shift,Skifte apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Prosessering av regnskapstall og parter DocType: Stock Settings,Convert Item Description to Clean HTML,Konverter elementbeskrivelse for å rydde HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alle leverandørgrupper @@ -4360,6 +4387,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Foreldreelement apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Vennligst opprett kvittering eller kjøpsfaktura for elementet {0} +,Product Bundle Balance,Produktpakkebalanse apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Firmanavn kan ikke være selskap DocType: Maintenance Visit,Breakdown,Sammenbrudd DocType: Inpatient Record,B Negative,B Negativ @@ -4368,7 +4396,7 @@ DocType: Purchase Invoice,Credit To,Takk til apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Send inn denne arbeidsordren for videre behandling. DocType: Bank Guarantee,Bank Guarantee Number,Bankgaranti nummer apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Leveres: {0} -DocType: Quality Action,Under Review,Til vurdering +DocType: Quality Meeting Table,Under Review,Til vurdering apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Landbruk (beta) ,Average Commission Rate,Gjennomsnittlig kommisjonskurs DocType: Sales Invoice,Customer's Purchase Order Date,Kundens innkjøpsordre @@ -4485,7 +4513,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Match betaling med fakturaer DocType: Holiday List,Weekly Off,Ukentlig av apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Ikke tillat å angi alternativt element for elementet {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Programmet {0} eksisterer ikke. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programmet {0} eksisterer ikke. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Du kan ikke redigere rotknutepunktet. DocType: Fee Schedule,Student Category,Studentkategori apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Vare {0}: {1} Antall produsert," @@ -4576,8 +4604,8 @@ DocType: Crop,Crop Spacing,Beskjæringsavstand 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. DocType: Pricing Rule,Period Settings,Periodeinnstillinger apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Netto endring i kundefordringer +DocType: Quality Feedback Template,Quality Feedback Template,Kvalitets tilbakemeldingskart 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 -DocType: Quality Goal,Goal Objectives,Målmål 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" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,La være tom hvis du lager studentgrupper per år apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Lån (Forpliktelser) @@ -4612,12 +4640,13 @@ DocType: Quality Procedure Table,Step,Skritt DocType: Normal Test Items,Result Value,Resultat Verdi DocType: Cash Flow Mapping,Is Income Tax Liability,Er inntektsskatt ansvar DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Inpatient Visit Charge Item -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} eksisterer ikke. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} eksisterer ikke. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Oppdater svar DocType: Bank Guarantee,Supplier,Leverandør apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Angi verdi mellom {0} og {1} DocType: Purchase Order,Order Confirmation Date,Ordrebekreftelsesdato DocType: Delivery Trip,Calculate Estimated Arrival Times,Beregn anslåtte ankomsttider +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vennligst oppsett Medarbeiders navngivningssystem i menneskelig ressurs> HR-innstillinger apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Konsum DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Abonnements startdato @@ -4681,6 +4710,7 @@ DocType: Cheque Print Template,Is Account Payable,Er kontoen betalbar apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Total ordreverdi apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Leverandør {0} ikke funnet i {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Oppsett SMS gateway innstillinger +DocType: Salary Component,Round to the Nearest Integer,Rund til nærmeste helhet apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Root kan ikke ha et overordnet kostesenter DocType: Healthcare Service Unit,Allow Appointments,Tillat avtaler DocType: BOM,Show Operations,Vis operasjoner @@ -4809,7 +4839,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Standard ferieliste DocType: Naming Series,Current Value,Nåværende verdi apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sesongmessighet for å sette budsjetter, mål etc." -DocType: Program,Program Code,Programkode apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Advarsel: Salgsordre {0} eksisterer allerede mot kundens innkjøpsordre {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Månedlig salgsmål ( DocType: Guardian,Guardian Interests,Foresatteinteresser @@ -4859,10 +4888,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Betalt og ikke levert apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Varekoden er obligatorisk fordi elementet ikke automatisk nummereres DocType: GST HSN Code,HSN Code,HSN-kode -DocType: Quality Goal,September,september +DocType: GSTR 3B Report,September,september apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administrative kostnader DocType: C-Form,C-Form No,C-form nr DocType: Purchase Invoice,End date of current invoice's period,Sluttdato for den aktuelle fakturaens periode +DocType: Item,Manufacturers,produsenter DocType: Crop Cycle,Crop Cycle,Beskjæringssyklus DocType: Serial No,Creation Time,Opprettelsestid apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Vennligst skriv inn Godkjent rolle eller Godkjenn bruker @@ -4935,8 +4965,6 @@ DocType: Employee,Short biography for website and other publications.,Kort biogr DocType: Purchase Invoice Item,Received Qty,Mottatt antall DocType: Purchase Invoice Item,Rate (Company Currency),Rate (Firma Valuta) DocType: Item Reorder,Request for,Forespørsel etter -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Vennligst slett Medarbeider {0} \ for å avbryte dette dokumentet" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Installere forhåndsinnstillinger apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Vennligst skriv inn tilbakebetalingsperioder DocType: Pricing Rule,Advanced Settings,Avanserte innstillinger @@ -4962,7 +4990,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Aktiver handlekurv DocType: Pricing Rule,Apply Rule On Other,Bruk regel på andre DocType: Vehicle,Last Carbon Check,Siste Carbon Check -DocType: Vehicle,Make,Gjøre +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Gjøre apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Salgsfaktura {0} opprettet som betalt apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,For å opprette en betalingsforespørsel kreves referansedokument apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Inntektsskatt @@ -5038,7 +5066,6 @@ DocType: Territory,Parent Territory,Foreldres territorium DocType: Vehicle Log,Odometer Reading,Kilometerstand DocType: Additional Salary,Salary Slip,Lønnsslipp DocType: Payroll Entry,Payroll Frequency,Lønnsfrekvens -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vennligst oppsett Medarbeiders navngivningssystem i menneskelig ressurs> HR-innstillinger apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Start- og sluttdatoer ikke i en gyldig lønningsperiode, kan ikke beregne {0}" DocType: Products Settings,Home Page is Products,Hjemmeside er produkter apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,samtaler @@ -5092,7 +5119,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Henter poster ...... DocType: Delivery Stop,Contact Information,Kontaktinformasjon DocType: Sales Order Item,For Production,For Produksjon -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vennligst oppsett Instruktør Navngivningssystem i utdanning> Utdanningsinnstillinger DocType: Serial No,Asset Details,Eiendomsdetaljer DocType: Restaurant Reservation,Reservation Time,Reservasjonstid DocType: Selling Settings,Default Territory,Standard territorium @@ -5232,6 +5258,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,s apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Utløpte partier DocType: Shipping Rule,Shipping Rule Type,Forsendelsestype DocType: Job Offer,Accepted,Akseptert +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Vennligst slett Medarbeider {0} \ for å avbryte dette dokumentet" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Du har allerede vurdert for vurderingskriteriene {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Velg batchnumre apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Alder (dager) @@ -5248,6 +5276,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bunteartikler ved salgstidspunktet. DocType: Payment Reconciliation Payment,Allocated Amount,Fordelt beløp apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Vennligst velg Firma og Betegnelse +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'Dato' kreves DocType: Email Digest,Bank Credit Balance,Bank Kredittbalanse apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Vis kumulativ beløp apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Du har ikke nok lojalitetspoeng til å innløse @@ -5308,11 +5337,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,På forrige rad totalt DocType: Student,Student Email Address,Student e-postadresse DocType: Academic Term,Education,utdanning DocType: Supplier Quotation,Supplier Address,Leverandøradresse -DocType: Salary Component,Do not include in total,Ikke inkluder i alt +DocType: Salary Detail,Do not include in total,Ikke inkluder i alt apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Kan ikke angi flere standardinnstillinger for et selskap. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} eksisterer ikke DocType: Purchase Receipt Item,Rejected Quantity,Avvist antall DocType: Cashier Closing,To TIme,Til tid +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 elementet: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Daglig arbeidsoppsummeringsgruppe bruker DocType: Fiscal Year Company,Fiscal Year Company,Fiscal Year Company apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternativt element må ikke være det samme som varenummer @@ -5422,7 +5452,6 @@ DocType: Fee Schedule,Send Payment Request Email,Send betalingsanmodnings-e-post DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,I Ord blir det synlig når du lagrer salgsfakturaen. DocType: Sales Invoice,Sales Team1,Salgsteam1 DocType: Work Order,Required Items,Påkrevde gjenstander -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Spesielle tegn unntatt "-", "#", "." og "/" ikke tillatt i navngivningsserie" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Les ERPNext Manual DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Sjekk leverandørfaktura nummer unikt apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Søk underforsamlinger @@ -5490,7 +5519,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Prosent avdrag 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: Share Balance,To No,Til nr DocType: Leave Control Panel,Allocate Leaves,Fordel bladene -DocType: Quiz,Last Attempt,Siste forsøk DocType: Assessment Result,Student Name,Student navn apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Planlegg for vedlikeholdsbesøk. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Følgende materialforespørsler har blitt reist automatisk basert på varens rekkefølge @@ -5559,6 +5587,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Indikatorfarge DocType: Item Variant Settings,Copy Fields to Variant,Kopier felt til variant DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Enkelt korrekt svar apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Fra datoen kan ikke være mindre enn ansattes tilmeldingsdato DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Tillat flere salgsordrer mot kundens innkjøpsordre apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5621,7 +5650,7 @@ DocType: Account,Expenses Included In Valuation,Utgifter inkludert i verdsettels apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Serienummer DocType: Salary Slip,Deductions,fradrag ,Supplier-Wise Sales Analytics,Leverandør-Wise Sales Analytics -DocType: Quality Goal,February,februar +DocType: GSTR 3B Report,February,februar DocType: Appraisal,For Employee,For Ansatt apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Faktisk leveringsdato DocType: Sales Partner,Sales Partner Name,Salgspartnernavn @@ -5717,7 +5746,6 @@ DocType: Procedure Prescription,Procedure Created,Prosedyre opprettet apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Mot leverandørfaktura {0} datert {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Endre POS-profil apps/erpnext/erpnext/utilities/activation.py,Create Lead,Opprett bly -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandør Type DocType: Shopify Settings,Default Customer,Standardkund DocType: Payment Entry Reference,Supplier Invoice No,Leverandørfaktura nr DocType: Pricing Rule,Mixed Conditions,Blandede betingelser @@ -5768,12 +5796,14 @@ DocType: Item,End of Life,Slutten på livet DocType: Lab Test Template,Sensitivity,Følsomhet DocType: Territory,Territory Targets,Territory Mål apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Hopp over permisjon for de følgende ansatte, ettersom det allerede eksisterer permitteringsoppføringer overfor dem. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Kvalitet Handlingsoppløsning DocType: Sales Invoice Item,Delivered By Supplier,Leveres av leverandør DocType: Agriculture Analysis Criteria,Plant Analysis,Plant Analyse apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Kostnadskonto er obligatorisk for elementet {0} ,Subcontracted Raw Materials To Be Transferred,Underleverte råvarer som skal overføres DocType: Cashier Closing,Cashier Closing,Kasserer avsluttende apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Elementet {0} er allerede returnert +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,"Ugyldig GSTIN! Innspillet du har oppgitt, stemmer ikke overens med GSTIN-formatet for UIN-innehavere eller OIDAR-tjenesteleverandører som ikke er bosatt" apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barnelager finnes for dette lageret. Du kan ikke slette dette lageret. DocType: Diagnosis,Diagnosis,Diagnose apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Det er ingen permisjon mellom {0} og {1} @@ -5790,6 +5820,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Autorisasjonsinnstillinger DocType: Homepage,Products,Produkter ,Profit and Loss Statement,Resultatregnskap apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Rom bestilles +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Dupliser oppføring mot varekoden {0} og produsenten {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Total vekt apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Reise @@ -5838,6 +5869,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Standard kundegruppe DocType: Journal Entry Account,Debit in Company Currency,Debet i selskapets valuta DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Fallback-serien er "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Kvalitetsmøteredag DocType: Cash Flow Mapper,Section Header,Seksjonsoverskrift apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Dine produkter eller tjenester DocType: Crop,Perennial,Flerårig @@ -5883,7 +5915,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Et produkt eller en tjeneste som er kjøpt, solgt eller på lager." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Avslutning (Åpning + Totalt) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterier Formel -,Support Analytics,Støtte Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Støtte Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Gjennomgang og handling DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Hvis kontoen er frossen, kan oppføringer tillates begrensede brukere." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Beløp etter avskrivninger @@ -5928,7 +5960,6 @@ DocType: Contract Template,Contract Terms and Conditions,Kontraktsbetingelser apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Hent data DocType: Stock Settings,Default Item Group,Standard elementgruppe DocType: Sales Invoice Timesheet,Billing Hours,Faktureringstid -DocType: Item,Item Code for Suppliers,Varekatalog for leverandører 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} DocType: Pricing Rule,Margin Type,Margin Type DocType: Purchase Invoice Item,Rejected Serial No,Avvist serienummer @@ -6001,6 +6032,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Blader har blitt gitt suksessivt DocType: Loyalty Point Entry,Expiry Date,Utløpsdato DocType: Project Task,Working,Arbeider +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} har allerede en foreldreprosedyre {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Dette er basert på transaksjoner mot denne pasienten. Se tidslinjen nedenfor for detaljer DocType: Material Request,Requested For,Forespurt om DocType: SMS Center,All Sales Person,Alle salgspersoner @@ -6088,6 +6120,7 @@ DocType: Loan Type,Maximum Loan Amount,Maksimalt lånebeløp apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-post ikke funnet i standardkontakt DocType: Hotel Room Reservation,Booked,bestilt DocType: Maintenance Visit,Partially Completed,Delvis fullført +DocType: Quality Procedure Process,Process Description,Prosess beskrivelse DocType: Company,Default Employee Advance Account,Standard ansattskonto DocType: Leave Type,Allow Negative Balance,Tillat negativ saldo apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Evalueringsplan Navn @@ -6129,6 +6162,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Forespørsel om tilbudspost apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} oppgitt to ganger i vareskatt DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Fravik full skatt på valgt lønningsdato +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Siste CO2-sjekkdato kan ikke være en fremtidig dato apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Velg endringsbeløpskonto DocType: Support Settings,Forum Posts,Foruminnlegg DocType: Timesheet Detail,Expected Hrs,Forventet tid @@ -6138,7 +6172,7 @@ DocType: Program Enrollment Tool,Enroll Students,Registrer studenter apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Gjenta kundeinntekter DocType: Company,Date of Commencement,Dato for oppstart DocType: Bank,Bank Name,Bank navn -DocType: Quality Goal,December,desember +DocType: GSTR 3B Report,December,desember 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 opp til dato apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Dette er basert på denne ansattes tilstedeværelse DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Hvis den er merket, vil hjemmesiden være standard elementgruppe for nettstedet" @@ -6181,6 +6215,7 @@ DocType: Payment Entry,Payment Type,Betalings type apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Folio tallene stemmer ikke overens DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Kvalitetskontroll: {0} sendes ikke for varen: {1} i rad {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Vis {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} element funnet. ,Stock Ageing,Lager aldring DocType: Customer Group,Mention if non-standard receivable account applicable,Meld om ikke-standard fordringskonto gjelder @@ -6459,6 +6494,7 @@ DocType: Travel Request,Costing,koster apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Faste eiendeler DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Total opptjening +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium DocType: Share Balance,From No,Fra nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betalingsavstemming Faktura DocType: Purchase Invoice,Taxes and Charges Added,Skatter og avgifter lagt til @@ -6466,7 +6502,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Vurder skatt elle DocType: Authorization Rule,Authorized Value,Autorisert verdi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Mottat fra apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Lager {0} eksisterer ikke +DocType: Item Manufacturer,Item Manufacturer,Vareprodusent DocType: Sales Invoice,Sales Team,Salgsgruppe +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Antall DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM DocType: Installation Note,Installation Date,Installasjonsdato DocType: Email Digest,New Quotations,Nye sitater @@ -6530,7 +6568,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Ferieliste Navn DocType: Water Analysis,Collection Temperature ,Samlingstemperatur DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Administrer avtalefaktura send inn og avbryt automatisk for pasientmøte -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vennligst still inn navngivningsserien for {0} via Setup> Settings> Naming Series DocType: Employee Benefit Claim,Claim Date,Krav på dato DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,La være tom hvis leverandøren er blokkert på ubestemt tid apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Deltakelse fra dato og oppmøte til dato er obligatorisk @@ -6541,6 +6578,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Dato for pensjonering apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Vennligst velg Pasient DocType: Asset,Straight Line,Rett linje +DocType: Quality Action,Resolutions,resolusjoner DocType: SMS Log,No of Sent SMS,Ingen av sendte SMS ,GST Itemised Sales Register,GST Artized Sales Register apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Samlet forskuddbeløp kan ikke være større enn total sanksjonert beløp @@ -6651,7 +6689,7 @@ DocType: Account,Profit and Loss,Profitt og tap apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Antall DocType: Asset Finance Book,Written Down Value,Skrevet nedverdi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Åpningsbalanse Egenkapital -DocType: Quality Goal,April,april +DocType: GSTR 3B Report,April,april DocType: Supplier,Credit Limit,Kredittgrense apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Fordeling apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6706,6 +6744,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Koble Shopify med ERPNext DocType: Homepage Section Card,Subtitle,Subtitle DocType: Soil Texture,Loam,leirjord +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandør Type DocType: BOM,Scrap Material Cost(Company Currency),Skrapmaterialekostnad (selskapsvaluta) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Leveringsnotat {0} må ikke sendes inn DocType: Task,Actual Start Date (via Time Sheet),Faktisk startdato (via tidsskrift) @@ -6761,7 +6800,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosering DocType: Cheque Print Template,Starting position from top edge,Startposisjon fra toppkanten apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Avtale Varighet (min) -DocType: Pricing Rule,Disable,Deaktiver +DocType: Accounting Dimension,Disable,Deaktiver DocType: Email Digest,Purchase Orders to Receive,Innkjøpsordre for å motta apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Produktionsordrer kan ikke heves for: DocType: Projects Settings,Ignore Employee Time Overlap,Ignorer arbeidstakertidoverlapping @@ -6845,6 +6884,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Oppret DocType: Item Attribute,Numeric Values,Numeriske verdier DocType: Delivery Note,Instructions,Bruksanvisning DocType: Blanket Order Item,Blanket Order Item,Blanket Bestillingsvare +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Obligatorisk for fortjeneste og tapskonto apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Kommisjonen kan ikke være større enn 100 DocType: Course Topic,Course Topic,Emne emne DocType: Employee,This will restrict user access to other employee records,Dette vil begrense brukertilgang til andre ansattes poster @@ -6869,12 +6909,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Abonnementsadm apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Få kunder fra apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Fordel DocType: Employee,Reports to,Rapporterer til +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Festkonto DocType: Assessment Plan,Schedule,Rute apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Vennligst skriv inn DocType: Lead,Channel Partner,Kanalpartner apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Fakturert beløp DocType: Project,From Template,Fra Mal +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,abonnementer apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Mengde å lage DocType: Quality Review Table,Achieved,Oppnådd @@ -6921,7 +6963,6 @@ DocType: Journal Entry,Subscription Section,Abonnementsseksjon DocType: Salary Slip,Payment Days,Betalingsdager apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Frivillig informasjon. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Fryse Aksjer Eldre enn` burde være mindre enn% d dager. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Velg Regnskapsår DocType: Bank Reconciliation,Total Amount,Totale mengden DocType: Certification Application,Non Profit,Ikke fortjeneste DocType: Subscription Settings,Cancel Invoice After Grace Period,Avbryt Faktura Etter Grace Period @@ -6934,7 +6975,6 @@ DocType: Serial No,Warranty Period (Days),Garantiperiode (dager) DocType: Expense Claim Detail,Expense Claim Detail,Kostnadskrav detalj apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program: DocType: Patient Medical Record,Patient Medical Record,Patient Medical Record -DocType: Quality Action,Action Description,Handlingsbeskrivelse DocType: Item,Variant Based On,Variant basert på DocType: Vehicle Service,Brake Oil,Bremsolje DocType: Employee,Create User,Opprett bruker @@ -6990,7 +7030,7 @@ DocType: Cash Flow Mapper,Section Name,Seksjonsnavn DocType: Packed Item,Packed Item,Pakket vare apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Enten debet eller kredittbeløpet kreves for {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Innlevering av lønnsslipp ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Ingen handling +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Ingen handling apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budsjettet kan ikke tilordnes mot {0}, da det ikke er en inntekts- eller kostnadskonto" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Mester og kontoer DocType: Quality Procedure Table,Responsible Individual,Ansvarlig person @@ -7113,7 +7153,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Tillat kontoopprettelse mot barnselskap DocType: Payment Entry,Company Bank Account,Selskapets bankkonto DocType: Amazon MWS Settings,UK,Storbritannia -DocType: Quality Procedure,Procedure Steps,Prosedyre trinn DocType: Normal Test Items,Normal Test Items,Normale testelementer apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Vare {0}: Bestilt antall {1} kan ikke være mindre enn minimumsordrenummer {2} (definert i Item). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Ikke på lager @@ -7192,7 +7231,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Vedlikeholdsrolle apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Vilkår og betingelser Mal DocType: Fee Schedule Program,Fee Schedule Program,Avgift Schedule Program -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kurset {0} eksisterer ikke. DocType: Project Task,Make Timesheet,Lag tidsskrift DocType: Production Plan Item,Production Plan Item,Produktbeskrivelse apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Totalt Student @@ -7214,6 +7252,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Innpakning apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Du kan bare fornye hvis medlemskapet ditt utløper innen 30 dager apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Verdien må være mellom {0} og {1} +DocType: Quality Feedback,Parameters,parametere ,Sales Partner Transaction Summary,Salgspartner Transaksjonsoversikt DocType: Asset Maintenance,Maintenance Manager Name,Vedlikeholdsansvarlig navn apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Det er nødvendig for å hente artikkeldetaljer. @@ -7252,6 +7291,7 @@ DocType: Student Admission,Student Admission,Studentopptak DocType: Designation Skill,Skill,Ferdighet DocType: Budget Account,Budget Account,Budsjettkonto DocType: Employee Transfer,Create New Employee Id,Opprett nyansattes ID +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} kreves for 'Profit and Loss'-konto {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Varer og tjenester skatt (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Opprette lønnsslipp ... DocType: Employee Skill,Employee Skill,Ansattes ferdighet @@ -7352,6 +7392,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Faktura Separ DocType: Subscription,Days Until Due,Dager til forfallsdato apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Vis fullført apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Bankoversikt Transaksjonsregnskap +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Prisen må være den samme som {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Helsevesenetjenesteelementer @@ -7408,6 +7449,7 @@ DocType: Training Event Employee,Invited,invitert apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Maksimumsbeløp som er kvalifisert for komponenten {0} overstiger {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Beløp til regning apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",For {0} kan bare debetkontoer kobles til en annen kredittoppføring +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Opprette dimensjoner ... DocType: Bank Statement Transaction Entry,Payable Account,Betalbar konto apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Vennligst nev ikke antall besøk som kreves DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Bare velg hvis du har satt opp Cash Flow Mapper-dokumenter @@ -7425,6 +7467,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,V DocType: Service Level,Resolution Time,Oppløsningstid DocType: Grading Scale Interval,Grade Description,Grader Beskrivelse DocType: Homepage Section,Cards,kort +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kvalitetsmøter DocType: Linked Plant Analysis,Linked Plant Analysis,Linked Plant Analysis apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Service Stop Date kan ikke være etter service sluttdato 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. @@ -7459,7 +7502,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Ansattes møteverktø DocType: Employee,Educational Qualification,pedagogiske kvalifikasjoner apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Tilgjengelig verdi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Prøvekvantitet {0} kan ikke være mer enn mottatt mengde {1} -DocType: Quiz,Last Highest Score,Siste høyeste poeng DocType: POS Profile,Taxes and Charges,Skatter og avgifter DocType: Opportunity,Contact Mobile No,Kontakt Mobilnr DocType: Employee,Joining Details,Bli med på detaljer diff --git a/erpnext/translations/pl.csv b/erpnext/translations/pl.csv index 503420a353..2d38445a58 100644 --- a/erpnext/translations/pl.csv +++ b/erpnext/translations/pl.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Nr części dostawcy DocType: Journal Entry Account,Party Balance,Balans imprezowy apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Źródło funduszy (zobowiązania) DocType: Payroll Period,Taxable Salary Slabs,Opodatkowane płyty płacowe +DocType: Quality Action,Quality Feedback,Opinie dotyczące jakości DocType: Support Settings,Support Settings,Ustawienia wsparcia apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Najpierw wprowadź pozycję produkcyjną DocType: Quiz,Grading Basis,Podstawa klasyfikacji @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Więcej szczeg DocType: Salary Component,Earning,Zarobkowy DocType: Restaurant Order Entry,Click Enter To Add,Kliknij Enter To Add DocType: Employee Group,Employee Group,Grupa pracowników +DocType: Quality Procedure,Processes,Procesy DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,"Określ kurs wymiany, aby przeliczyć jedną walutę na inną" apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Zakres starzenia się 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Wymagany magazyn na magazynie Pozycja {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Skarga DocType: Shipping Rule,Restrict to Countries,Ogranicz do krajów DocType: Hub Tracked Item,Item Manager,Menedżer przedmiotów apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Waluta rachunku zamknięcia musi być {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Budżety apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Otwarcie pozycji faktury DocType: Work Order,Plan material for sub-assemblies,Zaplanuj materiał na podzespoły apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Sprzęt komputerowy DocType: Budget,Action if Annual Budget Exceeded on MR,"Działanie, jeśli roczny budżet przekroczył MR" DocType: Sales Invoice Advance,Advance Amount,Zaliczka +DocType: Accounting Dimension,Dimension Name,Nazwa wymiaru DocType: Delivery Note Item,Against Sales Invoice Item,Przeciwko pozycji faktury sprzedaży DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Dołącz przedmiot do produkcji @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Co to robi? ,Sales Invoice Trends,Trendy faktur sprzedaży DocType: Bank Reconciliation,Payment Entries,Wpisy płatności DocType: Employee Education,Class / Percentage,Klasa / procent -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod towaru> Grupa produktów> Marka ,Electronic Invoice Register,Rejestr faktur elektronicznych DocType: Sales Invoice,Is Return (Credit Note),Czy powrót (uwaga kredytowa) DocType: Lab Test Sample,Lab Test Sample,Próbka laboratoryjna @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Warianty apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Opłaty będą rozdzielane proporcjonalnie na podstawie ilości lub kwoty przedmiotu, zgodnie z wyborem" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Oczekujące działania na dziś +DocType: Quality Procedure Process,Quality Procedure Process,Proces procedury jakości DocType: Fee Schedule Program,Student Batch,Partia studencka apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Wymagana stawka wyceny dla pozycji w rzędzie {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Podstawowa stawka godzinowa (waluta firmy) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Ustaw ilość w transakcjach na podstawie seryjnego braku wejścia apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Waluta konta zaliczkowego powinna być taka sama jak waluta firmy {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Dostosuj sekcje strony głównej -DocType: Quality Goal,October,październik +DocType: GSTR 3B Report,October,październik DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ukryj identyfikator podatkowy klienta z transakcji sprzedaży apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Nieprawidłowy GSTIN! GSTIN musi mieć 15 znaków. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Zaktualizowano regułę cenową {0} @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Zostaw saldo apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Harmonogram konserwacji {0} istnieje przeciwko {1} DocType: Assessment Plan,Supervisor Name,imię przełożonego DocType: Selling Settings,Campaign Naming By,Nazywanie kampanii według -DocType: Course,Course Code,Kod kursu +DocType: Student Group Creation Tool Course,Course Code,Kod kursu apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Kosmonautyka DocType: Landed Cost Voucher,Distribute Charges Based On,Rozłóż opłaty na podstawie DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Kryteria oceny karty wyników dostawcy @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Menu restauracji DocType: Asset Movement,Purpose,"Cel, powód" apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Przydział struktury wynagrodzeń dla pracownika już istnieje DocType: Clinical Procedure,Service Unit,Jednostka serwisowa -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> Grupa klientów> Terytorium DocType: Travel Request,Identification Document Number,Numer dokumentu identyfikacyjnego DocType: Stock Entry,Additional Costs,Dodatkowe koszty -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Kurs dla rodziców (pozostaw puste, jeśli nie jest to część kursu dla rodziców)" DocType: Employee Education,Employee Education,Edukacja pracowników apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Liczba pozycji nie może być mniejsza niż bieżąca liczba pracowników apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Wszystkie grupy klientów @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Wiersz {0}: ilość jest obowiązkowa DocType: Sales Invoice,Against Income Account,Przeciw kontu dochodowemu apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Wiersz # {0}: nie można wystawić faktury zakupu dla istniejącego zasobu {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Zasady stosowania różnych programów promocyjnych. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Współczynnik zmiany UOM wymagany dla UOM: {0} w pozycji: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Wprowadź ilość dla przedmiotu {0} DocType: Workstation,Electricity Cost,Koszt energii elektrycznej @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Całkowita przewidywana ilość apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Rzeczywista data rozpoczęcia 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 urlopu urlopowego -DocType: Company,About the Company,O firmie apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Drzewo rachunków finansowych. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Dochód pośredni DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Przedmiot rezerwacji pokoju hotelowego @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Baza potencj DocType: Skill,Skill Name,Nazwa umiejętności apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Wydrukuj kartę raportu DocType: Soil Texture,Ternary Plot,Działka trójskładnikowa +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Bilety na wsparcie DocType: Asset Category Account,Fixed Asset Account,Naprawione konto aktywów apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Najnowszy @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Kurs rejestracji pr ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Ustaw serię do użycia. DocType: Delivery Trip,Distance UOM,Odległość UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Obowiązkowe dla bilansu DocType: Payment Entry,Total Allocated Amount,Łączna kwota przydzielona DocType: Sales Invoice,Get Advances Received,Otrzymuj zaliczki DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Element harmonogram apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,Profil POS wymagany do wprowadzenia pozycji POS DocType: Education Settings,Enable LMS,Włącz LMS DocType: POS Closing Voucher,Sales Invoices Summary,Podsumowanie faktur sprzedaży +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Zasiłek apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Konto kredytowe musi być kontem bilansowym DocType: Video,Duration,Trwanie DocType: Lab Test Template,Descriptive,Opisowy @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Daty rozpoczęcia i zakończenia DocType: Supplier Scorecard,Notify Employee,Powiadom pracownika apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Oprogramowanie +DocType: Program,Allow Self Enroll,Zezwalaj na samodzielne zapisywanie się apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Koszty akcji apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Numer referencyjny jest obowiązkowy, jeśli wprowadziłeś datę odniesienia" DocType: Training Event,Workshop,Warsztat @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Szablon testu laboratoryjnego apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Brak informacji o e-fakturowaniu apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nie utworzono żądania materiałowego +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod towaru> Grupa produktów> Marka DocType: Loan,Total Amount Paid,Łączna kwota wypłacona apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Wszystkie te elementy zostały już zafakturowane DocType: Training Event,Trainer Name,Nazwa trenera @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Rok akademicki DocType: Sales Stage,Stage Name,Pseudonim artystyczny DocType: SMS Center,All Employee (Active),Wszyscy pracownicy (aktywni) +DocType: Accounting Dimension,Accounting Dimension,Wymiar księgowy DocType: Project,Customer Details,Szczegóły klienta DocType: Buying Settings,Default Supplier Group,Domyślna grupa dostawców apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Najpierw anuluj potwierdzenie zakupu {0} @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Wyższa liczba, DocType: Designation,Required Skills,Wymagane umiejętności DocType: Marketplace Settings,Disable Marketplace,Wyłącz Marketplace DocType: Budget,Action if Annual Budget Exceeded on Actual,"Działanie, jeśli roczny budżet przekroczył rzeczywistą wartość" -DocType: Course,Course Abbreviation,Skrót kursu apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Uczestnictwo nie zostało złożone dla {0} jako {1} na urlopie. DocType: Pricing Rule,Promotional Scheme Id,Program promocyjny Id apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Data zakończenia zadania {0} nie może być większa niż {1} oczekiwana data zakończenia {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Margin Money DocType: Chapter,Chapter,Rozdział DocType: Purchase Receipt Item Supplied,Current Stock,Aktualny stan magazynowy DocType: Employee,History In Company,Historia w firmie -DocType: Item,Manufacturer,Producent +DocType: Purchase Invoice Item,Manufacturer,Producent apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Umiarkowana czułość DocType: Compensatory Leave Request,Leave Allocation,Opuść przydział DocType: Timesheet,Timesheet,Lista obecności @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Przeniesiony materia DocType: Products Settings,Hide Variants,Ukryj warianty DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Wyłącz planowanie pojemności i śledzenie czasu DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Zostanie obliczona w transakcji. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} jest wymagane dla konta „Bilans” {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} nie wolno przeprowadzać transakcji z {1}. Zmień firmę. 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 kupna, jeśli wymagany jest zwrot zakupu == „TAK”, w przypadku tworzenia faktury zakupu użytkownik musi najpierw utworzyć paragon zakupu dla pozycji {0}" DocType: Delivery Trip,Delivery Details,Szczegóły dostawy @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Poprzedni apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Jednostka miary DocType: Lab Test,Test Template,Szablon testowy DocType: Fertilizer,Fertilizer Contents,Zawartość nawozu -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minuta +DocType: Quality Meeting Minutes,Minute,Minuta apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Wiersz # {0}: nie można przesłać zasobu {1}, jest już {2}" DocType: Task,Actual Time (in Hours),Rzeczywisty czas (w godzinach) DocType: Period Closing Voucher,Closing Account Head,Zamykanie konta @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorium DocType: Purchase Order,To Bill,Wystawiać rachunek apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Wydatki komunalne DocType: Manufacturing Settings,Time Between Operations (in mins),Czas między operacjami (w minutach) -DocType: Quality Goal,May,Może +DocType: GSTR 3B Report,May,Może apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Konto bramki płatności nie zostało utworzone, utwórz je ręcznie." DocType: Opening Invoice Creation Tool,Purchase,Zakup DocType: Program Enrollment,School House,Dom szkolny @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,Z DocType: Supplier,Statutory info and other general information about your Supplier,Ustawowe informacje i inne ogólne informacje na temat Twojego dostawcy DocType: Item Default,Default Selling Cost Center,Domyślne miejsce powstawania kosztów sprzedaży DocType: Sales Partner,Address & Contacts,Adres i kontakty +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 DocType: Subscriber,Subscriber,Abonent apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) jest niedostępny apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Najpierw wybierz Data księgowania @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Opłata za wizytę w szp DocType: Bank Statement Settings,Transaction Data Mapping,Mapowanie danych transakcji apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Ołów wymaga nazwy osoby lub nazwy organizacji DocType: Student,Guardians,Strażnicy +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/public/js/stock_analytics.js,Select Brand...,Wybierz markę ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Średni dochód DocType: Shipping Rule,Calculate Based On,Oblicz na podstawie @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Zaliczka na wydatki DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Dostosowanie zaokrąglania (waluta firmy) DocType: Item,Publish in Hub,Publikuj w Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,sierpień +DocType: GSTR 3B Report,August,sierpień apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Najpierw wprowadź paragon zakupu apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Rozpoczęcie roku apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Cel ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,Maksymalna ilość próbki apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Magazyn źródłowy i docelowy musi być inny DocType: Employee Benefit Application,Benefits Applied,Korzyści zastosowane apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Wpis do dziennika {0} nie ma żadnego niedopasowanego wpisu {1} +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Znaki specjalne z wyjątkiem „-”, „#”, „.”, „/”, „{” I „}” niedozwolone w serii nazw" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Wymagane są płyty cenowe lub rabatowe na produkty apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Ustaw cel apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Rekord obecności {0} istnieje wobec ucznia {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Na miesiąc DocType: Routing,Routing Name,Nazwa routingu DocType: Disease,Common Name,Nazwa zwyczajowa -DocType: Quality Goal,Measurable,Wymierny DocType: Education Settings,LMS Title,Tytuł LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Zarządzanie pożyczkami -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Wsparcie Analtyics DocType: Clinical Procedure,Consumable Total Amount,Łączna kwota materiałów eksploatacyjnych apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Włącz szablon apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Klient LPO @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,Serwowane DocType: Loan,Member,Członek DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Harmonogram jednostki serwisowej dla praktyków apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Przelew +DocType: Quality Review Objective,Quality Review Objective,Cel przeglądu jakości DocType: Bank Reconciliation Detail,Against Account,Przeciwko kontu DocType: Projects Settings,Projects Settings,Ustawienia projektów apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Rzeczywista ilość {0} / Ilość oczekująca {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ve apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Data zakończenia roku obrachunkowego powinna wynosić jeden rok od daty rozpoczęcia roku obrachunkowego apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Codzienne przypomnienia DocType: Item,Default Sales Unit of Measure,Domyślna jednostka sprzedaży miary +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Firma GSTIN DocType: Asset Finance Book,Rate of Depreciation,Stopa amortyzacji DocType: Support Search Source,Post Description Key,Klucz opisu postu DocType: Loyalty Program Collection,Minimum Total Spent,Minimalny całkowity wydatek @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Zmiana grupy klientów dla wybranego klienta nie jest dozwolona. DocType: Serial No,Creation Document Type,Typ dokumentu tworzenia DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Dostępna ilość partii w magazynie +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,To jest obszar główny i nie można go edytować. DocType: Patient,Surgical History,Historia chirurgiczna apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Drzewo procedur jakości. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,D DocType: Item Group,Check this if you want to show in website,"Zaznacz to, jeśli chcesz pokazać na stronie" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Nie znaleziono roku podatkowego {0} DocType: Bank Statement Settings,Bank Statement Settings,Ustawienia wyciągu bankowego +DocType: Quality Procedure Process,Link existing Quality Procedure.,Połącz istniejącą procedurę jakości. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Importuj wykresy kont z plików CSV / Excel DocType: Appraisal Goal,Score (0-5),Wynik (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Atrybut {0} wybrany wielokrotnie w tabeli atrybutów DocType: Purchase Invoice,Debit Note Issued,Wydano notę debetową @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Opuść szczegóły polityki apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Magazyn nie został znaleziony w systemie DocType: Healthcare Practitioner,OP Consulting Charge,OP Opłata za konsultacje -DocType: Quality Goal,Measurable Goal,Wymierny cel DocType: Bank Statement Transaction Payment Item,Invoices,Faktury DocType: Currency Exchange,Currency Exchange,Wymiana walut DocType: Payroll Entry,Fortnightly,Dwutygodniowy @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} nie zostało przesłane DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Przepłucz surowce z magazynu w toku DocType: Maintenance Team Member,Maintenance Team Member,Członek zespołu konserwacyjnego +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Ustaw niestandardowe wymiary do rozliczania 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 DocType: Employee Health Insurance,Health Insurance Name,Nazwa ubezpieczenia zdrowotnego apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Aktywa giełdowe @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,Nazwa adresu rozliczeniowego apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternatywny przedmiot DocType: Certification Application,Name of Applicant,Nazwa zgłaszającego DocType: Leave Type,Earned Leave,Zarobiony urlop -DocType: Quality Goal,June,czerwiec +DocType: GSTR 3B Report,June,czerwiec apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Wiersz {0}: miejsce powstawania kosztów jest wymagane dla przedmiotu {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Może zostać zatwierdzony przez {0} 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 tabeli współczynnika konwersji @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standardowa stawka sprzedaży apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Ustaw aktywne menu dla restauracji {0} 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 aplikacji System Manager i Item Manager, aby dodawać użytkowników do Marketplace." DocType: Asset Finance Book,Asset Finance Book,Księga finansowania aktywów +DocType: Quality Goal Objective,Quality Goal Objective,Cel celu jakości DocType: Employee Transfer,Employee Transfer,Przeniesienie pracownika ,Sales Funnel,Lejek sprzedaży DocType: Agriculture Analysis Criteria,Water Analysis,Analiza wody @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Przeniesienie wł apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Oczekujące działania apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Wymień kilku swoich klientów. Mogą to być organizacje lub osoby fizyczne. DocType: Bank Guarantee,Bank Account Info,Informacje o koncie bankowym +DocType: Quality Goal,Weekday,Dzień powszedni apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Nazwa strażnika1 DocType: Salary Component,Variable Based On Taxable Salary,Zmienna na podstawie wynagrodzenia podlegającego opodatkowaniu DocType: Accounting Period,Accounting Period,Okres księgowy @@ -2229,7 +2245,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Dostosowanie zaokrąglania DocType: Quality Review Table,Quality Review Table,Tabela przeglądu jakości DocType: Member,Membership Expiry Date,Data wygaśnięcia członkostwa DocType: Asset Finance Book,Expected Value After Useful Life,Oczekiwana wartość po użytecznym życiu -DocType: Quality Goal,November,listopad +DocType: GSTR 3B Report,November,listopad DocType: Loan Application,Rate of Interest,Stopa procentowa DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Wyciąg z wyciągu bankowego DocType: Restaurant Reservation,Waitlisted,Oczekiwana @@ -2293,6 +2309,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Wiersz {0}: aby ustawić okresowość {1}, różnica między datą a datą musi być większa lub równa {2}" DocType: Purchase Invoice Item,Valuation Rate,Kurs wyceny DocType: Shopping Cart Settings,Default settings for Shopping Cart,Domyślne ustawienia koszyka +DocType: Quiz,Score out of 100,Wynik na 100 DocType: Manufacturing Settings,Capacity Planning,Planowanie wydajności apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Idź do Instruktorów DocType: Activity Cost,Projects,Projektowanie @@ -2302,6 +2319,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Od czasu apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Raport szczegółów wariantu +,BOM Explorer,Eksplorator BOM DocType: Currency Exchange,For Buying,Do kupienia apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Automaty do {0} nie są dodawane do harmonogramu DocType: Target Detail,Target Distribution,Dystrybucja docelowa @@ -2319,6 +2337,7 @@ DocType: Activity Cost,Activity Cost,Koszt działania DocType: Journal Entry,Payment Order,Zlecenie płatnicze apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,cennik ,Item Delivery Date,Data dostawy przedmiotu +DocType: Quality Goal,January-April-July-October,Styczeń-kwiecień-lipiec-październik DocType: Purchase Order Item,Warehouse and Reference,Magazyn i referencje apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Konta z węzłami podrzędnymi nie można przekształcić w księgę główną DocType: Soil Texture,Clay Composition (%),Skład gliny (%) @@ -2369,6 +2388,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Przyszłe daty nie są apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Warunek 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/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Okres akademicki: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Parametr sprzężenia zwrotnego jakości apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Wybierz Zastosuj rabat na apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Wiersz # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Płatności ogółem @@ -2411,7 +2431,7 @@ DocType: Hub Tracked Item,Hub Node,Węzeł węzła apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,numer identyfikacyjny pracownika DocType: Salary Structure Assignment,Salary Structure Assignment,Przydział struktury wynagrodzeń DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Podatki na kupony zamykające POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Działanie zainicjowane +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Działanie zainicjowane DocType: POS Profile,Applicable for Users,Dotyczy użytkowników DocType: Training Event,Exam,Egzamin apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Znaleziono nieprawidłową liczbę wpisów księgi głównej. Być może wybrałeś nieprawidłowe konto w transakcji. @@ -2516,6 +2536,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Długość geograficzna DocType: Accounts Settings,Determine Address Tax Category From,Określ kategorię podatku adresowego od apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Identyfikacja decydentów +DocType: Stock Entry Detail,Reference Purchase Receipt,Odbiór zakupu referencyjnego apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Zdobądź Invocies DocType: Tally Migration,Is Day Book Data Imported,Importowane są dane dzienników ,Sales Partners Commission,Komisja Partnerów Sprzedaży @@ -2539,6 +2560,7 @@ DocType: Leave Type,Applicable After (Working Days),Dotyczy później (dni roboc DocType: Timesheet Detail,Hrs,Godz DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kryteria karty wyników dostawcy DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parametr szablonu opinii o jakości apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Data przyłączenia musi być większa niż data urodzenia DocType: Bank Statement Transaction Invoice Item,Invoice Date,Data faktury DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Utwórz test (y) laboratoryjny na wystawionej fakturze sprzedaży @@ -2645,7 +2667,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimalna dopuszczaln DocType: Stock Entry,Source Warehouse Address,Adres magazynu źródłowego DocType: Compensatory Leave Request,Compensatory Leave Request,Wniosek o urlop wyrównawczy DocType: Lead,Mobile No.,Nr telefonu komórkowego -DocType: Quality Goal,July,lipiec +DocType: GSTR 3B Report,July,lipiec apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Kwalifikujące się ITC DocType: Fertilizer,Density (if liquid),Gęstość (jeśli ciecz) DocType: Employee,External Work History,Zewnętrzna historia pracy @@ -2722,6 +2744,7 @@ DocType: Certification Application,Certification Status,Status certyfikacji apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Lokalizacja źródła jest wymagana dla zasobu {0} DocType: Employee,Encashment Date,Data założenia apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Wybierz datę ukończenia dla dziennika konserwacji kompletnych zasobów +DocType: Quiz,Latest Attempt,Ostatnia próba DocType: Leave Block List,Allow Users,Zezwalaj użytkownikom apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Plan kont apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"Klient jest obowiązkowy, jeśli wybrano opcję „Opportunity From”" @@ -2786,7 +2809,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Konfiguracja karty w DocType: Amazon MWS Settings,Amazon MWS Settings,Ustawienia Amazon MWS DocType: Program Enrollment,Walking,Pieszy DocType: SMS Log,Requested Numbers,Żądane numery -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 DocType: Woocommerce Settings,Freight and Forwarding Account,Konto frachtowe i spedycyjne apps/erpnext/erpnext/accounts/party.py,Please select a Company,Wybierz firmę apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Wiersz {0}: {1} musi być większy niż 0 @@ -2856,7 +2878,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Rachunki po DocType: Training Event,Seminar,Seminarium apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kredyt ({0}) DocType: Payment Request,Subscription Plans,Plany subskrypcji -DocType: Quality Goal,March,Marsz +DocType: GSTR 3B Report,March,Marsz apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Podziel partię DocType: School House,House Name,Nazwa domu apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Wyjątek dla {0} nie może być mniejszy niż zero ({1}) @@ -2919,7 +2941,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Data rozpoczęcia ubezpieczenia DocType: Target Detail,Target Detail,Szczegóły celu DocType: Packing Slip,Net Weight UOM,Waga netto UOM -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: Purchase Invoice Item,Net Amount (Company Currency),Kwota netto (waluta firmy) DocType: Bank Statement Transaction Settings Item,Mapped Data,Dane mapowane apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Papiery wartościowe i depozyty @@ -2969,6 +2990,7 @@ DocType: Cheque Print Template,Cheque Height,Sprawdź wysokość apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Wprowadź datę zwolnienia. DocType: Loyalty Program,Loyalty Program Help,Pomoc w programie lojalnościowym DocType: Journal Entry,Inter Company Journal Entry Reference,Odniesienie do dziennika firmowego +DocType: Quality Meeting,Agenda,Program DocType: Quality Action,Corrective,Poprawczy apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Grupuj według DocType: Bank Account,Address and Contact,Adres i kontakt @@ -3022,7 +3044,7 @@ DocType: GL Entry,Credit Amount,Kwota kredytu apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Całkowita kwota kredytu DocType: Support Search Source,Post Route Key List,Lista kluczy trasy po apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} nie w żadnym aktywnym roku podatkowym. -DocType: Quality Action Table,Problem,Problem +DocType: Quality Action Resolution,Problem,Problem DocType: Training Event,Conference,Konferencja DocType: Mode of Payment Account,Mode of Payment Account,Konto płatności DocType: Leave Encashment,Encashable days,Szyte na miarę dni @@ -3148,7 +3170,7 @@ DocType: Item,"Purchase, Replenishment Details","Zakup, szczegóły uzupełnieni DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Po ustawieniu ta faktura będzie wstrzymana do ustawionej daty apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"Dla elementu {0} nie może istnieć zapas, ponieważ ma warianty" DocType: Lab Test Template,Grouped,Zgrupowane -DocType: Quality Goal,January,styczeń +DocType: GSTR 3B Report,January,styczeń DocType: Course Assessment Criteria,Course Assessment Criteria,Kryteria oceny kursu DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Zakończona ilość @@ -3244,7 +3266,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Typ jednostki apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Wprowadź co najmniej 1 fakturę w tabeli apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Zamówienie sprzedaży {0} nie zostało złożone apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Obecność została pomyślnie oznaczona. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Przedsprzedaż +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Przedsprzedaż apps/erpnext/erpnext/config/projects.py,Project master.,Mistrz projektu. DocType: Daily Work Summary,Daily Work Summary,Podsumowanie codziennej pracy DocType: Asset,Partially Depreciated,Częściowo amortyzowany @@ -3253,6 +3275,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Zostawiony w szachu? DocType: Certified Consultant,Discuss ID,Omów ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Ustaw Konta GST w Ustawieniach GST +DocType: Quiz,Latest Highest Score,Najnowszy najwyższy wynik DocType: Supplier,Billing Currency,Waluta rozliczeniowa apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Aktywność studencka apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Obowiązkowa ilość docelowa lub docelowa @@ -3278,18 +3301,21 @@ DocType: Sales Order,Not Delivered,Nie dostarczono apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Opuść Typ {0} nie może zostać przydzielony, ponieważ jest pozostawiony bez zapłaty" DocType: GL Entry,Debit Amount,Kwota debetowa apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Istnieje już rekord dla elementu {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Podzespoły 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 nadal obowiązuje wiele reguł cenowych, użytkownicy są proszeni o ręczne ustawienie priorytetu, aby rozwiązać konflikt." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nie można odjąć, gdy kategoria dotyczy „Wyceny” lub „Wyceny i sumy”" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Wymagane są BOM i ilość produkcji apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Pozycja {0} dobiegła końca w dniu {1} DocType: Quality Inspection Reading,Reading 6,Czytanie 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Wymagane jest pole firmowe apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Zużycie materiału nie jest ustawione w ustawieniach produkcyjnych. DocType: Assessment Group,Assessment Group Name,Nazwa grupy oceny -DocType: Item,Manufacturer Part Number,Numer części producenta +DocType: Purchase Invoice Item,Manufacturer Part Number,Numer części producenta apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Płatne listy płac apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Wiersz # {0}: {1} nie może być ujemny dla elementu {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Ilość w równowadze +DocType: Question,Multiple Correct Answer,Wielokrotna poprawna odpowiedź DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Punkty lojalnościowe = ile waluty bazowej? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Uwaga: nie ma wystarczającej ilości salda do pozostawienia typu {0} DocType: Clinical Procedure,Inpatient Record,Rekord szpitalny @@ -3412,6 +3438,7 @@ DocType: Fee Schedule Program,Total Students,Wszystkich studentów apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokalny DocType: Chapter Member,Leave Reason,Zostaw powód DocType: Salary Component,Condition and Formula,Stan i formuła +DocType: Quality Goal,Objectives,Cele apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Wynagrodzenie już przetworzone za okres od {0} do {1}, urlop nie może trwać od tego zakresu dat." DocType: BOM Item,Basic Rate (Company Currency),Podstawowa stawka (waluta firmy) DocType: BOM Scrap Item,BOM Scrap Item,Pozycja Złomowania BOM @@ -3462,6 +3489,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Konto roszczenia dotyczącego wydatków apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Brak spłat dla zapisu do dziennika apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} jest nieaktywnym uczniem +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Zrób wejście na giełdę DocType: Employee Onboarding,Activities,Zajęcia apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Co najmniej jeden magazyn jest obowiązkowy ,Customer Credit Balance,Saldo kredytu klienta @@ -3546,7 +3574,6 @@ DocType: Contract,Contract Terms,Warunki kontraktu apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Obowiązkowa ilość docelowa lub docelowa. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Nieprawidłowy {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Termin spotkania DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Skrót nie może zawierać więcej niż 5 znaków DocType: Employee Benefit Application,Max Benefits (Yearly),Maksymalne korzyści (roczne) @@ -3649,7 +3676,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Opłaty bankowe apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Przesyłane towary apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Podstawowe dane kontaktowe -DocType: Quality Review,Values,Wartości 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 zostać dodana do każdego działu, w którym ma być zastosowana." DocType: Item Group,Show this slideshow at the top of the page,Pokaż ten pokaz slajdów na górze strony apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Parametr {0} jest nieprawidłowy @@ -3668,6 +3694,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Rachunek opłat bankowych DocType: Journal Entry,Get Outstanding Invoices,Uzyskaj wyjątkowe faktury DocType: Opportunity,Opportunity From,Okazja z +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Szczegóły celu DocType: Item,Customer Code,Kod klienta apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Najpierw wprowadź element apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Lista witryn @@ -3696,7 +3723,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Dostawa do DocType: Bank Statement Transaction Settings Item,Bank Data,Dane bankowe apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Zaplanowane do końca -DocType: Quality Goal,Everyday,Codzienny DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Zachowaj godziny rozliczeniowe i godziny pracy Takie same w grafiku apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Śledzenie potencjalnych klientów według źródła wiodącego. DocType: Clinical Procedure,Nursing User,Użytkownik pielęgniarski @@ -3721,7 +3747,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Zarządzaj drzewem ter DocType: GL Entry,Voucher Type,Typ kuponu ,Serial No Service Contract Expiry,Wygaśnięcie umowy seryjnej bez umowy serwisowej DocType: Certification Application,Certified,Atestowany -DocType: Material Request Plan Item,Manufacture,Produkcja +DocType: Purchase Invoice Item,Manufacture,Produkcja apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} wyprodukowanych przedmiotów apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Wniosek o płatność dla {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dni od ostatniego zamówienia @@ -3736,7 +3762,7 @@ DocType: Sales Invoice,Company Address Name,Nazwa adresu firmy apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Towary w tranzycie apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,W tej kolejności możesz wymienić maksymalnie {0} punktów. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Ustaw konto w magazynie {0} -DocType: Quality Action Table,Resolution,Rozkład +DocType: Quality Action,Resolution,Rozkład DocType: Sales Invoice,Loyalty Points Redemption,Odkupienie Punktów Lojalnościowych apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Całkowita wartość podlegająca opodatkowaniu DocType: Patient Appointment,Scheduled,Planowy @@ -3857,6 +3883,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Oceniać apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Zapisywanie {0} DocType: SMS Center,Total Message(s),Łączna liczba wiadomości +DocType: Purchase Invoice,Accounting Dimensions,Wymiary księgowe apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupuj według konta DocType: Quotation,In Words will be visible once you save the Quotation.,In Words będą widoczne po zapisaniu oferty. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Ilość do wyprodukowania @@ -4021,7 +4048,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,U apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Jeśli masz jakieś pytania, skontaktuj się z nami." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Potwierdzenie zakupu {0} nie zostało przesłane DocType: Task,Total Expense Claim (via Expense Claim),Roszczenie o łączną kwotę wydatków (za pośrednictwem oświadczenia o wydatkach) -DocType: Quality Action,Quality Goal,Cel jakości +DocType: Quality Goal,Quality Goal,Cel jakości DocType: Support Settings,Support Portal,Portal wsparcia apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Data zakończenia zadania {0} nie może być mniejsza niż {1} oczekiwana data rozpoczęcia {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Pracownik {0} jest włączony Opuść {1} @@ -4080,7 +4107,6 @@ DocType: BOM,Operating Cost (Company Currency),Koszt operacyjny (waluta firmy) DocType: Item Price,Item Price,Cena przedmiotu DocType: Payment Entry,Party Name,Nazwa imprezy apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Wybierz klienta -DocType: Course,Course Intro,Wprowadzenie do kursu DocType: Program Enrollment Tool,New Program,Nowy program apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Liczba nowych miejsc powstawania kosztów, które zostaną uwzględnione w nazwie miejsca powstawania kosztów jako prefiks" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Wybierz klienta lub dostawcę. @@ -4281,6 +4307,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Wynagrodzenie netto nie może być ujemne apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Liczba interakcji 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} w stosunku do zamówienia {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Przesunięcie apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Przetwarzanie planu kont i stron DocType: Stock Settings,Convert Item Description to Clean HTML,Konwertuj opis elementu do czyszczenia HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Wszystkie grupy dostawców @@ -4359,6 +4386,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Przedmiot nadrzędny apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Pośrednictwo apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Utwórz paragon zakupu lub fakturę zakupu dla produktu {0} +,Product Bundle Balance,Bilans pakietu produktów apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Nazwa firmy nie może być firmą DocType: Maintenance Visit,Breakdown,Awaria DocType: Inpatient Record,B Negative,B Negatywny @@ -4367,7 +4395,7 @@ DocType: Purchase Invoice,Credit To,Kredyt do apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Prześlij to zlecenie do dalszego przetwarzania. DocType: Bank Guarantee,Bank Guarantee Number,Numer gwarancji bankowej apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Dostarczono: {0} -DocType: Quality Action,Under Review,W ramach przeglądu +DocType: Quality Meeting Table,Under Review,W ramach przeglądu apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Rolnictwo (beta) ,Average Commission Rate,Średnia stawka prowizji DocType: Sales Invoice,Customer's Purchase Order Date,Data zamówienia klienta @@ -4484,7 +4512,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Dopasuj płatności do faktur DocType: Holiday List,Weekly Off,Co tydzień wyłączone apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Nie zezwalaj na ustawienie alternatywnego elementu dla przedmiotu {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Program {0} nie istnieje. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} nie istnieje. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Nie możesz edytować węzła głównego. DocType: Fee Schedule,Student Category,Kategoria ucznia apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Pozycja {0}: {1} ilość wyprodukowana," @@ -4575,8 +4603,8 @@ DocType: Crop,Crop Spacing,Odstępy między uprawami DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Jak często projekt i firma powinny być aktualizowane na podstawie transakcji sprzedaży. DocType: Pricing Rule,Period Settings,Ustawienia okresu apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Zmiana netto należności +DocType: Quality Feedback Template,Quality Feedback Template,Szablon opinii o jakości apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Dla Ilość musi być większa niż zero -DocType: Quality Goal,Goal Objectives,Cele celu 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 stawką, liczbą akcji i obliczoną kwotą" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Pozostaw puste, jeśli tworzysz grupy studentów rocznie" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Pożyczki (zobowiązania) @@ -4611,12 +4639,13 @@ DocType: Quality Procedure Table,Step,Krok DocType: Normal Test Items,Result Value,Wartość wyniku DocType: Cash Flow Mapping,Is Income Tax Liability,Czy zobowiązanie z tytułu podatku dochodowego DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Opłata za wizytę w szpitalu -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} nie istnieje. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} nie istnieje. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Aktualizacja odpowiedzi DocType: Bank Guarantee,Supplier,Dostawca apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Wpisz wartość między {0} a {1} DocType: Purchase Order,Order Confirmation Date,Data potwierdzenia zamówienia DocType: Delivery Trip,Calculate Estimated Arrival Times,Oblicz szacunkowe czasy przybycia +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 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Materiały eksploatacyjne DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Data rozpoczęcia subskrypcji @@ -4680,6 +4709,7 @@ DocType: Cheque Print Template,Is Account Payable,Czy konto jest płatne apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Całkowita wartość zamówienia apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Nie znaleziono dostawcy {0} w {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Konfiguracja ustawień bramy SMS +DocType: Salary Component,Round to the Nearest Integer,Zaokrąglij do najbliższej liczby całkowitej apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Korzeń nie może mieć macierzystego miejsca powstawania kosztów DocType: Healthcare Service Unit,Allow Appointments,Zezwalaj na spotkania DocType: BOM,Show Operations,Pokaż operacje @@ -4808,7 +4838,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Domyślna lista świąt DocType: Naming Series,Current Value,Bieżąca wartość apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezonowość przy ustalaniu budżetów, celów itp." -DocType: Program,Program Code,Kod programu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Ostrzeżenie: zamówienie sprzedaży {0} już istnieje w stosunku do zamówienia klienta {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Miesięczny cel sprzedaży ( DocType: Guardian,Guardian Interests,Interesy opiekuna @@ -4858,10 +4887,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Płatny i niedostarczony apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Kod towaru jest obowiązkowy, ponieważ pozycja nie jest automatycznie numerowana" DocType: GST HSN Code,HSN Code,Kod HSN -DocType: Quality Goal,September,wrzesień +DocType: GSTR 3B Report,September,wrzesień apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Koszty administracyjne DocType: C-Form,C-Form No,C-Form No DocType: Purchase Invoice,End date of current invoice's period,Data końcowa bieżącego okresu faktury +DocType: Item,Manufacturers,Producenci DocType: Crop Cycle,Crop Cycle,Cykl uprawy DocType: Serial No,Creation Time,Czas utworzenia apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Proszę podać zatwierdzającą rolę lub zatwierdzającego użytkownika @@ -4934,8 +4964,6 @@ DocType: Employee,Short biography for website and other publications.,Krótka bi DocType: Purchase Invoice Item,Received Qty,Otrzymana ilość DocType: Purchase Invoice Item,Rate (Company Currency),Stawka (waluta firmy) DocType: Item Reorder,Request for,Wniosek o -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/setup/setup_wizard/setup_wizard.py,Installing presets,Instalowanie ustawień wstępnych apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Wprowadź Okresy spłaty DocType: Pricing Rule,Advanced Settings,Zaawansowane ustawienia @@ -4961,7 +4989,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Włącz koszyk DocType: Pricing Rule,Apply Rule On Other,Zastosuj regułę do innych DocType: Vehicle,Last Carbon Check,Ostatnia kontrola węgla -DocType: Vehicle,Make,Robić +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Robić apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Faktura sprzedaży {0} utworzona jako płatna apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,"Aby utworzyć wniosek o płatność, wymagany jest dokument referencyjny" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Podatek dochodowy @@ -5037,7 +5065,6 @@ DocType: Territory,Parent Territory,Terytorium nadrzędne DocType: Vehicle Log,Odometer Reading,Odczyt licznika DocType: Additional Salary,Salary Slip,Slip wynagrodzenia DocType: Payroll Entry,Payroll Frequency,Częstotliwość płac -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 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Daty rozpoczęcia i zakończenia nie w ważnym okresie płacowym, nie można obliczyć {0}" DocType: Products Settings,Home Page is Products,Strona główna to Produkty apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Połączenia @@ -5091,7 +5118,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Pobieranie rekordów ...... DocType: Delivery Stop,Contact Information,Informacje kontaktowe DocType: Sales Order Item,For Production,Do produkcji -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 DocType: Serial No,Asset Details,Szczegóły aktywów DocType: Restaurant Reservation,Reservation Time,Czas rezerwacji DocType: Selling Settings,Default Territory,Domyślne terytorium @@ -5231,6 +5257,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Wygasłe partie DocType: Shipping Rule,Shipping Rule Type,Typ reguły wysyłki DocType: Job Offer,Accepted,Przyjęty +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/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Oceniłeś już kryteria oceny {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Wybierz numery partii apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Wiek (dni) @@ -5247,6 +5275,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Pakuj przedmioty w czasie sprzedaży. DocType: Payment Reconciliation Payment,Allocated Amount,Przydzielona kwota apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Wybierz firmę i oznaczenie +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,„Data” jest wymagana DocType: Email Digest,Bank Credit Balance,Saldo kredytu bankowego apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Pokaż łączną kwotę apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,"Nie masz wystarczającej liczby punktów lojalnościowych, aby je wymienić" @@ -5307,11 +5336,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,W poprzednim wierszu DocType: Student,Student Email Address,Adres e-mail studenta DocType: Academic Term,Education,Edukacja DocType: Supplier Quotation,Supplier Address,Adres dostawcy -DocType: Salary Component,Do not include in total,Nie dołączaj łącznie +DocType: Salary Detail,Do not include in total,Nie dołączaj łącznie apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Nie można ustawić wielu ustawień domyślnych pozycji dla firmy. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nie istnieje DocType: Purchase Receipt Item,Rejected Quantity,Odrzucona ilość DocType: Cashier Closing,To TIme,Do tego +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: Daily Work Summary Group User,Daily Work Summary Group User,Codzienne podsumowanie pracy użytkownika grupy DocType: Fiscal Year Company,Fiscal Year Company,Firma z roku obrotowego apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternatywny przedmiot nie może być taki sam jak kod towaru @@ -5421,7 +5451,6 @@ DocType: Fee Schedule,Send Payment Request Email,Wyślij e-mail z wnioskiem o p DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,In Words będą widoczne po zapisaniu faktury sprzedaży. DocType: Sales Invoice,Sales Team1,Zespół sprzedaży1 DocType: Work Order,Required Items,Wymagane rzeczy -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Znaki specjalne z wyjątkiem „-”, „#”, „.” i „/” niedozwolone w serii nazw" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Przeczytaj Podręcznik ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Sprawdź unikalność numeru faktury dostawcy apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Szukaj podzespołów @@ -5489,7 +5518,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Odliczenie procentowe 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: Share Balance,To No,Do Nie DocType: Leave Control Panel,Allocate Leaves,Przydziel liście -DocType: Quiz,Last Attempt,Ostatnia próba DocType: Assessment Result,Student Name,Nazwa studenta apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Zaplanuj wizyty konserwacyjne. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Następujące Żądania Materiałowe zostały podniesione automatycznie na podstawie poziomu ponownego zamówienia Przedmiotu @@ -5558,6 +5586,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Kolor wskaźnika DocType: Item Variant Settings,Copy Fields to Variant,Skopiuj pola do wariantu DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Pojedyncza poprawna odpowiedź apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Od daty nie może być mniejsza niż data przystąpienia pracownika DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Zezwalaj na wielokrotne zlecenia sprzedaży w stosunku do zamówienia klienta apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5620,7 +5649,7 @@ DocType: Account,Expenses Included In Valuation,Koszty uwzględnione w wycenie apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Numer seryjny DocType: Salary Slip,Deductions,Odliczenia ,Supplier-Wise Sales Analytics,Analityka sprzedaży dostawca-mądry -DocType: Quality Goal,February,luty +DocType: GSTR 3B Report,February,luty DocType: Appraisal,For Employee,Dla pracownika apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Rzeczywista data dostawy DocType: Sales Partner,Sales Partner Name,Nazwa partnera handlowego @@ -5716,7 +5745,6 @@ DocType: Procedure Prescription,Procedure Created,Procedura utworzona apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Przeciw fakturze dostawcy {0} z dnia {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Zmień profil POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Utwórz ołów -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dostawca> Typ dostawcy DocType: Shopify Settings,Default Customer,Domyślny klient DocType: Payment Entry Reference,Supplier Invoice No,Faktura dostawcy Nie DocType: Pricing Rule,Mixed Conditions,Warunki mieszane @@ -5767,12 +5795,14 @@ DocType: Item,End of Life,Koniec życia DocType: Lab Test Template,Sensitivity,Wrażliwość DocType: Territory,Territory Targets,Cele terytorialne apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Pomijanie alokacji urlopowej dla następujących pracowników, ponieważ rekordy alokacji urlopów już istnieją. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Rezolucja dotycząca jakości działania DocType: Sales Invoice Item,Delivered By Supplier,Dostarczone przez dostawcę DocType: Agriculture Analysis Criteria,Plant Analysis,Analiza roślin apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Konto wydatków jest obowiązkowe dla przedmiotu {0} ,Subcontracted Raw Materials To Be Transferred,"Podwykonawstwo Surowce, które mają zostać przekazane" DocType: Cashier Closing,Cashier Closing,Zamknięcie kasjera apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Element {0} został już zwrócony +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Nieprawidłowy GSTIN! Wprowadzone dane nie odpowiadają formatowi GSTIN dla posiadaczy UIN lub nierezydentów dostawców usług OIDAR apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Istnieje magazyn dziecięcy dla tego magazynu. Nie możesz usunąć tego magazynu. DocType: Diagnosis,Diagnosis,Diagnoza apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Nie ma okresu urlopu między {0} a {1} @@ -5789,6 +5819,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Ustawienia autoryzacji DocType: Homepage,Products,Produkty ,Profit and Loss Statement,Rachunek zysków i strat apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Zarezerwowane pokoje +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Zduplikowany wpis względem kodu produktu {0} i producenta {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Waga całkowita apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Podróżować @@ -5837,6 +5868,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Domyślna grupa klientów DocType: Journal Entry Account,Debit in Company Currency,Debet w walucie firmy DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Seria awaryjna to „SO-WOO-”. +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Agenda spotkania jakości DocType: Cash Flow Mapper,Section Header,Nagłówek sekcji apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Twoje produkty lub usługi DocType: Crop,Perennial,Bylina @@ -5882,7 +5914,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produkt lub usługa, która jest kupowana, sprzedawana lub przechowywana w magazynie." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Zamknięcie (otwarcie + suma) DocType: Supplier Scorecard Criteria,Criteria Formula,Formuła kryteriów -,Support Analytics,Wsparcie Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Wsparcie Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Recenzja i działanie DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Jeśli konto jest zamrożone, wpisy są dozwolone dla użytkowników z ograniczeniami." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Kwota po amortyzacji @@ -5927,7 +5959,6 @@ DocType: Contract Template,Contract Terms and Conditions,Warunki umowy apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Pobierz dane DocType: Stock Settings,Default Item Group,Domyślna grupa elementów DocType: Sales Invoice Timesheet,Billing Hours,Godziny rozliczeniowe -DocType: Item,Item Code for Suppliers,Kod towaru dla dostawców 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ż istniejącą przeciwko uczniowi {1} DocType: Pricing Rule,Margin Type,Typ marginesu DocType: Purchase Invoice Item,Rejected Serial No,Odrzucony numer seryjny @@ -6000,6 +6031,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Liście zostały pomyślnie przyznane DocType: Loyalty Point Entry,Expiry Date,Data wygaśnięcia DocType: Project Task,Working,Pracujący +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} ma już procedurę nadrzędną {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Jest to oparte na transakcjach przeciwko temu Pacjentowi. Szczegółowe informacje można znaleźć poniżej DocType: Material Request,Requested For,Wnioskować o DocType: SMS Center,All Sales Person,Wszyscy sprzedawcy @@ -6087,6 +6119,7 @@ DocType: Loan Type,Maximum Loan Amount,Maksymalna kwota pożyczki apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-mail nie został znaleziony w domyślnym kontakcie DocType: Hotel Room Reservation,Booked,Zarezerwowane DocType: Maintenance Visit,Partially Completed,Częściowo ukończony +DocType: Quality Procedure Process,Process Description,Opis procesu DocType: Company,Default Employee Advance Account,Domyślne konto zaliczkowe pracownika DocType: Leave Type,Allow Negative Balance,Zezwalaj na saldo ujemne apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Nazwa planu oceny @@ -6128,6 +6161,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Wniosek o ofertę cenową apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} wprowadzono dwukrotnie w Podatku pozycji DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Odliczenie pełnego podatku od wybranej daty płac +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Data ostatniej kontroli emisji nie może być datą przyszłą apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Wybierz konto zmiany kwoty DocType: Support Settings,Forum Posts,Posty na forum DocType: Timesheet Detail,Expected Hrs,Oczekiwano godz @@ -6137,7 +6171,7 @@ DocType: Program Enrollment Tool,Enroll Students,Zapisz uczniów apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Powtórz przychód klienta DocType: Company,Date of Commencement,Data rozpoczęcia DocType: Bank,Bank Name,Nazwę banku -DocType: Quality Goal,December,grudzień +DocType: GSTR 3B Report,December,grudzień 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 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Jest to oparte na frekwencji tego pracownika DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jeśli zaznaczone, strona główna będzie domyślną grupą elementów dla witryny" @@ -6180,6 +6214,7 @@ DocType: Payment Entry,Payment Type,Typ płatności apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Numery folio nie pasują DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Kontrola jakości: {0} nie jest przesyłany dla przedmiotu: {1} w wierszu {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Pokaż {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,Znaleziono {0} element. ,Stock Ageing,Starzenie się DocType: Customer Group,Mention if non-standard receivable account applicable,"Wymień, jeśli ma zastosowanie niestandardowe konto należności" @@ -6456,6 +6491,7 @@ DocType: Travel Request,Costing,Analiza cen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Środki trwałe DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Całkowite zarobki +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> Grupa klientów> Terytorium DocType: Share Balance,From No,Od Nie DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Faktura do uzgodnienia płatności DocType: Purchase Invoice,Taxes and Charges Added,Dodano podatki i opłaty @@ -6463,7 +6499,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Rozważ podatek l DocType: Authorization Rule,Authorized Value,Autoryzowana wartość apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Otrzymane od apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Magazyn {0} nie istnieje +DocType: Item Manufacturer,Item Manufacturer,Producent pozycji DocType: Sales Invoice,Sales Team,Zespół sprzedaży +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Ilość paczek DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM DocType: Installation Note,Installation Date,Data instalacji DocType: Email Digest,New Quotations,Nowe oferty @@ -6527,7 +6565,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Nazwa listy urlopowej DocType: Water Analysis,Collection Temperature ,Temperatura zbierania DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Zarządzaj zgłoszeniem faktury terminowej i anuluj automatycznie dla Spotkania pacjenta -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 DocType: Employee Benefit Claim,Claim Date,Data roszczenia DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"Pozostaw puste, jeśli dostawca jest zablokowany na czas nieokreślony" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Obecność od daty i obecność na randce jest obowiązkowa @@ -6538,6 +6575,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Data przejścia na emeryturę apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Wybierz pacjenta DocType: Asset,Straight Line,Linia prosta +DocType: Quality Action,Resolutions,Postanowienia DocType: SMS Log,No of Sent SMS,Liczba wysłanych wiadomości SMS ,GST Itemised Sales Register,GST Itemized Sales Register apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Całkowita kwota zaliczki nie może być większa niż całkowita kwota sankcji @@ -6648,7 +6686,7 @@ DocType: Account,Profit and Loss,Zysk i strata apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Asset Finance Book,Written Down Value,Zapisana wartość apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Kapitał własny otwarcia -DocType: Quality Goal,April,kwiecień +DocType: GSTR 3B Report,April,kwiecień DocType: Supplier,Credit Limit,Limit kredytu apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Dystrybucja apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6703,6 +6741,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Połącz Shopify z ERPNext DocType: Homepage Section Card,Subtitle,Podtytuł DocType: Soil Texture,Loam,Ił +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dostawca> Typ dostawcy DocType: BOM,Scrap Material Cost(Company Currency),Koszt materiału złomowego (waluta firmy) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Uwaga dotycząca dostawy {0} nie może zostać przesłana DocType: Task,Actual Start Date (via Time Sheet),Rzeczywista data rozpoczęcia (za pomocą karty czasu) @@ -6758,7 +6797,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dawkowanie DocType: Cheque Print Template,Starting position from top edge,Pozycja wyjściowa od górnej krawędzi apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Czas spotkania (min) -DocType: Pricing Rule,Disable,Wyłączyć +DocType: Accounting Dimension,Disable,Wyłączyć DocType: Email Digest,Purchase Orders to Receive,Zamówienia zakupu do odbioru apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Produkcje Zamówienia nie można składać za: DocType: Projects Settings,Ignore Employee Time Overlap,Ignoruj nakładanie się czasu pracownika @@ -6842,6 +6881,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Utwór DocType: Item Attribute,Numeric Values,Wartości liczbowe DocType: Delivery Note,Instructions,Instrukcje DocType: Blanket Order Item,Blanket Order Item,Pozycja zamówienia Koc +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Obowiązkowe dla rachunku zysków i strat apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Stawka prowizji nie może być większa niż 100 DocType: Course Topic,Course Topic,Temat kursu DocType: Employee,This will restrict user access to other employee records,Spowoduje to ograniczenie dostępu użytkowników do innych rekordów pracowników @@ -6866,12 +6906,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Zarządzanie s apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Odbierz klientów apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Przegląd DocType: Employee,Reports to,Raporty do +DocType: Video,YouTube,Youtube DocType: Party Account,Party Account,Konto Party DocType: Assessment Plan,Schedule,Harmonogram apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Wpisz DocType: Lead,Channel Partner,Współpracownik dystrybucyjny apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Kwota zafakturowana DocType: Project,From Template,Z szablonu +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Subskrypcje apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Ilość do zrobienia DocType: Quality Review Table,Achieved,Osiągnięty @@ -6918,7 +6960,6 @@ DocType: Journal Entry,Subscription Section,Sekcja subskrypcji DocType: Salary Slip,Payment Days,Dni płatności apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informacje dla wolontariuszy. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Zamrożenie zapasów starsze niż` powinno być mniejsze niż% d dni. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Wybierz rok podatkowy DocType: Bank Reconciliation,Total Amount,Łączna kwota DocType: Certification Application,Non Profit,Non Profit DocType: Subscription Settings,Cancel Invoice After Grace Period,Anuluj fakturę po zakończeniu okresu rozliczeniowego @@ -6931,7 +6972,6 @@ DocType: Serial No,Warranty Period (Days),Okres gwarancji (dni) DocType: Expense Claim Detail,Expense Claim Detail,Szczegółowe informacje o żądaniach wydatków apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program: DocType: Patient Medical Record,Patient Medical Record,Dokumentacja medyczna pacjenta -DocType: Quality Action,Action Description,Opis działania DocType: Item,Variant Based On,Wariant na podstawie DocType: Vehicle Service,Brake Oil,Olej hamulcowy DocType: Employee,Create User,Stwórz użytkownika @@ -6987,7 +7027,7 @@ DocType: Cash Flow Mapper,Section Name,Nazwa sekcji DocType: Packed Item,Packed Item,Zapakowany przedmiot apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Wymagana jest kwota debetu lub kredytu dla {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Przesyłanie poświadczeń wynagrodzenia ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Bez akcji +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Bez akcji apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budżetu nie można przypisać do {0}, ponieważ nie jest to konto dochodów lub wydatków" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Mistrzowie i konta DocType: Quality Procedure Table,Responsible Individual,Osoba odpowiedzialna @@ -7110,7 +7150,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Zezwól na tworzenie konta przeciwko firmie podrzędnej DocType: Payment Entry,Company Bank Account,Konto bankowe firmy DocType: Amazon MWS Settings,UK,UK -DocType: Quality Procedure,Procedure Steps,Kroki procedury DocType: Normal Test Items,Normal Test Items,Normalne elementy testowe apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Pozycja {0}: Zamówiona ilość {1} nie może być mniejsza niż minimalna ilość zamówienia {2} (zdefiniowana w pozycji). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Brak na stanie @@ -7189,7 +7228,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analityka DocType: Maintenance Team Member,Maintenance Role,Rola konserwacji apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Szablon warunków i zasad DocType: Fee Schedule Program,Fee Schedule Program,Program taryf opłat -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kurs {0} nie istnieje. DocType: Project Task,Make Timesheet,Utwórz grafik DocType: Production Plan Item,Production Plan Item,Pozycja planu produkcji apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Total Student @@ -7211,6 +7249,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Zawijanie apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Możesz odnowić tylko wtedy, gdy twoje członkostwo wygasa w ciągu 30 dni" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Wartość musi zawierać się między {0} a {1} +DocType: Quality Feedback,Parameters,Parametry ,Sales Partner Transaction Summary,Podsumowanie transakcji partnera handlowego DocType: Asset Maintenance,Maintenance Manager Name,Nazwa menedżera utrzymania apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Należy pobrać Szczegóły pozycji. @@ -7249,6 +7288,7 @@ DocType: Student Admission,Student Admission,Wstęp studencki DocType: Designation Skill,Skill,Umiejętność DocType: Budget Account,Budget Account,Konto budżetowe DocType: Employee Transfer,Create New Employee Id,Utwórz nowy identyfikator pracownika +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} jest wymagane dla konta „Zysk i strata” {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Podatek od towarów i usług (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Tworzenie poświadczeń wynagrodzenia ... DocType: Employee Skill,Employee Skill,Umiejętność pracownika @@ -7349,6 +7389,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Faktura oddzi DocType: Subscription,Days Until Due,Dni do należnego apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Pokaż ukończone apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Raport wejścia transakcji wyciągu bankowego +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Wiersz # {0}: stawka musi być taka sama jak {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Elementy usługi opieki zdrowotnej @@ -7405,6 +7446,7 @@ DocType: Training Event Employee,Invited,Zaproszony apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Maksymalna kwota kwalifikująca się do komponentu {0} przekracza {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Kwota dla Billa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",W przypadku {0} tylko konta debetowe mogą być powiązane z innym wpisem kredytowym +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Tworzenie wymiarów ... DocType: Bank Statement Transaction Entry,Payable Account,Płatny rachunek apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Proszę wspomnieć o braku wymaganych wizyt DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Wybierz tylko, jeśli masz skonfigurowane dokumenty Mapper przepływu środków pieniężnych" @@ -7422,6 +7464,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice," DocType: Service Level,Resolution Time,Czas rozdzielczości DocType: Grading Scale Interval,Grade Description,Opis klasy DocType: Homepage Section,Cards,Karty +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Protokół spotkania jakości DocType: Linked Plant Analysis,Linked Plant Analysis,Analiza połączonych roślin apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Data zakończenia usługi nie może być późniejsza niż data zakończenia usługi apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Ustaw B2C Limit w ustawieniach GST. @@ -7456,7 +7499,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Narzędzie obecności DocType: Employee,Educational Qualification,Kwalifikacje edukacyjne apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Dostępna wartość apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Ilość próbki {0} nie może być większa niż ilość otrzymana {1} -DocType: Quiz,Last Highest Score,Ostatni najwyższy wynik DocType: POS Profile,Taxes and Charges,Podatki i opłaty DocType: Opportunity,Contact Mobile No,Skontaktuj się z komórką Nie DocType: Employee,Joining Details,Łączenie szczegółów diff --git a/erpnext/translations/ps.csv b/erpnext/translations/ps.csv index baa9e02dfd..09d75b5ca6 100644 --- a/erpnext/translations/ps.csv +++ b/erpnext/translations/ps.csv @@ -20,6 +20,7 @@ DocType: Request for Quotation Item,Supplier Part No,د سپلویر برخه DocType: Journal Entry Account,Party Balance,د ګوند بیلانس apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),د بودیجو سرچینې (مکلفیتونه) DocType: Payroll Period,Taxable Salary Slabs,د مالیې وړ معاش تناسب +DocType: Quality Action,Quality Feedback,د کیفیت غبرګون DocType: Support Settings,Support Settings,د ملاتړ ترتیبونه apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,مهرباني وکړئ لومړی تولید تولید توکي وليکئ DocType: Quiz,Grading Basis,د رتبو بنسټونه @@ -42,6 +43,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,نور جزئي DocType: Salary Component,Earning,عاید DocType: Restaurant Order Entry,Click Enter To Add,د اضافو لپاره داخل کړه کلیک کړه DocType: Employee Group,Employee Group,د کارګر ګروپ +DocType: Quality Procedure,Processes,پروسې DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,د تبادلې نرخ مشخص کړئ د یو پیسو بدلول بل ته بدل کړئ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,د رینګ رینج 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},د ذخیره توکي لپاره د ګودام اړتیاوې {0} @@ -149,11 +151,13 @@ DocType: Complaint,Complaint,شکایت DocType: Shipping Rule,Restrict to Countries,هیوادونو ته محدودیت DocType: Hub Tracked Item,Item Manager,د توکو مدیر apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},د محاسبې حساب پیسې باید {0} وي +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,بودیجې apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,د انوون توکي افتتاح کول DocType: Work Order,Plan material for sub-assemblies,د فرعي شوراګانو لپاره پلان پلان apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,هارډر DocType: Budget,Action if Annual Budget Exceeded on MR,که چیرې د کلنۍ بودیجه له MR څخه تیره شي که عمل DocType: Sales Invoice Advance,Advance Amount,د پرمختیا مقدار +DocType: Accounting Dimension,Dimension Name,د طلوع نوم DocType: Delivery Note Item,Against Sales Invoice Item,د پلورنې د رسیدنې توکو پر وړاندې DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP -YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,د توکو په تولید کې توکي شامل کړئ @@ -210,7 +214,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,دا څه کوي ,Sales Invoice Trends,د پلور موخې رجحانات DocType: Bank Reconciliation,Payment Entries,د تادیاتو لیکنه DocType: Employee Education,Class / Percentage,کلاس / فیصده -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,د توکو کوډ> توکي توکي> برنامه ,Electronic Invoice Register,د بریښنایی انوون راجستر DocType: Sales Invoice,Is Return (Credit Note),بیرته ستنیدل (کریډیټ یادښت) DocType: Lab Test Sample,Lab Test Sample,د لابراتوار ازموینه @@ -281,6 +284,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,توپیرونه apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",لګښتونه به په تناسب ډول د خپل انتخاب په اساس د توکي مقدار یا مقدار پر بنسټ وویشل شي apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,د نن ورځې لپاره وړاندیز شوي فعالیتونه +DocType: Quality Procedure Process,Quality Procedure Process,د کیفیت پروسيجر پروسه DocType: Fee Schedule Program,Student Batch,د زده کونکي بسته DocType: BOM Operation,Base Hour Rate(Company Currency),د بیس ساعت اندازه (د شرکت پیسو) DocType: Job Offer,Printing Details,د چاپونې تفصیلات @@ -298,7 +302,7 @@ DocType: SMS Center,Send To,لېږل apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,اوسط کچه DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,د سیریل نمبر انټرنیټ پر بنسټ د راکړې ورکړې مقدار ټاکئ apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,د کور څانګې ګمرک کول -DocType: Quality Goal,October,اکتوبر +DocType: GSTR 3B Report,October,اکتوبر DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,د پلورونو د راکړې ورکړې څخه د پیرودونکو مالیاتو تایید پټ کړئ apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,ناسمه GSTIN! A GSTIN باید 15 توري ولري. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,د قیمت ټاکلو اصول {0} تازه شوی دی @@ -381,7 +385,7 @@ DocType: GoCardless Mandate,GoCardless Customer,د بې کفارو پیرودو DocType: Leave Encashment,Leave Balance,توازن پریږدئ DocType: Assessment Plan,Supervisor Name,د څارونکي نوم DocType: Selling Settings,Campaign Naming By,د کمپاین نوم -DocType: Course,Course Code,د کورس کود +DocType: Student Group Creation Tool Course,Course Code,د کورس کود apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,هوایی ډګر DocType: Landed Cost Voucher,Distribute Charges Based On,پر اساس د لګښتونو ویش DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,د سپرایټ شمیره د سټاک کولو معیارونه @@ -463,10 +467,8 @@ DocType: Restaurant Menu,Restaurant Menu,د رستورانت ماین DocType: Asset Movement,Purpose,موخه apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,د کارمندانو معاش د کارکونکي لپاره لا دمخه شتون لري DocType: Clinical Procedure,Service Unit,د خدمت څانګه -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,پېرودونکي> پیرودونکي ګروپ> ساحه DocType: Travel Request,Identification Document Number,د پېژندنې سند شمېره DocType: Stock Entry,Additional Costs,اضافي لګښتونه -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",د والدین کورس (خالي پریږدئ، که دا د والدین کورس برخه نده) DocType: Employee Education,Employee Education,د کارموندنې زده کړه apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,د پوستونو شمیر کیدی شي د کارکونکو اوسني شمیر کم نشي apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,ټول پیرودونکي ګروپونه @@ -508,6 +510,7 @@ DocType: Attendance,HR-ATT-.YYYY.-,HR-ATT-.YYYY- apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",که چیرې د دوه یا زیاتو قیمتونو قیمتونه د پورته شرایطو پربنسټ وموندل شي، لومړیتوب د کار وړ دی. لومړیتوب د 0 څخه تر 20 پورې دی کله چې اصلي قیمت صفر دی (خالي). لوړه شمېره پدې مانا ده چې دا به لومړیتوب واخلي که چیرته د ورته شرایطو ډیری قیمتونه قواعد شتون ولري. apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,صف {0}: مقدار لازمي دی DocType: Sales Invoice,Against Income Account,د عوایدو حساب پر وړاندې +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,د بیلابیلو پرمختیایي پروګرامونو پلي کولو لپاره قواعد. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},د UOM تعامل فکتور د UOM لپاره اړین دی: {0} په توکي کې: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},مهرباني وکړئ د توکو {0} لپاره مقدار ولیکئ DocType: Workstation,Electricity Cost,د برښنا لګښت @@ -831,7 +834,6 @@ DocType: Item,Total Projected Qty,ټول اټکل شوي مقدار apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,بووم DocType: Work Order,Actual Start Date,د پیل نیټه apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,تاسو ټولې ورځ (د) معاوضې د غوښتنې غوښتنو ورځو ترمنځ شتون نلري -DocType: Company,About the Company,د شرکت په اړه apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,د مالي حسابونو ونې. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,غیر مستقیم عاید DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,د هوټل روم د ساتلو توکي @@ -846,6 +848,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,د احتم DocType: Skill,Skill Name,د مهارت نوم apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,د چاپ راپور کارت DocType: Soil Texture,Ternary Plot,Ternary Plot +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ملاتړ ټکټونه DocType: Asset Category Account,Fixed Asset Account,فکس شوي شتمنۍ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,وروستي @@ -855,6 +858,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,د پروګرام ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,مهرباني وکړئ هغه لړۍ وټاکئ چې کارول کیږي. DocType: Delivery Trip,Distance UOM,فاصله UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,د بیلنس شیٹ لپاره مساوي DocType: Payment Entry,Total Allocated Amount,ټولې ټولې شوې پیسې DocType: Sales Invoice,Get Advances Received,لاسته راوړل شوي لاسته راوړنې ترلاسه کړئ DocType: Student,B-,B- @@ -876,6 +880,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,د ساتنی مه apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,د POS د ننوتلو لپاره د POS پېژني DocType: Education Settings,Enable LMS,د LMS فعالول DocType: POS Closing Voucher,Sales Invoices Summary,د پلورنې انوګانو لنډیز +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,ګټه apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,حساب ته کریډیټ باید د بیلانس شیٹ حساب وي DocType: Video,Duration,موده DocType: Lab Test Template,Descriptive,تشریحات @@ -923,6 +928,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,د نیټې پیل او پای DocType: Supplier Scorecard,Notify Employee,کارمندان خبرتیا apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,ساوتري +DocType: Program,Allow Self Enroll,د ځان نومول اجازه ورکړئ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,د سټاک مصرفونه apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,د حوالې نمبر لازمي نه دی که تاسو د حوالې نیټه درج کړه DocType: Training Event,Workshop,ورکشاپ @@ -973,6 +979,7 @@ DocType: Lab Test Template,Lab Test Template,د لابراتوار ازموین apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},مکس: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,د بریښناليک د معلوماتو خبر ورکونه apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,د مادي غوښتنه نه جوړه شوې +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,د توکو کوډ> توکي توکي> برنامه DocType: Loan,Total Amount Paid,ټولې پیسې ورکړل شوي apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,دا ټول توکي دمخه تیر شوي دي DocType: Training Event,Trainer Name,د روزونکي نوم @@ -993,6 +1000,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,تعلیمي کال DocType: Sales Stage,Stage Name,د مرحلې نوم DocType: SMS Center,All Employee (Active),ټول کارمند (فعال) +DocType: Accounting Dimension,Accounting Dimension,د محاسبې شکل DocType: Project,Customer Details,پیرودونکي توضیحات DocType: Buying Settings,Default Supplier Group,د اصلي پیرودونکي ګروپ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,مهرباني وکړئ لومړی د {1} پیرود رسيد رد کړئ @@ -1105,7 +1113,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority",لوړه شمېر DocType: Designation,Required Skills,اړین مهارتونه DocType: Marketplace Settings,Disable Marketplace,د بازار ځای بندول DocType: Budget,Action if Annual Budget Exceeded on Actual,عمل که چیرې د کلنۍ بودیجې په اصل کې تیریږي -DocType: Course,Course Abbreviation,لنډیز کورس apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,حاضری د {1} په توګه د تګ په حیث د {1} لپاره ندی ورکړل شوی. DocType: Pricing Rule,Promotional Scheme Id,د پروموشنل پلان Id apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},د دنده د پای نیټه {0} په پرتله {1} تمه د پای نیټه زیات نه شي {2} @@ -1247,7 +1254,7 @@ DocType: Bank Guarantee,Margin Money,مارګین پیس DocType: Chapter,Chapter,فصل DocType: Purchase Receipt Item Supplied,Current Stock,اوسنۍ سټاک DocType: Employee,History In Company,تاریخ په شرکت کې -DocType: Item,Manufacturer,جوړونکی +DocType: Purchase Invoice Item,Manufacturer,جوړونکی apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,منځنی حساسیت DocType: Compensatory Leave Request,Leave Allocation,تخصیص پریږدئ DocType: Timesheet,Timesheet,ټايمز پاڼه @@ -1312,7 +1319,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,مخکی apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,د اندازه واحد DocType: Lab Test,Test Template,ټسټ ټکي DocType: Fertilizer,Fertilizer Contents,د سرې وړ توکي -apps/erpnext/erpnext/utilities/user_progress.py,Minute,منټ +DocType: Quality Meeting Minutes,Minute,منټ apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",Row # {0}: د شتمنۍ {1} نشي سپارل کیدی، دا د مخه لا {2} DocType: Task,Actual Time (in Hours),حقیقي وخت (په ساعتونو کې) DocType: Period Closing Voucher,Closing Account Head,د محاسبې سر بندول @@ -1483,7 +1490,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,لابراتوار DocType: Purchase Order,To Bill,بل ته apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,د لګښت لګښتونه DocType: Manufacturing Settings,Time Between Operations (in mins),د عملیاتو تر منځ وخت (په مینه کې) -DocType: Quality Goal,May,می +DocType: GSTR 3B Report,May,می apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",د تادیاتو ګيټی حساب نه دی پیدا شوی، لطفا په یوه سیسټم جوړ کړئ. DocType: Opening Invoice Creation Tool,Purchase,پیرودنه DocType: Program Enrollment,School House,د ښوونځي کور @@ -1514,6 +1521,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,قانوني معلومات او ستاسو د عرضه کوونکي په اړه عمومي معلومات DocType: Item Default,Default Selling Cost Center,د پلورنې اصلي خرڅلاو لګښت مرکز DocType: Sales Partner,Address & Contacts,پته او اړیکې +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,مهرباني وکړئ د سیٹ اپ> شمېره لړۍ له لارې د حاضریدو لړۍ سیسټم DocType: Subscriber,Subscriber,ګډون کوونکي apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,مهرباني وکړئ لومړی د پوستې نیټه وټاکئ DocType: Supplier,Mention if non-standard payable account,په پام کې ونیسئ که غیر معياري پیسو وړ وي حساب @@ -1540,6 +1548,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,د داخل بستر ن DocType: Bank Statement Settings,Transaction Data Mapping,د راکړې ورکړې ډاټا نقشه apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,رهبري د یو کس نوم یا د سازمان نوم ته اړتیا لري DocType: Student,Guardians,ساتونکي +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,مهرباني وکړئ په زده کړه کې د ښوونکي د نومونې سیسټم جوړ کړئ> د زده کړې ترتیبات apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,د برنامو غوره کول ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,منځنی عاید DocType: Shipping Rule,Calculate Based On,د حساب پر بنسټ حسابول @@ -1550,7 +1559,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,د ادعا ادعا غوښ DocType: Purchase Invoice,Rounding Adjustment (Company Currency),د سمبالولو رژیم (د شرکت پیسو) DocType: Item,Publish in Hub,په هب کې خپرول apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,اګست +DocType: GSTR 3B Report,August,اګست apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,مهرباني وکړئ لومړی د پیرود رسیدنه ولیکئ apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,د پیل کال apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),هدف ({}) @@ -1568,6 +1577,7 @@ DocType: Item,Max Sample Quantity,د مکس نمونې مقدار apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,سرچینه او د هدف ګودام باید مختلف وي DocType: Employee Benefit Application,Benefits Applied,د ګټې ګټې apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,د ژورنالي ننوتنې پر وړاندې {0} ناباوره {1} داخله نلري +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",ځانګړی حروف پرته د "-"، "#"، "" "،" / "،" {"او"} "د سلسلو د نومولو اجازه نلري apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,د قیمت یا د محصول د رعایت سایټونو ته اړتیا ده apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,هدف ټاکئ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},د حاضری ریکارډ {0} د زده کونکی {1} په مقابل کی موجود دی. @@ -1583,10 +1593,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,په میاشت کې DocType: Routing,Routing Name,د لارې نوم DocType: Disease,Common Name,عام نوم -DocType: Quality Goal,Measurable,مناسب DocType: Education Settings,LMS Title,د LMS سرلیک apps/erpnext/erpnext/config/non_profit.py,Loan Management,د پور مدیریت -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,د تحلیل ملاتړ DocType: Clinical Procedure,Consumable Total Amount,د مصرف وړ ټول مقدار apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,کينډۍ فعالول apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,پیرودونکي LPO @@ -1721,6 +1729,7 @@ DocType: Restaurant Order Entry Item,Served,خدمت شوی DocType: Loan,Member,غړی DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,د عملیاتي خدماتو څانګې مهال ویش apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,د تار انتقال +DocType: Quality Review Objective,Quality Review Objective,د کیفیت ارزونه موخې DocType: Bank Reconciliation Detail,Against Account,د حساب په وړاندې DocType: Projects Settings,Projects Settings,د پروژې ترتیبونه apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} cannot be a Group,{0} {1}: حساب {2} ډله نشي کیدی @@ -1748,6 +1757,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,د apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,د مالي کال پای نیټه باید د مالي کال د پیل نیټه یو کال وروسته وي apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,ورځني یاددښتونکي DocType: Item,Default Sales Unit of Measure,د اندازې اصلي خرڅلاو واحد +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,شرکت GSTIN DocType: Asset Finance Book,Rate of Depreciation,د استهالک کچه DocType: Support Search Source,Post Description Key,د پوسټ تشریح کلیدی DocType: Loyalty Program Collection,Minimum Total Spent,لږ تر لږه مجموعه @@ -1817,6 +1827,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,د ټاکل شوي پیرودونکو لپاره د پیرودونکي ګروپ بدلول اجازه نه لري. DocType: Serial No,Creation Document Type,د جوړونې سند ډول DocType: Sales Invoice Item,Available Batch Qty at Warehouse,د ګودام لپاره موجود بسته مقدار +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,د انوائس ګرډ مجموعه apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,دا د ريښې ساحه ده او نشي کولی چې سمبال شي. DocType: Patient,Surgical History,جراحي تاریخ apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,د کیفیت طرزالعملونه @@ -1921,6 +1932,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,که چیرې تاسو غواړئ چې په ویب پاڼه کې وښایئ نو وګورئ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,مالي کال {0} نه موندل شوی DocType: Bank Statement Settings,Bank Statement Settings,د بانک بیان بیانونه +DocType: Quality Procedure Process,Link existing Quality Procedure.,د کیفیت پروسیجر سره اړیکه ونیسئ. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,د CSV / Excel فایلونو څخه د حسابونو چارټ وارد کړئ DocType: Appraisal Goal,Score (0-5),ټولګه (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,د ځانګړتیا جدول کې {0} څو څو ځله غوره کړه DocType: Purchase Invoice,Debit Note Issued,د Debit یادداشت خپور شوی @@ -1929,7 +1942,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,د پالیسي تفصیل پریږدئ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,په سیستم کې ګودامونه نه موندل شوي DocType: Healthcare Practitioner,OP Consulting Charge,د OP مشاورت چارج -DocType: Quality Goal,Measurable Goal,د اندازې وړ هدف DocType: Bank Statement Transaction Payment Item,Invoices,انوائسونه DocType: Currency Exchange,Currency Exchange,د بدلولو تبادله DocType: Payroll Entry,Fortnightly,پنځلس ځله @@ -1991,6 +2003,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} وړاندې ندی DocType: Work Order,Backflush raw materials from work-in-progress warehouse,د کار په پرمختګ کې ګودام څخه د پسونو خاموش توکي DocType: Maintenance Team Member,Maintenance Team Member,د ساتنې د ټیم غړی +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,د محاسبې لپاره د سایټ دودیز اړخونه DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,د مطلوب ودې لپاره د نباتاتو قطارونو تر منځ لږ تر لږه فاصله DocType: Employee Health Insurance,Health Insurance Name,د روغتیا بیمې نوم apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,د استمالک شتمني @@ -2023,7 +2036,7 @@ DocType: Delivery Note,Billing Address Name,د بلنګ پته نوم apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,بدیل توکي DocType: Certification Application,Name of Applicant,د غوښتونکي نوم DocType: Leave Type,Earned Leave,ارزانه اجازه -DocType: Quality Goal,June,جون +DocType: GSTR 3B Report,June,جون apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Row {0}: د توکو لپاره د لګښت مرکز ته اړتیا ده {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},د {0} لخوا تصویب کیدی شي DocType: Purchase Invoice Item,Net Rate (Company Currency),د خالص نرخ (د شرکت پیسو) @@ -2043,6 +2056,7 @@ DocType: Lab Test Template,Standard Selling Rate,د خرڅلاو معیارون apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},مهرباني وکړئ د رستورانت {0} لپاره یو فعال مینو غوره کړئ 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: Asset Finance Book,Asset Finance Book,د اثاثې مالي کتاب +DocType: Quality Goal Objective,Quality Goal Objective,د کیفیت موخې موخې DocType: Employee Transfer,Employee Transfer,د کارمندانو لیږد ,Sales Funnel,د پلور خرڅول DocType: Agriculture Analysis Criteria,Water Analysis,د اوبو تحلیل @@ -2080,6 +2094,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,د کارموند apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,وړاندیز شوي فعالیتونه apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,ستاسو ځینې پیرودونه لیست کړئ. دوی کولی شي سازمانونه یا افراد وي. DocType: Bank Guarantee,Bank Account Info,د بانک حساب ورکونې معلومات +DocType: Quality Goal,Weekday,اوونۍ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,د ګارډینین نوم DocType: Salary Component,Variable Based On Taxable Salary,د مالیې وړ معاش پر بنسټ متغیر دی DocType: Accounting Period,Accounting Period,د محاسبې موده @@ -2162,7 +2177,7 @@ DocType: Purchase Invoice,Rounding Adjustment,د سمون تکرار DocType: Quality Review Table,Quality Review Table,د کیفیت بیاکتنې جدول DocType: Member,Membership Expiry Date,د غړیتوب پای نیټه DocType: Asset Finance Book,Expected Value After Useful Life,متوقع ارزښت وروسته له ژوندانه ژوند -DocType: Quality Goal,November,نومبر +DocType: GSTR 3B Report,November,نومبر DocType: Loan Application,Rate of Interest,د ګټو کچه DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,د بانک بیان پیسې د تادیاتو توکي DocType: Restaurant Reservation,Waitlisted,انتظار شوی @@ -2221,6 +2236,7 @@ DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,د مالی apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,عرضه کونکي ترلاسه کړئ DocType: Purchase Invoice Item,Valuation Rate,د ارزښت کچه DocType: Shopping Cart Settings,Default settings for Shopping Cart,د شاپټ کارټ لپاره اصلي ترتیبات +DocType: Quiz,Score out of 100,له 100 څخه رایی DocType: Manufacturing Settings,Capacity Planning,د ظرفیت پلان apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,ښوونکو ته لاړ شئ DocType: Activity Cost,Projects,پروژې @@ -2230,6 +2246,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,د وخت څخه apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,د بڼه تفصيلات راپور +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,د پیرودلو لپاره apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,د {0} لپاره سلاټونه په مهال ویش کې شامل نه دي DocType: Target Detail,Target Distribution,د هدف ویشل @@ -2246,6 +2263,7 @@ DocType: Activity Cost,Activity Cost,د فعالیت لګښت DocType: Journal Entry,Payment Order,د تادیې امر apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,نرخونه ,Item Delivery Date,د توکي سپارلو نیټه +DocType: Quality Goal,January-April-July-October,جنوري - اپریل - جولای - اکتوبر DocType: Purchase Order Item,Warehouse and Reference,ګودام او حواله apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,د ماشوم نوډونو سره حساب نشي کولی په لیګر کې بدل شي DocType: Soil Texture,Clay Composition (%),د مڼې جوړښت (٪) @@ -2295,6 +2313,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,راتلونکی نی apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,تشریح apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Row {0}: مهرباني وکړئ د تادیاتو مودې کې د تادیاتو موډل وټاکئ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,اکادمیک اصطلاح: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,د کیفیت غبرګون پارس apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,لطفا د رخصتۍ په اړه غوښتنه وکړئ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,رو # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,ټول تادیات @@ -2337,7 +2356,7 @@ DocType: Hub Tracked Item,Hub Node,حب نوډ apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,د کارموندنې ID DocType: Salary Structure Assignment,Salary Structure Assignment,د تنخوا جوړښت جوړښت DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,د POS د وتلو تمویل مالیات -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,عمل پیل شو +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,عمل پیل شو DocType: POS Profile,Applicable for Users,د کاروونکو لپاره کارول DocType: Training Event,Exam,ازموینه apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,د عمومي لیډر انټرنټ ناقانونه شمیر وموندل شو. ممکن تاسو په لیږد کې یو غلط حساب غوره کړی. @@ -2440,6 +2459,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,اوږد مهال DocType: Accounts Settings,Determine Address Tax Category From,د پته د مالیې کټګورۍ معلومول له apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,د تصمیم نیولو پیژندل +DocType: Stock Entry Detail,Reference Purchase Receipt,د حوالې اخیستو رسید apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,مداخلې ترلاسه کړئ DocType: Tally Migration,Is Day Book Data Imported,د ورځپاڼې د معلوماتو ډاټا وارد شوی دی ,Sales Partners Commission,د پلور شریکانو کمیسیون @@ -2463,6 +2483,7 @@ DocType: Leave Type,Applicable After (Working Days),د تطبیق وړ (وروس DocType: Timesheet Detail,Hrs,ه DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,د سپلویزیون د کارډ معیارونه DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,د کیفیت غبرګون سانچہ پیرس apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,د شمولیت نیټه باید د زېږېدو نیټه نه ډیره وي DocType: Bank Statement Transaction Invoice Item,Invoice Date,د رسید نیټه DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,د پلور انوائس جمعې په اړه د لابراتوار ازموینې رامینځته کړئ @@ -2565,7 +2586,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,لږ تر لږه اج DocType: Stock Entry,Source Warehouse Address,د سرچینې ګودام پته DocType: Compensatory Leave Request,Compensatory Leave Request,د مراجعه کولو اجازه DocType: Lead,Mobile No.,د موبايل شمېره -DocType: Quality Goal,July,جولای +DocType: GSTR 3B Report,July,جولای apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,وړیا ITC DocType: Fertilizer,Density (if liquid),کثافت (که چیری مائع) DocType: Employee,External Work History,د بهرني کار تاریخ @@ -2641,6 +2662,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked DocType: Certification Application,Certification Status,د سند حالت DocType: Employee,Encashment Date,د توقیف نېټه apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,مهرباني وکړئ د بشپړې شتمنیو د ساتنې لپاره د بشپړې نیټې ټاکنه +DocType: Quiz,Latest Attempt,وروستی هڅه DocType: Leave Block List,Allow Users,کاروونکو ته اجازه ورکړئ apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,د حسابونو چارټ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,پېرودونکي اړینه ده که چیرې د "فرصت څخه" د پیرودونکي په توګه وټاکل شي @@ -2704,7 +2726,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,د سپریري کر DocType: Amazon MWS Settings,Amazon MWS Settings,د ایمیزون MWS ترتیبات DocType: Program Enrollment,Walking,چلن DocType: SMS Log,Requested Numbers,غوښتنلیکونه -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,مهرباني وکړئ د سیٹ اپ> شمېره لړۍ له لارې د حاضریدو لړۍ سیسټم DocType: Woocommerce Settings,Freight and Forwarding Account,فریٹ او مخکښ حساب apps/erpnext/erpnext/accounts/party.py,Please select a Company,مهرباني وکړئ یو شرکت غوره کړئ apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,صف {0}: {1} باید له 0 څخه ډیر وي @@ -2774,7 +2795,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,بلونه DocType: Training Event,Seminar,سیمینار apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),کریډیټ ({0} DocType: Payment Request,Subscription Plans,د ګډون پلانونه -DocType: Quality Goal,March,مارچ +DocType: GSTR 3B Report,March,مارچ apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,ویشل شوی بسته DocType: School House,House Name,د کور نوم apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),د {0} لپاره ټاکل شوي د صفر څخه کم نه وي ({1}) @@ -2836,7 +2857,6 @@ apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},ح DocType: Asset,Insurance Start Date,د بیمې د پیل نیټه DocType: Target Detail,Target Detail,د هدف تفصیل DocType: Packing Slip,Net Weight UOM,د خالص وزن UOM -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: Purchase Invoice Item,Net Amount (Company Currency),د خالص مقدار (د شرکت پیسو) DocType: Bank Statement Transaction Settings Item,Mapped Data,خراب شوی ډاټا apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,خونديتوب او زيرمې @@ -2884,6 +2904,7 @@ DocType: Cheque Print Template,Cheque Height,لوړې کچې وګوره apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,مهرباني وکړئ د رخصتي نیټې نیټه وکړئ. DocType: Loyalty Program,Loyalty Program Help,د وفادارۍ پروګرام مرسته DocType: Journal Entry,Inter Company Journal Entry Reference,د انټرنیټ جریان داخله حواله +DocType: Quality Meeting,Agenda,اجنډا DocType: Quality Action,Corrective,سمه ده apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,ډله DocType: Bank Account,Address and Contact,پته او اړیکه @@ -2937,7 +2958,7 @@ DocType: GL Entry,Credit Amount,د کریډیټ مقدار apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,ټولې پیسې اعتبار شوي DocType: Support Search Source,Post Route Key List,د لارښوونې لیست لیست apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} په فعال فعال مالي کال کې نه. -DocType: Quality Action Table,Problem,ستونزه +DocType: Quality Action Resolution,Problem,ستونزه DocType: Training Event,Conference,کنفرانس DocType: Mode of Payment Account,Mode of Payment Account,د تادیاتو حساب اکر DocType: Leave Encashment,Encashable days,د منلو وړ ورځې @@ -3060,7 +3081,7 @@ DocType: Item,"Purchase, Replenishment Details",پیرودل، د بیا ځای DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",یو ځل بیا ټاکل شوی، دا رسید به د نیټه نیټه پورې تر سره شي apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,اسٹاک د توکو {0} لپاره شتون نه لري ځکه چې توپیر لري DocType: Lab Test Template,Grouped,ګروپ شوی -DocType: Quality Goal,January,جنوري +DocType: GSTR 3B Report,January,جنوري DocType: Course Assessment Criteria,Course Assessment Criteria,د کورس ارزونې معیارونه DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,بشپړ شوي مقدار @@ -3151,7 +3172,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,د روغتی apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,مهرباني وکړئ په میز کې لږ تر لږه 1 انوائس درج کړئ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,د خرڅلاو امر {0} وړاندې نه دی apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,حاضري په بریالیتوب سره نښه شوې. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,وړاندیزونه +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,وړاندیزونه apps/erpnext/erpnext/config/projects.py,Project master.,د پروژې ماسټر. DocType: Daily Work Summary,Daily Work Summary,د ورځني کاري لنډیز DocType: Asset,Partially Depreciated,په نسبي توګه منل شوي @@ -3160,6 +3181,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,ویجاړ پریښودل DocType: Certified Consultant,Discuss ID,د خبرو اترو apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,مهرباني وکړئ د GST حسابونه د GST ترتیباتو کې وټاکئ +DocType: Quiz,Latest Highest Score,تر ټولو لوړه کچه DocType: Supplier,Billing Currency,د بلې بسپنې apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,د زده کوونکو فعالیت apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,یا د هدف اندازه یا د هدف اندازه ضروري ده @@ -3183,18 +3205,21 @@ apps/erpnext/erpnext/controllers/accounts_controller.py, or ,یا DocType: Sales Order,Not Delivered,سپارلی نه دی apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,د پریښودو اجازه {0} نشي تخصیص کیدی ځکه چې دا د معاش پرته پرته ده DocType: GL Entry,Debit Amount,د Debit مقدار +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,فرعي مرکبات 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.",که چیرې د ډیری قیمتونو ټاکل قوانین دوام ومومي، کاروونکي غوښتنه کوي چې د منازعې د حل لپاره لومړیتوب په ګوته کړي. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',کټګورۍ نه شي کولی کله چې کټګورۍ د ارزښت یا 'ارزښت' او ټول ' apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,د بوم او تولیداتو مقدار ته اړتیا لیدل کیږي apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},توکي {0} د ژوند پای پای ته رسیدلی {1} DocType: Quality Inspection Reading,Reading 6,شپږم لوست +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,د شرکت ساحه اړینه ده apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,د موادو مصرف د تولیدي کولو په ترتیب کې ندی ټاکل شوی. DocType: Assessment Group,Assessment Group Name,د ارزونې ډلې نوم -DocType: Item,Manufacturer Part Number,د جوړونکي برخه شمېره +DocType: Purchase Invoice Item,Manufacturer Part Number,د جوړونکي برخه شمېره apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,د پیسو ورکړه apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} د توکو لپاره منفي نه شي {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,د بیلانس مقدار +DocType: Question,Multiple Correct Answer,یو څو سم ځواب DocType: Loyalty Program,1 Loyalty Points = How much base currency?,د وفاداري ټکي = څومره پیسې؟ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},یادونه: د لیپ ډول {0} لپاره د رخصتۍ توازن شتون نلري DocType: Clinical Procedure,Inpatient Record,د داخل بستر ناروغانو ریکارډ @@ -3315,6 +3340,7 @@ DocType: Fee Schedule Program,Total Students,ټول زده کونکي apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,ځایي DocType: Chapter Member,Leave Reason,علت پریږدئ DocType: Salary Component,Condition and Formula,حالت او فورمول +DocType: Quality Goal,Objectives,موخې apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",معاش مخکې له دې چې د {0} او {1} ترمنځ موده کې پروسس شوی وي، د غوښتنلیک دوره پریږدئ د دې نیټې په مینځ کې نه وي. DocType: BOM Item,Basic Rate (Company Currency),بنسټیز نرخ (د شرکت پیسو) DocType: BOM Scrap Item,BOM Scrap Item,د بوم سکری توکي @@ -3365,6 +3391,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-YYYY.- DocType: Expense Claim Account,Expense Claim Account,د لګښت ادعا کول apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,د ژورنال ننوتلو لپاره هیڅ تادیات شتون نلري apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} غیر فعال زده کوونکی دی +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,د ذخیرې داخله جوړه کړئ DocType: Employee Onboarding,Activities,فعالیتونه apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,لږترلږه یو ګودام ضروري دی ,Customer Credit Balance,د پیرودونکي کریډیټ بیلانس @@ -3446,7 +3473,6 @@ DocType: Contract,Contract Terms,د قرارداد شرایط apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,یا د هدف اندازه یا د هدف اندازه ضروري ده. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},ناسمه {0} DocType: Item,FIFO,فیفا -DocType: Quality Meeting,Meeting Date,د غونډې نیټه DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP -YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,لنډیز نشي کولی له 5 څخه زیات حروف ولري DocType: Employee Benefit Application,Max Benefits (Yearly),د زیاتو ګټې (کالنی) @@ -3544,7 +3570,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,د بانک چارج apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,توکي انتقال شوي apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,د اړیکو لومړني تفصیلات -DocType: Quality Review,Values,ارزښتونه DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",که چیرته ندی چک شوی، لیست باید په هره څانګه کې اضافه شي چیرې چې دا باید پلي شي. DocType: Item Group,Show this slideshow at the top of the page,دا پاڼه د پاڼې په سر کې ښودل کړئ apps/erpnext/erpnext/templates/generators/bom.html,No description given,هیڅ تشریح نه دی ورکړل شوی @@ -3561,6 +3586,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,د بانکي حساب حساب DocType: Journal Entry,Get Outstanding Invoices,غوره بکسونه ترلاسه کړئ DocType: Opportunity,Opportunity From,فرصت له +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,د هدف جزئیات DocType: Item,Customer Code,د پیرودونکي کوډ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,مهربانی وکړئ لومړی لومړی داخل کړئ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,د ویب پاڼې لیست کول @@ -3589,7 +3615,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,وړاندې کول DocType: Bank Statement Transaction Settings Item,Bank Data,د بانک ډاټا apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,ټاکل شوی -DocType: Quality Goal,Everyday,هره ورځ DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,د ټایټ شایټ په اړه ورته د بیلابیلو وختونو او کاري ساعتونو ساتل apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,د لیډ سرچینه لخوا الرښوونه. DocType: Clinical Procedure,Nursing User,د نرس کولو کارن @@ -3614,7 +3639,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,د ساحې ونې ا DocType: GL Entry,Voucher Type,د ویچ ډول ,Serial No Service Contract Expiry,د سیریل نمبر خدماتو قرارداد پای ته رسیدنه DocType: Certification Application,Certified,تصدیق شوی -DocType: Material Request Plan Item,Manufacture,جوړونه +DocType: Purchase Invoice Item,Manufacture,جوړونه apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},د {0} لپاره د تادیاتو غوښتنه apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,د اخري امر څخه وروسته ورځې DocType: Student Group,Instructors,ښوونکي @@ -3626,7 +3651,7 @@ DocType: Topic,Topic Content,موضوع موضوع DocType: Sales Invoice,Company Address Name,د شرکت پته نوم apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,توکي په ترانزیت کې apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},مهرباني وکړئ په ګودام کې حساب ورکړئ {0} -DocType: Quality Action Table,Resolution,پریکړه +DocType: Quality Action,Resolution,پریکړه DocType: Sales Invoice,Loyalty Points Redemption,د وفادارۍ ټکي مخنیوی apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,د ماليې وړ ارزښت ټول DocType: Patient Appointment,Scheduled,ټاکل شوی @@ -3746,6 +3771,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,کچه apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},خوندي کول {0} DocType: SMS Center,Total Message(s),ټولې پیغامونه +DocType: Purchase Invoice,Accounting Dimensions,د محاسبې شکلونه apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,د حساب لخوا ډله DocType: Quotation,In Words will be visible once you save the Quotation.,په کلمو کې به تاسو د کوټو خوندي کولو وروسته یو ځل لیدل کیږي. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,د تولید مقدار @@ -3904,7 +3930,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.",که تاسو کومه پوښتنه لرئ، مهرباني وکړئ موږ ته بیرته راشئ. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,د اخیستو رسید {0} ندی وړاندې شوی DocType: Task,Total Expense Claim (via Expense Claim),د ټول لګښت لګښت (د لګښت د ادعا له لارې) -DocType: Quality Action,Quality Goal,د کیفیت هدف +DocType: Quality Goal,Quality Goal,د کیفیت هدف DocType: Support Settings,Support Portal,ملاتړ پورټ apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},د دنده د پای نیټه {0} په پرتله {1} تمه د پیل نېټه لږ نه شي {2} DocType: Employee,Held On,پرلپسې @@ -3961,7 +3987,6 @@ DocType: BOM,Operating Cost (Company Currency),عملیاتي لګښت (د شر DocType: Item Price,Item Price,د توکو قیمت DocType: Payment Entry,Party Name,د ګوند نوم apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,مهرباني وکړئ یو پیرود غوره کړئ -DocType: Course,Course Intro,د کورس پېژندنه DocType: Program Enrollment Tool,New Program,نوی پروګرام apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix",د نوي لګښت مرکز شمېره، دا به د لګښت مرکز مرکز کې د وړاندې کولو په توګه شامل شي apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,پیرودونکي یا عرضه کوونکي غوره کړئ. @@ -4155,6 +4180,7 @@ DocType: Customer,CUST-.YYYY.-,CUST -YYYY- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,د خالص معاش ندی منفي کیدی apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,د خبرو اترو نه 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/hr/doctype/employee/employee_dashboard.py,Shift,شفټ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,د حسابونو او ګوندونو چارټ پروسس کول DocType: Stock Settings,Convert Item Description to Clean HTML,د HTML پاکولو لپاره د توکو تفصیل بدل کړئ apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,د ټولو سپلویزی ګروپونه @@ -4232,6 +4258,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,د مور توکي apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,بروکرج apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},مهرباني وکړئ د توکو لپاره د پیرود رسید یا د پیرود پیرود جوړول {0} +,Product Bundle Balance,د محصول بنډل بیلنس apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,د شرکت نوم نشي کیدی DocType: Maintenance Visit,Breakdown,پرې کېدل DocType: Inpatient Record,B Negative,B منفي @@ -4240,7 +4267,7 @@ DocType: Purchase Invoice,Credit To,کریډیټ ته apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,د نور پروسس لپاره د کار امر وسپاري. DocType: Bank Guarantee,Bank Guarantee Number,د بانک ضمانت نمبر apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},ورکړل شوي: {0} -DocType: Quality Action,Under Review,د بیاکتنې لاندې +DocType: Quality Meeting Table,Under Review,د بیاکتنې لاندې apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),کرنه (بیٹا) ,Average Commission Rate,د اوسط کمیسیون کچه DocType: Sales Invoice,Customer's Purchase Order Date,پیرودونکي د پیرود نیټه نیټه @@ -4443,8 +4470,8 @@ DocType: Crop,Crop Spacing,د کرهنې فاصله DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,د پلور او معاملو په اساس باید پروژه او شرکت څو ځلې تازه شي. DocType: Pricing Rule,Period Settings,د وخت ترتیبات apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,په حسابونو کې د بدلون بدلون ترلاسه کول +DocType: Quality Feedback Template,Quality Feedback Template,د کیفیت غبرګون ټکي apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,د مقدار لپاره باید د صفر څخه ډیر وي -DocType: Quality Goal,Goal Objectives,موخې موخې apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",د نرخ تر مینځ توپیر شتون نلري، د ونډې او حساب شمیرې نه DocType: Student Group Creation Tool,Leave blank if you make students groups per year,که چیرې تاسو په کال کې د زده کوونکو ګروپونه جوړ کړئ نو خالي پریږدئ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),پورونه (پورونه) @@ -4479,12 +4506,13 @@ DocType: Quality Procedure Table,Step,مرحله DocType: Normal Test Items,Result Value,د پایلو ارزښت DocType: Cash Flow Mapping,Is Income Tax Liability,د عایداتو مالیه ده DocType: Healthcare Practitioner,Inpatient Visit Charge Item,د داخل بستر ناروغانو لیدنې توکي -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} شتون نلري. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} شتون نلري. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,د ځواب نوي کول DocType: Bank Guarantee,Supplier,عرضه کوونکي apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},ارزښت ارزښت {0} او {1} ولیکئ DocType: Purchase Order,Order Confirmation Date,د امر تایید نیټه DocType: Delivery Trip,Calculate Estimated Arrival Times,اټکل شوي را رسید ټایمز محاسبه کړئ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,مهرباني وکړئ د بشري منابعو> بشري ترتیباتو کې د کارمندانو نومونې سیستم ترتیب کړئ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,د پام وړ DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS -YYYY- DocType: Subscription,Subscription Start Date,د ګډون نیټه د پیل نیټه @@ -4546,6 +4574,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Cheque Print Template,Is Account Payable,حساب ورکونکي حساب دی apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,د ټولو آرامو ارزښت apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,د ایس ایم ایس دروازو ترتیبات ترتیب کړئ +DocType: Salary Component,Round to the Nearest Integer,د نږدې ټیکټ لپاره ګردي apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,روټ د مور د پلار د مرکز مرکز نه لري DocType: Healthcare Service Unit,Allow Appointments,تقویت اجازه ورکړئ DocType: BOM,Show Operations,عملیات وښیه @@ -4671,7 +4700,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,د رخصتۍ اصلي لیست DocType: Naming Series,Current Value,اوسنی ارزښت apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",د بودیجې د جوړولو لپاره اهداف، اهداف او نور. -DocType: Program,Program Code,د پروګرام کوډ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},خبرداری: د پلورنې امر {0} د مخه د پیرودونکو د پیرود امر پر وړاندې شتون لري {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,د میاشتنۍ پلورنې هدف) DocType: Guardian,Guardian Interests,د ګارډین ګټو @@ -4721,10 +4749,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,ادا شوي او ندي ورکړل شوي apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,د توکو کود لازمي دی ځکه چې توکي په اتوماتیک ډول شمیرل شوي ندي DocType: GST HSN Code,HSN Code,د HSN کوډ -DocType: Quality Goal,September,سپتمبر +DocType: GSTR 3B Report,September,سپتمبر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,اداري لګښتونه DocType: C-Form,C-Form No,C-فورمه نه DocType: Purchase Invoice,End date of current invoice's period,د اوسنی انوائس دوره پای نیټه +DocType: Item,Manufacturers,جوړونکي DocType: Crop Cycle,Crop Cycle,د کرهنی سائیکل DocType: Serial No,Creation Time,د تخلیق وخت apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,لطفا د رول یا تصویب کولو تصویب داخل کړئ @@ -4795,8 +4824,6 @@ DocType: Employee,Short biography for website and other publications.,د ویب DocType: Purchase Invoice Item,Received Qty,ترلاسه شوی مقدار DocType: Purchase Invoice Item,Rate (Company Currency),درجه (د شرکت پیسو) DocType: Item Reorder,Request for,غوښتنه -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","لطفا د ړنګولو د کارکوونکی د {0} \ د دې سند د لغوه" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,د لګولو وسایط apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,لطفا د تادیاتو موده وټاکئ DocType: Pricing Rule,Advanced Settings,پرمختللي ترتیبات @@ -4820,7 +4847,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,د شاپټ کارټ فعال کړئ DocType: Pricing Rule,Apply Rule On Other,په نورو باندې اصول پلي کول DocType: Vehicle,Last Carbon Check,د پای کاربن چیک -DocType: Vehicle,Make,جوړ کړئ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,جوړ کړئ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,د پلور انوائس {0} د پیسو په توګه جوړ شوی apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,د پیسو د غوښتنلیک د اسنادو د جوړولو لپاره اړین دی apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,د عایداتو مالیه @@ -4895,7 +4922,6 @@ DocType: Territory,Parent Territory,د والدین ساحه DocType: Vehicle Log,Odometer Reading,اوډیډیټیټ لوستل DocType: Additional Salary,Salary Slip,د معاش معاش DocType: Payroll Entry,Payroll Frequency,د معاشاتو فریکونسی -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,مهرباني وکړئ د بشري منابعو> بشري ترتیباتو کې د کارمندانو نومونې سیستم ترتیب کړئ DocType: Products Settings,Home Page is Products,د کور پاڼه محصولات دي apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,کالونه apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference #{0} dated {1},حواله # {0} نېټه {1} @@ -4947,7 +4973,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,د راټولولو ریکارډ ...... DocType: Delivery Stop,Contact Information,د اړیکې معلومات DocType: Sales Order Item,For Production,د تولید لپاره -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,مهرباني وکړئ په زده کړه کې د ښوونکي د نومونې سیسټم جوړ کړئ> د زده کړې ترتیبات DocType: Serial No,Asset Details,د شتمنیو تفصیلات DocType: Restaurant Reservation,Reservation Time,د خوندیتوب وخت DocType: Selling Settings,Default Territory,اصلي ساحه @@ -5084,6 +5109,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,وخت تېر شوي بسته DocType: Shipping Rule,Shipping Rule Type,د لیږدولو ډول DocType: Job Offer,Accepted,منل شوی +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","لطفا د ړنګولو د کارکوونکی د {0} \ د دې سند د لغوه" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,تاسو د ارزونې ارزونې معیارونو لپاره مخکې لا ارزولی دی {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,د بکس شمیره غوره کړئ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),عمر (ورځ) @@ -5100,6 +5127,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,د پلور په وخت کې بنډل توکي. DocType: Payment Reconciliation Payment,Allocated Amount,تخصیص شوي مقدار apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,مهرباني وکړئ د شرکت او اعلامیه غوره کړئ +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'نیټه' اړتیا ده DocType: Email Digest,Bank Credit Balance,د بانک کریډیټ بیلانس apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,مجموعي مقدار ښکاره کړئ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,تاسو د ژغورلو لپاره د وفادارۍ ټکي نلرئ @@ -5157,11 +5185,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,په تیر ربع ک DocType: Student,Student Email Address,د زده کونکي برېښلیک پته DocType: Academic Term,Education,زده کړه DocType: Supplier Quotation,Supplier Address,د پیرودونکي پته -DocType: Salary Component,Do not include in total,په مجموع کې شامل نه کړئ +DocType: Salary Detail,Do not include in total,په مجموع کې شامل نه کړئ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,د شرکت لپاره د ډیرو شواهدو غلطی ټاکلی نشی. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} شتون نلري DocType: Purchase Receipt Item,Rejected Quantity,رد شوی مقدار DocType: Cashier Closing,To TIme,TIme ته +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: Daily Work Summary Group User,Daily Work Summary Group User,د ورځني کاري لنډیز ګروپ کارن DocType: Fiscal Year Company,Fiscal Year Company,د مالي کال شرکت apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,بدیل توکي باید د شونې کوډ په څیر نه وي @@ -5267,7 +5296,6 @@ DocType: Fee Schedule,Send Payment Request Email,د بریښناليک غوښت DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,په کلمو کې به تاسو د پلورنې انوائس خوندي کولو وروسته یو ځل لیدل کیږي. DocType: Sales Invoice,Sales Team1,د پلور ټیم 1 DocType: Work Order,Required Items,اړین توکي -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",ځانګړې - پرته پرته "-"، "#"، "." او "/" د سلسلو په نوم کولو کې اجازه نه لري apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,د ERPNext لارښود ولولئ DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,د پرسونل انوائس شمیره وګورئ انفرادیت apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,د فرعي اسمونو پلټنه وکړئ @@ -5334,7 +5362,6 @@ DocType: Taxable Salary Slab,Percent Deduction,فيصدي کسر apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,د تولید مقدار د زیرو څخه کم نه کیدی شي DocType: Share Balance,To No,نه DocType: Leave Control Panel,Allocate Leaves,پاڼي تخصیص کړئ -DocType: Quiz,Last Attempt,وروستۍ هڅې DocType: Assessment Result,Student Name,د زده کونکی نوم apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,د ساتنې مراسمو لپاره پلان. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,د موادو غوښتنې وروسته د خپل ځان د ترتیبولو کچه په اتوماتیک ډول پورته شوي @@ -5403,6 +5430,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,د شاخص رنګ DocType: Item Variant Settings,Copy Fields to Variant,د ویډیو لپاره کاپی ډګرونه DocType: Soil Texture,Sandy Loam,سندی لوام +DocType: Question,Single Correct Answer,ځواب سم ځواب apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,د نیټې څخه نشي کولی د کارمندانو د شمولیت نیټه کم وي DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,د پیرودونکو د پیرود امر په وړاندې د ډیرو پلورنو امرونو ته اجازه ورکړئ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5464,7 +5492,7 @@ DocType: Account,Expenses Included In Valuation,لګښتونه په ارزښت apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,سیریل نمبرونه DocType: Salary Slip,Deductions,کسرونه ,Supplier-Wise Sales Analytics,عرضه کوونکي - د پلور پلورل تجارتي Analytics -DocType: Quality Goal,February,فبروري +DocType: GSTR 3B Report,February,فبروري DocType: Appraisal,For Employee,د کارمندانو لپاره apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,د سپارلو حقیقي نیټه DocType: Sales Partner,Sales Partner Name,د پلور پارټنر نوم @@ -5559,7 +5587,6 @@ DocType: Procedure Prescription,Procedure Created,کړنلاره جوړه شوه apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},د پیرودونکي تفتیش {0} نیټه {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,د POS پېژندل بدل کړئ apps/erpnext/erpnext/utilities/activation.py,Create Lead,لیډ جوړ کړئ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کوونکي> د عرضه کوونکي ډول DocType: Shopify Settings,Default Customer,اصلي پیرودونکی DocType: Payment Entry Reference,Supplier Invoice No,د لیږدونکي انوائس نمبر DocType: Pricing Rule,Mixed Conditions,مخلوط شرطونه @@ -5609,11 +5636,13 @@ DocType: Item,End of Life,د ژوند پای DocType: Lab Test Template,Sensitivity,حساسیت DocType: Territory,Territory Targets,د سیمې هدفونه apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",د لرې کاروونکو لپاره د استوګنې پریښودلو پریښودل، لکه څنګه چې د استوګنځای ریکارډونه یې د دوی په وړاندې شتون لري. {0} +DocType: Quality Action Resolution,Quality Action Resolution,د کیفیت کړنې حل DocType: Sales Invoice Item,Delivered By Supplier,د سپلویزیون لخوا ورکړل شوی DocType: Agriculture Analysis Criteria,Plant Analysis,د پلان شننه ,Subcontracted Raw Materials To Be Transferred,فرعي قرارداد شوي خام مواد لیږدول کیږي DocType: Cashier Closing,Cashier Closing,د کیشیر بندول apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,توکي {0} لا دمخه لاړ شوی دی +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,ناسمه GSTIN! هغه پیسې چې تاسو یې لیکلي دي د GSTIN بڼه سره د UIN هلوګرانو یا غیر میشت OIDAR خدماتو چمتو کونکي لپاره ندي apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,د دې ګودام لپاره د ماشوم ګودام شتون لري. تاسو دا ګودام حذف نه شی کولی. DocType: Diagnosis,Diagnosis,تشخیص apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},د {0} او {1} ترمنځ د وتلو موده نشته @@ -5675,6 +5704,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,د اصلي پیرودونکي ګروپ DocType: Journal Entry Account,Debit in Company Currency,د شرکت بدلولو کې د Debit DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",د سیالیو لړۍ "SO-WOO" ده. +DocType: Quality Meeting Agenda,Quality Meeting Agenda,د کیفیت د غونډې اجندا DocType: Cash Flow Mapper,Section Header,برخه برخه apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,ستاسې محصول یا خدمتونه DocType: Crop,Perennial,پیړۍ @@ -5718,7 +5748,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",یو محصول یا خدمت چې اخیستل شوي، په زیرمه کې پلورل شوي یا ساتل شوي. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),تړل (کلینګ + ټول) DocType: Supplier Scorecard Criteria,Criteria Formula,معیار معیارول -,Support Analytics,د مرستې انټرنېټونه +apps/erpnext/erpnext/config/support.py,Support Analytics,د مرستې انټرنېټونه apps/erpnext/erpnext/config/quality_management.py,Review and Action,بیاکتنه او عمل DocType: Account,"If the account is frozen, entries are allowed to restricted users.",که چېرې حساب منجمد وي، نو د ننوتلو اجازه ورکړل شوي محرمینو ته اجازه ورکول کیږي. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,د استهالک وروسته پیسې @@ -5762,7 +5792,6 @@ DocType: Contract Template,Contract Terms and Conditions,د قرارداد شر apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ډاټا ترلاسه کړئ DocType: Stock Settings,Default Item Group,Default Item Group DocType: Sales Invoice Timesheet,Billing Hours,د بل کولو ساعتونه -DocType: Item,Item Code for Suppliers,د سپلونکو لپاره د توکو کود apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},غوښتنلیک {0} پریږدی پریږدی د زده کونکی په وړاندی {1} DocType: Pricing Rule,Margin Type,د مارګین ډول DocType: Purchase Invoice Item,Rejected Serial No,رد شوی سیریل نمبر @@ -5835,6 +5864,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,پاڼي په اسانۍ سره ورکړل شوي دي DocType: Loyalty Point Entry,Expiry Date,د ختم نیټه DocType: Project Task,Working,کار کول +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} د مخه د والدین پروسیجر {1} لري. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,دا د دې ناروغانو په وړاندې د راکړې ورکړې پر بنسټ والړ دی. د جزیاتو لپاره لاندې مهال ویش وګورئ DocType: Material Request,Requested For,غوښتنه شوې DocType: SMS Center,All Sales Person,د ټولو پلور پلورونکی @@ -5919,6 +5949,7 @@ DocType: Loan Type,Maximum Loan Amount,د ډیرو پورونو مقدار apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,په بریښنالیک کې ایمیل ونه موندل شو DocType: Hotel Room Reservation,Booked,کتاب شوی DocType: Maintenance Visit,Partially Completed,په بشپړه توګه بشپړ شوي +DocType: Quality Procedure Process,Process Description,د پروسې تفصیل DocType: Company,Default Employee Advance Account,د اصلي کارمندانو پرمختیایي حساب DocType: Leave Type,Allow Negative Balance,منفي توازن ته اجازه ورکړئ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,د ارزونې پلان نوم @@ -5958,6 +5989,7 @@ DocType: Vehicle Service,Change,بدل کړئ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},د کارمندانو لپاره د فعالیت لګښت موجود دی {0} د فعالیت ډول پر خلاف - {1} DocType: Request for Quotation Item,Request for Quotation Item,د کوټیشن توکي لپاره غوښتنه DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,د ټاکل شوي معاشونو په اړه د بشپړ مالیې کمول +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,د کار کارت چک نیټه د راتلونکي نیټه ندی apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,د بدلون رقم حساب حساب کړئ DocType: Support Settings,Forum Posts,د فورم پوسټونه DocType: Timesheet Detail,Expected Hrs,متوقع هیر @@ -5967,7 +5999,7 @@ DocType: Program Enrollment Tool,Enroll Students,د زده کونکو داخلو apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,د پیرودونکو عواید تکرار کړئ DocType: Company,Date of Commencement,د پیل نیټه DocType: Bank,Bank Name,د بانک نوم -DocType: Quality Goal,December,دسمبر +DocType: GSTR 3B Report,December,دسمبر apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,د نیټې څخه اعتبار باید د اعتبار وړ نه وي apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,دا د دې کارمندانو په حضور پورې اړه لري DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",که چیرته چک شوی وي، کور پاڼه به د ویب پاڼې لپاره د اصلي منبع ګروپ وي @@ -6007,6 +6039,7 @@ DocType: Payment Entry,Payment Type,د تادیاتو ډول apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,د فولولو شمیرې مطابقت نلري DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},د کیفیت تفتیش: {0} د توکو لپاره ندی سپارل شوی: {1} په قطار کې {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},ښودل {0} ,Stock Ageing,د استوګنې راپور DocType: Customer Group,Mention if non-standard receivable account applicable,په پام کې ونیسئ چې د غیر معیاري رسیدونکي حساب پلي کول ,Subcontracted Item To Be Received,د ترلاسه کولو لپاره فرعي قرارداد شوي توکي @@ -6275,13 +6308,16 @@ DocType: Travel Request,Costing,لګښتونه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,ثابت شوي شتمنۍ DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,ټول عایدات +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,پېرودونکي> پیرودونکي ګروپ> ساحه DocType: Share Balance,From No,له DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,د تادیاتو پخلاینې انوائس DocType: Purchase Invoice,Taxes and Charges Added,مالیات او چارجونه شامل شوي DocType: Purchase Taxes and Charges,Consider Tax or Charge for,د مالیې یا چارج په اړه غور وکړئ DocType: Authorization Rule,Authorized Value,مستحق ارزښت apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,ترلاسه شوی +DocType: Item Manufacturer,Item Manufacturer,د توکي جوړونکي DocType: Sales Invoice,Sales Team,د پلور ټیم +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,بنډل مقدار DocType: Purchase Order Item Supplied,Stock UOM,د استوګنې UOM DocType: Installation Note,Installation Date,د لګولو نیټه DocType: Email Digest,New Quotations,نوې کوټونه @@ -6345,7 +6381,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,د رخصتي لیست نوم DocType: Water Analysis,Collection Temperature ,د درجه بندي درجه DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,د تقاعد انوائس اداره کړئ په خپل ځان سره د ناروغ د مخنیوی لپاره وسپارل او رد کړئ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,مهرباني وکړئ د سایټ نوم نومول د سیٹ اپ> ترتیباتو له لارې {0} نومونې لړۍ وټاکئ DocType: Employee Benefit Claim,Claim Date,د ادعا نیټه DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,که چیرې عرضه کوونکي په غیر ناممکن ډول تړل کیږي خالي وي پریږدي apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,د نیټې او حاضري څخه حاضری نیټه اړینه ده @@ -6356,6 +6391,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,د تقاعد نیټه apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,لطفا ناروغان وټاکئ DocType: Asset,Straight Line,سیده کرښه +DocType: Quality Action,Resolutions,پریکړې DocType: SMS Log,No of Sent SMS,د لیږل شوي ایس ایم ایل نه ,GST Itemised Sales Register,د GST تولیدوونکي پلور راجستر apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,ټول وړاندیز شوی رقم کیدای شي د ټولو منظور شوي مقدار څخه ډیر نه وي @@ -6461,7 +6497,7 @@ DocType: Account,Profit and Loss,ګټې او زیان apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,د مقدار مقدار DocType: Asset Finance Book,Written Down Value,لیکل شوی ارزښت apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,د توازن برابرول -DocType: Quality Goal,April,اپریل +DocType: GSTR 3B Report,April,اپریل DocType: Supplier,Credit Limit,د کریډیټ محدودیت apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,ویشل apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,Debit_note_amt @@ -6515,6 +6551,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,د ERPNext سره نښلول DocType: Homepage Section Card,Subtitle,فرعي مضمون DocType: Soil Texture,Loam,لوام +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کوونکي> د عرضه کوونکي ډول DocType: BOM,Scrap Material Cost(Company Currency),د سکرو موادو لګښت (د شرکت پیسو) DocType: Task,Actual Start Date (via Time Sheet),د پیل نیټه (د وخت شیٹ له لارې) DocType: Sales Order,Delivery Date,د سپارنې نېټه @@ -6567,7 +6604,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,ډوډۍ DocType: Cheque Print Template,Starting position from top edge,د پورتنۍ غاړې څخه د پیل ځای apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),د تقاعد موده (منٹ) -DocType: Pricing Rule,Disable,معلول +DocType: Accounting Dimension,Disable,معلول DocType: Email Digest,Purchase Orders to Receive,د پیرودلو سپارښتنې ترلاسه کول apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,د تولیداتو سپارښتنې د دې لپاره پورته نشي پورته کیدی: DocType: Projects Settings,Ignore Employee Time Overlap,د کارمندانو وخت پراخه کول وڅېړئ @@ -6650,6 +6687,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,د م DocType: Item Attribute,Numeric Values,شمېرې ارزښتونه DocType: Delivery Note,Instructions,لارښوونې DocType: Blanket Order Item,Blanket Order Item,د پاکولو امر توکي +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,د ګټې او ضایع حساب لپاره منفي apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,د کمیسیون کچه نشي کولی د 100 څخه ډیر وي DocType: Course Topic,Course Topic,د کورس موضوع DocType: Employee,This will restrict user access to other employee records,دا به د کارمندانو نورو ریکارډونو ته د کاروونکو لاسرسۍ محدود کړي @@ -6672,12 +6710,14 @@ apps/erpnext/erpnext/config/education.py,Content Masters,د محتوياتو م apps/erpnext/erpnext/config/accounting.py,Subscription Management,د ګډون مدیریت apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,پیرودونکي ترلاسه کړئ DocType: Employee,Reports to,راپورونه +DocType: Video,YouTube,یوټیوب DocType: Party Account,Party Account,د ګوند حساب DocType: Assessment Plan,Schedule,مهال ویش apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,لطفا ننوتل DocType: Lead,Channel Partner,د چینل پارټنر apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,د پیسو پیسې DocType: Project,From Template,د کينډۍ څخه +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,ګډونونه apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,د مقدار کولو لپاره مقدار DocType: Quality Review Table,Achieved,ترلاسه شوی @@ -6723,7 +6763,6 @@ DocType: Journal Entry,Subscription Section,د ګډون برخې DocType: Salary Slip,Payment Days,د تادياتو ورځو apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,رضاکار معلومات. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`د زړو لوړې ذخیرې باید له٪ d ورځو څخه کوچنۍ وي. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,مالي کال غوره کړئ DocType: Bank Reconciliation,Total Amount,جمله پیسی DocType: Certification Application,Non Profit,غیر ګټې DocType: Subscription Settings,Cancel Invoice After Grace Period,د ګرمې دورې وروسته انوائس فسخه کړئ @@ -6735,7 +6774,6 @@ DocType: Serial No,Warranty Period (Days),د تضمین موده DocType: Expense Claim Detail,Expense Claim Detail,د لګښت ادعا توضیحات apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,پروګرام: DocType: Patient Medical Record,Patient Medical Record,د ناروغ درملنه -DocType: Quality Action,Action Description,د عمل تفصیل DocType: Item,Variant Based On,توپیر پر بنسټ DocType: Vehicle Service,Brake Oil,د بریښنا غوړ DocType: Employee,Create User,کارن جوړه کړه @@ -6787,7 +6825,7 @@ DocType: Cash Flow Mapper,Section Name,د برخې نوم DocType: Packed Item,Packed Item,بسته شوي توکي apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: د {2} لپاره د کومې ډبټ یا کریډیټ اندازه اړتیا ده apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,د معاشاتو سلونه جمع کول ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,هیڅ اقدام نشته +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,هیڅ اقدام نشته apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,ماسټر او حسابونه DocType: Quality Procedure Table,Responsible Individual,مسؤل شخص apps/erpnext/erpnext/education/doctype/course/course.py,Total Weightage of all Assessment Criteria must be 100%,د ارزونې ټول معیارونه باید 100٪ وي @@ -6907,7 +6945,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,د کوچني شرکت پر وړاندې د جوړولو حساب ورکول DocType: Payment Entry,Company Bank Account,د شرکت بانک حساب DocType: Amazon MWS Settings,UK,برطانيه -DocType: Quality Procedure,Procedure Steps,کړنلارې ګامونه DocType: Normal Test Items,Normal Test Items,د عادي ازموینې توکي apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,په اسٹاک کې نشته apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html,Cart,کارټ @@ -7004,6 +7041,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,پورته کول apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,تاسو کولی شئ یواځې نوی توب وکړئ که ستاسو غړیتوب په 30 ورځو کې پای ته ورسیږي apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},ارزښت باید د {0} او {1} ترمنځ وي +DocType: Quality Feedback,Parameters,پیرامیټونه ,Sales Partner Transaction Summary,د پلور شریک پارټنر لنډیز DocType: Asset Maintenance,Maintenance Manager Name,د ترمیم مدیر نوم apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,د توکو د توضیحاتو د راوړلو لپاره اړینه ده. @@ -7139,6 +7177,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,رسید په DocType: Subscription,Days Until Due,تر هغه وخته پورې چې د پای ټکی apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,بشپړ شو apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,د بانک بیان پیژندنه د داخلی راپور +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,د بانک لارښوونه apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: شرح باید د {1}: {2} ({3} / {4} په څیر وي DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR -YYYY- DocType: Healthcare Settings,Healthcare Service Items,د روغتیا خدماتو توکي @@ -7194,6 +7233,7 @@ DocType: Training Event Employee,Invited,بلنه apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},د {0} برخې {1} څخه زیات وي apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,د بلې کچې اندازه apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",د {0} لپاره، یوازې د حساب ورکولو حسابونه د بل کریډیټ انټرنیټ سره تړاو لري +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,شکلونه جوړول ... DocType: Bank Statement Transaction Entry,Payable Account,د پیسو وړ حساب apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,مهرباني وکړئ د اړتیاوو څخه د لیدلو اړتیاوې په ګوته کړئ DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,یوازې یواځې انتخاب کړئ که تاسو د نغدو پیسو نقشې اسناد چمتو کړئ که نه @@ -7210,6 +7250,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,د حل کولو وخت DocType: Grading Scale Interval,Grade Description,د درجې تفصیل DocType: Homepage Section,Cards,کارتونه +DocType: Quality Meeting Minutes,Quality Meeting Minutes,د کیفیت غونډه غونډه DocType: Linked Plant Analysis,Linked Plant Analysis,تړل شوي پلان شننه apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,د خدماتو بند بند تاریخ د پای نیټې نه وروسته نشي apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,مهرباني وکړئ د GST ترتیباتو کې B2C محدودیت وټاکئ. @@ -7243,7 +7284,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,د کار ګمارل DocType: Employee,Educational Qualification,د زده کړې وړتیا apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,د لاسرسی وړ ارزښت apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},نمونۍ مقدار {0} د ترلاسه شوي مقدار څخه ډیر نه وي {1} -DocType: Quiz,Last Highest Score,وروستی تر ټولو لوړه کچه DocType: POS Profile,Taxes and Charges,مالیات او لګښتونه DocType: Opportunity,Contact Mobile No,د ګرځنده ټیلفون اړیکه DocType: Employee,Joining Details,د جزئیاتو سره یوځای کول diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv index 740c6ce414..46d7a43c96 100644 --- a/erpnext/translations/pt.csv +++ b/erpnext/translations/pt.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Nº de peça do fornecedor DocType: Journal Entry Account,Party Balance,Party Balance apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Fonte de Fundos (Passivo) DocType: Payroll Period,Taxable Salary Slabs,Placas Salariais Tributáveis +DocType: Quality Action,Quality Feedback,Feedback de Qualidade DocType: Support Settings,Support Settings,Configurações de suporte apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Por favor entre primeiro no item de produção DocType: Quiz,Grading Basis,Base de classificação @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Mais detalhes DocType: Salary Component,Earning,Ganhando DocType: Restaurant Order Entry,Click Enter To Add,Clique em Enter para adicionar DocType: Employee Group,Employee Group,Grupo de empregados +DocType: Quality Procedure,Processes,Processos DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Especifique a taxa de câmbio para converter uma moeda em outra apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Faixa de Envelhecimento 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Armazém necessário para estoque Item {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Queixa DocType: Shipping Rule,Restrict to Countries,Restringir a países DocType: Hub Tracked Item,Item Manager,Gerente de item apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Moeda da conta de encerramento deve ser {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Orçamentos apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Item de fatura de abertura DocType: Work Order,Plan material for sub-assemblies,Planejar material para submontagens apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Budget,Action if Annual Budget Exceeded on MR,Ação se o Orçamento Anual Ultrapassar DocType: Sales Invoice Advance,Advance Amount,Valor adiantado +DocType: Accounting Dimension,Dimension Name,Nome da Dimensão DocType: Delivery Note Item,Against Sales Invoice Item,Contra item de fatura de vendas DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Incluir item na fabricação @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,O que isso faz? ,Sales Invoice Trends,Tendências de fatura de vendas DocType: Bank Reconciliation,Payment Entries,Entradas de pagamento DocType: Employee Education,Class / Percentage,Classe / Porcentagem -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código do item> Grupo de itens> Marca ,Electronic Invoice Register,Registro de fatura eletrônica DocType: Sales Invoice,Is Return (Credit Note),É retorno (nota de crédito) DocType: Lab Test Sample,Lab Test Sample,Amostra de teste de laboratório @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Variantes apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Os encargos serão distribuídos proporcionalmente com base no item qty ou valor, conforme sua seleção" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Atividades pendentes para hoje +DocType: Quality Procedure Process,Quality Procedure Process,Processo de Procedimento de Qualidade DocType: Fee Schedule Program,Student Batch,Lote de estudante apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Taxa de avaliação necessária para o item na linha {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Taxa básica de hora (moeda da empresa) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Definir Qtd em transações com base na entrada serial 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} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Personalizar seções da página inicial -DocType: Quality Goal,October,Outubro +DocType: GSTR 3B Report,October,Outubro DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ocultar o ID do cliente de transações de vendas apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN inválido! Um GSTIN deve ter 15 caracteres. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,A regra de precificação {0} é atualizada @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Deixar o equilíbrio apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},O cronograma de manutenção {0} existe contra {1} DocType: Assessment Plan,Supervisor Name,Nome do Supervisor DocType: Selling Settings,Campaign Naming By,Nomenclatura de campanha por -DocType: Course,Course Code,Código do curso +DocType: Student Group Creation Tool Course,Course Code,Código do curso apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aeroespacial DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuir encargos com base em DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Critérios de Pontuação do Scorecard de Fornecedores @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Cardápio do restaurante DocType: Asset Movement,Purpose,Propósito apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Atribuição de estrutura salarial para empregado já existe DocType: Clinical Procedure,Service Unit,Unidade de serviço -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de Clientes> Território DocType: Travel Request,Identification Document Number,Número do Documento de Identificação DocType: Stock Entry,Additional Costs,Custos adicionais -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Curso pai (Deixe em branco, se isso não fizer parte do Curso pai)" DocType: Employee Education,Employee Education,Educação de funcionários apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Número de posições não pode ser menor que a contagem atual de empregados apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Todos os grupos de clientes @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Linha {0}: quantidade é obrigatória DocType: Sales Invoice,Against Income Account,Contra Conta de Renda apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Linha # {0}: a fatura de compra não pode ser feita em relação a um ativo existente {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Regras para aplicar diferentes esquemas promocionais. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Fator de proteção de UOM necessário para UOM: {0} no Item: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},"Por favor, indique quantidade para o item {0}" DocType: Workstation,Electricity Cost,Custo de eletricidade @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Qtd total projetado apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Data de início real 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 -DocType: Company,About the Company,Sobre a empresa apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Árvore de contas financeiras. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Renda Indireta DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Item de reserva do quarto de hotel @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Banco de dad DocType: Skill,Skill Name,Nome da habilidade apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Imprimir boletim DocType: Soil Texture,Ternary Plot,Termo Ternário +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Bilhetes de suporte DocType: Asset Category Account,Fixed Asset Account,Conta de ativo fixo apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Mais recentes @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Curso de Inscriçã ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,"Por favor, defina a série a ser usada." DocType: Delivery Trip,Distance UOM,Distância UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Obrigatório para o balanço DocType: Payment Entry,Total Allocated Amount,Quantia Total Alocada DocType: Sales Invoice,Get Advances Received,Obter adiantamentos recebidos DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Item de programaç apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,Perfil POS necessário para fazer a entrada POS DocType: Education Settings,Enable LMS,Ativar LMS DocType: POS Closing Voucher,Sales Invoices Summary,Resumo de faturas de vendas +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Benefício apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Crédito para conta deve ser uma conta de balanço DocType: Video,Duration,Duração DocType: Lab Test Template,Descriptive,Descritivo @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Datas de início e término DocType: Supplier Scorecard,Notify Employee,Notificar funcionário apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Programas +DocType: Program,Allow Self Enroll,Permitir autoinscrição apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Despesas de estoque apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,O nº de referência é obrigatório se você inseriu a Data de referência DocType: Training Event,Workshop,Oficina @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Modelo de teste de laboratório apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Máximo: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informações de faturamento eletrônico ausentes apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nenhuma solicitação de material criada +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código do item> Grupo de itens> Marca DocType: Loan,Total Amount Paid,Valor Total Pago apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Todos esses itens já foram faturados DocType: Training Event,Trainer Name,Nome do instrutor @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Ano acadêmico DocType: Sales Stage,Stage Name,Nome artístico DocType: SMS Center,All Employee (Active),Todo empregado (ativo) +DocType: Accounting Dimension,Accounting Dimension,Dimensão Contábil DocType: Project,Customer Details,Detalhes do cliente DocType: Buying Settings,Default Supplier Group,Grupo de fornecedores padrão apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,"Por favor, cancele o recibo de compra {0} primeiro" @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Quanto maior o n DocType: Designation,Required Skills,Habilidades necessárias DocType: Marketplace Settings,Disable Marketplace,Desativar mercado DocType: Budget,Action if Annual Budget Exceeded on Actual,Ação se o Orçamento Anual Ultrapassar -DocType: Course,Course Abbreviation,Abreviação do Curso apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Participação não enviada para {0} como {1} de licença. DocType: Pricing Rule,Promotional Scheme Id,ID do esquema promocional apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},A data de término da tarefa {0} não pode ser maior que {1} data de término esperada {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Dinheiro Margem DocType: Chapter,Chapter,Capítulo DocType: Purchase Receipt Item Supplied,Current Stock,Estoque atual DocType: Employee,History In Company,História na empresa -DocType: Item,Manufacturer,Fabricante +DocType: Purchase Invoice Item,Manufacturer,Fabricante apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Sensibilidade moderada DocType: Compensatory Leave Request,Leave Allocation,Deixe a alocação DocType: Timesheet,Timesheet,Planilha de horário @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Material transferido DocType: Products Settings,Hide Variants,Ocultar variantes DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Desativar o planejamento de capacidade e o acompanhamento de tempo DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Será calculado na transação. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} é necessário para a conta "Balanço" {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,"{0} não pode transacionar com {1}. Por favor, altere a empresa." 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 de compra for necessário == 'YES', então, para criar a fatura de compra, o usuário precisará criar o recibo de compra primeiro para o item {0}" DocType: Delivery Trip,Delivery Details,Detalhes da Entrega @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Anterior apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Unidade de medida DocType: Lab Test,Test Template,Modelo de teste DocType: Fertilizer,Fertilizer Contents,Conteúdo de Fertilizantes -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minuto +DocType: Quality Meeting Minutes,Minute,Minuto 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}" DocType: Task,Actual Time (in Hours),Tempo real (em horas) DocType: Period Closing Voucher,Closing Account Head,Chefe da conta de encerramento @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratório DocType: Purchase Order,To Bill,Cobrar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Despesas de Utilidade DocType: Manufacturing Settings,Time Between Operations (in mins),Tempo Entre Operações (em minutos) -DocType: Quality Goal,May,Maio +DocType: GSTR 3B Report,May,Maio apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Conta de Gateway de Pagamento não criada, por favor crie uma manualmente." DocType: Opening Invoice Creation Tool,Purchase,Compra DocType: Program Enrollment,School House,Casa da escola @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Informações estatutárias e outras informações gerais sobre o seu fornecedor DocType: Item Default,Default Selling Cost Center,Centro de custo de venda padrão DocType: Sales Partner,Address & Contacts,Endereço e contatos +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 DocType: Subscriber,Subscriber,Assinante apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) está fora de estoque apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Por favor, selecione a data de lançamento primeiro" @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Taxa de visita a pacient DocType: Bank Statement Settings,Transaction Data Mapping,Mapeamento de dados de transação apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Um lead requer o nome de uma pessoa ou o nome de uma organização DocType: Student,Guardians,Guardiões +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/public/js/stock_analytics.js,Select Brand...,Selecione marca ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Renda Média DocType: Shipping Rule,Calculate Based On,Calcular baseado em @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Pedido de reembolso DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Ajuste de arredondamento (moeda da empresa) DocType: Item,Publish in Hub,Publicar no Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,agosto +DocType: GSTR 3B Report,August,agosto apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,"Por favor, indique primeiro o recibo de compra" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Ano de início apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Alvo ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,Quantidade máxima de amostra apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,O armazém de origem e de destino deve ser diferente DocType: Employee Benefit Application,Benefits Applied,Benefícios aplicados apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Contra entrada de diário {0} não tem nenhuma entrada {1} não correspondida +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Caracteres especiais, exceto "-", "#", ".", "/", "{" E "}" não permitidos na série de nomenclatura" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,As lajes de desconto de preço ou produto são necessárias apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Definir um alvo apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Registro de Presença {0} existe contra o Aluno {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Por mês DocType: Routing,Routing Name,Nome de roteamento DocType: Disease,Common Name,Nome comum -DocType: Quality Goal,Measurable,Mensurável DocType: Education Settings,LMS Title,Título LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Gestão de Empréstimos -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Suporte analítico DocType: Clinical Procedure,Consumable Total Amount,Quantidade Total Consumível apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Ativar modelo apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Cliente LPO @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,Servido DocType: Loan,Member,Membro DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Programa de Unidade de Serviço Praticante apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Transferência bancária +DocType: Quality Review Objective,Quality Review Objective,Objetivo de revisão de qualidade DocType: Bank Reconciliation Detail,Against Account,Contra conta DocType: Projects Settings,Projects Settings,Configurações de projetos apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Quantidade Real {0} / Qtde Espera {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ca apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,A data final do ano fiscal deve ser de um ano após a data de início do ano fiscal apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Lembretes Diários DocType: Item,Default Sales Unit of Measure,Unidade de Medida de Vendas Padrão +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Companhia GSTIN DocType: Asset Finance Book,Rate of Depreciation,Taxa de Depreciação DocType: Support Search Source,Post Description Key,Chave de descrição de postagens DocType: Loyalty Program Collection,Minimum Total Spent,Total mínimo gasto @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,A alteração do grupo de clientes para o cliente selecionado não é permitida. DocType: Serial No,Creation Document Type,Tipo de documento de criação DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Qtd de lote disponível no armazém +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Total geral da fatura apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Este é um território raiz e não pode ser editado. DocType: Patient,Surgical History,História Cirúrgica apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Árvore de Procedimentos de Qualidade. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,P DocType: Item Group,Check this if you want to show in website,Verifique isso se você quiser mostrar no site apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Ano fiscal {0} não encontrado DocType: Bank Statement Settings,Bank Statement Settings,Configurações do extrato bancário +DocType: Quality Procedure Process,Link existing Quality Procedure.,Vincule o Procedimento de Qualidade existente. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Importar gráfico de contas de arquivos CSV / Excel DocType: Appraisal Goal,Score (0-5),Pontuação (0 a 5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Atributo {0} selecionado várias vezes na Tabela de Atributos DocType: Purchase Invoice,Debit Note Issued,Nota de débito emitida @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Deixar detalhes da política apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Armazém não encontrado no sistema DocType: Healthcare Practitioner,OP Consulting Charge,Carga de Consultoria OP -DocType: Quality Goal,Measurable Goal,Objetivo Mensurável DocType: Bank Statement Transaction Payment Item,Invoices,Faturas DocType: Currency Exchange,Currency Exchange,Câmbio monetário DocType: Payroll Entry,Fortnightly,Quinzenal @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} não é enviado DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Backflush de matérias-primas do armazém de trabalho em andamento DocType: Maintenance Team Member,Maintenance Team Member,Membro da equipe de manutenção +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Configurar dimensões personalizadas para contabilidade DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,A distância mínima entre linhas de plantas para um crescimento ótimo DocType: Employee Health Insurance,Health Insurance Name,Nome do Seguro de Saúde apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Ativos de estoque @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,Nome do endereço de cobrança apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Item alternativo DocType: Certification Application,Name of Applicant,Nome do requerente DocType: Leave Type,Earned Leave,Licença ganhou -DocType: Quality Goal,June,Junho +DocType: GSTR 3B Report,June,Junho apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Linha {0}: centro de custo é necessário para um item {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Pode ser aprovado por {0} 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 inserida mais de uma vez na tabela de fatores de conversão @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,Taxa de venda padrão apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},"Por favor, defina um menu ativo para o Restaurante {0}" 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: Asset Finance Book,Asset Finance Book,Livro de finanças de ativos +DocType: Quality Goal Objective,Quality Goal Objective,Objetivo Objetivo de Qualidade DocType: Employee Transfer,Employee Transfer,Transferência de Empregados ,Sales Funnel,Funil de vendas DocType: Agriculture Analysis Criteria,Water Analysis,Análise de água @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Propriedade de tr apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Atividades pendentes apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Listar alguns dos seus clientes Eles podem ser organizações ou indivíduos. DocType: Bank Guarantee,Bank Account Info,Informações da conta bancária +DocType: Quality Goal,Weekday,Dia da semana apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Name DocType: Salary Component,Variable Based On Taxable Salary,Variável Baseada no Salário Tributável DocType: Accounting Period,Accounting Period,Período contábil @@ -2229,7 +2245,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Ajuste de Arredondamento DocType: Quality Review Table,Quality Review Table,Tabela de revisão de qualidade DocType: Member,Membership Expiry Date,Data de expiração da associação DocType: Asset Finance Book,Expected Value After Useful Life,Valor esperado após vida útil -DocType: Quality Goal,November,novembro +DocType: GSTR 3B Report,November,novembro DocType: Loan Application,Rate of Interest,Taxa de interesse DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Item de pagamento de transação de extrato bancário DocType: Restaurant Reservation,Waitlisted,Na lista de espera @@ -2293,6 +2309,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Linha {0}: para definir a periodicidade de {1}, a diferença entre e até a data \ deve ser maior ou igual a {2}" DocType: Purchase Invoice Item,Valuation Rate,Taxa de avaliação DocType: Shopping Cart Settings,Default settings for Shopping Cart,Configurações padrão para o carrinho de compras +DocType: Quiz,Score out of 100,Pontuação de 100 DocType: Manufacturing Settings,Capacity Planning,Planejamento de capacidade apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Vá para instrutores DocType: Activity Cost,Projects,Projetos @@ -2302,6 +2319,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,De tempos apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Relatório de detalhes da variante +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Para comprar apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots para {0} não são adicionados ao cronograma DocType: Target Detail,Target Distribution,Distribuição Alvo @@ -2319,6 +2337,7 @@ DocType: Activity Cost,Activity Cost,Custo da atividade DocType: Journal Entry,Payment Order,Ordem de pagamento apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Preços ,Item Delivery Date,Data de entrega do item +DocType: Quality Goal,January-April-July-October,Janeiro-abril-julho-outubro DocType: Purchase Order Item,Warehouse and Reference,Armazém e Referência apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Conta com nós filhos não pode ser convertida em razão DocType: Soil Texture,Clay Composition (%),Composição de Argila (%) @@ -2369,6 +2388,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Datas futuras não per apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance 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/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Termo Acadêmico: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Parâmetro de Feedback de Qualidade apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Por favor selecione Aplicar desconto em apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Linha # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Total de pagamentos @@ -2411,7 +2431,7 @@ DocType: Hub Tracked Item,Hub Node,Nó Hub apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID do Empregado DocType: Salary Structure Assignment,Salary Structure Assignment,Atribuição de estrutura salarial DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Impostos de Voucher de Fechamento de PDV -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Ação inicializada +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Ação inicializada DocType: POS Profile,Applicable for Users,Aplicável para usuários DocType: Training Event,Exam,Exame apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Número incorreto de entradas de contabilidade geral encontradas. Você pode ter selecionado uma conta errada na transação. @@ -2518,6 +2538,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Longitude DocType: Accounts Settings,Determine Address Tax Category From,Determinar a categoria de imposto de endereço de apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Identificando os tomadores de decisão +DocType: Stock Entry Detail,Reference Purchase Receipt,Recibo de compra de referência apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Receba Invocies DocType: Tally Migration,Is Day Book Data Imported,Os dados do livro diário são importados ,Sales Partners Commission,Comissão de parceiros de vendas @@ -2541,6 +2562,7 @@ DocType: Leave Type,Applicable After (Working Days),Aplicável após (dias útei DocType: Timesheet Detail,Hrs,Horas DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Critérios do Scorecard de Fornecedores DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parâmetro de modelo de feedback de qualidade apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,A data da associação deve ser maior que a data de nascimento DocType: Bank Statement Transaction Invoice Item,Invoice Date,Data da fatura DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Criar teste (s) de laboratório no envio de fatura de vendas @@ -2647,7 +2669,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Valor Mínimo Permiti DocType: Stock Entry,Source Warehouse Address,Endereço do depósito de origem DocType: Compensatory Leave Request,Compensatory Leave Request,Pedido de Licença Compensatória DocType: Lead,Mobile No.,Celular No. -DocType: Quality Goal,July,Julho +DocType: GSTR 3B Report,July,Julho apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC elegível DocType: Fertilizer,Density (if liquid),Densidade (se líquido) DocType: Employee,External Work History,História de Trabalho Externo @@ -2724,6 +2746,7 @@ DocType: Certification Application,Certification Status,Status de Certificação apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},O local de origem é obrigatório para o ativo {0} DocType: Employee,Encashment Date,Data de cobrança apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,"Por favor, selecione Data de Conclusão para o Registro de Manutenção de Ativos Concluído" +DocType: Quiz,Latest Attempt,Tentativa mais recente DocType: Leave Block List,Allow Users,Permitir usuários apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Gráfico de contas apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,O cliente é obrigatório se "Oportunidade de" for selecionado como Cliente @@ -2788,7 +2811,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Configuração do Sc DocType: Amazon MWS Settings,Amazon MWS Settings,Configurações do Amazon MWS DocType: Program Enrollment,Walking,Andando DocType: SMS Log,Requested Numbers,Números solicitados -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 DocType: Woocommerce Settings,Freight and Forwarding Account,Conta de Frete e Encaminhamento apps/erpnext/erpnext/accounts/party.py,Please select a Company,Por favor selecione uma Empresa apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Linha {0}: {1} deve ser maior que 0 @@ -2858,7 +2880,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Contas leva DocType: Training Event,Seminar,Seminário apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Crédito ({0}) DocType: Payment Request,Subscription Plans,Planos de Subscrição -DocType: Quality Goal,March,Março +DocType: GSTR 3B Report,March,Março apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Lote dividido DocType: School House,House Name,Nome da casa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Excelente para {0} não pode ser menor que zero ({1}) @@ -2921,7 +2943,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Data de início do seguro DocType: Target Detail,Target Detail,Detalhe do Alvo DocType: Packing Slip,Net Weight UOM,UOM de peso líquido -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: Purchase Invoice Item,Net Amount (Company Currency),Valor Líquido (Moeda da Empresa) DocType: Bank Statement Transaction Settings Item,Mapped Data,Dados mapeados apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Títulos e Depósitos @@ -2971,6 +2992,7 @@ DocType: Cheque Print Template,Cheque Height,Verificar altura apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,"Por favor, insira a data de liberação." DocType: Loyalty Program,Loyalty Program Help,Ajuda do programa de fidelidade DocType: Journal Entry,Inter Company Journal Entry Reference,Referência de entrada de diário entre empresas +DocType: Quality Meeting,Agenda,Agenda DocType: Quality Action,Corrective,Corretivo apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Agrupar por DocType: Bank Account,Address and Contact,Endereço e contato @@ -3024,7 +3046,7 @@ DocType: GL Entry,Credit Amount,Quantidade de crédito apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Quantidade Total Creditada DocType: Support Search Source,Post Route Key List,Lista de chaves pós-rota apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} não em nenhum ano fiscal ativo. -DocType: Quality Action Table,Problem,Problema +DocType: Quality Action Resolution,Problem,Problema DocType: Training Event,Conference,Conferência DocType: Mode of Payment Account,Mode of Payment Account,Conta de pagamento DocType: Leave Encashment,Encashable days,Dias encapsuláveis @@ -3150,7 +3172,7 @@ DocType: Item,"Purchase, Replenishment Details","Compra, detalhes de reabastecim DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Depois de definida, esta fatura ficará suspensa até a data definida" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"O estoque não pode existir para o item {0}, pois possui variantes" DocType: Lab Test Template,Grouped,Agrupado -DocType: Quality Goal,January,janeiro +DocType: GSTR 3B Report,January,janeiro DocType: Course Assessment Criteria,Course Assessment Criteria,Critérios de Avaliação do Curso DocType: Certification Application,INR,EM R DocType: Job Card Time Log,Completed Qty,Qtd Completo @@ -3246,7 +3268,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Tipo de unida apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Por favor, insira pelo menos uma fatura na tabela" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,O pedido de vendas {0} não é enviado apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,A participação foi marcada com sucesso. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Pré vendas +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pré vendas apps/erpnext/erpnext/config/projects.py,Project master.,Mestre do projeto. DocType: Daily Work Summary,Daily Work Summary,Resumo do trabalho diário DocType: Asset,Partially Depreciated,Parcialmente depreciado @@ -3255,6 +3277,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Deixar Encashed? DocType: Certified Consultant,Discuss ID,Discutir ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,"Por favor, defina Contas GST em Configurações GST" +DocType: Quiz,Latest Highest Score,Última Pontuação Máxima DocType: Supplier,Billing Currency,Moeda de Faturamento apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Atividade estudantil apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,O valor desejado é de qty ou target @@ -3280,18 +3303,21 @@ DocType: Sales Order,Not Delivered,Não entregue 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 alocado, uma vez que é deixado sem pagamento" DocType: GL Entry,Debit Amount,Montante de Débito apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Já existe registro para o item {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Submontagens 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 precificação continuarem a prevalecer, os usuários serão solicitados a definir a prioridade manualmente para resolver o conflito." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Não é possível deduzir quando a categoria é para 'Avaliação' ou 'Avaliação e Total' apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,A lista técnica e a quantidade de produção são necessárias apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Item {0} chegou ao fim de sua vida em {1} DocType: Quality Inspection Reading,Reading 6,Reading 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Campo da empresa é obrigatório apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,O consumo de material não está definido em Configurações de fabricação. DocType: Assessment Group,Assessment Group Name,Nome do Grupo de Avaliação -DocType: Item,Manufacturer Part Number,Número da peça do fabricante +DocType: Purchase Invoice Item,Manufacturer Part Number,Número da peça do fabricante apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Folha de pagamento a pagar apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Linha # {0}: {1} não pode ser negativo para o item {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Qtd. Saldo +DocType: Question,Multiple Correct Answer,Resposta Correta Múltipla DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Pontos de fidelidade = Quanto de moeda base? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Nota: Não há saldo suficiente para deixar o tipo de licença {0} DocType: Clinical Procedure,Inpatient Record,Registro de internamento @@ -3414,6 +3440,7 @@ DocType: Fee Schedule Program,Total Students,Total de alunos apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Local DocType: Chapter Member,Leave Reason,Deixe a Razão DocType: Salary Component,Condition and Formula,Condição e Fórmula +DocType: Quality Goal,Objectives,Objetivos apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salário já processado para o período entre {0} e {1}, o período de inscrição não pode estar entre esse período." DocType: BOM Item,Basic Rate (Company Currency),Taxa Básica (Moeda da Empresa) DocType: BOM Scrap Item,BOM Scrap Item,Item de sucata da lista técnica @@ -3464,6 +3491,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Conta de Reivindicação de Despesas apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nenhum reembolso disponível para lançamento no diário apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} é estudante inativo +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Fazer entrada de estoque DocType: Employee Onboarding,Activities,actividades apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Pelo menos um depósito é obrigatório ,Customer Credit Balance,Saldo de crédito do cliente @@ -3548,7 +3576,6 @@ DocType: Contract,Contract Terms,Termos do contrato apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Qualquer um dos valores de meta ou quantidade alvo é obrigatório. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},{0} inválido DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Data da reunião DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Abreviatura não pode ter mais de 5 caracteres DocType: Employee Benefit Application,Max Benefits (Yearly),Benefícios máximos (anual) @@ -3651,7 +3678,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Taxas bancarias apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Mercadorias transferidas apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Detalhes do contato principal -DocType: Quality Review,Values,Valores 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 estiver marcada, a lista terá que ser adicionada a cada departamento onde ela deve ser aplicada." DocType: Item Group,Show this slideshow at the top of the page,Mostrar esta apresentação de slides no topo da página apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} parâmetro é inválido @@ -3670,6 +3696,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Conta Bancária DocType: Journal Entry,Get Outstanding Invoices,Obter faturas pendentes DocType: Opportunity,Opportunity From,Oportunidade De +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Detalhes do Alvo DocType: Item,Customer Code,Código do Consumidor apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Por favor insira o item primeiro apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Listagem de sites @@ -3698,7 +3725,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Entrega para DocType: Bank Statement Transaction Settings Item,Bank Data,Dados bancários apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Upto agendado -DocType: Quality Goal,Everyday,Todo dia DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Manter horas de faturamento e horas de trabalho iguais no quadro de horários apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Rastrear leads por origem de leads. DocType: Clinical Procedure,Nursing User,Usuário de Enfermagem @@ -3723,7 +3749,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Gerenciar Árvore do T DocType: GL Entry,Voucher Type,Tipo de comprovante ,Serial No Service Contract Expiry,Número de série sem expiração do contrato de serviço DocType: Certification Application,Certified,Certificado -DocType: Material Request Plan Item,Manufacture,Fabricação +DocType: Purchase Invoice Item,Manufacture,Fabricação apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} itens produzidos apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Pedido de pagamento para {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dias desde o último pedido @@ -3738,7 +3764,7 @@ DocType: Sales Invoice,Company Address Name,Nome do endereço da empresa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Mercadorias em trânsito apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Você só pode resgatar no máximo {0} pontos neste pedido. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},"Por favor, defina a conta no depósito {0}" -DocType: Quality Action Table,Resolution,Resolução +DocType: Quality Action,Resolution,Resolução DocType: Sales Invoice,Loyalty Points Redemption,Resgate de pontos de fidelidade apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Valor tributável total DocType: Patient Appointment,Scheduled,Agendado @@ -3859,6 +3885,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Taxa apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Salvando {0} DocType: SMS Center,Total Message(s),Mensagem (s) total (ais) +DocType: Purchase Invoice,Accounting Dimensions,Dimensões Contábeis apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Agrupar por conta DocType: Quotation,In Words will be visible once you save the Quotation.,Em palavras será visível depois de salvar a cotação. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Quantidade para produzir @@ -4023,7 +4050,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,C apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Se você tiver alguma dúvida, entre em contato conosco." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,O recibo de compra {0} não é enviado DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Claim (via Reporte de Despesa) -DocType: Quality Action,Quality Goal,Objetivo de Qualidade +DocType: Quality Goal,Quality Goal,Objetivo de Qualidade DocType: Support Settings,Support Portal,Portal de suporte apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},A data de término da tarefa {0} não pode ser menor que {1} data de início esperada {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Empregado {0} está em Sair em {1} @@ -4082,7 +4109,6 @@ DocType: BOM,Operating Cost (Company Currency),Custo Operacional (Moeda da Empre DocType: Item Price,Item Price,Preço do item DocType: Payment Entry,Party Name,Nome da festa apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Por favor selecione um cliente -DocType: Course,Course Intro,Introdução ao curso DocType: Program Enrollment Tool,New Program,Novo programa apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Número do novo centro de custo, ele será incluído no nome do centro de custo como um prefixo" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Selecione o cliente ou fornecedor. @@ -4283,6 +4309,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,O pagamento líquido não pode ser negativo apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Não de Interações 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 transferida mais que {2} contra o Pedido de Compra {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Mudança apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Plano de processamento de contas e partes DocType: Stock Settings,Convert Item Description to Clean HTML,Converter descrição do item para limpar o HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Todos os grupos de fornecedores @@ -4361,6 +4388,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Item pai apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Corretagem apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},"Por favor, crie recibo de compra ou fatura de compra para o item {0}" +,Product Bundle Balance,Saldo do pacote de produtos apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,O nome da empresa não pode ser Company DocType: Maintenance Visit,Breakdown,Demolir DocType: Inpatient Record,B Negative,B Negativo @@ -4369,7 +4397,7 @@ DocType: Purchase Invoice,Credit To,Crédito para apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Envie esta Ordem de Serviço para processamento adicional. DocType: Bank Guarantee,Bank Guarantee Number,Número de Garantia Bancária apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Entregue: {0} -DocType: Quality Action,Under Review,Sob revisão +DocType: Quality Meeting Table,Under Review,Sob revisão apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Agricultura (beta) ,Average Commission Rate,Taxa Média de Comissão DocType: Sales Invoice,Customer's Purchase Order Date,Data do pedido de compra do cliente @@ -4486,7 +4514,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Corresponder pagamentos com faturas DocType: Holiday List,Weekly Off,Weekly Off apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Não permite definir item alternativo para o item {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,O programa {0} não existe. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,O programa {0} não existe. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Você não pode editar o nó raiz. DocType: Fee Schedule,Student Category,Categoria de estudantes apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",Item {0}: {1} quantidade produzida @@ -4577,8 +4605,8 @@ DocType: Crop,Crop Spacing,Espaçamento de Colheita 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. DocType: Pricing Rule,Period Settings,Configurações do período apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Variação Líquida em Contas a Receber +DocType: Quality Feedback Template,Quality Feedback Template,Modelo de Feedback de Qualidade apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Para Quantidade deve ser maior que zero -DocType: Quality Goal,Goal Objectives,Objetivos da Meta 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" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Deixe em branco se você fizer grupos de alunos por ano apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Empréstimos (passivos) @@ -4613,12 +4641,13 @@ DocType: Quality Procedure Table,Step,Degrau DocType: Normal Test Items,Result Value,Valor do resultado DocType: Cash Flow Mapping,Is Income Tax Liability,A responsabilidade pelo imposto de renda DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Item de cobrança de visita a pacientes internados -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} não existe. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} não existe. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Atualizar resposta DocType: Bank Guarantee,Supplier,Fornecedor apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Digite o valor entre {0} e {1} DocType: Purchase Order,Order Confirmation Date,Data de confirmação do pedido DocType: Delivery Trip,Calculate Estimated Arrival Times,Calcular os tempos estimados de chegada +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" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumível DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Data de início da assinatura @@ -4682,6 +4711,7 @@ DocType: Cheque Print Template,Is Account Payable,É a conta a pagar apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Valor total do pedido apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Fornecedor {0} não encontrado em {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Definir configurações do gateway SMS +DocType: Salary Component,Round to the Nearest Integer,Arredondar para o número inteiro mais próximo apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Raiz não pode ter um centro de custo pai DocType: Healthcare Service Unit,Allow Appointments,Permitir compromissos DocType: BOM,Show Operations,Mostrar operações @@ -4810,7 +4840,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Lista de feriados padrão DocType: Naming Series,Current Value,Valor atual apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sazonalidade para definir orçamentos, metas etc." -DocType: Program,Program Code,Código do Programa apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Aviso: O Pedido de Vendas {0} já existe contra o Pedido de Compra do Cliente {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Meta de vendas mensal ( DocType: Guardian,Guardian Interests,Interesses do Guardião @@ -4860,10 +4889,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Pago e não entregue apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,O código do item é obrigatório porque o item não é numerado automaticamente DocType: GST HSN Code,HSN Code,Código HSN -DocType: Quality Goal,September,setembro +DocType: GSTR 3B Report,September,setembro apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Despesas administrativas DocType: C-Form,C-Form No,C-Form No DocType: Purchase Invoice,End date of current invoice's period,Data final do período da fatura atual +DocType: Item,Manufacturers,Fabricantes DocType: Crop Cycle,Crop Cycle,Ciclo de Colheita DocType: Serial No,Creation Time,Hora da criação apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Por favor, insira o Approving Role ou Approving User" @@ -4936,8 +4966,6 @@ DocType: Employee,Short biography for website and other publications.,Curta biog DocType: Purchase Invoice Item,Received Qty,Qtd recebido DocType: Purchase Invoice Item,Rate (Company Currency),Taxa (moeda da empresa) DocType: Item Reorder,Request for,Pedido para -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" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Instalando Presets apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,"Por favor, indique os Períodos de Reembolso" DocType: Pricing Rule,Advanced Settings,Configurações avançadas @@ -4963,7 +4991,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Ativar carrinho de compras DocType: Pricing Rule,Apply Rule On Other,Aplicar regra a outras DocType: Vehicle,Last Carbon Check,Última verificação de carbono -DocType: Vehicle,Make,Faço +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Faço apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Fatura de vendas {0} criada como paga apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Para criar um documento de referência de solicitação de pagamento é necessário apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Imposto de Renda @@ -5039,7 +5067,6 @@ DocType: Territory,Parent Territory,Território dos Pais DocType: Vehicle Log,Odometer Reading,Leitura de odômetro DocType: Additional Salary,Salary Slip,Deslizamento de salário DocType: Payroll Entry,Payroll Frequency,Frequência de folha de pagamento -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" apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Datas de início e término não em um Período da folha de pagamento válido, não é possível calcular {0}" DocType: Products Settings,Home Page is Products,Página inicial é produtos apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Chamadas @@ -5093,7 +5120,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Buscando registros ...... DocType: Delivery Stop,Contact Information,Informações de contato DocType: Sales Order Item,For Production,Para produção -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" DocType: Serial No,Asset Details,Detalhes do Ativo DocType: Restaurant Reservation,Reservation Time,Tempo de reserva DocType: Selling Settings,Default Territory,Território Padrão @@ -5233,6 +5259,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,G apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Lotes expirados DocType: Shipping Rule,Shipping Rule Type,Tipo de Regra de Envio DocType: Job Offer,Accepted,Aceitaram +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" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Você já avaliou os critérios de avaliação {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Selecione Números de Lote apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Idade (dias) @@ -5249,6 +5277,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Itens do pacote no momento da venda. DocType: Payment Reconciliation Payment,Allocated Amount,Quantidade alocada apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Por favor selecione Empresa e Designação +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'Data' é obrigatório DocType: Email Digest,Bank Credit Balance,Saldo de crédito bancário apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Mostrar Quantidade Cumulativa apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Você não tem suficientes pontos de lealdade para resgatar @@ -5309,11 +5338,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,No total da linha ante DocType: Student,Student Email Address,Endereço de e-mail do aluno DocType: Academic Term,Education,Educação DocType: Supplier Quotation,Supplier Address,Endereço do Fornecedor -DocType: Salary Component,Do not include in total,Não inclua no total +DocType: Salary Detail,Do not include in total,Não inclua no total 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. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} não existe DocType: Purchase Receipt Item,Rejected Quantity,Quantidade Rejeitada DocType: Cashier Closing,To TIme,To Tempo +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: Daily Work Summary Group User,Daily Work Summary Group User,Usuário do grupo de resumo de trabalho diário DocType: Fiscal Year Company,Fiscal Year Company,Empresa do ano fiscal apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Item alternativo não deve ser igual ao código do item @@ -5423,7 +5453,6 @@ DocType: Fee Schedule,Send Payment Request Email,Enviar email de solicitação d DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Em palavras será visível depois de salvar a fatura de vendas. DocType: Sales Invoice,Sales Team1,Equipe de vendas1 DocType: Work Order,Required Items,Itens requeridos -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Caracteres especiais, exceto "-", "#", "." e "/" não permitido na série de nomenclatura" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Leia o Manual do ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Verificar a unicidade do número da fatura do fornecedor apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Pesquisar submontagens @@ -5491,7 +5520,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Dedução Percentual 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: Share Balance,To No,Para não DocType: Leave Control Panel,Allocate Leaves,Alocar folhas -DocType: Quiz,Last Attempt,Última tentativa DocType: Assessment Result,Student Name,Nome do aluno apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Planeje visitas de manutenção. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,As solicitações de materiais a seguir foram geradas automaticamente com base no nível de nova encomenda do item @@ -5560,6 +5588,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Cor do Indicador DocType: Item Variant Settings,Copy Fields to Variant,Copiar campos para variante DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Resposta Correta Única apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,A partir da data não pode ser menor do que a data de ingresso do funcionário DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Permitir vários pedidos de vendas em relação a um pedido de compra do cliente apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5622,7 +5651,7 @@ DocType: Account,Expenses Included In Valuation,Despesas incluídas na avaliaç apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Números de série DocType: Salary Slip,Deductions,Deduções ,Supplier-Wise Sales Analytics,Análise de vendas com base em fornecedores -DocType: Quality Goal,February,fevereiro +DocType: GSTR 3B Report,February,fevereiro DocType: Appraisal,For Employee,Para empregado apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Data de entrega real DocType: Sales Partner,Sales Partner Name,Nome do parceiro de vendas @@ -5718,7 +5747,6 @@ DocType: Procedure Prescription,Procedure Created,Procedimento criado apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Contra a fatura do fornecedor {0} datada de {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Alterar o perfil do POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Criar lead -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornecedor> Tipo de Fornecedor DocType: Shopify Settings,Default Customer,Cliente padrão DocType: Payment Entry Reference,Supplier Invoice No,Fatura do fornecedor Não DocType: Pricing Rule,Mixed Conditions,Condições Mistas @@ -5769,12 +5797,14 @@ DocType: Item,End of Life,Fim da vida DocType: Lab Test Template,Sensitivity,Sensibilidade DocType: Territory,Territory Targets,Alvos do território apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Ignorar a atribuição de licenças para os seguintes empregados, já que os registros de alocação de licenças já existem contra eles. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Resolução de Ação de Qualidade DocType: Sales Invoice Item,Delivered By Supplier,Entregue pelo fornecedor DocType: Agriculture Analysis Criteria,Plant Analysis,Análise de Plantas apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},A conta de despesas é obrigatória para o item {0} ,Subcontracted Raw Materials To Be Transferred,Matérias-primas subcontratadas a serem transferidas DocType: Cashier Closing,Cashier Closing,Fechamento de Caixa apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Item {0} já foi retornado +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN inválido! A entrada que você inseriu não corresponde ao formato GSTIN para os titulares de UIN ou para os provedores de serviços OIDAR não residentes apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,O armazém filho existe para este armazém. Você não pode excluir este depósito. DocType: Diagnosis,Diagnosis,Diagnóstico apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Não há período de licença entre {0} e {1} @@ -5791,6 +5821,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Configurações de autoriza DocType: Homepage,Products,Produtos ,Profit and Loss Statement,Demonstração de resultados apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Quartos reservados +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Entrada duplicada no código do item {0} e no fabricante {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Peso total apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Viagem @@ -5839,6 +5870,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Grupo de clientes padrão DocType: Journal Entry Account,Debit in Company Currency,Débito na moeda da empresa DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",A série alternativa é "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Agenda da reunião de qualidade DocType: Cash Flow Mapper,Section Header,Cabeçalho da Seção apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Seus produtos ou serviços DocType: Crop,Perennial,Perene @@ -5884,7 +5916,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Um Produto ou Serviço que é comprado, vendido ou mantido em estoque." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Encerramento (Abertura + Total) DocType: Supplier Scorecard Criteria,Criteria Formula,Fórmula de critérios -,Support Analytics,Suporte Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Suporte Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Revisão e ação DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Se a conta estiver congelada, as entradas serão permitidas para usuários restritos." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Valor após depreciação @@ -5929,7 +5961,6 @@ DocType: Contract Template,Contract Terms and Conditions,Termos e condições do apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Buscar dados DocType: Stock Settings,Default Item Group,Grupo de itens padrão DocType: Sales Invoice Timesheet,Billing Hours,Horas de faturamento -DocType: Item,Item Code for Suppliers,Código de item para fornecedores 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} DocType: Pricing Rule,Margin Type,Tipo de Margem DocType: Purchase Invoice Item,Rejected Serial No,Número de série rejeitado @@ -6002,6 +6033,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Folhas foi concedido com sucesso DocType: Loyalty Point Entry,Expiry Date,Data de validade DocType: Project Task,Working,Trabalhando +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} já tem um procedimento pai {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Isto é baseado em transações contra este paciente. Veja a linha do tempo abaixo para detalhes DocType: Material Request,Requested For,Requisitado por DocType: SMS Center,All Sales Person,Todo vendedor @@ -6089,6 +6121,7 @@ DocType: Loan Type,Maximum Loan Amount,Montante Máximo de Empréstimo apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-mail não encontrado no contato padrão DocType: Hotel Room Reservation,Booked,Reservado DocType: Maintenance Visit,Partially Completed,Parcialmente completo +DocType: Quality Procedure Process,Process Description,Descrição do processo DocType: Company,Default Employee Advance Account,Conta de Empregado Padrão DocType: Leave Type,Allow Negative Balance,Permitir saldo negativo apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Nome do plano de avaliação @@ -6130,6 +6163,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Pedido de Item de Cotação apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} introduzido duas vezes no Item Imposto DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Deduzir o imposto total na data da folha de pagamento selecionada +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,A última data de verificação de carbono não pode ser uma data futura apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Selecione a conta do valor de modificação DocType: Support Settings,Forum Posts,Posts no Fórum DocType: Timesheet Detail,Expected Hrs,Horas esperadas @@ -6139,7 +6173,7 @@ DocType: Program Enrollment Tool,Enroll Students,Inscrever Alunos apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Repita a receita do cliente DocType: Company,Date of Commencement,Data de início DocType: Bank,Bank Name,Nome do banco -DocType: Quality Goal,December,dezembro +DocType: GSTR 3B Report,December,dezembro 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 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Isso é baseado na participação deste funcionário DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Se marcada, a página inicial será o grupo de itens padrão do site." @@ -6182,6 +6216,7 @@ DocType: Payment Entry,Payment Type,Tipo de pagamento apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Os números de fólio não estão combinando DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Inspeção de qualidade: {0} não é enviado para o item: {1} na linha {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Mostrar {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} item encontrado. ,Stock Ageing,Estoque de envelhecimento DocType: Customer Group,Mention if non-standard receivable account applicable,Mencionar se a conta a receber não-padrão aplicável @@ -6460,6 +6495,7 @@ DocType: Travel Request,Costing,Custeio apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Ativo permanente DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Ganho total +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de Clientes> Território DocType: Share Balance,From No,De não DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Fatura de reconciliação de pagamento DocType: Purchase Invoice,Taxes and Charges Added,Impostos e Encargos Adicionados @@ -6467,7 +6503,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Considere o impos DocType: Authorization Rule,Authorized Value,Valor autorizado apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Recebido de apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Armazém {0} não existe +DocType: Item Manufacturer,Item Manufacturer,Fabricante de Itens DocType: Sales Invoice,Sales Team,Equipe de vendas +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Pacote Qtd DocType: Purchase Order Item Supplied,Stock UOM,UOM de estoque DocType: Installation Note,Installation Date,Data de instalação DocType: Email Digest,New Quotations,Novas citações @@ -6531,7 +6569,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Nome da lista de feriados DocType: Water Analysis,Collection Temperature ,Temperatura de coleta DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Gerenciar Compromisso Enviar fatura e cancelar automaticamente para o Encontro do Paciente -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" DocType: Employee Benefit Claim,Claim Date,Data de reivindicação DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Deixe em branco se o fornecedor estiver bloqueado indefinidamente apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Presença desde a data e presença até a data é obrigatória @@ -6542,6 +6579,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Data de aposentadoria apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Por favor selecione Paciente DocType: Asset,Straight Line,Linha reta +DocType: Quality Action,Resolutions,Resoluções DocType: SMS Log,No of Sent SMS,Não de SMS enviados ,GST Itemised Sales Register,Registro de Vendas Itemizado GST apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,O montante total antecipado não pode ser superior ao total do montante sancionado @@ -6652,7 +6690,7 @@ DocType: Account,Profit and Loss,Lucros e perdas apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Asset Finance Book,Written Down Value,Valor escrito para baixo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Equidade de Saldo de Abertura -DocType: Quality Goal,April,abril +DocType: GSTR 3B Report,April,abril DocType: Supplier,Credit Limit,Limite de crédito apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Distribuição apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6707,6 +6745,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Conecte o Shopify com o ERPNext DocType: Homepage Section Card,Subtitle,Subtítulo DocType: Soil Texture,Loam,Loam +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornecedor> Tipo de Fornecedor DocType: BOM,Scrap Material Cost(Company Currency),Custo do material de sucata (moeda da empresa) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Nota de remessa {0} não deve ser enviada DocType: Task,Actual Start Date (via Time Sheet),Data de início real (via Folha de horas) @@ -6762,7 +6801,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosagem DocType: Cheque Print Template,Starting position from top edge,Posição inicial da borda superior apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Duração do Compromisso (mins) -DocType: Pricing Rule,Disable,Desabilitar +DocType: Accounting Dimension,Disable,Desabilitar DocType: Email Digest,Purchase Orders to Receive,Pedidos de compra a receber apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Ordens de produção não podem ser levantadas para: DocType: Projects Settings,Ignore Employee Time Overlap,Ignorar Sobreposição de Tempo de Funcionário @@ -6846,6 +6885,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Criar DocType: Item Attribute,Numeric Values,Valores Numéricos DocType: Delivery Note,Instructions,Instruções DocType: Blanket Order Item,Blanket Order Item,Item de ordem de cobertura +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Obrigatório para conta de lucros e perdas apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,A taxa de comissão não pode ser maior que 100 DocType: Course Topic,Course Topic,Tópico do curso DocType: Employee,This will restrict user access to other employee records,Isso restringirá o acesso do usuário a outros registros de funcionários @@ -6870,12 +6910,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Gerenciamento apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Obter clientes de apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Relatórios para +DocType: Video,YouTube,Youtube DocType: Party Account,Party Account,Conta do partido DocType: Assessment Plan,Schedule,Cronograma apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,"Por favor, insira" DocType: Lead,Channel Partner,Parceiro de canal apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Valor faturado DocType: Project,From Template,Do modelo +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Assinaturas apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Quantidade a fazer DocType: Quality Review Table,Achieved,Alcançado @@ -6922,7 +6964,6 @@ DocType: Journal Entry,Subscription Section,Seção de assinatura DocType: Salary Slip,Payment Days,Dias de pagamento apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Voluntar informação. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Stocks Older Than` deve ser menor que% d dias. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Selecione o ano fiscal DocType: Bank Reconciliation,Total Amount,Valor total DocType: Certification Application,Non Profit,Sem fins lucrativos DocType: Subscription Settings,Cancel Invoice After Grace Period,Cancelar fatura após período de carência @@ -6935,7 +6976,6 @@ DocType: Serial No,Warranty Period (Days),Período de garantia (dias) DocType: Expense Claim Detail,Expense Claim Detail,Detalhe da Reivindicação de Despesas apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programa: DocType: Patient Medical Record,Patient Medical Record,Prontuário médico do paciente -DocType: Quality Action,Action Description,Descrição da ação DocType: Item,Variant Based On,Variante Baseado Em DocType: Vehicle Service,Brake Oil,Óleo de freio DocType: Employee,Create User,Criar usuário @@ -6991,7 +7031,7 @@ DocType: Cash Flow Mapper,Section Name,Nome da Seção DocType: Packed Item,Packed Item,Item embalado apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: o valor de débito ou crédito é necessário para {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Enviando Slips Salariais ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Nenhuma ação +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Nenhuma ação apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","O orçamento não pode ser atribuído a {0}, pois não é uma conta de receita ou despesa" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Mestres e Contas DocType: Quality Procedure Table,Responsible Individual,Indivíduo Responsável @@ -7114,7 +7154,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Permitir criação de conta contra empresa-filha DocType: Payment Entry,Company Bank Account,Conta bancária da empresa DocType: Amazon MWS Settings,UK,Reino Unido -DocType: Quality Procedure,Procedure Steps,Etapas do Procedimento DocType: Normal Test Items,Normal Test Items,Itens de teste normal apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Item {0}: A quantidade pedida {1} não pode ser menor que a quantidade mínima do pedido {2} (definida no Item). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Não em estoque @@ -7193,7 +7232,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Papel de Manutenção apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Modelo de Termos e Condições DocType: Fee Schedule Program,Fee Schedule Program,Programa de Programação de Taxa -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,O curso {0} não existe. DocType: Project Task,Make Timesheet,Faça um quadro de horários DocType: Production Plan Item,Production Plan Item,Item do plano de produção apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Estudante total @@ -7215,6 +7253,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Empacotando apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Você só pode renovar se sua assinatura expirar dentro de 30 dias apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},O valor deve estar entre {0} e {1} +DocType: Quality Feedback,Parameters,Parâmetros ,Sales Partner Transaction Summary,Resumo de transação do parceiro de vendas DocType: Asset Maintenance,Maintenance Manager Name,Nome do gerente de manutenção apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,É necessário buscar os detalhes do item. @@ -7253,6 +7292,7 @@ DocType: Student Admission,Student Admission,Admissão de estudantes DocType: Designation Skill,Skill,Habilidade DocType: Budget Account,Budget Account,Conta Orçamental DocType: Employee Transfer,Create New Employee Id,Criar novo ID de funcionário +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} é necessário para a conta 'Profit and Loss' {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Imposto sobre Bens e Serviços (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Criando Slip Salarial ... DocType: Employee Skill,Employee Skill,Habilidade dos Funcionários @@ -7353,6 +7393,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Fatura separa DocType: Subscription,Days Until Due,Dias até o vencimento apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Mostrar concluído apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Relatório de entrada de transação de extrato bancário +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Banco Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Linha # {0}: a taxa deve ser igual a {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Itens de serviço de saúde @@ -7409,6 +7450,7 @@ DocType: Training Event Employee,Invited,Convidamos apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},A quantia máxima elegível para o componente {0} excede {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Quantidade para faturar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","Para {0}, somente contas de débito podem ser vinculadas a outra entrada de crédito" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Criando Dimensões ... DocType: Bank Statement Transaction Entry,Payable Account,Conta pagável apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Por favor mencione não de visitas necessárias DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Selecione apenas se você tiver configurado documentos do Mapeador de Fluxo de Caixa @@ -7426,6 +7468,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,S DocType: Service Level,Resolution Time,Tempo de resolução DocType: Grading Scale Interval,Grade Description,Descrição da nota DocType: Homepage Section,Cards,Postais +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Minutos da Reunião de Qualidade DocType: Linked Plant Analysis,Linked Plant Analysis,Análise de planta vinculada apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Data de parada de serviço não pode ser após a data de término do serviço apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,"Por favor, defina o limite de B2C nas configurações de GST." @@ -7460,7 +7503,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Ferramenta de Atendim DocType: Employee,Educational Qualification,qualificação educacional apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Valor Acessível apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},A quantidade de amostra {0} não pode ser maior que a quantidade recebida {1} -DocType: Quiz,Last Highest Score,Última pontuação máxima DocType: POS Profile,Taxes and Charges,Impostos e Encargos DocType: Opportunity,Contact Mobile No,Entre em contato com o celular DocType: Employee,Joining Details,Unindo Detalhes diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv index 2477312430..2408fa4837 100644 --- a/erpnext/translations/ro.csv +++ b/erpnext/translations/ro.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Nr DocType: Journal Entry Account,Party Balance,Soldul partidelor apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Sursa fondurilor (pasivelor) DocType: Payroll Period,Taxable Salary Slabs,Taxe de salariu impozabile +DocType: Quality Action,Quality Feedback,Feedback de calitate DocType: Support Settings,Support Settings,Setări de asistență apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Introduceți mai întâi elementul de producție DocType: Quiz,Grading Basis,Gradul de bază @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Mai multe detal DocType: Salary Component,Earning,Câștigul salarial DocType: Restaurant Order Entry,Click Enter To Add,Faceți clic pe Enter to Add DocType: Employee Group,Employee Group,Grupul angajaților +DocType: Quality Procedure,Processes,procese DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Specificați cursul de schimb pentru a converti o monedă în alta apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Rata de îmbătrânire 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Depozitul necesar pentru stocul de produse {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Plângere DocType: Shipping Rule,Restrict to Countries,Limitați la țări DocType: Hub Tracked Item,Item Manager,Manager de posturi apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Valuta contului de închidere trebuie să fie {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Bugetele apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Deschiderea elementului de factură DocType: Work Order,Plan material for sub-assemblies,Planificați materialul pentru subansambluri apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Budget,Action if Annual Budget Exceeded on MR,Acțiune în cazul depășirii bugetului anual pe MR DocType: Sales Invoice Advance,Advance Amount,Suma avansată +DocType: Accounting Dimension,Dimension Name,Numele dimensiunii DocType: Delivery Note Item,Against Sales Invoice Item,Împotriva elementului de factură de vânzare DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Includeți articolul în fabricație @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Ce face? ,Sales Invoice Trends,Tendințe privind facturile de vânzare DocType: Bank Reconciliation,Payment Entries,Intrări de plată DocType: Employee Education,Class / Percentage,Clasă / Procentaj -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codul elementului> Grupul de articole> Marca ,Electronic Invoice Register,Registrul electronic al facturilor DocType: Sales Invoice,Is Return (Credit Note),Este retur (nota de credit) DocType: Lab Test Sample,Lab Test Sample,Test de laborator @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,variante apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Taxele vor fi distribuite în mod proporțional în funcție de cantitatea sau cantitatea de articol, conform alegerii dvs." apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Activități în așteptare pentru ziua de azi +DocType: Quality Procedure Process,Quality Procedure Process,Procesul procedurii de calitate DocType: Fee Schedule Program,Student Batch,Student lot apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Rata de evaluare necesară pentru elementul din rândul {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Rata orei de bază (moneda companiei) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Setați cantitatea în tranzacții pe baza numărului de intrare sir 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} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Personalizați secțiunile de inițiere -DocType: Quality Goal,October,octombrie +DocType: GSTR 3B Report,October,octombrie DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ascundeți codul fiscal al clientului din tranzacțiile de vânzare apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN nevalid! Un GSTIN trebuie să aibă 15 caractere. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Regulă privind prețurile {0} este actualizată @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Lasă balanța apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Planul de întreținere {0} există în raport cu {1} DocType: Assessment Plan,Supervisor Name,Numele Supervizorului DocType: Selling Settings,Campaign Naming By,Denumirea campaniei prin -DocType: Course,Course Code,Codul cursului +DocType: Student Group Creation Tool Course,Course Code,Codul cursului apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Industria aerospațială DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuiți taxele bazate pe DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Criteriile de evaluare a Scorecard-ului furnizorilor @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Restaurantul Meniu DocType: Asset Movement,Purpose,Scop apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Structura salarială pentru angajat există deja DocType: Clinical Procedure,Service Unit,Unitate de service -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriu DocType: Travel Request,Identification Document Number,Cod Numeric Personal DocType: Stock Entry,Additional Costs,Costuri adiționale -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Cursul părinților (Lăsați necompletat, dacă acest lucru nu face parte din cursul părinte)" DocType: Employee Education,Employee Education,Educația angajaților apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Numărul de posturi nu poate fi mai mic decât numărul actual al angajaților apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Toate grupurile de clienți @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Rând {0}: Cantitatea este obligatorie DocType: Sales Invoice,Against Income Account,Împotriva contului de venituri apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rândul # {0}: Factura de achiziție nu poate fi efectuată împotriva unui activ existent {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Reguli pentru aplicarea diferitelor scheme de promovare. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Factorul de acoperire UOM necesar pentru UOM: {0} în Item: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Introduceți cantitatea pentru articolul {0} DocType: Workstation,Electricity Cost,Costul energiei electrice @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Cantitatea totală proiectată apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,BOM DocType: Work Order,Actual Start Date,Data de începere efectivă 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 cerere de concediu compensatoriu -DocType: Company,About the Company,Despre companie apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Arborele conturilor financiare. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Venit indirect DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Rezervare cameră cameră @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Baza de date DocType: Skill,Skill Name,Nume de calificare apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Print Print Card DocType: Soil Texture,Ternary Plot,Terenul Ternar +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setați seria de numire pentru {0} prin Configurare> Setări> Serii de numire apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Bilete de suport DocType: Asset Category Account,Fixed Asset Account,Contul de active fixe apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Cele mai recente @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Curs de înscriere ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Setați seria care urmează să fie utilizată. DocType: Delivery Trip,Distance UOM,Distanță UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligatoriu pentru bilanțul contabil DocType: Payment Entry,Total Allocated Amount,Suma totală alocată DocType: Sales Invoice,Get Advances Received,Obțineți avansuri primite DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Document de între apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,Profilul POS necesar pentru a face intrarea POS DocType: Education Settings,Enable LMS,Activați LMS DocType: POS Closing Voucher,Sales Invoices Summary,Sumarul facturilor de vânzare +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Beneficiu apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Creditul către cont trebuie să fie un cont de bilanț DocType: Video,Duration,Durată DocType: Lab Test Template,Descriptive,Descriptiv @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Datele de începere și de sfârșit DocType: Supplier Scorecard,Notify Employee,Notificați angajatul apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software-ul +DocType: Program,Allow Self Enroll,Permiteți înscrierea în sine apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Cheltuieli de stoc apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Numărul de referință este obligatoriu dacă ați introdus Data de referință DocType: Training Event,Workshop,Atelier @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informații de facturare electronice lipsesc apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nu a fost creată nicio solicitare materială +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codul elementului> Grupul de articole> Marca DocType: Loan,Total Amount Paid,Suma totală plătită apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Toate aceste elemente au fost deja facturate DocType: Training Event,Trainer Name,Numele trainerului @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,An academic DocType: Sales Stage,Stage Name,Nume de scena DocType: SMS Center,All Employee (Active),Toți angajații (activi) +DocType: Accounting Dimension,Accounting Dimension,Dimensiunea contabilă DocType: Project,Customer Details,Detalii Client DocType: Buying Settings,Default Supplier Group,Grupul prestabilit de furnizori apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Vă rugăm să anulați mai întâi Anularea Achiziției {0} @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Cu cât este mai DocType: Designation,Required Skills,Aptitudini necesare DocType: Marketplace Settings,Disable Marketplace,Dezactivați Marketplace DocType: Budget,Action if Annual Budget Exceeded on Actual,Acțiune în cazul în care bugetul anual depășește suma actuală -DocType: Course,Course Abbreviation,Curs Abreviere apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Participarea nu a fost trimisă pentru {0} ca {1} în concediu. DocType: Pricing Rule,Promotional Scheme Id,Codul de promovare Id apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Data de încheiere a sarcinii {0} nu poate fi mai mare decât {1} data de așteptare așteptată {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Marja de bani DocType: Chapter,Chapter,Capitol DocType: Purchase Receipt Item Supplied,Current Stock,Stocul curent DocType: Employee,History In Company,Istoria companiei -DocType: Item,Manufacturer,Producător +DocType: Purchase Invoice Item,Manufacturer,Producător apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Sensibilitate moderată DocType: Compensatory Leave Request,Leave Allocation,Lăsați alocația DocType: Timesheet,Timesheet,Pontaj @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Materialul transferat DocType: Products Settings,Hide Variants,Ascunde variantele DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Dezactivați planificarea capacității și urmărirea timpului DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Se va calcula în tranzacție. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} este necesar pentru contul "Bilant" {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} nu este permis să efectueze tranzacții cu {1}. Schimbați compania. 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 să cumpere Achiziția == "DA", atunci pentru a crea factură de cumpărare, utilizatorul trebuie să creeze primul chitanță pentru elementul {0}" DocType: Delivery Trip,Delivery Details,detalii livrare @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Anterior apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Unitate de măsură DocType: Lab Test,Test Template,Șablon de testare DocType: Fertilizer,Fertilizer Contents,Conținut de îngrășăminte -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minut +DocType: Quality Meeting Minutes,Minute,Minut apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rândul {{0}: Activul {1} nu poate fi trimis, este deja {2}" DocType: Task,Actual Time (in Hours),Ora actuală (în ore) DocType: Period Closing Voucher,Closing Account Head,Închiderea șefului contului @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laborator DocType: Purchase Order,To Bill,Pentru Bill apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Cheltuieli de exploatare DocType: Manufacturing Settings,Time Between Operations (in mins),Timp între operațiuni (în minute) -DocType: Quality Goal,May,Mai +DocType: GSTR 3B Report,May,Mai apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Contul de plată pentru plata nu a fost creat, creați unul manual." DocType: Opening Invoice Creation Tool,Purchase,Cumpărare DocType: Program Enrollment,School House,Casa școală @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Informații legale și alte informații generale despre Furnizorul dvs. DocType: Item Default,Default Selling Cost Center,Implicit Centrul de costuri de vânzare DocType: Sales Partner,Address & Contacts,Adresă și contacte +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 participare prin Configurare> Serie de numerotare DocType: Subscriber,Subscriber,Abonat apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) nu este în stoc apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Selectați mai întâi Data de înregistrare @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Taxă pentru vizitarea p DocType: Bank Statement Settings,Transaction Data Mapping,Transaction Data Mapping apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,"Un plumb necesită fie numele unei persoane, fie numele unei organizații" DocType: Student,Guardians,Gardienii +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 instructorilor în Educație> Setări educaționale apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Selectați marca ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Venitul mediu DocType: Shipping Rule,Calculate Based On,Calculați pe baza @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Cheltuieli de revendicare A DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Rotunjire ajustare (moneda companiei) DocType: Item,Publish in Hub,Publicați în Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,August +DocType: GSTR 3B Report,August,August apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Introduceți mai întâi declarația de achiziție apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Început de an apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Vizați ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,Cantitate maximă de probă apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Sursa și depozitul țintă trebuie să fie diferite DocType: Employee Benefit Application,Benefits Applied,Beneficiile aplicate apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Împotriva înscrierii în jurnal {0} nu are nicio intrare {1} de neegalat +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Caracterele speciale, cu excepția "-", "#", ".", "/", "{" Și "}" nu sunt permise în seria de numire" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Sunt necesare plăci cu preț sau cu discount pentru produse apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Setați un obiectiv apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Recordul de participare {0} există împotriva studenților {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Pe luna DocType: Routing,Routing Name,Numele traseului DocType: Disease,Common Name,Denumirea comună -DocType: Quality Goal,Measurable,măsurabil DocType: Education Settings,LMS Title,Titlul LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Managementul împrumuturilor -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Asistență analitice DocType: Clinical Procedure,Consumable Total Amount,Suma totală consumabilă apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Activați Șablon apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Clientul LPO @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,servit DocType: Loan,Member,Membru DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Unitatea de servicii pentru practicieni apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Transfer prin cablu +DocType: Quality Review Objective,Quality Review Objective,Obiectivul de revizuire a calității DocType: Bank Reconciliation Detail,Against Account,Împotriva contului DocType: Projects Settings,Projects Settings,Setări de proiecte apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Cantitatea reală {0} / Cantitatea de așteptare {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ca apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Data de încheiere a anului fiscal ar trebui să fie un an după data de începere a anului fiscal apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Remedierea zilnică DocType: Item,Default Sales Unit of Measure,Unitatea de vânzare prestabilită a măsurii +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Compania GSTIN DocType: Asset Finance Book,Rate of Depreciation,Rata de amortizare DocType: Support Search Source,Post Description Key,Post Descriere cheie DocType: Loyalty Program Collection,Minimum Total Spent,Suma totală cheltuită @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Schimbarea Grupului de Clienți pentru Clientul selectat nu este permisă. DocType: Serial No,Creation Document Type,Tip document de creare DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Disponibil lotul lotului la depozit +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Factura Mare Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Acesta este un teritoriu rădăcină și nu poate fi editat. DocType: Patient,Surgical History,Istoria chirurgicală apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Arborele procedurilor de calitate. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,A DocType: Item Group,Check this if you want to show in website,Verificați dacă doriți să vă afișați pe site apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Anul fiscal {0} nu a fost găsit DocType: Bank Statement Settings,Bank Statement Settings,Setări ale declarației bancare +DocType: Quality Procedure Process,Link existing Quality Procedure.,Legați procedura de calitate existentă. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Import tabel de conturi din fișierele CSV / Excel DocType: Appraisal Goal,Score (0-5),Scor (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Atributul {0} este selectat de mai multe ori în tabelul Atribute DocType: Purchase Invoice,Debit Note Issued,Nota de debit emisă @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Lăsați detaliile politicii apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Depozitul nu a fost găsit în sistem DocType: Healthcare Practitioner,OP Consulting Charge,OP Taxă de consultanță -DocType: Quality Goal,Measurable Goal,Scopul măsurabil DocType: Bank Statement Transaction Payment Item,Invoices,facturile DocType: Currency Exchange,Currency Exchange,Schimb valutar DocType: Payroll Entry,Fortnightly,La două săptămâni @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} nu este trimis DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Materii prime de tip backflush din depozitul în lucru DocType: Maintenance Team Member,Maintenance Team Member,Membru al echipei de întreținere +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Configurați parametrii personalizați pentru contabilitate DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Distanța minimă dintre rândurile de plante pentru creștere optimă DocType: Employee Health Insurance,Health Insurance Name,Nume de Asigurări de Sănătate apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Activele stocurilor @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,Numele adresei de facturare apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Element alternativ DocType: Certification Application,Name of Applicant,Numele aplicantului DocType: Leave Type,Earned Leave,Salariu câștigat -DocType: Quality Goal,June,iunie +DocType: GSTR 3B Report,June,iunie apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Rând {0}: este necesar un centru de cost pentru un element {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Poate fi aprobat de {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unitatea de măsură {0} a fost introdusă de mai multe ori în tabelul Factor de conversie @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,Rata standard de vânzare apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Vă rugăm să setați un meniu activ pentru Restaurant {0} apps/erpnext/erpnext/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: Asset Finance Book,Asset Finance Book,Cartea de finanțare a activelor +DocType: Quality Goal Objective,Quality Goal Objective,Obiectivul obiectivului de calitate DocType: Employee Transfer,Employee Transfer,Transferul angajaților ,Sales Funnel,Pâlnie de vânzări DocType: Agriculture Analysis Criteria,Water Analysis,Analiza apei @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Angajamentul tran apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Activități în curs apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Listează câțiva dintre clienții dvs. Ar putea fi organizații sau persoane fizice. DocType: Bank Guarantee,Bank Account Info,Contul bancar Info +DocType: Quality Goal,Weekday,zi de lucru apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Numele Guardian1 DocType: Salary Component,Variable Based On Taxable Salary,Variabilă pe salariu impozabil DocType: Accounting Period,Accounting Period,Perioadă contabilă @@ -2229,7 +2245,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Rotunjire ajustare DocType: Quality Review Table,Quality Review Table,Tabela de revizuire a calității DocType: Member,Membership Expiry Date,Data expirării membrilor DocType: Asset Finance Book,Expected Value After Useful Life,Valoarea preconizată după viața utilă -DocType: Quality Goal,November,noiembrie +DocType: GSTR 3B Report,November,noiembrie DocType: Loan Application,Rate of Interest,Rata dobânzii DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Articol de plată pentru tranzacțiile din contul bancar DocType: Restaurant Reservation,Waitlisted,waitlisted @@ -2293,6 +2309,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Rând {0}: Pentru a seta periodicitatea {1}, diferența dintre și de la data \ trebuie să fie mai mare sau egală cu {2}" DocType: Purchase Invoice Item,Valuation Rate,Rata de evaluare DocType: Shopping Cart Settings,Default settings for Shopping Cart,Setările implicite pentru Coșul de cumpărături +DocType: Quiz,Score out of 100,Scor din 100 DocType: Manufacturing Settings,Capacity Planning,Planificarea capacitatii apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Du-te la instructori DocType: Activity Cost,Projects,proiecte @@ -2302,6 +2319,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Din timp apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Varianta Detalii raport +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Pentru cumpărare apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Sloturile pentru {0} nu sunt adăugate la program DocType: Target Detail,Target Distribution,Distribuția țintă @@ -2319,6 +2337,7 @@ DocType: Activity Cost,Activity Cost,Costul activității DocType: Journal Entry,Payment Order,Ordin de plată apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Prețuri ,Item Delivery Date,Data livrării datei +DocType: Quality Goal,January-April-July-October,Ianuarie-aprilie-iulie-octombrie DocType: Purchase Order Item,Warehouse and Reference,Depozit și referință apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Contul cu nodurile copilului nu poate fi convertit în registru DocType: Soil Texture,Clay Composition (%),Compoziție din argilă (%) @@ -2369,6 +2388,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Datele viitoare nu sun apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rând {0}: stabiliți modul de plată în programul de plată apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Termen academic: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Parametru de feedback de calitate apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Selectați Aplicați reducerea la apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Rândul # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Plățile totale @@ -2411,7 +2431,7 @@ DocType: Hub Tracked Item,Hub Node,Hub Nod apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,card de identitate al angajatului DocType: Salary Structure Assignment,Salary Structure Assignment,Structura salarială DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Taxele de voucher pentru închiderea POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Acțiune inițializată +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Acțiune inițializată DocType: POS Profile,Applicable for Users,Aplicabil pentru utilizatori DocType: Training Event,Exam,Examen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Număr incorect de intrări în registrul general găsit. Este posibil să fi selectat un cont greșit în tranzacție. @@ -2518,6 +2538,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Longitudine DocType: Accounts Settings,Determine Address Tax Category From,Determinarea categoriei de taxe de adrese de la apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Identificarea factorilor de decizie +DocType: Stock Entry Detail,Reference Purchase Receipt,Referință de primire de referință apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Obțineți inexacte DocType: Tally Migration,Is Day Book Data Imported,Sunt importate date despre carte de zi ,Sales Partners Commission,Comisia pentru Parteneri de Vânzări @@ -2541,6 +2562,7 @@ DocType: Leave Type,Applicable After (Working Days),Aplicabil după (zile lucră DocType: Timesheet Detail,Hrs,ore DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Criteriile Scorecard pentru furnizori DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parametrul de șablon de feedback de calitate apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Data aderării trebuie să fie mai mare decât data nașterii DocType: Bank Statement Transaction Invoice Item,Invoice Date,Data facturii DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Creați test (e) de laborator pe factură de vânzări @@ -2647,7 +2669,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Valoarea minimă admi DocType: Stock Entry,Source Warehouse Address,Adresa sursă a depozitului DocType: Compensatory Leave Request,Compensatory Leave Request,Cerere de plecare compensatorie DocType: Lead,Mobile No.,Numar de telefon mobil. -DocType: Quality Goal,July,iulie +DocType: GSTR 3B Report,July,iulie apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC eligibilă DocType: Fertilizer,Density (if liquid),Densitatea (dacă este lichidă) DocType: Employee,External Work History,Istoria lucrărilor externe @@ -2724,6 +2746,7 @@ DocType: Certification Application,Certification Status,Starea certificării apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Sursa Locația este necesară pentru elementul {0} DocType: Employee,Encashment Date,Data încorporării apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Selectați Data de încheiere pentru jurnalul de întreținere a activelor finalizate +DocType: Quiz,Latest Attempt,Ultimele încercări DocType: Leave Block List,Allow Users,Permiteți utilizatorilor apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Grafic de conturi apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Clientul este obligatoriu dacă opțiunea "Opportunity From" este selectată ca Client @@ -2788,7 +2811,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Setarea Scorecard pe DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Setări DocType: Program Enrollment,Walking,mers DocType: SMS Log,Requested Numbers,Numerele solicitate -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 participare prin Configurare> Serie de numerotare DocType: Woocommerce Settings,Freight and Forwarding Account,Contul de expediere și de expediere apps/erpnext/erpnext/accounts/party.py,Please select a Company,Selectați o companie apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Rând {0}: {1} trebuie să fie mai mare de 0 @@ -2858,7 +2880,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Facturi rid DocType: Training Event,Seminar,Seminar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Credit ({0}) DocType: Payment Request,Subscription Plans,Planuri de abonament -DocType: Quality Goal,March,Martie +DocType: GSTR 3B Report,March,Martie apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Split Lot DocType: School House,House Name,Numele casei apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Remarcabil pentru {0} nu poate fi mai mic de zero ({1}) @@ -2921,7 +2943,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Data de începere a asigurării DocType: Target Detail,Target Detail,Detaliile țintă DocType: Packing Slip,Net Weight UOM,Greutate netă UOM -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Factor de conversie ({0} -> {1}) nu a fost găsit pentru articol: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Sumă netă (moneda companiei) DocType: Bank Statement Transaction Settings Item,Mapped Data,Date cartografiate apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Titluri de valoare și depozite @@ -2971,6 +2992,7 @@ DocType: Cheque Print Template,Cheque Height,Verificați Inaltime apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Introduceți data de eliberare. DocType: Loyalty Program,Loyalty Program Help,Programul de ajutor pentru loialitate DocType: Journal Entry,Inter Company Journal Entry Reference,Întreprinderea de referință pentru intrarea în jurnal +DocType: Quality Meeting,Agenda,Agendă DocType: Quality Action,Corrective,corectiv apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,A se grupa cu DocType: Bank Account,Address and Contact,Adresă și contact @@ -3024,7 +3046,7 @@ DocType: GL Entry,Credit Amount,Suma creditului apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Suma totală creditată DocType: Support Search Source,Post Route Key List,Afișați lista cheilor de rutare apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} nu într-un an fiscal fiscal activ. -DocType: Quality Action Table,Problem,Problemă +DocType: Quality Action Resolution,Problem,Problemă DocType: Training Event,Conference,Conferinţă DocType: Mode of Payment Account,Mode of Payment Account,Modul de cont de plată DocType: Leave Encashment,Encashable days,Zile încorporate @@ -3150,7 +3172,7 @@ DocType: Item,"Purchase, Replenishment Details","Achiziționați, Detalii de com DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Odată setat, această factură va fi suspendată până la data stabilită" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"Stocul nu poate exista pentru articolul {0}, deoarece are variante" DocType: Lab Test Template,Grouped,grupate -DocType: Quality Goal,January,ianuarie +DocType: GSTR 3B Report,January,ianuarie DocType: Course Assessment Criteria,Course Assessment Criteria,Criterii de evaluare a cursului DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Număr finalizat @@ -3246,7 +3268,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Tipul unită apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Introduceți cel puțin 1 factură în tabel apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Ordinul de vânzări {0} nu este trimis apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Participarea a fost marcată cu succes. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Pre Vânzări +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pre Vânzări apps/erpnext/erpnext/config/projects.py,Project master.,Master de proiect. DocType: Daily Work Summary,Daily Work Summary,Rezumat zilnic de lucru DocType: Asset,Partially Depreciated,Parțial amortizat @@ -3255,6 +3277,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Lasă Encashed? DocType: Certified Consultant,Discuss ID,Discutați ID-ul apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Vă rugăm să setați Conturi GST în Setări GST +DocType: Quiz,Latest Highest Score,Ultimul cel mai mare scor DocType: Supplier,Billing Currency,Factura de valută apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Activitatea studenților apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Suma țintă sau suma țintă este obligatorie @@ -3280,18 +3303,21 @@ DocType: Sales Order,Not Delivered,Nelivrat apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Tipul de plecare {0} nu poate fi alocat deoarece este plecat fără plată DocType: GL Entry,Debit Amount,Sumă de debit apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Încă există înregistrare pentru articolul {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Subansambluri 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.","Dacă în continuare prevalează mai multe reguli de stabilire a prețurilor, utilizatorii trebuie să stabilească manual prioritatea pentru a rezolva conflictele." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Nu se poate deduce când categoria este pentru "Evaluare" sau "Evaluare și Total" 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/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Punctul {0} a ajuns la sfârșitul vieții sale la {1} DocType: Quality Inspection Reading,Reading 6,Citirea 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Este necesar câmpul companiei apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Consumul de materiale nu este setat în Setări de fabricare. DocType: Assessment Group,Assessment Group Name,Numele grupului de evaluare -DocType: Item,Manufacturer Part Number,Codul producătorului +DocType: Purchase Invoice Item,Manufacturer Part Number,Codul producătorului apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Salariul plătibil apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Rândul # {0}: {1} nu poate fi negativ pentru articolul {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Cant +DocType: Question,Multiple Correct Answer,Răspuns multiplu corect DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Puncte de loialitate = Cât de multă monedă de bază? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Notă: Balanța de plecare nu este suficientă pentru tipul de plecare {0} DocType: Clinical Procedure,Inpatient Record,Înregistrări de pacienți @@ -3414,6 +3440,7 @@ DocType: Fee Schedule Program,Total Students,Total studenți apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Local DocType: Chapter Member,Leave Reason,Lăsați rațiunea DocType: Salary Component,Condition and Formula,Starea și formula +DocType: Quality Goal,Objectives,Obiective apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salariul deja procesat pentru perioada cuprinsă între {0} și {1}, Perioada de plecare a aplicației nu poate fi cuprinsă între acest interval de date." DocType: BOM Item,Basic Rate (Company Currency),Rata de bază (moneda companiei) DocType: BOM Scrap Item,BOM Scrap Item,BOM Item Scrap @@ -3464,6 +3491,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Cheltuieli de revendicare a contului apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nu există rambursări disponibile pentru înscrierea în jurnal apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} este student inactiv +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Faceți intrarea în stoc DocType: Employee Onboarding,Activities,Activitati apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast un depozit este obligatoriu ,Customer Credit Balance,Soldul creditelor clienților @@ -3548,7 +3576,6 @@ DocType: Contract,Contract Terms,Termenii contractului apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Suma țintă sau suma țintă este obligatorie. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Nu este valid {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Data reuniunii DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Abrevierea nu poate avea mai mult de 5 caractere DocType: Employee Benefit Application,Max Benefits (Yearly),Beneficii maxim (anual) @@ -3651,7 +3678,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Taxe bancare apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Bunurile transferate apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Detalii de contact primare -DocType: Quality Review,Values,valori DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Dacă nu este bifată, lista trebuie adăugată fiecărui departament unde trebuie aplicată." DocType: Item Group,Show this slideshow at the top of the page,Afișați această prezentare de diapozitive în partea de sus a paginii apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} este nevalid @@ -3670,6 +3696,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Contul de taxe bancare DocType: Journal Entry,Get Outstanding Invoices,Obțineți facturi excepționale DocType: Opportunity,Opportunity From,Oportunitate de la +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Detaliile țintă DocType: Item,Customer Code,Cod de client apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Introduceți primul element apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Înregistrarea site-ului @@ -3698,7 +3725,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Livrare la DocType: Bank Statement Transaction Settings Item,Bank Data,Date bancare apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Programat până -DocType: Quality Goal,Everyday,In fiecare zi DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Menținerea orelor de facturare și a orelor de lucru la același nivel apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Oportunități de urmărire după sursa de plumb. DocType: Clinical Procedure,Nursing User,Utilizator Nursing @@ -3723,7 +3749,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Gestionați arborele d DocType: GL Entry,Voucher Type,Tipul voucherului ,Serial No Service Contract Expiry,Contractul nu expiră din contractul de servicii DocType: Certification Application,Certified,certificat -DocType: Material Request Plan Item,Manufacture,Fabricare +DocType: Purchase Invoice Item,Manufacture,Fabricare apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} articolele produse apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Solicitare de plată pentru {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Zile de la ultima comandă @@ -3738,7 +3764,7 @@ DocType: Sales Invoice,Company Address Name,Numele companiei apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Bunuri în tranzit apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Puteți răscumpăra max {0} puncte în această ordine. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Stabiliți contul în Warehouse {0} -DocType: Quality Action Table,Resolution,Rezoluţie +DocType: Quality Action,Resolution,Rezoluţie DocType: Sales Invoice,Loyalty Points Redemption,Răscumpărarea punctelor de loialitate apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Valoarea impozabilă totală DocType: Patient Appointment,Scheduled,programat @@ -3859,6 +3885,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Rată apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Salvarea {0} DocType: SMS Center,Total Message(s),Mesaj total (e) +DocType: Purchase Invoice,Accounting Dimensions,Dimensiuni contabile apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grup după cont DocType: Quotation,In Words will be visible once you save the Quotation.,Cuvintele vor fi vizibile odată ce ați salvat Cotatia. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Cantitate de produs @@ -4023,7 +4050,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,D apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Dacă aveți întrebări, vă rugăm să reveniți la noi." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Nu este trimisă chitanța de achiziție {0} DocType: Task,Total Expense Claim (via Expense Claim),Cerere de cheltuieli totale (prin revendicarea cheltuielilor) -DocType: Quality Action,Quality Goal,Obiectiv de calitate +DocType: Quality Goal,Quality Goal,Obiectiv de calitate DocType: Support Settings,Support Portal,Portal de suport apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Data de încheiere a sarcinii {0} nu poate fi mai mică de {1} data de începere așteptată {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Angajatul {0} este pe Lăsați pe {1} @@ -4082,7 +4109,6 @@ DocType: BOM,Operating Cost (Company Currency),Costul de funcționare (moneda co DocType: Item Price,Item Price,Pretul articolului DocType: Payment Entry,Party Name,Numele partidului apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Selectați un client -DocType: Course,Course Intro,Intro curs DocType: Program Enrollment Tool,New Program,Program nou apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Numărul noului Centru de cost, acesta va fi inclus în prefixul centrului de costuri" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Selectați clientul sau furnizorul. @@ -4283,6 +4309,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Plata netă nu poate fi negativă apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Nr de interacțiuni 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/hr/doctype/employee/employee_dashboard.py,Shift,Schimb apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Programa de procesare și părți DocType: Stock Settings,Convert Item Description to Clean HTML,Conversia elementului de articol pentru a curăța HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Toate grupurile de furnizori @@ -4361,6 +4388,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Elementul părinte apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,brokeraj apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Creați factură de chitanță sau achiziție pentru elementul {0} +,Product Bundle Balance,Balanța pachetului de produse apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Numele Companiei nu poate fi Companie DocType: Maintenance Visit,Breakdown,Pană DocType: Inpatient Record,B Negative,B Negativ @@ -4369,7 +4397,7 @@ DocType: Purchase Invoice,Credit To,Credință spre apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Trimiteți acest ordin de lucru pentru o prelucrare ulterioară. DocType: Bank Guarantee,Bank Guarantee Number,Numărul de garanție bancară apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Livrat: {0} -DocType: Quality Action,Under Review,În curs de revizuire +DocType: Quality Meeting Table,Under Review,În curs de revizuire apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Agricultura (beta) ,Average Commission Rate,Rata medie a comisionului DocType: Sales Invoice,Customer's Purchase Order Date,Data comenzii de achiziție a clientului @@ -4486,7 +4514,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Plătiți plățile cu facturi DocType: Holiday List,Weekly Off,Săptămânal oprit apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Nu permiteți setarea unui element alternativ pentru articolul {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Programul {0} nu există. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programul {0} nu există. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Nu puteți edita nodul rădăcină. DocType: Fee Schedule,Student Category,Categoria elevilor apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Articol {0}: {1} cantitate produsă," @@ -4577,8 +4605,8 @@ DocType: Crop,Crop Spacing,Decupați distanța DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Cât de des ar trebui să fie actualizate proiectul și compania pe baza tranzacțiilor de vânzare. DocType: Pricing Rule,Period Settings,Setările perioadei apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Modificarea netă a creanțelor contabile +DocType: Quality Feedback Template,Quality Feedback Template,Șablon de feedback de calitate 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 -DocType: Quality Goal,Goal Objectives,Obiectivele obiectivelor apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Există incoerențe între rata, numărul de acțiuni și suma calculată" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Lăsați necompletat dacă faceți grupuri de studenți pe an apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Credite (pasive) @@ -4613,12 +4641,13 @@ DocType: Quality Procedure Table,Step,Etapa DocType: Normal Test Items,Result Value,Rezultatul Valoare DocType: Cash Flow Mapping,Is Income Tax Liability,Răspunderea pentru impozitul pe venit DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Taxă pentru vizitarea pacientului -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} nu există. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} nu există. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Actualizați răspunsul DocType: Bank Guarantee,Supplier,Furnizor apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Introduceți valoare între {0} și {1} DocType: Purchase Order,Order Confirmation Date,Data de confirmare a comenzii DocType: Delivery Trip,Calculate Estimated Arrival Times,Calculați timpul estimat de sosire +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configurați sistemul de numire a angajaților în Resurse umane> Setări HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumabil DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Data de începere a abonării @@ -4682,6 +4711,7 @@ DocType: Cheque Print Template,Is Account Payable,Contul este plătibil apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Valoarea totală a comenzii apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Furnizorul {0} nu a fost găsit în {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Configurați setările gateway-ului SMS +DocType: Salary Component,Round to the Nearest Integer,E rândul spre cel mai apropiat întreg apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Rădăcina nu poate avea un centru de costuri părinte DocType: Healthcare Service Unit,Allow Appointments,Permiteți întâlnirilor DocType: BOM,Show Operations,Afișați operațiunile @@ -4810,7 +4840,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Listă preferată de vacanță DocType: Naming Series,Current Value,Valoarea curentă apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezonalitate pentru stabilirea bugetelor, țintelor etc." -DocType: Program,Program Code,Codul programului apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Avertisment: Comanda de vânzări {0} există deja împotriva comenzii de achiziție a clientului {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Vânzări lunare ( DocType: Guardian,Guardian Interests,Garda de interese @@ -4860,10 +4889,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Plătit și neîncasat apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Codul elementului este obligatoriu deoarece elementul nu este numerotat automat DocType: GST HSN Code,HSN Code,Codul HSN -DocType: Quality Goal,September,Septembrie +DocType: GSTR 3B Report,September,Septembrie apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Cheltuieli administrative DocType: C-Form,C-Form No,C-Formular nr DocType: Purchase Invoice,End date of current invoice's period,Data de încheiere a perioadei facturii curente +DocType: Item,Manufacturers,Producători DocType: Crop Cycle,Crop Cycle,Ciclu de recoltare DocType: Serial No,Creation Time,Timpul de creație apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Introduceți Rolul de aprobare sau Aprobați utilizatorul @@ -4936,8 +4966,6 @@ DocType: Employee,Short biography for website and other publications.,Scurtă bi DocType: Purchase Invoice Item,Received Qty,Numărul primit DocType: Purchase Invoice Item,Rate (Company Currency),Rata (moneda companiei) DocType: Item Reorder,Request for,Cerere pentru -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ștergeți angajatul {0} \ pentru a anula acest document" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Instalarea presetărilor apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Introduceți perioadele de rambursare DocType: Pricing Rule,Advanced Settings,Setari avansate @@ -4963,7 +4991,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Activați Coșul de cumpărături DocType: Pricing Rule,Apply Rule On Other,Aplicați regula pe altul DocType: Vehicle,Last Carbon Check,Ultima verificare a emisiilor de carbon -DocType: Vehicle,Make,Face +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Face apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Factura de vânzări {0} creată ca plătită apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Pentru a crea un document de referință privind solicitarea de plată este necesar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Impozit pe venit @@ -5039,7 +5067,6 @@ DocType: Territory,Parent Territory,Teritoriul părintelui DocType: Vehicle Log,Odometer Reading,Citirea kilometrajului DocType: Additional Salary,Salary Slip,Salt de salariu DocType: Payroll Entry,Payroll Frequency,Frecvența salariilor -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configurați sistemul de numire a angajaților în Resurse umane> Setări HR apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Datele de început și de sfârșit nu se află într-o perioadă de salarizare valabilă, nu pot calcula {0}" DocType: Products Settings,Home Page is Products,Pagina principală este Produse apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,apeluri @@ -5093,7 +5120,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Încărcarea înregistrărilor ...... DocType: Delivery Stop,Contact Information,Informatii de contact DocType: Sales Order Item,For Production,Pentru producție -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 instructorilor în Educație> Setări educaționale DocType: Serial No,Asset Details,Detaliile activelor DocType: Restaurant Reservation,Reservation Time,Timp de rezervare DocType: Selling Settings,Default Territory,Teritoriul implicit @@ -5233,6 +5259,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,A apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Loturile expirate DocType: Shipping Rule,Shipping Rule Type,Tip de regulă de transport DocType: Job Offer,Accepted,Admis +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ștergeți angajatul {0} \ pentru a anula acest document" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Ați evaluat deja criteriile de evaluare {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Selectați numerele lotului apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Vârsta (zile) @@ -5249,6 +5277,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Articolele Bundle la momentul vânzării. DocType: Payment Reconciliation Payment,Allocated Amount,Sumă alocată apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Selectați Companie și desemnare +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,"Data" este obligatorie DocType: Email Digest,Bank Credit Balance,Soldul creditelor bancare apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Afișați suma cumulată apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Nu aveți puncte de loialitate pentru a răscumpăra @@ -5309,11 +5338,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Pe rândul precedent t DocType: Student,Student Email Address,Adresa de e-mail a studentului DocType: Academic Term,Education,Educaţie DocType: Supplier Quotation,Supplier Address,Adresa furnizorului -DocType: Salary Component,Do not include in total,Nu includeți în total +DocType: Salary Detail,Do not include in total,Nu includeți în total 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. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nu există DocType: Purchase Receipt Item,Rejected Quantity,Cantitatea respinsă DocType: Cashier Closing,To TIme,La Timp +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Factor de conversie ({0} -> {1}) nu a fost găsit pentru articol: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Utilizatorul grupului zilnic de lucru sumar DocType: Fiscal Year Company,Fiscal Year Company,Anul fiscal apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Elementul alternativ nu trebuie să fie același cu codul elementului @@ -5423,7 +5453,6 @@ DocType: Fee Schedule,Send Payment Request Email,Trimiteți e-mail cu solicitare DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Cuvintele vor fi vizibile odată ce salvați factura de vânzare. DocType: Sales Invoice,Sales Team1,Echipa de vânzări1 DocType: Work Order,Required Items,Articolele necesare -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Caractere speciale, cu excepția "-", "#", "" ". și "/" nu este permisă în seria de numire" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Citiți manualul ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Verificați numărul unic al facturii furnizorului apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Căutați subansambluri @@ -5491,7 +5520,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Deducție procentuală 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: Share Balance,To No,Pentru a Nu DocType: Leave Control Panel,Allocate Leaves,Aloca frunzele -DocType: Quiz,Last Attempt,Ultima incercare DocType: Assessment Result,Student Name,Numele studentului apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Plan de vizite de întreținere. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Următoarele solicitări de materiale au fost ridicate automat în funcție de nivelul de rearanjare al elementului @@ -5560,6 +5588,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Indicator Culoare DocType: Item Variant Settings,Copy Fields to Variant,Copiați câmpurile în varianta DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Răspuns unic corect apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,De la data nu poate fi mai mică decât data angajării angajatului DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Permiteți mai multe comenzi de vânzări împotriva comenzii de aprovizionare a unui client apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5622,7 +5651,7 @@ DocType: Account,Expenses Included In Valuation,Cheltuieli incluse în evaluare apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Numerele de serie DocType: Salary Slip,Deductions,deduceri ,Supplier-Wise Sales Analytics,Analiza vânzărilor pe bază de furnizori -DocType: Quality Goal,February,februarie +DocType: GSTR 3B Report,February,februarie DocType: Appraisal,For Employee,Pentru angajat apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Data livrării efective DocType: Sales Partner,Sales Partner Name,Numele partenerului de vânzări @@ -5718,7 +5747,6 @@ DocType: Procedure Prescription,Procedure Created,Procedura creată apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Împotriva facturii furnizorului {0} din data de {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Schimbarea profilului POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Creați plumb -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizor> Tipul furnizorului DocType: Shopify Settings,Default Customer,Clientul implicit DocType: Payment Entry Reference,Supplier Invoice No,Factura furnizor nr DocType: Pricing Rule,Mixed Conditions,Condiții mixte @@ -5769,12 +5797,14 @@ DocType: Item,End of Life,Sfârșitul vieții DocType: Lab Test Template,Sensitivity,Sensibilitate DocType: Territory,Territory Targets,Obiective teritoriale apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Omiterea lăsării alocării pentru următorii angajați, deoarece există deja înregistrări privind alocările pentru alocare. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Rezoluția acțiunii de calitate DocType: Sales Invoice Item,Delivered By Supplier,Furnizat de furnizor DocType: Agriculture Analysis Criteria,Plant Analysis,Analiza plantelor apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Contul de cheltuieli este obligatoriu pentru articolul {0} ,Subcontracted Raw Materials To Be Transferred,Subcontractate de materii prime pentru a fi transferate DocType: Cashier Closing,Cashier Closing,Închiderea caselor apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Elementul {0} a fost deja returnat +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN nevalid! Intrarea pe care ați introdus-o nu se potrivește cu formatul GSTIN pentru deținătorii de UIN sau furnizorii de servicii OIDAR non-rezidenți apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Există depozit pentru copii pentru acest depozit. Nu puteți șterge acest depozit. DocType: Diagnosis,Diagnosis,Diagnostic apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Nu există o perioadă de concediu între {0} și {1} @@ -5791,6 +5821,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Setările de autorizare DocType: Homepage,Products,Produse ,Profit and Loss Statement,Raport de profit și pierdere apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Camere rezervate +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Introduceți duplicat codul elementului {0} și producătorul {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Greutate totală apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Călătorie @@ -5839,6 +5870,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Grupul de clienți implicit DocType: Journal Entry Account,Debit in Company Currency,Debit în moneda companiei DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Seria de rezervă este "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Agenda de întâlnire a calității DocType: Cash Flow Mapper,Section Header,Secțiunea Antet apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Produsele sau serviciile dvs. DocType: Crop,Perennial,peren @@ -5884,7 +5916,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Un produs sau un serviciu care este cumpărat, vândut sau păstrat în stoc." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Închidere (Deschidere + Total) DocType: Supplier Scorecard Criteria,Criteria Formula,Criterii Formula -,Support Analytics,Suport Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Suport Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Revizuire și acțiune DocType: Account,"If the account is frozen, entries are allowed to restricted users.","În cazul în care contul este înghețat, intrările sunt permise utilizatorilor restricționați." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Suma după amortizare @@ -5929,7 +5961,6 @@ DocType: Contract Template,Contract Terms and Conditions,Termeni și condiții c apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Obțineți date DocType: Stock Settings,Default Item Group,Grupul de elemente implicit DocType: Sales Invoice Timesheet,Billing Hours,Orele de facturare -DocType: Item,Item Code for Suppliers,Codul Codului pentru Furnizori 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} există deja împotriva elevului {1} DocType: Pricing Rule,Margin Type,Margine tip DocType: Purchase Invoice Item,Rejected Serial No,Refuzat numărul de serie @@ -6002,6 +6033,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Frunzele au fost acordate cu succes DocType: Loyalty Point Entry,Expiry Date,Data expirarii DocType: Project Task,Working,Lucru +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} are deja o procedură parentală {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Aceasta se bazează pe tranzacțiile împotriva acestui pacient. Consultați linia temporală de mai jos pentru detalii DocType: Material Request,Requested For,Solicitat pentru DocType: SMS Center,All Sales Person,Toată Persoana de Vânzări @@ -6089,6 +6121,7 @@ DocType: Loan Type,Maximum Loan Amount,Suma maximă a împrumutului apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-mailul nu a fost găsit în contactul implicit DocType: Hotel Room Reservation,Booked,rezervat DocType: Maintenance Visit,Partially Completed,Parțial finalizată +DocType: Quality Procedure Process,Process Description,Descrierea procesului DocType: Company,Default Employee Advance Account,Implicit Cont Advance Advance Employee DocType: Leave Type,Allow Negative Balance,Permiteți soldul negativ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Numele planului de evaluare @@ -6130,6 +6163,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Cerere pentru elementul de cotare apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} introdus de două ori în Taxa pentru articole DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Deducerea integrală a impozitului pe data de salarizare selectată +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Ultima dată de verificare a carbonului nu poate fi o dată viitoare apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Selectați contul pentru suma modificată DocType: Support Settings,Forum Posts,Mesaje pe forum DocType: Timesheet Detail,Expected Hrs,Se așteptau ore @@ -6139,7 +6173,7 @@ DocType: Program Enrollment Tool,Enroll Students,Înscrieți-vă pe studenți apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Repetați veniturile clienților DocType: Company,Date of Commencement,Data începerii DocType: Bank,Bank Name,Numele băncii -DocType: Quality Goal,December,decembrie +DocType: GSTR 3B Report,December,decembrie apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Valabil de la dată trebuie să fie mai mică decât valabil până la data apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Aceasta se bazează pe participarea acestui angajat DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Dacă este bifată, pagina principală va fi grupul de elemente implicit pentru site" @@ -6182,6 +6216,7 @@ DocType: Payment Entry,Payment Type,Tipul de plată apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Numerele folio nu se potrivesc DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Inspecția calității: {0} nu este trimis pentru articol: {1} pe rând {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Afișați {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} element găsit. ,Stock Ageing,Îmbătrânirea stocurilor DocType: Customer Group,Mention if non-standard receivable account applicable,Menționați dacă este aplicabil contul non-standard de creanță @@ -6460,6 +6495,7 @@ DocType: Travel Request,Costing,costing apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Mijloace fixe DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Total câștiguri +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriu DocType: Share Balance,From No,De la nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Factura de reconciliere a plăților DocType: Purchase Invoice,Taxes and Charges Added,Taxele și taxele adăugate @@ -6467,7 +6503,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Luați în consid DocType: Authorization Rule,Authorized Value,Valoare autorizată apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Primit de la apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Depozitul {0} nu există +DocType: Item Manufacturer,Item Manufacturer,Producătorul articolului DocType: Sales Invoice,Sales Team,Echipa de vânzări +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Cantitate DocType: Purchase Order Item Supplied,Stock UOM,Stoc UOM DocType: Installation Note,Installation Date,Data instalării DocType: Email Digest,New Quotations,Noi cotatii @@ -6531,7 +6569,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Lista cu numele de vacanță DocType: Water Analysis,Collection Temperature ,Temperatura colecției DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Gestionați trimiterea și anularea automat a facturii de întâlnire pentru întâlnirea cu pacienții -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setați seria de numire pentru {0} prin Configurare> Setări> Serii de numire DocType: Employee Benefit Claim,Claim Date,Data revendicării DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Lăsați necompletat dacă furnizorul este blocat pe o perioadă nedeterminată apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Participarea de la data și prezența la data este obligatorie @@ -6542,6 +6579,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Data pensionării apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Selectați Patient DocType: Asset,Straight Line,Linie dreapta +DocType: Quality Action,Resolutions,rezoluţiile DocType: SMS Log,No of Sent SMS,Nr. De SMS trimise ,GST Itemised Sales Register,GST Registrul de vânzări detaliat apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Suma avansului total nu poate fi mai mare decât suma totală sancționată @@ -6652,7 +6690,7 @@ DocType: Account,Profit and Loss,Profit și pierdere apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Cantitate diferențială DocType: Asset Finance Book,Written Down Value,Valoarea scrise în jos apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Deschiderea echilibrului -DocType: Quality Goal,April,Aprilie +DocType: GSTR 3B Report,April,Aprilie DocType: Supplier,Credit Limit,Limita de credit apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,distribuire apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6707,6 +6745,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Conectați-vă la Shopify cu ERPNext DocType: Homepage Section Card,Subtitle,Subtitlu DocType: Soil Texture,Loam,Lut +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizor> Tipul furnizorului DocType: BOM,Scrap Material Cost(Company Currency),Costul materialului de scutire (moneda companiei) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Notă de livrare {0} nu trebuie trimisă DocType: Task,Actual Start Date (via Time Sheet),Data de începere efectivă (prin foaia de timp) @@ -6762,7 +6801,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dozare DocType: Cheque Print Template,Starting position from top edge,Poziția de pornire de la marginea de sus apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Durata de programare (minute) -DocType: Pricing Rule,Disable,Dezactivați +DocType: Accounting Dimension,Disable,Dezactivați DocType: Email Digest,Purchase Orders to Receive,Comenzi de cumpărare pentru primire apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Comenzile de producție nu pot fi ridicate pentru: DocType: Projects Settings,Ignore Employee Time Overlap,Ignorați suprapunerea timpului angajatului @@ -6846,6 +6885,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Creaț DocType: Item Attribute,Numeric Values,Valorile numerice DocType: Delivery Note,Instructions,Instrucțiuni DocType: Blanket Order Item,Blanket Order Item,Articol de comandă pentru pătură +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Obligatoriu pentru contul de profit și pierdere apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Rata Comisiei nu poate fi mai mare de 100 DocType: Course Topic,Course Topic,Tema cursului DocType: Employee,This will restrict user access to other employee records,Acest lucru va restricționa accesul utilizatorilor la alte înregistrări ale angajaților @@ -6870,12 +6910,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Managementul a apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Obțineți clienți de la apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Raportează către +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Contul de partid DocType: Assessment Plan,Schedule,Programa apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Te rog intra DocType: Lead,Channel Partner,Channel Partner apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Sumă facturată DocType: Project,From Template,Din Template +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Abonamente apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Cantitate de făcut DocType: Quality Review Table,Achieved,realizat @@ -6922,7 +6964,6 @@ DocType: Journal Entry,Subscription Section,Secțiunea de subscripție DocType: Salary Slip,Payment Days,Zile de plată apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informații despre voluntari. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"Stocarea stocurilor mai vechi decât ar trebui să fie mai mică de% d zile. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Selectați anul fiscal DocType: Bank Reconciliation,Total Amount,Valoare totală DocType: Certification Application,Non Profit,Non Profit DocType: Subscription Settings,Cancel Invoice After Grace Period,Anulați factura după perioada de grație @@ -6935,7 +6976,6 @@ DocType: Serial No,Warranty Period (Days),Perioada de garanție (zile) DocType: Expense Claim Detail,Expense Claim Detail,Detaliile privind revendicarea cheltuielilor apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program: DocType: Patient Medical Record,Patient Medical Record,Dosarul medical al pacientului -DocType: Quality Action,Action Description,Descrierea acțiunii DocType: Item,Variant Based On,Varianta bazată pe DocType: Vehicle Service,Brake Oil,Ulei de frână DocType: Employee,Create User,Creaza utilizator @@ -6991,7 +7031,7 @@ DocType: Cash Flow Mapper,Section Name,Numele secțiunii DocType: Packed Item,Packed Item,Articol ambalat apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Suma de debit sau credit este obligatorie pentru {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Trimiterea buletinelor salariale ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Fara actiune +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Fara actiune apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bugetul nu poate fi atribuit lui {0}, deoarece nu este un cont de venituri sau cheltuieli" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Maeștri și Conturi DocType: Quality Procedure Table,Responsible Individual,Persoana responsabilă @@ -7114,7 +7154,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Permiteți crearea de cont împotriva companiei copilului DocType: Payment Entry,Company Bank Account,Contul bancar al companiei DocType: Amazon MWS Settings,UK,Regatul Unit -DocType: Quality Procedure,Procedure Steps,Etapele procedurii DocType: Normal Test Items,Normal Test Items,Elemente de test normale apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Elementul {0}: cantitatea comandată {1} nu poate fi mai mică decât comanda minimă qty {2} (definită în articol). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Nu este în stoc @@ -7193,7 +7232,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Google Analytics DocType: Maintenance Team Member,Maintenance Role,Rolul de întreținere apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Termeni și condiții DocType: Fee Schedule Program,Fee Schedule Program,Programul programului de plăți -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Cursul {0} nu există. DocType: Project Task,Make Timesheet,Faceți Timesheet DocType: Production Plan Item,Production Plan Item,Planul de producție apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Total Student @@ -7215,6 +7253,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Înfășurați-vă apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Poți să reînnoi numai dacă îți expiră calitatea de membru în termen de 30 de zile apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Valoarea trebuie să fie între {0} și {1} +DocType: Quality Feedback,Parameters,Parametrii ,Sales Partner Transaction Summary,Rezumat tranzacție partener de vânzări DocType: Asset Maintenance,Maintenance Manager Name,Numele Managerului de întreținere apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Este necesar să preluați detaliile postului. @@ -7253,6 +7292,7 @@ DocType: Student Admission,Student Admission,Admiterea studenților DocType: Designation Skill,Skill,Calificare DocType: Budget Account,Budget Account,Contul bugetar DocType: Employee Transfer,Create New Employee Id,Creați un nou număr de angajați +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} este necesar pentru contul "Profit și pierdere" {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Bunuri și servicii (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Crearea salariilor de salariu ... DocType: Employee Skill,Employee Skill,Abilitatea angajatilor @@ -7353,6 +7393,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Factură sepa DocType: Subscription,Days Until Due,Zile până la termen apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Afișare finalizată apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Raport privind intrarea în tranzacție a declarației de tranzacționare a bancii +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Rândul # {0}: Rata trebuie să fie aceeași ca {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Servicii de asistență medicală @@ -7409,6 +7450,7 @@ DocType: Training Event Employee,Invited,invitat apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Suma maximă eligibilă pentru componenta {0} depășește {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Sumă pentru Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","Pentru {0}, numai conturile de debit pot fi conectate la o altă intrare de credit" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Crearea dimensiunilor ... DocType: Bank Statement Transaction Entry,Payable Account,Cont de plată apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Vă rugăm să menționați nr de vizite necesare DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Selectați numai dacă aveți setarea documentelor Mapper Flow Flow @@ -7426,6 +7468,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,S DocType: Service Level,Resolution Time,Timp de rezoluție DocType: Grading Scale Interval,Grade Description,Descrierea clasei DocType: Homepage Section,Cards,Carduri +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Conferințe de calitate DocType: Linked Plant Analysis,Linked Plant Analysis,Analiza legată a plantelor apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Dată de încetare a serviciului nu poate fi după Data de încheiere a serviciului apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Stabiliți setarea B2C Limit în setările GST. @@ -7460,7 +7503,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Instrumentul pentru p DocType: Employee,Educational Qualification,Calificativ Educațional apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Valoare accesibilă apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Cantitatea de probe {0} nu poate fi mai mare decât cantitatea primită {1} -DocType: Quiz,Last Highest Score,Ultimul cel mai mare scor DocType: POS Profile,Taxes and Charges,Taxe și taxe DocType: Opportunity,Contact Mobile No,Contact mobil nr DocType: Employee,Joining Details,Adunarea detaliilor diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv index 86da0f3f88..f06602ecd9 100644 --- a/erpnext/translations/ru.csv +++ b/erpnext/translations/ru.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Номер детали п DocType: Journal Entry Account,Party Balance,Партийный баланс apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Источник средств (пассивы) DocType: Payroll Period,Taxable Salary Slabs,Налогооблагаемая зарплата плиты +DocType: Quality Action,Quality Feedback,Отзыв о качестве DocType: Support Settings,Support Settings,Настройки поддержки apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,"Пожалуйста, введите элемент производства первым" DocType: Quiz,Grading Basis,Оценка основ @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Подробн DocType: Salary Component,Earning,Начисление DocType: Restaurant Order Entry,Click Enter To Add,"Нажмите Enter, чтобы добавить" DocType: Employee Group,Employee Group,Группа сотрудников +DocType: Quality Procedure,Processes,Процессы DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,"Укажите курс обмена, чтобы конвертировать одну валюту в другую" apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Диапазон старения 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Требуется склад для склада. Товар {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,жалоба DocType: Shipping Rule,Restrict to Countries,Ограничить странами DocType: Hub Tracked Item,Item Manager,Менеджер товаров apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Валюта закрытия счета должна быть {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Бюджеты apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Открытие счета DocType: Work Order,Plan material for sub-assemblies,План материала для сборочных узлов apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,аппаратные средства DocType: Budget,Action if Annual Budget Exceeded on MR,Действие при превышении годового бюджета по МР DocType: Sales Invoice Advance,Advance Amount,Сумма аванса +DocType: Accounting Dimension,Dimension Name,Имя измерения DocType: Delivery Note Item,Against Sales Invoice Item,Против позиции счета-фактуры DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Включить товар в производство @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Что оно д ,Sales Invoice Trends,Тенденции в продажах DocType: Bank Reconciliation,Payment Entries,Платежные записи DocType: Employee Education,Class / Percentage,Класс / Процент -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка ,Electronic Invoice Register,Электронный реестр счетов DocType: Sales Invoice,Is Return (Credit Note),Возврат (Кредитная нота) DocType: Lab Test Sample,Lab Test Sample,Образец лабораторного теста @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Варианты apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",Сборы будут распределяться пропорционально количеству или количеству товара согласно вашему выбору. apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Ожидающие мероприятия на сегодня +DocType: Quality Procedure Process,Quality Procedure Process,Процесс качественного процесса DocType: Fee Schedule Program,Student Batch,Студенческая партия apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Коэффициент оценки требуется для элемента в строке {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Базовый тариф (валюта компании) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Установите кол-во транзакций на основе последовательного ввода apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Валюта авансового счета должна совпадать с валютой компании {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Настроить разделы главной страницы -DocType: Quality Goal,October,октября +DocType: GSTR 3B Report,October,октября DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Скрыть идентификатор клиента из транзакций продажи apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Неверный GSTIN! GSTIN должен иметь 15 символов. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Правило ценообразования {0} обновлено @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Оставь Баланс apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},График обслуживания {0} существует для {1} DocType: Assessment Plan,Supervisor Name,Имя руководителя DocType: Selling Settings,Campaign Naming By,Название кампании -DocType: Course,Course Code,Код курса +DocType: Student Group Creation Tool Course,Course Code,Код курса apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,авиационно-космический DocType: Landed Cost Voucher,Distribute Charges Based On,Распределить расходы на основе DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Критерии оценки поставщиков @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Меню ресторана DocType: Asset Movement,Purpose,Цель apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Присвоение структуры зарплаты сотруднику уже существует DocType: Clinical Procedure,Service Unit,Сервисный блок -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория DocType: Travel Request,Identification Document Number,Идентификационный номер документа DocType: Stock Entry,Additional Costs,Дополнительные расходы -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Курс для родителей (оставьте пустым, если это не является частью курса для родителей)" DocType: Employee Education,Employee Education,Обучение сотрудников apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Количество должностей не может быть меньше текущего количества сотрудников apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Все группы клиентов @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Строка {0}: кол-во обязательно DocType: Sales Invoice,Against Income Account,Против счета дохода apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Строка # {0}: счет на покупку нельзя сделать для существующего актива {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Правила применения разных рекламных схем. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},"Коэффициент покрытия UOM, необходимый для UOM: {0} в элементе: {1}" apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},"Пожалуйста, введите количество для позиции {0}" DocType: Workstation,Electricity Cost,Стоимость электричества @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Общее прогнозируемое кол apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Фактическая дата начала apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Вы не присутствуете весь день между днями запроса на компенсационный отпуск -DocType: Company,About the Company,О компании apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Дерево финансовых счетов. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Косвенный доход DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Номер в отеле @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,База д DocType: Skill,Skill Name,Название навыка apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Распечатать отчетную карточку DocType: Soil Texture,Ternary Plot,Троичный участок +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Билеты поддержки DocType: Asset Category Account,Fixed Asset Account,Учетная запись фиксированного актива apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Самый последний @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Программа ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,"Пожалуйста, установите серию для использования." DocType: Delivery Trip,Distance UOM,Расстояние UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Обязательно для бухгалтерского баланса DocType: Payment Entry,Total Allocated Amount,Общая выделенная сумма DocType: Sales Invoice,Get Advances Received,Получать авансы полученные DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Элемент гр apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS-профиль необходим для входа в POS DocType: Education Settings,Enable LMS,Включить LMS DocType: POS Closing Voucher,Sales Invoices Summary,Сводка по продажам +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Выгода apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Зачисление на счет должно быть балансом DocType: Video,Duration,продолжительность DocType: Lab Test Template,Descriptive,описательный @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Начальная и конечная даты DocType: Supplier Scorecard,Notify Employee,Уведомить сотрудника apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Программного обеспечения +DocType: Program,Allow Self Enroll,Разрешить самостоятельную регистрацию apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Расходы на склад apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Ссылка № является обязательной, если вы ввели Базовую дату" DocType: Training Event,Workshop,мастерская @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Шаблон лабораторно apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Макс: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Отсутствует информация об инвойсировании apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Материальный запрос не создан +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка DocType: Loan,Total Amount Paid,Общая выплаченная сумма apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Все эти элементы уже выставлен счет DocType: Training Event,Trainer Name,Имя тренера @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Академический год DocType: Sales Stage,Stage Name,Сценический псевдоним DocType: SMS Center,All Employee (Active),Все сотрудники (активные) +DocType: Accounting Dimension,Accounting Dimension,Бухгалтерский учет DocType: Project,Customer Details,Данные клиента DocType: Buying Settings,Default Supplier Group,Группа поставщиков по умолчанию apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,"Пожалуйста, сначала отмените квитанцию о покупке {0}" @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Чем выше DocType: Designation,Required Skills,Требуемые навыки DocType: Marketplace Settings,Disable Marketplace,Отключить торговую площадку DocType: Budget,Action if Annual Budget Exceeded on Actual,"Действие, если годовой бюджет превышен на фактическом" -DocType: Course,Course Abbreviation,Аббревиатура курса apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Посещаемость не отправлена для {0} как {1} в отпуске. DocType: Pricing Rule,Promotional Scheme Id,Идентификатор рекламной схемы apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},"Дата окончания задачи {0} не может быть больше, чем {1} ожидаемая дата окончания {2}" @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Маржинальные деньги DocType: Chapter,Chapter,глава DocType: Purchase Receipt Item Supplied,Current Stock,Текущий запас DocType: Employee,History In Company,История в компании -DocType: Item,Manufacturer,производитель +DocType: Purchase Invoice Item,Manufacturer,производитель apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Умеренная Чувствительность DocType: Compensatory Leave Request,Leave Allocation,Оставить Распределение DocType: Timesheet,Timesheet,табель @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Материал пе DocType: Products Settings,Hide Variants,Скрыть варианты DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Отключить планирование емкости и отслеживание времени DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Будет учтено в сделке. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} требуется для учетной записи «Баланс» {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,"{0} запрещено совершать сделки с {1}. Пожалуйста, измените компанию." 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}." DocType: Delivery Trip,Delivery Details,Детали Доставки @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Предыдущая apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Единица измерения DocType: Lab Test,Test Template,Тестовый шаблон DocType: Fertilizer,Fertilizer Contents,Содержание удобрений -apps/erpnext/erpnext/utilities/user_progress.py,Minute,минут +DocType: Quality Meeting Minutes,Minute,минут apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Строка # {0}: объект {1} не может быть отправлен, он уже {2}" DocType: Task,Actual Time (in Hours),Фактическое время (в часах) DocType: Period Closing Voucher,Closing Account Head,Глава закрытия счета @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,лаборатория DocType: Purchase Order,To Bill,Биллу apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Коммунальные расходы DocType: Manufacturing Settings,Time Between Operations (in mins),Время между операциями (в минутах) -DocType: Quality Goal,May,май +DocType: GSTR 3B Report,May,май apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Аккаунт платежного шлюза не создан, создайте его вручную." DocType: Opening Invoice Creation Tool,Purchase,покупка DocType: Program Enrollment,School House,Школьный Дом @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,Уставная информация и другая общая информация о вашем поставщике DocType: Item Default,Default Selling Cost Center,Центр продаж по умолчанию DocType: Sales Partner,Address & Contacts,Адрес и контакты +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, настройте серию нумерации для Посещаемости через Настройка> Серия нумерации" DocType: Subscriber,Subscriber,подписчик apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Форма / Элемент / {0}) нет в наличии apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Пожалуйста, сначала выберите Дата публикации" @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Плата за посе DocType: Bank Statement Settings,Transaction Data Mapping,Отображение данных транзакции apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,"Ведущий требует либо имя человека, либо название организации" DocType: Student,Guardians,Опекуны +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Пожалуйста, настройте систему имен инструкторов в «Образование»> «Настройки образования»" apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Выберите бренд ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Средний доход DocType: Shipping Rule,Calculate Based On,Рассчитать на основе @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Аванс по расхо DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Корректировка округления (валюта компании) DocType: Item,Publish in Hub,Опубликовать в Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,августейший +DocType: GSTR 3B Report,August,августейший apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,"Пожалуйста, сначала введите квитанцию о покупке" apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Начать год apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Цель ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,Максимальное количество apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Исходный и целевой склады должны отличаться DocType: Employee Benefit Application,Benefits Applied,Преимущества применяются apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Против записи в журнале {0} не найдено ни одной непревзойденной записи {1} +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Специальные символы, кроме "-", "#", ".", "/", "{" И "}", не допускаются в именных сериях" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Требуется цена или скидка на продукцию apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Установить цель apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Запись о посещаемости {0} существует в отношении ученика {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,В месяц DocType: Routing,Routing Name,Имя маршрутизации DocType: Disease,Common Name,Распространенное имя -DocType: Quality Goal,Measurable,измеримый DocType: Education Settings,LMS Title,Название LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Управление кредитами -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Поддержите Аналитику DocType: Clinical Procedure,Consumable Total Amount,Расходуемая общая сумма apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Включить шаблон apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Заказчик ПОЛ @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,Подается DocType: Loan,Member,член DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Расписание обслуживания практикующего apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Передача по проводам +DocType: Quality Review Objective,Quality Review Objective,Цель проверки качества DocType: Bank Reconciliation Detail,Against Account,Против аккаунта DocType: Projects Settings,Projects Settings,Настройки проектов apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Фактический Кол-во {0} / Ожидание Кол-во {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,В apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Дата окончания финансового года должна быть через год после даты начала финансового года apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Ежедневные Напоминания DocType: Item,Default Sales Unit of Measure,Единица измерения продаж по умолчанию +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Компания ГСТИН DocType: Asset Finance Book,Rate of Depreciation,Норма амортизации DocType: Support Search Source,Post Description Key,Ключ описания сообщения DocType: Loyalty Program Collection,Minimum Total Spent,Минимальное общее количество потраченных @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Изменение группы клиентов для выбранного клиента не допускается. DocType: Serial No,Creation Document Type,Тип документа создания DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Доступная партия Кол-во на складе +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Счет-фактура Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Это корневая территория и не может быть отредактирована. DocType: Patient,Surgical History,Хирургическая история apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Дерево процедур качества. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,"Отметьте это, если хотите показать на сайте" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Финансовый год {0} не найден DocType: Bank Statement Settings,Bank Statement Settings,Настройки выписки по счету +DocType: Quality Procedure Process,Link existing Quality Procedure.,Ссылка существующей процедуры качества. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Импорт плана счетов из файлов CSV / Excel DocType: Appraisal Goal,Score (0-5),Оценка (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} выбран несколько раз в таблице атрибутов DocType: Purchase Invoice,Debit Note Issued,Выпущена дебетовая нота @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Оставьте детали политики apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Склад не найден в системе DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -DocType: Quality Goal,Measurable Goal,Измеримая цель DocType: Bank Statement Transaction Payment Item,Invoices,Счета-фактуры DocType: Currency Exchange,Currency Exchange,Обмен валюты DocType: Payroll Entry,Fortnightly,двухнедельный @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} не отправлено DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Отпуск сырья с незавершенного склада DocType: Maintenance Team Member,Maintenance Team Member,Участник технического обслуживания +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Настройка пользовательских размеров для учета DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Минимальное расстояние между рядами растений для оптимального роста DocType: Employee Health Insurance,Health Insurance Name,Название медицинского страхования apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Фондовые активы @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,Имя платежного адре apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Альтернативный предмет DocType: Certification Application,Name of Applicant,Имя кандидата DocType: Leave Type,Earned Leave,Заработанный отпуск -DocType: Quality Goal,June,июнь +DocType: GSTR 3B Report,June,июнь apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Строка {0}: МВЗ требуется для позиции {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Может быть одобрено {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица измерения {0} была введена более одного раза в таблицу коэффициентов пересчета @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,Стандартная цена apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},"Пожалуйста, установите активное меню для ресторана {0}" 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: Asset Finance Book,Asset Finance Book,Книга финансов активов +DocType: Quality Goal Objective,Quality Goal Objective,Цель качества DocType: Employee Transfer,Employee Transfer,Перевод сотрудника ,Sales Funnel,Воронка продаж DocType: Agriculture Analysis Criteria,Water Analysis,Анализ воды @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Сотрудни apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Ожидающие действия apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Перечислите несколько ваших клиентов. Это могут быть организации или частные лица. DocType: Bank Guarantee,Bank Account Info,Информация о банковском счете +DocType: Quality Goal,Weekday,будний день apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Имя DocType: Salary Component,Variable Based On Taxable Salary,Переменная на основе налогооблагаемой зарплаты DocType: Accounting Period,Accounting Period,Отчетный период @@ -2229,7 +2245,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Регулировка округ DocType: Quality Review Table,Quality Review Table,Таблица обзора качества DocType: Member,Membership Expiry Date,Дата окончания членства DocType: Asset Finance Book,Expected Value After Useful Life,Ожидаемая стоимость после полезной жизни -DocType: Quality Goal,November,ноябрь +DocType: GSTR 3B Report,November,ноябрь DocType: Loan Application,Rate of Interest,Процентная ставка DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Банковская выписка Транзакция Платежная позиция DocType: Restaurant Reservation,Waitlisted,лист ожидания @@ -2293,6 +2309,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Строка {0}: чтобы установить периодичность {1}, разница между датой и датой \ должна быть больше или равна {2}" DocType: Purchase Invoice Item,Valuation Rate,Оценка стоимости DocType: Shopping Cart Settings,Default settings for Shopping Cart,Настройки по умолчанию для корзины покупок +DocType: Quiz,Score out of 100,Оценка из 100 DocType: Manufacturing Settings,Capacity Planning,Планирование мощностей apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Перейти к инструкторам DocType: Activity Cost,Projects,проектов @@ -2302,6 +2319,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,От времени apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Отчет о деталях варианта +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Для покупки apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Слоты для {0} не добавляются в расписание DocType: Target Detail,Target Distribution,Распределение целей @@ -2319,6 +2337,7 @@ DocType: Activity Cost,Activity Cost,Стоимость деятельности DocType: Journal Entry,Payment Order,Платежное поручение apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,ценообразование ,Item Delivery Date,Дата доставки товара +DocType: Quality Goal,January-April-July-October,Январь-апрель-июль-октябрь DocType: Purchase Order Item,Warehouse and Reference,Склад и справка apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Учетная запись с дочерними узлами не может быть преобразована в бухгалтерскую книгу DocType: Soil Texture,Clay Composition (%),Глина Состав (%) @@ -2369,6 +2388,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Будущие дат apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"Строка {0}: пожалуйста, установите способ оплаты в графике платежей" apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Академический срок: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Параметр обратной связи по качеству apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,"Пожалуйста, выберите Применить скидку на" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Строка № {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Всего платежей @@ -2411,7 +2431,7 @@ DocType: Hub Tracked Item,Hub Node,Узловой узел apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID сотрудника DocType: Salary Structure Assignment,Salary Structure Assignment,Назначение структуры зарплаты DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS заключительный ваучер налоги -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Действие инициализировано +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Действие инициализировано DocType: POS Profile,Applicable for Users,Применимо для пользователей DocType: Training Event,Exam,Экзамен apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,"Найдено неправильное количество записей в Главной книге. Возможно, вы выбрали неверную учетную запись в транзакции." @@ -2518,6 +2538,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Долгота DocType: Accounts Settings,Determine Address Tax Category From,Определить адрес налоговой категории от apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,"Выявление лиц, принимающих решения" +DocType: Stock Entry Detail,Reference Purchase Receipt,Ссылка на покупку apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Получить призывы DocType: Tally Migration,Is Day Book Data Imported,Импортированы ли данные дневника ,Sales Partners Commission,Комиссия торговых партнеров @@ -2541,6 +2562,7 @@ DocType: Leave Type,Applicable After (Working Days),Применимо посл DocType: Timesheet Detail,Hrs,часов DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Критерии оценки поставщиков DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Параметр шаблона обратной связи по качеству apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Дата присоединения должна быть больше даты рождения DocType: Bank Statement Transaction Invoice Item,Invoice Date,Дата счета DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Создать лабораторный тест (ы) на отправке счета-фактуры @@ -2647,7 +2669,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Минимально DocType: Stock Entry,Source Warehouse Address,Адрес исходного хранилища DocType: Compensatory Leave Request,Compensatory Leave Request,Компенсационный запрос на отпуск DocType: Lead,Mobile No.,Номер мобильного. -DocType: Quality Goal,July,июль +DocType: GSTR 3B Report,July,июль apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Соответствующий ITC DocType: Fertilizer,Density (if liquid),Плотность (если жидкость) DocType: Employee,External Work History,История внешней работы @@ -2724,6 +2746,7 @@ DocType: Certification Application,Certification Status,Статус серти apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Местоположение источника требуется для актива {0} DocType: Employee,Encashment Date,Дата инкассации apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,"Пожалуйста, выберите «Дата завершения» для журнала обслуживания завершенных активов." +DocType: Quiz,Latest Attempt,Последняя попытка DocType: Leave Block List,Allow Users,Разрешить пользователей apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,План счетов apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"Клиент обязателен, если в качестве клиента выбрано «Opportunity From»" @@ -2788,7 +2811,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Настройка DocType: Amazon MWS Settings,Amazon MWS Settings,Настройки Amazon MWS DocType: Program Enrollment,Walking,Ходьба DocType: SMS Log,Requested Numbers,Запрошенные номера -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Настройте серию нумерации для Посещаемости через Настройка> Серия нумерации DocType: Woocommerce Settings,Freight and Forwarding Account,Транспортно-экспедиционный счет apps/erpnext/erpnext/accounts/party.py,Please select a Company,"Пожалуйста, выберите компанию" apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Строка {0}: {1} должно быть больше 0 @@ -2858,7 +2880,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,"Счета DocType: Training Event,Seminar,Семинар apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Кредит ({0}) DocType: Payment Request,Subscription Plans,Планы подписки -DocType: Quality Goal,March,марш +DocType: GSTR 3B Report,March,марш apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Разделенная партия DocType: School House,House Name,Название дома apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Неоплаченный за {0} не может быть меньше нуля ({1}) @@ -2921,7 +2943,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Дата начала страхования DocType: Target Detail,Target Detail,Целевая деталь DocType: Packing Slip,Net Weight UOM,Вес нетто UOM -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: Purchase Invoice Item,Net Amount (Company Currency),Чистая сумма (валюта компании) DocType: Bank Statement Transaction Settings Item,Mapped Data,Сопоставленные данные apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Ценные бумаги и депозиты @@ -2971,6 +2992,7 @@ DocType: Cheque Print Template,Cheque Height,Проверьте высоту apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,"Пожалуйста, введите дату освобождения." DocType: Loyalty Program,Loyalty Program Help,Помощь программы лояльности DocType: Journal Entry,Inter Company Journal Entry Reference,Справочник по регистрации в журнале Inter Company +DocType: Quality Meeting,Agenda,Повестка дня DocType: Quality Action,Corrective,корректив apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Группа по DocType: Bank Account,Address and Contact,Адрес и контакт @@ -3024,7 +3046,7 @@ DocType: GL Entry,Credit Amount,Сумма кредита apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Общая сумма кредита DocType: Support Search Source,Post Route Key List,Список ключей после маршрута apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} не в любом активном финансовом году. -DocType: Quality Action Table,Problem,проблема +DocType: Quality Action Resolution,Problem,проблема DocType: Training Event,Conference,Конференция DocType: Mode of Payment Account,Mode of Payment Account,Режим оплаты счета DocType: Leave Encashment,Encashable days,Encashable дни @@ -3150,7 +3172,7 @@ DocType: Item,"Purchase, Replenishment Details","Покупка, детали п DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",После выставления счета этот счет будет удерживаться до установленной даты. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"Запас не может существовать для позиции {0}, так как имеет варианты" DocType: Lab Test Template,Grouped,Сгруппированные -DocType: Quality Goal,January,январь +DocType: GSTR 3B Report,January,январь DocType: Course Assessment Criteria,Course Assessment Criteria,Критерии оценки курса DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Завершено Кол-во @@ -3246,7 +3268,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Тип еди apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Пожалуйста, введите хотя бы 1 счет в таблицу" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Заказ клиента {0} не отправлен apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Посещаемость была успешно отмечена. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Предпродажа +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Предпродажа apps/erpnext/erpnext/config/projects.py,Project master.,Мастер проекта. DocType: Daily Work Summary,Daily Work Summary,Ежедневная сводка работы DocType: Asset,Partially Depreciated,Частично обесценился @@ -3255,6 +3277,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Оставить Encashed? DocType: Certified Consultant,Discuss ID,Обсудить ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,"Пожалуйста, установите учетные записи GST в настройках GST" +DocType: Quiz,Latest Highest Score,Последний наивысший балл DocType: Supplier,Billing Currency,Валюта выставления счета apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Студенческая деятельность apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Целевое количество или целевое количество обязательно @@ -3280,18 +3303,21 @@ DocType: Sales Order,Not Delivered,Не поставляется apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Тип отпуска {0} не может быть назначен, так как это отпуск без оплаты" DocType: GL Entry,Debit Amount,Сумма дебета apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Уже существует запись для элемента {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Подборки 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.","Если несколько правил ценообразования продолжают преобладать, пользователям предлагается установить приоритет вручную, чтобы разрешить конфликт." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Невозможно вычесть, когда категория для «Оценка» или «Оценка и итого»" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Требуется спецификация и количество производства apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Срок действия элемента {0} истек {1} DocType: Quality Inspection Reading,Reading 6,Чтение 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Поле компании обязательно для заполнения apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Расход материала не задан в настройках производства. DocType: Assessment Group,Assessment Group Name,Название оценочной группы -DocType: Item,Manufacturer Part Number,Номер детали производителя +DocType: Purchase Invoice Item,Manufacturer Part Number,Номер детали производителя apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Payroll Payable apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Строка # {0}: {1} не может быть отрицательным для элемента {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Баланс Кол-во +DocType: Question,Multiple Correct Answer,Множественный правильный ответ DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Очки лояльности = Сколько базовой валюты? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Примечание. Недостаточно свободного баланса для типа отпуска {0} DocType: Clinical Procedure,Inpatient Record,Стационарная запись @@ -3414,6 +3440,7 @@ DocType: Fee Schedule Program,Total Students,Всего студентов apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Местный DocType: Chapter Member,Leave Reason,Оставьте причину DocType: Salary Component,Condition and Formula,Состояние и формула +DocType: Quality Goal,Objectives,Цели apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Заработная плата уже обработана за период между {0} и {1}, период оставления заявки не может быть между этим диапазоном дат." DocType: BOM Item,Basic Rate (Company Currency),Базовая ставка (валюта компании) DocType: BOM Scrap Item,BOM Scrap Item,Спецификация лома @@ -3464,6 +3491,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Счет расходов apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Нет доступных платежей для записи в журнале apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} неактивный студент +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Сделать складской запас DocType: Employee Onboarding,Activities,мероприятия apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,По крайней мере один склад обязателен ,Customer Credit Balance,Кредитный баланс клиента @@ -3548,7 +3576,6 @@ DocType: Contract,Contract Terms,Контрактные условия apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Целевое количество или целевое количество является обязательным. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Неверный {0} DocType: Item,FIFO,ФИФО -DocType: Quality Meeting,Meeting Date,Дата встречи DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Аббревиатура не может содержать более 5 символов DocType: Employee Benefit Application,Max Benefits (Yearly),Максимальные преимущества (в год) @@ -3651,7 +3678,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Комиссия банка apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Товар перенесен apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Основные контактные данные -DocType: Quality Review,Values,Ценности DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Если этот флажок не установлен, список необходимо будет добавить в каждый отдел, где он должен применяться." DocType: Item Group,Show this slideshow at the top of the page,Показать это слайд-шоу в верхней части страницы apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Недопустимый параметр {0} @@ -3670,6 +3696,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Счет банковских сборов DocType: Journal Entry,Get Outstanding Invoices,Получить выдающиеся счета DocType: Opportunity,Opportunity From,Возможность от +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Детали цели DocType: Item,Customer Code,Код клиента apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,"Пожалуйста, введите пункт первым" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Список сайтов @@ -3698,7 +3725,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Доставка к DocType: Bank Statement Transaction Settings Item,Bank Data,Банковские данные apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Запланировано до -DocType: Quality Goal,Everyday,Каждый день DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Сохранять расчетные и рабочие часы одинаковыми в расписании apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Отслеживание потенциальных клиентов по ведущему источнику. DocType: Clinical Procedure,Nursing User,Уход пользователя @@ -3723,7 +3749,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Управление DocType: GL Entry,Voucher Type,Тип ваучера ,Serial No Service Contract Expiry,Серийный номер контракта не истек DocType: Certification Application,Certified,Проверенный -DocType: Material Request Plan Item,Manufacture,Производство +DocType: Purchase Invoice Item,Manufacture,Производство apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,Произведено {0} предметов apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Запрос на оплату {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Дней с последнего заказа @@ -3738,7 +3764,7 @@ DocType: Sales Invoice,Company Address Name,Название компании apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Товары в пути apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Вы можете использовать только максимум {0} баллов в этом порядке. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},"Пожалуйста, установите учетную запись на складе {0}" -DocType: Quality Action Table,Resolution,разрешение +DocType: Quality Action,Resolution,разрешение DocType: Sales Invoice,Loyalty Points Redemption,Погашение очков лояльности apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Общая налогооблагаемая стоимость DocType: Patient Appointment,Scheduled,по расписанию @@ -3859,6 +3885,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Темп apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Сохранение {0} DocType: SMS Center,Total Message(s),Всего сообщений +DocType: Purchase Invoice,Accounting Dimensions,Бухгалтерские размеры apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Группировать по счету DocType: Quotation,In Words will be visible once you save the Quotation.,"В словах будет видно, как только вы сохраните цитату." apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Количество для производства @@ -4023,7 +4050,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Если у вас есть какие-либо вопросы, пожалуйста, свяжитесь с нами." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Квитанция о покупке {0} не отправлена DocType: Task,Total Expense Claim (via Expense Claim),Претензия по совокупным расходам (через претензию по расходам) -DocType: Quality Action,Quality Goal,Цель качества +DocType: Quality Goal,Quality Goal,Цель качества DocType: Support Settings,Support Portal,Портал поддержки apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Дата окончания задачи {0} не может быть меньше {1} ожидаемой даты начала {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Сотрудник {0} в отпуске {1} @@ -4082,7 +4109,6 @@ DocType: BOM,Operating Cost (Company Currency),Операционные расх DocType: Item Price,Item Price,Цена товара DocType: Payment Entry,Party Name,Название партии apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,"Пожалуйста, выберите клиента" -DocType: Course,Course Intro,Введение в курс DocType: Program Enrollment Tool,New Program,Новая программа apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Номер нового МВЗ, он будет включен в название МВЗ в качестве префикса" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Выберите клиента или поставщика. @@ -4283,6 +4309,7 @@ DocType: Customer,CUST-.YYYY.-,КЛИЕНТ-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Чистая оплата не может быть отрицательной apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Нет взаимодействий 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/hr/doctype/employee/employee_dashboard.py,Shift,сдвиг apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Обработка плана счетов и партий DocType: Stock Settings,Convert Item Description to Clean HTML,Преобразовать описание элемента в чистый HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Все группы поставщиков @@ -4361,6 +4388,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Родительский предмет apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,брокерский apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},"Пожалуйста, создайте квитанцию о покупке или счет-фактуру на покупку товара {0}" +,Product Bundle Balance,Баланс продукта apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Название компании не может быть компанией DocType: Maintenance Visit,Breakdown,Сломать DocType: Inpatient Record,B Negative,B отрицательный @@ -4369,7 +4397,7 @@ DocType: Purchase Invoice,Credit To,Кредит для apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Отправьте этот заказ на работу для дальнейшей обработки. DocType: Bank Guarantee,Bank Guarantee Number,Номер банковской гарантии apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Доставлено: {0} -DocType: Quality Action,Under Review,На рассмотрении +DocType: Quality Meeting Table,Under Review,На рассмотрении apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Сельское хозяйство (бета) ,Average Commission Rate,Средняя комиссия DocType: Sales Invoice,Customer's Purchase Order Date,Дата заказа клиента @@ -4486,7 +4514,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Сопоставить платежи со счетами DocType: Holiday List,Weekly Off,Еженедельно apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Не разрешено устанавливать альтернативный элемент для элемента {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Программа {0} не существует. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Программа {0} не существует. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Вы не можете редактировать корневой узел. DocType: Fee Schedule,Student Category,Студенческая категория apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Элемент {0}: произведено {1} кол-во," @@ -4577,8 +4605,8 @@ DocType: Crop,Crop Spacing,Растениеводство DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Как часто следует обновлять проект и компанию на основе транзакций продаж. DocType: Pricing Rule,Period Settings,Настройки периода apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Чистое изменение дебиторской задолженности +DocType: Quality Feedback Template,Quality Feedback Template,Шаблон обратной связи по качеству apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Для количества должно быть больше нуля -DocType: Quality Goal,Goal Objectives,Цели Цели apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Существуют несоответствия между ставкой, количеством акций и рассчитанной суммой." DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Оставьте пустым, если вы делаете группы студентов в год" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Займы (Обязательства) @@ -4613,12 +4641,13 @@ DocType: Quality Procedure Table,Step,шаг DocType: Normal Test Items,Result Value,Результат Значение DocType: Cash Flow Mapping,Is Income Tax Liability,Обязанность по подоходному налогу DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Плата за посещение стационара -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} не существует. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} не существует. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Обновить ответ DocType: Bank Guarantee,Supplier,поставщик apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Введите значение между {0} и {1} DocType: Purchase Order,Order Confirmation Date,Дата подтверждения заказа DocType: Delivery Trip,Calculate Estimated Arrival Times,Рассчитать примерное время прибытия +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен сотрудников в разделе «Управление персоналом»> «Настройки HR»" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,потребляемый DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Дата начала подписки @@ -4682,6 +4711,7 @@ DocType: Cheque Print Template,Is Account Payable,Кредиторская за apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Общая стоимость заказа apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Поставщик {0} не найден в {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Настройка параметров SMS-шлюза +DocType: Salary Component,Round to the Nearest Integer,Округление до ближайшего целого apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Корень не может иметь родительский центр затрат DocType: Healthcare Service Unit,Allow Appointments,Разрешить встречи DocType: BOM,Show Operations,Показать операции @@ -4810,7 +4840,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Список праздников по умолчанию DocType: Naming Series,Current Value,Текущая стоимость apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Сезонность для установления бюджетов, целей и т. Д." -DocType: Program,Program Code,Код программы apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Предупреждение: заказ клиента {0} уже существует в отношении заказа клиента {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Ежемесячный объем продаж ( DocType: Guardian,Guardian Interests,Интересы Хранителя @@ -4860,10 +4889,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Оплачено и не доставлено apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Код товара является обязательным, потому что элемент не нумеруется автоматически" DocType: GST HSN Code,HSN Code,Код HSN -DocType: Quality Goal,September,сентябрь +DocType: GSTR 3B Report,September,сентябрь apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Административные затраты DocType: C-Form,C-Form No,C-форма № DocType: Purchase Invoice,End date of current invoice's period,Дата окончания текущего периода счета +DocType: Item,Manufacturers,Производители DocType: Crop Cycle,Crop Cycle,Цикл урожая DocType: Serial No,Creation Time,Время создания apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Пожалуйста, введите Утверждающая роль или Утверждающий пользователь" @@ -4936,8 +4966,6 @@ DocType: Employee,Short biography for website and other publications.,Кратк DocType: Purchase Invoice Item,Received Qty,Получил кол-во DocType: Purchase Invoice Item,Rate (Company Currency),Курс (валюта компании) DocType: Item Reorder,Request for,Запрос -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Пожалуйста, удалите Сотрудника {0} \, чтобы отменить этот документ" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Установка пресетов apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,"Пожалуйста, введите периоды погашения" DocType: Pricing Rule,Advanced Settings,Расширенные настройки @@ -4963,7 +4991,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Включить корзину DocType: Pricing Rule,Apply Rule On Other,Применить правило на других DocType: Vehicle,Last Carbon Check,Последняя проверка углерода -DocType: Vehicle,Make,Делать +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Делать apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Счет-фактура {0} создан как оплаченный apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Для создания запроса на оплату необходим справочный документ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Подоходный налог @@ -5039,7 +5067,6 @@ DocType: Territory,Parent Territory,Родительская Территори DocType: Vehicle Log,Odometer Reading,Показания одометра DocType: Additional Salary,Salary Slip,Скольжения зарплата DocType: Payroll Entry,Payroll Frequency,Частота расчета -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен сотрудников в разделе «Управление персоналом»> «Настройки HR»" apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Даты начала и окончания не в допустимом Периоде платежной ведомости, не может вычислить {0}" DocType: Products Settings,Home Page is Products,Главная страница это Продукты apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Вызовы @@ -5093,7 +5120,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Получение записей ...... DocType: Delivery Stop,Contact Information,Контакты DocType: Sales Order Item,For Production,Для производства -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Пожалуйста, настройте систему имен инструкторов в «Образование»> «Настройки образования»" DocType: Serial No,Asset Details,Детали актива DocType: Restaurant Reservation,Reservation Time,Время бронирования DocType: Selling Settings,Default Territory,Территория по умолчанию @@ -5233,6 +5259,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Пакеты с истекшим сроком годности DocType: Shipping Rule,Shipping Rule Type,Тип правила доставки DocType: Job Offer,Accepted,Принято +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Пожалуйста, удалите Сотрудника {0} \, чтобы отменить этот документ" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Вы уже оценили критерии оценки {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Выберите номера партий apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Возраст (дни) @@ -5249,6 +5277,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Связывайте предметы во время продажи. DocType: Payment Reconciliation Payment,Allocated Amount,Выделенная сумма apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,"Пожалуйста, выберите компанию и название" +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,Требуется дата DocType: Email Digest,Bank Credit Balance,Банковский кредитный баланс apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Показать совокупную сумму apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Вы не набрали очки лояльности для погашения @@ -5309,11 +5338,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Всего на пре DocType: Student,Student Email Address,Адрес электронной почты студента DocType: Academic Term,Education,образование DocType: Supplier Quotation,Supplier Address,Адрес поставщика -DocType: Salary Component,Do not include in total,Не включайте в общей сложности +DocType: Salary Detail,Do not include in total,Не включайте в общей сложности apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Невозможно установить несколько значений по умолчанию для компании. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} не существует DocType: Purchase Receipt Item,Rejected Quantity,Отклоненное количество DocType: Cashier Closing,To TIme,Ко времени +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: Daily Work Summary Group User,Daily Work Summary Group User,Ежедневная работа DocType: Fiscal Year Company,Fiscal Year Company,Финансовый год Компания apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Альтернативный товар не должен совпадать с кодом товара @@ -5423,7 +5453,6 @@ DocType: Fee Schedule,Send Payment Request Email,Отправить запрос DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Слова будут видны после сохранения счета-фактуры. DocType: Sales Invoice,Sales Team1,Отдел продаж1 DocType: Work Order,Required Items,Обязательные предметы -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Специальные символы, кроме "-", "#", "." и "/" не допускается в именных сериях" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Прочитайте Руководство ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Проверьте уникальность номера счета поставщика apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Поиск подузлов @@ -5491,7 +5520,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Процент удержания apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Количество в продукции не может быть меньше нуля DocType: Share Balance,To No,Нет DocType: Leave Control Panel,Allocate Leaves,Выделить листья -DocType: Quiz,Last Attempt,Последняя попытка DocType: Assessment Result,Student Name,Имя ученика apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,План технического обслуживания визитов. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Следующие запросы материалов были автоматически подняты в зависимости от уровня повторного заказа. @@ -5560,6 +5588,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Цвет индикатора DocType: Item Variant Settings,Copy Fields to Variant,Копировать поля в вариант DocType: Soil Texture,Sandy Loam,Суглинок +DocType: Question,Single Correct Answer,Единый правильный ответ apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,С даты не может быть меньше даты вступления сотрудника DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Разрешить несколько заказов на продажу по заказу клиента apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5622,7 +5651,7 @@ DocType: Account,Expenses Included In Valuation,"Расходы, включен apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Серийные номера DocType: Salary Slip,Deductions,вычеты ,Supplier-Wise Sales Analytics,Аналитика продаж по поставщикам -DocType: Quality Goal,February,февраль +DocType: GSTR 3B Report,February,февраль DocType: Appraisal,For Employee,Для сотрудника apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Фактическая дата доставки DocType: Sales Partner,Sales Partner Name,Имя торгового партнера @@ -5718,7 +5747,6 @@ DocType: Procedure Prescription,Procedure Created,Процедура созда apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},По счету поставщика {0} от {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Изменить профиль POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Создать лидерство -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Поставщик> Тип поставщика DocType: Shopify Settings,Default Customer,Клиент по умолчанию DocType: Payment Entry Reference,Supplier Invoice No,Счет-фактура Поставщика № DocType: Pricing Rule,Mixed Conditions,Смешанные условия @@ -5769,12 +5797,14 @@ DocType: Item,End of Life,Конец жизни DocType: Lab Test Template,Sensitivity,чувствительность DocType: Territory,Territory Targets,Цели Территории apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Пропуск распределения отпуска для следующих сотрудников, поскольку для них уже существуют записи о выделении отпуска. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Решение по качеству действий DocType: Sales Invoice Item,Delivered By Supplier,Поставляется Поставщиком DocType: Agriculture Analysis Criteria,Plant Analysis,Анализ растений apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Счет расходов обязателен для позиции {0} ,Subcontracted Raw Materials To Be Transferred,Субподрядное сырье для передачи DocType: Cashier Closing,Cashier Closing,Закрытие кассы apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Товар {0} уже возвращен +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Неверный GSTIN! Введенный вами ввод не соответствует формату GSTIN для владельцев UIN или нерезидентов OIDAR. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Для этого склада существует детский склад. Вы не можете удалить этот склад. DocType: Diagnosis,Diagnosis,диагностика apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Нет периода отпуска между {0} и {1} @@ -5791,6 +5821,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Настройки авто DocType: Homepage,Products,Товары ,Profit and Loss Statement,Отчет о прибылях и убытках apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Номера забронированы +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Повторяющаяся запись с кодом товара {0} и производителем {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Общий вес apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Путешествовать @@ -5839,6 +5870,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Группа клиентов по умолчанию DocType: Journal Entry Account,Debit in Company Currency,Дебет в валюте компании DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Аварийная серия "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Повестка дня встречи качества DocType: Cash Flow Mapper,Section Header,Заголовок раздела apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Ваши продукты или услуги DocType: Crop,Perennial,круглогодичный @@ -5884,7 +5916,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Продукт или Услуга, которые покупаются, продаются или хранятся на складе." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Закрытие (Открытие + Итого) DocType: Supplier Scorecard Criteria,Criteria Formula,Критерии Формула -,Support Analytics,Аналитика поддержки +apps/erpnext/erpnext/config/support.py,Support Analytics,Аналитика поддержки apps/erpnext/erpnext/config/quality_management.py,Review and Action,Обзор и действие DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Если учетная запись заблокирована, записи разрешены для пользователей с ограниченным доступом." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Сумма после начисления амортизации @@ -5929,7 +5961,6 @@ DocType: Contract Template,Contract Terms and Conditions,Условия дого apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Получить данные DocType: Stock Settings,Default Item Group,Группа элементов по умолчанию DocType: Sales Invoice Timesheet,Billing Hours,Платежные часы -DocType: Item,Item Code for Suppliers,Код товара для поставщиков apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Оставить заявку {0} уже существует против студента {1} DocType: Pricing Rule,Margin Type,Тип маржи DocType: Purchase Invoice Item,Rejected Serial No,Отклонено серийный номер @@ -6002,6 +6033,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Листья были предоставлены успешно DocType: Loyalty Point Entry,Expiry Date,Срок действия DocType: Project Task,Working,За работой +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} уже имеет родительскую процедуру {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Это основано на транзакциях против этого пациента. Смотрите график ниже для деталей DocType: Material Request,Requested For,Запрошено для DocType: SMS Center,All Sales Person,Весь продавец @@ -6089,6 +6121,7 @@ DocType: Loan Type,Maximum Loan Amount,Максимальная сумма кр apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Адрес электронной почты не найден в контакте по умолчанию DocType: Hotel Room Reservation,Booked,бронирования DocType: Maintenance Visit,Partially Completed,Частично завершено +DocType: Quality Procedure Process,Process Description,Описание процесса DocType: Company,Default Employee Advance Account,Авансовый счет сотрудника по умолчанию DocType: Leave Type,Allow Negative Balance,Разрешить отрицательный баланс apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Название плана оценки @@ -6130,6 +6163,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Запрос ценового предложения apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} дважды введено в налог на товары DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Вычесть полный налог на выбранную дату расчета +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Дата последней проверки углерода не может быть датой в будущем apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Выберите сумму изменения счета DocType: Support Settings,Forum Posts,Сообщения на форуме DocType: Timesheet Detail,Expected Hrs,Ожидаемые часы @@ -6139,7 +6173,7 @@ DocType: Program Enrollment Tool,Enroll Students,Записать студент apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Повторите доход клиента DocType: Company,Date of Commencement,Дата начала DocType: Bank,Bank Name,Название банка -DocType: Quality Goal,December,Декабрь +DocType: GSTR 3B Report,December,Декабрь apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Срок действия с даты должен быть меньше срока действия до даты apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Это основано на посещаемости этого сотрудника DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Если этот флажок установлен, домашняя страница будет группой элементов по умолчанию для веб-сайта." @@ -6182,6 +6216,7 @@ DocType: Payment Entry,Payment Type,Способ оплаты apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Номера фолио не совпадают DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Проверка качества: {0} не отправлен для позиции: {1} в строке {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Показать {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} элемент найден. ,Stock Ageing,Старение DocType: Customer Group,Mention if non-standard receivable account applicable,"Укажите, применима ли нестандартная дебиторская задолженность" @@ -6460,6 +6495,7 @@ DocType: Travel Request,Costing,Стоимость apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Основные средства DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Общий заработок +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория DocType: Share Balance,From No,От нет DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Сверочный счет DocType: Purchase Invoice,Taxes and Charges Added,Налоги и сборы добавлены @@ -6467,7 +6503,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Рассмотр DocType: Authorization Rule,Authorized Value,Разрешенная стоимость apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Полученные от apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Склад {0} не существует +DocType: Item Manufacturer,Item Manufacturer,Производитель товара DocType: Sales Invoice,Sales Team,Отдел продаж +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Комплект кол-во DocType: Purchase Order Item Supplied,Stock UOM,Фондовая UOM DocType: Installation Note,Installation Date,Дата установки DocType: Email Digest,New Quotations,Новые цитаты @@ -6531,7 +6569,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Название списка праздников DocType: Water Analysis,Collection Temperature ,Температура сбора DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,"Управлять назначением счетов-фактур, отправлять и отменять автоматически для встречи с пациентом" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Пожалуйста, установите серию имен для {0} через Настройка> Настройки> Серия имен" DocType: Employee Benefit Claim,Claim Date,Дата претензии DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"Оставьте пустым, если Поставщик заблокирован на неопределенный срок" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Посещаемость от даты и посещаемости до даты обязательна @@ -6542,6 +6579,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Дата выхода на пенсию apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,"Пожалуйста, выберите пациента" DocType: Asset,Straight Line,Прямая линия +DocType: Quality Action,Resolutions,Решения DocType: SMS Log,No of Sent SMS,Нет отправленных SMS ,GST Itemised Sales Register,GST Детализированный регистр продаж apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,"Общая сумма аванса не может превышать сумму, на которую наложены санкции" @@ -6652,7 +6690,7 @@ DocType: Account,Profit and Loss,Прибыль и убыток apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Asset Finance Book,Written Down Value,Записанное значение apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Начальный баланс эквити -DocType: Quality Goal,April,апрель +DocType: GSTR 3B Report,April,апрель DocType: Supplier,Credit Limit,Кредитный лимит apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,распределение apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6707,6 +6745,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Подключите Shopify с ERPNext DocType: Homepage Section Card,Subtitle,подзаголовок DocType: Soil Texture,Loam,суглинок +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Поставщик> Тип поставщика DocType: BOM,Scrap Material Cost(Company Currency),Стоимость материала лома (валюта компании) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Накладная {0} не должна быть отправлена DocType: Task,Actual Start Date (via Time Sheet),Фактическая дата начала (через табель рабочего времени) @@ -6762,7 +6801,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,дозировка DocType: Cheque Print Template,Starting position from top edge,Начальная позиция от верхнего края apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Продолжительность встречи (мин) -DocType: Pricing Rule,Disable,запрещать +DocType: Accounting Dimension,Disable,запрещать DocType: Email Digest,Purchase Orders to Receive,Заказы на покупку для получения apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Производственные заказы не могут быть получены для: DocType: Projects Settings,Ignore Employee Time Overlap,Игнорировать перекрытие рабочего времени @@ -6846,6 +6885,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Соз DocType: Item Attribute,Numeric Values,Числовые значения DocType: Delivery Note,Instructions,инструкции DocType: Blanket Order Item,Blanket Order Item,Оформление заказа +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Обязательно для счета прибылей и убытков apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Комиссия не может быть больше 100 DocType: Course Topic,Course Topic,Тема курса DocType: Employee,This will restrict user access to other employee records,Это ограничит доступ пользователей к другим записям сотрудников @@ -6870,12 +6910,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Управле apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Получить клиентов из apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Дайджест DocType: Employee,Reports to,Отчеты +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Партийный аккаунт DocType: Assessment Plan,Schedule,График apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,"Пожалуйста, введите" DocType: Lead,Channel Partner,Партнер канала apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Сумма выставленного счета DocType: Project,From Template,Из шаблона +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Подписки apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,"Количество, чтобы сделать" DocType: Quality Review Table,Achieved,достигнутый @@ -6922,7 +6964,6 @@ DocType: Journal Entry,Subscription Section,Раздел подписки DocType: Salary Slip,Payment Days,Дни оплаты apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Информация для волонтеров. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'Freeze Stocks Older Than' должно быть меньше% d дней. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Выберите финансовый год DocType: Bank Reconciliation,Total Amount,Итого DocType: Certification Application,Non Profit,Некоммерческая DocType: Subscription Settings,Cancel Invoice After Grace Period,Отменить счет после льготного периода @@ -6935,7 +6976,6 @@ DocType: Serial No,Warranty Period (Days),Гарантийный срок (дн DocType: Expense Claim Detail,Expense Claim Detail,Подробная информация о расходах apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Программа: DocType: Patient Medical Record,Patient Medical Record,Медицинская карта пациента -DocType: Quality Action,Action Description,Описание действия DocType: Item,Variant Based On,Вариант на основе DocType: Vehicle Service,Brake Oil,Тормозное масло DocType: Employee,Create User,Создать пользователя @@ -6991,7 +7031,7 @@ DocType: Cash Flow Mapper,Section Name,Название раздела DocType: Packed Item,Packed Item,Упакованный товар apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: для {2} требуется сумма дебета или кредита apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Отправка зарплатных квитанций ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Бездействие +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Бездействие apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Бюджет нельзя назначить для {0}, так как он не является счетом доходов или расходов" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Мастера и Счета DocType: Quality Procedure Table,Responsible Individual,Ответственный человек @@ -7114,7 +7154,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Разрешить создание аккаунта против дочерней компании DocType: Payment Entry,Company Bank Account,Банковский счет компании DocType: Amazon MWS Settings,UK,Соединенное Королевство -DocType: Quality Procedure,Procedure Steps,Процедура Шаги DocType: Normal Test Items,Normal Test Items,Нормальные тестовые задания apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Элемент {0}: упорядоченный кол-во {1} не может быть меньше минимального заказа кол-во {2} (определено в пункте). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Нет в наличии @@ -7193,7 +7232,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,аналитика DocType: Maintenance Team Member,Maintenance Role,Роль обслуживания apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Условия использования шаблона DocType: Fee Schedule Program,Fee Schedule Program,Программа расписания -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Курс {0} не существует. DocType: Project Task,Make Timesheet,Сделать расписание DocType: Production Plan Item,Production Plan Item,Элемент производственного плана apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Всего Студент @@ -7215,6 +7253,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Завершение apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Вы можете продлить только если срок вашего членства истекает в течение 30 дней apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Значение должно быть между {0} и {1} +DocType: Quality Feedback,Parameters,параметры ,Sales Partner Transaction Summary,Сводка по сделкам с партнерами по продажам DocType: Asset Maintenance,Maintenance Manager Name,Имя менеджера по обслуживанию apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Это необходимо для получения информации об элементе. @@ -7253,6 +7292,7 @@ DocType: Student Admission,Student Admission,Прием студентов DocType: Designation Skill,Skill,Умение DocType: Budget Account,Budget Account,Бюджетный счет DocType: Employee Transfer,Create New Employee Id,Создать новый идентификатор сотрудника +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} требуется для счета «Прибыль и убыток» {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Налог на товары и услуги (GST Индия) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Создание зарплаты ... DocType: Employee Skill,Employee Skill,Навыки сотрудников @@ -7353,6 +7393,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Счет от DocType: Subscription,Days Until Due,Дней до срока apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Показать выполнено apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Отчет о транзакции +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Банк Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Строка # {0}: скорость должна совпадать с {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Пункты медицинского обслуживания @@ -7409,6 +7450,7 @@ DocType: Training Event Employee,Invited,приглашенный apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},"Максимальная сумма, подходящая для компонента {0}, превышает {1}" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Сумма к счету apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",Для {0} с другой кредитной записью могут быть связаны только дебетовые счета +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Создание размеров ... DocType: Bank Statement Transaction Entry,Payable Account,Оплачиваемый счет apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,"Пожалуйста, не указывайте посещений" DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Выберите только если у вас есть настроенные документы Cash Flow Mapper @@ -7426,6 +7468,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice," DocType: Service Level,Resolution Time,Время разрешения DocType: Grading Scale Interval,Grade Description,Описание класса DocType: Homepage Section,Cards,Карты +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Протокол встречи качества DocType: Linked Plant Analysis,Linked Plant Analysis,Анализ связанных растений apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Дата окончания обслуживания не может быть позже даты окончания обслуживания apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,"Пожалуйста, установите B2C Limit в настройках GST." @@ -7460,7 +7503,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Инструмент DocType: Employee,Educational Qualification,Квалификация образования apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Доступная стоимость apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Количество образца {0} не может быть больше полученного количества {1} -DocType: Quiz,Last Highest Score,Последний наивысший балл DocType: POS Profile,Taxes and Charges,Налоги и сборы DocType: Opportunity,Contact Mobile No,Контактный номер мобильного телефона DocType: Employee,Joining Details,Детали соединения diff --git a/erpnext/translations/si.csv b/erpnext/translations/si.csv index 412534c7d8..e22f460991 100644 --- a/erpnext/translations/si.csv +++ b/erpnext/translations/si.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,සැපයුම්කර DocType: Journal Entry Account,Party Balance,පක්ෂයේ ශේෂය apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),අරමුදල් ප්රභවය (වගකීම්) DocType: Payroll Period,Taxable Salary Slabs,බදු සහන පඩිනඩි +DocType: Quality Action,Quality Feedback,තත්ත්ව ප්රතිපෝෂණ DocType: Support Settings,Support Settings,සහාය සැකසුම් apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,කරුණාකර නිෂ්පාදන අයිතමය ප්රථමයෙන් ඇතුල් කරන්න DocType: Quiz,Grading Basis,ශ්රේණිගත කිරීමේ පදනම @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,වැඩිප DocType: Salary Component,Earning,උපයන්න DocType: Restaurant Order Entry,Click Enter To Add,එකතු කිරීමට Enter ක්ලික් කරන්න DocType: Employee Group,Employee Group,සේවක සමූහය +DocType: Quality Procedure,Processes,ක්රියාවලි DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,එක් ව්යවහාර මුදල් බවට පරිවර්තනය කිරීම සඳහා විනිමය අනුපාත නියම කරන්න apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,වැඩිහිටි පරාසය 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},කොටස් සඳහා අවශ්ය ගබඩාව {0} @@ -156,11 +158,13 @@ DocType: Complaint,Complaint,පැමිණිල්ලක් DocType: Shipping Rule,Restrict to Countries,රටවල් වලට සීමා කිරීම DocType: Hub Tracked Item,Item Manager,අයිතම කළමනාකරු apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},අවසාන ගිණුමේ මුදල = {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,අයවැය apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,ආරම්භක ඉන්වොයිසි අයිතමය DocType: Work Order,Plan material for sub-assemblies,උපසම්බන්ධන සඳහා ද්රව්ය සැළසුම් කරන්න apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,දෘඩාංග DocType: Budget,Action if Annual Budget Exceeded on MR,වාර්ෂික අයවැය සීමාව ඉක්මවා ගියහොත් ක්රියා කිරීම DocType: Sales Invoice Advance,Advance Amount,අත්තිකාරම් මුදල +DocType: Accounting Dimension,Dimension Name,අකුරේ නම DocType: Delivery Note Item,Against Sales Invoice Item,විකුණුම් ඉන්වොයිසිය අයිතමයට එරෙහිව DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYY- DocType: BOM Explosion Item,Include Item In Manufacturing,නිෂ්පාදනෙය්දී අයිතමය ඇතුලත් කරන්න @@ -217,7 +221,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,එය කරන ,Sales Invoice Trends,විකුණුම් ඉන්වොයිස් නැඹුරුතා DocType: Bank Reconciliation,Payment Entries,ගෙවීම් සටහන් DocType: Employee Education,Class / Percentage,පන්තිය / ප්රතිශතය -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,අයිතම කේතය> අයිතමය කාණ්ඩ> වෙළඳ නාමය ,Electronic Invoice Register,විද්යුත් ඉන්වොයිස් ලියාපදිංචිය DocType: Sales Invoice,Is Return (Credit Note),ප්රතිලාභ (ණය විස්තරය) DocType: Lab Test Sample,Lab Test Sample,පරීක්ෂණ පරීක්ෂණ සාම්පල @@ -291,6 +294,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,ප්රභේද apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",ඔබගේ තේරීම අනුව අයිතමයන් qty හෝ amount මත පදනම්ව ගාස්තු අය කෙරේ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,අද දවසේ එන ක්රියාකාරකම් +DocType: Quality Procedure Process,Quality Procedure Process,තත්ත්ව පටිපාටි ක්‍රියාවලිය DocType: Fee Schedule Program,Student Batch,ශිෂ්ය කණ්ඩායම apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},පේලියෙහි අයිතමය සඳහා අවශ්ය තක්සේරු අනුපාතය {0} DocType: BOM Operation,Base Hour Rate(Company Currency),මූලික පැය අනුපාතිකය (සමාගම් ව්යවහාර මුදල්) @@ -310,7 +314,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,අනුක්රම අංකයක් මත පදනම්ව ගණුදෙනු වල Q ගණනක් සකසන්න apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},අත්තිකාරම් ගිණුම ව්යවහාර මුදල් සමාගම් එකට සමාන විය යුතුය {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,මුල් පිටුව සැකසීමට -DocType: Quality Goal,October,ඔක්තෝම්බර් +DocType: GSTR 3B Report,October,ඔක්තෝම්බර් DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,විකුණුම් ගනුදෙනුවලින් පාරිභෝගිකයාගේ බදු අංකය සඟවන්න apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,අවලංගු GSTIN! GSTIN අක්ෂර 15 ක් තිබිය යුතුය. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,මිලකරණ නීතිය {0} යාවත්කාලීන වේ @@ -398,7 +402,7 @@ DocType: Leave Encashment,Leave Balance,ඉතිරිව තබන්න apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},නඩත්තු උපලේඛනය {0} පවතී {1} DocType: Assessment Plan,Supervisor Name,අධීක්ෂක නම DocType: Selling Settings,Campaign Naming By,නාමකරණය කිරීම -DocType: Course,Course Code,පාඨමාලා කේතය +DocType: Student Group Creation Tool Course,Course Code,පාඨමාලා කේතය apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,ගුවන්යානය DocType: Landed Cost Voucher,Distribute Charges Based On,මත පදනම්ව ගාස්තු අය කිරීම DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,සැපයුම් සාධක ලකුණු ලකුණු @@ -480,10 +484,8 @@ DocType: Restaurant Menu,Restaurant Menu,ආපන ශාලා මෙනුව DocType: Asset Movement,Purpose,අරමුණ apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,සේවකයන් සඳහා වැටුප් ව්යුහය දැනටමත් පවතී DocType: Clinical Procedure,Service Unit,සේවා ඒකකය -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,පාරිභෝගික> පාරිභෝගික කණ්ඩායම්> ප්රදේශය DocType: Travel Request,Identification Document Number,හඳුනාගැනීමේ ලේඛන අංකය DocType: Stock Entry,Additional Costs,අතිරේක වියදම් -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","ෙදමාපිය පාඨමාලාව (ෙම් ෙහයින්, ෙදමාපිය පාඨමාලාවට අයත් ෙනොෙව් නම් හිස්ව තබන්න)" DocType: Employee Education,Employee Education,සේවක අධ්යාපනය apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,තනතුරු සංඛ්යාව සංඛ්යාව සේවකයන්ගේ වර්තමාන සංඛ්යාව අඩු විය නොහැකිය apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,සියළුම පාරිභෝගික කණ්ඩායම් @@ -530,6 +532,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,පේළිය {0}: Qty අනිවාර්යයි DocType: Sales Invoice,Against Income Account,ආදායම් ගිණුමට එරෙහිව apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},පේළිය # {0}: මිලදී ගැනුම් ඉන්වොයිසියක් පවත්නා වත්කමකට එරෙහිව කළ නොහැක {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,විවිධ ප්‍රවර්ධන යෝජනා ක්‍රම යෙදීම සඳහා නීති. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM සඳහා අවශ්ය UOM කොන්ක්ටිං සාධකය: {0} අයිතමයේ: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},කරුණාකර අයිතමය {0} DocType: Workstation,Electricity Cost,විදුලිය ගාස්තු @@ -860,7 +863,6 @@ DocType: Item,Total Projected Qty,මුළු ප්රක්ෂේපිත apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,බොම්ස් DocType: Work Order,Actual Start Date,සැබෑ ආරම්භක දිනය apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,වන්දි නිවාඩු නිවාඩු ඉල්ලුම්පත්ර අතරතුර දිවා කාලයේ ඔබ නොපැමිණේ -DocType: Company,About the Company,සමාගම ගැන apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,මූල්ය ගිණුම් වල වෘක්ෂය. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,වක්ර ආදායම් DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,හෝටලයේ කාමර වෙන් කිරීම අයිතමය @@ -884,6 +886,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,වැඩසටහ ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,කරුණාකර භාවිතා කළ යුතු මාලාව සකසන්න. DocType: Delivery Trip,Distance UOM,දුරස්ථ යූඕම් +DocType: Accounting Dimension,Mandatory For Balance Sheet,ශේෂ පත්රයේ වලංගු වේ DocType: Payment Entry,Total Allocated Amount,සමස්ථ ප්රතිපාදන ප්රමාණය DocType: Sales Invoice,Get Advances Received,ලැබුණු අත්තිකාරම් ලබාගන්න DocType: Student,B-,බී- @@ -905,6 +908,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,නඩත්තු apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS පිවිසුම සෑදීමට අවශ්ය POS පැතිකඩ DocType: Education Settings,Enable LMS,LMS සක්රීය කරන්න DocType: POS Closing Voucher,Sales Invoices Summary,විකුණුම් ඉන්වොයිසි සාරාංශය +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,ප්රතිලාභය apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ණය සඳහා ගිණුමේ ශේෂ පත්රයේ ගිණුමක් තිබිය යුතුය DocType: Video,Duration,කාල සීමාව DocType: Lab Test Template,Descriptive,විස්තරාත්මක @@ -955,6 +959,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,ආරම්භක හා අවසන් දිනයන් DocType: Supplier Scorecard,Notify Employee,දැනුම් දෙන සේවකයා apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,මෘදුකාංග +DocType: Program,Allow Self Enroll,ස්වයං ලියාපදිංචි වීමට ඉඩ දෙන්න apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,කොටස් වියදම් apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"ඔබ ෙයදුම ෙයොමු නම්, ෙයොමු අංකය අනිවාර්යයි" DocType: Training Event,Workshop,වැඩමුළුව @@ -1006,6 +1011,7 @@ DocType: Lab Test Template,Lab Test Template,පරීක්ෂණ පරීක apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},උපරිමය: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ඉ-ඉන්වොයිසි තොරතුරු අතුරුදහන් apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,කිසිදු ද්රව්යමය ඉල්ලීමක් නිර්මාණය කර නැත +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,අයිතම කේතය> අයිතම සමූහය> වෙළඳ නාමය DocType: Loan,Total Amount Paid,මුළු මුදල ගෙවා ඇත apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,මේ සියල්ලම දැනටමත් කුවිතාන්සි කර ඇත DocType: Training Event,Trainer Name,පුහුණුකරු නම @@ -1027,6 +1033,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,අධ්යන වර්ෂය DocType: Sales Stage,Stage Name,අදියරේ නම DocType: SMS Center,All Employee (Active),සියලු සේවකයින් (ක්රියාකාරී) +DocType: Accounting Dimension,Accounting Dimension,ගිණුම්කරණ මානයන් DocType: Project,Customer Details,පාරිභෝගික තොරතුරු DocType: Buying Settings,Default Supplier Group,Default Supplier Group apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,කරුණාකර පළමුව ගෙවීම් රිසිට්පත {0} පළ කරන්න @@ -1141,7 +1148,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","ඉහළ අග DocType: Designation,Required Skills,අවශ්ය නිපුණතා DocType: Marketplace Settings,Disable Marketplace,වෙළඳපොළ අවලංගු කරන්න DocType: Budget,Action if Annual Budget Exceeded on Actual,ඇත්ත වශයෙන්ම වාර්ෂික අයවැය ඉක්මවා ගියහොත් ක්රියා කිරීම -DocType: Course,Course Abbreviation,පාඨමාලා කෙටි කිරීම apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,{0} නිවාඩු නොලැබීම {1} සඳහා ඉදිරිපත් නොවීම. DocType: Pricing Rule,Promotional Scheme Id,ප්රවර්ධන යෝජනාක්රමයේ අංකය apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},කාර්යය අවසන් වන දිනය {0} {1} අපේක්ෂිත අවසන් දිනයට වඩා වැඩි විය නොහැක {2} @@ -1284,7 +1290,7 @@ DocType: Bank Guarantee,Margin Money,පේළි මුදල් DocType: Chapter,Chapter,පරිච්ඡේදය DocType: Purchase Receipt Item Supplied,Current Stock,වත්මන් තොගය DocType: Employee,History In Company,ඉතිහාසය සමාගමේ -DocType: Item,Manufacturer,නිෂ්පාදක +DocType: Purchase Invoice Item,Manufacturer,නිෂ්පාදක apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,මධ්යස්ථ සංවේදීතාව DocType: Compensatory Leave Request,Leave Allocation,වෙන් කරන්න DocType: Timesheet,Timesheet,පත්රය @@ -1315,6 +1321,7 @@ DocType: Work Order,Material Transferred for Manufacturing,නිෂ්පාද DocType: Products Settings,Hide Variants,ප්රභේද සඟවන්න DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ධාරිතා සැලසුම්කරණය සහ කාල සක්රීය කිරීම අක්රීය කරන්න DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ගණුදෙනුවේ ගණනය කරනු ලැබේ. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,Balance Sheet ගිණුම සඳහා {0} අවශ්ය වේ {1}. 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} අයිතමයට ප්රථමයෙන් මිලදී ගැනීමේ රිසිට්පත සෑදිය යුතුය." DocType: Delivery Trip,Delivery Details,බෙදාහැරීමේ විස්තර DocType: Inpatient Record,Discharge Scheduled,විසර්ජනය නියමිත වේ @@ -1349,7 +1356,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,පෙර apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,මිනුම් ඒකකය DocType: Lab Test,Test Template,පරීක්ෂණ සැකිල්ල DocType: Fertilizer,Fertilizer Contents,පොහොර අන්තර්ගතය -apps/erpnext/erpnext/utilities/user_progress.py,Minute,ව්යවස්ථා සංග්රහය +DocType: Quality Meeting Minutes,Minute,ව්යවස්ථා සංග්රහය apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","පේළිය # {0}: වත්කම් {1} ඉදිරිපත් කල නොහැක, එය දැනටමත් {2}" DocType: Task,Actual Time (in Hours),සත්ය වේලාව (පැය වේලාවන්) DocType: Period Closing Voucher,Closing Account Head,අවසාන ගිණුම් ප්රධානියා @@ -1522,7 +1529,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,රසායනාගාර DocType: Purchase Order,To Bill,බිල් apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,උපයෝගීතා වියදම් DocType: Manufacturing Settings,Time Between Operations (in mins),මෙහෙයුම් අතර කාලය (විනාඩි) -DocType: Quality Goal,May,මැයි +DocType: GSTR 3B Report,May,මැයි apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","ගෙවීම් මාර්ගෝපදේශ ගිණුමක් නොලැබූ, කරුණාකර අතින් එකක් නිර්මාණය කරන්න." DocType: Opening Invoice Creation Tool,Purchase,මිලදී DocType: Program Enrollment,School House,පාසල් හවුස් @@ -1554,6 +1561,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,ඔබේ සැපයුම්කරු පිළිබඳ ව්යවස්ථාපිත තොරතුරු සහ අනෙකුත් පොදු තොරතුරු DocType: Item Default,Default Selling Cost Center,ප්රකෘති විකුණුම් පිරිවැය මධ්යස්ථානය DocType: Sales Partner,Address & Contacts,ලිපිනය සහ සම්බන්ධතා +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර පැමිණීම සඳහා අංකනය කිරීමේ ශ්‍රේණිය සැකසුම> අංකනය මාලාව හරහා සකසන්න DocType: Subscriber,Subscriber,ග්රාහකයා apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ආකෘති / අයිතම / {0}) තොගයෙන් තොරය apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,කරුණාකර පළමුව පළ කිරීම පළ කරන්න @@ -1581,6 +1589,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,නේවාසික DocType: Bank Statement Settings,Transaction Data Mapping,ගනුදෙනු දත්ත සිතියම්ගත කිරීම apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,නායකයකු පුද්ගලයෙකුගේ නම හෝ සංවිධානයේ නම අවශ්ය වේ DocType: Student,Guardians,ආරක්ෂකයින් +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,කරුණාකර අධ්යාපනය> අධ්යාපන සැකසීම් තුළ උපදේශක නාමකරණයක් සැකසීම apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,බ්රෑන්ඩ් තෝරන්න ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,මැද ආදායම් DocType: Shipping Rule,Calculate Based On,පාදක කර ගනී @@ -1592,7 +1601,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,වියදම් හි DocType: Purchase Invoice,Rounding Adjustment (Company Currency),වටය ගැලපුම්කරණය (සමාගම් ව්යවහාර මුදල්) DocType: Item,Publish in Hub,හබ්හි පළ කරන්න apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,අගෝස්තු +DocType: GSTR 3B Report,August,අගෝස්තු apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,කරුණාකර ප්රථමයෙන් මිලදී ගැනීමේ රිසිට්පත ඇතුළත් කරන්න apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ආරම්භක වසර apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),ඉලක්කය ({}) @@ -1611,6 +1620,7 @@ DocType: Item,Max Sample Quantity,උපරිම නියැදිය ප් apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ප්රභවය සහ ඉලක්ක ගබඩාව වෙනස් විය යුතුය DocType: Employee Benefit Application,Benefits Applied,ප්රතිලාභ ප්රයෝජනවත් වේ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Journal Entry Against {0} කිසිදු අසමසම {1} ප්රවේශයක් නොමැත +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",""-", "#", ".", "/", "{" සහ "}" හැර විශේෂ අක්ෂර නම් කිරීමේ ශ්‍රේණියේ අවසර නැත" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,මිල හෝ නිෂ්පාදන වට්ටම් තට්ටු අවශ්ය වේ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ඉලක්කයක් සකසන්න apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},{1} ශිෂ්යයාට එරෙහි පැමිණීමේ වාර්තාව {0} @@ -1626,10 +1636,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,මසකට DocType: Routing,Routing Name,මාර්ගයේ නම DocType: Disease,Common Name,පොදු නම -DocType: Quality Goal,Measurable,මැනිය හැකි ය DocType: Education Settings,LMS Title,LMS මාතෘකාව apps/erpnext/erpnext/config/non_profit.py,Loan Management,ණය කළමනාකරණය -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,උපකාරක විශ්ලේෂණ DocType: Clinical Procedure,Consumable Total Amount,අත්යවශ්ය මුදල apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,ආකෘතිය සක්රීය කරන්න apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,ගණුදෙනුකරු LPO @@ -1769,6 +1777,7 @@ DocType: Restaurant Order Entry Item,Served,සේවය කලේය DocType: Loan,Member,සාමාජිකයෙකි DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,වෘත්තිකයින්ගේ සේවා කාලසටහන apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,වයර් ට්රාන්ෆර් +DocType: Quality Review Objective,Quality Review Objective,තත්ත්ව සමාලෝචන පරමාර්ථය DocType: Bank Reconciliation Detail,Against Account,ගිණුමට එරෙහිව DocType: Projects Settings,Projects Settings,ව්යාපෘති සැකසීම් apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},සත්ය Qty {0} / Waiting Qty {1} @@ -1797,6 +1806,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,මූල්ය වර්ෂය අවසන් වන දිනය මූල්ය වර්ෂය ආරම්භක දිනයෙන් පසුව විය යුතුය apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,දිනපතා සිහිපත් කරන්නන් DocType: Item,Default Sales Unit of Measure,මිනුම් ප්රමිතිගත විකුණුම් ඒකකය +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,සමාගම GSTIN DocType: Asset Finance Book,Rate of Depreciation,ක්ෂයවීම් අනුපාතය DocType: Support Search Source,Post Description Key,තැපැල් විස්තරය යතුර DocType: Loyalty Program Collection,Minimum Total Spent,අවම පිරිවැය @@ -1867,6 +1877,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,තෝරාගත් පාරිභෝගිකයා සඳහා පාරිභෝගික කණ්ඩායම් වෙනස් කිරීම තහනම් කර ඇත. DocType: Serial No,Creation Document Type,නිර්මාණ ලේඛන වර්ගය DocType: Sales Invoice Item,Available Batch Qty at Warehouse,ගුදම් ගබඩාවට ලබාගත හැකි කාණ්ඩය Batch Qty +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ඉන්වොයිසිය මුළු එකතුව apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,මෙය භූමි ප්රදේශයක් වන අතර සංස්කරණය කළ නොහැක. DocType: Patient,Surgical History,ශල්ය ඉතිහාසය apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,තත්ත්ව පාලන ක්රියා පිළිවෙත @@ -1971,6 +1982,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,ඔබට වෙබ් අඩවියේ ප්රදර්ශනය කිරීමට අවශ්ය නම් මෙය පරික්ෂා කරන්න apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,මුල්ය වර්ෂය {0} සොයාගත නොහැකි විය DocType: Bank Statement Settings,Bank Statement Settings,බැංකු ප්රකාශය සැකසීම් +DocType: Quality Procedure Process,Link existing Quality Procedure.,පවතින තත්ත්ව ක්‍රියා පටිපාටිය සම්බන්ධ කරන්න. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,CSV / Excel ලිපිගොනු වලින් ගිණුම් වගුව ආයාත කරන්න DocType: Appraisal Goal,Score (0-5),ලකුණු (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} තේරූ වගුව තුළ කිහිප වරක් තෝරාගෙන ඇත DocType: Purchase Invoice,Debit Note Issued,හරින ලද සටහන නිකුත් කෙරේ @@ -1979,7 +1992,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,ප්රතිපත්තිමය විස්තරය apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,ගබඩාව පද්ධතියේ සොයාගත නොහැකි විය DocType: Healthcare Practitioner,OP Consulting Charge,OP උපදේශන ගාස්තු -DocType: Quality Goal,Measurable Goal,මැනිය හැකි ඉලක්කයකි DocType: Bank Statement Transaction Payment Item,Invoices,ඉන්ෙවොයිස් DocType: Currency Exchange,Currency Exchange,මුදල් හුවමාරුව DocType: Payroll Entry,Fortnightly,සතිපතා @@ -2042,6 +2054,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} ඉදිරිපත් කර නැත DocType: Work Order,Backflush raw materials from work-in-progress warehouse,වැඩ බඩු ප්රවාහයේ සිට අමුද්රව්ය ආපසු DocType: Maintenance Team Member,Maintenance Team Member,නඩත්තු කණ්ඩායම් සාමාජිකයා +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,ගිණුම්කරණය සඳහා අභිමත මාන කිරීම් සකසන්න DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,ප්රශස්ත වර්ධනයක් සඳහා පැල පේළි අතර අවම පරතරය DocType: Employee Health Insurance,Health Insurance Name,සෞඛ්ය රක්ෂණය නම apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,කොටස් වත්කම් @@ -2072,7 +2085,7 @@ DocType: Delivery Note,Billing Address Name,බිල්ගත කිරීම apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,විකල්ප අයිතම DocType: Certification Application,Name of Applicant,අයදුම්කරුවාගේ නම DocType: Leave Type,Earned Leave,පිටත්ව ගොස් ඇත -DocType: Quality Goal,June,ජූනි +DocType: GSTR 3B Report,June,ජූනි apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},පේළිය {0}: භාණ්ඩයක් සඳහා පිරිවැය මධ්යස්ථානය අවශ්ය වේ {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},{0} අනුමත කළ හැකිය. apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,{0} මිනුම් ඒකකය එක් පරිවර්තන සාධක වගුවකට වඩා වරක් ඇතුළත් කර ඇත @@ -2093,6 +2106,7 @@ DocType: Lab Test Template,Standard Selling Rate,සම්මත විකුණ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},කරුණාකර {0} අවන්හල සඳහා සක්රිය මෙනුවක් සකසන්න 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 සහ අයිතම කළමනාකරුගේ භූමිකාවන් සමඟ භාවිතා කරන්නෙකු විය යුතුය. DocType: Asset Finance Book,Asset Finance Book,වත්කම් මූල්ය පොත +DocType: Quality Goal Objective,Quality Goal Objective,ගුණාත්මක ඉලක්ක පරමාර්ථය DocType: Employee Transfer,Employee Transfer,සේවක ස්ථාන මාරු ,Sales Funnel,විකුණුම් දහරාව DocType: Agriculture Analysis Criteria,Water Analysis,ජල විශ්ලේෂණය @@ -2129,6 +2143,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,සේවක ස apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,නොඉවසන ක්රියාකාරකම් apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,ඔබේ ගනුදෙනුකරුවන් කීපයක් ලැයිස්තුගත කරන්න. ඔවුන් සංවිධාන හෝ පුද්ගලයන් විය හැකිය. DocType: Bank Guarantee,Bank Account Info,බැංකු ගිණුම් තොරතුරු +DocType: Quality Goal,Weekday,සතියේ දිනය apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,ගාඩියන් 1 නම DocType: Salary Component,Variable Based On Taxable Salary,ආදායම් මත පදනම් විචල්ය මත පදනම් වේ DocType: Accounting Period,Accounting Period,ගිණුම්කරණ කාලය @@ -2213,7 +2228,7 @@ DocType: Purchase Invoice,Rounding Adjustment,වටය ගැලපීම DocType: Quality Review Table,Quality Review Table,තත්ත්ව සමාලෝචන වගුව DocType: Member,Membership Expiry Date,සාමාජිකත්ව කාලය කල් ඉකුත්වීම DocType: Asset Finance Book,Expected Value After Useful Life,ප්රයෝජනවත් ජීවිතයෙන් පසු අපේක්ෂිත වටිනාකම -DocType: Quality Goal,November,නොවැම්බර් +DocType: GSTR 3B Report,November,නොවැම්බර් DocType: Loan Application,Rate of Interest,පොලී අනුපාත DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,බැංකු ප්රකාශය ගණුදෙනු ගෙවීම් අයිතමය DocType: Restaurant Reservation,Waitlisted,බලාගෙන ඉන්න @@ -2277,6 +2292,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","පේළිය {0}: {1} ආවර්තිතා දැක්වීම සඳහා, සිට සහ අද දින අතර වෙනස {2}" DocType: Purchase Invoice Item,Valuation Rate,තක්සේරු අනුපාතිකය DocType: Shopping Cart Settings,Default settings for Shopping Cart,සාප්පු කරත්ත සඳහා පෙරනිමි සැකසුම් +DocType: Quiz,Score out of 100,ලකුණු 100 න් ලකුණු DocType: Manufacturing Settings,Capacity Planning,ධාරිතා සැලසුම්කරණය apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,උපදේශකයන් වෙත යන්න DocType: Activity Cost,Projects,ව්යාපෘති @@ -2286,6 +2302,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,වේලාවෙන් apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,ප්රභූ විස්තර වාර්තාව +,BOM Explorer,BOM එක්ස්ප්ලෝරර් DocType: Currency Exchange,For Buying,මිලදී ගැනීම සඳහා apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} සඳහා ස්ලට් වරුන්ට එකතු නොවේ DocType: Target Detail,Target Distribution,ඉලක්ක බෙදාහැරීම @@ -2303,6 +2320,7 @@ DocType: Activity Cost,Activity Cost,ක්රියාකාරකම් පි DocType: Journal Entry,Payment Order,ගෙවුම් නියෝගය apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,මිලකරණය ,Item Delivery Date,අයිතමය භාර දෙන දිනය +DocType: Quality Goal,January-April-July-October,ජනවාරි-අප්රේල්-ජූලි-ඔක්තෝබර් DocType: Purchase Order Item,Warehouse and Reference,ගබඩාව සහ යොමුව apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,ළමා නෝඩාවන්ගේ ගිණුම ලෙජරයට පරිවර්තනය කළ නොහැක DocType: Soil Texture,Clay Composition (%),මැටි සංයුතිය (%) @@ -2353,6 +2371,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,ඉදිරි දි apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varjaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,පේළිය {0}: කරුණාකර ගෙවීම් කිරීමේ ක්රමය ගෙවීම් කිරීමේ උපලේඛනය සකස් කරන්න apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,අධ්යයන වාරය: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,තත්ත්ව ප්රතිපෝෂණ පරාමිතිය apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,කරුණාකර වට්ටම් මත ක්ලික් කරන්න apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,පේළිය # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,මුළු ගෙවීම් @@ -2395,7 +2414,7 @@ DocType: Hub Tracked Item,Hub Node,හබ් නෝඩ් apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,සේවක හැදුනුම්පත DocType: Salary Structure Assignment,Salary Structure Assignment,වැටුප් ව්යුහය පැවරුම DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS අවසාන වවුචර් බදු -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,ක්රියාමාර්ගය අනුගමනය කෙරේ +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,ක්රියාමාර්ගය අනුගමනය කෙරේ DocType: POS Profile,Applicable for Users,පරිශීලකයින් සඳහා අදාළ වේ DocType: Training Event,Exam,විභාගය apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,සාමාන්ය ලෙජර් සටහන් ප්රමාණවත් සංඛ්යාවක් සොයාගත හැකිය. ඔබ ගනුදෙනුවේදී වැරදි ගිණුමක් තෝරාගෙන ඇත. @@ -2500,6 +2519,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,දිග DocType: Accounts Settings,Determine Address Tax Category From,ලිපිනය බදු වර්ගය තීරණය කරන්න apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,තීරණ ගන්නන් හඳුනා ගැනීම +DocType: Stock Entry Detail,Reference Purchase Receipt,යොමු මිලදී ගැනීමේ කුවිතාන්සිය apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,ආරාධනා ලබා ගන්න DocType: Tally Migration,Is Day Book Data Imported,දෛනික පොත් දත්ත ආනයනය කර ඇත ,Sales Partners Commission,විකුණුම් හවුල්කරුවන්ගේ කොමිසම @@ -2523,6 +2543,7 @@ DocType: Leave Type,Applicable After (Working Days),අයදුම් කළ DocType: Timesheet Detail,Hrs,එම් DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,සැපයුම්කරුවන් ලකුණු ලකුණු නිර්ණායක DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,ගුණාත්මක ප්‍රතිපෝෂණ ආකෘති පරාමිතිය apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,බඳවා ගැනීමේ දිනය උපන්දිනයට වඩා වැඩි විය යුතුය DocType: Bank Statement Transaction Invoice Item,Invoice Date,ඉන්වොයිස් දිනය DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,විකුණුම් ඉන්වොයිසිය ඉදිරිපත් කිරීමට පරීක්ෂණාගාරය සාදන්න @@ -2629,7 +2650,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,අවම අවස DocType: Stock Entry,Source Warehouse Address,ප්රභව ගබඩාව ලිපිනය DocType: Compensatory Leave Request,Compensatory Leave Request,වන්දි ඉල්ලීම් ඉල්ලීම් DocType: Lead,Mobile No.,ජංගම අංක -DocType: Quality Goal,July,ජුලි +DocType: GSTR 3B Report,July,ජුලි apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,සුදුසු ITC DocType: Fertilizer,Density (if liquid),ඝනත්වය (ද්රවිතය නම්) DocType: Employee,External Work History,බාහිර රැකියා ඉතිහාසය @@ -2706,6 +2727,7 @@ DocType: Certification Application,Certification Status,සහතික කි apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},වත්කම සඳහා මූලාශ්රය පිහිටීම {0} DocType: Employee,Encashment Date,ඇතුල් වීමේ දිනය apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,සම්පුර්ණ කළ වත්කම් නඩත්තු ලොගය සඳහා අවසන් දිනය තෝරන්න +DocType: Quiz,Latest Attempt,නවතම උත්සාහය DocType: Leave Block List,Allow Users,පරිශීලකයන්ට ඉඩ දෙන්න apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,ගිණුම් සටහන apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,'ප්රස්ථායෙන්' තෝරා ගනු ලබන්නේ පාරිභෝගිකයා ලෙස නම් ගනුදෙනුකරු අනිවාර්ය වේ @@ -2770,7 +2792,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,සැපයුම DocType: Amazon MWS Settings,Amazon MWS Settings,ඇමේසන් MWS සැකසුම් DocType: Program Enrollment,Walking,ඇවිදිනවා DocType: SMS Log,Requested Numbers,ඉල්ලුම් කළ සංඛ්යා -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර Setup> අංක ශ්රේණි හරහා පැමිණීම සඳහා අංක මාලාව සකසන්න DocType: Woocommerce Settings,Freight and Forwarding Account,නැව්ගත කිරීමේ සහ යොමු කිරීමේ ගිණුම apps/erpnext/erpnext/accounts/party.py,Please select a Company,කරුණාකර සමාගම තෝරා ගන්න apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,පේළිය {0}: {1} 0 ට වඩා වැඩි විය යුතුය @@ -2840,7 +2861,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ගනු DocType: Training Event,Seminar,සම්මන්ත්රණය apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),ක්රෙඩිට් ({0}) DocType: Payment Request,Subscription Plans,දායකත්ව සැලසුම් -DocType: Quality Goal,March,මාර්තු +DocType: GSTR 3B Report,March,මාර්තු apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,බෙදුම් කණ්ඩායම DocType: School House,House Name,නිවස නම apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0} සඳහා විශිෂ්ටත්වයට ශුන්යයට වඩා අඩු විය නොහැක ({1}) @@ -2903,7 +2924,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,රක්ෂණ ආරම්භක දිනය DocType: Target Detail,Target Detail,ඉලක්කය විස්තර DocType: Packing Slip,Net Weight UOM,ශුද්ධ බර UOM -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: Purchase Invoice Item,Net Amount (Company Currency),ශුද්ධ මුදල (සමාගම් ව්යවහාර මුදල්) DocType: Bank Statement Transaction Settings Item,Mapped Data,සිතියම්ගත දත්ත apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,සුරැකුම්පත් හා තැන්පතු @@ -2953,6 +2973,7 @@ DocType: Cheque Print Template,Cheque Height,උස පිරික්සන් apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,කරුණාකර නිදහස් දිනය ඇතුළත් කරන්න. DocType: Loyalty Program,Loyalty Program Help,ලෝයල්ටි වැඩසටහන වැඩසටහන DocType: Journal Entry,Inter Company Journal Entry Reference,අන්තර් සමාගම් Journal Entry Reference +DocType: Quality Meeting,Agenda,න්‍යාය පත්‍රය DocType: Quality Action,Corrective,නිවැරදි කිරීම apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,සමූහය විසින් DocType: Bank Account,Address and Contact,ලිපිනය සහ සම්බන්ධතාවය @@ -3006,7 +3027,7 @@ DocType: GL Entry,Credit Amount,ණය ප්රමාණය apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,මුළු මුදල ණයගැති DocType: Support Search Source,Post Route Key List,තැපැල් මාර්ග යතුරු ලැයිස්තුව apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} කිසිදු ක්රියාකාරී මූල්ය වර්ෂය තුළ නොවේ. -DocType: Quality Action Table,Problem,ගැටලුව +DocType: Quality Action Resolution,Problem,ගැටලුව DocType: Training Event,Conference,සම්මන්ත්රණය DocType: Mode of Payment Account,Mode of Payment Account,ගෙවීමේ ක්රමය DocType: Leave Encashment,Encashable days,ඇණවුම් කළ හැකි දින @@ -3132,7 +3153,7 @@ DocType: Item,"Purchase, Replenishment Details","මිලදී ගැනීම DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","සැකසූ පසු, නියමිත දිනට තෙක් මෙම ඉන්වොයිසිය සක්රීය වේ" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,අයිතමයේ {0} අයිතම සඳහා කොටස් නොමැත DocType: Lab Test Template,Grouped,සමුහය -DocType: Quality Goal,January,ජනවාරි +DocType: GSTR 3B Report,January,ජනවාරි DocType: Course Assessment Criteria,Course Assessment Criteria,පාඨමාලා ඇගයීම් නිර්ණායක DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,සම්පූර්ණ කරන ලද Qty @@ -3228,7 +3249,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,සෞඛ් apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,කරුණාකර මේසයෙහි අවම වශයෙන් 1 ඉන්වොයිසියක් ඇතුලත් කරන්න apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,විකුණුම් නියෝගය {0} ඉදිරිපත් කර නැත apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,පැමිණීම සාර්ථකව සළකුණු කර ඇත. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,පෙර විකුණුම් +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,පෙර විකුණුම් apps/erpnext/erpnext/config/projects.py,Project master.,ව්යාපෘති කළමනාකරු. DocType: Daily Work Summary,Daily Work Summary,දෛනික වැඩ සාරාංශය DocType: Asset,Partially Depreciated,අර්ධ වශෙයන් ක්ෂය වී ඇත @@ -3237,6 +3258,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,බහිනවාද? DocType: Certified Consultant,Discuss ID,හැඳුනුම සාකච්ඡා කරන්න apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,කරුණාකර GST සැකසුම් තුළ කරුණාකර GST ගිණුම් සකස් කරන්න +DocType: Quiz,Latest Highest Score,නවතම ඉහළම ලකුණු DocType: Supplier,Billing Currency,බිල් කිරීමේ මුදල apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,ශිෂ්ය ක්රියාකාරිත්වය apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,ඉලක්කගත ඉලක්කය හෝ ඉලක්කගත මුදල හෝ අනිවාර්ය වේ @@ -3262,18 +3284,21 @@ DocType: Sales Order,Not Delivered,නොඑව්වේ නැත apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,නිවාඩු නොමැතිව නිවාඩු දීම නිසා {0} නිවාඩු වර්ගය වෙන් කළ නොහැකි ය DocType: GL Entry,Debit Amount,හර ණය මුදල apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},අයිතමයට {0} අයිතමය දැනටමත් පවතී. +DocType: Video,Vimeo,විමියෝ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,අනු කාරක සභා 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.","බහු මිල නියම කිරීමේ රෙගුලාසි අඛණ්ඩව පවතින්නේ නම්, ගැටුම් නිරාකරණය කිරීමට පරිශීලකයින්ට ප්රමුඛතාවය තැබීම සඳහා අතින් සැකසීමට සිදු වේ." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ප්රවර්ගයන් 'වටිනාකම්' හෝ 'තක්සේරු කිරීම හා සම්පූර්ණ' apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM සහ නිෂ්පාදන ප්රමාණයන් අවශ්ය වේ apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},අයිතමය {0} සිය ජීවිතයේ අවසාන කාලය {1} DocType: Quality Inspection Reading,Reading 6,කියවීම 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,සමාගම් ක්ෂේත්රය අවශ්ය වේ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,ද්රව්ය පරිභෝජනය කර්මාන්ත සැකසුම් තුළ නැත. DocType: Assessment Group,Assessment Group Name,ඇගයීම් කණ්ඩායමේ නම -DocType: Item,Manufacturer Part Number,නිෂ්පාදකයාගේ කොටස් අංකය +DocType: Purchase Invoice Item,Manufacturer Part Number,නිෂ්පාදකයාගේ කොටස් අංකය apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,ගෙවිය යුතු වේ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},පේළිය # {0}: {1} අයිතමය සඳහා ඍණ විය නොහැක. {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,ශේෂය +DocType: Question,Multiple Correct Answer,බහු නිවැරදි පිළිතුර DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 ලෙන්ගතු ලක්ෂ්ය = කොපමණ පාදක මුදලක්? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},සටහන: නිවාඩු වර්ගය සඳහා ප්රමාණවත් නිවාඩු ඉතිරි නැත {0} DocType: Clinical Procedure,Inpatient Record,රෝගියාගේ වාර්තාව @@ -3393,6 +3418,7 @@ DocType: Fee Schedule Program,Total Students,මුළු ශිෂ්ය සං apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,දේශීය DocType: Chapter Member,Leave Reason,හේතුව DocType: Salary Component,Condition and Formula,තත්වය සහ සූත්රය +DocType: Quality Goal,Objectives,අරමුණු apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","{0} සහ {1} අතර කාල සීමාව සඳහා දැනටමත් සකස් කර ඇති වැටුප්, මෙම කාල පරාසය අතර නිවාඩු කාලය ගත කළ නොහැක." DocType: BOM Item,Basic Rate (Company Currency),මූලික අනුපාතය (සමාගම් ව්යවහාර මුදල්) DocType: BOM Scrap Item,BOM Scrap Item,BOM කැටයම් අයිතමය @@ -3443,6 +3469,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-YYYY.- DocType: Expense Claim Account,Expense Claim Account,වියදම් හිමිකම් ගිණුම apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Journal Entry සඳහා ආපසු ගෙවීම් නොමැත apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} අක්රීය ශිෂ්යයෙකි +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,කොටස් ඇතුළත් කරන්න DocType: Employee Onboarding,Activities,කටයුතු apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,එක ගබඩාවක් අත්යවශ්යයි ,Customer Credit Balance,ගනුදෙනුකරුවන්ගේ ණය ශේෂය @@ -3527,7 +3554,6 @@ DocType: Contract,Contract Terms,කොන්ත්රාත් කොන්ද apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,ඉලක්කගත ඉලක්කය හෝ ඉලක්කගත මුදල හෝ අනිවාර්ය වේ. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},වලංගු නැත {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,රැස්වීම දිනය DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,අකුරු 5 කට වඩා වැඩි විය නොහැක DocType: Employee Benefit Application,Max Benefits (Yearly),මැක්ස් ප්රතිලාභ (වාර්ෂිකව) @@ -3629,7 +3655,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,බැංකු ගාස්තු apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,භාණ්ඩ මාරු කිරීම apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,ප්රාථමික ඇමතුම් විස්තර -DocType: Quality Review,Values,වටිනාකම් DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","පරීක්ෂා නොකළ හොත්, එය අදාළ කළ යුතු සෑම දෙපාර්තමේන්තුවක් සඳහාම ලැයිස්තුව එක් කිරීමට සිදු වේ." DocType: Item Group,Show this slideshow at the top of the page,පිටුවේ ඉහළ පෙළේ මෙම විනිවිදක දර්ශනය පෙන්වන්න apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} පරාමිතිය වලංගු නොවේ @@ -3648,6 +3673,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,බැංකු ගාස්තු ගිණුම DocType: Journal Entry,Get Outstanding Invoices,විශිෂ්ඨ ඉන්වොයිසි ලබා ගන්න DocType: Opportunity,Opportunity From,අවස්ථා +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,ඉලක්ක විස්තර DocType: Item,Customer Code,පාරිභෝගික කේතය apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,කරුණාකර පළමුව අයිතමය ඇතුලත් කරන්න apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,වෙබ් අඩවි ලැයිස්තුගත කිරීම @@ -3676,7 +3702,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,වෙත ලබාදීම DocType: Bank Statement Transaction Settings Item,Bank Data,බැංකු දත්ත apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,උපලේඛනගත කිරීම -DocType: Quality Goal,Everyday,සෑම දිනම DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,කාල සටහන් කාලවලදී බිල්පත් පැය හා වැඩ කරන පැය පවත්වා ගන්න apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,ඊයම් ප්රභවයෙන් මඟ පෙන්වීම DocType: Clinical Procedure,Nursing User,හෙද පරිශීලකයා @@ -3701,7 +3726,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,භූමි ගස් DocType: GL Entry,Voucher Type,වවුචර් වර්ගය ,Serial No Service Contract Expiry,අනුකූල නැත සේවා කොන්ත්රාත්තුව කල් ඉකුත්වීම DocType: Certification Application,Certified,සහතිකය -DocType: Material Request Plan Item,Manufacture,නිෂ්පාදනය +DocType: Purchase Invoice Item,Manufacture,නිෂ්පාදනය apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} නිපදවන අයිතම apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0} සඳහා ගෙවීම් ඉල්ලීම් apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,අවසන් ඇණවුමෙන් දින @@ -3716,7 +3741,7 @@ DocType: Sales Invoice,Company Address Name,සමාගම් ලිපින apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,සංක්රමණ තුළ භාණ්ඩ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,ඔබට මෙම ඇණවුමෙන් උපරිම වශයෙන් {0} ලකුණු ලබා ගත හැකිය. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},ගබඩාව ගිණුම සකසන්න {0} -DocType: Quality Action Table,Resolution,යෝජනාව +DocType: Quality Action,Resolution,යෝජනාව DocType: Sales Invoice,Loyalty Points Redemption,පක්ෂපාතීත්ව මුදා හැරීම apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,සම්පූර්ණ බදු වටිනාකම DocType: Patient Appointment,Scheduled,උපලේඛනගත කර ඇත @@ -3836,6 +3861,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,අනුපාතිකය apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},{0} සුරැකීම DocType: SMS Center,Total Message(s),මුළු පණිවිඩය (න්) +DocType: Purchase Invoice,Accounting Dimensions,ගිණුම්කරණ මානයන් apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,සමූහය විසින් ගිණුම් DocType: Quotation,In Words will be visible once you save the Quotation.,ඔබ සෙවිය යුතු විට වචනවල දෘශ්යමාන වනු ඇත. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,නිෂ්පාදිත ප්රමාණය @@ -4000,7 +4026,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","ඔබට කිසියම් ප්රශ්නයක් ඇත්නම්, කරුණාකර අප වෙත ආපසු එන්න." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,මිලදී ගැනීමේ රිසිට්පත {0} ඉදිරිපත් නොකෙරේ DocType: Task,Total Expense Claim (via Expense Claim),සමස්ත වියදම් හිමිකම් පත්රය (වියදම් හිමිකම් වලින්) -DocType: Quality Action,Quality Goal,තත්ත්ව පරමාර්ථය +DocType: Quality Goal,Quality Goal,තත්ත්ව පරමාර්ථය DocType: Support Settings,Support Portal,උපකාරක ද්වාරය apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},සේවකයා {0} නිවාඩු දී {1} DocType: Employee,Held On,පවත්වන ලදි @@ -4058,7 +4084,6 @@ DocType: BOM,Operating Cost (Company Currency),මෙහෙයුම් පි DocType: Item Price,Item Price,අයිතම මිල DocType: Payment Entry,Party Name,පක්ෂයේ නම apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,කරුණාකර පාරිභෝගිකයා තෝරා ගන්න -DocType: Course,Course Intro,පාඨමාලාව හදාරන්න DocType: Program Enrollment Tool,New Program,නව වැඩසටහන apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix",නව පිරිවැය මධ්යස්ථානයේ පිරිවැය මධ්යස්ථාන නමට උපසර්ගයක් ලෙස ඇතුළත් වේ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,පාරිභෝගිකයා හෝ සැපයුම්කරු තෝරන්න. @@ -4256,6 +4281,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,ශුද්ධ ගෙවීම් ඍණ විය නොහැක apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,අන්තර් ක්රියාකාරී සංඛ්යාව 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/hr/doctype/employee/employee_dashboard.py,Shift,වෙනස් කරන්න apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,සැකසීමේ සටහන සහ පාර්ශවයන් DocType: Stock Settings,Convert Item Description to Clean HTML,HTML හී පිරිසිදු කිරීමට අයිතමය වින්යාස කරන්න apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,සියලු සැපයුම් කණ්ඩායම් @@ -4334,6 +4360,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,ෙදමාපිය ය apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,තැරැව්කාර apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},කරුණාකර අයිතමය {0} සඳහා මිල දී ගැනීමේ ලදුපතක් හෝ මිල ඉන්වොයිසියක් සාදන්න. +,Product Bundle Balance,නිෂ්පාදන මිටි ශේෂය apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,සමාගමේ නම සමාගම් විය නොහැක DocType: Maintenance Visit,Breakdown,බිඳ වැටීම DocType: Inpatient Record,B Negative,B සෘණාත්මක @@ -4342,7 +4369,7 @@ DocType: Purchase Invoice,Credit To,ණයකට apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,තවදුරටත් වැඩ කිරීම සඳහා මෙම වැඩ පිළිවෙළ ඉදිරිපත් කරන්න. DocType: Bank Guarantee,Bank Guarantee Number,බැංකු ඇපකරයේ අංකය apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},බෙදාහැරීම: {0} -DocType: Quality Action,Under Review,සමාලෝචනය යටතේ +DocType: Quality Meeting Table,Under Review,සමාලෝචනය යටතේ apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),කෘෂිකර්ම (බීටා) ,Average Commission Rate,සාමාන්ය ඡකොමිසම අනුපාතය DocType: Sales Invoice,Customer's Purchase Order Date,ගණුදෙනුකරුගේ මිලදී ගැනීමේ නියෝග දිනය @@ -4459,7 +4486,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,ඉන්වොයිසි සමග ගෙවීම් කිරීම DocType: Holiday List,Weekly Off,සතිපතා Off apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},අයිතමය සඳහා විකල්ප අයිතමයක් තැබීමට ඉඩ නොදේ. {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,වැඩසටහන {0} නොපවතියි. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,වැඩසටහන {0} නොපවතියි. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,ඔබට root node සංස්කරණය කළ නොහැක. DocType: Fee Schedule,Student Category,ශිෂ්ය කාණ්ඩය apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","අයිතමය {0}: {1} නිෂ්පාදනය කරන ලද," @@ -4550,8 +4577,8 @@ DocType: Crop,Crop Spacing,බෝග පරතරය DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,විකුණුම් ගනුදෙනු මත පදනම් ව ාපෘතියක් සහ සමාගමක් යාවත්කාලීන කළ යුතුදැයි කොපමණ වේද? DocType: Pricing Rule,Period Settings,කාල සැකසුම් apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,ලැබිය යුතු ගිණුම්වල ශුද්ධ වෙනස්වීම් +DocType: Quality Feedback Template,Quality Feedback Template,ගුණාත්මක ප්‍රතිපෝෂණ ආකෘතිය apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,ප්රමාණයෙන් ශුන්යයට වඩා වැඩි විය යුතුය -DocType: Quality Goal,Goal Objectives,අරමුණු apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","අනුපාතය, කොටස්වල ප්රමාණය සහ ගණනය කළ ප්රමාණය අතර නොගැලපීම් ඇත" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,වසරකට ශිෂ්ය කණ්ඩායම් සාදන්නේ නම් හිස්ව තබන්න apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),ණය (වගකීම්) @@ -4586,12 +4613,13 @@ DocType: Quality Procedure Table,Step,පියවර DocType: Normal Test Items,Result Value,ප්රතිඵල වටිනාකම DocType: Cash Flow Mapping,Is Income Tax Liability,ආදායම් බදු වගකීම DocType: Healthcare Practitioner,Inpatient Visit Charge Item,නේවාසික පැමිණීමේ ගාස්තු අයිතමය -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} නොපවතියි. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} නොපවතියි. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,ප්රතිචාර යාවත්කාලීන කරන්න DocType: Bank Guarantee,Supplier,සැපයුම්කරු apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},{0} සහ {1} DocType: Purchase Order,Order Confirmation Date,ඇණවුම් කිරීමේ දිනය DocType: Delivery Trip,Calculate Estimated Arrival Times,ඇස්තමේන්තුගත පැමිණීමේ වේලාවන් ගණනය කරන්න +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,කරුණාකර සේවක නම් කිරීමේ පද්ධතිය මානව සම්පත්> මානව සම්පත් සැකසුම් තුළ සකසන්න apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,අත්යවශ්යයි DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,දායකත්වය ආරම්භක දිනය @@ -4654,6 +4682,7 @@ DocType: Cheque Print Template,Is Account Payable,ගෙවිය යුතු apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,සම්පූර්ණ අනුපිළිවෙල apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},සැපයුම්කරු {0} {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,SMS ගේට්වේ මාර්ග සැකසුම +DocType: Salary Component,Round to the Nearest Integer,ආසන්නතම පරිපූර්ණයා වටය apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Root හට දෙමව්පියන්ගේ පිරිවැය මධ්යස්ථානයක් නොමැත DocType: Healthcare Service Unit,Allow Appointments,පත්වීම් සඳහා ඉඩ දෙන්න DocType: BOM,Show Operations,මෙහෙයුම් පෙන්වන්න @@ -4781,7 +4810,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,සම්මත නිවාඩු ලැයිස්තුව DocType: Naming Series,Current Value,වත්මන් වටිනාකම apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","අයවැය සකස් කිරීම, ඉලක්ක ආදිය." -DocType: Program,Program Code,වැඩසටහන් කේතය apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},අවවාදයයි: ගනුදෙනු කරුවන්ගේ මිලදී ගැනීමේ නියෝගයට එරෙහිව විකුණුම් නඩු {0} දැනටමත් පවතියි {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,මාසික විකුණුම් ඉලක්කය ( DocType: Guardian,Guardian Interests,ගාඩියන් උනන්දුව @@ -4830,10 +4858,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,ගෙවන ලද සහ නොගෙවූ apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,අයිතමය ස්වයංක්රීයව අංකනය නොකිරීම නිසා අයිතම කේතය අනිවාර්ය වේ DocType: GST HSN Code,HSN Code,HSN කේතය -DocType: Quality Goal,September,සැප්තැම්බර් +DocType: GSTR 3B Report,September,සැප්තැම්බර් apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,පරිපාලන වියදම් DocType: C-Form,C-Form No,සී-ආකෘති අංක DocType: Purchase Invoice,End date of current invoice's period,වත්මන් ඉන්වොයිස් කාලය අවසානය +DocType: Item,Manufacturers,නිෂ්පාදකයින් DocType: Crop Cycle,Crop Cycle,බෝග චක්රය DocType: Serial No,Creation Time,නිර්මාණ කාලය apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,කරුණාකර අනුමත හෝ අනුමත කරන ලද පරිශීලකයෙකුට කරුණාකර ඇතුළත් කරන්න @@ -4905,8 +4934,6 @@ DocType: Employee,Short biography for website and other publications.,වෙබ DocType: Purchase Invoice Item,Received Qty,ලැබුණු ප්රමාණය DocType: Purchase Invoice Item,Rate (Company Currency),අනුපාතිකය (සමාගම් ව්යවහාර මුදල්) DocType: Item Reorder,Request for,ඉල්ලීම -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","කරුණාකර මෙම ලේඛනය අවලංගු කිරීම සඳහා සේවකයා {0} \ මකා දමන්න" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,පෙරසැකසුම් ස්ථාපනය කිරීම apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,කරුණාකර ආපසු ගෙවීමේ කාලය ඇතුලත් කරන්න DocType: Pricing Rule,Advanced Settings,උසස් සැකසුම් @@ -4932,7 +4959,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,සාප්පු කරත්තයක් සක්රිය කරන්න DocType: Pricing Rule,Apply Rule On Other,වෙනත් මත නඩත්තු කරන්න DocType: Vehicle,Last Carbon Check,අවසන් කාබන් පරීක්ෂාව -DocType: Vehicle,Make,කරන්න +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,කරන්න apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,විකුණුම් ඉන්වොයිසිය {0} විසින් ගෙවනු ලැබුවා apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,ගෙවීම් යොමු කිරීමේ ලියවිල්ලක් නිර්මාණය කිරීම සඳහා අවශ්ය වේ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ආදායම් බදු @@ -5008,7 +5035,6 @@ DocType: Territory,Parent Territory,ෙදමාපිය ෙද්ශයක DocType: Vehicle Log,Odometer Reading,කිමිෂන් කියවීම DocType: Additional Salary,Salary Slip,වැටුප් ස්ලිප් DocType: Payroll Entry,Payroll Frequency,වැටුප් සංඛ්යාතය -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,කරුණාකර මානව සම්පත්> HR සැකසුම් තුළ සේවක නාමකරණය කිරීමේ පද්ධතිය සැකසීම කරන්න apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",වලංගු කාල පරිච්ෙඡ්දයක් තුළ ආරම්භක සහ අවසන් දිනයන් {0} DocType: Products Settings,Home Page is Products,මුල් පිටුව යනු නිෂ්පාදන apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,ඇමතුම් @@ -5060,7 +5086,6 @@ DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYY- apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,වාර්තා ලබාගැනීම DocType: Delivery Stop,Contact Information,සබඳතා තොරතුරු DocType: Sales Order Item,For Production,නිෂ්පාදනය සඳහා -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,කරුණාකර අධ්යාපනය> අධ්යාපන සැකසීම් තුළ උපදේශක නාමකරණයක් සැකසීම DocType: Serial No,Asset Details,වත්කම් විස්තර DocType: Restaurant Reservation,Reservation Time,වෙන් කර ගත හැකි කාලය DocType: Selling Settings,Default Territory,පෙරනිමි ප්රාන්තය @@ -5200,6 +5225,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,කල්ඉකුත්වී ඇත DocType: Shipping Rule,Shipping Rule Type,නැව් පාලක වර්ගය DocType: Job Offer,Accepted,පිළිගත්තා +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","මෙම ලේඛනය අවලංගු කිරීමට කරුණාකර සේවකයා {0} delete මකන්න" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,ඔබ දැනටමත් තක්සේරු ක්රමවේදයන් සඳහා තක්සේරු කර ඇත {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,කාණ්ඩ අංක තෝරන්න apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),වයස් (දින) @@ -5216,6 +5243,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,විකිණීමේදී භාණ්ඩ තොගයක්. DocType: Payment Reconciliation Payment,Allocated Amount,වෙන් කළ මුදල apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,කරුණාකර සමාගම සහ තනතුර තෝරන්න +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'දිනය' අවශ්ය වේ DocType: Email Digest,Bank Credit Balance,බැංකු ණය ශේෂය apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,සමුච්චිත මුදල පෙන්වන්න apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,ඔබ විසින් මුදා හැරීමට පක්ෂපාතීත්වයේ ලකුණු ලබා නොදෙනු ඇත @@ -5275,11 +5303,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,පෙර Row Total DocType: Student,Student Email Address,ශිෂ්ය ඊමේල් ලිපිනය DocType: Academic Term,Education,අධ්යාපන DocType: Supplier Quotation,Supplier Address,සැපයුම්කරුගේ ලිපිනය -DocType: Salary Component,Do not include in total,මුලුමනින්ම ඇතුළත් නොකරන්න +DocType: Salary Detail,Do not include in total,මුලුමනින්ම ඇතුළත් නොකරන්න apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,සමාගමකට බහු අයිතමයේ පෙරනිමි සකස් කළ නොහැක. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} නොමැත DocType: Purchase Receipt Item,Rejected Quantity,ප්රතික්ෂේපිත ප්රමානය DocType: Cashier Closing,To TIme,ටිමෝ +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: Daily Work Summary Group User,Daily Work Summary Group User,දෛනික වැඩ සාරාංශ සමූහ පරිශීලක DocType: Fiscal Year Company,Fiscal Year Company,රාජ්ය මූල්ය සමාගම apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,විකල්ප අයිතම අයිතමය කේතයට සමාන නොවිය යුතුය @@ -5389,7 +5418,6 @@ DocType: Fee Schedule,Send Payment Request Email,ගෙවීම් ඉල්ල DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,විකුණුම් ඉන්වොයිසිය සුරැකීමෙන් පසුව වචනවල දෘෂ්ටි වනු ඇත. DocType: Sales Invoice,Sales Team1,විකුණුම් කණ්ඩායම 1 DocType: Work Order,Required Items,අවශ්ය අයිතම -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",""-", "#", "" හැර විශේෂ සලකුණු. " සහ "/" ශ්රේණි නාමකරණය සඳහා අවසර නොදේ" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,ERPNext අත්පොත කියවන්න DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,සැපයුම්කරුගේ ඉන්වොයිසි අංකය සුවිශේෂී වේ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,උප සමූහයන් සොයන්න @@ -5457,7 +5485,6 @@ DocType: Taxable Salary Slab,Percent Deduction,ප්රතිශතය අඩ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,නිෂ්පාදනය සඳහා ප්රමානය Zero වඩා අඩු විය නොහැක DocType: Share Balance,To No,නැත DocType: Leave Control Panel,Allocate Leaves,ලීච් වෙන් කරන්න -DocType: Quiz,Last Attempt,අවසන් උත්සාහය DocType: Assessment Result,Student Name,ශිෂ්ය නම apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,නඩත්තු කිරීම් සඳහා සැලසුම්. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,පහත සඳහන් ද්රව්ය ඉල්ලීම් ස්වයංක්රියවම සැකසූ අයිතමය නැවත ඇණවුම මත පදනම්ව ඇත @@ -5526,6 +5553,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,දර්ශක වර්ණය DocType: Item Variant Settings,Copy Fields to Variant,ප්රභේදයට පිටපත් කරන්න DocType: Soil Texture,Sandy Loam,සැන්ඩි ලෝම් +DocType: Question,Single Correct Answer,තනි නිවැරදි පිළිතුර apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,සේවකයාගේ පැමිණීමේ දිනයටත් වඩා දිනෙන් දින අඩු විය නොහැක DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,ගනුදෙනුකරුගේ මිලදී ගැනීමේ නියෝගයට එරෙහිව විවිධ විකුණුම් නියෝග ලබා දීම apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5588,7 +5616,7 @@ DocType: Account,Expenses Included In Valuation,තක්සේරු කිර apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,අනුක්රමික අංකයන් DocType: Salary Slip,Deductions,අඩුපාඩු ,Supplier-Wise Sales Analytics,සැපයුම්කරු-ප්රඥාව්ය විකුණුම් විශ්ලේෂණ -DocType: Quality Goal,February,පෙබරවාරි +DocType: GSTR 3B Report,February,පෙබරවාරි DocType: Appraisal,For Employee,සේවකයා සඳහා apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,සැබෑ සැපයුම් දිනය DocType: Sales Partner,Sales Partner Name,විකුණුම් සහකරු නම @@ -5683,7 +5711,6 @@ DocType: Procedure Prescription,Procedure Created,ක්රියාවලිය apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},සැපයුම්කරු ඉන්වොයිසියට එරෙහිව {0} dated {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS පැතිකඩ වෙනස් කරන්න apps/erpnext/erpnext/utilities/activation.py,Create Lead,නායකත්වය සැපයීම -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම් වර්ගය DocType: Shopify Settings,Default Customer,පාරිබෝගිකයා DocType: Payment Entry Reference,Supplier Invoice No,සැපයුම් කුවිතාන්සිය අංක DocType: Pricing Rule,Mixed Conditions,මිශ්ර කොන්දේසි @@ -5734,12 +5761,14 @@ DocType: Item,End of Life,ජීවිතයේ අවසානය DocType: Lab Test Template,Sensitivity,සංවේදීතාව DocType: Territory,Territory Targets,ප්රදේශ ඉලක්ක apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","පහත සඳහන් සේවකයින් සඳහා නිවාඩු දීමනාවක් වෙන්කරවා ගැනීම, ඔවුන් සම්බන්ධයෙන් පවතින වාර්තා බෙදා හැරීමේ වාර්තා දැනටමත් පවතී. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,තත්ත්ව ක්රියාකාරී විසඳුම DocType: Sales Invoice Item,Delivered By Supplier,සපයන්නා විසින් සපයනු ලැබේ DocType: Agriculture Analysis Criteria,Plant Analysis,ශාක විශ්ලේෂණය apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},අයිතමය සඳහා වියදම් ගිණුම අනිවාර්ය වේ {0} ,Subcontracted Raw Materials To Be Transferred,උප කොන්ත්රාත් ගත කළ අමුද්රව්ය පැවරීම DocType: Cashier Closing,Cashier Closing,මුදල් අහෝසි කිරීම apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,අයිතමය {0} දැනටමත් ආපසු ලබාදී ඇත +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,අවලංගු GSTIN! ඔබ ඇතුළත් කළ ආදානය UIN දරන්නන් හෝ අනේවාසික OIDAR සේවා සපයන්නන් සඳහා වන GSTIN ආකෘතියට නොගැලපේ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,මෙම ගබඩාව සඳහා ළමා ගබඩාව පවතියි. ඔබට මෙම ගබඩාව මකා දැමිය නොහැක. DocType: Diagnosis,Diagnosis,ඩයග්නේෂන් apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0} සහ {1} අතර විරාමයක් නොමැත. @@ -5802,6 +5831,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,පෙරගෙවුම් පාරිභෝගික කණ්ඩායම් DocType: Journal Entry Account,Debit in Company Currency,සමාගම් ව්යවහාර මුදල් හර කිරීම DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",මෙම පසුබිම මාලාව "SO-WOO-" වේ. +DocType: Quality Meeting Agenda,Quality Meeting Agenda,තත්ත්ව රැස්වීමේ න්‍යාය පත්‍රය DocType: Cash Flow Mapper,Section Header,අංශ ශීර්ෂකය apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,ඔබේ නිෂ්පාදන හෝ සේවාවන් DocType: Crop,Perennial,බහු වාර්ෂික @@ -5846,7 +5876,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","මිලදී ගත්, විකිණීම හෝ තබා ඇති භාණ්ඩයක් හෝ සේවාවක්." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),අවසාන (විවෘත කිරීම + මුළු එකතුව) DocType: Supplier Scorecard Criteria,Criteria Formula,නිර්වචනය -,Support Analytics,සහාය විශ්ලේෂණ +apps/erpnext/erpnext/config/support.py,Support Analytics,සහාය විශ්ලේෂණ apps/erpnext/erpnext/config/quality_management.py,Review and Action,සමාලෝචනය සහ ක්රියාකාරීත්වය DocType: Account,"If the account is frozen, entries are allowed to restricted users.","ගිණුම ශීත කළ හොත්, පරිශීලකයන්ට සීමා කිරීම සඳහා ප්රවේශයන් අවසර ලබා දෙනු ලැබේ." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,ක්ෂයවීමෙන් පසුව @@ -5890,7 +5920,6 @@ DocType: Contract Template,Contract Terms and Conditions,කොන්ත්ර apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,දත්ත ලබාගන්න DocType: Stock Settings,Default Item Group,Default අයිතම සමූහය DocType: Sales Invoice Timesheet,Billing Hours,බිල්පත් වේලාවන් -DocType: Item,Item Code for Suppliers,සැපයුම්කරුවන් සඳහා අයිතම සංග්රහය apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},නිවාඩු අයදුම්පත {0} දැනටමත් ශිෂ්යයාට එරෙහිව පවතී {1} DocType: Pricing Rule,Margin Type,මාජින් වර්ගය DocType: Purchase Invoice Item,Rejected Serial No,ප්රතික්ෂේපිත අනු අංකය @@ -5963,6 +5992,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,පත්ර ලබා දී ඇත DocType: Loyalty Point Entry,Expiry Date,කල්පිරෙන දිනය DocType: Project Task,Working,වැඩ කරන්න +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} දැනටමත් දෙමාපිය ක්‍රියා පටිපාටියක් ඇත {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,මෙය මෙම රෝගියාට එරෙහි ගනුදෙනු මත පදනම් වේ. විස්තර සඳහා පහත කාල රේඛා බලන්න DocType: Material Request,Requested For,ඉල්ලා සිටිනු ඇත DocType: SMS Center,All Sales Person,සියලුම විකුණුම් පුද්ගලයන් @@ -6049,6 +6079,7 @@ DocType: Loan Type,Maximum Loan Amount,උපරිම ණය මුදල apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,පෙරනිමි සබඳතාවයේ ඊමේල් හමු නොවිනි DocType: Hotel Room Reservation,Booked,වෙන් කර ඇත DocType: Maintenance Visit,Partially Completed,අර්ධ වශයෙන් සම්පූර්ණයි +DocType: Quality Procedure Process,Process Description,ක්‍රියාවලි විස්තරය DocType: Company,Default Employee Advance Account,පෙර නොවූ සේවක අත්තිකාරම් ගිණුම DocType: Leave Type,Allow Negative Balance,සෘණ ශේෂයක් දෙන්න apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,තක්සේරු සැලසුම් නම @@ -6090,6 +6121,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,ඉල්ලීම සඳහා ඉල්ලීම apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,අයිතමය බද්දෙන් දෙවරක් {0} ඇතුල් කරන ලදි DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,තෝරාගත් වැටුප් ගෙවිමේ දිනය මත සම්පූර්ණ බදු ගෙවීම +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,අවසාන කාබන් පිරික්සුම් දිනය අනාගත දිනයක් විය නොහැක apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,වෙනස් කිරිමේ ගිණුමක් තෝරන්න DocType: Support Settings,Forum Posts,සංසද තැපැල් DocType: Timesheet Detail,Expected Hrs,අපේක්ෂිත පැය @@ -6099,7 +6131,7 @@ DocType: Program Enrollment Tool,Enroll Students,ශිෂ්යයන් ලි apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,පාරිභෝගික ආදායම් නැවත සිදු කරන්න DocType: Company,Date of Commencement,ආරම්භක දිනය DocType: Bank,Bank Name,බැංකුවේ නම -DocType: Quality Goal,December,දෙසැම්බර් +DocType: GSTR 3B Report,December,දෙසැම්බර් apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,වලංගු වන දිනය දක්වා වලංගු වේ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,මෙම සේවකයාගේ පැමිණීම මත පදනම් වේ DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","පරීක්ෂා කර ඇත්නම්, මුල් පිටුව වෙබ් අඩවිය සඳහා පෙරනිමි අයිතම සමූහය වනු ඇත" @@ -6420,6 +6452,7 @@ DocType: Travel Request,Costing,පිරිවැය apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,ස්ථාවර වත්කම් DocType: Purchase Order,Ref SQ,එස්.ඩී. DocType: Salary Structure,Total Earning,මුළු ආදායම +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,පාරිභෝගික> පාරිභෝගික කණ්ඩායම> ප්‍රදේශය DocType: Share Balance,From No,අංක සිට DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ගෙවීම් ප්රතිසන්ධානය ඉන්වොයිසිය DocType: Purchase Invoice,Taxes and Charges Added,බදු සහ ගාස්තු එකතු කරන ලදි @@ -6427,7 +6460,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,බදු හෝ DocType: Authorization Rule,Authorized Value,බලයලත් වටිනාකම apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,ලැබුණි apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,ගබඩාව {0} නොමැත +DocType: Item Manufacturer,Item Manufacturer,අයිතම නිෂ්පාදකයා DocType: Sales Invoice,Sales Team,අලෙවි කණ්ඩායම +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,බණ්ඩල් Qty DocType: Purchase Order Item Supplied,Stock UOM,වස්තු හුවමාරුව DocType: Installation Note,Installation Date,ස්ථාපන දිනය DocType: Email Digest,New Quotations,නව මිල ගණන් @@ -6491,7 +6526,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,නිවාඩු ලැයිස්තුව නම DocType: Water Analysis,Collection Temperature ,එකතු කිරීමේ උෂ්ණත්වය DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,පත්වීම් කළමනාකරණය ඉන්වොයිසිය ස්වයංක්රීයව ඉදිරිපත් කිරීම සහ අවලංගු කිරීම රෝගියා හමුවීම සඳහා -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,කරුණාකර {0} මගින් Setting> Settings> Naming Series හරහා Naming Series තෝරන්න DocType: Employee Benefit Claim,Claim Date,හිමිකම් දිනය DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,සැපයුම්කරු දින නියමයක් නොමැතිව අවහිර කළ හොත් හැරෙන්න apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,දින සිට පැමිණීම සහ පැමිණීමේ දිනය අනිවාර්ය වේ @@ -6502,6 +6536,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,විශ්රාම ගැනීමේ දිනය apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,කරුණාකර රෝගියා තෝරා ගන්න DocType: Asset,Straight Line,සෘජු රේඛාව +DocType: Quality Action,Resolutions,යෝජනා DocType: SMS Log,No of Sent SMS,යැවූ කෙටි පණිවුඩ සංඛ්යාව ,GST Itemised Sales Register,GST ලියවිලි විකුණුම් ලේඛනය apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,සම්පූර්ණ අත්තිකාරම් මුදල මුළු අනුමත ප්රමාණයට වඩා වැඩි විය නොහැක @@ -6611,7 +6646,7 @@ DocType: Account,Profit and Loss,ලාභ සහ අලාභය apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Asset Finance Book,Written Down Value,ලිඛිත වටිනාකම apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,සමබර තැන්පතු ආරම්භ කිරීම -DocType: Quality Goal,April,අප්රේල් +DocType: GSTR 3B Report,April,අප්රේල් DocType: Supplier,Credit Limit,ණය සීමාව apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,බෙදාහැරීම apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6666,6 +6701,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext සමඟ වෙළඳාම් කරන්න DocType: Homepage Section Card,Subtitle,උපසිරැසි DocType: Soil Texture,Loam,ලොම් +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම්කරු වර්ගය DocType: BOM,Scrap Material Cost(Company Currency),ඉවතලන ද්රව්ය පිරිවැය (සමාගම් ව්යවහාර මුදල්) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,බෙදාහැරීමේ සටහන {0} ඉදිරිපත් නොකළ යුතුය DocType: Task,Actual Start Date (via Time Sheet),සත්ය ආරම්භක දිනය (කාල සටහන මගින්) @@ -6721,7 +6757,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,ආහාරය DocType: Cheque Print Template,Starting position from top edge,ඉහළ කෙළවරේ සිට ස්ථානගත කිරීම apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),පත්වීම් කාලය (විනාඩි) -DocType: Pricing Rule,Disable,අක්රීය කරන්න +DocType: Accounting Dimension,Disable,අක්රීය කරන්න DocType: Email Digest,Purchase Orders to Receive,ලැබීමට මිලදී ගැනීමේ නියෝග apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,නිශ්පාදන නියෝග සඳහා මතු කළ නොහැක: DocType: Projects Settings,Ignore Employee Time Overlap,සේවක කාල සීමාව නොසලකා හරින්න @@ -6805,6 +6841,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,බද DocType: Item Attribute,Numeric Values,අංක අගයන් DocType: Delivery Note,Instructions,උපදෙස් DocType: Blanket Order Item,Blanket Order Item,නිමි ඇණවුම +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,ලාභ හා අලාභ ගිණුම සඳහා අනිවාර්ය වේ apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,කොමිසමේ අනුපාතය 100 ට වඩා වැඩි විය නොහැක DocType: Course Topic,Course Topic,පාඨමාලා මාතෘකාව DocType: Employee,This will restrict user access to other employee records,මෙය වෙනත් සේවක සටහන් වලට පරිශීලක ප්රවේශය සීමා කරනු ඇත @@ -6828,12 +6865,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,දායක apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,ගනුදෙනුකරුවන්ගෙන් ලබාගන්න apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} සංයෝජනය DocType: Employee,Reports to,වාර්තා කිරීමට +DocType: Video,YouTube,යූ ටියුබ් DocType: Party Account,Party Account,පක්ෂ ගිණුම DocType: Assessment Plan,Schedule,උපලේඛනය apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,කරුණාකර ඇතුලත් කරන්න DocType: Lead,Channel Partner,කැනඩා හවුල්කරු apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,ඉන්වොයිස් මුදල DocType: Project,From Template,ටෙම්ප්ලේටයෙන් +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,දායකත්වයන් apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,ප්රමාණය DocType: Quality Review Table,Achieved,ජයග්රහණ @@ -6880,7 +6919,6 @@ DocType: Journal Entry,Subscription Section,දායකත්ව අංශය DocType: Salary Slip,Payment Days,ගෙවීම් දින apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,ස්වේච්ඡා තොරතුරු. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'පැරණි ෆ්රීඩම් ස්ටෝක්' දින% d ට වඩා කුඩා විය යුතුය. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,මුල්ය වර්ෂය තෝරන්න DocType: Bank Reconciliation,Total Amount,මුලු වටිනාකම DocType: Certification Application,Non Profit,ලාභ නොලැබේ DocType: Subscription Settings,Cancel Invoice After Grace Period,සහන කාලයෙන් පසු ඉන්වොයිසිය අවලංගු කරන්න @@ -6893,7 +6931,6 @@ DocType: Serial No,Warranty Period (Days),වගකීම් කාලය (ද DocType: Expense Claim Detail,Expense Claim Detail,වියදම් හිමිකම් විස්තර apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,වැඩසටහන: DocType: Patient Medical Record,Patient Medical Record,රෝගියා වෛද්ය වාර්තාව -DocType: Quality Action,Action Description,ක්රියාකාරී විස්තරය DocType: Item,Variant Based On,ප්රභේද පදනම් කරගත් DocType: Vehicle Service,Brake Oil,බ්රේක් ඔයිල් DocType: Employee,Create User,පරිශීලක නිර්මාණය කරන්න @@ -6949,7 +6986,7 @@ DocType: Cash Flow Mapper,Section Name,කොටස නම DocType: Packed Item,Packed Item,ඇසුරුම් කළ අයිතමය apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: {2} සඳහා හර හෝ ණය ප්රමාණය අවශ්යයි. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,වැටුප් ලේඛන ඉදිරිපත් කිරීම ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,ක්රියාවක් නැත +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,ක්රියාවක් නැත apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",ආදායම් හෝ වියදම් ගිණුමක් නොවන බැවින් අයවැය {0} ට එරෙහිව පැවරිය නොහැක apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,ස්වාමිවරු සහ ගිණුම් DocType: Quality Procedure Table,Responsible Individual,වගකිව යුතු පුද්ගලයා @@ -7072,7 +7109,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,ළමා සමාගමට එරෙහිව ගිණුම් නිර්මාණය කිරීම DocType: Payment Entry,Company Bank Account,සමාගම් බැංකු ගිණුම DocType: Amazon MWS Settings,UK,එක්සත් රාජධානිය -DocType: Quality Procedure,Procedure Steps,ක්රියා පටිපාටිය පියවර DocType: Normal Test Items,Normal Test Items,සාමාන්ය පරීක්ෂණ අයිතම apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,අයිතමය {0}: අනුපිලිවෙල qty {1} අවම ඇණවුම් qty {2} ට අඩු විය හැකිය (අයිතමයේ අර්ථ දක්වා ඇත). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,තොගයේ නොවෙයි @@ -7150,7 +7186,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,විශ්ලේෂණ DocType: Maintenance Team Member,Maintenance Role,නඩත්තු භූමිකාව apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,කොන්දේසි සහ කොන්දේසි සැකිල්ල DocType: Fee Schedule Program,Fee Schedule Program,ගාස්තු වැඩ සටහන -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,පාඨමාලාව {0} කිසිවක් නොමැත. DocType: Project Task,Make Timesheet,පටිගත කරන්න DocType: Production Plan Item,Production Plan Item,නිෂ්පාදන සැලැස්ම අයිතමය apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,සම්පූර්ණ ශිෂ්යයා @@ -7172,6 +7207,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,ආවරණය කිරීම apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,ඔබගේ සාමාජිකත්වය දින 30 ක් ඇතුලත කල් ඉකුත් වන්නේ නම් පමණක් ඔබට අලුත් කළ හැකිය apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},අගය {0} සහ {1} අතර විය යුතුය +DocType: Quality Feedback,Parameters,පරාමිතීන් ,Sales Partner Transaction Summary,විකුණුම් හවුල්කරු ගනුදෙනුවේ සාරාංශය DocType: Asset Maintenance,Maintenance Manager Name,නඩත්තු කළමනාකරු නම apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,අයිතමය තොරතුරු ලබා ගැනීමට අවශ්ය වේ. @@ -7209,6 +7245,7 @@ DocType: Student Admission,Student Admission,ශිෂ්ය ප්රවේශ DocType: Designation Skill,Skill,දක්ෂතාව DocType: Budget Account,Budget Account,අයවැය ගිණුම DocType: Employee Transfer,Create New Employee Id,නව සේවක හැඳුනුම් පතක් සාදන්න +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,'ලාභ හා අලාභ' ගිණුම සඳහා {0} අවශ්‍ය වේ {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),භාණ්ඩ හා සේවා බද්ද (GST ඉන්දියාව) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,වැටුප් වර්ධක නිර්මාණය කිරීම ... DocType: Employee Skill,Employee Skill,සේවක නිපුණත්වය @@ -7309,6 +7346,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,ඉන්ව DocType: Subscription,Days Until Due,නියමිත දින දක්වා apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,පෙන්වන්න සම්පූර්ණයි apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,බැංකු ප්රකාශය පැවරුම් වාර්තා වාර්තාව +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,බැංකු දත්ත apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,පේළිය # {0}: අනුපාතය {1} සමාන වේ: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,සෞඛ්ය සේවා භාණ්ඩ @@ -7361,6 +7399,7 @@ DocType: Item Variant,Item Variant,අයිතම ප්රභේදය DocType: Training Event Employee,Invited,ආරාධිතයි apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,බිල්පත ප්රමාණය apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","{0} සඳහා පමණි, තවත් හරිනු සටහන් වලට පමණක් බැර ගිණුමක් සම්බන්ධ කළ හැකිය" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,මානයන් නිර්මාණය කිරීම ... DocType: Bank Statement Transaction Entry,Payable Account,ගෙවිය යුතු ගිණුම apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,කරුණාකර බැලීම සඳහා අවශ්ය විස්තර සඳහන් කරන්න DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,ඔබ විසින් මුදල් ප්රවාහය සිතියම් ලේඛන සකසා ඇත්නම් පමණක් තෝරා ගන්න @@ -7378,6 +7417,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,විසඳීමේ වේලාව DocType: Grading Scale Interval,Grade Description,ශ්රේණි විස්තරය DocType: Homepage Section,Cards,කාඩ්පත් +DocType: Quality Meeting Minutes,Quality Meeting Minutes,ගුණාත්මක රැස්වීම් වාර්ථා DocType: Linked Plant Analysis,Linked Plant Analysis,සම්බන්ධිත ශාක විශ්ලේෂණය apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,සේවා නැවතුම් දිනය සේවා අවසන් දිනයෙන් පසුව විය නොහැක apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,කරුණාකර GST සැකසුම් තුළ B2C සීමාව සකසන්න. @@ -7412,7 +7452,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,සේවක පැ DocType: Employee,Educational Qualification,අධ්යාපන සුදුසුකම් apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,ප්රවේශ විය හැකි වටිනාකම apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},සාම්පල ප්රමාණය {0} ප්රමාණයට වඩා වැඩි විය නොහැක {1} -DocType: Quiz,Last Highest Score,අවසාන ප්රතිඵලය DocType: POS Profile,Taxes and Charges,බදු හා ගාස්තු DocType: Opportunity,Contact Mobile No,ජංගම දුරකථන අංක DocType: Employee,Joining Details,බැඳුනු විස්තර diff --git a/erpnext/translations/sk.csv b/erpnext/translations/sk.csv index e65b369caf..0ed47fbe55 100644 --- a/erpnext/translations/sk.csv +++ b/erpnext/translations/sk.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Č DocType: Journal Entry Account,Party Balance,Party Balance apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Zdroj finančných prostriedkov (pasíva) DocType: Payroll Period,Taxable Salary Slabs,Zdaniteľné platové tabuľky +DocType: Quality Action,Quality Feedback,Spätná väzba kvality DocType: Support Settings,Support Settings,Nastavenia podpory apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Najprv zadajte Výrobnú položku DocType: Quiz,Grading Basis,Triedenie Základ @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Viac informáci DocType: Salary Component,Earning,zarábať DocType: Restaurant Order Entry,Click Enter To Add,Kliknite na položku Enter To Add DocType: Employee Group,Employee Group,Zamestnanecká skupina +DocType: Quality Procedure,Processes,Procesy DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Zadajte výmenný kurz na konverziu jednej meny na inú apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Rozsah starnutia 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Sklad je potrebný na sklade Položka {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,sťažnosť DocType: Shipping Rule,Restrict to Countries,Obmedziť na krajiny DocType: Hub Tracked Item,Item Manager,Správca položiek apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Mena záverečného účtu musí byť {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,rozpočty apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Položka otvorenia faktúry DocType: Work Order,Plan material for sub-assemblies,Plán materiálu pre podzostavy apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,technické vybavenie DocType: Budget,Action if Annual Budget Exceeded on MR,"Činnosť, ak ročný rozpočet presiahol MR" DocType: Sales Invoice Advance,Advance Amount,Výška preddavku +DocType: Accounting Dimension,Dimension Name,Názov dimenzie DocType: Delivery Note Item,Against Sales Invoice Item,Proti položke predajnej faktúry DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Zahrnúť položku do výroby @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Čo to robí? ,Sales Invoice Trends,Trendy predajnej faktúry DocType: Bank Reconciliation,Payment Entries,Platobné položky DocType: Employee Education,Class / Percentage,Trieda / percento -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položiek> Značka ,Electronic Invoice Register,Elektronický register faktúr DocType: Sales Invoice,Is Return (Credit Note),Je návrat (kreditná poznámka) DocType: Lab Test Sample,Lab Test Sample,Vzorka laboratórneho testu @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,varianty apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Poplatky budú rozdelené proporcionálne na základe položky qty alebo sumy, podľa vášho výberu" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,V súčasnosti prebiehajúce aktivity +DocType: Quality Procedure Process,Quality Procedure Process,Proces kvality DocType: Fee Schedule Program,Student Batch,Študentská dávka apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Miera ocenenia požadovaná pre položku v riadku {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Základná hodinová sadzba (mena spoločnosti) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Nastavte počet v transakciách na základe sériového vstupu apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Mena preddavkového účtu by mala byť rovnaká ako mena spoločnosti {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Prispôsobte sekcie domovskej stránky -DocType: Quality Goal,October,október +DocType: GSTR 3B Report,October,október DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Skryť daňové identifikačné číslo zákazníka z predajných transakcií apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Neplatný GSTIN! GSTIN musí mať 15 znakov. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Pravidlo určovania cien {0} sa aktualizuje @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Zanechajte zostatok apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Plán údržby {0} existuje proti {1} DocType: Assessment Plan,Supervisor Name,Meno supervízora DocType: Selling Settings,Campaign Naming By,Pomenovanie kampane -DocType: Course,Course Code,Kód kurzu +DocType: Student Group Creation Tool Course,Course Code,Kód kurzu apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuovať poplatky založené na DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Kritériá skórovania hodnotiacej tabuľky dodávateľov @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Reštaurácia Menu DocType: Asset Movement,Purpose,účel apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Priradenie mzdovej štruktúry zamestnancov už existuje DocType: Clinical Procedure,Service Unit,Servisná jednotka -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníkov> Územie DocType: Travel Request,Identification Document Number,Číslo identifikačného dokladu DocType: Stock Entry,Additional Costs,Dodatočné náklady -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Rodičovský kurz (ponechajte prázdne, ak to nie je súčasťou rodičovského kurzu)" DocType: Employee Education,Employee Education,Vzdelávanie zamestnancov apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Počet pozícií nemôže byť menší ako súčasný počet zamestnancov apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Všetky skupiny zákazníkov @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Riadok {0}: Počet je povinný DocType: Sales Invoice,Against Income Account,Proti účtu príjmov apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Riadok # {0}: Nákupnú faktúru nemožno vykonať voči existujúcemu majetku {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Pravidlá uplatňovania rôznych propagačných schém. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Pre UOM je potrebný faktor konverzie UOM: {0} v položke: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Zadajte množstvo pre položku {0} DocType: Workstation,Electricity Cost,Náklady na elektrickú energiu @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Celkový projektovaný počet apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,kusovníky DocType: Work Order,Actual Start Date,Skutočný dátum začiatku 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í na všetky dni (dni) medzi dňami žiadosti o náhradné voľno -DocType: Company,About the Company,O spoločnosti apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Strom finančných účtov. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Nepriame príjmy DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Rezervácia Rezervácia @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Databáza po DocType: Skill,Skill Name,Názov zručnosti apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Vytlačiť kartu správy DocType: Soil Texture,Ternary Plot,Ternárny graf +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte Pomenovaciu sériu pre {0} cez Setup> Settings> Naming Series apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Podporné vstupenky DocType: Asset Category Account,Fixed Asset Account,Účet investičného majetku apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,najnovšie @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Kurz zápisu do pro ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,"Nastavte rad, ktorý sa má použiť." DocType: Delivery Trip,Distance UOM,Vzdialenosť UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Povinné pre súvahu DocType: Payment Entry,Total Allocated Amount,Celková alokovaná suma DocType: Sales Invoice,Get Advances Received,Získané pokroky DocType: Student,B-,B- @@ -911,6 +915,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Položka Plán údr apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS profil je potrebný na zadanie POS vstupu DocType: Education Settings,Enable LMS,Povoliť LMS DocType: POS Closing Voucher,Sales Invoices Summary,Súhrn predajných faktúr +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,výhoda apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Úverový účet musí byť účet súvahy DocType: Video,Duration,trvanie DocType: Lab Test Template,Descriptive,opisný @@ -962,6 +967,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Dátumy začiatku a konca DocType: Supplier Scorecard,Notify Employee,Upozorniť zamestnanca apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,softvér +DocType: Program,Allow Self Enroll,Povoliť vlastnú registráciu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Náklady na zásoby apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Referenčné číslo je povinné, ak ste zadali referenčný dátum" DocType: Training Event,Workshop,Dielňa @@ -1014,6 +1020,7 @@ DocType: Lab Test Template,Lab Test Template,Laboratórna testovacia šablóna apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Chýbajú informácie o elektronickej fakturácii apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nebola vytvorená žiadna požiadavka na materiál +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položiek> Značka DocType: Loan,Total Amount Paid,Celková suma zaplatená apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Všetky tieto položky už boli fakturované DocType: Training Event,Trainer Name,Meno trénera @@ -1035,6 +1042,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Akademický rok DocType: Sales Stage,Stage Name,Pseudonym DocType: SMS Center,All Employee (Active),Všetci zamestnanci (aktívni) +DocType: Accounting Dimension,Accounting Dimension,Účtovná dimenzia DocType: Project,Customer Details,Detaily zákazníka DocType: Buying Settings,Default Supplier Group,Predvolená skupina dodávateľov apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Najskôr najprv zrušte nákupný doklad {0} @@ -1149,7 +1157,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Vyššie číslo DocType: Designation,Required Skills,Požadované zručnosti DocType: Marketplace Settings,Disable Marketplace,Zakázať Trh DocType: Budget,Action if Annual Budget Exceeded on Actual,Činnosť v prípade prekročenia skutočného ročného rozpočtu -DocType: Course,Course Abbreviation,Kurz Skratka apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Účasť nebola predložená na {0} ako {1} na dovolenke. DocType: Pricing Rule,Promotional Scheme Id,Id propagačnej schémy č apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Dátum ukončenia úlohy {0} nemôže byť väčší ako {1} očakávaný dátum ukončenia {2} @@ -1292,7 +1299,7 @@ DocType: Bank Guarantee,Margin Money,Margin Money DocType: Chapter,Chapter,kapitola DocType: Purchase Receipt Item Supplied,Current Stock,Aktuálny stav DocType: Employee,History In Company,História spoločnosti -DocType: Item,Manufacturer,Výrobca +DocType: Purchase Invoice Item,Manufacturer,Výrobca apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Mierna citlivosť DocType: Compensatory Leave Request,Leave Allocation,Opustiť pridelenie DocType: Timesheet,Timesheet,pracovný výkaz @@ -1323,6 +1330,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Materiál prevedený DocType: Products Settings,Hide Variants,Skryť varianty DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Zakázať plánovanie kapacity a sledovanie času DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Vypočíta sa v transakcii. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,Pre účet „Súvaha“ {1} sa vyžaduje {0}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,"{0} nie je povolené s {1} obchodovať. Prosím, zmeňte spoločnosť." 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 nákupný príjem povinný == 'ÁNO', potom na vytvorenie nákupnej faktúry je potrebné, aby používateľ najprv vytvoril nákupný doklad pre položku {0}" DocType: Delivery Trip,Delivery Details,detaily doručenia @@ -1358,7 +1366,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Predchádzajúce apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Merná jednotka DocType: Lab Test,Test Template,Testovacia šablóna DocType: Fertilizer,Fertilizer Contents,Obsah hnojiva -apps/erpnext/erpnext/utilities/user_progress.py,Minute,minúta +DocType: Quality Meeting Minutes,Minute,minúta apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Riadok # {0}: Nie je možné odoslať položku {1}, je už {2}" DocType: Task,Actual Time (in Hours),Aktuálny čas (v hodinách) DocType: Period Closing Voucher,Closing Account Head,Uzávierka účtov @@ -1531,7 +1539,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,laboratórium DocType: Purchase Order,To Bill,Platiť apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Náklady na verejné služby DocType: Manufacturing Settings,Time Between Operations (in mins),Čas medzi operáciami (v minútach) -DocType: Quality Goal,May,Smieť +DocType: GSTR 3B Report,May,Smieť apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Účet platobnej brány nebol vytvorený, vytvorte ho manuálne." DocType: Opening Invoice Creation Tool,Purchase,nákup DocType: Program Enrollment,School House,Školský dom @@ -1563,6 +1571,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,P DocType: Supplier,Statutory info and other general information about your Supplier,Zákonné informácie a ďalšie všeobecné informácie o Vašom dodávateľovi DocType: Item Default,Default Selling Cost Center,Centrum východiskových predajných nákladov DocType: Sales Partner,Address & Contacts,Adresa a kontakty +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Prosím nastavte číslovaciu sériu pre dochádzku cez Setup> Numbering Series DocType: Subscriber,Subscriber,predplatiteľ apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) je skladom apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Najprv vyberte Dátum účtovania @@ -1590,6 +1599,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Poplatok za návštevu v DocType: Bank Statement Settings,Transaction Data Mapping,Mapovanie transakčných dát apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Olovo vyžaduje buď meno osoby alebo názov organizácie DocType: Student,Guardians,strážcovia +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Prosím nastavte inštruktor pomenovania systému vo vzdelávaní> Nastavenia vzdelávania apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Vybrať značku ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Stredný príjem DocType: Shipping Rule,Calculate Based On,Vypočítať na základe @@ -1601,7 +1611,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Preddavok na reklamáciu v DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Úprava zaokrúhľovania (mena spoločnosti) DocType: Item,Publish in Hub,Publikovať v Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,august +DocType: GSTR 3B Report,August,august apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Najskôr zadajte prosím Potvrdenie o kúpe apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Začiatok roka apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Cieľ ({}) @@ -1620,6 +1630,7 @@ DocType: Item,Max Sample Quantity,Max. Množstvo vzorky apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Zdrojový a cieľový sklad musia byť odlišné DocType: Employee Benefit Application,Benefits Applied,Aplikované výhody apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Proti položke žurnálu {0} nie je priradená žiadna položka {1} +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Špeciálne pomenovanie okrem "-", "#", ".", "/", "{" A "}" nie je povolené v menovkách" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Vyžadujú sa cenové alebo produktové zľavové dosky apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Nastavte cieľ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Záznam o účasti {0} existuje proti študentovi {1} @@ -1635,10 +1646,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Za mesiac DocType: Routing,Routing Name,Názov smerovania DocType: Disease,Common Name,Spoločný názov -DocType: Quality Goal,Measurable,merateľný DocType: Education Settings,LMS Title,Názov LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Správa úverov -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Podpora Analtyics DocType: Clinical Procedure,Consumable Total Amount,Celková suma spotrebného materiálu apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Povoliť šablónu apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Zákaznícky LPO @@ -1778,6 +1787,7 @@ DocType: Restaurant Order Entry Item,Served,slúžil DocType: Loan,Member,člen DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Plán servisných jednotiek apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Drôtový prenos +DocType: Quality Review Objective,Quality Review Objective,Cieľ kontroly kvality DocType: Bank Reconciliation Detail,Against Account,Proti účtu DocType: Projects Settings,Projects Settings,Nastavenia projektov apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Skutočné množstvo {0} / Čakajúce množstvo {1} @@ -1806,6 +1816,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ri apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Dátum ukončenia fiškálneho roka by mal byť jeden rok po dátume začiatku fiškálneho roka apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Denné pripomienky DocType: Item,Default Sales Unit of Measure,Štandardná merná jednotka predaja +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Spoločnosť GSTIN DocType: Asset Finance Book,Rate of Depreciation,Sadzba odpisov DocType: Support Search Source,Post Description Key,Príspevok Popis kľúč DocType: Loyalty Program Collection,Minimum Total Spent,Minimálne celkové množstvo @@ -1877,6 +1888,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Zmena zákazníckej skupiny pre vybratého zákazníka nie je povolená. DocType: Serial No,Creation Document Type,Typ dokumentu vytvorenia DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Dostupné množstvo dávky v sklade +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Celkový súčet faktúr apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Toto je koreňové územie a nedá sa upraviť. DocType: Patient,Surgical History,Chirurgická história apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Strom postupov kvality. @@ -1981,6 +1993,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,O DocType: Item Group,Check this if you want to show in website,"Ak chcete zobraziť na webovej stránke, začiarknite toto políčko" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiškálny rok {0} nebol nájdený DocType: Bank Statement Settings,Bank Statement Settings,Nastavenia výpisu z účtu +DocType: Quality Procedure Process,Link existing Quality Procedure.,Prepojiť existujúci postup kvality. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Importovať graf účtov zo súborov CSV / Excel DocType: Appraisal Goal,Score (0-5),Skóre (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Atribút {0} zvolený viackrát v tabuľke atribútov DocType: Purchase Invoice,Debit Note Issued,Vydané debetné oznámenie @@ -1989,7 +2003,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Opustiť podrobnosti politiky apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Sklad sa nenašiel v systéme DocType: Healthcare Practitioner,OP Consulting Charge,OP Poplatok za poradenstvo -DocType: Quality Goal,Measurable Goal,Merateľný cieľ DocType: Bank Statement Transaction Payment Item,Invoices,faktúry DocType: Currency Exchange,Currency Exchange,Zmenáreň DocType: Payroll Entry,Fortnightly,dvojtýždňové @@ -2052,6 +2065,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} nie je odoslané DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Spätné spracovanie surovín z nedokončeného skladu DocType: Maintenance Team Member,Maintenance Team Member,Člen tímu údržby +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Nastavenie vlastných dimenzií pre účtovníctvo DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimálna vzdialenosť medzi radmi rastlín pre optimálny rast DocType: Employee Health Insurance,Health Insurance Name,Názov zdravotného poistenia apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Aktíva zásob @@ -2082,7 +2096,7 @@ DocType: Delivery Note,Billing Address Name,Názov fakturačnej adresy apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternatívna položka DocType: Certification Application,Name of Applicant,Meno žiadateľa DocType: Leave Type,Earned Leave,Zarobená dovolenka -DocType: Quality Goal,June,jún +DocType: GSTR 3B Report,June,jún apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Riadok {0}: Pre položku {1} sa vyžaduje nákladové stredisko apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Môže byť schválený {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jednotka miery {0} bola zadaná viac ako raz v tabuľke konverzných faktorov @@ -2103,6 +2117,7 @@ DocType: Lab Test Template,Standard Selling Rate,Štandardná predajná sadzba apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Nastavte aktívne menu pre reštauráciu {0} 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.,"Ak chcete pridať používateľov do služby Marketplace, musíte byť používateľom s úlohami System Manager a Item Manager." DocType: Asset Finance Book,Asset Finance Book,Finančná kniha aktív +DocType: Quality Goal Objective,Quality Goal Objective,Cieľ cieľa kvality DocType: Employee Transfer,Employee Transfer,Prevod zamestnancov ,Sales Funnel,Predajný lievik DocType: Agriculture Analysis Criteria,Water Analysis,Analýza vody @@ -2141,6 +2156,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Prenos majetku za apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Čakajúce aktivity apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Zoznam niekoľkých svojich zákazníkov. Môžu to byť organizácie alebo jednotlivci. DocType: Bank Guarantee,Bank Account Info,Informácie o bankovom účte +DocType: Quality Goal,Weekday,všedný deň apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Meno Guardian1 DocType: Salary Component,Variable Based On Taxable Salary,Variabilný na základe zdaniteľného platu DocType: Accounting Period,Accounting Period,Účtovného obdobia @@ -2225,7 +2241,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Úprava zaokrúhľovania DocType: Quality Review Table,Quality Review Table,Tabuľka hodnotenia kvality DocType: Member,Membership Expiry Date,Dátum skončenia členstva DocType: Asset Finance Book,Expected Value After Useful Life,Očakávaná hodnota po užitočnom živote -DocType: Quality Goal,November,november +DocType: GSTR 3B Report,November,november DocType: Loan Application,Rate of Interest,Miera záujmu DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Položka Platba bankovým výpisom DocType: Restaurant Reservation,Waitlisted,poradovníka @@ -2289,6 +2305,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Riadok {0}: Ak chcete nastaviť {1} periodicitu, rozdiel medzi a do dátumu musí byť väčší alebo rovný {2}" DocType: Purchase Invoice Item,Valuation Rate,Miera ocenenia DocType: Shopping Cart Settings,Default settings for Shopping Cart,Predvolené nastavenia pre Nákupný košík +DocType: Quiz,Score out of 100,Skóre zo 100 DocType: Manufacturing Settings,Capacity Planning,Plánovanie kapacity apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Prejsť na inštruktorov DocType: Activity Cost,Projects,projekty @@ -2298,6 +2315,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Z času apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Report Podrobnosti o variante +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Na nákup apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Sloty pre {0} nie sú pridané do rozvrhu DocType: Target Detail,Target Distribution,Distribúcia cieľa @@ -2315,6 +2333,7 @@ DocType: Activity Cost,Activity Cost,Náklady na aktivitu DocType: Journal Entry,Payment Order,Platobný príkaz apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,stanovenie ceny ,Item Delivery Date,Dátum doručenia položky +DocType: Quality Goal,January-April-July-October,Január-apríl-júl-október DocType: Purchase Order Item,Warehouse and Reference,Sklad a referencie apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Účet s podriadenými uzlami nemožno konvertovať na účtovnú knihu DocType: Soil Texture,Clay Composition (%),Zloženie hlinky (%) @@ -2365,6 +2384,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Budúce termíny nie s apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Riadok {0}: Nastavte spôsob platby v pláne platieb apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Akademický termín: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Parameter spätnej väzby kvality apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Vyberte možnosť Použiť zľavu na apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Riadok # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Celkové platby @@ -2407,7 +2427,7 @@ DocType: Hub Tracked Item,Hub Node,Uzol uzla apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,zamestnanecké ID DocType: Salary Structure Assignment,Salary Structure Assignment,Priradenie mzdovej štruktúry DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Daň z uzávierok POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Akcia Inicializovaná +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Akcia Inicializovaná DocType: POS Profile,Applicable for Users,Platí pre používateľov DocType: Training Event,Exam,skúška apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nesprávny počet nájdených položiek hlavnej knihy. Možno ste v transakcii vybrali nesprávny účet. @@ -2514,6 +2534,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,zemepisná dĺžka DocType: Accounts Settings,Determine Address Tax Category From,Určiť kategóriu dane z adresy apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Identifikácia rozhodovacích orgánov +DocType: Stock Entry Detail,Reference Purchase Receipt,Referenčný doklad o kúpe apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Získať faktúry DocType: Tally Migration,Is Day Book Data Imported,Importujú sa údaje zo dňa ,Sales Partners Commission,Komisia pre predajných partnerov @@ -2537,6 +2558,7 @@ DocType: Leave Type,Applicable After (Working Days),Použiteľné po (pracovné DocType: Timesheet Detail,Hrs,hod DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kritériá hodnotenia dodávateľov DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parameter kvality šablóny spätnej väzby apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Dátum pripojenia musí byť väčší ako dátum narodenia DocType: Bank Statement Transaction Invoice Item,Invoice Date,Dátum vystavenia faktúry DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Vytvorte Lab Testy na predajnej faktúre @@ -2643,7 +2665,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimálna prípustn DocType: Stock Entry,Source Warehouse Address,Adresa zdrojového skladu DocType: Compensatory Leave Request,Compensatory Leave Request,Žiadosť o kompenzačný príspevok DocType: Lead,Mobile No.,Mobilné číslo. -DocType: Quality Goal,July,júl +DocType: GSTR 3B Report,July,júl apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Vhodné ITC DocType: Fertilizer,Density (if liquid),Hustota (ak je kvapalina) DocType: Employee,External Work History,História vonkajšej práce @@ -2720,6 +2742,7 @@ DocType: Certification Application,Certification Status,Stav certifikácie apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Pre zdroj {0} sa vyžaduje umiestnenie zdroja DocType: Employee,Encashment Date,Dátum zúčtovania apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Vyberte Dátum dokončenia pre vyplnený Denník údržby majetku +DocType: Quiz,Latest Attempt,Posledný pokus DocType: Leave Block List,Allow Users,Povoliť používateľom apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Účtová osnova apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"Zákazník je povinný, ak je ako Zákazník vybratá možnosť Opportunity From" @@ -2784,7 +2807,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Nastavenie Scorecard DocType: Amazon MWS Settings,Amazon MWS Settings,Nastavenia Amazon MWS DocType: Program Enrollment,Walking,chôdza DocType: SMS Log,Requested Numbers,Požadované čísla -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Prosím nastavte číslovaciu sériu pre dochádzku cez Setup> Numbering Series DocType: Woocommerce Settings,Freight and Forwarding Account,Nákladný a zasielateľský účet apps/erpnext/erpnext/accounts/party.py,Please select a Company,Vyberte spoločnosť apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Riadok {0}: {1} musí byť väčší ako 0 @@ -2854,7 +2876,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Účty vzne DocType: Training Event,Seminar,seminár apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kredit ({0}) DocType: Payment Request,Subscription Plans,Plány predplatného -DocType: Quality Goal,March,marec +DocType: GSTR 3B Report,March,marec apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Rozdelená dávka DocType: School House,House Name,Názov domu apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Výnimka pre {0} nemôže byť nižšia ako nula ({1}) @@ -2917,7 +2939,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Dátum začiatku poistenia DocType: Target Detail,Target Detail,Detail cieľa DocType: Packing Slip,Net Weight UOM,Čistá hmotnosť UOM -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: Purchase Invoice Item,Net Amount (Company Currency),Čistá čiastka (mena spoločnosti) DocType: Bank Statement Transaction Settings Item,Mapped Data,Namapované údaje apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Cenné papiere a vklady @@ -2967,6 +2988,7 @@ DocType: Cheque Print Template,Cheque Height,Skontrolujte výšku apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Zadajte dátum uvoľnenia. DocType: Loyalty Program,Loyalty Program Help,Pomoc pre vernostný program DocType: Journal Entry,Inter Company Journal Entry Reference,Inter Company Journal Entry Reference +DocType: Quality Meeting,Agenda,program DocType: Quality Action,Corrective,nápravný apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Skupina By DocType: Bank Account,Address and Contact,Adresa a kontakt @@ -3020,7 +3042,7 @@ DocType: GL Entry,Credit Amount,Výška úveru apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Celková suma kreditu DocType: Support Search Source,Post Route Key List,Zoznam kľúčov trasy apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} nie je v žiadnom aktívnom fiškálnom roku. -DocType: Quality Action Table,Problem,problém +DocType: Quality Action Resolution,Problem,problém DocType: Training Event,Conference,konferencie DocType: Mode of Payment Account,Mode of Payment Account,Spôsob Platobného účtu DocType: Leave Encashment,Encashable days,Zaplniteľné dni @@ -3146,7 +3168,7 @@ DocType: Item,"Purchase, Replenishment Details","Podrobnosti o nákupe, doplnen DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Po nastavení bude táto faktúra pozastavená do stanoveného dátumu apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"Akcia neexistuje pre položku {0}, pretože má varianty" DocType: Lab Test Template,Grouped,zoskupené -DocType: Quality Goal,January,január +DocType: GSTR 3B Report,January,január DocType: Course Assessment Criteria,Course Assessment Criteria,Kritériá hodnotenia kurzu DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Dokončené množstvo @@ -3242,7 +3264,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Typ jednotky apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Do tabuľky zadajte aspoň 1 faktúru apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Zákazka odberateľa {0} nie je odoslaná apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Účasť bola úspešne označená. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Predpredaj +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Predpredaj apps/erpnext/erpnext/config/projects.py,Project master.,Riaditeľ projektu. DocType: Daily Work Summary,Daily Work Summary,Zhrnutie dennej práce DocType: Asset,Partially Depreciated,Čiastočne odpisované @@ -3251,6 +3273,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Opustiť Encashed? DocType: Certified Consultant,Discuss ID,Diskutovať o ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Nastavte GST účty v nastaveniach GST +DocType: Quiz,Latest Highest Score,Najnovšie najvyššie skóre DocType: Supplier,Billing Currency,Fakturačná mena apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Aktivita študenta apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Povinné je buď cieľové množstvo alebo cieľová suma @@ -3276,18 +3299,21 @@ DocType: Sales Order,Not Delivered,Nedoručený apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Typ dovolenky {0} nemožno prideliť, pretože ide o dovolenku bez platu" DocType: GL Entry,Debit Amount,Suma debetu apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Pre položku {0} už existuje záznam +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Podskupiny 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.","Ak bude naďalej platiť viacero pravidiel tvorby cien, používatelia budú požiadaní, aby nastavili prioritu manuálne, aby sa vyriešil konflikt." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nie je možné odpočítať, keď je kategória pre „Ocenenie“ alebo „Ocenenie a Spolu“" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Vyžaduje sa kusovník a výrobné množstvo apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Položka {0} dosiahla koniec svojej životnosti {1} DocType: Quality Inspection Reading,Reading 6,Čítanie 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Vyžaduje sa pole spoločnosti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Spotreba materiálu nie je nastavená vo výrobných nastaveniach. DocType: Assessment Group,Assessment Group Name,Názov hodnotiacej skupiny -DocType: Item,Manufacturer Part Number,Typ. Označenie +DocType: Purchase Invoice Item,Manufacturer Part Number,Typ. Označenie apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Splatné mzdy apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Riadok # {0}: {1} nemôže byť záporný pre položku {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Zostatok Množstvo +DocType: Question,Multiple Correct Answer,Viacnásobná správna odpoveď DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Vernostné body = Koľko základnej meny? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Poznámka: Zostatok na dovolenke {0} nie je dostatočný DocType: Clinical Procedure,Inpatient Record,Záznam pacienta @@ -3410,6 +3436,7 @@ DocType: Fee Schedule Program,Total Students,Celkový počet študentov apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,miestna DocType: Chapter Member,Leave Reason,Nechajte dôvod DocType: Salary Component,Condition and Formula,Stav a vzorec +DocType: Quality Goal,Objectives,ciele apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plat už spracovaný za obdobie medzi {0} a {1}, obdobie odchodu aplikácie nemôže byť medzi týmto rozsahom dátumov." DocType: BOM Item,Basic Rate (Company Currency),Základná sadzba (mena spoločnosti) DocType: BOM Scrap Item,BOM Scrap Item,Položka kusovníka @@ -3460,6 +3487,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Účet nárokov na výdavky apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Pre zápis do denníka nie sú k dispozícii žiadne splátky apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} je neaktívny študent +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Vstup do skladu DocType: Employee Onboarding,Activities,aktivity apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Minimálne jeden sklad je povinný ,Customer Credit Balance,Zostatok kreditu zákazníka @@ -3544,7 +3572,6 @@ DocType: Contract,Contract Terms,Zmluvné podmienky apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Povinné je buď cieľové množstvo alebo cieľová suma. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Neplatné číslo {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Dátum stretnutia DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Skratka nesmie obsahovať viac ako 5 znakov DocType: Employee Benefit Application,Max Benefits (Yearly),Max. Výhody (ročne) @@ -3646,7 +3673,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Bankové poplatky apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Prevedený tovar apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Podrobnosti o primárnom kontakte -DocType: Quality Review,Values,hodnoty DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ak nie je začiarknuté, zoznam sa musí pridať na každé oddelenie, kde sa má použiť." DocType: Item Group,Show this slideshow at the top of the page,Zobraziť túto prezentáciu v hornej časti stránky apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Parameter {0} je neplatný @@ -3665,6 +3691,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Účet bankových poplatkov DocType: Journal Entry,Get Outstanding Invoices,Získajte nevyrovnané faktúry DocType: Opportunity,Opportunity From,Príležitosť z +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Podrobnosti o cieli DocType: Item,Customer Code,Zákaznický kód apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Zadajte položku ako prvú apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Zoznam webových stránok @@ -3693,7 +3720,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Doručiť do DocType: Bank Statement Transaction Settings Item,Bank Data,Bankové údaje apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Naplánované Upto -DocType: Quality Goal,Everyday,Každý deň DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Udržiavanie fakturačných hodín a pracovných hodín rovnaké na časovom rozvrhu apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Track Leads podľa Lead Source. DocType: Clinical Procedure,Nursing User,Ošetrovateľský užívateľ @@ -3718,7 +3744,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Spravovať stromové DocType: GL Entry,Voucher Type,Typ poukážky ,Serial No Service Contract Expiry,Sériové vypršanie platnosti servisnej zmluvy DocType: Certification Application,Certified,certifikované -DocType: Material Request Plan Item,Manufacture,Výroba +DocType: Purchase Invoice Item,Manufacture,Výroba apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} vytvorených položiek apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Žiadosť o platbu pre {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dni od poslednej objednávky @@ -3733,7 +3759,7 @@ DocType: Sales Invoice,Company Address Name,Názov adresy spoločnosti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Tovar v tranzite apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,V tejto objednávke môžete použiť maximálne {0} bodov. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Nastavte účet v sklade {0} -DocType: Quality Action Table,Resolution,rezolúcia +DocType: Quality Action,Resolution,rezolúcia DocType: Sales Invoice,Loyalty Points Redemption,Vykúpenie vernostných bodov apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Celková zdaniteľná hodnota DocType: Patient Appointment,Scheduled,Naplánovaný @@ -3854,6 +3880,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,rýchlosť apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Ukladanie {0} DocType: SMS Center,Total Message(s),Celkový počet správ +DocType: Purchase Invoice,Accounting Dimensions,Účtovné rozmery apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Skupina podľa účtu DocType: Quotation,In Words will be visible once you save the Quotation.,V programe Words budú viditeľné po uložení ponuky. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Množstvo na výrobu @@ -4018,7 +4045,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,S apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Ak máte akékoľvek otázky, obráťte sa na nás." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Potvrdenie o kúpe {0} nie je odoslané DocType: Task,Total Expense Claim (via Expense Claim),Celkový nárok na výdavky (prostredníctvom nároku na výdavky) -DocType: Quality Action,Quality Goal,Cieľ kvality +DocType: Quality Goal,Quality Goal,Cieľ kvality DocType: Support Settings,Support Portal,Portál podpory apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Dátum ukončenia úlohy {0} nemôže byť kratší ako {1} očakávaný dátum začiatku {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Zamestnanec {0} je na dovolenke {1} @@ -4077,7 +4104,6 @@ DocType: BOM,Operating Cost (Company Currency),Prevádzkové náklady (mena spol DocType: Item Price,Item Price,Položka Cena DocType: Payment Entry,Party Name,Názov strany apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Vyberte zákazníka -DocType: Course,Course Intro,Kurz Intro DocType: Program Enrollment Tool,New Program,Nový program apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Číslo nového nákladového strediska, bude zahrnuté do názvu nákladového strediska ako predpona" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Vyberte zákazníka alebo dodávateľa. @@ -4278,6 +4304,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Čistý plat nemôže byť záporný apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Počet interakcií 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} sa nedá preniesť viac ako {2} proti objednávke {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,smena apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Spracovanie účtovej osnovy a strán DocType: Stock Settings,Convert Item Description to Clean HTML,Konvertovať Popis položky na Vyčistiť HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Všetky skupiny dodávateľov @@ -4356,6 +4383,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Nadradená položka apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Vytvorte potvrdenie o kúpe alebo nákupnú faktúru za položku {0} +,Product Bundle Balance,Zostatok produktu Bundle apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Názov spoločnosti nemôže byť Spoločnosť DocType: Maintenance Visit,Breakdown,Zlomiť DocType: Inpatient Record,B Negative,B Negatívny @@ -4364,7 +4392,7 @@ DocType: Purchase Invoice,Credit To,Kredit apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Odošlite túto pracovnú objednávku na ďalšie spracovanie. DocType: Bank Guarantee,Bank Guarantee Number,Číslo bankovej záruky apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Doručené: {0} -DocType: Quality Action,Under Review,V časti Kontrola +DocType: Quality Meeting Table,Under Review,V časti Kontrola apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Poľnohospodárstvo (beta) ,Average Commission Rate,Priemerná sadzba Komisie DocType: Sales Invoice,Customer's Purchase Order Date,Dátum objednávky odberateľa @@ -4481,7 +4509,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Porovnajte platby s faktúrami DocType: Holiday List,Weekly Off,Vypnuté týždenne apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Nie je možné nastaviť alternatívnu položku pre položku {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Program {0} neexistuje. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} neexistuje. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Koreňový uzol nie je možné upraviť. DocType: Fee Schedule,Student Category,Študentská kategória apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Položka {0}: {1} vyrobená," @@ -4572,8 +4600,8 @@ DocType: Crop,Crop Spacing,Medzera orezania DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Ako často by sa mal projekt a spoločnosť aktualizovať na základe predajných transakcií. DocType: Pricing Rule,Period Settings,Nastavenia obdobia apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Čistá zmena pohľadávok +DocType: Quality Feedback Template,Quality Feedback Template,Šablóna kvality spätnej väzby apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Množstvo musí byť väčšie ako nula -DocType: Quality Goal,Goal Objectives,Ciele cieľa 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" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Nechajte prázdne, ak robíte študentské skupiny za rok" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Úvery (pasíva) @@ -4608,12 +4636,13 @@ DocType: Quality Procedure Table,Step,krok DocType: Normal Test Items,Result Value,Hodnota výsledku DocType: Cash Flow Mapping,Is Income Tax Liability,Zodpovednosť za daň z príjmov DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Poplatok za návštevu v nemocnici -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} neexistuje. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} neexistuje. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Aktualizovať odpoveď DocType: Bank Guarantee,Supplier,dodávateľ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Zadajte hodnotu betweeen {0} a {1} DocType: Purchase Order,Order Confirmation Date,Dátum potvrdenia objednávky DocType: Delivery Trip,Calculate Estimated Arrival Times,Vypočítajte odhadované časy príchodu +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Prosím, nastavte systém pomenovania zamestnancov v ľudských zdrojoch> HR nastavenia" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Jedlé DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Dátum začiatku odberu @@ -4677,6 +4706,7 @@ DocType: Cheque Print Template,Is Account Payable,Je splatný účet apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Celková hodnota objednávky apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dodávateľ {0} sa nenašiel v {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Nastavenie SMS brány +DocType: Salary Component,Round to the Nearest Integer,Zaokrúhlite na najbližšie celé číslo apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Koreň nemôže mať nadradené nákladové stredisko DocType: Healthcare Service Unit,Allow Appointments,Povoliť schôdzky DocType: BOM,Show Operations,Zobraziť operácie @@ -4805,7 +4835,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Zoznam predvolených dovoleniek DocType: Naming Series,Current Value,Súčasná hodnota apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezónnosť pre stanovenie rozpočtov, cieľov atď." -DocType: Program,Program Code,Kód programu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Upozornenie: Objednávka odberateľa {0} už existuje proti objednávke odberateľa {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Mesačný predajný cieľ ( DocType: Guardian,Guardian Interests,Záujmy opatrovníka @@ -4855,10 +4884,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Platené a nedoručené apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Kód položky je povinný, pretože položka nie je automaticky očíslovaná" DocType: GST HSN Code,HSN Code,Kód HSN -DocType: Quality Goal,September,septembra +DocType: GSTR 3B Report,September,septembra apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administratívne výdavky DocType: C-Form,C-Form No,C-formulár č DocType: Purchase Invoice,End date of current invoice's period,Dátum ukončenia obdobia faktúry +DocType: Item,Manufacturers,výrobcovia DocType: Crop Cycle,Crop Cycle,Cyklus orezania DocType: Serial No,Creation Time,Čas vytvorenia apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Zadajte Schvaľovaciu úlohu alebo Schvaľujúceho používateľa @@ -4931,8 +4961,6 @@ DocType: Employee,Short biography for website and other publications.,Krátka bi DocType: Purchase Invoice Item,Received Qty,Prijaté množstvo DocType: Purchase Invoice Item,Rate (Company Currency),Sadzba (mena spoločnosti) DocType: Item Reorder,Request for,Žiadosť -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Odstráňte zamestnanca {0}, ak chcete tento dokument zrušiť" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Inštalácia predvolieb apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Zadajte Doby splácania DocType: Pricing Rule,Advanced Settings,Pokročilé nastavenia @@ -4958,7 +4986,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Povoliť nákupný košík DocType: Pricing Rule,Apply Rule On Other,Použiť pravidlo On Other DocType: Vehicle,Last Carbon Check,Posledná kontrola uhlíka -DocType: Vehicle,Make,Urobiť +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Urobiť apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Predajná faktúra {0} bola vytvorená ako zaplatená apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Na vytvorenie žiadosti o platbu sa vyžaduje referenčný dokument apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Daň z príjmu @@ -5034,7 +5062,6 @@ DocType: Territory,Parent Territory,Rodičovské územie DocType: Vehicle Log,Odometer Reading,Počítadlo kilometrov DocType: Additional Salary,Salary Slip,Výplatná páska DocType: Payroll Entry,Payroll Frequency,Mzdová frekvencia -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Prosím, nastavte systém pomenovania zamestnancov v ľudských zdrojoch> HR nastavenia" apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Dátumy začiatku a konca nie sú v platnom období miezd, nie je možné vypočítať hodnotu {0}" DocType: Products Settings,Home Page is Products,Domovská stránka je Produkty apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,volá @@ -5088,7 +5115,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Prebieha načítavanie záznamov ...... DocType: Delivery Stop,Contact Information,Kontaktné informácie DocType: Sales Order Item,For Production,Pre výrobu -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Prosím nastavte inštruktor pomenovania systému vo vzdelávaní> Nastavenia vzdelávania DocType: Serial No,Asset Details,Podrobnosti o aktívach DocType: Restaurant Reservation,Reservation Time,Čas rezervácie DocType: Selling Settings,Default Territory,Predvolené územie @@ -5228,6 +5254,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,m apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Platnosti po uplynutí platnosti DocType: Shipping Rule,Shipping Rule Type,Typ pravidla odoslania DocType: Job Offer,Accepted,Prijatý +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Odstráňte zamestnanca {0}, ak chcete tento dokument zrušiť" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Posudzovali ste už hodnotiace kritériá {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Vyberte čísla šarží apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Vek (dni) @@ -5244,6 +5272,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Balík položiek v čase predaja. DocType: Payment Reconciliation Payment,Allocated Amount,Pridelená suma apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Vyberte spoločnosť a označenie +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,Vyžaduje sa „Dátum“ DocType: Email Digest,Bank Credit Balance,Bankový zostatok na účte apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Zobraziť kumulatívnu čiastku apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Nemáte dostatok vernostných bodov na uplatnenie @@ -5304,11 +5333,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Na predchádzajúcom r DocType: Student,Student Email Address,E-mailová adresa študenta DocType: Academic Term,Education,vzdelanie DocType: Supplier Quotation,Supplier Address,Adresa dodávateľa -DocType: Salary Component,Do not include in total,Neuvádzajte spolu +DocType: Salary Detail,Do not include in total,Neuvádzajte spolu apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Nie je možné nastaviť viacero predvolených položiek pre spoločnosť. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} neexistuje DocType: Purchase Receipt Item,Rejected Quantity,Zamietnuté množstvo DocType: Cashier Closing,To TIme,Ak chcete +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: Daily Work Summary Group User,Daily Work Summary Group User,Užívateľ skupiny denného pracovného prehľadu DocType: Fiscal Year Company,Fiscal Year Company,Spoločnosť fiškálneho roka apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternatívna položka nesmie byť rovnaká ako kód položky @@ -5418,7 +5448,6 @@ DocType: Fee Schedule,Send Payment Request Email,Odoslať e-mail s požiadavkou DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,V programe Words budú viditeľné po uložení predajnej faktúry. DocType: Sales Invoice,Sales Team1,Predajný tím1 DocType: Work Order,Required Items,Požadované položky -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Špeciálne znaky okrem "-", "#", "." a "/" nie je povolené v menovacích sériách" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Prečítajte si príručku ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Skontrolujte číslo faktúry dodávateľa apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Hľadať podzostavy @@ -5486,7 +5515,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Percentuálny odpočet 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 nemôže byť menšie ako nula DocType: Share Balance,To No,Na Nie DocType: Leave Control Panel,Allocate Leaves,Prideľte listy -DocType: Quiz,Last Attempt,Posledný pokus DocType: Assessment Result,Student Name,Meno študenta apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Plánujte návštevy údržby. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Nasledujúce požiadavky na materiál boli automaticky vyvolané na základe úrovne opätovného objednania položky @@ -5555,6 +5583,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Indikátor Farba DocType: Item Variant Settings,Copy Fields to Variant,Kopírovať polia do variantu DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Single Correct Answer apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Od dátumu nemôže byť kratší ako dátum vstupu zamestnanca DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Povoliť viacero zákaziek odberateľa voči objednávke odberateľa apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5617,7 +5646,7 @@ DocType: Account,Expenses Included In Valuation,Náklady zahrnuté do ocenenia apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Sériové čísla DocType: Salary Slip,Deductions,odpočty ,Supplier-Wise Sales Analytics,Analytika predaja od dodávateľov -DocType: Quality Goal,February,február +DocType: GSTR 3B Report,February,február DocType: Appraisal,For Employee,Pre zamestnanca apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Skutočný dátum dodania DocType: Sales Partner,Sales Partner Name,Názov obchodného partnera @@ -5713,7 +5742,6 @@ DocType: Procedure Prescription,Procedure Created,Postup bol vytvorený apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Proti faktúre dodávateľa {0} zo dňa {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Zmena profilu POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Vytvoriť olovo -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa DocType: Shopify Settings,Default Customer,Predvolený zákazník DocType: Payment Entry Reference,Supplier Invoice No,Faktúra dodávateľa č DocType: Pricing Rule,Mixed Conditions,Zmiešané podmienky @@ -5764,12 +5792,14 @@ DocType: Item,End of Life,Koniec života DocType: Lab Test Template,Sensitivity,citlivosť DocType: Territory,Territory Targets,Územné ciele apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Preskočiť Opustiť Pridelenie pre nasledovných zamestnancov, pretože záznamy o ich ponechaní už existujú proti nim. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Rozlíšenie akcie kvality DocType: Sales Invoice Item,Delivered By Supplier,Dodané Dodávateľom DocType: Agriculture Analysis Criteria,Plant Analysis,Analýza rastlín apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Účet výdavkov je povinný pre položku {0} ,Subcontracted Raw Materials To Be Transferred,"Subdodávky surovín, ktoré sa majú previesť" DocType: Cashier Closing,Cashier Closing,Zatvorenie pokladníka apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Položka {0} už bola vrátená +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Neplatný GSTIN! Zadaný vstup sa nezhoduje s formátom GSTIN pre držiteľov UIN alebo poskytovateľov služieb OIDAR apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Pre tento sklad existuje detský sklad. Tento sklad nie je možné odstrániť. DocType: Diagnosis,Diagnosis,diagnóza apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Medzi {0} a {1} nie je žiadna dovolenka. @@ -5786,6 +5816,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Nastavenia autorizácie DocType: Homepage,Products,Produkty ,Profit and Loss Statement,Výkaz ziskov a strát apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Izby rezervované +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Duplicitné zadanie kódu položky {0} a výrobcu {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Celková váha apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Cestovanie @@ -5834,6 +5865,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Predvolená skupina zákazníkov DocType: Journal Entry Account,Debit in Company Currency,Debet v mene spoločnosti DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Záložná séria je "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Agenda stretnutia kvality DocType: Cash Flow Mapper,Section Header,Hlavička oddielu apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Vaše produkty alebo služby DocType: Crop,Perennial,trvalka @@ -5879,7 +5911,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produkt alebo služba, ktorá sa kupuje, predáva alebo uchováva na sklade." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Zatvorenie (otvorenie + celkom) DocType: Supplier Scorecard Criteria,Criteria Formula,Kritérium vzorca -,Support Analytics,Podpora Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Podpora Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Preskúmanie a akcia DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ak je účet zmrazený, položky sú povolené pre používateľov s obmedzeným prístupom." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Suma po odpise @@ -5924,7 +5956,6 @@ DocType: Contract Template,Contract Terms and Conditions,Zmluvné podmienky apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Načítať údaje DocType: Stock Settings,Default Item Group,Predvolená skupina položiek DocType: Sales Invoice Timesheet,Billing Hours,Fakturačné hodiny -DocType: Item,Item Code for Suppliers,Kód položky pre dodávateľov apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Proti študentovi {0} už existuje aplikácia {0} DocType: Pricing Rule,Margin Type,Typ okraja DocType: Purchase Invoice Item,Rejected Serial No,Odmietnuté sériové číslo @@ -5997,6 +6028,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Listy boli udelené úspešne DocType: Loyalty Point Entry,Expiry Date,Dátum spotreby DocType: Project Task,Working,pracovné +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} už má rodičovský postup {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Toto je založené na transakciách proti tomuto pacientovi. Podrobnosti nájdete v časovej osi nižšie DocType: Material Request,Requested For,Požadované pre DocType: SMS Center,All Sales Person,Všetka predajná osoba @@ -6084,6 +6116,7 @@ DocType: Loan Type,Maximum Loan Amount,Maximálna výška úveru apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-mail sa nenašiel v predvolenom kontakte DocType: Hotel Room Reservation,Booked,rezervovaný DocType: Maintenance Visit,Partially Completed,Čiastočne dokončené +DocType: Quality Procedure Process,Process Description,Popis procesu DocType: Company,Default Employee Advance Account,Predvolený účet zamestnanca DocType: Leave Type,Allow Negative Balance,Povoliť záporný zostatok apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Názov plánu hodnotenia @@ -6125,6 +6158,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Žiadosť o položku ponuky apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} zadané dvakrát v položke Daň za položku DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Odpočítanie úplnej dane z vybraného mzdového dátumu +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Posledný dátum kontroly uhlia nemôže byť budúcim dátumom apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Vyberte účet čiastky zmeny DocType: Support Settings,Forum Posts,Fórum Príspevky DocType: Timesheet Detail,Expected Hrs,Predpokladané hodiny @@ -6134,7 +6168,7 @@ DocType: Program Enrollment Tool,Enroll Students,Zapísať študentov apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Opakujte príjmy zákazníka DocType: Company,Date of Commencement,Dátum začatia DocType: Bank,Bank Name,Meno banky -DocType: Quality Goal,December,December +DocType: GSTR 3B Report,December,December 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ť menší ako platný dátum apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,To je založené na účasti tohto zamestnanca DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ak je táto možnosť začiarknutá, domovská stránka bude predvolenou skupinou položiek pre webovú stránku" @@ -6177,6 +6211,7 @@ DocType: Payment Entry,Payment Type,Typ platby apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Čísla folia sa nezhodujú DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Kontrola kvality: {0} nie je predložená pre položku: {1} v riadku {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Zobraziť {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} nájdená položka. ,Stock Ageing,Starnutie na sklade DocType: Customer Group,Mention if non-standard receivable account applicable,"Uveďte, či sa uplatňuje neštandardný účet pohľadávok" @@ -6455,6 +6490,7 @@ DocType: Travel Request,Costing,rozpočet apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Dlhodobý majetok DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Celkové zárobky +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníkov> Územie DocType: Share Balance,From No,Od č DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Faktúra na vyrovnanie platieb DocType: Purchase Invoice,Taxes and Charges Added,Pridané dane a poplatky @@ -6462,7 +6498,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Zvážte daň ale DocType: Authorization Rule,Authorized Value,Autorizovaná hodnota apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Prijaté od apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Sklad {0} neexistuje +DocType: Item Manufacturer,Item Manufacturer,Položka Výrobca DocType: Sales Invoice,Sales Team,Predajný tím +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Balík Qty DocType: Purchase Order Item Supplied,Stock UOM,Skladové UOM DocType: Installation Note,Installation Date,Dátum inštalácie DocType: Email Digest,New Quotations,Nové ponuky @@ -6526,7 +6564,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Názov dovolenkového zoznamu DocType: Water Analysis,Collection Temperature ,Teplota odberu DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Spravovať faktúru s termínom odoslania a zrušiť automaticky pre stretnutie pacienta -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte Pomenovaciu sériu pre {0} cez Setup> Settings> Naming Series DocType: Employee Benefit Claim,Claim Date,Dátum nároku DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"Ak je dodávateľ zablokovaný na neurčito, ponechajte prázdne" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Účasť od dátumu a dochádzky je povinná @@ -6537,6 +6574,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Dátum odchodu do dôchodku apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Vyberte položku Pacient DocType: Asset,Straight Line,Priamka +DocType: Quality Action,Resolutions,rezolúcia DocType: SMS Log,No of Sent SMS,Počet odoslaných SMS ,GST Itemised Sales Register,GST Položkový predajný register apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Celková suma záloh nesmie byť vyššia ako celková sankcionovaná suma @@ -6647,7 +6685,7 @@ DocType: Account,Profit and Loss,Zisk a strata apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Asset Finance Book,Written Down Value,Napísaná hodnota dole apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Otvorenie vlastného imania -DocType: Quality Goal,April,apríl +DocType: GSTR 3B Report,April,apríl DocType: Supplier,Credit Limit,Úverový limit apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,distribúcia apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6702,6 +6740,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Pripojiť Shopify s ERPNext DocType: Homepage Section Card,Subtitle,podtitul DocType: Soil Texture,Loam,hlina +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa DocType: BOM,Scrap Material Cost(Company Currency),Cena materiálu šrotu (mena spoločnosti) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Upozornenie o doručení {0} sa nesmie odoslať DocType: Task,Actual Start Date (via Time Sheet),Skutočný dátum začiatku (prostredníctvom výkazu) @@ -6757,7 +6796,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,dávkovanie DocType: Cheque Print Template,Starting position from top edge,Počiatočná pozícia od horného okraja apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Trvanie schôdzky (min) -DocType: Pricing Rule,Disable,zakázať +DocType: Accounting Dimension,Disable,zakázať DocType: Email Digest,Purchase Orders to Receive,Objednávky na príjem apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Výrobné objednávky nie je možné zvýšiť pre: DocType: Projects Settings,Ignore Employee Time Overlap,Ignorovať prekrytie času zamestnanca @@ -6841,6 +6880,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Vytvor DocType: Item Attribute,Numeric Values,Číselné hodnoty DocType: Delivery Note,Instructions,Inštrukcie DocType: Blanket Order Item,Blanket Order Item,Položka objednávky deka +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Povinné pre výkaz ziskov a strát apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Miera Komisie nemôže byť vyššia ako 100%. \ T DocType: Course Topic,Course Topic,Téma kurzu DocType: Employee,This will restrict user access to other employee records,Tým sa obmedzí prístup používateľov k iným zamestnaneckým záznamom @@ -6865,12 +6905,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Správa predpl apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Získajte zákazníkov apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Hlásenia +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Účet strany DocType: Assessment Plan,Schedule,plán apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Prosím Vlož DocType: Lead,Channel Partner,Partner kanála apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Fakturovaná čiastka DocType: Project,From Template,Zo šablóny +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,odbery apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,"Množstvo, ktoré sa má vykonať" DocType: Quality Review Table,Achieved,dosiahnuté @@ -6917,7 +6959,6 @@ DocType: Journal Entry,Subscription Section,Odberová sekcia DocType: Salary Slip,Payment Days,Platobné dni apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informácie o dobrovoľníkoch. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"Zmrazené zásoby staršie ako" by mali byť menšie ako% d dní. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Vyberte Fiškálny rok DocType: Bank Reconciliation,Total Amount,Celková suma DocType: Certification Application,Non Profit,Neziskové DocType: Subscription Settings,Cancel Invoice After Grace Period,Zrušiť faktúru po období odkladu @@ -6930,7 +6971,6 @@ DocType: Serial No,Warranty Period (Days),Záručná doba (dni) DocType: Expense Claim Detail,Expense Claim Detail,Detail nároku na výdavky apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program: DocType: Patient Medical Record,Patient Medical Record,Lekársky záznam pacienta -DocType: Quality Action,Action Description,Popis akcie DocType: Item,Variant Based On,Variant Based On DocType: Vehicle Service,Brake Oil,Brzdový olej DocType: Employee,Create User,Vytvoriť používateľa @@ -6986,7 +7026,7 @@ DocType: Cash Flow Mapper,Section Name,Názov sekcie DocType: Packed Item,Packed Item,Balená položka apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Pre {2} sa vyžaduje buď debetná alebo kreditná suma apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Odosielanie platových lístkov ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Žiadna akcia +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Žiadna akcia apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Rozpočet nie je možné priradiť k hodnote {0}, pretože nejde o účet príjmu alebo výdavkov" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Majstri a účty DocType: Quality Procedure Table,Responsible Individual,Zodpovedný jednotlivec @@ -7109,7 +7149,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Povoliť vytvorenie účtu proti detskej spoločnosti DocType: Payment Entry,Company Bank Account,Firemný bankový účet DocType: Amazon MWS Settings,UK,Spojené kráľovstvo -DocType: Quality Procedure,Procedure Steps,Postup Kroky DocType: Normal Test Items,Normal Test Items,Normálne testované položky apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Položka {0}: Objednaný počet {1} nemôže byť menší ako minimálna objednávka {2} (definovaná v položke). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Nie je skladom @@ -7188,7 +7227,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,analytika DocType: Maintenance Team Member,Maintenance Role,Údržba Úloha apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Podmienky šablóny DocType: Fee Schedule Program,Fee Schedule Program,Program poplatkov -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kurz {0} neexistuje. DocType: Project Task,Make Timesheet,Vytvorte časový rozvrh DocType: Production Plan Item,Production Plan Item,Položka výrobného plánu apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Celkový počet študentov @@ -7210,6 +7248,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Balenie apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Obnoviť sa môžete len v prípade, že platnosť vášho členstva vyprší do 30 dní" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Hodnota musí byť medzi hodnotou {0} a hodnotou {1} +DocType: Quality Feedback,Parameters,parametre ,Sales Partner Transaction Summary,Zhrnutie transakcie obchodného partnera DocType: Asset Maintenance,Maintenance Manager Name,Názov manažéra údržby apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Je potrebné načítať Podrobnosti položky. @@ -7248,6 +7287,7 @@ DocType: Student Admission,Student Admission,Vstupné pre študentov DocType: Designation Skill,Skill,zručnosť DocType: Budget Account,Budget Account,Účet rozpočtu DocType: Employee Transfer,Create New Employee Id,Vytvoriť nové Id zamestnanca +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} sa vyžaduje pre účet 'Zisk a strata' {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Daň z tovarov a služieb (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Vytváranie platových lístkov ... DocType: Employee Skill,Employee Skill,Zamestnanecká zručnosť @@ -7348,6 +7388,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Faktúra samo DocType: Subscription,Days Until Due,Dni do splatnosti apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Zobraziť dokončené apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Správa o zadaní transakcie s výpisom z účtu +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bankové divízie apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Riadok # {0}: Rýchlosť musí byť rovnaká ako {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Položky služby zdravotnej starostlivosti @@ -7404,6 +7445,7 @@ DocType: Training Event Employee,Invited,pozvaný apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Maximálna suma oprávnená pre komponent {0} presahuje hodnotu {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Suma pre Billa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",Pre položku {0} je možné prepojiť iba iné debetné účty s iným kreditným záznamom +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Vytváranie dimenzií ... DocType: Bank Statement Transaction Entry,Payable Account,Platobný účet apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Neuvádzajte žiadne požadované návštevy DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Vyberte len v prípade, že máte nastavený dokument Cash Flow Mapper" @@ -7421,6 +7463,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,V DocType: Service Level,Resolution Time,Čas rozlíšenia DocType: Grading Scale Interval,Grade Description,Popis triedy DocType: Homepage Section,Cards,karty +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Zápisnica o kvalite stretnutia DocType: Linked Plant Analysis,Linked Plant Analysis,Analýza prepojených zariadení apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Dátum zastavenia služby nemôže byť po dátume ukončenia služby apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Nastavte nastavenie B2C v nastaveniach GST. @@ -7455,7 +7498,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Nástroj dochádzky z DocType: Employee,Educational Qualification,Kvalifikácia vzdelávania apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Dostupná hodnota apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Množstvo vzorky {0} nemôže byť väčšie ako prijaté množstvo {1} -DocType: Quiz,Last Highest Score,Posledné najvyššie skóre DocType: POS Profile,Taxes and Charges,Dane a poplatky DocType: Opportunity,Contact Mobile No,Kontakt Mobilné č DocType: Employee,Joining Details,Podrobnosti o pripojení diff --git a/erpnext/translations/sl.csv b/erpnext/translations/sl.csv index 1e975c1660..1dbacefaae 100644 --- a/erpnext/translations/sl.csv +++ b/erpnext/translations/sl.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Številka dela dobavitelja DocType: Journal Entry Account,Party Balance,Balance strank apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Vir sredstev (obveznosti) DocType: Payroll Period,Taxable Salary Slabs,Obdavčljive plačne plošče +DocType: Quality Action,Quality Feedback,Povratne informacije o kakovosti DocType: Support Settings,Support Settings,Nastavitve podpore apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Najprej vnesite postavko proizvodnje DocType: Quiz,Grading Basis,Osnova za ocenjevanje @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Več podrobnost DocType: Salary Component,Earning,Služenje DocType: Restaurant Order Entry,Click Enter To Add,Kliknite Vnos za dodajanje DocType: Employee Group,Employee Group,Skupina zaposlenih +DocType: Quality Procedure,Processes,Procesi DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Določite tečaj za pretvorbo ene valute v drugo apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Območje staranja 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Potrebna skladišča za zalogo Postavka {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Pritožba DocType: Shipping Rule,Restrict to Countries,Omeji na države DocType: Hub Tracked Item,Item Manager,Upravitelj izdelkov apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Valuta zaključnega računa mora biti {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Proračuni apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Odpiranje postavke na računu DocType: Work Order,Plan material for sub-assemblies,Načrtujte material za podsestave apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Strojna oprema DocType: Budget,Action if Annual Budget Exceeded on MR,"Ukrep, če je letni proračun presežen na ZD" DocType: Sales Invoice Advance,Advance Amount,Predhodni znesek +DocType: Accounting Dimension,Dimension Name,Ime dimenzije DocType: Delivery Note Item,Against Sales Invoice Item,Proti prodajnemu računu postavka DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Vključi postavko v predelovalnih dejavnostih @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Kaj to naredi? ,Sales Invoice Trends,Trendi prodajnega računa DocType: Bank Reconciliation,Payment Entries,Plačilni vnosi DocType: Employee Education,Class / Percentage,Razred / odstotek -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda izdelka> Skupina izdelkov> Blagovna znamka ,Electronic Invoice Register,Elektronski register računa DocType: Sales Invoice,Is Return (Credit Note),Je vrnitev (kreditna opomba) DocType: Lab Test Sample,Lab Test Sample,Laboratorijski testni vzorec @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Različice apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Stroški bodo porazdeljeni sorazmerno glede na količino artikla ali znesek, glede na vaš izbor" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Trenutno potekajoče dejavnosti +DocType: Quality Procedure Process,Quality Procedure Process,Postopek kakovosti DocType: Fee Schedule Program,Student Batch,Študentska serija apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},"Stopnja vrednotenja, zahtevana za postavko v vrstici {0}" DocType: BOM Operation,Base Hour Rate(Company Currency),Osnovna urna postavka (valuta podjetja) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Nastavi količino transakcij na osnovi vnosa zaporednih številk apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Valuta vnaprejšnjega računa mora biti enaka valuti podjetja {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Prilagodi odseke domače strani -DocType: Quality Goal,October,Oktober +DocType: GSTR 3B Report,October,Oktober DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Skrij davčni ID naročnika iz transakcij prodaje apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Neveljaven GSTIN! GSTIN mora imeti 15 znakov. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Pravilo o določanju cen {0} je posodobljeno @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Pusti ravnovesje apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Urnik vzdrževanja {0} obstaja proti {1} DocType: Assessment Plan,Supervisor Name,Ime nadzornika DocType: Selling Settings,Campaign Naming By,Oglaševalska akcija poimenovanja -DocType: Course,Course Code,Šifra predmeta +DocType: Student Group Creation Tool Course,Course Code,Šifra predmeta apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace DocType: Landed Cost Voucher,Distribute Charges Based On,"Porazdeli stroške, ki temeljijo na" DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Merila za točkovanje s kazalcem dobaviteljev @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Meni restavracije DocType: Asset Movement,Purpose,Namen apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Dodelitev strukture plač za zaposlenega že obstaja DocType: Clinical Procedure,Service Unit,Servisna enota -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Stranka> Skupina kupcev> Ozemlje DocType: Travel Request,Identification Document Number,Številka identifikacijskega dokumenta DocType: Stock Entry,Additional Costs,Dodatni stroški -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Nadrejeni tečaj (Pustite prazno, če to ni del Parent Course)" DocType: Employee Education,Employee Education,Izobraževanje zaposlenih apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Število pozicij ne sme biti manjše od trenutnega števila zaposlenih apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Vse skupine strank @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Vrstica {0}: Količina je obvezna DocType: Sales Invoice,Against Income Account,Račun dohodkov apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Vrstica # {0}: računa za nakup ni mogoče ustvariti za obstoječe sredstvo {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Pravila za uporabo različnih promocijskih shem. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Za UOM potreben faktor pokritja UOM: {0} v elementu: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Vnesite količino za element {0} DocType: Workstation,Electricity Cost,Stroški električne energije @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Skupna predvidena količina apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Dejanski datum začetka 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 prisotni ves dan (dni) med dnevi zahtevkov za nadomestni dopust -DocType: Company,About the Company,O podjetju apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Drevo finančnih računov. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Posredni dohodek DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Rezervacija za hotelsko sobo @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Baza potenci DocType: Skill,Skill Name,Ime spretnosti apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Natisni kartico s poročilom DocType: Soil Texture,Ternary Plot,Ternary Plot +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavite Naming Series za {0} prek Setup> Settings> Series Naming apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Vstopnice za podporo DocType: Asset Category Account,Fixed Asset Account,Račun osnovnih sredstev apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Zadnje @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Program za vpis v p ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,"Nastavite serijo, ki jo želite uporabiti." DocType: Delivery Trip,Distance UOM,Razdalja UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Obvezno za bilanco stanja DocType: Payment Entry,Total Allocated Amount,Skupni dodeljeni znesek DocType: Sales Invoice,Get Advances Received,Prejmite prejete predujme DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Postavka urnika vzd apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS profil potreben za POS vstop DocType: Education Settings,Enable LMS,Omogoči LMS DocType: POS Closing Voucher,Sales Invoices Summary,Povzetek prodajnih računov +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Korist apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit za račun mora biti račun stanja DocType: Video,Duration,Trajanje DocType: Lab Test Template,Descriptive,Opisno @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Začetni in končni datumi DocType: Supplier Scorecard,Notify Employee,Obvestite zaposlenega apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Programska oprema +DocType: Program,Allow Self Enroll,Dovoli samodejni vpis apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Stroški zalog apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Referenčna številka je obvezna, če ste vnesli referenčni datum" DocType: Training Event,Workshop,Delavnica @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Predloga za laboratorijsko preizku apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Največ: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Manjkajo podatki o elektronskem izdajanju računov apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Ustvarjena ni bila nobena zahteva za material +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda izdelka> Skupina izdelkov> Blagovna znamka DocType: Loan,Total Amount Paid,Skupni znesek plačila apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Vsi ti elementi so že bili zaračunani DocType: Training Event,Trainer Name,Ime trenerja @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Študijsko leto DocType: Sales Stage,Stage Name,Ime stopnje DocType: SMS Center,All Employee (Active),Vsi zaposleni (aktivni) +DocType: Accounting Dimension,Accounting Dimension,Dimenzija računovodstva DocType: Project,Customer Details,Podatki o kupcu DocType: Buying Settings,Default Supplier Group,Privzeta skupina dobaviteljev apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Najprej prekličite potrdilo o nakupu {0} @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Višje število, DocType: Designation,Required Skills,Zahtevane spretnosti DocType: Marketplace Settings,Disable Marketplace,Onemogoči tržnico DocType: Budget,Action if Annual Budget Exceeded on Actual,"Ukrep, če je letni proračun presežen na dejanski ravni" -DocType: Course,Course Abbreviation,Okrajšava tečaja apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Prisotnost ni bila predložena za {0} kot {1} na dopustu. DocType: Pricing Rule,Promotional Scheme Id,ID sheme za promocijo apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Končni datum opravila {0} ne sme biti daljši od {1} pričakovanega končnega datuma {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Margin Money DocType: Chapter,Chapter,Poglavje DocType: Purchase Receipt Item Supplied,Current Stock,Trenutna zaloga DocType: Employee,History In Company,Zgodovina v podjetju -DocType: Item,Manufacturer,Proizvajalec +DocType: Purchase Invoice Item,Manufacturer,Proizvajalec apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Zmerna občutljivost DocType: Compensatory Leave Request,Leave Allocation,Pustite dodelitev DocType: Timesheet,Timesheet,Časovni list @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Preneseni material za DocType: Products Settings,Hide Variants,Skrij različice DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Onemogoči načrtovanje zmogljivosti in sledenje času DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* V transakciji se izračuna. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} je potreben za račun »Bilanca stanja« {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,"{0} ni dovoljeno opravljati transakcij z {1}. Prosimo, spremenite podjetje." 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}","V skladu z nastavitvami nakupa, če je potreben nakup za nakup == "DA", mora uporabnik za ustvarjanje računa za nakup najprej ustvariti potrdilo o nakupu za element {0}" DocType: Delivery Trip,Delivery Details,Podrobnosti o dostavi @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Prejšnja apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Merska enota DocType: Lab Test,Test Template,Preskusna predloga DocType: Fertilizer,Fertilizer Contents,Vsebina gnojila -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minuta +DocType: Quality Meeting Minutes,Minute,Minuta apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Vrstice # {0}: Sredstvo {1} ni mogoče poslati, že {2}" DocType: Task,Actual Time (in Hours),Dejanski čas (v urah) DocType: Period Closing Voucher,Closing Account Head,Vodja zaključnega računa @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorij DocType: Purchase Order,To Bill,Billu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Stroški komunalnih storitev DocType: Manufacturing Settings,Time Between Operations (in mins),Čas med operacijami (v min) -DocType: Quality Goal,May,May +DocType: GSTR 3B Report,May,May apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Račun plačilnega prehoda ni ustvarjen, ustvarite ga ročno." DocType: Opening Invoice Creation Tool,Purchase,Nakup DocType: Program Enrollment,School House,Šolska hiša @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,P DocType: Supplier,Statutory info and other general information about your Supplier,Zakonske informacije in druge splošne informacije o vašem dobavitelju DocType: Item Default,Default Selling Cost Center,Privzeto prodajno mesto za prodajo DocType: Sales Partner,Address & Contacts,Naslov in stiki +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavite številske serije za Prisotnost prek Nastavitve> Številčne serije DocType: Subscriber,Subscriber,Naročnik apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) ni na zalogi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Najprej izberite Datum knjiženja @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Stroški bolnišničnega DocType: Bank Statement Settings,Transaction Data Mapping,Preslikava podatkov o transakcijah apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Voditelj zahteva ime osebe ali ime organizacije DocType: Student,Guardians,Varuhi +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavite Sistem za poimenovanje inštruktorja v izobraževanju> Nastavitve izobraževanja apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Izberite blagovno znamko ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Srednji dohodek DocType: Shipping Rule,Calculate Based On,Izračunajte na podlagi @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Vnaprejšnja odškodninska DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Prilagoditev zaokroževanja (valuta podjetja) DocType: Item,Publish in Hub,Objavi v središču apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,Avgust +DocType: GSTR 3B Report,August,Avgust apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Najprej vnesite potrdilo o nakupu apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Začetek leta apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Cilj ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,Največja vzorčna količina apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Vir in ciljno skladišče morata biti različna DocType: Employee Benefit Application,Benefits Applied,Uporabljene ugodnosti apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Proti vnosu v dnevnik {0} ni nobenega neizravnanega vnosa {1} +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Posebni znaki, razen "-", "#", ".", "/", "{" In "}" niso dovoljeni v poimenovanju nizov" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Zahtevajo se plošče za cene ali izdelke apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Nastavite cilj apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Zapis o prisotnosti {0} obstaja proti študentu {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Na mesec DocType: Routing,Routing Name,Ime poti DocType: Disease,Common Name,Pogosto ime -DocType: Quality Goal,Measurable,Merljivo DocType: Education Settings,LMS Title,Naslov LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Upravljanje posojil -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Podpora analtyics DocType: Clinical Procedure,Consumable Total Amount,Celotni potrošni znesek apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Omogoči predlogo apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,LPO stranke @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,Služi DocType: Loan,Member,Članica DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Urnik storitvene enote zdravnika apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Bančno nakazilo +DocType: Quality Review Objective,Quality Review Objective,Cilj pregleda kakovosti DocType: Bank Reconciliation Detail,Against Account,Proti računu DocType: Projects Settings,Projects Settings,Nastavitve projektov apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Dejanska številka {0} / številka čakanja {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Tv apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Datum zaključka fiskalnega leta mora biti eno leto po začetnem fiskalnem letu apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Dnevni opomniki DocType: Item,Default Sales Unit of Measure,Privzeta prodajna merska enota +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Podjetje GSTIN DocType: Asset Finance Book,Rate of Depreciation,Stopnja amortizacije DocType: Support Search Source,Post Description Key,Ključ za opis po pošti DocType: Loyalty Program Collection,Minimum Total Spent,Najmanjša skupna porabljena poraba @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Spreminjanje skupine strank za izbrano stranko ni dovoljeno. DocType: Serial No,Creation Document Type,Vrsta dokumenta ustvarjanja DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Na voljo je količina paketa na skladišču +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Račun Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,To je korensko ozemlje in ga ni mogoče urejati. DocType: Patient,Surgical History,Kirurška zgodovina apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Drevo postopkov kakovosti. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,J DocType: Item Group,Check this if you want to show in website,"Označite to možnost, če želite prikazati na spletnem mestu" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskalno leto {0} ni bilo mogoče najti DocType: Bank Statement Settings,Bank Statement Settings,Nastavitve bančnega izpiska +DocType: Quality Procedure Process,Link existing Quality Procedure.,Povezava obstoječega postopka kakovosti. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Uvozi graf iz računa CSV / Excel DocType: Appraisal Goal,Score (0-5),Ocena (0–5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Atribut {0} je bil izbran večkrat v tabeli atributov DocType: Purchase Invoice,Debit Note Issued,Izdano bančno sporočilo @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Pustite podrobnosti o pravilniku apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Skladišče ni bilo v sistemu DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -DocType: Quality Goal,Measurable Goal,Merljivi cilj DocType: Bank Statement Transaction Payment Item,Invoices,Računi DocType: Currency Exchange,Currency Exchange,Menjalnica DocType: Payroll Entry,Fortnightly,Štirinajst dni @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} ni poslan DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Surovine za povratno splakovanje iz skladišča v teku DocType: Maintenance Team Member,Maintenance Team Member,Član vzdrževalne ekipe +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Nastavite prilagojene dimenzije za računovodstvo DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Najmanjša razdalja med vrstami rastlin za optimalno rast DocType: Employee Health Insurance,Health Insurance Name,Ime zdravstvenega zavarovanja apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Zaloge sredstev @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,Ime računa za obračun apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Nadomestni element DocType: Certification Application,Name of Applicant,Ime prosilca DocType: Leave Type,Earned Leave,Zaslužen dopust -DocType: Quality Goal,June,Junij +DocType: GSTR 3B Report,June,Junij apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Vrstica {0}: Stroškovno mesto je potrebno za element {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Lahko ga odobri {0} 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 bila vnesena več kot enkrat v tabeli faktorja pretvorbe @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standardna stopnja prodaje apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Nastavite aktivni meni za restavracijo {0} 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 uporabniki z vlogami Upravitelja sistema in Upravitelja izdelkov." DocType: Asset Finance Book,Asset Finance Book,Knjiga finančnih sredstev +DocType: Quality Goal Objective,Quality Goal Objective,Cilj cilja kakovosti DocType: Employee Transfer,Employee Transfer,Prenos zaposlenih ,Sales Funnel,Potek prodaje DocType: Agriculture Analysis Criteria,Water Analysis,Analiza vode @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Premestitev zapos apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Dejavnosti v teku apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Navedite nekaj svojih strank. Lahko so organizacije ali posamezniki. DocType: Bank Guarantee,Bank Account Info,Podatki o bančnem računu +DocType: Quality Goal,Weekday,Dan v tednu apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Ime skrbnika1 DocType: Salary Component,Variable Based On Taxable Salary,"Spremenljivka, ki temelji na obdavčljivi plači" DocType: Accounting Period,Accounting Period,Računovodsko obdobje @@ -2229,7 +2245,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Prilagoditev zaokroževanja DocType: Quality Review Table,Quality Review Table,Tabela za pregled kakovosti DocType: Member,Membership Expiry Date,Datum poteka članstva DocType: Asset Finance Book,Expected Value After Useful Life,Pričakovana vrednost po uporabnem življenju -DocType: Quality Goal,November,November +DocType: GSTR 3B Report,November,November DocType: Loan Application,Rate of Interest,Obrestna mera DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Postavka plačilnega prometa v bančnem izidu DocType: Restaurant Reservation,Waitlisted,Na čakanju @@ -2293,6 +2309,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Vrstica {0}: Če želite nastaviti {1} periodičnost, mora biti razlika med datumom in datumom večja ali enaka {2}" DocType: Purchase Invoice Item,Valuation Rate,Stopnja vrednotenja DocType: Shopping Cart Settings,Default settings for Shopping Cart,Privzete nastavitve za nakupovalno košarico +DocType: Quiz,Score out of 100,Ocena od 100 DocType: Manufacturing Settings,Capacity Planning,Načrtovanje zmogljivosti apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Pojdi na inštruktorje DocType: Activity Cost,Projects,Projekti @@ -2302,6 +2319,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Od časa apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Poročilo o podrobnostih različice +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Za nakup apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Sloti za {0} niso dodani v urnik DocType: Target Detail,Target Distribution,Ciljna distribucija @@ -2319,6 +2337,7 @@ DocType: Activity Cost,Activity Cost,Stroški dejavnosti DocType: Journal Entry,Payment Order,Plačilni nalog apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Cenitev ,Item Delivery Date,Datum dobave artikla +DocType: Quality Goal,January-April-July-October,Januar-april-julij-oktober DocType: Purchase Order Item,Warehouse and Reference,Skladišče in referenca apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Račun z otrokovimi vozlišči ni mogoče pretvoriti v knjigo DocType: Soil Texture,Clay Composition (%),Sestava gline (%) @@ -2369,6 +2388,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Prihodnji datumi niso apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Vrstica {0}: nastavite način plačila na urniku plačil apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Akademski izraz: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Parameter kakovosti povratnih informacij apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Izberite Uporabi popust na vklop apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Vrstica # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Skupna plačila @@ -2411,7 +2431,7 @@ DocType: Hub Tracked Item,Hub Node,Vozlišče vozlišča apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID zaposlenega DocType: Salary Structure Assignment,Salary Structure Assignment,Dodelitev strukture plač DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Davki za zaključevanje bonov POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Ukrep je začet +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Ukrep je začet DocType: POS Profile,Applicable for Users,Uporabno za uporabnike DocType: Training Event,Exam,Izpit apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nepravilno število najdenih vnosov glavne knjige. Morda ste v transakciji izbrali napačen račun. @@ -2518,6 +2538,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Zemljepisna dolžina DocType: Accounts Settings,Determine Address Tax Category From,Določite kategorijo davka naslova od apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Prepoznavanje odločevalcev +DocType: Stock Entry Detail,Reference Purchase Receipt,Referenčni potrdilo o nakupu apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Pridobite račune DocType: Tally Migration,Is Day Book Data Imported,Je dan podatkov o knjigi uvožen ,Sales Partners Commission,Komisija za prodajne partnerje @@ -2541,6 +2562,7 @@ DocType: Leave Type,Applicable After (Working Days),Velja po (delovnih dneh) DocType: Timesheet Detail,Hrs,Hrs DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Merila za oceno dobavitelja DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parameter predloge predlog kakovosti povratnih informacij apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Datum pridružitve mora biti večji od datuma rojstva DocType: Bank Statement Transaction Invoice Item,Invoice Date,Datum računa DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Ustvarite laboratorijske teste na dostavnem računu za prodajo @@ -2647,7 +2669,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Najmanjša dovoljena DocType: Stock Entry,Source Warehouse Address,Naslov skladišča vira DocType: Compensatory Leave Request,Compensatory Leave Request,Zahteva za nadomestni dopust DocType: Lead,Mobile No.,Številka za mobilne naprave -DocType: Quality Goal,July,Julij +DocType: GSTR 3B Report,July,Julij apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Upravičeni ITC DocType: Fertilizer,Density (if liquid),Gostota (če je tekočina) DocType: Employee,External Work History,Zunanja delovna zgodovina @@ -2723,6 +2745,7 @@ DocType: Certification Application,Certification Status,Status certifikacije apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Lokacija sredstva je potrebna za sredstvo {0} DocType: Employee,Encashment Date,Datum vložitve apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,"Prosimo, izberite Datum dokončanja za dokončani dnevnik vzdrževanja premoženja" +DocType: Quiz,Latest Attempt,Najnovejši poskus DocType: Leave Block List,Allow Users,Dovoli uporabnikom apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Kontni načrt apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"Stranka je obvezna, če je za stranko izbrana možnost »Priložnost od«" @@ -2787,7 +2810,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Nastavitev kazalnika DocType: Amazon MWS Settings,Amazon MWS Settings,Nastavitve za Amazon MWS DocType: Program Enrollment,Walking,Hoditi DocType: SMS Log,Requested Numbers,Zahtevane številke -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavite številske serije za Prisotnost prek Nastavitve> Številčne serije DocType: Woocommerce Settings,Freight and Forwarding Account,Račun za tovorni in špediterski račun apps/erpnext/erpnext/accounts/party.py,Please select a Company,Izberite podjetje apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Vrstica {0}: {1} mora biti večja od 0 @@ -2857,7 +2879,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,"Računi, z DocType: Training Event,Seminar,Seminar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kredit ({0}) DocType: Payment Request,Subscription Plans,Naročniški načrti -DocType: Quality Goal,March,Marec +DocType: GSTR 3B Report,March,Marec apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Razdelite serijo DocType: School House,House Name,Ime hiše apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Neporavnano za {0} ne sme biti manjše od nič ({1}) @@ -2920,7 +2942,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Datum začetka zavarovanja DocType: Target Detail,Target Detail,Ciljna podrobnost DocType: Packing Slip,Net Weight UOM,Neto teža UOM -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor pretvorbe UOM ({0} -> {1}) ni bil najden za element: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Neto znesek (valuta podjetja) DocType: Bank Statement Transaction Settings Item,Mapped Data,Kartirani podatki apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Vrednostnih papirjev in depozitov @@ -2970,6 +2991,7 @@ DocType: Cheque Print Template,Cheque Height,Preverite višino apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Vnesite datum za sprostitev. DocType: Loyalty Program,Loyalty Program Help,Pomoč za program zvestobe DocType: Journal Entry,Inter Company Journal Entry Reference,Referenca vnosa medpodjetniškega dnevnika +DocType: Quality Meeting,Agenda,Dnevni red DocType: Quality Action,Corrective,Popravek apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Skupina do DocType: Bank Account,Address and Contact,Naslov in stik @@ -3023,7 +3045,7 @@ DocType: GL Entry,Credit Amount,Znesek kredita apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,"Celotni znesek, odobren" DocType: Support Search Source,Post Route Key List,Seznam ključnih besed poti apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} ne v nobenem aktivnem poslovnem letu. -DocType: Quality Action Table,Problem,Težava +DocType: Quality Action Resolution,Problem,Težava DocType: Training Event,Conference,Konferenca DocType: Mode of Payment Account,Mode of Payment Account,Način plačila račun DocType: Leave Encashment,Encashable days,"Dnev, ki jih je mogoče vnovčiti" @@ -3149,7 +3171,7 @@ DocType: Item,"Purchase, Replenishment Details","Nakup, Podrobnosti o obnavljanj DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Ko je ta račun nastavljen, bo zadržan do določenega datuma" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"Stanja ne more obstajati za element {0}, ker ima različice" DocType: Lab Test Template,Grouped,Združeni -DocType: Quality Goal,January,Januar +DocType: GSTR 3B Report,January,Januar DocType: Course Assessment Criteria,Course Assessment Criteria,Merila za ocenjevanje predmeta DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Dokončano število @@ -3245,7 +3267,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Vrsta enote z apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,V tabelo vnesite vsaj 1 račun apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Prodajno naročilo {0} ni poslano apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Udeležba je bila uspešno označena. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Pred prodajo +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pred prodajo apps/erpnext/erpnext/config/projects.py,Project master.,Vodja projekta. DocType: Daily Work Summary,Daily Work Summary,Povzetek dnevnega dela DocType: Asset,Partially Depreciated,Delno amortizirana @@ -3254,6 +3276,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Zapusti reševanje? DocType: Certified Consultant,Discuss ID,Pogovorite se o ID-ju apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Nastavite račune GST v nastavitvah GST +DocType: Quiz,Latest Highest Score,Najnovejši najvišji rezultat DocType: Supplier,Billing Currency,Valuta za obračun apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Dejavnost študentov apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Ciljna ali ciljna količina je obvezna @@ -3279,18 +3302,21 @@ DocType: Sales Order,Not Delivered,Ni dostavljeno apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Tipa dopusta {0} ni mogoče dodeliti, ker gre za dopust brez plačila" DocType: GL Entry,Debit Amount,Znesek bremenitve apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Za element {0} že obstaja zapis. +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Podsklopi 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 še vedno prevladujejo številna pravila za določanje cen, uporabnike prosimo, da ročno določijo prioriteto za reševanje sporov." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ne morem odbiti, če je kategorija za »Vrednotenje« ali »Vrednotenje in Skupaj«" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Potrebne so BOM in proizvodna količina apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Element {0} je prenehal veljati na {1} DocType: Quality Inspection Reading,Reading 6,Branje 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Polje podjetja je obvezno apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Poraba materiala ni nastavljena v nastavitvah proizvodnje. DocType: Assessment Group,Assessment Group Name,Ime ocenjevalne skupine -DocType: Item,Manufacturer Part Number,Številka dela proizvajalca +DocType: Purchase Invoice Item,Manufacturer Part Number,Številka dela proizvajalca apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Plače plačljive apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Vrstica # {0}: {1} ne more biti negativna za element {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Kol +DocType: Question,Multiple Correct Answer,Več pravilen odgovor DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Točke zvestobe = Koliko osnovne valute? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Opomba: Za vrsto izstopa {0} ni dovolj ravnovesja. DocType: Clinical Procedure,Inpatient Record,Zapis v bolnišnici @@ -3413,6 +3439,7 @@ DocType: Fee Schedule Program,Total Students,Skupaj študentov apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokalno DocType: Chapter Member,Leave Reason,Pusti razlog DocType: Salary Component,Condition and Formula,Stanje in formula +DocType: Quality Goal,Objectives,Cilji apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plača, ki je že obdelana za obdobje med {0} in {1}, obdobje zapustitve aplikacije ne more biti med tem časovnim obdobjem." DocType: BOM Item,Basic Rate (Company Currency),Osnovna cena (valuta podjetja) DocType: BOM Scrap Item,BOM Scrap Item,Postavka BOM Scrap @@ -3463,6 +3490,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Račun zahtevkov za stroške apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Za vnos v dnevnik ni na voljo povračil apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} je neaktivna študentka +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Izdelava zaloge DocType: Employee Onboarding,Activities,Dejavnosti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Vsaj eno skladišče je obvezno ,Customer Credit Balance,Stanje posojila strank @@ -3547,7 +3575,6 @@ DocType: Contract,Contract Terms,Pogoji pogodbe apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Ciljna ali ciljna količina je obvezna. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Neveljaven {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Datum sestanka DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.LLLL.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Okrajšava ne sme imeti več kot 5 znakov DocType: Employee Benefit Application,Max Benefits (Yearly),Največje ugodnosti (letno) @@ -3650,7 +3677,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Bančne pristojbine apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Preneseno blago apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Osnovni podatki za stik -DocType: Quality Review,Values,Vrednosti 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 potrjeno, bo treba seznam dodati vsakemu oddelku, kjer ga je treba uporabiti." DocType: Item Group,Show this slideshow at the top of the page,Prikaži to diaprojekcijo na vrhu strani apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Parameter {0} ni veljaven @@ -3669,6 +3695,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Račun bančnih stroškov DocType: Journal Entry,Get Outstanding Invoices,Pridobite neporavnane račune DocType: Opportunity,Opportunity From,Priložnost Od +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Podrobnosti o cilju DocType: Item,Customer Code,Koda stranke apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Najprej vnesite element apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Seznam spletnih mest @@ -3697,7 +3724,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Dostava v DocType: Bank Statement Transaction Settings Item,Bank Data,Bančni podatki apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Načrtovano Upto -DocType: Quality Goal,Everyday,Vsak dan DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Ohranite Billing Hours in delovne ure Enako na Timesheet apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Pot vodi po vodilnem viru. DocType: Clinical Procedure,Nursing User,Uporabnik zdravstvene nege @@ -3722,7 +3748,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Upravljanje drevesa oz DocType: GL Entry,Voucher Type,Vrsta bonov ,Serial No Service Contract Expiry,Zaporedna št DocType: Certification Application,Certified,Certified -DocType: Material Request Plan Item,Manufacture,Izdelava +DocType: Purchase Invoice Item,Manufacture,Izdelava apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,Izdelanih je bilo {0} elementov apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Zahteva za plačilo za {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dnevi od zadnjega naročila @@ -3737,7 +3763,7 @@ DocType: Sales Invoice,Company Address Name,Ime naslova podjetja apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Blago v tranzitu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,V tem vrstnem redu lahko unovčite največ {0} točk. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Nastavite račun v skladišču {0} -DocType: Quality Action Table,Resolution,Resolucija +DocType: Quality Action,Resolution,Resolucija DocType: Sales Invoice,Loyalty Points Redemption,Odkup točk zvestobe apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Skupna davčna vrednost DocType: Patient Appointment,Scheduled,Načrtovano @@ -3858,6 +3884,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Oceniti apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Shranjevanje {0} DocType: SMS Center,Total Message(s),Skupno število sporočil: +DocType: Purchase Invoice,Accounting Dimensions,Računovodske dimenzije apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Združi po računu DocType: Quotation,In Words will be visible once you save the Quotation.,"V besedi bo viden, ko shranite ponudbo." apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Količina za proizvodnjo @@ -4022,7 +4049,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,N apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Če imate kakršnakoli vprašanja, nam prosim odgovorite." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Potrdilo o nakupu {0} ni poslano DocType: Task,Total Expense Claim (via Expense Claim),Skupni zahtevek za stroške (prek zahtevka za stroške) -DocType: Quality Action,Quality Goal,Cilj kakovosti +DocType: Quality Goal,Quality Goal,Cilj kakovosti DocType: Support Settings,Support Portal,Portal za podporo apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Končni datum opravila {0} ne sme biti manjši od {1} pričakovanega začetnega datuma {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Zaposleni {0} je zapustil na {1} @@ -4081,7 +4108,6 @@ DocType: BOM,Operating Cost (Company Currency),Obratovalni stroški (valuta podj DocType: Item Price,Item Price,Cena izdelka DocType: Payment Entry,Party Name,Ime stranke apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Izberite stranko -DocType: Course,Course Intro,Uvod v tečaj DocType: Program Enrollment Tool,New Program,Nov program apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix",Število novega stroškovnega mesta bo vključeno v ime stroškovnega mesta kot predpona apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Izberite stranko ali dobavitelja. @@ -4282,6 +4308,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto plačilo ne more biti negativno apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Št. Interakcij 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} # Predmet {1} ni mogoče prenesti več kot {2} proti naročilu za nakup {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Obdelovalni kontni načrt in pogodbenice DocType: Stock Settings,Convert Item Description to Clean HTML,Pretvori opis elementa v Clean HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Vse skupine dobaviteljev @@ -4360,6 +4387,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Nadrejeni element apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Posredništvo apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Za izdelek {0} ustvarite račun za nakup ali račun za nakup +,Product Bundle Balance,Stanje paketa izdelkov apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Ime podjetja ne more biti družba DocType: Maintenance Visit,Breakdown,Zlomiti se DocType: Inpatient Record,B Negative,B Negativno @@ -4368,7 +4396,7 @@ DocType: Purchase Invoice,Credit To,Zasluge za apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Predložite ta delovni nalog za nadaljnjo obdelavo. DocType: Bank Guarantee,Bank Guarantee Number,Številka bančne garancije apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Dostavljeno: {0} -DocType: Quality Action,Under Review,V pregledu +DocType: Quality Meeting Table,Under Review,V pregledu apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Kmetijstvo (beta) ,Average Commission Rate,Povprečna stopnja Komisije DocType: Sales Invoice,Customer's Purchase Order Date,Datum naročila kupca @@ -4485,7 +4513,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Ujemite plačila z računi DocType: Holiday List,Weekly Off,Tedenski izklop apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Ni dovoljeno nastaviti alternativne postavke za element {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Program {0} ne obstaja. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Program {0} ne obstaja. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Korenskega vozlišča ni mogoče urediti. DocType: Fee Schedule,Student Category,Kategorija študentov apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Element {0}: {1} proizvedeno število," @@ -4576,8 +4604,8 @@ DocType: Crop,Crop Spacing,Razmik obrezovanja DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Kako pogosto naj se projekt in podjetje posodabljata na podlagi prodajnih transakcij. DocType: Pricing Rule,Period Settings,Nastavitve obdobja apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Čista sprememba terjatev +DocType: Quality Feedback Template,Quality Feedback Template,Predloga za kakovostne povratne informacije 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č -DocType: Quality Goal,Goal Objectives,Cilji cilja apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Obstajajo neskladnosti med obrestno mero, št. Delnic in izračunanim zneskom" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Pustite prazno, če naredite skupine študentov na leto" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Posojila (obveznosti) @@ -4612,12 +4640,13 @@ DocType: Quality Procedure Table,Step,Korak DocType: Normal Test Items,Result Value,Vrednost rezultata DocType: Cash Flow Mapping,Is Income Tax Liability,Je odgovornost za davek od dohodka DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Plačilni element za bolnišnično obisk -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} ne obstaja. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} ne obstaja. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Posodobi odgovor DocType: Bank Guarantee,Supplier,Dobavitelj apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Vnesite vrednost med {0} in {1} DocType: Purchase Order,Order Confirmation Date,Datum potrditve naročila DocType: Delivery Trip,Calculate Estimated Arrival Times,Izračunajte predvideni čas prihoda +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Namestite sistem za imenovanje zaposlenih v človeških virih> Nastavitve za HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Potrošni DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Datum začetka naročnine @@ -4681,6 +4710,7 @@ DocType: Cheque Print Template,Is Account Payable,Je plačljiva apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Skupna vrednost naročila apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Dobavitelj {0} ni v {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Nastavite nastavitve prehoda SMS +DocType: Salary Component,Round to the Nearest Integer,Pojdite na najbližji Integer apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Root ne more imeti matičnega stroškovnega mesta DocType: Healthcare Service Unit,Allow Appointments,Dovoli sestanke DocType: BOM,Show Operations,Pokaži operacije @@ -4809,7 +4839,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Privzeti seznam praznikov DocType: Naming Series,Current Value,Trenutna vrednost apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezonskost za določanje proračunov, ciljev itd." -DocType: Program,Program Code,Koda programa apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Opozorilo: prodajno naročilo {0} že obstaja za naročniško naročilo za nakup {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Mesečni cilj prodaje ( DocType: Guardian,Guardian Interests,Interesi skrbnikov @@ -4859,10 +4888,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Plačan in ni dostavljen apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Koda postavke je obvezna, ker postavka ni samodejno oštevilčena" DocType: GST HSN Code,HSN Code,Kodeks HSN -DocType: Quality Goal,September,September +DocType: GSTR 3B Report,September,September apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administrativni stroški DocType: C-Form,C-Form No,C-obrazec št DocType: Purchase Invoice,End date of current invoice's period,Končni datum trenutnega računa +DocType: Item,Manufacturers,Proizvajalci DocType: Crop Cycle,Crop Cycle,Crop Cycle DocType: Serial No,Creation Time,Čas ustvarjanja apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Vnesite vlogo za odobritev ali odobri uporabnika @@ -4935,8 +4965,6 @@ DocType: Employee,Short biography for website and other publications.,Kratka bio DocType: Purchase Invoice Item,Received Qty,Prejete količine DocType: Purchase Invoice Item,Rate (Company Currency),Cena (valuta podjetja) DocType: Item Reorder,Request for,Prošnja za -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Izbrišite zaposlenega {0}, da prekličete ta dokument" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Namestitev prednastavitev apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Vnesite obdobja odplačevanja DocType: Pricing Rule,Advanced Settings,Napredne nastavitve @@ -4962,7 +4990,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Omogoči nakupovalno košarico DocType: Pricing Rule,Apply Rule On Other,Uporabi pravilo za drugo DocType: Vehicle,Last Carbon Check,Zadnji pregled ogljika -DocType: Vehicle,Make,Znamka +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Znamka apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Račun za prodajo {0} je bil ustvarjen kot plačan apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Za izdelavo zahtevka za plačilo je potreben referenčni dokument apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Davek na prihodek @@ -5038,7 +5066,6 @@ DocType: Territory,Parent Territory,Nadrejeno ozemlje DocType: Vehicle Log,Odometer Reading,Odčitavanje prevoženih kilometrov DocType: Additional Salary,Salary Slip,Izplačilo plač DocType: Payroll Entry,Payroll Frequency,Frekvenca plač -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Namestite sistem za imenovanje zaposlenih v človeških virih> Nastavitve za HR apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Začetni in končni datumi, ki niso v veljavnem obdobju plačil, ne morejo izračunati {0}" DocType: Products Settings,Home Page is Products,Domača stran je Izdelki apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Klici @@ -5092,7 +5119,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Pridobivanje zapisov ...... DocType: Delivery Stop,Contact Information,Kontaktni podatki DocType: Sales Order Item,For Production,Za proizvodnjo -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavite Sistem za poimenovanje inštruktorja v izobraževanju> Nastavitve izobraževanja DocType: Serial No,Asset Details,Podrobnosti sredstva DocType: Restaurant Reservation,Reservation Time,Čas rezervacije DocType: Selling Settings,Default Territory,Privzeto območje @@ -5232,6 +5258,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Potekle serije DocType: Shipping Rule,Shipping Rule Type,Vrsta pravila pošiljanja DocType: Job Offer,Accepted,Sprejeto +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Izbrišite zaposlenega {0}, da prekličete ta dokument" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Ocenjevalna merila {} ste že ocenili. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Izberite Serijske številke apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Starost (dnevi) @@ -5248,6 +5276,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Združite elemente v času prodaje. DocType: Payment Reconciliation Payment,Allocated Amount,Dodeljeni znesek apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Izberite podjetje in oznaka +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,"Datum" je obvezen DocType: Email Digest,Bank Credit Balance,Stanje bančnega kredita apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Pokaži skupni znesek apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,"Niste pridobili točk zvestobe, ki bi jih unovčili" @@ -5308,11 +5337,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Na prejšnji vrstici S DocType: Student,Student Email Address,E-naslov študenta DocType: Academic Term,Education,Izobraževanje DocType: Supplier Quotation,Supplier Address,Naslov dobavitelja -DocType: Salary Component,Do not include in total,Ne vključujte skupaj +DocType: Salary Detail,Do not include in total,Ne vključujte skupaj apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Za podjetje ni mogoče nastaviti več privzetih vrednosti elementov. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ne obstaja DocType: Purchase Receipt Item,Rejected Quantity,Zavrnjena količina DocType: Cashier Closing,To TIme,V TIme +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor pretvorbe UOM ({0} -> {1}) ni bil najden za element: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Dnevni uporabnik skupine Povzetek dela DocType: Fiscal Year Company,Fiscal Year Company,Poslovno leto Podjetje apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternativni element ne sme biti enak kodi izdelka @@ -5421,7 +5451,6 @@ DocType: Fee Schedule,Send Payment Request Email,Pošlji e-pošto z zahtevo za p DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"V besedi bo viden, ko shranite račun za prodajo." DocType: Sales Invoice,Sales Team1,Prodajna ekipa1 DocType: Work Order,Required Items,Zahtevane postavke -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Posebni znaki, razen "-", "#", "." in »/« v nizih imen ni dovoljen" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Preberite priročnik ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Preverite edinstvenost številke računa dobavitelja apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Išči podsklopi @@ -5489,7 +5518,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Odstotek odbitka 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č DocType: Share Balance,To No,Na št DocType: Leave Control Panel,Allocate Leaves,Dodeli liste -DocType: Quiz,Last Attempt,Zadnji poskus DocType: Assessment Result,Student Name,Študentsko ime apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Načrtujte obiske za vzdrževanje. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Naslednji zahtevki za gradivo so bili sproženi samodejno na podlagi ponovnega naročanja elementa @@ -5558,6 +5586,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Barva indikatorja DocType: Item Variant Settings,Copy Fields to Variant,Kopiraj polja v Variant DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Enoten pravilen odgovor apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Od datuma ne more biti manjši od datuma zaposlitve DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Dovoli več naročil za naročilo kupca apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5620,7 +5649,7 @@ DocType: Account,Expenses Included In Valuation,"Stroški, vključeni v vrednote apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Serijske številke DocType: Salary Slip,Deductions,Odbitki ,Supplier-Wise Sales Analytics,Prodajna analiza podjetja Wise -DocType: Quality Goal,February,Februar +DocType: GSTR 3B Report,February,Februar DocType: Appraisal,For Employee,Za zaposlenega apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Dejanski datum dostave DocType: Sales Partner,Sales Partner Name,Ime prodajnega partnerja @@ -5716,7 +5745,6 @@ DocType: Procedure Prescription,Procedure Created,Ustvarjen postopek apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Proti računu dobavitelja {0} z dne {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Spremeni profil POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Ustvari svinca -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavitelj> Vrsta dobavitelja DocType: Shopify Settings,Default Customer,Privzeta stranka DocType: Payment Entry Reference,Supplier Invoice No,Račun dobavitelja št DocType: Pricing Rule,Mixed Conditions,Mešani pogoji @@ -5766,12 +5794,14 @@ DocType: Item,End of Life,Konec življenja DocType: Lab Test Template,Sensitivity,Občutljivost DocType: Territory,Territory Targets,Ciljni cilji apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Preskočitev dodeljenih sredstev za naslednje zaposlene, saj zapisi o dodelitvi dopusta že obstajajo. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Resolucija o dejanju kakovosti DocType: Sales Invoice Item,Delivered By Supplier,Dobavljeno po dobavitelju DocType: Agriculture Analysis Criteria,Plant Analysis,Analiza rastlin apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Stroškovni račun je obvezen za element {0} ,Subcontracted Raw Materials To Be Transferred,"Podizvajane surovine, ki jih je treba prenesti" DocType: Cashier Closing,Cashier Closing,Zapiranje blagajne apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Element {0} je že vrnjen +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Neveljaven GSTIN! Vneseni vnos se ne ujema z obliko GSTIN za imetnike UIN ali nerezidenčne ponudnike storitev OIDAR apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Za to skladišče obstaja otroško skladišče. Tega skladišča ne morete izbrisati. DocType: Diagnosis,Diagnosis,Diagnoza apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Med {0} in {1} ni obdobja dopusta @@ -5788,6 +5818,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Nastavitve za avtorizacijo DocType: Homepage,Products,Izdelki ,Profit and Loss Statement,Izkaz poslovnega izida apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Rezervirane sobe +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Podvojen vnos za šifro postavke {0} in proizvajalec {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Totalna teža apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Potovanje @@ -5836,6 +5867,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Privzeta skupina strank DocType: Journal Entry Account,Debit in Company Currency,Plačilo v valuti podjetja DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Pomožna serija je "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Program za kakovostno srečanje DocType: Cash Flow Mapper,Section Header,Glava odseka apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Vaših izdelkov ali storitev DocType: Crop,Perennial,Trajen @@ -5881,7 +5913,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Izdelek ali storitev, ki je kupljen, prodan ali hranjen na zalogi." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Zapiranje (Odpiranje + Skupaj) DocType: Supplier Scorecard Criteria,Criteria Formula,Formula za merila -,Support Analytics,Podpora Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Podpora Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Pregled in dejanje DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Če je račun zamrznjen, so vpisi dovoljeni za omejene uporabnike." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Znesek po amortizaciji @@ -5926,7 +5958,6 @@ DocType: Contract Template,Contract Terms and Conditions,Pogoji pogodbe apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Prenos podatkov DocType: Stock Settings,Default Item Group,Privzeta skupina postavk DocType: Sales Invoice Timesheet,Billing Hours,Obračunske ure -DocType: Item,Item Code for Suppliers,Šifra artikla za dobavitelje apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Aplikacija za zapustitev {0} že obstaja proti študentu {1} DocType: Pricing Rule,Margin Type,Vrsta marže DocType: Purchase Invoice Item,Rejected Serial No,Zavrnjena serijska št @@ -5999,6 +6030,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Listi so uspešno izdani DocType: Loyalty Point Entry,Expiry Date,Rok uporabnosti DocType: Project Task,Working,Delo +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} že ima nadrejeni postopek {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,To temelji na transakcijah s tem bolnikom. Za podrobnosti si oglejte časovni pas spodaj DocType: Material Request,Requested For,Zahtevano za DocType: SMS Center,All Sales Person,Vsa prodajna oseba @@ -6086,6 +6118,7 @@ DocType: Loan Type,Maximum Loan Amount,Najvišji znesek posojila apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,V privzetem kontaktu ni bilo mogoče najti e-pošte DocType: Hotel Room Reservation,Booked,Rezervirano DocType: Maintenance Visit,Partially Completed,Delno dokončano +DocType: Quality Procedure Process,Process Description,Opis procesa DocType: Company,Default Employee Advance Account,Privzeti predujem za zaposlene DocType: Leave Type,Allow Negative Balance,Dovoli negativno ravnovesje apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Ime ocenjevalnega načrta @@ -6127,6 +6160,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Zahteva za postavko ponudbe apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} je vneseno dvakrat v davku na postavko DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Odbit od celotnega davka na izbranem plačilnem datumu +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Zadnji datum preverjanja emisij ogljika ne more biti prihodnji datum apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Izberite račun za spremembo zneska DocType: Support Settings,Forum Posts,Forumska sporočila DocType: Timesheet Detail,Expected Hrs,Pričakovane ure @@ -6136,7 +6170,7 @@ DocType: Program Enrollment Tool,Enroll Students,Vpišite študente apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Ponovite prihodke strank DocType: Company,Date of Commencement,Datum začetka DocType: Bank,Bank Name,Ime banke -DocType: Quality Goal,December,December +DocType: GSTR 3B Report,December,December apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Veljavni datum mora biti manjši od veljavnega datuma apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,To temelji na prisotnosti tega zaposlenega DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Če je označeno, bo domača stran privzeta skupina elementov za spletno mesto" @@ -6179,6 +6213,7 @@ DocType: Payment Entry,Payment Type,Način plačila apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Številke folij se ne ujemajo DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Pregled kakovosti: {0} ni poslan za element: {1} v vrstici {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Pokaži {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} najdenih elementov. ,Stock Ageing,Stock Aging DocType: Customer Group,Mention if non-standard receivable account applicable,"Navedite, če se uporablja nestandardni račun terjatev" @@ -6456,6 +6491,7 @@ DocType: Travel Request,Costing,Stroški apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Fiksna sredstva DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Skupaj zaslužek +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Stranka> Skupina kupcev> Ozemlje DocType: Share Balance,From No,Od št DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Račun poravnave plačil DocType: Purchase Invoice,Taxes and Charges Added,Dodani davki in pristojbine @@ -6463,7 +6499,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Razmislite o davk DocType: Authorization Rule,Authorized Value,Pooblaščena vrednost apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Prejeto od apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Skladišče {0} ne obstaja +DocType: Item Manufacturer,Item Manufacturer,Proizvajalec izdelka DocType: Sales Invoice,Sales Team,Prodajna ekipa +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Količina paketa DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM DocType: Installation Note,Installation Date,Datum namestitve DocType: Email Digest,New Quotations,Nove ponudbe @@ -6527,7 +6565,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Ime prazničnega seznama DocType: Water Analysis,Collection Temperature ,Temperatura zbiranja DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Upravljajte račun za sestanke in ga samodejno prekličite za Patient Encounter -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavite Naming Series za {0} prek Setup> Settings> Series Naming DocType: Employee Benefit Claim,Claim Date,Datum zahtevka DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"Pustite prazno, če je dobavitelj blokiran za nedoločen čas" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Udeležba od datuma in obiska do datuma je obvezna @@ -6538,6 +6575,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Datum upokojitve apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Izberite bolnika DocType: Asset,Straight Line,Ravna črta +DocType: Quality Action,Resolutions,Resolucije DocType: SMS Log,No of Sent SMS,Št. Poslanih SMS ,GST Itemised Sales Register,GST Prodajni register po točkah apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Skupni znesek predplačila ne sme biti večji od skupnega zneska sankcije @@ -6648,7 +6686,7 @@ DocType: Account,Profit and Loss,Profit in izguba apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Količina dif DocType: Asset Finance Book,Written Down Value,Zapisana vrednost apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Začetni bilančni kapital -DocType: Quality Goal,April,April +DocType: GSTR 3B Report,April,April DocType: Supplier,Credit Limit,Kreditni limit apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Distribucija apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6703,6 +6741,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Povežite Shopify z ERPNext DocType: Homepage Section Card,Subtitle,Podnaslov DocType: Soil Texture,Loam,Loam +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavitelj> Vrsta dobavitelja DocType: BOM,Scrap Material Cost(Company Currency),Stroški materiala za odpadke (valuta podjetja) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Opomba za dostavo {0} ne sme biti poslana DocType: Task,Actual Start Date (via Time Sheet),Dejanski datum začetka (prek časovnega lista) @@ -6758,7 +6797,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Doziranje DocType: Cheque Print Template,Starting position from top edge,Začetni položaj od zgornjega roba apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Trajanje sestanka (min) -DocType: Pricing Rule,Disable,Onemogoči +DocType: Accounting Dimension,Disable,Onemogoči DocType: Email Digest,Purchase Orders to Receive,Naročila za nakup apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Naročil ni mogoče povečati za: DocType: Projects Settings,Ignore Employee Time Overlap,Prezri prekrivanje časa zaposlenega @@ -6842,6 +6881,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Ustvar DocType: Item Attribute,Numeric Values,Številske vrednosti DocType: Delivery Note,Instructions,Navodila DocType: Blanket Order Item,Blanket Order Item,Po naročilu +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Obvezno za izkaz poslovnega izida apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Stopnja Komisije ne sme biti večja od 100 DocType: Course Topic,Course Topic,Tema tečaja DocType: Employee,This will restrict user access to other employee records,To bo omejilo dostop uporabnikov do drugih zapisov zaposlenih @@ -6866,12 +6906,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Upravljanje na apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Pridobite uporabnike apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Poročila +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Račun stranke DocType: Assessment Plan,Schedule,Urnik apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,"Prosim, vstopite" DocType: Lead,Channel Partner,Partner kanala apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Obračunani znesek DocType: Project,From Template,Iz predloge +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Naročnine apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Količina za izdelavo DocType: Quality Review Table,Achieved,Doseženo @@ -6918,7 +6960,6 @@ DocType: Journal Entry,Subscription Section,Oddelek za naročnino DocType: Salary Slip,Payment Days,Dnevi plačila apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informacije o prostovoljcih. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"Starejše zaloge starejše od" morajo biti manjše od% d dni. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Izberite Fiskalno leto DocType: Bank Reconciliation,Total Amount,Skupni znesek DocType: Certification Application,Non Profit,Neprofitna dejavnost DocType: Subscription Settings,Cancel Invoice After Grace Period,Prekliči račun po plačilu @@ -6931,7 +6972,6 @@ DocType: Serial No,Warranty Period (Days),Garancijsko obdobje (dnevi) DocType: Expense Claim Detail,Expense Claim Detail,Podrobnosti zahtevka za stroške apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program: DocType: Patient Medical Record,Patient Medical Record,Zdravniška evidenca bolnika -DocType: Quality Action,Action Description,Opis dejanja DocType: Item,Variant Based On,Variant Based On DocType: Vehicle Service,Brake Oil,Zavorno olje DocType: Employee,Create User,Ustvari uporabnika @@ -6987,7 +7027,7 @@ DocType: Cash Flow Mapper,Section Name,Ime razdelka DocType: Packed Item,Packed Item,Embalaža apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: znesek plačila ali kredita je potreben za {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Pošiljanje plačnih vložkov ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Brez akcije +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Brez akcije apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Proračuna ni mogoče dodeliti za {0}, ker ni račun za prihodke ali stroške" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Mojstri in računi DocType: Quality Procedure Table,Responsible Individual,Odgovorna oseba @@ -7110,7 +7150,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Dovoli ustvarjanje računa proti podjetju za otroke DocType: Payment Entry,Company Bank Account,Bančni račun podjetja DocType: Amazon MWS Settings,UK,UK -DocType: Quality Procedure,Procedure Steps,Koraki v postopku DocType: Normal Test Items,Normal Test Items,Normalne preskusne postavke apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Element {0}: naročeno število {1} ne sme biti manjše od najmanjše naročilnice {2} (definirano v postavki). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Ni na zalogi @@ -7189,7 +7228,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Vloga vzdrževanja apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Predloga in pogoji DocType: Fee Schedule Program,Fee Schedule Program,Program plačil -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Tečaj {0} ne obstaja. DocType: Project Task,Make Timesheet,Naredite Timesheet DocType: Production Plan Item,Production Plan Item,Postavka proizvodnega načrta apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Skupaj študent @@ -7211,6 +7249,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Zavijanje apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Podaljšate lahko samo, če vaše članstvo poteče v 30 dneh" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vrednost mora biti med {0} in {1} +DocType: Quality Feedback,Parameters,Parametri ,Sales Partner Transaction Summary,Povzetek transakcijskih prodajnih partnerjev DocType: Asset Maintenance,Maintenance Manager Name,Ime upravljavca vzdrževanja apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,"Potrebno je, da prenesete podrobnosti elementa." @@ -7249,6 +7288,7 @@ DocType: Student Admission,Student Admission,Sprejem študentov DocType: Designation Skill,Skill,Spretnost DocType: Budget Account,Budget Account,Račun proračuna DocType: Employee Transfer,Create New Employee Id,Ustvari nov ID zaposlenega +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} je potreben za račun "Dobiček in izguba" {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Davek na blago in storitve (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Ustvarjanje plače ... DocType: Employee Skill,Employee Skill,Spretnost zaposlenih @@ -7349,6 +7389,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,"Račun, loč DocType: Subscription,Days Until Due,Dnevi do zapadlosti apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Pokaži dokončano apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Poročilo o vnosu transakcijskih izkazov +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Vrstica # {0}: hitrost mora biti enaka kot {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.LLLL.- DocType: Healthcare Settings,Healthcare Service Items,Izdelki zdravstvene oskrbe @@ -7405,6 +7446,7 @@ DocType: Training Event Employee,Invited,Povabljen apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Najvišji upravičeni znesek za komponento {0} presega {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Znesek za Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",Za {0} je mogoče povezati samo debetne račune z drugim kreditnim vnosom +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Ustvarjanje dimenzij ... DocType: Bank Statement Transaction Entry,Payable Account,Obračunski račun apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Navedite število potrebnih obiskov DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Izberite samo, če imate nastavljene dokumente za kartiranje denarnega toka" @@ -7422,6 +7464,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice," DocType: Service Level,Resolution Time,Čas ločljivosti DocType: Grading Scale Interval,Grade Description,Opis stopnje DocType: Homepage Section,Cards,Kartice +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Zapisnik o kakovostnem sestanku DocType: Linked Plant Analysis,Linked Plant Analysis,Povezana analiza rastlin apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Datum servisnega postanka ne more biti po datumu konca storitve apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,V nastavitvah GST nastavite omejitev B2C. @@ -7456,7 +7499,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Orodje za udeležbo z DocType: Employee,Educational Qualification,Izobraževalna kvalifikacija apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Dostopna vrednost apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Količina vzorca {0} ne more biti več kot prejeta količina {1} -DocType: Quiz,Last Highest Score,Zadnji najvišji rezultat DocType: POS Profile,Taxes and Charges,Davki in pristojbine DocType: Opportunity,Contact Mobile No,Kontakt Mobile No DocType: Employee,Joining Details,Podrobnosti o pridružitvi diff --git a/erpnext/translations/sq.csv b/erpnext/translations/sq.csv index c88d480d2a..cdbf9619c4 100644 --- a/erpnext/translations/sq.csv +++ b/erpnext/translations/sq.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Pjesa e Furnizuesit nr DocType: Journal Entry Account,Party Balance,Bilanci i partisë apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Burimi i fondeve (detyrimeve) DocType: Payroll Period,Taxable Salary Slabs,Pllakat e pagueshme të tatueshme +DocType: Quality Action,Quality Feedback,Feedback Cilësisë DocType: Support Settings,Support Settings,Cilësimet e mbështetjes apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Ju lutemi shkruani fillimisht artikullin e prodhimit DocType: Quiz,Grading Basis,Baza e notimit @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Më shumë deta DocType: Salary Component,Earning,fituar DocType: Restaurant Order Entry,Click Enter To Add,Kliko Enter To Add DocType: Employee Group,Employee Group,Grupi punonjës +DocType: Quality Procedure,Processes,proceset DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Specifikoni kursin e këmbimit për të kthyer një monedhë në një tjetër apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Gama e plakjes 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Magazina e kërkuar për stokun Item {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,ankim DocType: Shipping Rule,Restrict to Countries,Kufizo vendet DocType: Hub Tracked Item,Item Manager,Menaxheri i artikullit apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Monedha e Llogarisë së Mbylljes duhet të jetë {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,buxhetet apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Çështja e hapjes së faturave DocType: Work Order,Plan material for sub-assemblies,Plani i materialit për nën-kuvendet apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hardware DocType: Budget,Action if Annual Budget Exceeded on MR,Veprimi në qoftë se buxheti vjetor tejkalon MR DocType: Sales Invoice Advance,Advance Amount,Shuma e avansit +DocType: Accounting Dimension,Dimension Name,Emri i Dimensionit DocType: Delivery Note Item,Against Sales Invoice Item,Kundër Produktit të Faturave DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Përfshini artikullin në prodhim @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Çfarë bën? ,Sales Invoice Trends,Trendet e Faturave të Shitjes DocType: Bank Reconciliation,Payment Entries,Pranimet e pagesës DocType: Employee Education,Class / Percentage,Klasa / Përqindja -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kodi i artikullit> Grupi i artikullit> Markë ,Electronic Invoice Register,Regjistri elektronik i faturave DocType: Sales Invoice,Is Return (Credit Note),Është Kthimi (Shënimi i Kredisë) DocType: Lab Test Sample,Lab Test Sample,Shembulli i testit të laboratorit @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Variantet apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Akuzat do të shpërndahen në mënyrë proporcionale në bazë të numrit ose sasisë së sendeve, sipas zgjedhjes suaj" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Aktivitete në pritje për sot +DocType: Quality Procedure Process,Quality Procedure Process,Procesi i Procedurës së Cilësisë DocType: Fee Schedule Program,Student Batch,Grupi Student apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Vlera e vlerësimit e kërkuar për artikullin në rresht {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Norma e Orës bazë (Valuta e kompanisë) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Set Qty në Transaksionet bazuar në Serial No Input 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ë me monedhën e kompanisë {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Përshtateni seksionin e faqes kryesore -DocType: Quality Goal,October,tetor +DocType: GSTR 3B Report,October,tetor DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Fshih ID-në e taksave të klientit nga transaksionet e shitjeve apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN i pavlefshëm! Një GSTIN duhet të ketë 15 karaktere. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Rregullimi i çmimeve {0} përditësohet @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Lëreni balancën apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Plani i Mirëmbajtjes {0} ekziston kundër {1} DocType: Assessment Plan,Supervisor Name,Emri i mbikëqyrësit DocType: Selling Settings,Campaign Naming By,Fushata Named By -DocType: Course,Course Code,Kodi i kursit +DocType: Student Group Creation Tool Course,Course Code,Kodi i kursit apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace DocType: Landed Cost Voucher,Distribute Charges Based On,Shpërndarja e tarifave të bazuara DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Kriteret e Rezultatit të Rezultatit të Furnizuesit @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Menuja e Restorantit DocType: Asset Movement,Purpose,qëllim apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Caktimi i Strukturës së Pagave për Punonjës tashmë ekziston DocType: Clinical Procedure,Service Unit,Njësia e Shërbimit -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klienti> Grupi i Konsumatorëve> Territori DocType: Travel Request,Identification Document Number,Numri i Dokumentit të Identifikimit DocType: Stock Entry,Additional Costs,Kosto shtesë -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Kursi i prindërve (Lini bosh, nëse kjo nuk është pjesë e kursit të prindërve)" DocType: Employee Education,Employee Education,Edukimi i të punësuarve apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Numri i pozicioneve nuk mund të jetë më i vogël se numri aktual i punonjësve apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Të gjitha grupet e konsumatorëve @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Rresht {0}: Qty është i detyrueshëm DocType: Sales Invoice,Against Income Account,Kundër Llogarisë së të Ardhurave apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rreshti # {0}: Blerja Fatura nuk mund të bëhet kundrejt një pasurie ekzistuese {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Rregullat për aplikimin e skemave të ndryshme promovuese. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Faktori mbulues i UOM kërkohet për UOM: {0} në Item: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Ju lutemi shkruani sasinë për Item {0} DocType: Workstation,Electricity Cost,Kostoja e Energjise Elektrike @@ -865,7 +868,6 @@ DocType: Item,Total Projected Qty,Totali i Qtyrave të Projektuara apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,BOM DocType: Work Order,Actual Start Date,Data aktuale e fillimit 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 ndërmjet ditëve të kërkesës për pushim kompensues -DocType: Company,About the Company,Rreth kompanisë apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Pema e llogarive financiare. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Të ardhura indirekte DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Rezervimi i dhomës së hotelit @@ -880,6 +882,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Baza e të d DocType: Skill,Skill Name,Emri i Aftësive apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Kartela e Raportimit të Printimit DocType: Soil Texture,Ternary Plot,Komplot tresh +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vendosni Serinë Naming për {0} nëpërmjet Setup> Settings> Seria Naming apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Biletat Mbështetëse DocType: Asset Category Account,Fixed Asset Account,Llogaria e aseteve fikse apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Të fundit @@ -889,6 +892,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Kursi i Regjistrimi ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Ju lutem vendosni serinë që do të përdoret. DocType: Delivery Trip,Distance UOM,Distance UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,E detyrueshme për bilancin DocType: Payment Entry,Total Allocated Amount,Shuma totale e alokuar DocType: Sales Invoice,Get Advances Received,Merrni Pranimet e Pranuara DocType: Student,B-,B- @@ -910,6 +914,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Orari i Mirëmbajtj apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,Profilet POS kërkohen për të bërë hyrjen POS DocType: Education Settings,Enable LMS,Aktivizo LMS DocType: POS Closing Voucher,Sales Invoices Summary,Përmbledhje e Faturat e Shitjeve +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,përfitim apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredia për llogarinë duhet të jetë një llogari e bilancit DocType: Video,Duration,kohëzgjatje DocType: Lab Test Template,Descriptive,përshkrues @@ -960,6 +965,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Datat e Fillimit dhe Fundit DocType: Supplier Scorecard,Notify Employee,Njoftoni punonjësin apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,program +DocType: Program,Allow Self Enroll,Lejoni vetë të regjistroheni apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Shpenzimet e stoqeve apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Referenca Jo është e detyrueshme nëse futni Datën e Referencës DocType: Training Event,Workshop,punishte @@ -1012,6 +1018,7 @@ DocType: Lab Test Template,Lab Test Template,Modeli i testimit të laboratorit apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informacioni elektronik i faturave mungon apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Asnjë kërkesë materiale nuk është krijuar +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kodi i artikullit> Grupi i artikullit> Markë DocType: Loan,Total Amount Paid,Shuma totale e paguar apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Të gjitha këto objekte tashmë janë faturuar DocType: Training Event,Trainer Name,Emri Trajner @@ -1033,6 +1040,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Vit akademik DocType: Sales Stage,Stage Name,Emri i fazës DocType: SMS Center,All Employee (Active),Të gjithë punonjësit (aktive) +DocType: Accounting Dimension,Accounting Dimension,Dimensioni i Kontabilitetit DocType: Project,Customer Details,Detajet e klientit DocType: Buying Settings,Default Supplier Group,Grupi Furnizues i paracaktuar apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Ju lutem anuloni fillimisht Blerjen e Pranimit {0} @@ -1147,7 +1155,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Lartë numrin, m DocType: Designation,Required Skills,Aftësitë e kërkuara DocType: Marketplace Settings,Disable Marketplace,Çaktivizo tregun DocType: Budget,Action if Annual Budget Exceeded on Actual,Veprimi në qoftë se buxheti vjetor kalon në të vërtetë -DocType: Course,Course Abbreviation,Shkurtim i kursit apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Pjesëmarrja nuk është dorëzuar për {0} si {1} në pushim. DocType: Pricing Rule,Promotional Scheme Id,Skema promovuese Id apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Data e përfundimit të detyrës {0} nuk mund të jetë më e madhe se {1} data e pritshme e përfundimit {2} @@ -1290,7 +1297,7 @@ DocType: Bank Guarantee,Margin Money,Paratë e margjinës DocType: Chapter,Chapter,kapitull DocType: Purchase Receipt Item Supplied,Current Stock,Aktual DocType: Employee,History In Company,Historia Në Kompani -DocType: Item,Manufacturer,prodhues +DocType: Purchase Invoice Item,Manufacturer,prodhues apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Ndjeshmëri e moderuar DocType: Compensatory Leave Request,Leave Allocation,Lëreni alokimin DocType: Timesheet,Timesheet,pasqyrë e mungesave @@ -1321,6 +1328,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Materiali i Transferu DocType: Products Settings,Hide Variants,Fshih variantet DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Çaktivizoni Planifikimin e Kapaciteteve dhe Ndjekjen Kohore DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Do të llogaritet në transaksion. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} kërkohet për llogarinë e bilancit {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} nuk lejohet të blej me {1}. Ju lutemi ndryshoni Kompaninë. 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}","Si për Buying Settings nëse kërkohet blerja e kërkuar == 'PO', atëherë për krijimin e faturës së blerjes, përdoruesi duhet të krijojë Pranimin e Blerjes së parë për artikullin {0}" DocType: Delivery Trip,Delivery Details,Detajet e Dorëzimit @@ -1356,7 +1364,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,prev apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Njësia matëse DocType: Lab Test,Test Template,Template Test DocType: Fertilizer,Fertilizer Contents,Përmbajtja e plehut -apps/erpnext/erpnext/utilities/user_progress.py,Minute,minutë +DocType: Quality Meeting Minutes,Minute,minutë apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rreshti # {0}: Aseti {1} nuk mund të dorëzohet, është tashmë {2}" DocType: Task,Actual Time (in Hours),Koha Aktuale (në Orë) DocType: Period Closing Voucher,Closing Account Head,Mbyllja e Shefit të Llogarisë @@ -1528,7 +1536,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,laborator DocType: Purchase Order,To Bill,Për Bill apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Shpenzimet komunale DocType: Manufacturing Settings,Time Between Operations (in mins),Koha midis operacioneve (në minuta) -DocType: Quality Goal,May,Mund +DocType: GSTR 3B Report,May,Mund apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Llogaria e Pagesës së Pagesave nuk është krijuar, ju lutemi krijoni një dorë." DocType: Opening Invoice Creation Tool,Purchase,blerje DocType: Program Enrollment,School House,Shtëpia e Shkollës @@ -1560,6 +1568,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Info statutore dhe informacione të tjera të përgjithshme rreth Furnizuesit tuaj DocType: Item Default,Default Selling Cost Center,Default Qendra e Shitjes së Kostos DocType: Sales Partner,Address & Contacts,Adresa dhe Kontaktet +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ju lutem vendosni seritë e numërimit për Pjesëmarrjen përmes Setup> Seritë e Numërimit DocType: Subscriber,Subscriber,pajtimtar apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) është jashtë magazinës apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Ju lutemi zgjidhni Data e Postimit të parë @@ -1587,6 +1596,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Ngarkesa për vizitë n DocType: Bank Statement Settings,Transaction Data Mapping,Mapping i të dhënave të transaksionit apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Një udhëheqës kërkon emrin e një personi ose emrin e një organizate DocType: Student,Guardians,Guardians +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ju lutemi vendosni Sistemin e Emërimit të Instruktorit në Arsim> Cilësimet e Arsimit apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Zgjidh markën ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Të ardhurat e mesme DocType: Shipping Rule,Calculate Based On,Llogaritni Bazuar @@ -1598,7 +1608,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Kërkesa për shpenzime DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Rregullimi i rrumbullakët (Valuta e kompanisë) DocType: Item,Publish in Hub,Publikimi në Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,gusht +DocType: GSTR 3B Report,August,gusht apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Ju lutemi shkruani së pari Pranën e Blerjes apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Viti i Fillimit apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Synimi ({}) @@ -1617,6 +1627,7 @@ DocType: Item,Max Sample Quantity,Maksimumi i sasisë së mostrës apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Burimi dhe magazina e synuar duhet të jenë të ndryshme DocType: Employee Benefit Application,Benefits Applied,Përfitimet e aplikuara apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Kundër Regjistrimit të Regjistrimit {0} nuk ka ndonjë hyrje të pashoqe {1} +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Karaktere speciale përveç "-", "#", ".", "/", "{" Dhe "}" nuk lejohen në emërtimin e serive" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Kërkohet çmimi i pllakave të zbritjes së produktit apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Vendosni një Target apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Regjistri i Pjesëmarrjes {0} ekziston kundër Studentit {1} @@ -1632,10 +1643,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Në muaj DocType: Routing,Routing Name,Emri i Routing DocType: Disease,Common Name,Emer i perbashket -DocType: Quality Goal,Measurable,i matshëm DocType: Education Settings,LMS Title,Titulli LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Menaxhimi i Kredive -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Përkrahni analtikat DocType: Clinical Procedure,Consumable Total Amount,Shuma totale e konsumueshme apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Aktivizo modelin apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,LPO e konsumatorit @@ -1775,6 +1784,7 @@ DocType: Restaurant Order Entry Item,Served,Served DocType: Loan,Member,anëtar DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Orari i Shërbimit të Mësuesit apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Transferimi i telave +DocType: Quality Review Objective,Quality Review Objective,Qëllimi i Rishikimit të Cilësisë DocType: Bank Reconciliation Detail,Against Account,Kundër Llogarisë DocType: Projects Settings,Projects Settings,Projekte Cilësimet apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Qty aktuale {0} / Duke pritur Qty {1} @@ -1803,6 +1813,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Si apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Data e përfundimit të vitit fiskal duhet të jetë një vit pas datës së fillimit të vitit fiskal apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Kujtuesit e Përditshëm DocType: Item,Default Sales Unit of Measure,Default njësia e shitjes së masës +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Kompania GSTIN DocType: Asset Finance Book,Rate of Depreciation,Shkalla e Zhvlerësimit DocType: Support Search Source,Post Description Key,Shkruani Çelësin e Përshkrimi DocType: Loyalty Program Collection,Minimum Total Spent,Minimumi Total i shpenzuar @@ -1874,6 +1885,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Nuk lejohet ndryshimi i Grupit të Konsumatorëve për Klientin e përzgjedhur. DocType: Serial No,Creation Document Type,Lloji i dokumentit të krijimit DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Qty në dispozicion në magazinë +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Fatura Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Ky është një territor rrënjësor dhe nuk mund të redaktohet. DocType: Patient,Surgical History,Historia kirurgjikale apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Pema e Procedurave të Cilësisë. @@ -1978,6 +1990,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,P DocType: Item Group,Check this if you want to show in website,Kontrolloni këtë nëse dëshironi të shfaqni në faqen e internetit apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Viti fiskal {0} nuk u gjet DocType: Bank Statement Settings,Bank Statement Settings,Cilësimet e deklaratës bankare +DocType: Quality Procedure Process,Link existing Quality Procedure.,Lidhja e Procedurës së Cilësisë ekzistuese. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Importo tabelën e llogarive nga dosjet CSV / Excel DocType: Appraisal Goal,Score (0-5),Rezultati (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Atributi {0} zgjidhet shumë herë në tabelën e atributeve DocType: Purchase Invoice,Debit Note Issued,Shënimi i debitit të lëshuar @@ -1986,7 +2000,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Lini detajet e politikave apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Magazina nuk gjendet në sistem DocType: Healthcare Practitioner,OP Consulting Charge,Ngarkimi OP Consulting -DocType: Quality Goal,Measurable Goal,Qëllimi i matshëm DocType: Bank Statement Transaction Payment Item,Invoices,faturat DocType: Currency Exchange,Currency Exchange,Këmbim Valutor DocType: Payroll Entry,Fortnightly,dyjavor @@ -2048,6 +2061,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} nuk është dorëzuar DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Materialet e papërpunuara të kthyera nga depoja në punë DocType: Maintenance Team Member,Maintenance Team Member,Anëtar i ekipit të mirëmbajtjes +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Vendosni dimensione të personalizuara për kontabilitet DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Distanca minimale midis rreshtave të bimëve për rritje optimale DocType: Employee Health Insurance,Health Insurance Name,Emri i Sigurimit Shëndetësor apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Asetet e stoqeve @@ -2078,7 +2092,7 @@ DocType: Delivery Note,Billing Address Name,Emri i adresës së faturimit apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Njësia Alternative DocType: Certification Application,Name of Applicant,Emri i aplikuesit DocType: Leave Type,Earned Leave,Lëreni të fituara -DocType: Quality Goal,June,qershor +DocType: GSTR 3B Report,June,qershor apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Rreshti {0}: Qendra kosto është e nevojshme për një artikull {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Mund të miratohet nga {0} 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} është futur më shumë se një herë në Tabelën e Faktorëve të Konvertimit @@ -2099,6 +2113,7 @@ DocType: Lab Test Template,Standard Selling Rate,Norma e Shitjes Standard apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Vendosni një menu aktive për restorantin {0} apps/erpnext/erpnext/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ë shtuar përdoruesit në Marketplace. DocType: Asset Finance Book,Asset Finance Book,Libri i Financës së Aseteve +DocType: Quality Goal Objective,Quality Goal Objective,Qëllimi i Objektivit të Cilësisë DocType: Employee Transfer,Employee Transfer,Transferimi i Punonjësve ,Sales Funnel,Shpërndarja e shitjeve DocType: Agriculture Analysis Criteria,Water Analysis,Analiza e ujit @@ -2137,6 +2152,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Pronësia e trans apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Aktivitetet në pritje apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Listoni disa nga klientët tuaj. Ata mund të jenë organizata ose individë. DocType: Bank Guarantee,Bank Account Info,Informacioni i llogarisë bankare +DocType: Quality Goal,Weekday,ditë jave apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Emri i Guardian1 DocType: Salary Component,Variable Based On Taxable Salary,Ndryshore bazuar në pagën e tatueshme DocType: Accounting Period,Accounting Period,Periudha e Kontabilitetit @@ -2221,7 +2237,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Rregullimi i rrumbullakosjes DocType: Quality Review Table,Quality Review Table,Tabela e Rishikimit të Cilësisë DocType: Member,Membership Expiry Date,Data e skadimit të anëtarësisë DocType: Asset Finance Book,Expected Value After Useful Life,Vlera e pritshme pas jetës së dobishme -DocType: Quality Goal,November,nëntor +DocType: GSTR 3B Report,November,nëntor DocType: Loan Application,Rate of Interest,Shkalla e interesit DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Çështja e pagesës së transaksionit të bankës DocType: Restaurant Reservation,Waitlisted,e konfirmuar @@ -2285,6 +2301,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Rreshti {0}: Për të vendosur {1} periodicitet, dallimi në mes të dhe deri në datën \ duhet të jetë më i madh ose i barabartë me {2}" DocType: Purchase Invoice Item,Valuation Rate,Shkalla e vlerësimit DocType: Shopping Cart Settings,Default settings for Shopping Cart,Cilësimet e parazgjedhura për Shopping Cart +DocType: Quiz,Score out of 100,Rezultati nga 100 DocType: Manufacturing Settings,Capacity Planning,Planifikimi i Kapaciteteve apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Shkoni te instruktorët DocType: Activity Cost,Projects,projektet @@ -2294,6 +2311,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Nga koha apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Raportet e variantit +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Për blerjen apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Vendet për {0} nuk shtohen në orar DocType: Target Detail,Target Distribution,Shpërndarja e synuar @@ -2311,6 +2329,7 @@ DocType: Activity Cost,Activity Cost,Kostoja e aktivitetit DocType: Journal Entry,Payment Order,Urdhërpagesa apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Çmimeve ,Item Delivery Date,Data e dorëzimit të artikullit +DocType: Quality Goal,January-April-July-October,Janar-Prill-Korrik-tetor DocType: Purchase Order Item,Warehouse and Reference,Magazina dhe Referenca apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Llogaria me nyjet e fëmijëve nuk mund të konvertohet në librin kryesor DocType: Soil Texture,Clay Composition (%),Përbërja e argjilës (%) @@ -2361,6 +2380,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Datat e ardhshme nuk l apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rresht {0}: Ju lutemi vendosni mënyrën e pagesës në orarin e pagesës apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Termi akademik: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Parametri i Feedback Feedback Cilësisë apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Ju lutemi zgjidhni Aplikoni Discount On apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Rreshti # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Pagesat totale @@ -2403,7 +2423,7 @@ DocType: Hub Tracked Item,Hub Node,Hub Node apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID punonjës DocType: Salary Structure Assignment,Salary Structure Assignment,Caktimi i Strukturës së Pagave DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Taksa për mbylljen e kuponit të POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Veprimi inicializuar +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Veprimi inicializuar DocType: POS Profile,Applicable for Users,E aplikueshme për përdoruesit DocType: Training Event,Exam,Provimi apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Gjetja e numrit të gabuar të shënimeve të përgjithshme të librit. Ju mund të keni zgjedhur një llogari të gabuar në transaksion. @@ -2508,6 +2528,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,gjatësi DocType: Accounts Settings,Determine Address Tax Category From,Përcaktoni Kategorinë e Taksës së Adresave nga apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Identifikimi i vendimmarrësve +DocType: Stock Entry Detail,Reference Purchase Receipt,Pranimi i blerjes së referencës apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Merr Faturat DocType: Tally Migration,Is Day Book Data Imported,Të dhënat e librit ditor janë të importuara ,Sales Partners Commission,Komisioni i Shitjeve të Partnerëve @@ -2531,6 +2552,7 @@ DocType: Leave Type,Applicable After (Working Days),E aplikueshme pas (Ditëve t DocType: Timesheet Detail,Hrs,orë DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Kriteret e Scorecard Furnizuesit DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Parametri i modelit të vlerësimit të cilësisë apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Data e bashkimit duhet të jetë më e madhe se data e lindjes DocType: Bank Statement Transaction Invoice Item,Invoice Date,Data e faturës DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Krijo Test Lab (s) në Sales Fatura Submit @@ -2637,7 +2659,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Vlera minimale e leju DocType: Stock Entry,Source Warehouse Address,Adresa e Burimeve të Burimeve DocType: Compensatory Leave Request,Compensatory Leave Request,Kërkesa për pushim kompensues DocType: Lead,Mobile No.,Nr. I celularit -DocType: Quality Goal,July,korrik +DocType: GSTR 3B Report,July,korrik apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC e pranueshme DocType: Fertilizer,Density (if liquid),Dendësia (nëse është e lëngshme) DocType: Employee,External Work History,Historia e jashtme e punës @@ -2714,6 +2736,7 @@ DocType: Certification Application,Certification Status,Statusi i Certifikimit apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Burimi Vendndodhja është e nevojshme për asetin {0} DocType: Employee,Encashment Date,Data e Encashment apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Ju lutemi zgjidhni Datën e Përfundimit për Mirëmbajtjen e Mbaruar të Mirëmbajtjes së Aseteve +DocType: Quiz,Latest Attempt,Përpjekja e fundit DocType: Leave Block List,Allow Users,Lejo përdoruesit apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Grafiku i llogarive apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Klienti është i detyrueshëm nëse "Opportunity From" është zgjedhur si Klient @@ -2778,7 +2801,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Vendosja e Scorecard DocType: Amazon MWS Settings,Amazon MWS Settings,Cilësimet e Amazon MWS DocType: Program Enrollment,Walking,ecje DocType: SMS Log,Requested Numbers,Numrat e kërkuar -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ju lutem vendosni seritë e numërimit për Pjesëmarrjen përmes Setup> Seritë e Numërimit DocType: Woocommerce Settings,Freight and Forwarding Account,Llogaria e mallrave dhe përcjelljes apps/erpnext/erpnext/accounts/party.py,Please select a Company,Ju lutemi zgjidhni një kompani apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Rreshti {0}: {1} duhet të jetë më i madh se 0 @@ -2848,7 +2870,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Faturat e n DocType: Training Event,Seminar,seminar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kredia ({0}) DocType: Payment Request,Subscription Plans,Planet e abonimit -DocType: Quality Goal,March,marsh +DocType: GSTR 3B Report,March,marsh apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Grupi Split DocType: School House,House Name,Emri i Shtëpisë apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Parashikuar për {0} nuk mund të jetë më pak se zero ({1}) @@ -2911,7 +2933,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Data e fillimit të sigurimit DocType: Target Detail,Target Detail,Detajet e synuara DocType: Packing Slip,Net Weight UOM,Pesha neto UOM -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Faktori i konvertimit ({0} -> {1}) nuk u gjet për artikullin: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Shuma neto (Valuta e kompanisë) DocType: Bank Statement Transaction Settings Item,Mapped Data,Të dhënat e skeduara apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Letrat me vlerë dhe depozitat @@ -2961,6 +2982,7 @@ DocType: Cheque Print Template,Cheque Height,Kontrollo lartësinë apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Ju lutem shkruani datën lehtësuese. DocType: Loyalty Program,Loyalty Program Help,Programi i Besnikërisë Ndihmë DocType: Journal Entry,Inter Company Journal Entry Reference,Referenca e hyrjes në gazetën e kompanisë Inter +DocType: Quality Meeting,Agenda,program DocType: Quality Action,Corrective,korrigjues apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Grupi Nga DocType: Bank Account,Address and Contact,Adresa dhe Kontakti @@ -3014,7 +3036,7 @@ DocType: GL Entry,Credit Amount,Shuma e kredisë apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Shuma totale e kredituar DocType: Support Search Source,Post Route Key List,Lista kryesore e rrugës së rrugës apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} jo në asnjë vit aktiv fiskal. -DocType: Quality Action Table,Problem,problem +DocType: Quality Action Resolution,Problem,problem DocType: Training Event,Conference,konferencë DocType: Mode of Payment Account,Mode of Payment Account,Mënyra e pagesës së llogarisë DocType: Leave Encashment,Encashable days,Ditë të kërcënueshme @@ -3139,7 +3161,7 @@ DocType: Item,"Purchase, Replenishment Details","Blerje, Detaje Plotësuese" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Pasi të jetë vendosur, kjo faturë do të jetë në pritje deri në datën e caktuar" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Stock nuk mund të ekzistojë për Item {0} që ka variante DocType: Lab Test Template,Grouped,grupuar -DocType: Quality Goal,January,janar +DocType: GSTR 3B Report,January,janar DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteret e vlerësimit të kursit DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Plotësuar Qty @@ -3235,7 +3257,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Njësia e Sh apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Ju lutemi shkruani atleast 1 faturë në tabelë apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Urdhri i shitjes {0} nuk është dorëzuar apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Pjesëmarrja është shënuar me sukses. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Para shitjes +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Para shitjes apps/erpnext/erpnext/config/projects.py,Project master.,Menaxher i projektit. DocType: Daily Work Summary,Daily Work Summary,Përmbledhje e punës ditore DocType: Asset,Partially Depreciated,Zhvlerësohet pjesërisht @@ -3244,6 +3266,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Lëreni Encashed? DocType: Certified Consultant,Discuss ID,Diskutoni ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Ju lutemi vendosni Llogaritë GST në Cilësimet GST +DocType: Quiz,Latest Highest Score,Rezultati i fundit më i lartë DocType: Supplier,Billing Currency,Monedha e faturimit apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Aktiviteti i Studentit apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Cmimi ose numri i synuar është i detyrueshëm @@ -3269,18 +3292,21 @@ DocType: Sales Order,Not Delivered,Nuk është dorëzuar apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Lëshimi i tipit {0} nuk mund të ndahet pasi është larguar pa pagesë DocType: GL Entry,Debit Amount,Shuma e Debitit apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Tashmë ekziston regjistri për artikullin {0} +DocType: Video,Vimeo,vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Nën Kuvendet 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 vazhdojnë të mbizotërojnë rregullat e shumëfishta të çmimeve, përdoruesve u kërkohet të vendosin prioritet manualisht për të zgjidhur konfliktin." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Nuk mund të zbres kur kategoria është për 'Vlerësim' ose 'Vlerësim dhe Totali' apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM dhe Prodhim Sasia janë të nevojshme apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Artikulli {0} ka arritur fundin e jetës në {1} DocType: Quality Inspection Reading,Reading 6,Leximi 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Fusha e kompanisë është e nevojshme 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 Prodhim. DocType: Assessment Group,Assessment Group Name,Emri i grupit të vlerësimit -DocType: Item,Manufacturer Part Number,Numri i Pjesës së Prodhuesit +DocType: Purchase Invoice Item,Manufacturer Part Number,Numri i Pjesës së Prodhuesit apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Pagat e pagueshme apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Rreshti # {0}: {1} nuk mund të jetë negativ për artikullin {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Bilanci Qty +DocType: Question,Multiple Correct Answer,Përgjigje shumë e saktë DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Pikë lojaliteti = Sa valutë bazë? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Shënim: Nuk ka bilanc të mjaftueshëm të largimit për Tipin e Liferimit {0} DocType: Clinical Procedure,Inpatient Record,Regjistri ambulator @@ -3403,6 +3429,7 @@ DocType: Fee Schedule Program,Total Students,Studentët Gjithsej apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokal DocType: Chapter Member,Leave Reason,Lëreni Arsyen DocType: Salary Component,Condition and Formula,Gjendja dhe Formula +DocType: Quality Goal,Objectives,objektivat apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Paga e përpunuar tashmë për periudhën midis {0} dhe {1}, Largimi i periudhës së aplikimit nuk mund të jetë midis kësaj periudhe datë." DocType: BOM Item,Basic Rate (Company Currency),Norma bazë (Valuta e kompanisë) DocType: BOM Scrap Item,BOM Scrap Item,Njësia e copëzimit të BOM @@ -3453,6 +3480,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Llogaria e Kërkesës së Shpenzimeve 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 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} është student joaktiv +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Bëni regjistrimin e aksioneve DocType: Employee Onboarding,Activities,aktivitetet apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast një magazinë është e detyrueshme ,Customer Credit Balance,Bilanci i Kredisë për Klientin @@ -3537,7 +3565,6 @@ DocType: Contract,Contract Terms,Kushtet e kontratës apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Cmimi ose numri i synuar është i detyrueshëm. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},I pavlefshëm {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Data e mbledhjes DocType: Inpatient Record,HLC-INP-.YYYY.-,FDH-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Shkurtesa nuk mund të ketë më shumë se 5 karaktere DocType: Employee Benefit Application,Max Benefits (Yearly),Përfitimet maksimale (vjetore) @@ -3640,7 +3667,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Tarifat bankare apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Mallrat e transferuara apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Detajet e Fillimit të Kontaktit -DocType: Quality Review,Values,vlerat 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 në çdo Departament ku duhet të aplikohet." DocType: Item Group,Show this slideshow at the top of the page,Trego këtë diapozitiv në krye të faqes apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Parametri {0} është i pavlefshëm @@ -3659,6 +3685,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Banka ngarkon llogarinë DocType: Journal Entry,Get Outstanding Invoices,Merrni faturat e papaguara DocType: Opportunity,Opportunity From,Mundësi Nga +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Detajet e synimeve DocType: Item,Customer Code,Kodi i klientit apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Ju lutemi shkruani artikullin e parë apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Lista e internetit @@ -3687,7 +3714,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Dorëzimi për DocType: Bank Statement Transaction Settings Item,Bank Data,Të dhënat bankare apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planifikuar Upto -DocType: Quality Goal,Everyday,Çdo ditë DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Ruajtja e Orëve të Faturimit dhe Orëve të Punës Same në Timesheet apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Rruga kryeson nga burimi kryesor. DocType: Clinical Procedure,Nursing User,Përdorues i Infermierisë @@ -3712,7 +3738,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Menaxho Pemën e Terri DocType: GL Entry,Voucher Type,Lloji i Voucher ,Serial No Service Contract Expiry,Afati i kontratës për kontratën e shërbimit DocType: Certification Application,Certified,Certified -DocType: Material Request Plan Item,Manufacture,prodhim +DocType: Purchase Invoice Item,Manufacture,prodhim apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} artikuj të prodhuar apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Kërkesa për pagesë për {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Ditë që nga Urdhri i Fundit @@ -3727,7 +3753,7 @@ DocType: Sales Invoice,Company Address Name,Emri i kompanisë Emri apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Mallrat në tranzit apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Mund të ribashko max {0} pikë në këtë mënyrë. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Vendosni llogarinë në Depo {0} -DocType: Quality Action Table,Resolution,zgjidhje +DocType: Quality Action,Resolution,zgjidhje DocType: Sales Invoice,Loyalty Points Redemption,Pikëpamja e besnikërisë apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Vlera Totale e Tatueshme DocType: Patient Appointment,Scheduled,planifikuar @@ -3848,6 +3874,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,normë apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Ruajtja {0} DocType: SMS Center,Total Message(s),Mesazhi total (s) +DocType: Purchase Invoice,Accounting Dimensions,Dimensionet e Kontabilitetit apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Grupi nga Llogaria DocType: Quotation,In Words will be visible once you save the Quotation.,Në Fjalë do të jetë e dukshme sapo të ruani Kuotimin. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Sasia për të prodhuar @@ -4012,7 +4039,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,K apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Nëse keni ndonjë pyetje, lutemi të na ktheheni." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Pranimi i blerjes {0} nuk është dorëzuar DocType: Task,Total Expense Claim (via Expense Claim),Kërkesa totale e shpenzimeve (përmes kërkesës për shpenzime) -DocType: Quality Action,Quality Goal,Qëllimi i Cilësisë +DocType: Quality Goal,Quality Goal,Qëllimi i Cilësisë DocType: Support Settings,Support Portal,Mbështetje Portal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Data e përfundimit të detyrës {0} nuk mund të jetë më pak se {1} data e pritjes së fillimit {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Punonjësi {0} është në Lini në {1} @@ -4071,7 +4098,6 @@ DocType: BOM,Operating Cost (Company Currency),Kosto operative (Monedha e Kompan DocType: Item Price,Item Price,Çmimi i artikullit DocType: Payment Entry,Party Name,Emri i partisë apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Zgjidh një klient -DocType: Course,Course Intro,Prezantimi i kursit DocType: Program Enrollment Tool,New Program,Program i ri apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Numri i Qendrës së re të Kostove, do të përfshihet në emrin e qendrës së kostos si një prefiks" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Zgjidhni konsumatorin ose furnizuesin. @@ -4272,6 +4298,7 @@ DocType: Customer,CUST-.YYYY.-,Kons-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Shitja neto nuk mund të jetë negative apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Jo e ndërveprimeve apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rreshti {0} # Njësia {1} nuk mund të transferohet më shumë se {2} kundër Urdhrit të Blerjes {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,ndryshim apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Përpunimi i Kartës së Llogarive dhe Palëve DocType: Stock Settings,Convert Item Description to Clean HTML,Convert Item Description për të pastruar HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Të gjitha grupet e furnizuesve @@ -4350,6 +4377,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Parent Item apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerage apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Ju lutemi krijoni faturë blerjeje ose faturë blerjeje për artikullin {0} +,Product Bundle Balance,Bilanci i Paketës së Produkteve apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Emri i kompanisë nuk mund të jetë Kompania DocType: Maintenance Visit,Breakdown,Thyej DocType: Inpatient Record,B Negative,B Negative @@ -4358,7 +4386,7 @@ DocType: Purchase Invoice,Credit To,Kredia për të apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Dorëzoni këtë Urdhër të Punës për përpunim të mëtejshëm. DocType: Bank Guarantee,Bank Guarantee Number,Numri i garancisë bankare apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Dorëzuar: {0} -DocType: Quality Action,Under Review,Nën shqyrtim +DocType: Quality Meeting Table,Under Review,Nën shqyrtim apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Bujqësia (beta) ,Average Commission Rate,Norma mesatare e Komisionit DocType: Sales Invoice,Customer's Purchase Order Date,Data e Renditjes së Blerjes së Klientit @@ -4474,7 +4502,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Pagesat e përputhjes me faturat DocType: Holiday List,Weekly Off,Javë jashtë apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Mos lejoni të vendosni elementin alternativ për artikullin {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Programi {0} nuk ekziston. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programi {0} nuk ekziston. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Nuk mund të modifikosh nyjen e rrënjës. DocType: Fee Schedule,Student Category,Kategoria e nxënësve apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Produkti {0}: {1} qty prodhuar," @@ -4565,8 +4593,8 @@ DocType: Crop,Crop Spacing,Hapësira e prerjes 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. DocType: Pricing Rule,Period Settings,Periudhat e periudhës apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Ndryshimi neto në llogaritë e arkëtueshme +DocType: Quality Feedback Template,Quality Feedback Template,Modeli i Vlerësimit të Cilësisë 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 -DocType: Quality Goal,Goal Objectives,Objektivat Objektivi 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 midis normës, pa aksione dhe shumës së llogaritur" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Lëreni bosh nëse bëni grupe studentësh në vit apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Kreditë (detyrimet) @@ -4601,12 +4629,13 @@ DocType: Quality Procedure Table,Step,hap DocType: Normal Test Items,Result Value,Rezultati Vlera DocType: Cash Flow Mapping,Is Income Tax Liability,Përgjegjësia e tatimit mbi të ardhurat DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Njësia e ngarkimit të vizitës spitalore -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} nuk ekziston. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} nuk ekziston. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Përditësoni përgjigjen DocType: Bank Guarantee,Supplier,furnizuesi apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Futni vlerën midis {0} dhe {1} DocType: Purchase Order,Order Confirmation Date,Data e konfirmimit të porosisë DocType: Delivery Trip,Calculate Estimated Arrival Times,Llogaritni kohën e parashikuar të mbërritjes +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ju lutem vendosni Sistemin e Emërimit të Punonjësve në Burimet Njerëzore> Cilësimet e HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Konsumit DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Data e fillimit të abonimit @@ -4670,6 +4699,7 @@ DocType: Cheque Print Template,Is Account Payable,Është llogaria e pagueshme apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Vlera totale e porosisë apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Furnizuesi {0} nuk gjendet në {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Vendosja e cilësimeve të gateway SMS +DocType: Salary Component,Round to the Nearest Integer,Rrotullim në numrin e plotë të afërt apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Rrënja nuk mund të ketë një qendër kostoje mëmë DocType: Healthcare Service Unit,Allow Appointments,Lejoni Emërimet DocType: BOM,Show Operations,Trego Operacionet @@ -4798,7 +4828,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Default Lista e Pushimeve DocType: Naming Series,Current Value,Vlera e tanishme apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Sezonaliteti për vendosjen e buxheteve, caqeve etj." -DocType: Program,Program Code,Kodi i Programit apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Paralajmërim: Urdhri i shitjes {0} tashmë ekziston kundër urdhrit të blerjes së klientit {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Synimi i shitjeve mujore ( DocType: Guardian,Guardian Interests,Interesat e kujdestarit @@ -4848,10 +4877,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Pa paguar dhe nuk është dorëzuar apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Kodi i artikullit është i detyrueshëm sepse artikulli nuk numërohet automatikisht DocType: GST HSN Code,HSN Code,Kodi HSN -DocType: Quality Goal,September,shtator +DocType: GSTR 3B Report,September,shtator apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Shpenzime administrative DocType: C-Form,C-Form No,Formulari C-Nr DocType: Purchase Invoice,End date of current invoice's period,Data e përfundimit të periudhës së faturës aktuale +DocType: Item,Manufacturers,Prodhuesit DocType: Crop Cycle,Crop Cycle,Cikli i kulturave DocType: Serial No,Creation Time,Koha e krijimit apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Ju lutemi shkruani Aprovimin e Rolit ose Aprovimin e Përdoruesit @@ -4924,8 +4954,6 @@ DocType: Employee,Short biography for website and other publications.,Biografi e DocType: Purchase Invoice Item,Received Qty,Pranuar Qty DocType: Purchase Invoice Item,Rate (Company Currency),Norma (Valuta e kompanisë) DocType: Item Reorder,Request for,Kërkesë për -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ju lutemi fshini punonjësit {0} \ për të anuluar këtë dokument" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Instalimi i paravendosjeve apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Ju lutemi shkruani periudhat e ripagimit DocType: Pricing Rule,Advanced Settings,Cilësimet e avancuara @@ -4951,7 +4979,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Aktivizo shportën e blerjes DocType: Pricing Rule,Apply Rule On Other,Zbatoni rregullin për të tjera DocType: Vehicle,Last Carbon Check,Kontroll i fundit i karbonit -DocType: Vehicle,Make,bëj +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,bëj apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Shitja Fatura {0} krijohet si e paguar apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Për të krijuar një dokument referimi të Kërkesës së Pagesës kërkohet apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Tatimi në të ardhura @@ -5027,7 +5055,6 @@ DocType: Territory,Parent Territory,Territori i prindërve DocType: Vehicle Log,Odometer Reading,Leximi i numrit të anasjelltë DocType: Additional Salary,Salary Slip,Paga e pagave DocType: Payroll Entry,Payroll Frequency,Frekuenca e pagave -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ju lutem vendosni Sistemin e Emërimit të Punonjësve në Burimet Njerëzore> Cilësimet e HR apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Datat e fillimit dhe të përfundimit jo në një periudhë të vlefshme të pagave, nuk mund të llogarisin {0}" DocType: Products Settings,Home Page is Products,Faqja Kryesore është Produktet apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,thirrjet @@ -5079,7 +5106,6 @@ DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Dhënia e shënimeve ...... DocType: Delivery Stop,Contact Information,Informacioni i kontaktit DocType: Sales Order Item,For Production,Për Prodhimin -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ju lutemi vendosni Sistemin e Emërimit të Instruktorit në Arsim> Cilësimet e Arsimit DocType: Serial No,Asset Details,Detajet e aseteve DocType: Restaurant Reservation,Reservation Time,Koha e rezervimit DocType: Selling Settings,Default Territory,Territori i paracaktuar @@ -5219,6 +5245,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,m apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Paketat e skaduara DocType: Shipping Rule,Shipping Rule Type,Lloji Rregullave të Transportit DocType: Job Offer,Accepted,pranuar +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ju lutemi fshini punonjësit {0} \ për të anuluar këtë dokument" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Ju keni vlerësuar tashmë për kriteret e vlerësimit {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Përzgjidhni Numrat Batch apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Mosha (Ditë) @@ -5235,6 +5263,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Pako artikuj në kohën e shitjes. DocType: Payment Reconciliation Payment,Allocated Amount,Shuma e alokuar apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Ju lutemi zgjidhni Kompania dhe Caktimi +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,Kërkohet 'Data' DocType: Email Digest,Bank Credit Balance,Bilanci i kredisë së bankës apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Trego Shuma Kumulative apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Ju nuk keni shumë pikat e Besnikërisë për të shpenguar @@ -5295,11 +5324,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Në rreshtin e mëpars DocType: Student,Student Email Address,Adresa Studentore e Studentit DocType: Academic Term,Education,arsim DocType: Supplier Quotation,Supplier Address,Adresa e Furnizuesit -DocType: Salary Component,Do not include in total,Mos përfshini në total +DocType: Salary Detail,Do not include in total,Mos përfshini në total apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Nuk mund të vendosë shuma të caktuara të objekteve për një kompani. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nuk ekziston DocType: Purchase Receipt Item,Rejected Quantity,Sasia e refuzuar DocType: Cashier Closing,To TIme,Për këtë +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Faktori i konvertimit ({0} -> {1}) nuk u gjet për artikullin: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Përdoruesi i grupit të punës së përditshme DocType: Fiscal Year Company,Fiscal Year Company,Kompania Fiskale Viti apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Elementi alternativ nuk duhet të jetë i njëjtë me kodin e artikullit @@ -5409,7 +5439,6 @@ DocType: Fee Schedule,Send Payment Request Email,Dërgoni Email Kërkesën për DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Në Fjalët do të jetë e dukshme sapo të ruani Faturën e Shitjes. DocType: Sales Invoice,Sales Team1,Sales Team1 DocType: Work Order,Required Items,Artikujt e kërkuar -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Karaktere të veçanta përveç "-", "#", "." dhe "/" nuk lejohet në emërtimin e serive" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Lexoni Manualin ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Kontrolloni numrin e faturës së furnitorit apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Kërko nën kuvendet @@ -5477,7 +5506,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Përqindja e zbritjes apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Sasia për të prodhuar nuk mund të jetë më pak se Zero DocType: Share Balance,To No,Për Nr DocType: Leave Control Panel,Allocate Leaves,Alokoni gjethe -DocType: Quiz,Last Attempt,Përpjekja e fundit DocType: Assessment Result,Student Name,Emri i studentit apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Plani për vizitat e mirëmbajtjes. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Kërkesat materiale pasuese janë ngritur automatikisht bazuar në nivelin e ri-rendit të artikullit @@ -5546,6 +5574,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Treguesi Ngjyra DocType: Item Variant Settings,Copy Fields to Variant,Kopjoni fushat në variant DocType: Soil Texture,Sandy Loam,Loam Sandy +DocType: Question,Single Correct Answer,Përgjigja e vetme korrekte apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Nga data nuk mund të jetë më pak se data e bashkimit të punonjësve DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Lejo urdhër të shumëfishta shitjesh kundrejt urdhër blerjes së klientit apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5608,7 +5637,7 @@ DocType: Account,Expenses Included In Valuation,Shpenzimet e përfshira në vler apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Numrat Serial DocType: Salary Slip,Deductions,zbritjet ,Supplier-Wise Sales Analytics,Furnizuesi-i mençur Shitjes Analytics -DocType: Quality Goal,February,shkurt +DocType: GSTR 3B Report,February,shkurt DocType: Appraisal,For Employee,Për punonjësin apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Data Aktuale e Dorëzimit DocType: Sales Partner,Sales Partner Name,Emri i partnerit të shitjes @@ -5704,7 +5733,6 @@ DocType: Procedure Prescription,Procedure Created,Procedura e krijuar apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Kundër faturës së furnitorit {0} me {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Ndrysho Profilin e POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Krijo Lead -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizuesi> Lloji i Furnizuesit DocType: Shopify Settings,Default Customer,Customer Default DocType: Payment Entry Reference,Supplier Invoice No,Furnizuesi Fatura Nr DocType: Pricing Rule,Mixed Conditions,Kushtet e përziera @@ -5755,12 +5783,14 @@ DocType: Item,End of Life,Fundi i jetës DocType: Lab Test Template,Sensitivity,ndjeshmëri DocType: Territory,Territory Targets,Caqet e Territorit apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Zhvendosja e Alokimit të Lejeve për punonjësit e mëposhtëm, pasi të dhënat e Alokimit të Lëshimit tashmë ekzistojnë kundër tyre. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Rezoluta e Veprimit të Cilësisë DocType: Sales Invoice Item,Delivered By Supplier,Furnizuar nga Furnizuesi DocType: Agriculture Analysis Criteria,Plant Analysis,Analiza e bimëve apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Llogaria e shpenzimeve është e detyrueshme për artikullin {0} ,Subcontracted Raw Materials To Be Transferred,Materialet e para të nënkontraktuara për t'u transferuar DocType: Cashier Closing,Cashier Closing,Blerja e arkës apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Artikulli {0} është kthyer tashmë +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN i pavlefshëm! Hyrja që keni futur nuk përputhet me formatin GSTIN për Mbajtësit e UIN ose Ofruesit e Shërbimeve të OIDAR Jorezidente apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Magazina e fëmijëve ekziston për këtë depo. Nuk mund ta fshish këtë depo. DocType: Diagnosis,Diagnosis,diagnozë apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Nuk ka periudhë pushimi në mes {0} dhe {1} @@ -5777,6 +5807,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Cilësimet e autorizimit DocType: Homepage,Products,Produkte ,Profit and Loss Statement,Deklarata e fitimit dhe humbjes apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Dhoma rezervuar +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Paraqitja e kopjuar kundër kodit {0} të elementit dhe prodhuesit {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Pesha totale apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Udhëtim @@ -5825,6 +5856,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Default Grupi i Konsumatorëve DocType: Journal Entry Account,Debit in Company Currency,Debi në monedhën e kompanisë DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Seri fallback është "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Axhenda e Mbledhjes së Cilësisë DocType: Cash Flow Mapper,Section Header,Seksioni Shembull apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Produktet ose shërbimet tuaja DocType: Crop,Perennial,gjithëvjetor @@ -5870,7 +5902,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Një Produkt ose një Shërbim që është blerë, shitur ose mbajtur në magazinë." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Mbyllja (Hapja + Gjithsej) DocType: Supplier Scorecard Criteria,Criteria Formula,Formula e kritereve -,Support Analytics,Mbështet Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Mbështet Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Rishikimi dhe Veprimi DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Nëse llogaria është e ngrirë, hyrjet u lejohet përdoruesve të kufizuar." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Shuma pas zhvlerësimit @@ -5915,7 +5947,6 @@ DocType: Contract Template,Contract Terms and Conditions,Kushtet dhe Kushtet e K apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Fetch Data DocType: Stock Settings,Default Item Group,Grupi Default Item DocType: Sales Invoice Timesheet,Billing Hours,Orari i faturimit -DocType: Item,Item Code for Suppliers,Kodi i artikullit për Furnizuesit 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} DocType: Pricing Rule,Margin Type,Tipi i Margjinalit DocType: Purchase Invoice Item,Rejected Serial No,Refuzuar Serial Nr @@ -5988,6 +6019,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Gjethet janë dhënë me sukses DocType: Loyalty Point Entry,Expiry Date,Data e skadimit DocType: Project Task,Working,të punës +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} tashmë ka një procedurë prindërore {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Kjo bazohet në transaksione kundër këtij Pacienti. Shiko detajet më poshtë për detaje DocType: Material Request,Requested For,Kërkuar për DocType: SMS Center,All Sales Person,Të gjithë personat shitës @@ -6075,6 +6107,7 @@ DocType: Loan Type,Maximum Loan Amount,Shuma maksimale e huasë apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Email nuk gjendet në kontaktin e parazgjedhur DocType: Hotel Room Reservation,Booked,i rezervuar DocType: Maintenance Visit,Partially Completed,Kompletuar pjesërisht +DocType: Quality Procedure Process,Process Description,Përshkrimi i procesit DocType: Company,Default Employee Advance Account,Llogaria paraprake e llogarisë së punonjësve DocType: Leave Type,Allow Negative Balance,Lejo balancimin negativ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Emri i Planit të Vlerësimit @@ -6116,6 +6149,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Kërkesa për artikullin e kuotimit apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} hyrë dy herë në Tax Item DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Zvogëloni tatimin e plotë në datën e përzgjedhur të pagave +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Data e fundit e kontrollit të karbonit nuk mund të jetë një datë e ardhshme apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Zgjidh llogarinë e shumës së ndryshimit DocType: Support Settings,Forum Posts,Postimet në Forum DocType: Timesheet Detail,Expected Hrs,Orët e pritshme @@ -6125,7 +6159,7 @@ DocType: Program Enrollment Tool,Enroll Students,Regjistrohen studentët apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Përsëris të ardhurat nga konsumatorët DocType: Company,Date of Commencement,Data e fillimit DocType: Bank,Bank Name,Emri i bankes -DocType: Quality Goal,December,dhjetor +DocType: GSTR 3B Report,December,dhjetor apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,E vlefshme nga data duhet të jetë më pak se data e vlefshme deri më tani apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Kjo bazohet në pjesëmarrjen e këtij Punonjësi DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Nëse kontrollohet, Faqja Kryesore do të jetë grupi i parazgjedhur i artikullit për faqen e internetit" @@ -6168,6 +6202,7 @@ DocType: Payment Entry,Payment Type,Lloji i pageses apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Numrat e folio nuk përputhen DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Inspektimi i Cilësisë: {0} nuk është dorëzuar për artikullin: {1} në rresht {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Trego {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} artikull u gjet. ,Stock Ageing,Stock Aging DocType: Customer Group,Mention if non-standard receivable account applicable,Përmendni nëse llogaritë e arkëtueshme jo-standarde janë të zbatueshme @@ -6446,6 +6481,7 @@ DocType: Travel Request,Costing,kushton apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Asetet fikse DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Fitimi total +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klienti> Grupi i Konsumatorëve> Territori DocType: Share Balance,From No,Nga Nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Fatura e pajtimit të pagesave DocType: Purchase Invoice,Taxes and Charges Added,Taksat dhe Ngarkesat e Shtuara @@ -6453,7 +6489,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Konsideroni Taksa DocType: Authorization Rule,Authorized Value,Vlera e Autorizuar apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Marrë nga apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Magazina {0} nuk ekziston +DocType: Item Manufacturer,Item Manufacturer,Prodhuesi i artikullit DocType: Sales Invoice,Sales Team,Sales Team +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Qty DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM DocType: Installation Note,Installation Date,Data e instalimit DocType: Email Digest,New Quotations,Kuotime të reja @@ -6517,7 +6555,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Emri i Listës së Festave DocType: Water Analysis,Collection Temperature ,Temperatura e mbledhjes DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Menaxho faturën e emërimit të paraqesë dhe anulojë automatikisht për takimin e pacientit -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vendosni Serinë Naming për {0} nëpërmjet Setup> Settings> Seria Naming DocType: Employee Benefit Claim,Claim Date,Data e Kërkesës DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Lëreni bosh nëse Furnizuesi bllokohet për një kohë të pacaktuar apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Pjesëmarrja nga data dhe pjesëmarrja deri në datën është e detyrueshme @@ -6528,6 +6565,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Data e daljes në pension apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Ju lutemi zgjidhni Patient DocType: Asset,Straight Line,Vijë e drejtë +DocType: Quality Action,Resolutions,Rezolutat DocType: SMS Log,No of Sent SMS,Jo i dërgimit të SMS ,GST Itemised Sales Register,GST Regjistri i Shitjeve të Përshtatshme apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Shuma totale e paradhënies nuk mund të jetë më e madhe se shuma totale e sanksionuar @@ -6638,7 +6676,7 @@ DocType: Account,Profit and Loss,Fitimi dhe Humbja apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Qty DocType: Asset Finance Book,Written Down Value,Vlera e shkruar poshtë apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Ekuitetit të hapjes së bilancit -DocType: Quality Goal,April,prill +DocType: GSTR 3B Report,April,prill DocType: Supplier,Credit Limit,Limiti i kreditit apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,shpërndarje apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6693,6 +6731,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Lidhu Shopify me ERPNext DocType: Homepage Section Card,Subtitle,nëntitull DocType: Soil Texture,Loam,tokë pjellore +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizuesi> Lloji i Furnizuesit DocType: BOM,Scrap Material Cost(Company Currency),Kostoja materiale e skrapit (Valuta e kompanisë) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Shënimi i Dorëzimit {0} nuk duhet të dorëzohet DocType: Task,Actual Start Date (via Time Sheet),Data aktuale e fillimit (me anë të kohës) @@ -6748,7 +6787,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,dozim DocType: Cheque Print Template,Starting position from top edge,Pozicioni i nisjes nga buza e sipërme apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Kohëzgjatja e takimit (minuta) -DocType: Pricing Rule,Disable,disable +DocType: Accounting Dimension,Disable,disable DocType: Email Digest,Purchase Orders to Receive,Urdhërat e blerjes për të marrë apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Urdhrat për prodhime nuk mund të ngrihen për: DocType: Projects Settings,Ignore Employee Time Overlap,Injizo kohëzgjatjen e punonjësve @@ -6832,6 +6871,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Krijo DocType: Item Attribute,Numeric Values,Vlerat numerike DocType: Delivery Note,Instructions,Udhëzime DocType: Blanket Order Item,Blanket Order Item,Njësia e Renditjes së Blankeve +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Obligative për llogari të fitimit dhe humbjes apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Shkalla e komisionit nuk mund të jetë më e madhe se 100 DocType: Course Topic,Course Topic,Tema e kursit DocType: Employee,This will restrict user access to other employee records,Kjo do të kufizojë qasjen e përdoruesit në të dhënat e punonjësve të tjerë @@ -6856,12 +6896,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Menaxhimi i ab apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Merrni klientët nga apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Raporton në +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Llogaria e Partisë DocType: Assessment Plan,Schedule,orar apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Ju lutem hyni DocType: Lead,Channel Partner,Partner i Kanalit apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Shuma e faturuar DocType: Project,From Template,Nga Modeli +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Abonimet apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Sasi për të bërë DocType: Quality Review Table,Achieved,arritur @@ -6908,7 +6950,6 @@ DocType: Journal Entry,Subscription Section,Seksioni i pajtimit DocType: Salary Slip,Payment Days,Ditë Pagesash apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Informacion vullnetar. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Ngrirja e stoqeve më të vjetra se` duhet të jetë më e vogël se% d ditë. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Zgjidh Viti Fiskal DocType: Bank Reconciliation,Total Amount,Shuma totale DocType: Certification Application,Non Profit,Jo fitim DocType: Subscription Settings,Cancel Invoice After Grace Period,Anuloni Faturën pas Periudhës së Graces @@ -6921,7 +6962,6 @@ DocType: Serial No,Warranty Period (Days),Periudha e garancisë (Ditë) DocType: Expense Claim Detail,Expense Claim Detail,Detajet e kërkesës së shpenzimeve apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,program: DocType: Patient Medical Record,Patient Medical Record,Dokumenti Mjekësor i Pacientit -DocType: Quality Action,Action Description,Përshkrimi i Veprimit DocType: Item,Variant Based On,Variant i Bazuar DocType: Vehicle Service,Brake Oil,Vaj i frenimit DocType: Employee,Create User,Krijo përdorues @@ -6977,7 +7017,7 @@ DocType: Cash Flow Mapper,Section Name,Emri i seksionit DocType: Packed Item,Packed Item,Artikull i paketuar apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Ose shuma e debitit ose kredisë kërkohet për {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Dërgimi i rrogave të pagave ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Asnjë veprim +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Asnjë veprim apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Buxheti nuk mund të caktohet kundër {0}, pasi nuk është një llogari e të ardhurave ose shpenzimeve" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Master dhe Llogaritë DocType: Quality Procedure Table,Responsible Individual,Individ i Përgjegjshëm @@ -7100,7 +7140,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Lejo krijimin e llogarisë kundër kompanisë fëminore DocType: Payment Entry,Company Bank Account,Llogaria bankare e kompanisë DocType: Amazon MWS Settings,UK,Britani e Madhe -DocType: Quality Procedure,Procedure Steps,Hapat e Procedurës DocType: Normal Test Items,Normal Test Items,Artikujt e Testimit Normal apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Njësia {0}: Renditja e qty {1} nuk mund të jetë më e vogël se minimumi i rendit qty {2} (i përcaktuar në Item). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Jo në gjendje @@ -7179,7 +7218,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,analitikë DocType: Maintenance Team Member,Maintenance Role,Roli i Mirëmbajtjes apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Termat dhe Kushtet Template DocType: Fee Schedule Program,Fee Schedule Program,Programi i Programit të Tarifave -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kursi {0} nuk ekziston. DocType: Project Task,Make Timesheet,Bëni fletëpagesën DocType: Production Plan Item,Production Plan Item,Plani i prodhimit Plani apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Student Gjithsej @@ -7201,6 +7239,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Mbarimi apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Ju mund të rinovoni vetëm nëse anëtarësimi juaj mbaron brenda 30 ditëve apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vlera duhet të jetë midis {0} dhe {1} +DocType: Quality Feedback,Parameters,parametrat ,Sales Partner Transaction Summary,Përmbledhje e transaksionit të partnerëve të shitjes DocType: Asset Maintenance,Maintenance Manager Name,Emri Menaxher i Mirëmbajtjes apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Duhet të marrësh Detajet e Artikujve. @@ -7239,6 +7278,7 @@ DocType: Student Admission,Student Admission,Pranimi i Studentit DocType: Designation Skill,Skill,aftësi DocType: Budget Account,Budget Account,Llogaria e buxhetit DocType: Employee Transfer,Create New Employee Id,Krijo një ID të ri punonjësish +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} kërkohet për llogarinë 'Fitimi dhe Humbja' {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Tatimi mbi mallrat dhe shërbimet (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Krijimi i rënies së pagave ... DocType: Employee Skill,Employee Skill,Aftësia e punonjësve @@ -7339,6 +7379,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Faturë veç DocType: Subscription,Days Until Due,Ditë deri në kohën e duhur apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Trego përfunduar apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Raporti i hyrjes së transaksionit të deklaratës bankare +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Banka Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Rreshti # {0}: Norma duhet të jetë e njëjtë me {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,FDH-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Artikujt e shërbimit të kujdesit shëndetësor @@ -7395,6 +7436,7 @@ DocType: Training Event Employee,Invited,të ftuar apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Shuma maksimale e pranueshme për komponentin {0} tejkalon {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Shuma për Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","Për {0}, vetëm llogaritë e debitit mund të lidhen me një tjetër hyrje në kredi" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Krijimi i përmasave ... DocType: Bank Statement Transaction Entry,Payable Account,Llogari e pagueshme apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Ju lutemi të përmendni asnjë vizitë të kërkuar DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Zgjidhni vetëm nëse keni skedarë të dokumentave të Cash Flow Mapper @@ -7412,6 +7454,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Z DocType: Service Level,Resolution Time,Koha e Zgjidhjes DocType: Grading Scale Interval,Grade Description,Përshkrimi i notës DocType: Homepage Section,Cards,letra +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Minutat e takimit të cilësisë DocType: Linked Plant Analysis,Linked Plant Analysis,Analizë e bimëve të lidhur apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Data e ndalimit të shërbimit nuk mund të jetë pas datës së përfundimit të shërbimit apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Vendosni Limit B2C në Cilësimet GST. @@ -7446,7 +7489,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Mjet i Pjesëmarrjes DocType: Employee,Educational Qualification,Kualifikimi arsimor apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Vlera e aksesueshme apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Sasia e mostrës {0} nuk mund të jetë më shumë se sasia e marrë {1} -DocType: Quiz,Last Highest Score,Rezultati i fundit më i lartë DocType: POS Profile,Taxes and Charges,Taksat dhe Ngarkesat DocType: Opportunity,Contact Mobile No,Kontakto Mobile Nr DocType: Employee,Joining Details,Bashkimi Detajet diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv index 628fb1b4d5..27659d8379 100644 --- a/erpnext/translations/sr.csv +++ b/erpnext/translations/sr.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Број дела доба DocType: Journal Entry Account,Party Balance,Парти Баланце apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Извор средстава (обавеза) DocType: Payroll Period,Taxable Salary Slabs,Опорезиве плате плата +DocType: Quality Action,Quality Feedback,Куалити Феедбацк DocType: Support Settings,Support Settings,Сеттингс Сеттингс apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Прво унесите Производ DocType: Quiz,Grading Basis,Градинг Басис @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Детаљни DocType: Salary Component,Earning,Зарада DocType: Restaurant Order Entry,Click Enter To Add,Кликните на Ентер то Адд DocType: Employee Group,Employee Group,Емплоиее Гроуп +DocType: Quality Procedure,Processes,Процеси DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Наведите девизни курс за конверзију једне валуте у другу apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Распон старења 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Потребна складишта за залиху Ставка {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Жалба DocType: Shipping Rule,Restrict to Countries,Ограничите на земље DocType: Hub Tracked Item,Item Manager,Итем Манагер apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Валута завршног рачуна мора бити {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Буџети apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Отварање ставке фактуре DocType: Work Order,Plan material for sub-assemblies,Планирајте материјал за подсклопове apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Хардвер DocType: Budget,Action if Annual Budget Exceeded on MR,Акција ако је годишњи буџет премашен на МР DocType: Sales Invoice Advance,Advance Amount,Адванце Амоунт +DocType: Accounting Dimension,Dimension Name,Име димензије DocType: Delivery Note Item,Against Sales Invoice Item,Против ставке фактуре продаје DocType: Expense Claim,HR-EXP-.YYYY.-,ХР-ЕКСП-.ИИИИ.- DocType: BOM Explosion Item,Include Item In Manufacturing,Инцлуде Итем Ин Мануфацтуринг @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Шта ради? ,Sales Invoice Trends,Трендови у фактури продаје DocType: Bank Reconciliation,Payment Entries,Платни уноси DocType: Employee Education,Class / Percentage,Цласс / Перцентаге -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Шифра артикла> Итем Гроуп> Бранд ,Electronic Invoice Register,Регистар електронских фактура DocType: Sales Invoice,Is Return (Credit Note),Да ли је повратак (кредитна напомена) DocType: Lab Test Sample,Lab Test Sample,Лаб Тест Сампле @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Варијанте apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Трошкови ће се дистрибуирати пропорционално на основу количине или износа ставке, према вашем избору" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Предстојеће активности за данас +DocType: Quality Procedure Process,Quality Procedure Process,Процес квалитета поступка DocType: Fee Schedule Program,Student Batch,Студент Батцх apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Стопа процене потребна за ставку у реду {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Основна цена сата (валута компаније) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Подесите број трансакција на основу серијског улаза apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Валута рачуна унапред треба да буде иста као и валута компаније {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Прилагоди секције за почетну страницу -DocType: Quality Goal,October,Оцтобер +DocType: GSTR 3B Report,October,Оцтобер DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Сакриј порески идентификатор купца из трансакција продаје apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Неважећи ГСТИН! ГСТИН мора имати 15 знакова. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Правило одређивања цена {0} је ажурирано @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Леаве Баланце apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Распоред одржавања {0} постоји у односу на {1} DocType: Assessment Plan,Supervisor Name,Име супервизора DocType: Selling Settings,Campaign Naming By,Цампаигн Наминг Би -DocType: Course,Course Code,Шифра предмета +DocType: Student Group Creation Tool Course,Course Code,Шифра предмета apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Аероспаце DocType: Landed Cost Voucher,Distribute Charges Based On,Дистрибуирајте на бази наплате DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Критеријуми за бодовање добављача резултата @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Мени ресторана DocType: Asset Movement,Purpose,Сврха apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Расподела структуре плата за запосленог већ постоји DocType: Clinical Procedure,Service Unit,Сервице Унит -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Купац> Корисничка група> Територија DocType: Travel Request,Identification Document Number,Број идентификационог документа DocType: Stock Entry,Additional Costs,Додатни трошкови -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Родитељски курс (оставите празно, ако то није дио Парент Цоурсе-а)" DocType: Employee Education,Employee Education,Едуцатион Едуцатион apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Број позиција не може бити мањи од тренутног броја запослених apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Све корисничке групе @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Ред {0}: Количина је обавезна DocType: Sales Invoice,Against Income Account,Против рачуна прихода apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ред # {0}: Фактура куповине не може бити направљена против постојећег средства {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Правила за примену различитих промотивних шема. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Потребан фактор покривања УОМ-а за УОМ: {0} у ставци: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Унесите количину за ставку {0} DocType: Workstation,Electricity Cost,Елецтрицити Цост @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Укупна пројицирана колич apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Бомс DocType: Work Order,Actual Start Date,Стварни датум почетка apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Ви нисте присутни цијели дан (а) између дана за компензацијско одсуство -DocType: Company,About the Company,О компанији apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Стабло финансијских рачуна. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Индиректни приходи DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Резервација за хотелску собу @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,База п DocType: Skill,Skill Name,Име вештине apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Принт Репорт Цард DocType: Soil Texture,Ternary Plot,Тернари Плот +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Суппорт Тицкетс DocType: Asset Category Account,Fixed Asset Account,Рачун фиксних средстава apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Најновији @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Програм за ,IRS 1099,ИРС 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Подесите серију која ће се користити. DocType: Delivery Trip,Distance UOM,Дистанце УОМ +DocType: Accounting Dimension,Mandatory For Balance Sheet,Обавезно за биланс стања DocType: Payment Entry,Total Allocated Amount,Укупни додељени износ DocType: Sales Invoice,Get Advances Received,Примите примљене авансе DocType: Student,B-,Б- @@ -911,6 +915,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Распоред о apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,ПОС профил потребан за ПОС улаз DocType: Education Settings,Enable LMS,Омогући ЛМС DocType: POS Closing Voucher,Sales Invoices Summary,Сажетак фактура продаје +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Бенефит apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на рачун мора бити рачун стања DocType: Video,Duration,Трајање DocType: Lab Test Template,Descriptive,Десцриптиве @@ -962,6 +967,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Почетни и завршни датуми DocType: Supplier Scorecard,Notify Employee,Нотифи Емплоиее apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Софтвер +DocType: Program,Allow Self Enroll,Аллов Селф Енролл apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Стоцк Екпенсес apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Референтни број је обавезан ако сте унели референтни датум DocType: Training Event,Workshop,Ворксхоп @@ -1014,6 +1020,7 @@ DocType: Lab Test Template,Lab Test Template,Лаб Тест Темплате apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Макс.: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Недостаје информација о електронском фактурисању apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Није направљен никакав материјални захтев +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Шифра артикла> Итем Гроуп> Бранд DocType: Loan,Total Amount Paid,Укупно плаћени износ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Све ове ставке су већ фактурисане DocType: Training Event,Trainer Name,Име тренера @@ -1035,6 +1042,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Академска година DocType: Sales Stage,Stage Name,Уметничко име DocType: SMS Center,All Employee (Active),Сви запослени (активни) +DocType: Accounting Dimension,Accounting Dimension,Аццоунтинг Дименсион DocType: Project,Customer Details,детаљи о купцу DocType: Buying Settings,Default Supplier Group,Дефаулт Супплиер Гроуп apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Молимо прво поништите Потврду о куповини {0} @@ -1149,7 +1157,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Већи бро DocType: Designation,Required Skills,Рекуиред Скиллс DocType: Marketplace Settings,Disable Marketplace,Онемогући тржиште DocType: Budget,Action if Annual Budget Exceeded on Actual,Акција ако је годишњи буџет премашен на стварни -DocType: Course,Course Abbreviation,Скраћеница курса apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Присуство није предато за {0} као {1} на одсуству. DocType: Pricing Rule,Promotional Scheme Id,Ид промотивне шеме apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Датум завршетка задатка {0} не може бити већи од {1} очекиваног датума завршетка {2} @@ -1292,7 +1299,7 @@ DocType: Bank Guarantee,Margin Money,Маргин Монеи DocType: Chapter,Chapter,Цхаптер DocType: Purchase Receipt Item Supplied,Current Stock,Тренутне залихе DocType: Employee,History In Company,Хистори Ин Цомпани -DocType: Item,Manufacturer,Произвођач +DocType: Purchase Invoice Item,Manufacturer,Произвођач apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Модерате Сенситивити DocType: Compensatory Leave Request,Leave Allocation,Леаве Аллоцатион DocType: Timesheet,Timesheet,Распоред @@ -1323,6 +1330,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Пренесени м DocType: Products Settings,Hide Variants,Сакриј варијанте DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Онемогућите планирање капацитета и праћење времена DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Израчунава се у трансакцији. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} је потребан за рачун "Биланс стања" {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} није дозвољено обављати трансакције са {1}. Молимо промијените Друштво. 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}" DocType: Delivery Trip,Delivery Details,Детаљи о достави @@ -1358,7 +1366,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Прев apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Јединица мере DocType: Lab Test,Test Template,Тест Темплате DocType: Fertilizer,Fertilizer Contents,Садржај ђубрива -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Минуте +DocType: Quality Meeting Minutes,Minute,Минуте apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ред # {0}: Средство {1} није могуће послати, већ је {2}" DocType: Task,Actual Time (in Hours),Стварно време (у сатима) DocType: Period Closing Voucher,Closing Account Head,Затварање главног рачуна @@ -1531,7 +1539,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Лабораторија DocType: Purchase Order,To Bill,Наплатити apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Утилити Утилитиес DocType: Manufacturing Settings,Time Between Operations (in mins),Време између операција (у мин) -DocType: Quality Goal,May,Може +DocType: GSTR 3B Report,May,Може apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Рачун за Гатеваи плаћања није креиран, креирајте га ручно." DocType: Opening Invoice Creation Tool,Purchase,Пурцхасе DocType: Program Enrollment,School House,Сцхоол Хоусе @@ -1563,6 +1571,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,Законске информације и остале опште информације о Вашем добављачу DocType: Item Default,Default Selling Cost Center,Дефаулт Селлинг Цост Центер DocType: Sales Partner,Address & Contacts,Адреса и контакти +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Поставите серију нумерисања за Присуство преко Подешавања> Серија нумерисања DocType: Subscriber,Subscriber,Претплатник apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Форм / Итем / {0}) нема на складишту apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Прво изаберите Датум књижења @@ -1590,6 +1599,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Накнада у бол DocType: Bank Statement Settings,Transaction Data Mapping,Мапирање података о трансакцијама apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Олово захтева или име особе или име организације DocType: Student,Guardians,Чувари +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Подесите Систем за именовање инструктора у образовању> Поставке образовања apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Изаберите бренд ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Средњим дохотком DocType: Shipping Rule,Calculate Based On,Цалцулате Басед Он @@ -1601,7 +1611,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Екпенсе Цлаим DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Прилагођавање заокруживања (валута компаније) DocType: Item,Publish in Hub,Објави у Хуб-у apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,ГСТИН -DocType: Quality Goal,August,Аугуст +DocType: GSTR 3B Report,August,Аугуст apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Прво унесите Потврда о купњи apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Старт Иеар apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Циљ ({}) @@ -1620,6 +1630,7 @@ DocType: Item,Max Sample Quantity,Максимална количина узор apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Изворно и циљно складиште мора бити различито DocType: Employee Benefit Application,Benefits Applied,Бенефитс Апплиед apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Против уноса дневника {0} нема уната без премца {1} +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Специјални знакови осим "-", "#", ".", "/", "{" И "}" нису дозвољени у именовању серија" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Потребне су плоче с попустом за цијену или производ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Поставите циљ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Записник о присуству {0} постоји против студента {1} @@ -1635,10 +1646,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Месечно DocType: Routing,Routing Name,Име руте DocType: Disease,Common Name,Уобичајено име -DocType: Quality Goal,Measurable,Меасурабле DocType: Education Settings,LMS Title,ЛМС Титле apps/erpnext/erpnext/config/non_profit.py,Loan Management,Управљање кредитима -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Суппорт Аналтиицс DocType: Clinical Procedure,Consumable Total Amount,Потрошни укупни износ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Омогући предложак apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Цустомер ЛПО @@ -1778,6 +1787,7 @@ DocType: Restaurant Order Entry Item,Served,Сервед DocType: Loan,Member,Мембер DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Распоред услуга јединице за практичаре apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Дознака +DocType: Quality Review Objective,Quality Review Objective,Циљ прегледа квалитета DocType: Bank Reconciliation Detail,Against Account,Против рачуна DocType: Projects Settings,Projects Settings,Пројецтс Сеттингс apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Стварна количина {0} / количина чекања {1} @@ -1806,6 +1816,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,П apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Датум завршетка фискалне године треба да буде годину дана након датума почетка фискалне године apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Даили Реминдерс DocType: Item,Default Sales Unit of Measure,Дефаулт Салес Унит оф Меасуре +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Цомпани ГСТИН DocType: Asset Finance Book,Rate of Depreciation,Стопа амортизације DocType: Support Search Source,Post Description Key,Пост Десцриптион Кеи DocType: Loyalty Program Collection,Minimum Total Spent,Минимално укупно потрошено @@ -1877,6 +1888,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Промена групе корисника за изабраног клијента није дозвољена. DocType: Serial No,Creation Document Type,Цреатион Доцумент Типе DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Доступно у серији +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Фактура Гранд Тотал apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Ово је коријенска територија и не може се уређивати. DocType: Patient,Surgical History,Сургицал Хистори apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Дрво процедура квалитета. @@ -1981,6 +1993,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,Означите ово ако желите да се прикаже на сајту apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Фискална година {0} није пронађена DocType: Bank Statement Settings,Bank Statement Settings,Поставке банковног извода +DocType: Quality Procedure Process,Link existing Quality Procedure.,Повежите постојећу процедуру квалитета. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Увезите графикон рачуна из ЦСВ / Екцел датотека DocType: Appraisal Goal,Score (0-5),Оцена (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} је изабран више пута у табели Атрибути DocType: Purchase Invoice,Debit Note Issued,Издато је задужење @@ -1989,7 +2003,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Оставите детаљну политику apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Складиште није пронађено у систему DocType: Healthcare Practitioner,OP Consulting Charge,ОП Цонсултинг Цхарге -DocType: Quality Goal,Measurable Goal,Меасурабле Гоал DocType: Bank Statement Transaction Payment Item,Invoices,Фактуре DocType: Currency Exchange,Currency Exchange,Мењачница DocType: Payroll Entry,Fortnightly,Фортнигхтли @@ -2052,6 +2065,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} није достављен DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Испразните сировине из складишта у току DocType: Maintenance Team Member,Maintenance Team Member,Члан тима за одржавање +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Подешавање прилагођених димензија за рачуноводство DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Минимална удаљеност између редова биљака за оптималан раст DocType: Employee Health Insurance,Health Insurance Name,Име здравственог осигурања apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Стоцк Ассетс @@ -2084,7 +2098,7 @@ DocType: Delivery Note,Billing Address Name,Име адресе за напла apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Алтернате Итем DocType: Certification Application,Name of Applicant,Име кандидата DocType: Leave Type,Earned Leave,Еарнед Леаве -DocType: Quality Goal,June,Јуне +DocType: GSTR 3B Report,June,Јуне apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Ред {0}: Место трошка је потребно за ставку {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Може бити одобрен од стране {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Јединица мере {0} је унета више од једном у табели фактора конверзије @@ -2105,6 +2119,7 @@ DocType: Lab Test Template,Standard Selling Rate,Стандардна стопа apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Поставите активни мени за ресторан {0} 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: Asset Finance Book,Asset Finance Book,Ассет Финанце Боок +DocType: Quality Goal Objective,Quality Goal Objective,Циљ циља квалитета DocType: Employee Transfer,Employee Transfer,Трансфер запослених ,Sales Funnel,Ток за продају DocType: Agriculture Analysis Criteria,Water Analysis,Анализа воде @@ -2143,6 +2158,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Проперти apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Активности на чекању apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Наведите неколико ваших клијената. То могу бити организације или појединци. DocType: Bank Guarantee,Bank Account Info,Информације о банковном рачуну +DocType: Quality Goal,Weekday,Веекдаи apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Гуардиан1 Наме DocType: Salary Component,Variable Based On Taxable Salary,Варијабилна на основу опорезиве плате DocType: Accounting Period,Accounting Period,Обрачунски период @@ -2227,7 +2243,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Подешавање заокру DocType: Quality Review Table,Quality Review Table,Табела прегледа квалитета DocType: Member,Membership Expiry Date,Датум истека чланства DocType: Asset Finance Book,Expected Value After Useful Life,Очекивана вредност после корисног живота -DocType: Quality Goal,November,Новембар +DocType: GSTR 3B Report,November,Новембар DocType: Loan Application,Rate of Interest,Ниво интересовања DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Ставка за плаћање трансакцијских трансакција DocType: Restaurant Reservation,Waitlisted,Ваитлистед @@ -2291,6 +2307,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Ред {0}: Да бисте подесили {1} периодичност, разлика између и од дана мора бити већа или једнака {2}" DocType: Purchase Invoice Item,Valuation Rate,Рате Валуатион Рате DocType: Shopping Cart Settings,Default settings for Shopping Cart,Подразумеване поставке за корпе за куповину +DocType: Quiz,Score out of 100,Резултат од 100 DocType: Manufacturing Settings,Capacity Planning,Планирање капацитета apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Иди на инструкторе DocType: Activity Cost,Projects,Пројекти @@ -2300,6 +2317,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,ИИ DocType: Cashier Closing,From Time,С времена apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Вариант Детаилс Репорт +,BOM Explorer,БОМ Екплорер DocType: Currency Exchange,For Buying,Фор Буиинг apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Слоти за {0} се не додају у распоред DocType: Target Detail,Target Distribution,Таргет Дистрибутион @@ -2317,6 +2335,7 @@ DocType: Activity Cost,Activity Cost,Трошкови активности DocType: Journal Entry,Payment Order,Налог за плаћање apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Прицинг ,Item Delivery Date,Датум испоруке артикла +DocType: Quality Goal,January-April-July-October,Јануар-април-јул-октобар DocType: Purchase Order Item,Warehouse and Reference,Складиште и референце apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Рачун са чворовима за дете се не може претворити у књигу књига DocType: Soil Texture,Clay Composition (%),Састав глине (%) @@ -2367,6 +2386,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Будући дату apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Вараианце apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Ред {0}: Поставите начин плаћања на распореду плаћања apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Академски термин: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Параметар за повратну информацију о квалитету apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Изаберите Аппли Дисцоунт Он apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Ред # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Тотал Паиментс @@ -2409,7 +2429,7 @@ DocType: Hub Tracked Item,Hub Node,Хуб Ноде apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Број запосленог DocType: Salary Structure Assignment,Salary Structure Assignment,Додела структуре зарада DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Порез на ваучер за затварање ПОС-а -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Ацтион Инитиалисед +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Ацтион Инитиалисед DocType: POS Profile,Applicable for Users,Примјењиво за кориснике DocType: Training Event,Exam,Испит apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Неисправан број пронађених уноса главне књиге. Можда сте у трансакцији изабрали погрешан рачун. @@ -2516,6 +2536,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Лонгитуде DocType: Accounts Settings,Determine Address Tax Category From,Одредите пореску категорију адресе apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Идентификовање доносилаца одлука +DocType: Stock Entry Detail,Reference Purchase Receipt,Референтни рачун за куповину apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Гет Инвоциес DocType: Tally Migration,Is Day Book Data Imported,Да ли су подаци о дневној књизи увезени ,Sales Partners Commission,Салес Партнерс Цоммиссион @@ -2539,6 +2560,7 @@ DocType: Leave Type,Applicable After (Working Days),Примјењиво нак DocType: Timesheet Detail,Hrs,Хрс DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Критеријуми добављача за добављаче DocType: Amazon MWS Settings,FR,ФР +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Параметар шаблона квалитета повратне информације apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Датум придруживања мора бити већи од датума рођења DocType: Bank Statement Transaction Invoice Item,Invoice Date,Датум фактуре DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Направите лабораторијске тестове на достављеној фактури продаје @@ -2645,7 +2667,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Минимална д DocType: Stock Entry,Source Warehouse Address,Адреса складишта извора DocType: Compensatory Leave Request,Compensatory Leave Request,Захтјев за компензацијски допуст DocType: Lead,Mobile No.,Мобилни број -DocType: Quality Goal,July,Јул +DocType: GSTR 3B Report,July,Јул apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Прихватљиви ИТЦ DocType: Fertilizer,Density (if liquid),Густина (ако је течна) DocType: Employee,External Work History,Екстерна радна историја @@ -2722,6 +2744,7 @@ DocType: Certification Application,Certification Status,Статус церти apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Локација извора је потребна за објекат {0} DocType: Employee,Encashment Date,Датум уновчавања apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Изаберите Датум завршетка за завршени дневник одржавања имовине +DocType: Quiz,Latest Attempt,Латест Аттемпт DocType: Leave Block List,Allow Users,Дозволи корисницима apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Цхарт оф Аццоунтс apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Корисник је обавезан ако је за клијента изабрана опција 'Оппортунити Фром' @@ -2786,7 +2809,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Сетуп Сцор DocType: Amazon MWS Settings,Amazon MWS Settings,Поставке Амазон МВС DocType: Program Enrollment,Walking,Ходање DocType: SMS Log,Requested Numbers,Рекуестед Нумберс -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Поставите серију нумерисања за Присуство преко Подешавања> Серија нумерисања DocType: Woocommerce Settings,Freight and Forwarding Account,Рачун за шпедицију и шпедицију apps/erpnext/erpnext/accounts/party.py,Please select a Company,Изаберите компанију apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Ред {0}: {1} мора бити већи од 0 @@ -2856,7 +2878,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Рачун DocType: Training Event,Seminar,Семинар apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Кредит ({0}) DocType: Payment Request,Subscription Plans,Субсцриптион Планс -DocType: Quality Goal,March,Марцх +DocType: GSTR 3B Report,March,Марцх apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Сплит Батцх DocType: School House,House Name,Име куће apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Изванредно за {0} не може бити мања од нуле ({1}) @@ -2919,7 +2941,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Датум почетка осигурања DocType: Target Detail,Target Detail,Таргет Детаил DocType: Packing Slip,Net Weight UOM,Нето тежина УОМ -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},УОМ конверзијски фактор ({0} -> {1}) није пронађен за ставку: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Нето износ (валута компаније) DocType: Bank Statement Transaction Settings Item,Mapped Data,Мапирани подаци apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Вриједносни папири и депозити @@ -2969,6 +2990,7 @@ DocType: Cheque Print Template,Cheque Height,Цхецк Хеигхт apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Унесите датум ослобађања. DocType: Loyalty Program,Loyalty Program Help,Помоћ за програм лојалности DocType: Journal Entry,Inter Company Journal Entry Reference,Интер Цомпани Јоурнал Ентри Референце +DocType: Quality Meeting,Agenda,Дневни ред DocType: Quality Action,Corrective,Корективно apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Група од DocType: Bank Account,Address and Contact,Адреса и контакт @@ -3022,7 +3044,7 @@ DocType: GL Entry,Credit Amount,Износ кредита apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Укупан износ одобрен DocType: Support Search Source,Post Route Key List,Постави листу кључних речи apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} није у некој активној фискалној години. -DocType: Quality Action Table,Problem,Проблем +DocType: Quality Action Resolution,Problem,Проблем DocType: Training Event,Conference,Конференција DocType: Mode of Payment Account,Mode of Payment Account,Рачун плаћања DocType: Leave Encashment,Encashable days,Дани за које је могуће пребацити новац @@ -3148,7 +3170,7 @@ DocType: Item,"Purchase, Replenishment Details","Куповина, Детаљи DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Једном постављена, ова фактура ће бити на чекању до одређеног датума" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Стоцк не може постојати за ставку {0} јер има варијанте DocType: Lab Test Template,Grouped,Груписано -DocType: Quality Goal,January,Јануар +DocType: GSTR 3B Report,January,Јануар DocType: Course Assessment Criteria,Course Assessment Criteria,Критеријуми за оцењивање курса DocType: Certification Application,INR,ИНР DocType: Job Card Time Log,Completed Qty,Цомплетед Кти @@ -3244,7 +3266,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Тип јед apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Молимо вас да у табели унесете најмање 1 фактуру apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Продајни налог {0} није достављен apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Присуство је успешно обележено. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Пре продаје +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Пре продаје apps/erpnext/erpnext/config/projects.py,Project master.,Мастер пројекта. DocType: Daily Work Summary,Daily Work Summary,Даили Ворк Суммари DocType: Asset,Partially Depreciated,Делимично амортизована @@ -3253,6 +3275,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Леаве Енцасхед? DocType: Certified Consultant,Discuss ID,Дисцусс ИД apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Поставите ГСТ налоге у ГСТ подешавањима +DocType: Quiz,Latest Highest Score,Латест Хигхест Сцоре DocType: Supplier,Billing Currency,Валута наплате apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Студентска активност apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Циљна количина или циљни износ је обавезан @@ -3278,18 +3301,21 @@ DocType: Sales Order,Not Delivered,Није испоручено apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Тип остављања {0} не може бити додељен јер је то допуст без плаћања DocType: GL Entry,Debit Amount,Дебит Амоунт apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Већ постоји запис за ставку {0} +DocType: Video,Vimeo,Вимео apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Суб Ассемблиес 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.","Ако преовладавају вишеструка правила за одређивање цена, од корисника се тражи да ручно поделе приоритет да би решили конфликт." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Не може се одбити када је категорија за "Вредновање" или "Вредновање и Укупно" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Потребна је саставница и количина производње apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Ставка {0} је завршила свој живот на {1} DocType: Quality Inspection Reading,Reading 6,Читање 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Поље компаније је обавезно apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Потрошња материјала није постављена у Поставкама производње. DocType: Assessment Group,Assessment Group Name,Назив групе за процену -DocType: Item,Manufacturer Part Number,Број дела произвођача +DocType: Purchase Invoice Item,Manufacturer Part Number,Број дела произвођача apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Паиролл Паиабле apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Ред # {0}: {1} не може бити негативан за ставку {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Баланце Кти +DocType: Question,Multiple Correct Answer,Вишеструки исправан одговор DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Бодови лојалности = Колика је основна валута? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Напомена: Нема довољно преосталог баланса за врсту остављања {0} DocType: Clinical Procedure,Inpatient Record,Инпатиент Рецорд @@ -3412,6 +3438,7 @@ DocType: Fee Schedule Program,Total Students,Тотал Студентс apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Лоцал DocType: Chapter Member,Leave Reason,Остави разлог DocType: Salary Component,Condition and Formula,Стање и формула +DocType: Quality Goal,Objectives,Циљеви apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Плата која је већ обрађена за период између {0} и {1}, период напуштања апликације не може бити између овог распона датума." DocType: BOM Item,Basic Rate (Company Currency),Основна стопа (валута компаније) DocType: BOM Scrap Item,BOM Scrap Item,БОМ Сцрап Итем @@ -3462,6 +3489,7 @@ DocType: Supplier,SUP-.YYYY.-,СУП-.ИИИИ.- DocType: Expense Claim Account,Expense Claim Account,Рачун трошкова потраживања apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Нема отплата за унос дневника apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} је неактиван студент +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Маке Стоцк Ентри DocType: Employee Onboarding,Activities,Активности apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Најмање једно складиште је обавезно ,Customer Credit Balance,Салдо кредита за клијенте @@ -3546,7 +3574,6 @@ DocType: Contract,Contract Terms,Услови уговора apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Циљна количина или циљни износ је обавезан. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Неважеће {0} DocType: Item,FIFO,ФИФО -DocType: Quality Meeting,Meeting Date,Датум састанка DocType: Inpatient Record,HLC-INP-.YYYY.-,ФХП-ИНП-.ИИИИ.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Скраћеница не може имати више од 5 знакова DocType: Employee Benefit Application,Max Benefits (Yearly),Максималне погодности (годишње) @@ -3649,7 +3676,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Банкарске провизије apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Пренесена роба apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Примари Цонтацт Детаилс -DocType: Quality Review,Values,Вредности DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ако се не провери, попис ће се морати додати сваком одјелу гдје се мора примијенити." DocType: Item Group,Show this slideshow at the top of the page,Прикажите овај слидесхов на врху странице apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Параметар {0} је неважећи @@ -3668,6 +3694,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Рачун банковних накнада DocType: Journal Entry,Get Outstanding Invoices,Гет Оутстандинг Инвоицес DocType: Opportunity,Opportunity From,Оппортунити Фром +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Детаљи о циљу DocType: Item,Customer Code,Код купца apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Прво унесите ставку apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Вебсите Листинг @@ -3696,7 +3723,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Испорука до DocType: Bank Statement Transaction Settings Item,Bank Data,Банк Дата apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Сцхедулед Упто -DocType: Quality Goal,Everyday,Сваки дан DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Одржавајте сате за наплату и радне сате на листи задатака apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Водећи трагови водећег извора. DocType: Clinical Procedure,Nursing User,Нурсинг Усер @@ -3721,7 +3747,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Манаге Терр DocType: GL Entry,Voucher Type,Тип ваучера ,Serial No Service Contract Expiry,Серијски Без уговорног уговора DocType: Certification Application,Certified,Цертифиед -DocType: Material Request Plan Item,Manufacture,Производња +DocType: Purchase Invoice Item,Manufacture,Производња apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,Произведено је {0} ставки apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Захтев за плаћање за {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Дани од последњег реда @@ -3736,7 +3762,7 @@ DocType: Sales Invoice,Company Address Name,Име и презиме компа apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Роба у транзиту apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Максимално {0} бодова можете искористити у овом редоследу. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Подесите налог у складишту {0} -DocType: Quality Action Table,Resolution,Резолуција +DocType: Quality Action,Resolution,Резолуција DocType: Sales Invoice,Loyalty Points Redemption,Откуп бодова лојалности apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Укупна опорезива вредност DocType: Patient Appointment,Scheduled,Заказано @@ -3857,6 +3883,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Рате apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Чување {0} DocType: SMS Center,Total Message(s),Укупно порука (а) +DocType: Purchase Invoice,Accounting Dimensions,Димензије рачуноводства apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Гроуп би Аццоунт DocType: Quotation,In Words will be visible once you save the Quotation.,Ин Вордс ће бити видљиве када сачувате понуду. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Количина за производњу @@ -4021,7 +4048,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Ако имате било каквих питања, јавите нам се." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Потврда куповине {0} није послата DocType: Task,Total Expense Claim (via Expense Claim),Укупни захтев за трошкове (преко захтева за трошкове) -DocType: Quality Action,Quality Goal,Циљ квалитета +DocType: Quality Goal,Quality Goal,Циљ квалитета DocType: Support Settings,Support Portal,Портал за подршку apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Датум завршетка задатка {0} не може бити мањи од {1} очекиваног датума почетка {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Запослени {0} је на остави на {1} @@ -4080,7 +4107,6 @@ DocType: BOM,Operating Cost (Company Currency),Оперативни трошко DocType: Item Price,Item Price,Цена одвојено DocType: Payment Entry,Party Name,Име странке apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Изаберите клијента -DocType: Course,Course Intro,Цоурсе Интро DocType: Program Enrollment Tool,New Program,Нови програм apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Број новог трошковног центра, биће укључен у назив мјеста трошка као префикс" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Изаберите купца или добављача. @@ -4281,6 +4307,7 @@ DocType: Customer,CUST-.YYYY.-,ЦУСТ-.ИИИИ.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Нето плата не може бити негативна apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Но оф Интерацтионс 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/hr/doctype/employee/employee_dashboard.py,Shift,Смена apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Обрада контног плана и страна DocType: Stock Settings,Convert Item Description to Clean HTML,Претвори опис ставке у Цлеан ХТМЛ apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Све групе добављача @@ -4359,6 +4386,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Парент Итем apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Брокераге apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Направите рачун за куповину или рачун за куповину ставке {0} +,Product Bundle Balance,Баланс производа apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Назив компаније не може бити Компанија DocType: Maintenance Visit,Breakdown,Слом DocType: Inpatient Record,B Negative,Б Негативе @@ -4367,7 +4395,7 @@ DocType: Purchase Invoice,Credit To,Кредит за apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Пошаљите овај радни налог за даљу обраду. DocType: Bank Guarantee,Bank Guarantee Number,Број банкарске гаранције apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Испоручено: {0} -DocType: Quality Action,Under Review,У разматрању +DocType: Quality Meeting Table,Under Review,У разматрању apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Пољопривреда (бета) ,Average Commission Rate,Просечна стопа провизије DocType: Sales Invoice,Customer's Purchase Order Date,Датум наруџбенице наручиоца @@ -4484,7 +4512,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Ускладите плаћања са фактурама DocType: Holiday List,Weekly Off,Веекли Офф apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Није дозвољено да се постави алтернативна ставка за ставку {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Програм {0} не постоји. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Програм {0} не постоји. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Не можете мењати коренски чвор. DocType: Fee Schedule,Student Category,Студентска категорија apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Ставка {0}: {1} произведено," @@ -4575,8 +4603,8 @@ DocType: Crop,Crop Spacing,Цроп Спацинг DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Колико често треба да се ажурирају пројекти и компаније на основу трансакција продаје. DocType: Pricing Rule,Period Settings,Подешавања периода apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Нето промена у потраживањима +DocType: Quality Feedback Template,Quality Feedback Template,Шаблон квалитета повратних информација apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,За количину мора бити већа од нуле -DocType: Quality Goal,Goal Objectives,Циљеви циља apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Постоје разлике између стопе, броја акција и израчунатог износа" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Оставите празно ако годишње направите групе ученика apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Кредити (обавезе) @@ -4611,12 +4639,13 @@ DocType: Quality Procedure Table,Step,Степ DocType: Normal Test Items,Result Value,Вредност резултата DocType: Cash Flow Mapping,Is Income Tax Liability,Одговорност за порез на доходак DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Ставка задужења за болничку посјету -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} не постоји. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} не постоји. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Ажурирај одговор DocType: Bank Guarantee,Supplier,Добављач apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Унесите вредност између {0} и {1} DocType: Purchase Order,Order Confirmation Date,Датум потврде наруџбе DocType: Delivery Trip,Calculate Estimated Arrival Times,Израчунај процењено време доласка +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Поставите Систем за именовање запосленика у људским ресурсима> Поставке људских ресурса apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Цонсумабле DocType: Instructor,EDU-INS-.YYYY.-,ЕДУ-ИНС-.ИИИИ.- DocType: Subscription,Subscription Start Date,Датум почетка претплате @@ -4680,6 +4709,7 @@ DocType: Cheque Print Template,Is Account Payable,Исплативо је на apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Укупна вредност налога apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Добављач {0} није пронађен у {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Подешавање поставки СМС гатеваи-а +DocType: Salary Component,Round to the Nearest Integer,Заокружите се на Најближи Интегер apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Роот не може имати матично мјесто трошка DocType: Healthcare Service Unit,Allow Appointments,Дозволи састанке DocType: BOM,Show Operations,Прикажи операције @@ -4808,7 +4838,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Дефаулт Холидаи Лист DocType: Naming Series,Current Value,Тренутна вредност apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Сезонски за постављање буџета, циљева итд." -DocType: Program,Program Code,Програм Цоде apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Упозорење: Продајни налог {0} већ постоји против наруџбенице наручиоца купца {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Месечни циљ продаје ( DocType: Guardian,Guardian Interests,Гуардиан Интерестс @@ -4858,10 +4887,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Плаћено и није испоручено apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Шифра артикла је обавезна јер ставка није аутоматски нумерисана DocType: GST HSN Code,HSN Code,ХСН Цоде -DocType: Quality Goal,September,септембар +DocType: GSTR 3B Report,September,септембар apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Административни трошкови DocType: C-Form,C-Form No,Ц-Образац бр DocType: Purchase Invoice,End date of current invoice's period,Датум завршетка периода текуће фактуре +DocType: Item,Manufacturers,Произвођачи DocType: Crop Cycle,Crop Cycle,Цроп Цицле DocType: Serial No,Creation Time,Цреатион Тиме apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Унесите Улогу за одобравање или Корисник за одобравање @@ -4934,8 +4964,6 @@ DocType: Employee,Short biography for website and other publications.,Кратк DocType: Purchase Invoice Item,Received Qty,Рецеивед Кти DocType: Purchase Invoice Item,Rate (Company Currency),Рате (Валута компаније) DocType: Item Reorder,Request for,Захтев за -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Избришите запосленика {0} да откажете овај документ" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Инсталлинг пресетс apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Унесите периоде отплате DocType: Pricing Rule,Advanced Settings,Напредна подешавања @@ -4961,7 +4989,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Омогући корпе за куповину DocType: Pricing Rule,Apply Rule On Other,Примени правило на друго DocType: Vehicle,Last Carbon Check,Ласт Царбон Цхецк -DocType: Vehicle,Make,Направити +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Направити apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Фактура продаје {0} креирана као плаћена apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,За креирање захтјева за плаћање је потребан референтни документ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Порез на доходак @@ -5037,7 +5065,6 @@ DocType: Territory,Parent Territory,Парент Территори DocType: Vehicle Log,Odometer Reading,Километража DocType: Additional Salary,Salary Slip,Салис Слип DocType: Payroll Entry,Payroll Frequency,Фреквенција платног списка -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Поставите Систем за именовање запосленика у људским ресурсима> Поставке људских ресурса apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Почетни и завршни датуми који нису у важећем обрачунском периоду, не могу израчунати {0}" DocType: Products Settings,Home Page is Products,Почетна страница је Производи apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Позиви @@ -5091,7 +5118,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Дохваћање записа ...... DocType: Delivery Stop,Contact Information,Контакт информације DocType: Sales Order Item,For Production,Фор Продуцтион -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Подесите Систем за именовање инструктора у образовању> Поставке образовања DocType: Serial No,Asset Details,Детаљи о имовини DocType: Restaurant Reservation,Reservation Time,Ресерватион Тиме DocType: Selling Settings,Default Territory,Дефаулт Территори @@ -5231,6 +5257,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Екпиред Батцхес DocType: Shipping Rule,Shipping Rule Type,Тип правила о испоруци DocType: Job Offer,Accepted,Прихваћено +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Избришите запосленика {0} да откажете овај документ" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Већ сте процијенили критерије процјене {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Изаберите Бројеви бројева apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Старост (Дани) @@ -5247,6 +5275,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,У пакету ставке у тренутку продаје. DocType: Payment Reconciliation Payment,Allocated Amount,Додељени износ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Изаберите предузеће и ознаку +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,Потребан је датум DocType: Email Digest,Bank Credit Balance,Стање кредита apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Прикажи кумулативни износ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Немате довољно бодова лојалности да бисте их искористили @@ -5307,11 +5336,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Он Превиоус DocType: Student,Student Email Address,Адреса е-поште студента DocType: Academic Term,Education,образовање DocType: Supplier Quotation,Supplier Address,Адреса добављача -DocType: Salary Component,Do not include in total,Не укључујте укупно +DocType: Salary Detail,Do not include in total,Не укључујте укупно apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Није могуће поставити вишеструке задане поставке за компанију. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} не постоји DocType: Purchase Receipt Item,Rejected Quantity,Одбијена количина DocType: Cashier Closing,To TIme,Времену +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},УОМ конверзијски фактор ({0} -> {1}) није пронађен за ставку: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Дневни радни преглед групе корисника DocType: Fiscal Year Company,Fiscal Year Company,Фискална година Компанија apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Алтернативна ставка не смије бити иста као код ставке @@ -5421,7 +5451,6 @@ DocType: Fee Schedule,Send Payment Request Email,Пошаљи е-поруку с DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Ин Вордс ће бити видљиве када сачувате фактуру продаје. DocType: Sales Invoice,Sales Team1,Салес Теам1 DocType: Work Order,Required Items,Рекуиред Итемс -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Специјални знакови осим "-", "#", "." и "/" није дозвољено у именовању серија" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Прочитајте ЕРПНект приручник DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Проверите број фактуре добављача Јединственост apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Сеарцх Суб Ассемблиес @@ -5489,7 +5518,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Перцент Дедуцтион apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Количина за производњу не може бити мања од нуле DocType: Share Balance,To No,То Но DocType: Leave Control Panel,Allocate Leaves,Аллоцате Леавес -DocType: Quiz,Last Attempt,Последњи покушај DocType: Assessment Result,Student Name,Име студента apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,План за посете одржавању. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Следећи захтеви за материјал су подигнути аутоматски на основу ре-наруџбине на ставци @@ -5558,6 +5586,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Цолор Индицатор DocType: Item Variant Settings,Copy Fields to Variant,Копирајте поља у Вариант DocType: Soil Texture,Sandy Loam,Санди Лоам +DocType: Question,Single Correct Answer,Сингле Цоррецт Ансвер apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Од датума не може бити мањи од датума придруживања запосленог DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Дозволите вишеструке наруџбе продаје против наруџбенице наручиоца apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,ПДЦ / ЛЦ @@ -5620,7 +5649,7 @@ DocType: Account,Expenses Included In Valuation,Трошкови укључен apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Редни бројеви DocType: Salary Slip,Deductions,Одбијања ,Supplier-Wise Sales Analytics,Салес-Висе Салес Аналитицс -DocType: Quality Goal,February,Фебруар +DocType: GSTR 3B Report,February,Фебруар DocType: Appraisal,For Employee,За запосленика apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Стварни датум испоруке DocType: Sales Partner,Sales Partner Name,Име партнера за продају @@ -5716,7 +5745,6 @@ DocType: Procedure Prescription,Procedure Created,Процедуре Цреат apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Против фактуре добављача {0} са датумом {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Промените ПОС профил apps/erpnext/erpnext/utilities/activation.py,Create Lead,Цреате Леад -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добављач> Тип добављача DocType: Shopify Settings,Default Customer,Дефаулт Цустомер DocType: Payment Entry Reference,Supplier Invoice No,Фактура добављача бр DocType: Pricing Rule,Mixed Conditions,Микед Цондитионс @@ -5767,12 +5795,14 @@ DocType: Item,End of Life,Крај живота DocType: Lab Test Template,Sensitivity,Осетљивост DocType: Territory,Territory Targets,Территори Таргетс apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Прескакање издвајања за сљедеће запосленике, јер евиденција о алоцирању остављања већ постоји против њих. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Резолуција акције за квалитет DocType: Sales Invoice Item,Delivered By Supplier,Испоручено од добављача DocType: Agriculture Analysis Criteria,Plant Analysis,Плант Аналисис apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Рачун трошкова је обавезан за ставку {0} ,Subcontracted Raw Materials To Be Transferred,Подуговорене сировине које треба пренијети DocType: Cashier Closing,Cashier Closing,Затварање благајника apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Ставка {0} је већ враћена +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Неважећи ГСТИН! Унос који сте унели не одговара ГСТИН формату за УИН власнике или нерезидентне ОИДАР пружаоце услуга apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Дијете складиште постоји за ово складиште. Не можете избрисати ово складиште. DocType: Diagnosis,Diagnosis,Дијагноза apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Не постоји период остављања између {0} и {1} @@ -5789,6 +5819,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Поставке аутор DocType: Homepage,Products,Производи ,Profit and Loss Statement,Биланс стања apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Роомс Боокед +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Удвостручен унос за шифру ставке {0} и произвођач {1} DocType: Item Barcode,EAN,ЕАН DocType: Purchase Invoice Item,Total Weight,Укупна маса apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Травел @@ -5837,6 +5868,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Дефаулт Цустомер Гроуп DocType: Journal Entry Account,Debit in Company Currency,Задужење у валути компаније DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Повратна серија је "СО-ВОО-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Дневни ред квалитета састанка DocType: Cash Flow Mapper,Section Header,Хеад Хеадер apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Ваше производе или услуге DocType: Crop,Perennial,Перенниал @@ -5882,7 +5914,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Производ или услуга која се купује, продаје или држи на залихама." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Затварање (отварање + укупно) DocType: Supplier Scorecard Criteria,Criteria Formula,Формула критерија -,Support Analytics,Суппорт Аналитицс +apps/erpnext/erpnext/config/support.py,Support Analytics,Суппорт Аналитицс apps/erpnext/erpnext/config/quality_management.py,Review and Action,Преглед и радња DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ако је рачун замрзнут, уноси су дозвољени ограниченим корисницима." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Износ након амортизације @@ -5927,7 +5959,6 @@ DocType: Contract Template,Contract Terms and Conditions,Услови угово apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Фетцх Дата DocType: Stock Settings,Default Item Group,Дефаулт Итем Гроуп DocType: Sales Invoice Timesheet,Billing Hours,Сати плаћања -DocType: Item,Item Code for Suppliers,Шифра артикла за добављаче apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Апликација за остављање {0} већ постоји против студента {1} DocType: Pricing Rule,Margin Type,Маргин Типе DocType: Purchase Invoice Item,Rejected Serial No,Одбијена серијска бр @@ -6000,6 +6031,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Лишће је успешно издато DocType: Loyalty Point Entry,Expiry Date,Датум истека DocType: Project Task,Working,Рад +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} већ има надређену процедуру {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Ово се заснива на трансакцијама против овог пацијента. Погледајте временску линију испод за детаље DocType: Material Request,Requested For,Рекуестед Фор DocType: SMS Center,All Sales Person,Алл Салес Персон @@ -6087,6 +6119,7 @@ DocType: Loan Type,Maximum Loan Amount,Максимални износ кред apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Е-пошта није пронађена у подразумеваном контакту DocType: Hotel Room Reservation,Booked,Резервисан DocType: Maintenance Visit,Partially Completed,Делимично завршено +DocType: Quality Procedure Process,Process Description,Опис процеса DocType: Company,Default Employee Advance Account,Дефаулт Емплоиее Адванце Аццоунт DocType: Leave Type,Allow Negative Balance,Аллов Негативе Баланце apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Назив плана процене @@ -6128,6 +6161,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Захтев за ставку понуде apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} је унето два пута у ставку Порез на ставку DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Одузми пуну порез на изабрани датум плата +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Посљедњи датум провјере угљика не може бити будући датум apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Изаберите налог за промену износа DocType: Support Settings,Forum Posts,Форум Постс DocType: Timesheet Detail,Expected Hrs,Очекивани сати @@ -6137,7 +6171,7 @@ DocType: Program Enrollment Tool,Enroll Students,Енролл Студентс apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Поновите приходе клијената DocType: Company,Date of Commencement,Датум почетка DocType: Bank,Bank Name,Назив банке -DocType: Quality Goal,December,Децембар +DocType: GSTR 3B Report,December,Децембар apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Важећи од датума мора бити мањи од важећег датума apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Ово се заснива на присуству овог запосленог DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ако је означено, почетна страница ће бити подразумевана група ставки за веб локацију" @@ -6180,6 +6214,7 @@ DocType: Payment Entry,Payment Type,Врста плаћања apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Бројеви фолија се не подударају DocType: C-Form,ACC-CF-.YYYY.-,АЦЦ-ЦФ-.ИИИИ.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Контрола квалитета: {0} није послата за ставку: {1} у реду {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Прикажи {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,Пронађена је {0} ставка. ,Stock Ageing,Стоцк Агинг DocType: Customer Group,Mention if non-standard receivable account applicable,Наведите да ли је применљив нестандардни рачун потраживања @@ -6457,6 +6492,7 @@ DocType: Travel Request,Costing,Цостинг apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Основна средства DocType: Purchase Order,Ref SQ,Реф СК DocType: Salary Structure,Total Earning,Тотална зарада +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Купац> Корисничка група> Територија DocType: Share Balance,From No,Фром Но DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Фактура поравнања плаћања DocType: Purchase Invoice,Taxes and Charges Added,Додати порези и накнаде @@ -6464,7 +6500,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Размотри DocType: Authorization Rule,Authorized Value,Овлашћена вредност apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Примио од apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Складиште {0} не постоји +DocType: Item Manufacturer,Item Manufacturer,Итем Мануфацтурер DocType: Sales Invoice,Sales Team,Продајни тим +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Бундле Кти DocType: Purchase Order Item Supplied,Stock UOM,Стоцк УОМ DocType: Installation Note,Installation Date,Датум инсталације DocType: Email Digest,New Quotations,Нев Куотатионс @@ -6528,7 +6566,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Назив листе празника DocType: Water Analysis,Collection Temperature ,Температуре Цоллецтион DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Управљајте доставницом за наплату и аутоматски откажите за Пацијентов сусрет -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Подесите Наминг Сериес за {0} преко подешавања> Сеттингс> Наминг Сериес DocType: Employee Benefit Claim,Claim Date,Датум полагања права DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Оставите празно ако је добављач блокиран на неодређено време apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Присуство од датума и похађања до датума је обавезно @@ -6539,6 +6576,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Дате оф Ретиремент apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Одаберите Пацијент DocType: Asset,Straight Line,Права линија +DocType: Quality Action,Resolutions,Резолуције DocType: SMS Log,No of Sent SMS,Број Сент СМС-а ,GST Itemised Sales Register,ГСТ Итемизед Салес Регистер apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Укупни износ аконтације не може бити већи од укупног износа санкције @@ -6649,7 +6687,7 @@ DocType: Account,Profit and Loss,Профит и губитак apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Дифф Кти DocType: Asset Finance Book,Written Down Value,Написана вредност apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Отварање стања капитала -DocType: Quality Goal,April,Април +DocType: GSTR 3B Report,April,Април DocType: Supplier,Credit Limit,Кредитни лимит apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Дистрибуција apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,дебит_ноте_амт @@ -6704,6 +6742,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Повежите Схопифи са ЕРПНект DocType: Homepage Section Card,Subtitle,Субтитле DocType: Soil Texture,Loam,Лоам +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добављач> Тип добављача DocType: BOM,Scrap Material Cost(Company Currency),Трошак материјала за биљешку (валута компаније) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Напомена за испоруку {0} не сме бити послата DocType: Task,Actual Start Date (via Time Sheet),Стварни датум почетка (путем временског листа) @@ -6759,7 +6798,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Дозирање DocType: Cheque Print Template,Starting position from top edge,Почетна позиција од горње ивице apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Трајање састанка (мин) -DocType: Pricing Rule,Disable,Онемогући +DocType: Accounting Dimension,Disable,Онемогући DocType: Email Digest,Purchase Orders to Receive,Налози за куповину за пријем apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Поруџбине за производњу се не могу подићи за: DocType: Projects Settings,Ignore Employee Time Overlap,Занемари преклапање времена запосленог @@ -6843,6 +6882,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Нап DocType: Item Attribute,Numeric Values,Нумериц Валуес DocType: Delivery Note,Instructions,Упутства DocType: Blanket Order Item,Blanket Order Item,Бланкет Ордер Итем +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Обавезно за рачун добити и губитка apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Стопа Комисије не може бити већа од 100 DocType: Course Topic,Course Topic,Тема курса DocType: Employee,This will restrict user access to other employee records,Ово ће ограничити приступ корисника другим евиденцијама запослених @@ -6867,12 +6907,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Управља apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Одведите клијенте apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Дигест DocType: Employee,Reports to,Извјештава +DocType: Video,YouTube,ЈуТјуб DocType: Party Account,Party Account,Аццоунт Парти DocType: Assessment Plan,Schedule,Распоред apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Унесите DocType: Lead,Channel Partner,Цханнел Партнер apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Износ фактуре DocType: Project,From Template,Фром Темплате +,DATEV,ДАТЕВ apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Претплате apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Количина за израду DocType: Quality Review Table,Achieved,Постићи @@ -6919,7 +6961,6 @@ DocType: Journal Entry,Subscription Section,Секција за претплат DocType: Salary Slip,Payment Days,Дани плаћања apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Волонтерске информације. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'Замрзни стокове старије од' треба да буде мањи од% д дана. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Изаберите фискалну годину DocType: Bank Reconciliation,Total Amount,Укупна сума DocType: Certification Application,Non Profit,Нон Профит DocType: Subscription Settings,Cancel Invoice After Grace Period,Отказивање фактуре после периода отплате @@ -6932,7 +6973,6 @@ DocType: Serial No,Warranty Period (Days),Период гаранције (Да DocType: Expense Claim Detail,Expense Claim Detail,Детаљ потраживања трошкова apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Програм: DocType: Patient Medical Record,Patient Medical Record,Патиент Медицал Рецорд -DocType: Quality Action,Action Description,Опис акције DocType: Item,Variant Based On,Вариант Басед Он DocType: Vehicle Service,Brake Oil,Браке Оил DocType: Employee,Create User,Направи корисника @@ -6988,7 +7028,7 @@ DocType: Cash Flow Mapper,Section Name,Назив секције DocType: Packed Item,Packed Item,Пацкед Итем apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Потребан је износ дебитног или кредитног за {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Слање сломова зарада ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Нема акције +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Нема акције apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",Буџет не може бити додељен против {0} јер није рачун прихода или расхода apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Мастерс анд Аццоунтс DocType: Quality Procedure Table,Responsible Individual,Одговорна особа @@ -7111,7 +7151,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Дозволите креирање налога против компаније за децу DocType: Payment Entry,Company Bank Account,Банковни рачун компаније DocType: Amazon MWS Settings,UK,УК -DocType: Quality Procedure,Procedure Steps,Кораци у поступку DocType: Normal Test Items,Normal Test Items,Нормалне тест ставке apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Ставка {0}: Наручена количина {1} не може бити мања од минималне наруџбе кти {2} (дефинисана у ставци). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Не на лагеру @@ -7190,7 +7229,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Аналитицс DocType: Maintenance Team Member,Maintenance Role,Улога одржавања apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Шаблон о условима и одредбама DocType: Fee Schedule Program,Fee Schedule Program,Програм накнада -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Курс {0} не постоји. DocType: Project Task,Make Timesheet,Маке Тимесхеет DocType: Production Plan Item,Production Plan Item,Производни план ставке apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Тотал Студент @@ -7212,6 +7250,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Окончање apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Можете да обновите само ако ваше чланство истиче у року од 30 дана apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Вредност мора бити између {0} и {1} +DocType: Quality Feedback,Parameters,Параметерс ,Sales Partner Transaction Summary,Сажетак трансакција продајног партнера DocType: Asset Maintenance,Maintenance Manager Name,Име менаџера одржавања apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Потребно је да преузме детаље о ставци. @@ -7250,6 +7289,7 @@ DocType: Student Admission,Student Admission,Студент Адмиссион DocType: Designation Skill,Skill,Вештина DocType: Budget Account,Budget Account,Рачун буџета DocType: Employee Transfer,Create New Employee Id,Направите нови ИД запосленог +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} је потребан за 'Профит и Губитак' {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Порез на робу и услуге (ГСТ Индија) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Креирање исплата плата ... DocType: Employee Skill,Employee Skill,Емплоиее Скилл @@ -7350,6 +7390,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Фактур DocType: Subscription,Days Until Due,Дани до доспијећа apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Схов Цомплетед apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Извјештај о упису трансакције у банци +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Банк Деатилс apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ред # {0}: Стопа мора бити иста као и {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,ФХП-ЦПР-.ИИИИ.- DocType: Healthcare Settings,Healthcare Service Items,Ставке здравствене службе @@ -7406,6 +7447,7 @@ DocType: Training Event Employee,Invited,Позван apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Максимални износ који испуњава услове за компоненту {0} прелази {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Износ за Билл apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",За {0} могу се повезати само дебитни рачуни са другим уносом кредита +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Креирање димензија ... DocType: Bank Statement Transaction Entry,Payable Account,Плаћени рачун apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Наведите број потребних посјета DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Изаберите само ако имате подешавање докумената за мапирање новчаног тока @@ -7423,6 +7465,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,Ресолутион Тиме DocType: Grading Scale Interval,Grade Description,Граде Десцриптион DocType: Homepage Section,Cards,Картице +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Записници о квалитету састанка DocType: Linked Plant Analysis,Linked Plant Analysis,Линкед Плант Аналисис apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Датум сервисног заустављања не може бити након датума завршетка услуге apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Поставите Б2Ц Лимит у ГСТ подешавањима. @@ -7457,7 +7500,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Алат за при DocType: Employee,Educational Qualification,Едуцатионал Куалифицатион apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Доступна вредност apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Количина узорка {0} не може бити већа од примљене количине {1} -DocType: Quiz,Last Highest Score,Ласт Хигхест Сцоре DocType: POS Profile,Taxes and Charges,Порези и таксе DocType: Opportunity,Contact Mobile No,Контакт Мобиле Но DocType: Employee,Joining Details,Детаљи о придруживању diff --git a/erpnext/translations/sv.csv b/erpnext/translations/sv.csv index 13e9728778..5d83187041 100644 --- a/erpnext/translations/sv.csv +++ b/erpnext/translations/sv.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Leverantörsnummer nr DocType: Journal Entry Account,Party Balance,Party Balance apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Fondens källa (Skulder) DocType: Payroll Period,Taxable Salary Slabs,Skattepliktiga löneplattor +DocType: Quality Action,Quality Feedback,Kvalitetsåterkoppling DocType: Support Settings,Support Settings,Supportinställningar apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Vänligen ange produktionsobjekt först DocType: Quiz,Grading Basis,Betygsgrunder @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Fler detaljer DocType: Salary Component,Earning,tjänar DocType: Restaurant Order Entry,Click Enter To Add,Klicka på Enter för att lägga till DocType: Employee Group,Employee Group,Medarbetargrupp +DocType: Quality Procedure,Processes,processer DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Ange växelkurs för att konvertera en valuta till en annan apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Åldringsområde 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Lager krävs för lager Artikel {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Klagomål DocType: Shipping Rule,Restrict to Countries,Begränsa till länder DocType: Hub Tracked Item,Item Manager,Produktchef apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Valutan för stängningskontot måste vara {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,budgetar apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Öppna fakturaobjekt DocType: Work Order,Plan material for sub-assemblies,Planera material för underenheter apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Hårdvara DocType: Budget,Action if Annual Budget Exceeded on MR,Åtgärd om årlig budget överskrider MR DocType: Sales Invoice Advance,Advance Amount,Förskottsbelopp +DocType: Accounting Dimension,Dimension Name,Dimensionsnamn DocType: Delivery Note Item,Against Sales Invoice Item,Mot försäljningsfakturaobjekt DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Inkludera produkt i tillverkning @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Vad gör det? ,Sales Invoice Trends,Försäljningsfakturatrender DocType: Bank Reconciliation,Payment Entries,Betalningsuppgifter DocType: Employee Education,Class / Percentage,Klass / Procentandel -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelnummer> Varugrupp> Varumärke ,Electronic Invoice Register,Elektroniskt fakturoregister DocType: Sales Invoice,Is Return (Credit Note),Är Retur (Kreditnot) DocType: Lab Test Sample,Lab Test Sample,Lab Test Prov @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,varianter apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Avgifterna kommer att fördelas proportionellt baserat på artikelnummer eller mängd, enligt ditt val" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Väntar på aktiviteter för idag +DocType: Quality Procedure Process,Quality Procedure Process,Kvalitetsprocess Process DocType: Fee Schedule Program,Student Batch,Studentbatch apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Värderingsfrekvens som krävs för objekt i rad {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Bastidstakt (företagsvaluta) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Ange antal i transaktioner baserat på serienummeringång apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Förskottskonto valuta ska vara samma som företagsvaluta {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Anpassa hemsida sektioner -DocType: Quality Goal,October,oktober +DocType: GSTR 3B Report,October,oktober DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Dölj kundens skatteidentitet från försäljningstransaktioner apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Ogiltig GSTIN! En GSTIN måste ha 15 tecken. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Prissättning regel {0} är uppdaterad @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Lämna Balans apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Underhållschema {0} existerar mot {1} DocType: Assessment Plan,Supervisor Name,Supervisor Name DocType: Selling Settings,Campaign Naming By,Kampanj Namn By -DocType: Course,Course Code,Kurskod +DocType: Student Group Creation Tool Course,Course Code,Kurskod apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuera avgifter baserade på DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Leverantör Scorecard Scoring Criteria @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Restaurangmeny DocType: Asset Movement,Purpose,Ändamål apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Lönestrukturuppdrag för anställd finns redan DocType: Clinical Procedure,Service Unit,Serviceenhet -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium DocType: Travel Request,Identification Document Number,Identifikationsdokumentnummer DocType: Stock Entry,Additional Costs,Extrakostnader -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",Föräldrarkurs (lämna tomt om detta inte ingår i föräldrakursen) DocType: Employee Education,Employee Education,Medarbetarutbildning apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Antal positioner kan inte vara mindre än nuvarande antal anställda apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Alla kundgrupper @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Rad {0}: Antal är obligatoriska DocType: Sales Invoice,Against Income Account,Mot inkomstkonto apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rad # {0}: Inköpsfaktura kan inte göras mot en befintlig tillgång {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Regler för tillämpning av olika marknadsföringssystem. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM-täckningsfaktor som krävs för UOM: {0} i punkt: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Vänligen ange kvantitet för artikel {0} DocType: Workstation,Electricity Cost,Elkostnad @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Totalt Projicerat antal apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,stycklistor DocType: Work Order,Actual Start Date,Faktiskt startdatum 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 -DocType: Company,About the Company,Om företaget apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Trä av finansiella konton. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Indirekt inkomst DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Hotell Rum Bokningsartikel @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Databas öve DocType: Skill,Skill Name,färdighetsnamn apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Skriv ut rapportkort DocType: Soil Texture,Ternary Plot,Ternary Plot +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 Inställningar> Inställningar> Naming Series apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Stödbiljetter DocType: Asset Category Account,Fixed Asset Account,Fixed Asset Account apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Senast @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Program Inskrivning ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Ange serien som ska användas. DocType: Delivery Trip,Distance UOM,Avstånd UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligatoriskt för balansräkningen DocType: Payment Entry,Total Allocated Amount,Totalt tilldelat belopp DocType: Sales Invoice,Get Advances Received,Få framtagna förskott DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Underhållschema Ar apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS-profil krävs för att göra POS-inmatning DocType: Education Settings,Enable LMS,Aktivera LMS DocType: POS Closing Voucher,Sales Invoices Summary,Sammanfattning av försäljningsfakturor +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Fördel apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit till konto måste vara en balansräkningskonto DocType: Video,Duration,Varaktighet DocType: Lab Test Template,Descriptive,Beskrivande @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Start- och slutdatum DocType: Supplier Scorecard,Notify Employee,Meddela anställd apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,programvara +DocType: Program,Allow Self Enroll,Tillåt självregistrering apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Lagerutgifter apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Referensnummer är obligatoriskt om du har angivit referensdatum DocType: Training Event,Workshop,Verkstad @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-fakturering saknas apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Ingen materiell förfrågan skapad +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelnummer> Varugrupp> Varumärke DocType: Loan,Total Amount Paid,Summa Betald Betalning apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Alla dessa föremål har redan fakturerats DocType: Training Event,Trainer Name,Trainer Name @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Akademiskt år DocType: Sales Stage,Stage Name,Artistnamn DocType: SMS Center,All Employee (Active),Alla anställda (aktiva) +DocType: Accounting Dimension,Accounting Dimension,Redovisning Dimension DocType: Project,Customer Details,Kunddetaljer DocType: Buying Settings,Default Supplier Group,Standardleverantörsgrupp apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Avbryt köps kvitto {0} först @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Ju högre antal, DocType: Designation,Required Skills,Obligatoriska färdigheter DocType: Marketplace Settings,Disable Marketplace,Inaktivera Marketplace DocType: Budget,Action if Annual Budget Exceeded on Actual,Åtgärd om årlig budget överskred på faktiska -DocType: Course,Course Abbreviation,Kursförkortning apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Närvaro som inte lämnats in för {0} som {1} på ledighet. DocType: Pricing Rule,Promotional Scheme Id,Promotionsschema ID apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Slutdatum för uppgiften {0} kan inte vara större än {1} förväntat slutdatum {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Marginalpengar DocType: Chapter,Chapter,Kapitel DocType: Purchase Receipt Item Supplied,Current Stock,Nuvarande lager DocType: Employee,History In Company,Historia i företaget -DocType: Item,Manufacturer,Tillverkare +DocType: Purchase Invoice Item,Manufacturer,Tillverkare apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Måttlig känslighet DocType: Compensatory Leave Request,Leave Allocation,Lämna tilldelning DocType: Timesheet,Timesheet,Tidrapport @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Material överfört f DocType: Products Settings,Hide Variants,Dölj varianter DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Inaktivera kapacitetsplanering och tidsspårning DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Beräknas i transaktionen. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} krävs för kontot "Balansräkning" {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} får inte göra transaktioner med {1}. Vänligen ändra bolaget. 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ällningarna om inköpsbehov krävs == 'JA' och sedan för att skapa Köpfaktura måste användaren skapa Köp kvittot först för artikel {0} DocType: Delivery Trip,Delivery Details,leveransdetaljer @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Föregående apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Måttenhet DocType: Lab Test,Test Template,Testmall DocType: Fertilizer,Fertilizer Contents,Innehåll för gödselmedel -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minut +DocType: Quality Meeting Minutes,Minute,Minut apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rad # {0}: Tillgång {1} kan inte skickas, det är redan {2}" DocType: Task,Actual Time (in Hours),Faktisk tid (i timmar) DocType: Period Closing Voucher,Closing Account Head,Avslutande kontohuvud @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratorium DocType: Purchase Order,To Bill,Att fakturera apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Utility Utgifter DocType: Manufacturing Settings,Time Between Operations (in mins),Tid mellan operationer (i min) -DocType: Quality Goal,May,Maj +DocType: GSTR 3B Report,May,Maj apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Betalnings Gateway-konto skapades inte, var vänlig skapa en manuellt." DocType: Opening Invoice Creation Tool,Purchase,Inköp DocType: Program Enrollment,School House,Skolhuset @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Lagstadgad information och annan allmän information om din Leverantör DocType: Item Default,Default Selling Cost Center,Standardförsäljningskostnadscenter DocType: Sales Partner,Address & Contacts,Adress och kontakter +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vänligen uppsätt nummerserien för deltagande via Inställningar> Numreringsserie DocType: Subscriber,Subscriber,Abonnent apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) är slut i lager apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Vänligen välj Placeringsdatum först @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Inpatientbesök DocType: Bank Statement Settings,Transaction Data Mapping,Transaktionsdata kartläggning apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,En bly kräver antingen en persons namn eller en organisations namn DocType: Student,Guardians,Guardians +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vänligen installera instruktörsnamnssystemet i utbildning> Utbildningsinställningar apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Välj varumärke ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Medelinkomst DocType: Shipping Rule,Calculate Based On,Beräkna baserad på @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Expense Claim Advance DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Avrundningsjustering (företagsvaluta) DocType: Item,Publish in Hub,Publicera i nav apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,Gstin -DocType: Quality Goal,August,augusti +DocType: GSTR 3B Report,August,augusti apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Vänligen ange köp kvitto först apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Startår apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Mål ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,Max provkvantitet apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Källa och mållager måste vara olika DocType: Employee Benefit Application,Benefits Applied,Fördelar tillämpade apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Mot Journal Entry {0} har ingen oöverträffad {1} post +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Särskilda tecken utom "-", "#", ".", "/", "{" Och "}" är inte tillåtna i namngivningsserier" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Pris- eller produktrabattplattor krävs apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Ange ett mål apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Deltagningsrekord {0} existerar mot student {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Per månad DocType: Routing,Routing Name,Routing Name DocType: Disease,Common Name,Vanligt namn -DocType: Quality Goal,Measurable,Mätbar DocType: Education Settings,LMS Title,LMS-titel apps/erpnext/erpnext/config/non_profit.py,Loan Management,Lånhantering -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Support Analtyics DocType: Clinical Procedure,Consumable Total Amount,Förbruknings Totalbelopp apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Aktivera mall apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Kund LPO @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,Serveras DocType: Loan,Member,Medlem DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Utövaren Service Unit Schedule apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Elektronisk överföring +DocType: Quality Review Objective,Quality Review Objective,Kvalitetsgranskningsmål DocType: Bank Reconciliation Detail,Against Account,Mot kontot DocType: Projects Settings,Projects Settings,Projektinställningar apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Faktisk mängd {0} / Vänta antal {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ve apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Skatteårets slutdatum ska vara ett år efter startdatumet för skatteåret apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Dagliga påminnelser DocType: Item,Default Sales Unit of Measure,Standardförsäljningsenhet av åtgärd +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Företaget GSTIN DocType: Asset Finance Book,Rate of Depreciation,Avskrivningsgrad DocType: Support Search Source,Post Description Key,Post Beskrivning Key DocType: Loyalty Program Collection,Minimum Total Spent,Minsta totala utgifter @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Ändring av kundgrupp för vald kund är inte tillåtet. DocType: Serial No,Creation Document Type,Skapande dokumenttyp DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Tillgänglig satsnummer på lager +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Detta är ett rotterritorium och kan inte redigeras. DocType: Patient,Surgical History,Kirurgisk historia apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Trä av kvalitetsprocedurer. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,A DocType: Item Group,Check this if you want to show in website,Kolla här om du vill visa på hemsidan apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiscal Year {0} not found DocType: Bank Statement Settings,Bank Statement Settings,Inställningar för bankräkning +DocType: Quality Procedure Process,Link existing Quality Procedure.,Länk befintlig kvalitetsprocedur. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Importera diagram över konton från CSV / Excel-filer DocType: Appraisal Goal,Score (0-5),Resultat (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Attribut {0} valt flera gånger i attributtabellen DocType: Purchase Invoice,Debit Note Issued,Debetnotering Utfärdad @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Lämna policy detaljer apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Lager som inte hittades i systemet DocType: Healthcare Practitioner,OP Consulting Charge,OP-konsultavgift -DocType: Quality Goal,Measurable Goal,Mätbart mål DocType: Bank Statement Transaction Payment Item,Invoices,fakturor DocType: Currency Exchange,Currency Exchange,Valutaväxling DocType: Payroll Entry,Fortnightly,Var fjortonde dag @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} lämnas inte in DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Backflush råvaror från arbetsgården DocType: Maintenance Team Member,Maintenance Team Member,Underhållspersonal +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Ange anpassade dimensioner för redovisning 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 DocType: Employee Health Insurance,Health Insurance Name,Sjukförsäkringsnamn apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Aktiefonder @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,Faktureringsadressens namn apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternativ artikel DocType: Certification Application,Name of Applicant,Sökandes namn DocType: Leave Type,Earned Leave,Förtjänt Avgång -DocType: Quality Goal,June,juni +DocType: GSTR 3B Report,June,juni apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Rad {0}: Kostnadscenter krävs för ett objekt {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Kan godkännas av {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Måttenheten {0} har skrivits in mer än en gång i konverteringstabell @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standardförsäljningsfrekvens apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Ange en aktiv meny för restaurang {0} apps/erpnext/erpnext/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 en användare med systemhanteraren och objekthanterarens roller för att lägga till användare på Marketplace. DocType: Asset Finance Book,Asset Finance Book,Asset Finance Book +DocType: Quality Goal Objective,Quality Goal Objective,Målsättning för kvalitetsmål DocType: Employee Transfer,Employee Transfer,Medarbetaröverföring ,Sales Funnel,Försäljningstratt DocType: Agriculture Analysis Criteria,Water Analysis,Vattenanalys @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Anställningsöve apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Väntar på aktiviteter apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Ange några av dina kunder. De kan vara organisationer eller individer. DocType: Bank Guarantee,Bank Account Info,Bankkontoinfo +DocType: Quality Goal,Weekday,Veckodag apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Namn DocType: Salary Component,Variable Based On Taxable Salary,Variabel baserad på beskattningsbar lön DocType: Accounting Period,Accounting Period,Räkenskapsperiod @@ -2229,7 +2245,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Avrundningsjustering DocType: Quality Review Table,Quality Review Table,Kvalitetskontrolltabell DocType: Member,Membership Expiry Date,Medlemskapets utgångsdatum DocType: Asset Finance Book,Expected Value After Useful Life,Förväntat värde efter användbar livstid -DocType: Quality Goal,November,november +DocType: GSTR 3B Report,November,november DocType: Loan Application,Rate of Interest,Ränta DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Bankredovisning Transaktionsbetalningsartikel DocType: Restaurant Reservation,Waitlisted,väntelistan @@ -2293,6 +2309,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}",Rad {0}: För att ange {1} periodicitet måste skillnaden mellan från och till dags \ vara större än eller lika med {2} DocType: Purchase Invoice Item,Valuation Rate,Värderingsfrekvens DocType: Shopping Cart Settings,Default settings for Shopping Cart,Standardinställningar för kundvagnen +DocType: Quiz,Score out of 100,Betyg av 100 DocType: Manufacturing Settings,Capacity Planning,Kapacitetsplanering apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Gå till instruktörer DocType: Activity Cost,Projects,projekt @@ -2302,6 +2319,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Från tid apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Detaljer Report +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,För köp apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Slots för {0} läggs inte till i schemat DocType: Target Detail,Target Distribution,Måldistribution @@ -2319,6 +2337,7 @@ DocType: Activity Cost,Activity Cost,Aktivitetskostnad DocType: Journal Entry,Payment Order,Betalningsorder apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Prissättning ,Item Delivery Date,Leveransdatum för artikel +DocType: Quality Goal,January-April-July-October,Januari-april-juli-oktober DocType: Purchase Order Item,Warehouse and Reference,Lager och referens apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Konto med barnknutar kan inte konverteras till huvudbok DocType: Soil Texture,Clay Composition (%),Lerkomposition (%) @@ -2369,6 +2388,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Framtida datum inte ti apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Rad {0}: Ange betalningsläge i Betalningsschema apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Academic Term: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Kvalitetsåterkopplingsparametern apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Var god välj Tillämpa rabatt på apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Rad # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Summa betalningar @@ -2411,7 +2431,7 @@ DocType: Hub Tracked Item,Hub Node,Navknutpunkt apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Anställnings-ID DocType: Salary Structure Assignment,Salary Structure Assignment,Lönestrukturuppdrag DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Skatter -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Åtgärd initierad +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Åtgärd initierad DocType: POS Profile,Applicable for Users,Gäller för användare DocType: Training Event,Exam,Examen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Felaktigt antal generaldirektörsuppgifter hittades. Du kanske har valt ett felaktigt konto i transaktionen. @@ -2518,6 +2538,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Longitud DocType: Accounts Settings,Determine Address Tax Category From,Bestäm adressskattskategori Från apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Identifiera beslutsfattare +DocType: Stock Entry Detail,Reference Purchase Receipt,Referensinköp apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Få inbjudningar DocType: Tally Migration,Is Day Book Data Imported,Inmatas dagboksdata ,Sales Partners Commission,Sales Partners Commission @@ -2541,6 +2562,7 @@ DocType: Leave Type,Applicable After (Working Days),Gäller efter (arbetsdagar) DocType: Timesheet Detail,Hrs,timmar DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Leverantörs Scorecard Criteria DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Kvalitets Feedback Template Parameter apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Datum för anslutning måste vara större än födelsedatum DocType: Bank Statement Transaction Invoice Item,Invoice Date,Fakturadatum DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Skapa Lab Test (s) på Försäljningsfaktura Skicka @@ -2647,7 +2669,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Minsta tillåtna vär DocType: Stock Entry,Source Warehouse Address,Källa lageradress DocType: Compensatory Leave Request,Compensatory Leave Request,Kompensationsförfrågan DocType: Lead,Mobile No.,Mobilnummer. -DocType: Quality Goal,July,juli +DocType: GSTR 3B Report,July,juli apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Stödberättigande ITC DocType: Fertilizer,Density (if liquid),Densitet (om vätska) DocType: Employee,External Work History,Extern arbetshistoria @@ -2724,6 +2746,7 @@ DocType: Certification Application,Certification Status,Certifieringsstatus apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Källplacering krävs för tillgången {0} DocType: Employee,Encashment Date,Encashment Date apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Var god välj Kompletdatum för slutförd underhållsförteckning +DocType: Quiz,Latest Attempt,Senaste försöket DocType: Leave Block List,Allow Users,Tillåt användare apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Diagram över konton apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Kunden är obligatorisk om "Opportunity From" är vald som Kund @@ -2788,7 +2811,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Leverans Scorecard S DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS-inställningar DocType: Program Enrollment,Walking,Gående DocType: SMS Log,Requested Numbers,Begärda nummer -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vänligen uppsätt nummerserien för deltagande via Inställningar> Numreringsserie DocType: Woocommerce Settings,Freight and Forwarding Account,Frakt och vidarebefordran konto apps/erpnext/erpnext/accounts/party.py,Please select a Company,Var god välj ett företag apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Rad {0}: {1} måste vara större än 0 @@ -2858,7 +2880,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Räkningar DocType: Training Event,Seminar,Seminarium apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kredit ({0}) DocType: Payment Request,Subscription Plans,Prenumerationsplaner -DocType: Quality Goal,March,Mars +DocType: GSTR 3B Report,March,Mars apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Split Batch DocType: School House,House Name,Hus-namn apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Enastående för {0} kan inte vara mindre än noll ({1}) @@ -2921,7 +2943,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Försäkring Startdatum DocType: Target Detail,Target Detail,Måldetalj DocType: Packing Slip,Net Weight UOM,Nettovikt UOM -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Konverteringsfaktor ({0} -> {1}) hittades inte för objektet: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Netto belopp (företagsvaluta) DocType: Bank Statement Transaction Settings Item,Mapped Data,Mappad data apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Värdepapper och depositioner @@ -2971,6 +2992,7 @@ DocType: Cheque Print Template,Cheque Height,Kontrollera höjden apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Vänligen ange avlastningsdatum. DocType: Loyalty Program,Loyalty Program Help,Lojalitetsprogram Hjälp DocType: Journal Entry,Inter Company Journal Entry Reference,Inter Company Journal Entry Reference +DocType: Quality Meeting,Agenda,Dagordning DocType: Quality Action,Corrective,korrigerande apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Grupp av DocType: Bank Account,Address and Contact,Adress och Kontakt @@ -3024,7 +3046,7 @@ DocType: GL Entry,Credit Amount,Kreditbelopp apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Summa belopp Credited DocType: Support Search Source,Post Route Key List,Skriv in ruttnyckellista apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} inte i något aktivt räkenskapsår. -DocType: Quality Action Table,Problem,Problem +DocType: Quality Action Resolution,Problem,Problem DocType: Training Event,Conference,Konferens DocType: Mode of Payment Account,Mode of Payment Account,Betalnings konto DocType: Leave Encashment,Encashable days,Encashable dagar @@ -3150,7 +3172,7 @@ DocType: Item,"Purchase, Replenishment Details","Inköp, Uppfyllningsdetaljer" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",När den är inställd kommer den här fakturan att vara kvar tills det angivna datumet apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Lager kan inte existera för Item {0} sedan har varianter DocType: Lab Test Template,Grouped,grupperade -DocType: Quality Goal,January,januari +DocType: GSTR 3B Report,January,januari DocType: Course Assessment Criteria,Course Assessment Criteria,Kursbedömningskriterier DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Slutförd mängd @@ -3246,7 +3268,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Hälso- och s apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Vänligen ange minst 1 faktura i tabellen apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Försäljningsorder {0} lämnas inte in apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Närvaro har markerats framgångsrikt. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Pre Sales +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Pre Sales apps/erpnext/erpnext/config/projects.py,Project master.,Projektmästare. DocType: Daily Work Summary,Daily Work Summary,Daglig arbetsöversikt DocType: Asset,Partially Depreciated,Delvis deprecierad @@ -3255,6 +3277,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Lämna Encashed? DocType: Certified Consultant,Discuss ID,Diskutera ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Ange GST-konton i GST-inställningar +DocType: Quiz,Latest Highest Score,Senaste högsta poängen DocType: Supplier,Billing Currency,Faktureringsvaluta apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Studentaktivitet apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Antingen målsättning eller målbelopp är obligatoriskt @@ -3280,18 +3303,21 @@ DocType: Sales Order,Not Delivered,Inte levererad 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 är ledigt utan lön DocType: GL Entry,Debit Amount,Debiteringsbelopp 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} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Delförsamlingar 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ätter att råda uppmanas användarna att manuellt ställa in prioritet för att lösa konflikter. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kan inte dra av när kategorin är för "Värdering" eller "Värdering och Total" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM och tillverkningskvantitet krävs apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Föremålet {0} har nått sitt slut på livet på {1} DocType: Quality Inspection Reading,Reading 6,Läsning 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Företagets fält är obligatoriskt apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Materialförbrukning är inte inställd i tillverkningsinställningar. DocType: Assessment Group,Assessment Group Name,Bedömningsgruppens namn -DocType: Item,Manufacturer Part Number,Tillverkarens varunummer +DocType: Purchase Invoice Item,Manufacturer Part Number,Tillverkarens varunummer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Lön betalas apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Rad # {0}: {1} kan inte vara negativ för artikel {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balans antal +DocType: Question,Multiple Correct Answer,Flera korrekt svar DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Lojalitetspoäng = Hur mycket basvaluta? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Obs! Det finns inte tillräckligt med lämningsbalans för lämnatyp {0} DocType: Clinical Procedure,Inpatient Record,Inpatient Record @@ -3414,6 +3440,7 @@ DocType: Fee Schedule Program,Total Students,Totalt studenter apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Lokal DocType: Chapter Member,Leave Reason,Lämna anledning DocType: Salary Component,Condition and Formula,Skick och formel +DocType: Quality Goal,Objectives,mål apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Lön som redan behandlats för perioden mellan {0} och {1}, lämnar ansökningsperioden inte mellan detta datumintervall." DocType: BOM Item,Basic Rate (Company Currency),Grundränta (Företagsvaluta) DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item @@ -3464,6 +3491,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Expense Claim Account apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Inga återbetalningar är tillgängliga för Journal Entry apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} är inaktiv student +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Gör lagerinmatning DocType: Employee Onboarding,Activities,verksamhet apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast ett lager är obligatoriskt ,Customer Credit Balance,Kundkreditsaldo @@ -3548,7 +3576,6 @@ DocType: Contract,Contract Terms,Kontraktsvillkor apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Antingen målsättning eller målbelopp är obligatoriskt. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Ogiltig {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Mötesdatum DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Förkortning kan inte ha mer än 5 tecken DocType: Employee Benefit Application,Max Benefits (Yearly),Max fördelar (årlig) @@ -3651,7 +3678,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Bankavgifter apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Varor överfördes apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primär kontaktuppgifter -DocType: Quality Review,Values,värden DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",Om det inte är markerat måste listan läggas till i varje avdelning där den ska tillämpas. DocType: Item Group,Show this slideshow at the top of the page,Visa detta bildspel längst upp på sidan apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} -parametern är ogiltig @@ -3670,6 +3696,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Bankavgifter Konto DocType: Journal Entry,Get Outstanding Invoices,Få utestående fakturor DocType: Opportunity,Opportunity From,Möjlighet från +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Målinformation DocType: Item,Customer Code,Kundkod apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Vänligen skriv objektet först apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Webbplatslista @@ -3698,7 +3725,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Leverans till DocType: Bank Statement Transaction Settings Item,Bank Data,Bankuppgifter apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Schemalagt Upto -DocType: Quality Goal,Everyday,Varje dag DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Underhålla faktureringstimmar och arbetstider samma på tidtabell apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Spåra ledningar av blykälla. DocType: Clinical Procedure,Nursing User,Sjuksköterska användare @@ -3723,7 +3749,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Hantera Territory Tree DocType: GL Entry,Voucher Type,Rabattkupong ,Serial No Service Contract Expiry,Serienummer Serviceavtalets utgång DocType: Certification Application,Certified,Auktoriserad -DocType: Material Request Plan Item,Manufacture,Tillverkning +DocType: Purchase Invoice Item,Manufacture,Tillverkning apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} producerade produkter apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Betalningsbegäran om {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Dagar sedan senaste order @@ -3738,7 +3764,7 @@ DocType: Sales Invoice,Company Address Name,Företagets adressnamn apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Varor i transit apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Du kan bara lösa in maximala {0} poäng i denna ordning. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Vänligen ange konto i lager {0} -DocType: Quality Action Table,Resolution,Upplösning +DocType: Quality Action,Resolution,Upplösning DocType: Sales Invoice,Loyalty Points Redemption,Lojalitetspoäng Inlösen apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Totalt skattevärde DocType: Patient Appointment,Scheduled,Planerad @@ -3859,6 +3885,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Betygsätta apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Sparar {0} DocType: SMS Center,Total Message(s),Totalt meddelande (er) +DocType: Purchase Invoice,Accounting Dimensions,Redovisningsmått apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Gruppera efter konto DocType: Quotation,In Words will be visible once you save the Quotation.,I Ord kommer du att synas när du sparat citatet. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Mängd att producera @@ -4023,7 +4050,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,I apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Om du har några frågor, vänligen kom tillbaka till oss." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Inköpsbevis {0} lämnas inte in DocType: Task,Total Expense Claim (via Expense Claim),Total kostnadskrav (via kostnadskrav) -DocType: Quality Action,Quality Goal,Kvalitetsmål +DocType: Quality Goal,Quality Goal,Kvalitetsmål DocType: Support Settings,Support Portal,Supportportal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Slutdatum för uppgift {0} kan inte vara mindre än {1} förväntat startdatum {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Anställd {0} är kvar på {1} @@ -4082,7 +4109,6 @@ DocType: BOM,Operating Cost (Company Currency),Rörelsekostnad (företagsvaluta) DocType: Item Price,Item Price,Varupris DocType: Payment Entry,Party Name,Partnamn apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Var god välj en kund -DocType: Course,Course Intro,Kursinledning DocType: Program Enrollment Tool,New Program,Nytt program apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Antal nya kostnadscenter, det kommer att ingå i kostnadscentrumets namn som ett prefix" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Välj kund eller leverantör. @@ -4283,6 +4309,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Netto lön kan inte vara negativ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Inget av interaktioner 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/hr/doctype/employee/employee_dashboard.py,Shift,Flytta apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Bearbetning av konton och parter DocType: Stock Settings,Convert Item Description to Clean HTML,Konvertera artikelbeskrivning för att rena HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alla leverantörsgrupper @@ -4361,6 +4388,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Föräldraartikel apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Mäkleri apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Var god skapa kvitto eller inköpsfaktura för objektet {0} +,Product Bundle Balance,Produktpaketbalans apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Företagsnamn kan inte vara Företag DocType: Maintenance Visit,Breakdown,Bryta ner DocType: Inpatient Record,B Negative,B Negativ @@ -4369,7 +4397,7 @@ DocType: Purchase Invoice,Credit To,Kredit till apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Skicka in denna arbetsorder för vidare bearbetning. DocType: Bank Guarantee,Bank Guarantee Number,Bankgaranti nummer apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Levereras: {0} -DocType: Quality Action,Under Review,Under granskning +DocType: Quality Meeting Table,Under Review,Under granskning apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Jordbruk (beta) ,Average Commission Rate,Genomsnittlig kommissionskurs DocType: Sales Invoice,Customer's Purchase Order Date,Kundens beställningsdatum @@ -4486,7 +4514,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Matcha betalningar med fakturor DocType: Holiday List,Weekly Off,Veckovis Av apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Tillåt inte att ange alternativ objekt för objektet {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Programmet {0} existerar inte. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Programmet {0} existerar inte. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Du kan inte redigera rotknutpunkt. DocType: Fee Schedule,Student Category,Studentkategori apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Artikel {0}: {1} Antal producerade," @@ -4577,8 +4605,8 @@ DocType: Crop,Crop Spacing,Beskära Spacing 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. DocType: Pricing Rule,Period Settings,Period inställningar apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Nettoförändring i kundfordringar +DocType: Quality Feedback Template,Quality Feedback Template,Kvalitetsåterkopplingsmall 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 -DocType: Quality Goal,Goal Objectives,Målmål 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" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Lämna tomma om du gör elever grupper per år apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Lån (Skulder) @@ -4613,12 +4641,13 @@ DocType: Quality Procedure Table,Step,Steg DocType: Normal Test Items,Result Value,Resultatvärde DocType: Cash Flow Mapping,Is Income Tax Liability,Är inkomstskattansvar DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Inpatient Visit Charge Item -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} existerar inte. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} existerar inte. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Uppdateringssvar DocType: Bank Guarantee,Supplier,Leverantör apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Ange värde mellan {0} och {1} DocType: Purchase Order,Order Confirmation Date,Beställ Bekräftelsedatum DocType: Delivery Trip,Calculate Estimated Arrival Times,Beräkna uppskattade ankomsttider +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vänligen uppsättning Anställd Namn System i Mänskliga Resurser> HR Inställningar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,förbrukningsartikel DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Prenumerations startdatum @@ -4682,6 +4711,7 @@ DocType: Cheque Print Template,Is Account Payable,Är kontot betalningsbart apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Totalt ordervärde apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Leverantör {0} finns inte i {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Inställningar för SMS-gateway +DocType: Salary Component,Round to the Nearest Integer,Runda till närmaste helhet apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Root kan inte ha ett moderkostnadscenter DocType: Healthcare Service Unit,Allow Appointments,Tillåt möten DocType: BOM,Show Operations,Visa operationer @@ -4810,7 +4840,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Standard Holiday List DocType: Naming Series,Current Value,Nuvarande värde apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Säsongsbetonadhet för att fastställa budgetar, mål etc." -DocType: Program,Program Code,Programkod apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Varning: Försäljningsorder {0} finns redan mot kundens inköpsorder {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Månatlig försäljningsmål ( DocType: Guardian,Guardian Interests,Guardian Intressen @@ -4860,10 +4889,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Betald och ej levererad apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Artikelnummer är obligatorisk eftersom artikelnumret inte numreras automatiskt DocType: GST HSN Code,HSN Code,HSN-kod -DocType: Quality Goal,September,september +DocType: GSTR 3B Report,September,september apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administrativa kostnader DocType: C-Form,C-Form No,C-formulär nr DocType: Purchase Invoice,End date of current invoice's period,Slutdatum för aktuell fakturans period +DocType: Item,Manufacturers,tillverkare DocType: Crop Cycle,Crop Cycle,Beskärningscykel DocType: Serial No,Creation Time,Skapelsetid apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Vänligen ange Godkännande roll eller Godkännande användare @@ -4936,8 +4966,6 @@ DocType: Employee,Short biography for website and other publications.,Kort biogr DocType: Purchase Invoice Item,Received Qty,Mottagen mängd DocType: Purchase Invoice Item,Rate (Company Currency),Betygsätt (Företagsvaluta) DocType: Item Reorder,Request for,Begäran om -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ta bort medarbetaren {0} \ för att avbryta det här dokumentet" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Installera förinställningar apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Ange återbetalningsperioder DocType: Pricing Rule,Advanced Settings,Avancerade inställningar @@ -4963,7 +4991,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Aktivera kundvagn DocType: Pricing Rule,Apply Rule On Other,Tillämpa regel på andra DocType: Vehicle,Last Carbon Check,Senaste kolskontrollen -DocType: Vehicle,Make,Göra +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Göra apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Försäljningsfaktura {0} skapad som betald apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,För att skapa en betalningsförfrågan krävs referensdokument apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Inkomstskatt @@ -5039,7 +5067,6 @@ DocType: Territory,Parent Territory,Föräldra territorium DocType: Vehicle Log,Odometer Reading,Odometerläsning DocType: Additional Salary,Salary Slip,Lönebesked DocType: Payroll Entry,Payroll Frequency,Lönefrekvens -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vänligen uppsättning Anställd Namn System i Mänskliga Resurser> HR Inställningar apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Start- och slutdatum inte i en giltig löneperiod, kan inte beräkna {0}" DocType: Products Settings,Home Page is Products,Hemsida är produkter apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,samtal @@ -5093,7 +5120,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Hämtar poster ...... DocType: Delivery Stop,Contact Information,Kontakt information DocType: Sales Order Item,For Production,För produktion -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vänligen installera instruktörsnamnssystemet i utbildning> Utbildningsinställningar DocType: Serial No,Asset Details,Tillgångsuppgifter DocType: Restaurant Reservation,Reservation Time,Bokningstid DocType: Selling Settings,Default Territory,Standard Territory @@ -5233,6 +5259,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,C apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Förfallna partier DocType: Shipping Rule,Shipping Rule Type,Leveransregel Typ DocType: Job Offer,Accepted,Accepterad +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ta bort medarbetaren {0} \ för att avbryta det här dokumentet" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Du har redan bedömt för bedömningskriterierna {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Välj batchnummer apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Ålder (dagar) @@ -5249,6 +5277,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Bundleartiklar vid tidpunkten för försäljningen. DocType: Payment Reconciliation Payment,Allocated Amount,Tilldelat belopp apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Var god välj Företag och Beteckning +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,"Datum" krävs DocType: Email Digest,Bank Credit Balance,Bankens kreditbalans apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Visa kumulativ mängd apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Du har inte tillräckligt med lojalitetspoäng för att lösa in @@ -5309,11 +5338,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,På tidigare rad total DocType: Student,Student Email Address,Student e-postadress DocType: Academic Term,Education,Utbildning DocType: Supplier Quotation,Supplier Address,Leverantörsadress -DocType: Salary Component,Do not include in total,Inkludera inte totalt +DocType: Salary Detail,Do not include in total,Inkludera inte totalt 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. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} existerar inte DocType: Purchase Receipt Item,Rejected Quantity,Avvisad mängd DocType: Cashier Closing,To TIme,Till tid +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Konverteringsfaktor ({0} -> {1}) hittades inte för objektet: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Daglig Arbets Sammanfattning Grupp Användare DocType: Fiscal Year Company,Fiscal Year Company,Fiscal Year Company apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternativet får inte vara samma som artikelnumret @@ -5423,7 +5453,6 @@ DocType: Fee Schedule,Send Payment Request Email,Skicka betalningsförfrågan vi DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,I Ord kommer du att synas när du har sparat försäljningsfaktura. DocType: Sales Invoice,Sales Team1,Försäljnings Team1 DocType: Work Order,Required Items,Obligatoriska föremål -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Särskilda tecken förutom "-", "#", "." och "/" inte tillåtet i namngivningsserier" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Läs ERPNext Manual DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Kontrollera leverantörsfaktura nummer unikhet apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Sök underförsamlingar @@ -5491,7 +5520,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Procentavdrag apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Mängd att producera kan inte vara mindre än noll DocType: Share Balance,To No,Till nr DocType: Leave Control Panel,Allocate Leaves,Tilldela blad -DocType: Quiz,Last Attempt,Sista försöket DocType: Assessment Result,Student Name,Elevs namn apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Planera för underhållsbesök. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Följande materialförfrågningar har tagits upp automatiskt baserat på varans ordernivå @@ -5560,6 +5588,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Indikatorfärg DocType: Item Variant Settings,Copy Fields to Variant,Kopiera fält till variant DocType: Soil Texture,Sandy Loam,Sandig blandjord +DocType: Question,Single Correct Answer,Enkelt korrekt svar apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Från datumet kan inte vara mindre än anställdes anslutningsdatum DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Tillåt flera försäljningsorder mot en kunds inköpsorder apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5622,7 +5651,7 @@ DocType: Account,Expenses Included In Valuation,Kostnader som ingår i värderin apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Serie nummer DocType: Salary Slip,Deductions,avdrag ,Supplier-Wise Sales Analytics,Leverantörs-Wise Sales Analytics -DocType: Quality Goal,February,februari +DocType: GSTR 3B Report,February,februari DocType: Appraisal,For Employee,För anställd apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Faktiskt leveransdatum DocType: Sales Partner,Sales Partner Name,Försäljningspartnernamn @@ -5718,7 +5747,6 @@ DocType: Procedure Prescription,Procedure Created,Förfarande skapat apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Mot leverantörsfaktura {0} daterad {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Ändra POS-profil apps/erpnext/erpnext/utilities/activation.py,Create Lead,Skapa bly -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverantör> Leverantörstyp DocType: Shopify Settings,Default Customer,Standardkund DocType: Payment Entry Reference,Supplier Invoice No,Leverantörs Faktura nr DocType: Pricing Rule,Mixed Conditions,Blandade förhållanden @@ -5769,12 +5797,14 @@ DocType: Item,End of Life,Uttjänta DocType: Lab Test Template,Sensitivity,Känslighet DocType: Territory,Territory Targets,Territoriella mål apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Hoppa överlåtetilldelning för följande anställda, eftersom överföringsuppgifter redan finns mot dem. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Kvalitetsåtgärdsresolution DocType: Sales Invoice Item,Delivered By Supplier,Levereras av leverantör DocType: Agriculture Analysis Criteria,Plant Analysis,Växtanalys apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Kostnadskonto är obligatoriskt för artikel {0} ,Subcontracted Raw Materials To Be Transferred,Subcontracted Raw Materials som ska överföras DocType: Cashier Closing,Cashier Closing,Kassat stängning apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Föremål {0} har redan returnerats +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Ogiltig GSTIN! Inmatningen du har angett matchar inte GSTIN-formatet för UIN-ägare eller icke-residenta OIDAR-tjänsteleverantörer apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barnlagret finns för detta lager. Du kan inte ta bort det här lagret. DocType: Diagnosis,Diagnosis,Diagnos apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Det finns ingen ledighet mellan {0} och {1} @@ -5791,6 +5821,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Autorisationsinställningar DocType: Homepage,Products,Produkter ,Profit and Loss Statement,Resultaträkning apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Rum bokade +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Kopiera inmatningen mot artikeln {0} och tillverkaren {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Totalvikt apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Resa @@ -5839,6 +5870,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Standard kundgrupp DocType: Journal Entry Account,Debit in Company Currency,Debit i företagsvaluta DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Fallback-serien är "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Kvalitets mötesagenda DocType: Cash Flow Mapper,Section Header,Sektionsrubrik apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Dina produkter eller tjänster DocType: Crop,Perennial,Perenn @@ -5884,7 +5916,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","En produkt eller en tjänst som köps, säljs eller förvaras i lager." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Stängning (Öppning + Totalt) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterier Formel -,Support Analytics,Support Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Support Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Granskning och åtgärd DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Om kontot är fruset, är poster tillåtna för begränsade användare." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Belopp efter avskrivningar @@ -5929,7 +5961,6 @@ DocType: Contract Template,Contract Terms and Conditions,Avtalsvillkor apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Hämta data DocType: Stock Settings,Default Item Group,Standardobjektgrupp DocType: Sales Invoice Timesheet,Billing Hours,Faktureringstimmar -DocType: Item,Item Code for Suppliers,Artikelnummer för leverantörer 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} DocType: Pricing Rule,Margin Type,Marginal typ DocType: Purchase Invoice Item,Rejected Serial No,Avvisat serienummer @@ -6002,6 +6033,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Bladen har beviljats framgångsrikt DocType: Loyalty Point Entry,Expiry Date,Utgångsdatum DocType: Project Task,Working,Arbetssätt +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} har redan ett föräldraförfarande {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Detta är baserat på transaktioner mot denna patient. Se tidslinjen nedan för detaljer DocType: Material Request,Requested For,Begärt för DocType: SMS Center,All Sales Person,Alla säljare @@ -6089,6 +6121,7 @@ DocType: Loan Type,Maximum Loan Amount,Maximalt lånbelopp apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-post hittades inte i standardkontakt DocType: Hotel Room Reservation,Booked,bokade DocType: Maintenance Visit,Partially Completed,Delvis slutförd +DocType: Quality Procedure Process,Process Description,Metodbeskrivning DocType: Company,Default Employee Advance Account,Standardansvarig förskottskonto DocType: Leave Type,Allow Negative Balance,Tillåt negativ balans apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Bedömningsplan namn @@ -6130,6 +6163,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Begäran om offert apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} inmatades två gånger i produktskatt DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Dra av hela skatten på vald utbetalningsdag +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Sista koldioxidkontrolldatumet kan inte vara ett framtida datum apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Välj ändringsbelopp konto DocType: Support Settings,Forum Posts,Foruminlägg DocType: Timesheet Detail,Expected Hrs,Förväntad tid @@ -6139,7 +6173,7 @@ DocType: Program Enrollment Tool,Enroll Students,Registrera studenter apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Upprepa kundintäkter DocType: Company,Date of Commencement,Datum för inledande DocType: Bank,Bank Name,Bank namn -DocType: Quality Goal,December,december +DocType: GSTR 3B Report,December,december apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Giltig från datum måste vara mindre än gällande upp till datum apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Detta grundar sig på närvaro av den anställde DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",Om den är markerad är startsidan standardgrupp för webbplatsen @@ -6182,6 +6216,7 @@ DocType: Payment Entry,Payment Type,Betalnings typ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Folio numren matchar inte DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Kvalitetskontroll: {0} lämnas inte för objektet: {1} i rad {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Visa {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} objekt hittades. ,Stock Ageing,Lager åldrande DocType: Customer Group,Mention if non-standard receivable account applicable,Ange om icke-standardfordran är tillämpligt @@ -6460,6 +6495,7 @@ DocType: Travel Request,Costing,Kostnadsberäkning apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Anläggningstillgångar DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Summa vinstmedel +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium DocType: Share Balance,From No,Från nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betalningsavstämningsfaktura DocType: Purchase Invoice,Taxes and Charges Added,Skatter och avgifter tillagda @@ -6467,7 +6503,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Tänk på skatter DocType: Authorization Rule,Authorized Value,Godkänt värde apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Mottaget från apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Lager {0} existerar inte +DocType: Item Manufacturer,Item Manufacturer,Produkt Tillverkare DocType: Sales Invoice,Sales Team,Säljteam +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Bundle Antal DocType: Purchase Order Item Supplied,Stock UOM,Lager UOM DocType: Installation Note,Installation Date,Installationsdatum DocType: Email Digest,New Quotations,Nya citat @@ -6531,7 +6569,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Semesterlista Namn DocType: Water Analysis,Collection Temperature ,Samlingstemperatur DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Hantera avtalsfaktura skickar in och avbryter automatiskt för patientmottagning -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 Inställningar> Inställningar> Naming Series DocType: Employee Benefit Claim,Claim Date,Ansökningsdatum DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Lämna tomma om Leverantören är blockerad på obestämd tid apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Närvaro från datum och närvaro till datum är obligatorisk @@ -6542,6 +6579,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Datum för pensionering apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Vänligen välj Patient DocType: Asset,Straight Line,Rak linje +DocType: Quality Action,Resolutions,beslut DocType: SMS Log,No of Sent SMS,Inget skickat SMS ,GST Itemised Sales Register,GST Artized Sales Register apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Det totala förskottsbeloppet kan inte vara större än det totala sanktionerade beloppet @@ -6652,7 +6690,7 @@ DocType: Account,Profit and Loss,Vinst och förlust apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Antal DocType: Asset Finance Book,Written Down Value,Skriftligt nedvärde apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Öppningsbalans Eget kapital -DocType: Quality Goal,April,april +DocType: GSTR 3B Report,April,april DocType: Supplier,Credit Limit,Kreditgräns apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Distribution apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6707,6 +6745,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Anslut Shopify med ERPNext DocType: Homepage Section Card,Subtitle,Texta DocType: Soil Texture,Loam,Lerjord +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverantör> Leverantörstyp DocType: BOM,Scrap Material Cost(Company Currency),Skrotmaterialkostnad (företagsvaluta) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Leveransnotering {0} får inte lämnas in DocType: Task,Actual Start Date (via Time Sheet),Faktiskt startdatum (via tidskriftsblad) @@ -6762,7 +6801,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosering DocType: Cheque Print Template,Starting position from top edge,Startposition från överkant apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Utnämningstid (min) -DocType: Pricing Rule,Disable,inaktivera +DocType: Accounting Dimension,Disable,inaktivera DocType: Email Digest,Purchase Orders to Receive,Inköpsorder att ta emot apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Produktionsorder kan inte höjas för: DocType: Projects Settings,Ignore Employee Time Overlap,Ignorera Överlappning av anställd @@ -6846,6 +6885,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Skapa DocType: Item Attribute,Numeric Values,Numeriska värden DocType: Delivery Note,Instructions,Instruktioner DocType: Blanket Order Item,Blanket Order Item,Blankettbeställningsartikel +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Obligatoriskt för vinst och förlust konto apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Kommissionens skattesats får inte vara större än 100 DocType: Course Topic,Course Topic,Kursens ämne DocType: Employee,This will restrict user access to other employee records,Detta kommer att begränsa användaråtkomsten till andra anställningsregister @@ -6870,12 +6910,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Prenumerations apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Få kunder från apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Rapporter till +DocType: Video,YouTube,Youtube DocType: Party Account,Party Account,Party-konto DocType: Assessment Plan,Schedule,Schema apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Stig på DocType: Lead,Channel Partner,Kanal partner apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Fakturerad mängd DocType: Project,From Template,Från Mall +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Prenumerationer apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Mängd att göra DocType: Quality Review Table,Achieved,Uppnått @@ -6922,7 +6964,6 @@ DocType: Journal Entry,Subscription Section,Prenumerationsavsnitt DocType: Salary Slip,Payment Days,Betalningsdagar apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Frivillig information. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Frys lager Äldre än` bör vara mindre än% d dagar. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Välj Fiscal Year DocType: Bank Reconciliation,Total Amount,Totala summan DocType: Certification Application,Non Profit,Icke-vinst DocType: Subscription Settings,Cancel Invoice After Grace Period,Avbryt faktura efter grace period @@ -6935,7 +6976,6 @@ DocType: Serial No,Warranty Period (Days),Garantiperiod (dagar) DocType: Expense Claim Detail,Expense Claim Detail,Kostnadskrav detaljer apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Program: DocType: Patient Medical Record,Patient Medical Record,Patient Medical Record -DocType: Quality Action,Action Description,Åtgärd Beskrivning DocType: Item,Variant Based On,Variant baserad på DocType: Vehicle Service,Brake Oil,Bromsolja DocType: Employee,Create User,Skapa användare @@ -6991,7 +7031,7 @@ DocType: Cash Flow Mapper,Section Name,Avsnittsnamn DocType: Packed Item,Packed Item,Förpackat föremål apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Vardera debit- eller kreditbelopp krävs för {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Inlämning av löneavdrag ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Ingen action +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Ingen action apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget kan inte tilldelas mot {0}, eftersom det inte är ett inkomst eller kostnadskonto" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Mästare och konton DocType: Quality Procedure Table,Responsible Individual,Ansvarig person @@ -7114,7 +7154,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Tillåt kontotillverkning mot barnbolaget DocType: Payment Entry,Company Bank Account,Företagets bankkonto DocType: Amazon MWS Settings,UK,Storbritannien -DocType: Quality Procedure,Procedure Steps,Förfarande Steg DocType: Normal Test Items,Normal Test Items,Normala testpunkter apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Artikel {0}: Beställd kvantitet {1} kan inte vara mindre än minsta antal beställningar {2} (definierad i Item). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Inte i lager @@ -7193,7 +7232,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Underhålls roll apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Användarvillkor Mall DocType: Fee Schedule Program,Fee Schedule Program,Avgiftsschema Program -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kursen {0} existerar inte. DocType: Project Task,Make Timesheet,Gör tidtabell DocType: Production Plan Item,Production Plan Item,Produktionsplan Artikel apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Totalt Student @@ -7215,6 +7253,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Avslutar apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Du kan bara förnya om ditt medlemskap löper ut inom 30 dagar apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Värdet måste vara mellan {0} och {1} +DocType: Quality Feedback,Parameters,parametrar ,Sales Partner Transaction Summary,Försäljningspartners transaktionsöversikt DocType: Asset Maintenance,Maintenance Manager Name,Underhållsansvarig namn apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Det behövs för att hämta objektdetaljer. @@ -7253,6 +7292,7 @@ DocType: Student Admission,Student Admission,Studentträning DocType: Designation Skill,Skill,Skicklighet DocType: Budget Account,Budget Account,Budgetkonto DocType: Employee Transfer,Create New Employee Id,Skapa nyanställd id +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} krävs för "vinst och förlust" konto {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Varor och tjänster Skatt (GST Indien) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Skapa löneglister ... DocType: Employee Skill,Employee Skill,Medarbetarfärdighet @@ -7353,6 +7393,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Faktura Separ DocType: Subscription,Days Until Due,Dagar fram till förfall apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Visa slutfört apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Bankredovisning Transaktionsrapport +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bankkläder apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Rate måste vara samma som {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Hälso- och sjukvårdstjänster @@ -7409,6 +7450,7 @@ DocType: Training Event Employee,Invited,inbjuden apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Högsta belopp som är berättigat till komponenten {0} överstiger {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Belopp till Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",För {0} kan endast debetkonton kopplas mot en annan kreditpost +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Skapa dimensioner ... DocType: Bank Statement Transaction Entry,Payable Account,Betalbart konto apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Vänligen nämna några besök som krävs DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Välj bara om du har inställningar för Cash Flow Mapper-dokument @@ -7426,6 +7468,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,V DocType: Service Level,Resolution Time,Upplösningstid DocType: Grading Scale Interval,Grade Description,Betygsbeskrivning DocType: Homepage Section,Cards,kort +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kvalitetsmötet protokoll DocType: Linked Plant Analysis,Linked Plant Analysis,Länkad analys av växter apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Service Stop Date kan inte vara efter service Slutdatum apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Ange B2C-gränsen i GST-inställningar. @@ -7460,7 +7503,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Anställd närvarover DocType: Employee,Educational Qualification,Utbildnings Kvalificering apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Tillgängligt värde apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Provkvantitet {0} kan inte vara mer än mottagen kvantitet {1} -DocType: Quiz,Last Highest Score,Senaste högsta poäng DocType: POS Profile,Taxes and Charges,Skatter och avgifter DocType: Opportunity,Contact Mobile No,Kontakta mobilnr DocType: Employee,Joining Details,Ansluta Detaljer diff --git a/erpnext/translations/sw.csv b/erpnext/translations/sw.csv index f3b9154c02..357b8cb5a2 100644 --- a/erpnext/translations/sw.csv +++ b/erpnext/translations/sw.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Sehemu ya Wafanyabiashara N DocType: Journal Entry Account,Party Balance,Mizani ya Chama apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Chanzo cha Mfuko (Madeni) DocType: Payroll Period,Taxable Salary Slabs,Slabs Salary Taxable +DocType: Quality Action,Quality Feedback,Maoni ya ubora DocType: Support Settings,Support Settings,Mipangilio ya Kusaidia apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Tafadhali ingiza Bidhaa ya Uzalishaji kwanza DocType: Quiz,Grading Basis,Msingi wa Kusonga @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Maelezo zaidi DocType: Salary Component,Earning,Kipato DocType: Restaurant Order Entry,Click Enter To Add,Bonyeza Ingia Kuongeza DocType: Employee Group,Employee Group,Kikundi cha Waajiriwa +DocType: Quality Procedure,Processes,Mchakato DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Taja Kiwango cha Kubadilika kubadilisha fedha moja hadi nyingine apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Kipindi cha kuzeeka 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Ghala inayotakiwa kwa kipengee cha hisa {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Malalamiko DocType: Shipping Rule,Restrict to Countries,Zuia Nchi DocType: Hub Tracked Item,Item Manager,Meneja wa Bidhaa apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Fedha ya Akaunti ya kufunga lazima {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Bajeti apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Ufunguzi wa Bidhaa ya Invoice DocType: Work Order,Plan material for sub-assemblies,Panga nyenzo kwa makusanyiko ndogo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Vifaa DocType: Budget,Action if Annual Budget Exceeded on MR,Hatua kama Bajeti ya Mwaka imeongezeka kwa MR DocType: Sales Invoice Advance,Advance Amount,Kiwango cha Mapema +DocType: Accounting Dimension,Dimension Name,Jina la Kipimo DocType: Delivery Note Item,Against Sales Invoice Item,Dhidi ya Bidhaa ya Invoice Item DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP -YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Weka Jumuiya Katika Uzalishaji @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Inafanya nini? ,Sales Invoice Trends,Mwelekeo wa Mauzo ya Invoice DocType: Bank Reconciliation,Payment Entries,Entries ya Malipo DocType: Employee Education,Class / Percentage,Hatari / Asilimia -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Msimbo wa Kipengee> Kikundi cha Bidhaa> Brand ,Electronic Invoice Register,Daftari ya Invoice ya umeme DocType: Sales Invoice,Is Return (Credit Note),Inarudi (Kielelezo cha Mikopo) DocType: Lab Test Sample,Lab Test Sample,Mfano wa Mtihani wa Lab @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Tofauti apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Malipo yatasambazwa kulingana na bidhaa qty au kiasi, kulingana na uteuzi wako" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Shughuli zinasubiri leo +DocType: Quality Procedure Process,Quality Procedure Process,Mchakato wa Utaratibu wa Ubora DocType: Fee Schedule Program,Student Batch,Kundi la Wanafunzi apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Kiwango cha Vigezo kinachohitajika kwa Bidhaa katika mstari {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Kiwango cha saa ya msingi (Fedha la Kampuni) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Weka Uchina katika Shughuli kulingana na Serial No Input 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} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Customize Sehemu za Homepage -DocType: Quality Goal,October,Oktoba +DocType: GSTR 3B Report,October,Oktoba DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ficha Ideni ya Kodi ya Wateja kutoka kwa Mauzo ya Mauzo apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN isiyo sahihi! GSTIN lazima iwe na wahusika 15. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Kanuni ya bei {0} inasasishwa @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Acha Mizani apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Ratiba ya Matengenezo {0} ipo dhidi ya {1} DocType: Assessment Plan,Supervisor Name,Jina la Msimamizi DocType: Selling Settings,Campaign Naming By,Kampeni inayoitwa na -DocType: Course,Course Code,Msimbo wa Kozi +DocType: Student Group Creation Tool Course,Course Code,Msimbo wa Kozi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Mazingira DocType: Landed Cost Voucher,Distribute Charges Based On,Shirikisha mishahara ya msingi DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Scorecard ya Wafanyabiashara Uwezo wa Hifadhi @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Mkahawa wa Menyu DocType: Asset Movement,Purpose,Kusudi apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Mfumo wa Mshahara wa Mshahara kwa Mfanyakazi tayari yupo DocType: Clinical Procedure,Service Unit,Kitengo cha Huduma -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Wateja> Kikundi cha Wateja> Eneo DocType: Travel Request,Identification Document Number,Nambari ya Nyaraka ya Utambulisho DocType: Stock Entry,Additional Costs,Gharama za ziada -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Kozi ya Mzazi (Acha tupu, kama hii si sehemu ya Kozi ya Mzazi)" DocType: Employee Education,Employee Education,Elimu ya Waajiriwa apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Idadi ya nafasi haiwezi kuwa chini na hesabu ya sasa ya wafanyakazi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Vikundi vyote vya Wateja @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Row {0}: Uchina ni lazima DocType: Sales Invoice,Against Income Account,Dhidi ya Akaunti ya Mapato apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Invoice ya Ununuzi haiwezi kufanywa dhidi ya mali iliyopo {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Sheria ya kutumia mipango tofauti ya uendelezaji. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Kipengele cha ufunuo wa UOM kinahitajika kwa UOM: {0} katika Item: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Tafadhali ingiza kiasi cha Bidhaa {0} DocType: Workstation,Electricity Cost,Gharama za Umeme @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Jumla ya Uchina uliopangwa apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Tarehe ya Kwanza ya Kuanza 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 -DocType: Company,About the Company,Kuhusu Kampuni apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Mti wa akaunti za kifedha. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Mapato yasiyo ya moja kwa moja DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Kitu cha Uhifadhi wa Chumba cha Hoteli @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database ya DocType: Skill,Skill Name,Jina la ujuzi apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Kadi ya Ripoti ya Kuchapa DocType: Soil Texture,Ternary Plot,Plot ya Ternary +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 Naming kwa {0} kupitia Setup> Mipangilio> Mfululizo wa Naming apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Tiketi za Msaada DocType: Asset Category Account,Fixed Asset Account,Akaunti ya Mali isiyohamishika apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Hivi karibuni @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Kozi ya Usajili wa ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Tafadhali weka mfululizo kutumiwa. DocType: Delivery Trip,Distance UOM,Umbali wa UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Kazi ya Karatasi ya Mizani DocType: Payment Entry,Total Allocated Amount,Kiasi kilichopangwa DocType: Sales Invoice,Get Advances Received,Pata Mafanikio Iliyopokelewa DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Kitambulisho cha Ra apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,Profaili ya POS inahitajika ili ufanye POS Entry DocType: Education Settings,Enable LMS,Wezesha LMS DocType: POS Closing Voucher,Sales Invoices Summary,Muhtasari wa Mauzo ya Mauzo +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Faida apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Mikopo Kwa akaunti lazima iwe akaunti ya Hesabu ya Hesabu DocType: Video,Duration,Muda DocType: Lab Test Template,Descriptive,Maelezo @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Anza na Mwisho Dates DocType: Supplier Scorecard,Notify Employee,Wajulishe Waajiriwa apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Programu +DocType: Program,Allow Self Enroll,Ruhusu Kujiandikisha apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Malipo ya hisa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Hakuna kumbukumbu ni lazima ikiwa umeingia Tarehe ya Kumbukumbu DocType: Training Event,Workshop,Warsha @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Kigezo cha Mtihani wa Lab apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Maelezo ya Utoaji wa E-mail Kukosekana apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Hakuna ombi la vifaa limeundwa +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Msimbo wa Kipengee> Kikundi cha Bidhaa> Brand DocType: Loan,Total Amount Paid,Jumla ya Kutolewa apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Vitu vyote hivi tayari vinatumika DocType: Training Event,Trainer Name,Jina la Mkufunzi @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Mwaka wa Elimu DocType: Sales Stage,Stage Name,Jina la hatua DocType: SMS Center,All Employee (Active),Wafanyakazi wote (Active) +DocType: Accounting Dimension,Accounting Dimension,Mkaguzi wa Uhasibu DocType: Project,Customer Details,Maelezo ya Wateja DocType: Buying Settings,Default Supplier Group,Kikundi cha Wasambazaji cha Default apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Tafadhali ghairi Receipt ya Ununuzi {0} kwanza @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Nambari ya juu, DocType: Designation,Required Skills,Ustadi Unaohitajika DocType: Marketplace Settings,Disable Marketplace,Lemaza mahali pa Marketplace DocType: Budget,Action if Annual Budget Exceeded on Actual,Hatua kama Bajeti ya Mwaka imeendelea juu ya kweli -DocType: Course,Course Abbreviation,Hali ya Mafunzo apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Mahudhurio hayajawasilishwa kwa {0} kama {1} wakati wa kuondoka. DocType: Pricing Rule,Promotional Scheme Id,Id Idhini ya Uendelezaji apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Tarehe ya mwisho ya kazi {0} haiwezi kuwa kubwa zaidi kuliko {1} tarehe ya kumalizika ya mwisho {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Margin Pesa DocType: Chapter,Chapter,Sura DocType: Purchase Receipt Item Supplied,Current Stock,Stock sasa DocType: Employee,History In Company,Historia Katika Kampuni -DocType: Item,Manufacturer,Mtengenezaji +DocType: Purchase Invoice Item,Manufacturer,Mtengenezaji apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Sensitivity ya wastani DocType: Compensatory Leave Request,Leave Allocation,Acha Ugawaji DocType: Timesheet,Timesheet,Timesheet @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Nyenzo Iliyohamishwa DocType: Products Settings,Hide Variants,Ficha Vigezo DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Zima Mipangilio ya Uwezo na Ufuatiliaji wa Muda DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Itahesabiwa katika shughuli. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} inahitajika kwa akaunti ya 'Msahani wa Karatasi' {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} haruhusiwi kuingiliana na {1}. Tafadhali mabadiliko ya Kampuni. 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}" DocType: Delivery Trip,Delivery Details,Maelezo ya utoaji @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Kabla apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Kipimo cha Kupima DocType: Lab Test,Test Template,Kigezo cha Mtihani DocType: Fertilizer,Fertilizer Contents,Mbolea Yaliyomo -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Dakika +DocType: Quality Meeting Minutes,Minute,Dakika apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Mali isiyohamishika {1} haiwezi kutumwa, tayari iko {2}" DocType: Task,Actual Time (in Hours),Muda halisi (katika Masaa) DocType: Period Closing Voucher,Closing Account Head,Kufunga kichwa cha Akaunti @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Maabara DocType: Purchase Order,To Bill,Kwa Bill apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Malipo ya matumizi DocType: Manufacturing Settings,Time Between Operations (in mins),Muda kati ya Uendeshaji (kwa muda mfupi) -DocType: Quality Goal,May,Mei +DocType: GSTR 3B Report,May,Mei apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Akaunti ya Gateway ya Malipo haijatengenezwa, tafadhali ingiza moja kwa moja." DocType: Opening Invoice Creation Tool,Purchase,Ununuzi DocType: Program Enrollment,School House,Shule ya Shule @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,S DocType: Supplier,Statutory info and other general information about your Supplier,Maelezo ya kisheria na maelezo mengine ya jumla kuhusu Wafanyabiashara wako DocType: Item Default,Default Selling Cost Center,Kituo cha Gharama ya Kuuza Ghali DocType: Sales Partner,Address & Contacts,Anwani na wasiliana +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Tafadhali kuanzisha mfululizo wa kuhesabu kwa Mahudhurio kupitia Upangilio> Orodha ya Kuhesabu DocType: Subscriber,Subscriber,Msajili apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Fomu / Bidhaa / {0}) haipo nje ya hisa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Tafadhali chagua Tarehe ya Kuweka kwanza @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Msaada wa Ziara ya Wagon DocType: Bank Statement Settings,Transaction Data Mapping,Mapato ya Takwimu za Transaction apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Kiongozi kinahitaji jina la mtu au jina la shirika DocType: Student,Guardians,Walinzi +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Tafadhali kuanzisha Mtaalamu wa Kuita Mfumo katika Elimu> Mipangilio ya Elimu apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Chagua Brand ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Mapato ya Kati DocType: Shipping Rule,Calculate Based On,Tumia Mahesabu @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Tumia Madai ya Ushauri DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Marekebisho ya Upangaji (Kampuni ya Fedha) DocType: Item,Publish in Hub,Chapisha katika Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,Agosti +DocType: GSTR 3B Report,August,Agosti apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Tafadhali ingiza Receipt ya Ununuzi kwanza apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Mwaka wa Mwanzo apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Lengo ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,Max Mfano Wingi apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Chanzo na lengo la ghala lazima iwe tofauti DocType: Employee Benefit Application,Benefits Applied,Faida zilizofanywa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Dhidi ya Kuingia kwa Machapisho {0} haina kuingia {1} isiyofanana +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Tabia maalum isipokuwa "-", "#", ".", "/", "{" Na "}" haziruhusiwi kutamka mfululizo" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Bei au slabs za bidhaa zinahitajika apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Weka Njia apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Rekodi ya Mahudhurio {0} ipo dhidi ya Mwanafunzi {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Kwa mwezi DocType: Routing,Routing Name,Jina la Routing DocType: Disease,Common Name,Jina la kawaida -DocType: Quality Goal,Measurable,Inawezekana DocType: Education Settings,LMS Title,Kitambulisho cha LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Usimamizi wa Mikopo -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Analtyics ya msaada DocType: Clinical Procedure,Consumable Total Amount,Kiasi cha Jumla cha Kuweza apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Wezesha Kigezo apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,LPO ya Wateja @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,Imehudumiwa DocType: Loan,Member,Mwanachama DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Ratiba ya Kitengo cha Utumishi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Uhamisho wa Wire +DocType: Quality Review Objective,Quality Review Objective,Lengo la Mapitio ya Ubora DocType: Bank Reconciliation Detail,Against Account,Dhidi ya Akaunti DocType: Projects Settings,Projects Settings,Mipangilio ya Miradi apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Uhakika halisi {0} / Kiwango cha kusubiri {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ca apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Tarehe ya Mwisho wa Fedha inapaswa kuwa mwaka mmoja baada ya Tarehe ya Kuanza ya Mwaka wa Fedha apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Kumbukumbu za kila siku DocType: Item,Default Sales Unit of Measure,Kiwango cha Mauzo cha Kiwango cha Mauzo +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Kampuni ya GSTIN DocType: Asset Finance Book,Rate of Depreciation,Kiwango cha Uharibifu DocType: Support Search Source,Post Description Key,Maelezo ya Chapisho Muhimu DocType: Loyalty Program Collection,Minimum Total Spent,Kima cha chini cha Jumla kilitumika @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Kubadilisha Kundi la Wateja kwa Wateja waliochaguliwa hairuhusiwi. DocType: Serial No,Creation Document Type,Aina ya Hati ya Uumbaji DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Inapatikana Chini ya Baki katika Ghala +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Nambari ya Jumla ya ankara apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Hii ni eneo la mizizi na haiwezi kuhaririwa. DocType: Patient,Surgical History,Historia ya upasuaji apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Mti wa Utaratibu wa Ubora. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,U DocType: Item Group,Check this if you want to show in website,Angalia hii ikiwa unataka kuonyesha kwenye tovuti apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Mwaka wa Fedha {0} haukupatikana DocType: Bank Statement Settings,Bank Statement Settings,Mipangilio ya Taarifa ya Benki +DocType: Quality Procedure Process,Link existing Quality Procedure.,Unganisha Utaratibu wa Ubora uliopo. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Weka Chati ya Akaunti kutoka kwa faili za CSV / Excel DocType: Appraisal Goal,Score (0-5),Score (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Ishara {0} zilizochaguliwa mara nyingi katika Jedwali la sifa DocType: Purchase Invoice,Debit Note Issued,Kumbuka kwa Debit imeondolewa @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Acha Sera ya Ufafanuzi apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Ghala haipatikani kwenye mfumo DocType: Healthcare Practitioner,OP Consulting Charge,Ushauri wa ushauri wa OP -DocType: Quality Goal,Measurable Goal,Lengo la kupima DocType: Bank Statement Transaction Payment Item,Invoices,Ankara DocType: Currency Exchange,Currency Exchange,Kubadilisha Fedha DocType: Payroll Entry,Fortnightly,Usiku wa jioni @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} haijawasilishwa DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Weka nyenzo za malighafi kutoka ghala ya kazi-in-progress DocType: Maintenance Team Member,Maintenance Team Member,Mwanachama wa Timu Mwanachama +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Weka vipimo vya desturi za uhasibu DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Umbali wa chini kati ya safu ya mimea kwa ukuaji bora DocType: Employee Health Insurance,Health Insurance Name,Jina la Bima ya Afya apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Mali ya Hifadhi @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,Jina la Anwani ya Kulipa apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Nakala mbadala DocType: Certification Application,Name of Applicant,Jina la Mombaji DocType: Leave Type,Earned Leave,Kulipwa Kuondoka -DocType: Quality Goal,June,Juni +DocType: GSTR 3B Report,June,Juni apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Row {0}: Kituo cha gharama kinahitajika kwa kipengee {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Inaweza kupitishwa na {0} 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 @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,Kiwango cha Kuuza Standard apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Tafadhali weka orodha ya kazi ya Mgahawa {0} apps/erpnext/erpnext/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: Asset Finance Book,Asset Finance Book,Kitabu cha Fedha za Mali +DocType: Quality Goal Objective,Quality Goal Objective,Lengo la Lengo la Lengo DocType: Employee Transfer,Employee Transfer,Uhamisho wa Wafanyakazi ,Sales Funnel,Funnel ya Mauzo DocType: Agriculture Analysis Criteria,Water Analysis,Uchambuzi wa Maji @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Mali ya Uhamisho apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Shughuli zinazosubiri apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Andika orodha ya wateja wako wachache. Wanaweza kuwa mashirika au watu binafsi. DocType: Bank Guarantee,Bank Account Info,Maelezo ya Akaunti ya Benki +DocType: Quality Goal,Weekday,Siku ya wiki apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Jina la Guardian1 DocType: Salary Component,Variable Based On Taxable Salary,Tofauti kulingana na Mshahara wa Ushuru DocType: Accounting Period,Accounting Period,Kipindi cha Uhasibu @@ -2228,7 +2244,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Marekebisho ya kupindua DocType: Quality Review Table,Quality Review Table,Jedwali la Uhakiki wa ubora DocType: Member,Membership Expiry Date,Tarehe ya Kumalizika kwa Uanachama DocType: Asset Finance Book,Expected Value After Useful Life,Thamani Inayotarajiwa Baada ya Maisha ya Muhimu -DocType: Quality Goal,November,Novemba +DocType: GSTR 3B Report,November,Novemba DocType: Loan Application,Rate of Interest,Kiwango cha Maslahi DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Taarifa ya Benki ya Bidhaa ya Malipo ya Malipo DocType: Restaurant Reservation,Waitlisted,Inastahiliwa @@ -2292,6 +2308,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Row {0}: Kuweka {1} mara kwa mara, tofauti kati ya na hadi sasa \ lazima iwe kubwa kuliko au sawa na {2}" DocType: Purchase Invoice Item,Valuation Rate,Kiwango cha thamani DocType: Shopping Cart Settings,Default settings for Shopping Cart,Mipangilio ya mipangilio ya Kifaa cha Ununuzi +DocType: Quiz,Score out of 100,Score nje ya 100 DocType: Manufacturing Settings,Capacity Planning,Mipango ya Uwezo apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Nenda kwa Walimu DocType: Activity Cost,Projects,Miradi @@ -2301,6 +2318,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Kutoka wakati apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Ripoti ya Taarifa ya Tofauti +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Kwa Ununuzi apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Inafaa kwa {0} haijaongezwa kwenye ratiba DocType: Target Detail,Target Distribution,Usambazaji wa Target @@ -2318,6 +2336,7 @@ DocType: Activity Cost,Activity Cost,Shughuli ya Gharama DocType: Journal Entry,Payment Order,Amri ya Malipo apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Bei ,Item Delivery Date,Tarehe ya Utoaji wa Item +DocType: Quality Goal,January-April-July-October,Januari-Aprili-Julai-Oktoba DocType: Purchase Order Item,Warehouse and Reference,Ghala na Kumbukumbu apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Akaunti yenye nodes za watoto haiwezi kubadilishwa kwenye kiongozi DocType: Soil Texture,Clay Composition (%),Muundo wa Clay (%) @@ -2368,6 +2387,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Tarehe za baadaye hazi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Row {0}: Tafadhali weka Mfumo wa Malipo katika Ratiba ya Malipo apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Muda wa Elimu: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Ufafanuzi wa Quality Quality apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Tafadhali chagua Weka Kutoa Discount On apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Row # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Malipo ya Jumla @@ -2410,7 +2430,7 @@ DocType: Hub Tracked Item,Hub Node,Node ya Hub apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ID ya Waajiriwa DocType: Salary Structure Assignment,Salary Structure Assignment,Mgawo wa Mshahara wa Mshahara DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Malipo ya Voucher ya Kufunga POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Action Initialised +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Action Initialised DocType: POS Profile,Applicable for Users,Inatumika kwa Watumiaji DocType: Training Event,Exam,Mtihani apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nambari isiyo sahihi ya Entries General Ledger zilizopatikana. Huenda umechagua Akaunti mbaya katika shughuli. @@ -2517,6 +2537,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Longitude DocType: Accounts Settings,Determine Address Tax Category From,Tambua Jamii ya Kodi ya Kutoka Kutoka apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Kutambua Waamuzi wa Uamuzi +DocType: Stock Entry Detail,Reference Purchase Receipt,Receipt ya Ununuzi wa Kumbukumbu apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Pata maoni DocType: Tally Migration,Is Day Book Data Imported,Data ya Kitabu cha Siku imepakiwa ,Sales Partners Commission,Tume ya Washirika wa Mauzo @@ -2540,6 +2561,7 @@ DocType: Leave Type,Applicable After (Working Days),Inafaa Baada ya (Siku za Kaz DocType: Timesheet Detail,Hrs,Hrs DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Vigezo vya Scorecard za Wasambazaji DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Muhtasari wa Kigezo cha Maoni apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Tarehe ya kujiunga lazima iwe kubwa zaidi kuliko tarehe ya kuzaliwa DocType: Bank Statement Transaction Invoice Item,Invoice Date,Tarehe ya ankara DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Unda Majaribio ya Lab (Mawasilisho ya Mauzo) @@ -2646,7 +2668,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Thamani ya chini ya k DocType: Stock Entry,Source Warehouse Address,Anwani ya Ghala la Chanzo DocType: Compensatory Leave Request,Compensatory Leave Request,Ombi la Kuondoa Rufaa DocType: Lead,Mobile No.,Simu ya Simu -DocType: Quality Goal,July,Julai +DocType: GSTR 3B Report,July,Julai apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC inayofaa DocType: Fertilizer,Density (if liquid),Uzito wiani (ikiwa ni kioevu) DocType: Employee,External Work History,Historia ya Kazi ya Kazi @@ -2723,6 +2745,7 @@ DocType: Certification Application,Certification Status,Hali ya vyeti apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Eneo la Chanzo linahitajika kwa mali {0} DocType: Employee,Encashment Date,Tarehe ya Kuingiza apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Tafadhali chagua tarehe ya kukamilika kwa Ingia ya Matengenezo ya Malifadi +DocType: Quiz,Latest Attempt,Jaribio la Mwisho DocType: Leave Block List,Allow Users,Ruhusu Watumiaji apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Chati ya Akaunti apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Mteja ni lazima ikiwa 'Mfunguo Kutoka' huchaguliwa kama Mteja @@ -2787,7 +2810,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Kuweka Scorecard Set DocType: Amazon MWS Settings,Amazon MWS Settings,Mipangilio ya MWS ya Amazon DocType: Program Enrollment,Walking,Kutembea DocType: SMS Log,Requested Numbers,Hesabu zilizoombwa -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Tafadhali kuanzisha mfululizo wa kuhesabu kwa Mahudhurio kupitia Upangilio> Orodha ya Kuhesabu DocType: Woocommerce Settings,Freight and Forwarding Account,Akaunti ya Usafirishaji na Usambazaji apps/erpnext/erpnext/accounts/party.py,Please select a Company,Tafadhali chagua Kampuni apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Row {0}: {1} lazima iwe kubwa kuliko 0 @@ -2857,7 +2879,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Miradi iliy DocType: Training Event,Seminar,Semina apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Mikopo ({0}) DocType: Payment Request,Subscription Plans,Mipango ya Usajili -DocType: Quality Goal,March,Machi +DocType: GSTR 3B Report,March,Machi apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Piga Kundi DocType: School House,House Name,Jina la Nyumba apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Bora kwa {0} haiwezi kuwa chini ya sifuri ({1}) @@ -2919,7 +2941,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Tarehe ya Kuanza Bima DocType: Target Detail,Target Detail,Maelezo ya Target DocType: Packing Slip,Net Weight UOM,Uzito wa UIM wa Nambari -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Kipengele cha kubadilisha UOM ({0} -> {1}) haipatikani kwa kipengee: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Kiasi cha Fedha (Kampuni ya Fedha) DocType: Bank Statement Transaction Settings Item,Mapped Data,Takwimu zilizopangwa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Usalama na Deposits @@ -2969,6 +2990,7 @@ DocType: Cheque Print Template,Cheque Height,Angalia Urefu apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Tafadhali ingiza tarehe ya kufuta. DocType: Loyalty Program,Loyalty Program Help,Msaada wa Programu ya Uaminifu DocType: Journal Entry,Inter Company Journal Entry Reference,Kitambulisho cha Kuingiza Ingia ya Kampuni ya Inter +DocType: Quality Meeting,Agenda,Ajenda DocType: Quality Action,Corrective,Marekebisho apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Kikundi Kwa DocType: Bank Account,Address and Contact,Anwani na Mawasiliano @@ -3021,7 +3043,7 @@ DocType: GL Entry,Credit Amount,Mikopo apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Jumla ya Kizuizi DocType: Support Search Source,Post Route Key List,Orodha ya Njia ya Njia ya Njia apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} sio mwaka wowote wa Fedha. -DocType: Quality Action Table,Problem,Tatizo +DocType: Quality Action Resolution,Problem,Tatizo DocType: Training Event,Conference,Mkutano DocType: Mode of Payment Account,Mode of Payment Account,Akaunti ya Akaunti ya Malipo DocType: Leave Encashment,Encashable days,Siku zisizochapishwa @@ -3147,7 +3169,7 @@ DocType: Item,"Purchase, Replenishment Details","Maelezo ya Ununuzi, Ufafanuzi" DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Mara baada ya kuweka, ankara hii itaendelea hadi tarehe ya kuweka" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Hifadhi haipatikani kwa Item {0} tangu ina tofauti DocType: Lab Test Template,Grouped,Yameunganishwa -DocType: Quality Goal,January,Januari +DocType: GSTR 3B Report,January,Januari DocType: Course Assessment Criteria,Course Assessment Criteria,Vigezo vya Tathmini ya Kozi DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Uliokamilika Uchina @@ -3243,7 +3265,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Aina ya Hudum apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Tafadhali ingiza ankara 1 kwenye meza apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Amri ya Mauzo {0} haijawasilishwa apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Mahudhurio yamewekwa kwa mafanikio. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Mauzo ya awali +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Mauzo ya awali apps/erpnext/erpnext/config/projects.py,Project master.,Mradi wa mradi. DocType: Daily Work Summary,Daily Work Summary,Muhtasari wa Kazi ya Kila siku DocType: Asset,Partially Depreciated,Kwa kiasi kikubwa umepungua @@ -3252,6 +3274,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Je! DocType: Certified Consultant,Discuss ID,Jadili ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Tafadhali weka Akaunti za GST katika Mipangilio ya GST +DocType: Quiz,Latest Highest Score,Mwisho wa Juu zaidi DocType: Supplier,Billing Currency,Fedha ya kulipia apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Shughuli ya Wanafunzi apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Kina lengo la qty au kiasi cha lengo ni lazima @@ -3277,18 +3300,21 @@ DocType: Sales Order,Not Delivered,Haikutolewa 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 DocType: GL Entry,Debit Amount,Kiwango cha Debit apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Tayari rekodi iko kwa kipengee {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Assemblies ndogo 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 wanatakiwa kuweka Kipaumbele kwa mikono ili kutatua migogoro." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Haiwezi kufuta wakati kiwanja ni kwa 'Valuation' au 'Valuation na Jumla' apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM na Uzalishaji wa Wingi huhitajika apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Kipengee {0} kilifikia mwisho wa maisha kwa {1} DocType: Quality Inspection Reading,Reading 6,Kusoma 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Eneo la Kampuni linahitajika apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Matumizi ya Nyenzo haijawekwa katika Mipangilio ya Uzalishaji. DocType: Assessment Group,Assessment Group Name,Jina la Kundi la Tathmini -DocType: Item,Manufacturer Part Number,Nambari ya Sehemu ya Mtengenezaji +DocType: Purchase Invoice Item,Manufacturer Part Number,Nambari ya Sehemu ya Mtengenezaji apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Mishahara ya kulipa apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} haiwezi kuwa hasi kwa kipengee {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Kiwango cha usawa +DocType: Question,Multiple Correct Answer,Jibu nyingi sahihi DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Uaminifu Pointi = Fedha ya msingi kiasi gani? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Kumbuka: Hakuna usawa wa kutosha wa kuondoka kwa Kuacha Aina {0} DocType: Clinical Procedure,Inpatient Record,Rekodi ya wagonjwa @@ -3411,6 +3437,7 @@ DocType: Fee Schedule Program,Total Students,Jumla ya Wanafunzi apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Mitaa DocType: Chapter Member,Leave Reason,Acha Sababu DocType: Salary Component,Condition and Formula,Hali na Mfumo +DocType: Quality Goal,Objectives,Malengo apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Mshahara tayari umeongezwa kwa muda kati ya {0} na {1}, Kuacha kipindi cha maombi hawezi kuwa kati ya tarehe hii ya tarehe." DocType: BOM Item,Basic Rate (Company Currency),Kiwango cha Msingi (Fedha la Kampuni) DocType: BOM Scrap Item,BOM Scrap Item,BOM Kipande cha Bidhaa @@ -3461,6 +3488,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-YYYY.- DocType: Expense Claim Account,Expense Claim Account,Akaunti ya dai ya gharama apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Hakuna malipo ya kutosha kwa Kuingia kwa Journal apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ni mwanafunzi asiye na kazi +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Fanya Uingizaji wa hisa DocType: Employee Onboarding,Activities,Shughuli apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast ghala moja ni lazima ,Customer Credit Balance,Mizani ya Mikopo ya Wateja @@ -3545,7 +3573,6 @@ DocType: Contract,Contract Terms,Masharti ya Mkataba apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Kina lengo la qty au kiasi cha lengo ni lazima. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Halafu {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Tarehe ya Mkutano DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP -YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Hali haiwezi kuwa na wahusika zaidi ya 5 DocType: Employee Benefit Application,Max Benefits (Yearly),Faida nyingi (kwa mwaka) @@ -3648,7 +3675,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Malipo ya Benki apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Bidhaa zimehamishwa apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Maelezo ya Mawasiliano ya Msingi -DocType: Quality Review,Values,Maadili DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ikiwa haijazingatiwa, orodha hiyo itastahili kuongezwa kwa kila Idara ambapo inapaswa kutumiwa." DocType: Item Group,Show this slideshow at the top of the page,Onyesha slideshow hii juu ya ukurasa apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} parameter ni batili @@ -3667,6 +3693,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Akaunti ya Malipo ya Akaunti DocType: Journal Entry,Get Outstanding Invoices,Pata ankara bora DocType: Opportunity,Opportunity From,Fursa Kutoka +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Maelezo ya Target DocType: Item,Customer Code,Kanuni ya Wateja apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Tafadhali ingiza Jedwali kwanza apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Orodha ya tovuti @@ -3695,7 +3722,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Utoaji Kwa DocType: Bank Statement Transaction Settings Item,Bank Data,Takwimu za Benki apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Imepangwa Upto -DocType: Quality Goal,Everyday,Kila siku DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Hifadhi Masaa ya Mshahara na Masaa ya Kazi sawa na Timesheet apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Orodha inayoongozwa na Chanzo cha Kiongozi. DocType: Clinical Procedure,Nursing User,Mtumiaji wa Uuguzi @@ -3720,7 +3746,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Dhibiti Miti ya Wilaya DocType: GL Entry,Voucher Type,Aina ya Voucher ,Serial No Service Contract Expiry,Serial Hakuna Utoaji wa Mkataba wa Huduma DocType: Certification Application,Certified,Inathibitishwa -DocType: Material Request Plan Item,Manufacture,Tengeneza +DocType: Purchase Invoice Item,Manufacture,Tengeneza apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} vitu vilivyotengenezwa apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Ombi la Malipo kwa {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Siku Tangu Order Mwisho @@ -3735,7 +3761,7 @@ DocType: Sales Invoice,Company Address Name,Jina la anwani ya kampuni apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Bidhaa Katika Uhamisho apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Unaweza tu kukomboa max {0} pointi kwa utaratibu huu. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Tafadhali weka akaunti katika Warehouse {0} -DocType: Quality Action Table,Resolution,Azimio +DocType: Quality Action,Resolution,Azimio DocType: Sales Invoice,Loyalty Points Redemption,Ukombozi wa Ukweli wa Ukweli apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Jumla ya Thamani ya Kodi DocType: Patient Appointment,Scheduled,Imepangwa @@ -3856,6 +3882,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Kiwango apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Inahifadhi {0} DocType: SMS Center,Total Message(s),Ujumbe Jumla (s) +DocType: Purchase Invoice,Accounting Dimensions,Vipimo vya Uhasibu apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Kundi na Akaunti DocType: Quotation,In Words will be visible once you save the Quotation.,Katika Maneno itaonekana wakati unapohifadhi Nukuu. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Wingi wa Kuzalisha @@ -4020,7 +4047,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,W apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Ikiwa una maswali yoyote, tafadhali kurudi kwetu." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Receipt ya Ununuzi {0} haijawasilishwa DocType: Task,Total Expense Claim (via Expense Claim),Madai ya jumla ya gharama (kupitia madai ya gharama) -DocType: Quality Action,Quality Goal,Lengo la Ubora +DocType: Quality Goal,Quality Goal,Lengo la Ubora DocType: Support Settings,Support Portal,Msaada wa Portal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Tarehe ya mwisho ya kazi {0} haiwezi kuwa chini ya {1} tarehe ya kuanza iliyotarajiwa {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Mfanyakazi {0} ni juu ya Acha kwenye {1} @@ -4079,7 +4106,6 @@ DocType: BOM,Operating Cost (Company Currency),Gharama za Uendeshaji (Fedha la K DocType: Item Price,Item Price,Item Bei DocType: Payment Entry,Party Name,Jina la Chama apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Tafadhali chagua mteja -DocType: Course,Course Intro,Intro Course DocType: Program Enrollment Tool,New Program,Programu mpya apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Idadi ya Kituo cha Gharama mpya, kitaingizwa katika jina la kituo cha gharama kama kiambishi" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Chagua mteja au muuzaji. @@ -4280,6 +4306,7 @@ DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Mshahara wa Net hauwezi kuwa hasi apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Hakuna Uingiliano 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 kuhamishwa zaidi ya {2} dhidi ya Ununuzi wa Order {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Chati ya Usindikaji wa Akaunti na Vyama DocType: Stock Settings,Convert Item Description to Clean HTML,Badilisha Maelezo ya Maelezo kwa Hifadhi ya HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Vikundi vyote vya Wasambazaji @@ -4358,6 +4385,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Item ya Mzazi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Uhamisho apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Tafadhali tengeneza risiti ya ununuzi au ankara ya ununuzi kwa kipengee {0} +,Product Bundle Balance,Mizani ya Mfuko wa Bidhaa apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Jina la Kampuni hawezi kuwa Kampuni DocType: Maintenance Visit,Breakdown,Kuvunja DocType: Inpatient Record,B Negative,B mbaya @@ -4366,7 +4394,7 @@ DocType: Purchase Invoice,Credit To,Mikopo Kwa apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Tuma Order hii Kazi ya usindikaji zaidi. DocType: Bank Guarantee,Bank Guarantee Number,Nambari ya Dhamana ya Benki apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Imetolewa: {0} -DocType: Quality Action,Under Review,Chini ya Uhakiki +DocType: Quality Meeting Table,Under Review,Chini ya Uhakiki apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Kilimo (beta) ,Average Commission Rate,Wastani wa Tume ya Kiwango DocType: Sales Invoice,Customer's Purchase Order Date,Tarehe ya Utunzaji wa Wateja @@ -4483,7 +4511,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Malipo ya mechi na ankara DocType: Holiday List,Weekly Off,Kutoka kwa kila wiki apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Usiruhusu kuweka kitu mbadala kwa kipengee {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Mpango {0} haipo. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Mpango {0} haipo. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Huwezi kubadilisha node ya mizizi. DocType: Fee Schedule,Student Category,Jamii ya Wanafunzi apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Item {0}: {1} qty zinazozalishwa," @@ -4574,8 +4602,8 @@ DocType: Crop,Crop Spacing,Upeo wa Mazao 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. DocType: Pricing Rule,Period Settings,Mipangilio ya Period apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Mabadiliko ya Nambari katika Akaunti ya Kukubalika +DocType: Quality Feedback Template,Quality Feedback Template,Kigezo cha Maoni ya Ubora apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Kwa Wingi lazima uwe mkubwa kuliko sifuri -DocType: Quality Goal,Goal Objectives,Malengo ya Lengo 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" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Acha tupu ikiwa unafanya vikundi vya wanafunzi kwa mwaka apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Mikopo (Madeni) @@ -4610,12 +4638,13 @@ DocType: Quality Procedure Table,Step,Hatua DocType: Normal Test Items,Result Value,Thamani ya matokeo DocType: Cash Flow Mapping,Is Income Tax Liability,"Je, ni kodi ya kodi?" DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Mtaalam wa Msajili wa Ziara ya Wagonjwa -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} haipo. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} haipo. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Sasisha jibu DocType: Bank Guarantee,Supplier,Wauzaji apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Ingiza thamani betweeen {0} na {1} DocType: Purchase Order,Order Confirmation Date,Tarehe ya uthibitisho wa amri DocType: Delivery Trip,Calculate Estimated Arrival Times,Tumia Hesabu ya Kufika Iliyotarajiwa +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Tafadhali kuanzisha Mfumo wa Jina la Wafanyakazi katika Rasilimali za Binadamu> Mipangilio ya HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Inatumiwa DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS -YYYY.- DocType: Subscription,Subscription Start Date,Tarehe ya Kuanza ya Usajili @@ -4679,6 +4708,7 @@ DocType: Cheque Print Template,Is Account Payable,Ni Malipo ya Akaunti apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Thamani ya Udhibiti wa Jumla apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Muuzaji {0} haipatikani katika {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Sanidi mipangilio ya uingizaji wa SMS +DocType: Salary Component,Round to the Nearest Integer,Pande zote kwa Integer iliyo karibu apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Mizizi haiwezi kuwa na kituo cha gharama ya wazazi DocType: Healthcare Service Unit,Allow Appointments,Ruhusu Uteuzi DocType: BOM,Show Operations,Onyesha Kazi @@ -4807,7 +4837,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Orodha ya Likizo ya Default DocType: Naming Series,Current Value,Thamani ya sasa apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Msimu wa kuweka bajeti, malengo nk." -DocType: Program,Program Code,Kanuni ya Programu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Onyo: Mauzo ya Mauzo {0} tayari yamepo kinyume cha Uguuzi wa Wateja {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Lengo la Mauzo ya Mwezi ( DocType: Guardian,Guardian Interests,Maslahi ya Guardian @@ -4857,10 +4886,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Ilipwa na Haijaokolewa apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Msimbo wa kipengee ni lazima kwa sababu kitu haijasabiwa moja kwa moja DocType: GST HSN Code,HSN Code,Msimbo wa HSN -DocType: Quality Goal,September,Septemba +DocType: GSTR 3B Report,September,Septemba apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Malipo ya Utawala DocType: C-Form,C-Form No,Fomu ya Fomu ya C DocType: Purchase Invoice,End date of current invoice's period,Tarehe ya mwisho ya kipindi cha ankara ya sasa +DocType: Item,Manufacturers,Wazalishaji DocType: Crop Cycle,Crop Cycle,Mzunguko wa Mazao DocType: Serial No,Creation Time,Uumbaji Muda apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Tafadhali ingiza Jukumu la Kupitisha au Kupitisha Mtumiaji @@ -4933,8 +4963,6 @@ DocType: Employee,Short biography for website and other publications.,Wasifu mfu DocType: Purchase Invoice Item,Received Qty,Imepokea Uchina DocType: Purchase Invoice Item,Rate (Company Currency),Kiwango (Fedha la Kampuni) DocType: Item Reorder,Request for,Ombi la -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Tafadhali futa Waajiri {0} \ ili kufuta hati hii" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Inaweka presets apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Tafadhali ingiza Kipindi cha Malipo DocType: Pricing Rule,Advanced Settings,Mipangilio ya juu @@ -4960,7 +4988,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Wezesha gari la ununuzi DocType: Pricing Rule,Apply Rule On Other,Tumia Sheria juu ya nyingine DocType: Vehicle,Last Carbon Check,Check Carbon Mwisho -DocType: Vehicle,Make,Fanya +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Fanya apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Invozi ya Mauzo {0} imeundwa kama kulipwa apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Ili kuunda hati ya kumbukumbu ya Rufaa ya Malipo inahitajika apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Kodi ya mapato @@ -5036,7 +5064,6 @@ DocType: Territory,Parent Territory,Sehemu ya Mzazi DocType: Vehicle Log,Odometer Reading,Kusoma Odometer DocType: Additional Salary,Salary Slip,Kulipwa kwa Mshahara DocType: Payroll Entry,Payroll Frequency,Frequency Frequency -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Tafadhali kuanzisha Mfumo wa Jina la Wafanyakazi katika Rasilimali za Binadamu> Mipangilio ya HR apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Tarehe za mwanzo na za mwisho sio wakati wa malipo ya halali, hauwezi kuhesabu {0}" DocType: Products Settings,Home Page is Products,Ukurasa wa Mwanzo ni Bidhaa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Wito @@ -5090,7 +5117,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Inapata rekodi ...... DocType: Delivery Stop,Contact Information,Maelezo ya Mawasiliano DocType: Sales Order Item,For Production,Kwa Uzalishaji -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Tafadhali kuanzisha Mtaalamu wa Kuita Mfumo katika Elimu> Mipangilio ya Elimu DocType: Serial No,Asset Details,Maelezo ya Mali DocType: Restaurant Reservation,Reservation Time,Muda wa Uhifadhi DocType: Selling Settings,Default Territory,Eneo la Default @@ -5230,6 +5256,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Batches zilizopita DocType: Shipping Rule,Shipping Rule Type,Aina ya Rule ya Utoaji DocType: Job Offer,Accepted,Imekubaliwa +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Tafadhali futa Waajiri {0} \ ili kufuta hati hii" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Tayari umepima vigezo vya tathmini {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Chagua Hesabu za Batch apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Umri (Siku) @@ -5246,6 +5274,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Vifungu vya vitu wakati wa kuuza. DocType: Payment Reconciliation Payment,Allocated Amount,Ilipunguwa Kiasi apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Tafadhali chagua Kampuni na Uteuzi +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'Tarehe' inahitajika DocType: Email Digest,Bank Credit Balance,Mizani ya Mikopo ya Benki apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Onyesha Kiasi Kikubwa apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Huna nyongeza za Pole ya Uaminifu ili ukomboe @@ -5306,11 +5335,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Kwenye Mstari Uliopita DocType: Student,Student Email Address,Anwani ya barua pepe ya Wanafunzi DocType: Academic Term,Education,Elimu DocType: Supplier Quotation,Supplier Address,Anwani ya Wasambazaji -DocType: Salary Component,Do not include in total,Usijumuishe kwa jumla +DocType: Salary Detail,Do not include in total,Usijumuishe kwa jumla apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Haiwezi kuweka Vifungo vingi vya Bidhaa kwa kampuni. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} haipo DocType: Purchase Receipt Item,Rejected Quantity,Nambari ya Kukataliwa DocType: Cashier Closing,To TIme,Kwa TI +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Kipengele cha kubadilisha UOM ({0} -> {1}) haipatikani kwa kipengee: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Muhtasari wa Kazi ya Kila siku ya Mtumiaji DocType: Fiscal Year Company,Fiscal Year Company,Kampuni ya Mwaka wa Fedha apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Kitu mbadala haipaswi kuwa sawa na msimbo wa bidhaa @@ -5419,7 +5449,6 @@ DocType: Fee Schedule,Send Payment Request Email,Tuma Email Request Request DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Katika Maneno itaonekana wakati unapohifadhi ankara ya Mauzo. DocType: Sales Invoice,Sales Team1,Timu ya Mauzo1 DocType: Work Order,Required Items,Vitu vinavyotakiwa -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Tabia maalum isipokuwa "-", "#", "." na "/" haukuruhusiwa kumtaja mfululizo" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Soma Mwongozo wa ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Angalia Nambari ya Nambari ya Invoice ya Wauzaji apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Tafuta Sub Assemblies @@ -5487,7 +5516,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Kutolewa kwa asilimia apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Wingi wa Kuzalisha hawezi kuwa chini ya Zero DocType: Share Balance,To No,Hapana DocType: Leave Control Panel,Allocate Leaves,Shirikisha Majani -DocType: Quiz,Last Attempt,Jaribio la Mwisho DocType: Assessment Result,Student Name,Jina la Mwanafunzi apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Mpango wa ziara za matengenezo. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Kufuatia Maombi ya Nyenzo yamefufuliwa moja kwa moja kulingana na ngazi ya re-order ya Item @@ -5556,6 +5584,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Rangi ya Kiashiria DocType: Item Variant Settings,Copy Fields to Variant,Weka Mashamba kwa Tofauti DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Jibu moja sahihi apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Kutoka tarehe haiwezi kuwa chini ya tarehe ya kujiunga na mfanyakazi DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Ruhusu Amri nyingi za Mauzo dhidi ya Utaratibu wa Ununuzi wa Wateja apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5618,7 +5647,7 @@ DocType: Account,Expenses Included In Valuation,Gharama Zinajumuishwa Katika Val apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Nambari za Serial DocType: Salary Slip,Deductions,Kupunguza ,Supplier-Wise Sales Analytics,Wafanyabiashara-Wiseja Mauzo Analytics -DocType: Quality Goal,February,Februari +DocType: GSTR 3B Report,February,Februari DocType: Appraisal,For Employee,Kwa Mfanyakazi apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Tarehe halisi ya utoaji DocType: Sales Partner,Sales Partner Name,Jina la Mshirika wa Mauzo @@ -5714,7 +5743,6 @@ DocType: Procedure Prescription,Procedure Created,Utaratibu ulioundwa apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Dhidi ya Invoice ya Wasambazaji {0} dated {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Badilisha Profaili ya POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Unda Kiongozi -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Wafanyabiashara> Aina ya Wafanyabiashara DocType: Shopify Settings,Default Customer,Wateja wa Mteja DocType: Payment Entry Reference,Supplier Invoice No,Nambari ya ankara ya wasambazaji DocType: Pricing Rule,Mixed Conditions,Masharti ya Mchanganyiko @@ -5764,12 +5792,14 @@ DocType: Item,End of Life,Mwisho wa maisha DocType: Lab Test Template,Sensitivity,Sensitivity DocType: Territory,Territory Targets,Malengo ya Wilaya apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Kukimbia Kuondoa Ugawaji kwa wafanyakazi wafuatayo, kama Kuacha rekodi ya Ugawaji tayari kunapo dhidi yao. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Ubora wa Hatua ya Ubora DocType: Sales Invoice Item,Delivered By Supplier,Iliyotolewa na Wafanyabiashara DocType: Agriculture Analysis Criteria,Plant Analysis,Uchambuzi wa Kupanda apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Akaunti ya gharama ni lazima kwa kipengee {0} ,Subcontracted Raw Materials To Be Transferred,Vifaa vya Raw visivyo na mkataba Ili Kuhamishwa DocType: Cashier Closing,Cashier Closing,Kufungua Fedha apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Kipengee {0} kimerejea +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN isiyo sahihi! Pembejeo uliyoingiza haifani na muundo wa GSTIN kwa Wamiliki wa UIN au Wasiojibika Huduma Wasio Wakazi wa OIDAR apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Ghala la watoto lipo kwa ghala hili. Huwezi kufuta ghala hii. DocType: Diagnosis,Diagnosis,Utambuzi apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Hakuna kipindi cha kuondoka kati ya {0} na {1} @@ -5786,6 +5816,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Mipangilio ya Mamlaka DocType: Homepage,Products,Bidhaa ,Profit and Loss Statement,Taarifa ya Faida na Kupoteza apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Vyumba vimeandikwa +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Kuingia upya kinyume cha msimbo wa bidhaa {0} na mtengenezaji {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Uzito wote apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Safari @@ -5834,6 +5865,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Kundi la Wateja wa Kikawaida DocType: Journal Entry Account,Debit in Company Currency,Debit katika Fedha ya Kampuni DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Mfululizo wa kurudi ni "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Agenda ya Mkutano wa Ubora DocType: Cash Flow Mapper,Section Header,Kifungu cha Sehemu apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Bidhaa au Huduma zako DocType: Crop,Perennial,Kudumu @@ -5879,7 +5911,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Bidhaa au Huduma inayotunuliwa, kuuzwa au kuhifadhiwa katika hisa." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Kufungwa (Kufungua + Jumla) DocType: Supplier Scorecard Criteria,Criteria Formula,Mfumo wa Kanuni -,Support Analytics,Analytics Support +apps/erpnext/erpnext/config/support.py,Support Analytics,Analytics Support apps/erpnext/erpnext/config/quality_management.py,Review and Action,Tathmini na Hatua DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ikiwa akaunti imehifadhiwa, viingilio vinaruhusiwa watumiaji waliozuiwa." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Kiasi Baada ya kushuka kwa thamani @@ -5923,7 +5955,6 @@ DocType: Contract Template,Contract Terms and Conditions,Masharti na Masharti ya apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Pata data DocType: Stock Settings,Default Item Group,Kundi la Kipengee cha Kichwa DocType: Sales Invoice Timesheet,Billing Hours,Masaa ya kulipia -DocType: Item,Item Code for Suppliers,Msimbo wa Nambari kwa Wauzaji 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} DocType: Pricing Rule,Margin Type,Aina ya Margin DocType: Purchase Invoice Item,Rejected Serial No,Imekatwa Serial No @@ -5996,6 +6027,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Majani imetolewa kwa ufanisi DocType: Loyalty Point Entry,Expiry Date,Tarehe ya mwisho wa matumizi DocType: Project Task,Working,Kufanya kazi +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} tayari ina Mfumo wa Mzazi {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Hii inategemea shughuli za Mgonjwa. Tazama kalenda ya chini kwa maelezo DocType: Material Request,Requested For,Aliomba DocType: SMS Center,All Sales Person,Mtu wa Mauzo wote @@ -6083,6 +6115,7 @@ DocType: Loan Type,Maximum Loan Amount,Kiwango cha Mikopo Kikubwa apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Barua pepe haipatikani kwa kuwasiliana na default DocType: Hotel Room Reservation,Booked,Imeandaliwa DocType: Maintenance Visit,Partially Completed,Ilikamilishwa kikamilifu +DocType: Quality Procedure Process,Process Description,Maelezo ya Mchakato DocType: Company,Default Employee Advance Account,Akaunti ya Waajirika wa Mapendeleo ya Default DocType: Leave Type,Allow Negative Balance,Ruhusu Mizani Hasi apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Jina la Mpango wa Tathmini @@ -6124,6 +6157,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Ombi la Bidhaa ya Nukuu apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} imeingia mara mbili katika Kodi ya Item DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Kutoa Ushuru Kamili kwenye Tarehe ya Mishada iliyochaguliwa +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Tarehe ya mwisho ya ukaguzi wa kaboni haiwezi kuwa tarehe ya baadaye apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Chagua akaunti ya kiasi cha mabadiliko DocType: Support Settings,Forum Posts,Ujumbe wa Vikao DocType: Timesheet Detail,Expected Hrs,Hatarini @@ -6133,7 +6167,7 @@ DocType: Program Enrollment Tool,Enroll Students,Jiandikisha Wanafunzi apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Rudia Mapato ya Wateja DocType: Company,Date of Commencement,Tarehe ya Kuanza DocType: Bank,Bank Name,Jina la benki -DocType: Quality Goal,December,Desemba +DocType: GSTR 3B Report,December,Desemba apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Halali kutoka kwa tarehe lazima iwe chini ya tarehe ya juu ya upto apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Hii inategemea mahudhurio ya Waajiriwa DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ikiwa hunakiliwa, Ukurasa wa Mwanzo utakuwa Kikundi cha Kichwa cha Kichwa cha tovuti" @@ -6176,6 +6210,7 @@ DocType: Payment Entry,Payment Type,Aina ya malipo apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Nambari za folio hazifananishi DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF -YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Ukaguzi wa Ubora: {0} hauwasilishwa kwa bidhaa: {1} mfululizo {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Onyesha {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} kitu kilichopatikana. ,Stock Ageing,Kuzaa hisa DocType: Customer Group,Mention if non-standard receivable account applicable,Eleza ikiwa akaunti isiyo ya kawaida inayotumika inatumika @@ -6453,6 +6488,7 @@ DocType: Travel Request,Costing,Gharama apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Mali za kudumu DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Jumla ya Kupata +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Wateja> Kikundi cha Wateja> Eneo DocType: Share Balance,From No,Kutoka Hapana DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Malipo ya Upatanisho wa Malipo DocType: Purchase Invoice,Taxes and Charges Added,Kodi na Malipo Aliongeza @@ -6460,7 +6496,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Fikiria kodi au m DocType: Authorization Rule,Authorized Value,Thamani iliyoidhinishwa apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Imepokea Kutoka apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Ghala {0} haipo +DocType: Item Manufacturer,Item Manufacturer,Mtengenezaji wa Bidhaa DocType: Sales Invoice,Sales Team,Timu ya Mauzo +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Ufukoni Uchina DocType: Purchase Order Item Supplied,Stock UOM,UOM ya hisa DocType: Installation Note,Installation Date,Tarehe ya Usanidi DocType: Email Digest,New Quotations,Nukuu mpya @@ -6524,7 +6562,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Jina la Likizo ya Likizo DocType: Water Analysis,Collection Temperature ,Ukusanyaji Joto DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Dhibiti Invoice ya Uteuzi kuwasilisha na kufuta moja kwa moja kwa Mkutano wa Mgonjwa -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Tafadhali weka Mfululizo wa Naming kwa {0} kupitia Setup> Mipangilio> Mfululizo wa Naming DocType: Employee Benefit Claim,Claim Date,Tarehe ya kudai DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Acha tupu ikiwa Muuzaji amezuiwa kwa muda usiojulikana apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Kuhudhuria Kutoka Tarehe na Kuhudhuria hadi Tarehe ni lazima @@ -6535,6 +6572,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Tarehe ya Kustaafu apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Tafadhali chagua Mgonjwa DocType: Asset,Straight Line,Sawa Mstari +DocType: Quality Action,Resolutions,Maazimio DocType: SMS Log,No of Sent SMS,Hakuna SMS iliyotumwa ,GST Itemised Sales Register,GST Register Itemized Sales Register apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Jumla ya kiasi cha mapema haiwezi kuwa kubwa zaidi kuliko kiasi cha jumla kilichowekwa @@ -6645,7 +6683,7 @@ DocType: Account,Profit and Loss,Faida na hasara apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Tofauti DocType: Asset Finance Book,Written Down Value,Imeandikwa Thamani 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: Quality Goal,April,Aprili +DocType: GSTR 3B Report,April,Aprili DocType: Supplier,Credit Limit,Kizuizi cha Mikopo apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Usambazaji apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6700,6 +6738,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Unganisha Dukaify na ERPNext DocType: Homepage Section Card,Subtitle,Mada DocType: Soil Texture,Loam,Loam +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Wafanyabiashara> Aina ya Wafanyabiashara DocType: BOM,Scrap Material Cost(Company Currency),Gharama za Nyenzo za Nyenzo (Fedha la Kampuni) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Kumbuka Utoaji {0} haipaswi kuwasilishwa DocType: Task,Actual Start Date (via Time Sheet),Tarehe ya Kwanza ya Kuanza (kupitia Karatasi ya Muda) @@ -6755,7 +6794,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Kipimo DocType: Cheque Print Template,Starting position from top edge,Kuanzia nafasi kutoka kwenye makali ya juu apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Muda wa Uteuzi (mchana) -DocType: Pricing Rule,Disable,Zima +DocType: Accounting Dimension,Disable,Zima DocType: Email Digest,Purchase Orders to Receive,Amri ya Ununuzi Ili Kupokea apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Amri za Uzalishaji haziwezi kuinuliwa kwa: DocType: Projects Settings,Ignore Employee Time Overlap,Puuza Muda wa Waajiriwa @@ -6839,6 +6878,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Unda K DocType: Item Attribute,Numeric Values,Vigezo vya Hesabu DocType: Delivery Note,Instructions,Maelekezo DocType: Blanket Order Item,Blanket Order Item,Kipengee cha Order ya Kikiti +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Lazima Kwa Akaunti ya Faida na Kupoteza apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Kiwango cha Tume haiwezi kuwa zaidi ya 100 DocType: Course Topic,Course Topic,Mada ya Mafunzo DocType: Employee,This will restrict user access to other employee records,Hii itawazuia mtumiaji kupata rekodi nyingine za mfanyakazi @@ -6863,12 +6903,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Usimamizi wa U apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Pata wateja kutoka apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Ripoti kwa +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Akaunti ya Chama DocType: Assessment Plan,Schedule,Ratiba apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Tafadhali ingiza DocType: Lead,Channel Partner,Mshiriki wa Channel apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Kiasi kilichopishwa DocType: Project,From Template,Kutoka Kigezo +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Usajili apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Wingi wa Kufanya DocType: Quality Review Table,Achieved,Imetimizwa @@ -6915,7 +6957,6 @@ DocType: Journal Entry,Subscription Section,Sehemu ya Usajili DocType: Salary Slip,Payment Days,Siku za Malipo apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Maelezo ya kujitolea. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,'Hifadhi ya Hifadhi ya Kale kuliko `inapaswa kuwa ndogo kuliko siku% d. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Chagua Mwaka wa Fedha DocType: Bank Reconciliation,Total Amount,Jumla DocType: Certification Application,Non Profit,Sio faida DocType: Subscription Settings,Cancel Invoice After Grace Period,Futa Invoice Baada ya Kipindi cha Neema @@ -6928,7 +6969,6 @@ DocType: Serial No,Warranty Period (Days),Kipindi cha udhamini (Siku) DocType: Expense Claim Detail,Expense Claim Detail,Dhamana ya Madai apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programu: DocType: Patient Medical Record,Patient Medical Record,Rekodi ya Matibabu ya Mgonjwa -DocType: Quality Action,Action Description,Maelezo ya Hatua DocType: Item,Variant Based On,Tofauti kulingana na DocType: Vehicle Service,Brake Oil,Mafuta ya Brake DocType: Employee,Create User,Unda Mtumiaji @@ -6983,7 +7023,7 @@ DocType: Cash Flow Mapper,Section Name,Jina la Sehemu DocType: Packed Item,Packed Item,Kipengee cha Ufungashaji apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Kiwango cha deni au kiasi cha mkopo kinahitajika kwa {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Inayotuma Slips za Mshahara ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Hakuna Hatua +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Hakuna Hatua apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bajeti haipatikani dhidi ya {0}, kama sio Akaunti ya Mapato au ya gharama" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Masters na Akaunti DocType: Quality Procedure Table,Responsible Individual,Kila mtu anayejibika @@ -7106,7 +7146,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Ruhusu Uumbaji wa Akaunti dhidi ya Kampuni ya Watoto DocType: Payment Entry,Company Bank Account,Akaunti ya Benki ya Kampuni DocType: Amazon MWS Settings,UK,Uingereza -DocType: Quality Procedure,Procedure Steps,Hatua za Utaratibu DocType: Normal Test Items,Normal Test Items,Vipimo vya kawaida vya Mtihani apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Kipengee {0}: Iliyoagizwa qty {1} haiwezi kuwa chini ya amri ya chini qty {2} (iliyoelezwa katika Item). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Sio katika Hifadhi @@ -7185,7 +7224,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Dhamana ya Utunzaji apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Masharti na Masharti Kigezo DocType: Fee Schedule Program,Fee Schedule Program,Mpango wa ratiba ya ada -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kozi {0} haipo. DocType: Project Task,Make Timesheet,Fanya Timesheet DocType: Production Plan Item,Production Plan Item,Kipengee cha Mpango wa Uzalishaji apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Jumla ya Mwanafunzi @@ -7207,6 +7245,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Kufunga juu apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Unaweza tu upya kama wanachama wako muda mfupi ndani ya siku 30 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Thamani lazima iwe kati ya {0} na {1} +DocType: Quality Feedback,Parameters,Parameters ,Sales Partner Transaction Summary,Muhtasari wa Shughuli za Mshirika wa Mauzo DocType: Asset Maintenance,Maintenance Manager Name,Jina la Meneja wa Matengenezo apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Inahitajika Kuchukua Maelezo ya Bidhaa. @@ -7245,6 +7284,7 @@ DocType: Student Admission,Student Admission,Uingizaji wa Wanafunzi DocType: Designation Skill,Skill,Ujuzi DocType: Budget Account,Budget Account,Akaunti ya Bajeti DocType: Employee Transfer,Create New Employee Id,Unda Id Idhini ya Waajiriwa +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} inahitajika kwa akaunti ya 'Faida na Kupoteza' {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Malipo na Huduma za Kodi (GST India) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Kuunda Slips za Mshahara ... DocType: Employee Skill,Employee Skill,Ujuzi wa Waajiriwa @@ -7345,6 +7385,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Invoice Separ DocType: Subscription,Days Until Due,Siku hadi Mpangilio apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Onyesha Imekamilishwa apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Taarifa ya Benki Ripoti ya Kuingia kwa Akaunti +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Matibabu ya Benki apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Kiwango lazima kiwe sawa na {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR -YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Vitu vya Utumishi wa Afya @@ -7401,6 +7442,7 @@ DocType: Training Event Employee,Invited,Alialikwa apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Kiwango cha juu kinafaa kwa sehemu {0} zaidi ya {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Kiasi cha Bill apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","Kwa {0}, akaunti za debit tu zinaweza kuunganishwa dhidi ya kuingizwa kwa mkopo mwingine" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Kujenga Vipimo ... DocType: Bank Statement Transaction Entry,Payable Account,Akaunti ya kulipa apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Tafadhali angalia hakuna ziara zinazohitajika DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Chagua tu ikiwa umeanzisha nyaraka za Mapato ya Mapato ya Fedha @@ -7418,6 +7460,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,C DocType: Service Level,Resolution Time,Muda wa Muda DocType: Grading Scale Interval,Grade Description,Maelezo ya Daraja DocType: Homepage Section,Cards,Kadi +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Mkutano wa Mkutano wa Ubora DocType: Linked Plant Analysis,Linked Plant Analysis,Uchunguzi wa Plant unaohusishwa apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Tarehe ya Kuacha Huduma haiwezi kuwa baada ya tarehe ya mwisho ya huduma 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. @@ -7452,7 +7495,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Chombo cha Kuhudhuria DocType: Employee,Educational Qualification,Ufanisi wa Elimu apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Thamani ya kupatikana apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Mfano wa wingi {0} hauwezi kuwa zaidi ya kupokea kiasi {1} -DocType: Quiz,Last Highest Score,Mwisho wa Mwisho wa Juu DocType: POS Profile,Taxes and Charges,Kodi na Malipo DocType: Opportunity,Contact Mobile No,Wasiliana No Simu ya Simu DocType: Employee,Joining Details,Kujiunga Maelezo diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv index 5ed5b0e4be..62e74791e9 100644 --- a/erpnext/translations/ta.csv +++ b/erpnext/translations/ta.csv @@ -20,6 +20,7 @@ DocType: Request for Quotation Item,Supplier Part No,சப்ளையர் DocType: Journal Entry Account,Party Balance,கட்சி இருப்பு apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),நிதிகள் (பொறுப்புக்கள்) DocType: Payroll Period,Taxable Salary Slabs,வரிக்குரிய சம்பள அடுக்குகள் +DocType: Quality Action,Quality Feedback,தரமான கருத்து DocType: Support Settings,Support Settings,ஆதரவு அமைப்புகள் apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,முதலில் தயாரிப்பு உருப்படியை உள்ளிடுக DocType: Quiz,Grading Basis,கிரேடிங் பேசஸ் @@ -44,8 +45,10 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,கூடுத DocType: Salary Component,Earning,சம்பாதித்து DocType: Restaurant Order Entry,Click Enter To Add,சேர்க்கவும் சேர்க்கவும் சேர்க்கவும் DocType: Employee Group,Employee Group,பணியாளர் குழு +DocType: Quality Procedure,Processes,செயல்முறைகள் DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,நாணயத்தை மற்றொரு நாணயமாக மாற்றுமாறு குறிப்பிடவும் apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,வயது வரம்பு 4 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},பங்குக்கு தேவையான கிடங்கு பொருள் {0} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Could not solve criteria score function for {0}. Make sure the formula is valid.,{0} க்கான அடிப்படை ஸ்கோர் செயல்பாட்டை தீர்க்க முடியவில்லை. சூத்திரம் செல்லுபடியாகும் என்பதை உறுதிப்படுத்தவும். DocType: Bank Reconciliation,Include Reconciled Entries,ரெகண்டில் செய்யப்பட்ட பதிவுகள் அடங்கும் DocType: Purchase Invoice Item,Allow Zero Valuation Rate,பூஜ்ய மதிப்பீட்டு விகிதம் அனுமதி @@ -155,11 +158,13 @@ DocType: Complaint,Complaint,புகார் DocType: Shipping Rule,Restrict to Countries,நாடுகளுக்கு கட்டுப்படுத்து DocType: Hub Tracked Item,Item Manager,பொருள் மேலாளர் apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},மூடிய கணக்குகளின் நாணயம் {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,பட்ஜெட்கள் apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,விலைப்பட்டியல் பொருள் திறக்கிறது DocType: Work Order,Plan material for sub-assemblies,துணை கூட்டங்களுக்கு திட்டமிட்ட பொருள் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,வன்பொருள் DocType: Budget,Action if Annual Budget Exceeded on MR,வருடாந்த வரவு செலவுத் திட்டம் எம்.ஆர் DocType: Sales Invoice Advance,Advance Amount,அட்வான்ஸ் தொகை +DocType: Accounting Dimension,Dimension Name,பரிமாண பெயர் DocType: Delivery Note Item,Against Sales Invoice Item,விற்பனை விலைப்பட்டியல் பொருள் எதிராக DocType: Expense Claim,HR-EXP-.YYYY.-,மனிதவள-ஓ-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,உற்பத்தியில் பொருள் அடங்கும் @@ -216,7 +221,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,அது என ,Sales Invoice Trends,விற்பனை விலைப்பட்டியல் போக்குகள் DocType: Bank Reconciliation,Payment Entries,கட்டணம் உள்ளீடு DocType: Employee Education,Class / Percentage,வகுப்பு / சதவீதம் -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட் ,Electronic Invoice Register,மின்னணு விலைப்பட்டியல் பதிவு DocType: Sales Invoice,Is Return (Credit Note),திரும்ப (கடன் குறிப்பு) DocType: Lab Test Sample,Lab Test Sample,லேப் டெஸ்ட் மாதிரி @@ -286,6 +290,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,வகைகளில் apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","உங்கள் தேர்வு படி, உருப்படிகளை qty அல்லது அளவு அடிப்படையில் விகிதங்கள் விநியோகிக்கப்படும்" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,இன்று நிலுவையிலுள்ள நடவடிக்கைகள் +DocType: Quality Procedure Process,Quality Procedure Process,தரமான நடைமுறை செயல்முறை DocType: Fee Schedule Program,Student Batch,மாணவர் பேட்ச் apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},உருப்படிக்கு மதிப்பீட்டு விகிதம் {0} DocType: BOM Operation,Base Hour Rate(Company Currency),பேஸ் ஹவர் ரேட் (நிறுவனத்தின் நாணயம்) @@ -305,7 +310,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,வரிசை இல்லை உள்ளீடு அடிப்படையிலான பரிமாற்றங்களில் Qty ஐ அமைக்கவும் apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},அட்வான்ஸ் கணக்கு நாணய நிறுவனம் நாணயமாக இருக்க வேண்டும் {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,முகப்பு பிரிவுகள் தனிப்பயனாக்கலாம் -DocType: Quality Goal,October,அக்டோபர் +DocType: GSTR 3B Report,October,அக்டோபர் DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,விற்பனை பரிவர்த்தனையிலிருந்து வாடிக்கையாளரின் வரி ஐடியை மறைக்கவும் apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,தவறான GSTIN! GSTIN க்கு 15 எழுத்துகள் இருக்க வேண்டும். apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,விலை விதி {0} புதுப்பிக்கப்பட்டது @@ -393,7 +398,7 @@ DocType: Leave Encashment,Leave Balance,இருப்பு விட்டு apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},{1} க்கு எதிராக பராமரிப்பு அட்டவணை {0} DocType: Assessment Plan,Supervisor Name,மேற்பார்வையாளர் பெயர் DocType: Selling Settings,Campaign Naming By,மூலம் பிரச்சாரம் பெயரிடும் -DocType: Course,Course Code,நிச்சயமாக குறியீடு +DocType: Student Group Creation Tool Course,Course Code,நிச்சயமாக குறியீடு apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,விண்வெளி DocType: Landed Cost Voucher,Distribute Charges Based On,அடிப்படையில் சார்ஜ் விநியோகிக்க DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,சப்ளையர் ஸ்கோர் கார்ட் ஸ்கேரிங் க்ரிடியஸ் @@ -474,10 +479,8 @@ DocType: Restaurant Menu,Restaurant Menu,உணவக மெனு DocType: Asset Movement,Purpose,நோக்கம் apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,பணியாளர் அமைப்பு ஊழியர் ஏற்கனவே உள்ளது DocType: Clinical Procedure,Service Unit,சேவை பிரிவு -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> மண்டலம் DocType: Travel Request,Identification Document Number,அடையாள ஆவண எண் DocType: Stock Entry,Additional Costs,கூடுதல் செலவுகள் -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","பெற்றோர் பாடநெறி (இது பெற்றோர் பாடநெறியின் பகுதியாக இல்லாவிட்டால், காலியாக விடவும்)" DocType: Employee Education,Employee Education,பணியாளர் கல்வி apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,பதவிகளின் எண்ணிக்கையானது தற்போதைய ஊழியர்களின் எண்ணிக்கை குறைவாக இருக்க முடியாது apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,அனைத்து வாடிக்கையாளர் குழுக்களும் @@ -523,6 +526,8 @@ DocType: Attendance,HR-ATT-.YYYY.-,மனிதவள-Att-.YYYY.- apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","மேலே உள்ள நிபந்தனைகளின் அடிப்படையில் இரண்டு அல்லது அதற்கு மேற்பட்ட விலை விதிமுறைகள் இருந்தால், முன்னுரிமை பயன்படுத்தப்படும். முன்னுரிமை என்பது 0 இலிருந்து 20 க்கு இடைப்பட்ட ஒரு எண், ஆனால் முன்னிருப்பு மதிப்பு பூஜ்யம் (வெற்று) ஆகும். அதிக எண்ணிக்கையிலான அதே நிபந்தனைகளுடன் பல விலை விதிகள் இருந்தால் முன்னுரிமை கிடைக்கும் என்பதாகும்." apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,வரிசை {0}: கட்டாய கட்டாயமாகும் DocType: Sales Invoice,Against Income Account,வருமான கணக்குக்கு எதிராக +apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},வரிசை # {0}: ஏற்கனவே உள்ள சொத்துக்கு எதிராக கொள்முதல் விலைப்பட்டியல் செய்ய முடியாது {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,வெவ்வேறு விளம்பர திட்டங்களைப் பயன்படுத்துவதற்கான விதிகள். apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM க்கு UOM கோப்பர்பான் காரணி தேவை: {0} பொருள்: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},பொருளுக்கு அளவை உள்ளிடவும் {0} DocType: Workstation,Electricity Cost,மின்சார செலவு @@ -846,7 +851,6 @@ DocType: Item,Total Projected Qty,மொத்த மதிப்பீடு Qt apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,உண்மையான தொடக்க தேதி apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,இழப்பீட்டு விடுப்பு கோரிக்கை நாட்களுக்கு இடையில் நீங்கள் நாள் முழுவதும் இல்லை -DocType: Company,About the Company,நிறுவனம் பற்றி apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,நிதி கணக்குகளின் மரம். apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,மறைமுக வருமானம் DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,ஹோட்டல் அறை முன்பதிவு பொருள் @@ -870,6 +874,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,திட்டம ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,பயன்படுத்த வேண்டிய தொடரை அமைக்கவும். DocType: Delivery Trip,Distance UOM,தூரம் UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,சமநிலை தாள் கட்டாயத்திற்கு DocType: Payment Entry,Total Allocated Amount,மொத்த ஒதுக்கீடு தொகை DocType: Sales Invoice,Get Advances Received,முன்னேற்றங்கள் பெறப்பட்டது DocType: Student,B-,பி @@ -891,6 +896,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,பராமரி apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS நுழைவு செய்ய POS சுயவிவரம் தேவை DocType: Education Settings,Enable LMS,LMS ஐ இயக்கு DocType: POS Closing Voucher,Sales Invoices Summary,விற்பனை பற்றுச்சீட்டுகள் சுருக்கம் +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,பெனிபிட் apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,கடன் கணக்கில் ஒரு இருப்புநிலை கணக்கு இருக்க வேண்டும் DocType: Video,Duration,காலம் DocType: Lab Test Template,Descriptive,விளக்கமான @@ -940,6 +946,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,தொடக்க மற்றும் முடிவு நாட்கள் DocType: Supplier Scorecard,Notify Employee,பணியாளரை அறிவி apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,மென்பொருள் +DocType: Program,Allow Self Enroll,சுய பதிவு அனுமதி apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,பங்குச் செலவுகள் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,குறிப்பு தேதி நீங்கள் உள்ளிட்டால் குறிப்பு கண்டிப்பாக கட்டாயமாகும் DocType: Training Event,Workshop,பட்டறை @@ -992,6 +999,7 @@ DocType: Lab Test Template,Lab Test Template,லேப் டெஸ்ட் வ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},அதிகபட்சம்: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,மின்-விலைப்பட்டியல் தகவல் காணப்படவில்லை apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,பொருள் கோரிக்கை எதுவும் உருவாக்கப்படவில்லை +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட் DocType: Loan,Total Amount Paid,மொத்த தொகை பணம் apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,இந்த அனைத்து பொருட்களும் ஏற்கெனவே பதிவு செய்யப்பட்டுள்ளன DocType: Training Event,Trainer Name,பயிற்சியாளர் பெயர் @@ -1012,6 +1020,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,கல்வி ஆண்டில் DocType: Sales Stage,Stage Name,மேடை பெயர் DocType: SMS Center,All Employee (Active),அனைத்து பணியாளரும் (செயலில்) +DocType: Accounting Dimension,Accounting Dimension,கணக்கியல் பரிமாணம் DocType: Project,Customer Details,வாடிக்கையாளர் விவரங்கள் DocType: Buying Settings,Default Supplier Group,Default Supplier Group apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,முதலில் வாங்குதல் வாங்குவதை ரத்து செய் {0} @@ -1125,7 +1134,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","அதிக எ DocType: Designation,Required Skills,தேவையான திறன் DocType: Marketplace Settings,Disable Marketplace,Marketplace ஐ முடக்கு DocType: Budget,Action if Annual Budget Exceeded on Actual,வருடாந்த வரவு செலவுத் திட்டம் உண்மையானால் மீறப்பட்டால் நடவடிக்கை -DocType: Course,Course Abbreviation,பாடநெறி சுருக்கம் apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,விடுப்பு மீது {0} {0} க்கான வருகை சமர்ப்பிக்கப்படவில்லை. DocType: Pricing Rule,Promotional Scheme Id,விளம்பர திட்டம் ஐடி DocType: Driver,License Details,உரிமம் விவரங்கள் @@ -1267,7 +1275,7 @@ DocType: Bank Guarantee,Margin Money,விளிம்பு பணம் DocType: Chapter,Chapter,அத்தியாயம் DocType: Purchase Receipt Item Supplied,Current Stock,தற்போதைய பங்கு DocType: Employee,History In Company,நிறுவனத்தின் வரலாறு -DocType: Item,Manufacturer,உற்பத்தியாளர் +DocType: Purchase Invoice Item,Manufacturer,உற்பத்தியாளர் apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,மிதமான உணர்திறன் DocType: Compensatory Leave Request,Leave Allocation,ஒதுக்கீடு விடு DocType: Timesheet,Timesheet,டைம் ஷீட் @@ -1298,6 +1306,7 @@ DocType: Work Order,Material Transferred for Manufacturing,தயாரிப் DocType: Products Settings,Hide Variants,மாறுதல்களை மறை DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,செயல்திறன் திட்டமிடல் மற்றும் நேரம் கண்காணிப்பு முடக்கவும் DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* பரிவர்த்தனையில் கணக்கிடப்படும். +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} 'Balance Sheet' கணக்கிற்கு {1} தேவை. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} {1} உடன் பரிமாற அனுமதிக்கப்படவில்லை. நிறுவனத்தை மாற்றவும். 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}" DocType: Delivery Trip,Delivery Details,விநியோக விவரங்கள் @@ -1333,7 +1342,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,முன் apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,அளவீட்டு அலகு DocType: Lab Test,Test Template,டெஸ்ட் டெம்ப்ளேட் DocType: Fertilizer,Fertilizer Contents,உரம் பொருளடக்கம் -apps/erpnext/erpnext/utilities/user_progress.py,Minute,மினிட் +DocType: Quality Meeting Minutes,Minute,மினிட் apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","வரிசை # {0}: சொத்து {1} சமர்ப்பிக்க முடியாது, அது ஏற்கனவே {2}" DocType: Task,Actual Time (in Hours),உண்மையான நேரம் (மணி நேரங்களில்) DocType: Period Closing Voucher,Closing Account Head,கணக்குத் தலைப்பை மூடு @@ -1415,6 +1424,7 @@ DocType: QuickBooks Migrator,Application Settings,பயன்பாட்டு apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,பொருள் கட்டளைக்கு எதிராக உற்பத்தி ஆணை எழுப்ப முடியாது DocType: Work Order,Manufacture against Material Request,பொருள் கோரிக்கைக்கு எதிராக உற்பத்தி செய்தல் DocType: Blanket Order Item,Ordered Quantity,ஆர்டர் அளவு +apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},வரிசை # {0}: நிராகரிக்கப்பட்ட பொருளுக்கு எதிராக நிராகரிக்கப்பட்ட கிடங்கு கட்டாயமாகும் {1} ,Received Items To Be Billed,பெறப்பட்ட பொருட்கள் பெறப்பட்டது DocType: Salary Slip Timesheet,Working Hours,வேலை நேரங்கள் apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,கட்டண முறை @@ -1504,7 +1514,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,ஆய்வகம் DocType: Purchase Order,To Bill,ரசீதிற்க்கு apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,பயன்பாட்டு செலவுகள் DocType: Manufacturing Settings,Time Between Operations (in mins),செயல்பாடுகள் இடையே நேரம் (நிமிடங்கள்) -DocType: Quality Goal,May,மே +DocType: GSTR 3B Report,May,மே apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","கட்டணம் நுழைவாயில் கணக்கு உருவாக்கப்பட்டது இல்லை, தயவு செய்து ஒரு கைமுறையாக உருவாக்கவும்." DocType: Opening Invoice Creation Tool,Purchase,கொள்முதல் DocType: Program Enrollment,School House,பள்ளி மாளிகை @@ -1518,6 +1528,7 @@ apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_sum apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cash or Bank Account is mandatory for making payment entry,பணப்புழக்கம் அல்லது வங்கி கணக்கு நுழைவுக்கட்டணம் செய்வதற்கு கட்டாயமாகும் DocType: Company,Registration Details,பதிவு விவரங்கள் apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Calculated Bank Statement balance,கணக்கிடப்பட்ட வங்கி அறிக்கை சமநிலை +apps/erpnext/erpnext/hub_node/api.py,Only users with {0} role can register on Marketplace,{0} பங்கு உள்ள பயனர்கள் மட்டுமே சந்தையில் பதிவு செய்ய முடியும் apps/erpnext/erpnext/controllers/stock_controller.py,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Warehouse {0} எந்தக் கணக்குடன் இணைக்கப்படவில்லை, தயவுசெய்து கணக்கைக் குறிப்பிடுக அல்லது கணக்கில் உள்ள இயல்புநிலை சரக்குக் கணக்கு கணக்கில் {1}." DocType: Inpatient Record,Admission,சேர்க்கை apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,இந்த மாணவர் வருகை அடிப்படையாக கொண்டது @@ -1535,6 +1546,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,உங்கள் சப்ளையர் பற்றிய சட்டப்பூர்வ தகவல் மற்றும் பிற பொதுவான தகவல்கள் DocType: Item Default,Default Selling Cost Center,இயல்புநிலை விற்பனை விலை மையம் DocType: Sales Partner,Address & Contacts,முகவரி & தொடர்புகள் +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு> எண்ணைத் தொடர் வழியாக வருகைக்கான எண்ணைத் தொடரை அமைக்கவும் DocType: Subscriber,Subscriber,சந்தாதாரர் apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# படிவம் / பொருள் / {0}) பங்கு இல்லை apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,முதலில் இடுகையிடல் தேதி தேர்ந்தெடுக்கவும் @@ -1562,6 +1574,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,உள்நோயாள DocType: Bank Statement Settings,Transaction Data Mapping,பரிவர்த்தனை தரவு வரைபடம் apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,ஒரு முன்னணி நபரின் பெயர் அல்லது ஒரு நிறுவனத்தின் பெயர் தேவை DocType: Student,Guardians,பாதுகாவலர்கள் +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,தயவுசெய்து கல்வி> கல்வி அமைப்புகளில் கல்வி பயிற்றுவிப்பாளரை அமைத்தல் apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,பிராண்ட் தேர்ந்தெடு ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,மத்திய வருவாய் DocType: Shipping Rule,Calculate Based On,அடிப்படையில் கணக்கிட @@ -1573,7 +1586,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,செலவினம் DocType: Purchase Invoice,Rounding Adjustment (Company Currency),வட்டமான சரிசெய்தல் (கம்பெனி நாணய) DocType: Item,Publish in Hub,மையத்தில் வெளியிடவும் apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,ஆகஸ்ட் +DocType: GSTR 3B Report,August,ஆகஸ்ட் apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,முதலில் கொள்முதல் ரசீது உள்ளிடுக apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ஆண்டு தொடங்கவும் apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),இலக்கு ({}) @@ -1592,6 +1605,7 @@ DocType: Item,Max Sample Quantity,அதிகபட்ச மாதிரி apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,மூல மற்றும் இலக்கு கிடங்கில் வெவ்வேறு இருக்க வேண்டும் DocType: Employee Benefit Application,Benefits Applied,பயன்கள் பயன் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,பத்திரிகை நுழைவுக்கு எதிராக {0} எந்தவொரு பொருந்தாத {1} இடுகைகளும் இல்லை +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",""-", "#", ".", "/", "{" மற்றும் "}" தவிர சிறப்பு எழுத்துக்கள் பெயரிடும் தொடரில் அனுமதிக்கப்படவில்லை" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,விலை அல்லது தயாரிப்பு தள்ளுபடி அடுக்குகள் தேவைப்படுகின்றன apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ஒரு இலக்கு அமைக்கவும் apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},மாணவர் {1} எதிராக வருகை பதிவு {0} @@ -1607,10 +1621,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,ஒரு மாதம் DocType: Routing,Routing Name,ரவுடிங் பெயர் DocType: Disease,Common Name,பொது பெயர் -DocType: Quality Goal,Measurable,அளவிடக் DocType: Education Settings,LMS Title,LMS தலைப்பு apps/erpnext/erpnext/config/non_profit.py,Loan Management,கடன் மேலாண்மை -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,ஆதரவு அனலிட்டிக்ஸ் DocType: Clinical Procedure,Consumable Total Amount,நுகர்வோர் மொத்த தொகை apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,டெம்ப்ளேட் இயக்கு apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,வாடிக்கையாளர் LPO @@ -1749,6 +1761,7 @@ DocType: Restaurant Order Entry Item,Served,பணியாற்றினார DocType: Loan,Member,உறுப்பினர் DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,பயிற்சி சேவை அலகு அட்டவணை apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,கம்பி பரிமாற்றம் +DocType: Quality Review Objective,Quality Review Objective,தர மதிப்பாய்வு குறிக்கோள் DocType: Bank Reconciliation Detail,Against Account,கணக்குக்கு எதிராக DocType: Projects Settings,Projects Settings,திட்டங்கள் அமைப்புகள் apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},உண்மையான Qty {0} / காத்திருக்கும் Qty {1} @@ -1777,6 +1790,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,நிதியாண்டிற்கான இறுதி தேதி ஒரு ஆண்டுக்குப் பிறகு நிதி ஆண்டின் தொடக்க தேதி apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,தினசரி நினைவூட்டல்கள் DocType: Item,Default Sales Unit of Measure,அளவீட்டின் இயல்புநிலை விற்பனை பிரிவு +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,நிறுவனம் GSTIN DocType: Asset Finance Book,Rate of Depreciation,தேய்மானத்தின் விகிதம் DocType: Support Search Source,Post Description Key,இடுகை விளக்கம் விசை DocType: Loyalty Program Collection,Minimum Total Spent,குறைந்தபட்ச மொத்த செலவு @@ -1847,6 +1861,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,தேர்ந்தெடுத்த வாடிக்கையாளருக்கு வாடிக்கையாளர் குழுவை மாற்றுதல் அனுமதிக்கப்படாது. DocType: Serial No,Creation Document Type,உருவாக்கம் ஆவண வகை DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Warehouse இல் கிடைக்கக்கூடிய பேட் Qty +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,விலைப்பட்டியல் கிராண்ட் மொத்தம் apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,இது ஒரு வட்டார மண்டலம் மற்றும் திருத்த முடியாது. DocType: Patient,Surgical History,அறுவை சிகிச்சை வரலாறு apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,தர முறைகள் மரம். @@ -1950,6 +1965,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,நீங்கள் வலைத்தளத்தில் காட்ட விரும்பினால் இந்த பாருங்கள் apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,நிதி ஆண்டு {0} இல்லை DocType: Bank Statement Settings,Bank Statement Settings,வங்கி அறிக்கை அமைப்புகள் +DocType: Quality Procedure Process,Link existing Quality Procedure.,இருக்கும் தர நடைமுறைகளை இணைக்கவும். +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,CSV / எக்செல் கோப்புகளிலிருந்து கணக்குகளின் இறக்குமதி அட்டவணை DocType: Appraisal Goal,Score (0-5),ஸ்கோர் (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,பண்புக்கூறு அட்டவணையில் பல முறை தேர்ந்தெடுக்கப்பட்ட பண்புக்கூறு {0} DocType: Purchase Invoice,Debit Note Issued,பற்று குறிப்பு வெளியீடு @@ -1958,7 +1975,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,கொள்கை விரிவாக விடவும் apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,கணினியில் கிடங்கு இல்லை DocType: Healthcare Practitioner,OP Consulting Charge,OP ஆலோசனை சார்ஜ் -DocType: Quality Goal,Measurable Goal,அளவிடக்கூடிய இலக்கு DocType: Bank Statement Transaction Payment Item,Invoices,பற்றுச்சீட்டுகள் DocType: Currency Exchange,Currency Exchange,நாணய மாற்று DocType: Payroll Entry,Fortnightly,இரண்டு வாரங்களுக்கு ஒரு முறை @@ -2020,6 +2036,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} சமர்ப்பிக்கப்படவில்லை DocType: Work Order,Backflush raw materials from work-in-progress warehouse,வேலை-முன்னேற்றம் கிடங்கில் இருந்து Backflush மூலப்பொருட்கள் DocType: Maintenance Team Member,Maintenance Team Member,பராமரிப்பு குழு உறுப்பினர் +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,கணக்கியலுக்கான தனிப்பயன் பரிமாணங்களை அமைக்கவும் DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,உகந்த வளர்ச்சிக்கு தாவரங்களின் வரிசைகள் இடையே குறைந்தபட்ச தூரம் DocType: Employee Health Insurance,Health Insurance Name,சுகாதார காப்பீடு பெயர் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,பங்கு சொத்துகள் @@ -2050,7 +2067,7 @@ DocType: Delivery Note,Billing Address Name,பில்லிங் முக apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,மாற்று பொருள் DocType: Certification Application,Name of Applicant,விண்ணப்பதாரரின் பெயர் DocType: Leave Type,Earned Leave,பெற்றார் விட்டு -DocType: Quality Goal,June,ஜூன் +DocType: GSTR 3B Report,June,ஜூன் apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},{0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,அளவீட்டு அலகு {0} மாற்றும் காரணி அட்டவணையில் ஒன்றுக்கு மேற்பட்ட முறை நுழைந்தது DocType: Purchase Invoice Item,Net Rate (Company Currency),நிகர விகிதம் (நிறுவனத்தின் நாணய) @@ -2070,6 +2087,7 @@ DocType: Lab Test Template,Standard Selling Rate,நிலையான விற apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},உணவகத்திற்கு {0} 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: Asset Finance Book,Asset Finance Book,சொத்து நிதி புத்தகம் +DocType: Quality Goal Objective,Quality Goal Objective,தர இலக்கு குறிக்கோள் DocType: Employee Transfer,Employee Transfer,பணியாளர் மாற்றம் ,Sales Funnel,விற்பனை புனல் DocType: Agriculture Analysis Criteria,Water Analysis,நீர் பகுப்பாய்வு @@ -2108,6 +2126,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,பணியா apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,நிலுவையிலுள்ள செயல்பாடுகள் apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,உங்கள் வாடிக்கையாளர்களில் சிலவற்றை பட்டியலிடுங்கள். அவை நிறுவனங்கள் அல்லது தனிநபர்களாக இருக்கலாம். DocType: Bank Guarantee,Bank Account Info,வங்கி கணக்கு தகவல் +DocType: Quality Goal,Weekday,வாரநாள் apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 பெயர் DocType: Salary Component,Variable Based On Taxable Salary,வரிவிலக்கு சம்பளம் அடிப்படையில் மாறி DocType: Accounting Period,Accounting Period,கணக்கீட்டு காலம் @@ -2192,7 +2211,7 @@ DocType: Purchase Invoice,Rounding Adjustment,வட்டமான சரிச DocType: Quality Review Table,Quality Review Table,தரம் விமர்சனம் அட்டவணை DocType: Member,Membership Expiry Date,உறுப்பினர் காலாவதி தேதி DocType: Asset Finance Book,Expected Value After Useful Life,பயனுள்ள வாழ்க்கைக்குப் பிறகு எதிர்பார்க்கப்படும் மதிப்பு -DocType: Quality Goal,November,நவம்பர் +DocType: GSTR 3B Report,November,நவம்பர் DocType: Loan Application,Rate of Interest,வட்டி விகிதம் DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,வங்கி அறிக்கை பரிவர்த்தனை செலுத்தும் பொருள் DocType: Restaurant Reservation,Waitlisted,உறுதியாகாத @@ -2255,6 +2274,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","வரிசை {0}: {1} காலமுறைமையை அமைக்க, தேதி மற்றும் தேதிக்கு இடையே உள்ள வித்தியாசம் {2}" DocType: Purchase Invoice Item,Valuation Rate,மதிப்பீட்டு விகிதம் DocType: Shopping Cart Settings,Default settings for Shopping Cart,வணிக வண்டியில் இயல்புநிலை அமைப்புகள் +DocType: Quiz,Score out of 100,100 இல் மதிப்பெண் DocType: Manufacturing Settings,Capacity Planning,திறன் திட்டமிடல் apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,பயிற்றுவிப்பாளர்களிடம் செல் DocType: Activity Cost,Projects,திட்டங்கள் @@ -2264,6 +2284,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,இரண்டாம் DocType: Cashier Closing,From Time,நேரம் இருந்து apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,மாறுபட்ட விவரங்கள் அறிக்கை +,BOM Explorer,BOM எக்ஸ்ப்ளோரர் DocType: Currency Exchange,For Buying,வாங்குதல் apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,அட்டவணையில் {0} க்கான இடங்கள் சேர்க்கப்படவில்லை DocType: Target Detail,Target Distribution,இலக்கு விநியோகம் @@ -2281,6 +2302,7 @@ DocType: Activity Cost,Activity Cost,செயல்பாடு செலவு DocType: Journal Entry,Payment Order,கட்டணம் ஆர்டர் apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,விலை ,Item Delivery Date,பொருள் டெலிவரி தேதி +DocType: Quality Goal,January-April-July-October,ஜனவரி-ஏப்ரல்-ஜூலை-அக்டோபர் DocType: Purchase Order Item,Warehouse and Reference,கிடங்கு மற்றும் குறிப்பு apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,குழந்தை முனையங்களுடன் கணக்கு பேரேட்டாக மாற்ற முடியாது DocType: Soil Texture,Clay Composition (%),களிமண் கலவை (%) @@ -2331,6 +2353,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,எதிர்கா apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,வரிசை {0}: கட்டணம் செலுத்து அட்டவணையில் செலுத்துதல் முறை அமைக்கவும் apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,கல்வி காலம்: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,தரமான கருத்து அளவுரு apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,தயவுசெய்து விண்ணப்பிக்கவும் தள்ளுபடி apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,வரிசை # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,மொத்த கொடுப்பனவுகள் @@ -2373,7 +2396,7 @@ DocType: Hub Tracked Item,Hub Node,ஹப் நோட் apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,பணியாளர் ஐடி DocType: Salary Structure Assignment,Salary Structure Assignment,சம்பள கட்டமைப்பு நியமிப்பு DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS நிறைவு வவுச்சர் வரிகள் -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,நடவடிக்கை ஆரம்பிக்கப்பட்டது +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,நடவடிக்கை ஆரம்பிக்கப்பட்டது DocType: POS Profile,Applicable for Users,பயனர்களுக்கு பொருந்தும் DocType: Training Event,Exam,தேர்வு apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,பொது லெட்ஜர் நுழைவுகளின் தவறான எண் காணப்பட்டது. பரிவர்த்தனையில் தவறான கணக்கை நீங்கள் தேர்ந்தெடுத்திருக்கலாம். @@ -2479,6 +2502,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,தீர்க்கரேகை DocType: Accounts Settings,Determine Address Tax Category From,இருந்து முகவரி வகை வகை தீர்மானிக்க apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,தீர்மான தயாரிப்பாளர்களை அடையாளம் காண்பது +DocType: Stock Entry Detail,Reference Purchase Receipt,குறிப்பு கொள்முதல் ரசீது apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Invocies ஐப் பெறுக DocType: Tally Migration,Is Day Book Data Imported,நாள் புத்தக தரவு இறக்குமதி செய்யப்படுகிறது ,Sales Partners Commission,விற்பனை பங்குதாரர்கள் ஆணையம் @@ -2502,6 +2526,7 @@ DocType: Leave Type,Applicable After (Working Days),பொருந்தும DocType: Timesheet Detail,Hrs,மணி DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,சப்ளையர் ஸ்கோர் கார்ட் DocType: Amazon MWS Settings,FR,பிரான்ஸ் +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,தர தோற்றம் டெம்ப்ளேட் அளவுரு apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,பிறப்பு தினத்தை விட அதிகமானவராக இருத்தல் அவசியம் DocType: Bank Statement Transaction Invoice Item,Invoice Date,விலைப்பட்டியல் தேதி DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,விற்பனை விலைப்பட்டியல் சமர்ப்பிக்க லேப் டெஸ்ட் (களை) உருவாக்கவும் @@ -2608,7 +2633,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,குறைந்த DocType: Stock Entry,Source Warehouse Address,மூல கிடங்கு முகவரி DocType: Compensatory Leave Request,Compensatory Leave Request,இழப்பீட்டு விடுப்பு கோரிக்கை DocType: Lead,Mobile No.,அலைபேசி எண். -DocType: Quality Goal,July,ஜூலை +DocType: GSTR 3B Report,July,ஜூலை apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,தகுதியான ITC DocType: Fertilizer,Density (if liquid),அடர்த்தி (திரவத்தால்) DocType: Employee,External Work History,வெளிப்புற வேலை வரலாறு @@ -2684,6 +2709,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked DocType: Certification Application,Certification Status,சான்றளிப்பு நிலை DocType: Employee,Encashment Date,குறியீட்டு தேதி apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,பூர்த்தி செய்யப்பட்ட சொத்து பராமரிப்பு பதிவுக்கான நிறைவு தேதி என்பதைத் தேர்ந்தெடுக்கவும் +DocType: Quiz,Latest Attempt,சமீபத்திய முயற்சி DocType: Leave Block List,Allow Users,பயனர்களை அனுமதி apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,கணக்குகளின் விளக்கப்படம் apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"வாடிக்கையாளராக 'சந்தர்ப்பத்திலிருந்து' தேர்ந்தெடுக்கப்பட்டால், வாடிக்கையாளர் கட்டாயமில்லை" @@ -2747,7 +2773,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,சப்ளைய DocType: Amazon MWS Settings,Amazon MWS Settings,அமேசான் MWS அமைப்புகள் DocType: Program Enrollment,Walking,வாக்கிங் DocType: SMS Log,Requested Numbers,கோரப்பட்ட எண்கள் -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு> எண் வரிசை தொடர் மூலம் கலந்துரையாடலுக்கான வரிசை எண்ணை அமைக்கவும் DocType: Woocommerce Settings,Freight and Forwarding Account,சரக்கு மற்றும் பகிர்தல் கணக்கு apps/erpnext/erpnext/accounts/party.py,Please select a Company,ஒரு நிறுவனத்தைத் தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,வரிசை {0}: {1} 0 ஐ விட அதிகமாக இருக்க வேண்டும் @@ -2814,7 +2839,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,வாட DocType: Training Event,Seminar,கருத்தரங்கு apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),கடன் ({0}) DocType: Payment Request,Subscription Plans,சந்தா திட்டங்கள் -DocType: Quality Goal,March,மார்ச் +DocType: GSTR 3B Report,March,மார்ச் apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,பிளேட் பிரி DocType: School House,House Name,வீடு பெயர் apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0} க்கான சிறந்தது பூஜ்ஜியத்தை விட குறைவாக இருக்க முடியாது ({1}) @@ -2877,7 +2902,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,காப்பீடு துவங்கும் தேதி DocType: Target Detail,Target Detail,இலக்கு விரிவாக DocType: Packing Slip,Net Weight UOM,நிகர எடை UOM -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: Purchase Invoice Item,Net Amount (Company Currency),நிகர தொகை (நிறுவனத்தின் நாணய) DocType: Bank Statement Transaction Settings Item,Mapped Data,வரைபட தரவு apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,பத்திரங்கள் மற்றும் வைப்பு @@ -2927,6 +2951,7 @@ DocType: Cheque Print Template,Cheque Height,உயரம் பாருங் apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,நித்திய தேதியை உள்ளிடுக. DocType: Loyalty Program,Loyalty Program Help,விசுவாசம் திட்டம் உதவி DocType: Journal Entry,Inter Company Journal Entry Reference,இன்டர் கம்பெனி ஜர்னல் நுழைவு குறிப்பு +DocType: Quality Meeting,Agenda,நிகழ்ச்சி நிரல் DocType: Quality Action,Corrective,திருத்தப்பட்ட apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,மூலம் குழு DocType: Bank Account,Address and Contact,முகவரி மற்றும் தொடர்பு @@ -2980,7 +3005,7 @@ DocType: GL Entry,Credit Amount,கடன் தொகை apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,மொத்த தொகை பாராட்டப்பட்டது DocType: Support Search Source,Post Route Key List,போஸ்ட் வழி விசை பட்டியல் apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} எந்த செயலில் நிதி ஆண்டில் இல்லை. -DocType: Quality Action Table,Problem,பிரச்சனை +DocType: Quality Action Resolution,Problem,பிரச்சனை DocType: Training Event,Conference,மாநாடு DocType: Mode of Payment Account,Mode of Payment Account,கட்டண கணக்கு முறை DocType: Leave Encashment,Encashable days,உண்டாக்கக்கூடிய நாட்கள் @@ -3093,6 +3118,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot DocType: Agriculture Analysis Criteria,Weather,வானிலை ,Welcome to ERPNext,ERPNext க்கு வரவேற்கிறோம் DocType: Payment Reconciliation,Maximum Invoice Amount,அதிகபட்ச விலைப்பட்டியல் தொகை +apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim for Vehicle Log {0},வாகன பதிவிற்கான செலவு உரிமைகோரல் {0} DocType: Healthcare Settings,Patient Encounters in valid days,சரியான நாட்களில் நோயாளி சந்திப்புகள் ,Student Fee Collection,மாணவர் கட்டணம் சேகரிப்பு DocType: Selling Settings,Sales Order Required,விற்பனை ஆணை தேவைப்படுகிறது @@ -3105,7 +3131,7 @@ DocType: Item,"Purchase, Replenishment Details","கொள்முதல், DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","ஒருமுறை அமைக்க, இந்த விலைப்பட்டியல் தேதி வரை வைத்திருக்கும்" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"மாறுபாடுகள் உள்ளன என்பதால், பொருளடக்கம் {0} க்கான பங்கு இருக்க முடியாது" DocType: Lab Test Template,Grouped,தொகுக்கப்பட்டுள்ளது -DocType: Quality Goal,January,ஜனவரி +DocType: GSTR 3B Report,January,ஜனவரி DocType: Course Assessment Criteria,Course Assessment Criteria,பாடநெறி மதிப்பீட்டு அளவுகோல் DocType: Certification Application,INR,ரூபாய் DocType: Job Card Time Log,Completed Qty,முடிக்கப்பட்ட Qty @@ -3197,7 +3223,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,சுகா apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,அட்டவணையில் ஏறக்குறைய 1 விலைப்பட்டியல் உள்ளிடவும் apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,விற்பனை ஆணை {0} சமர்ப்பிக்கப்படவில்லை apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,கலந்துரையாடல் வெற்றிகரமாக குறிக்கப்பட்டது. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,முன் விற்பனை +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,முன் விற்பனை apps/erpnext/erpnext/config/projects.py,Project master.,திட்டம் மாஸ்டர். DocType: Daily Work Summary,Daily Work Summary,தினசரி பணி சுருக்கம் DocType: Asset,Partially Depreciated,ஓரளவு மலிவு @@ -3206,6 +3232,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,குறியாக்கியதா? DocType: Certified Consultant,Discuss ID,ID ஐ விவாதிக்கவும் apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,GST அமைப்புகளில் GST கணக்குகளை அமைக்கவும் +DocType: Quiz,Latest Highest Score,சமீபத்திய மிக உயர்ந்த ஸ்கோர் DocType: Supplier,Billing Currency,பில்லிங் நாணயம் apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,மாணவர் செயல்பாடு apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,இலக்கு குறிக்கோள் அல்லது இலக்கு அளவு ஒன்று கட்டாயமாகும் @@ -3230,18 +3257,21 @@ DocType: Sales Order,Not Delivered,வழங்கப்படவில்லை apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,விடுப்பு வகை {0} அது ஊதியம் இல்லாமல் விட்டு விடுவதால் ஒதுக்கப்பட முடியாது DocType: GL Entry,Debit Amount,கடன் தொகை apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},உருப்படிக்கு ஏற்கனவே பதிவு செய்யப்பட்டுள்ளது {0} +DocType: Video,Vimeo,விமியோ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,துணை கூட்டங்கள் 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.","பல விலை விதிகள் தொடர்ந்தால், முரண்பாடுகளைத் தீர்க்க முன்னுரிமைகளை கைமுறையாக அமைக்க பயனர்கள் கோருகின்றனர்." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',மதிப்பு 'மதிப்பீடு' அல்லது 'மதிப்பீடு மற்றும் மொத்தம்' apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM மற்றும் உற்பத்தி அளவு தேவை apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},{0} பொருள் {0} DocType: Quality Inspection Reading,Reading 6,படித்தல் 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,நிறுவனத்தின் புலம் தேவை apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,பொருள் நுகர்வு உற்பத்தி அமைப்புகளில் அமைக்கப்படவில்லை. DocType: Assessment Group,Assessment Group Name,மதிப்பீட்டு குழு பெயர் -DocType: Item,Manufacturer Part Number,உற்பத்தியாளர் பாகம் எண் +DocType: Purchase Invoice Item,Manufacturer Part Number,உற்பத்தியாளர் பாகம் எண் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,செலுத்த வேண்டிய ஊதியம் apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},வரிசை # {0}: {1} உருப்படிக்கு எதிர்மறையாக இருக்க முடியாது {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,இருப்பு Qty +DocType: Question,Multiple Correct Answer,பல சரியான பதில் DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 லாயல்டி புள்ளிகள் = எவ்வளவு அடிப்படை நாணயம்? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},குறிப்பு: விடுப்பு வகை போதிய விடுப்பு சமநிலை இல்லை {0} DocType: Clinical Procedure,Inpatient Record,உள்நோயாளி பதிவு @@ -3360,6 +3390,7 @@ DocType: Fee Schedule Program,Total Students,மொத்த மாணவர் apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,உள்ளூர் DocType: Chapter Member,Leave Reason,காரணம் விடு DocType: Salary Component,Condition and Formula,நிபந்தனை மற்றும் சூத்திரம் +DocType: Quality Goal,Objectives,நோக்கங்கள் apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","{0} மற்றும் {1} இடையே காலத்திற்கான சம்பளம் ஏற்கனவே செயலாக்கப்பட்டது, இந்த தேதி வரம்பிற்குள் பயன்பாட்டு காலம் இருக்கக்கூடாது." DocType: BOM Item,Basic Rate (Company Currency),அடிப்படை விகிதம் (நிறுவனத்தின் நாணய) DocType: BOM Scrap Item,BOM Scrap Item,BOM ஸ்க்ராப் பொருள் @@ -3410,6 +3441,7 @@ DocType: Supplier,SUP-.YYYY.-,கீழெழுத்துகளுடன் . DocType: Expense Claim Account,Expense Claim Account,செலவு கணக்குக் கோரிக்கை apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ஜர்னல் நுழைவுக்காக திருப்பிச் செலுத்துதல் இல்லை apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} செயலற்ற மாணவர் +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,பங்கு நுழைவு செய்யுங்கள் DocType: Employee Onboarding,Activities,நடவடிக்கைகள் apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,ஒரே ஒரு கிடங்கை கட்டாயமாக உள்ளது ,Customer Credit Balance,வாடிக்கையாளர் கடன் சமநிலை @@ -3493,7 +3525,6 @@ DocType: Contract,Contract Terms,ஒப்பந்த விதிமுறை apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,இலக்கு குறிக்கோள் அல்லது இலக்கு அளவு ஒன்று கட்டாயமாகும். apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},தவறானது {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,சந்திப்பு தேதி DocType: Inpatient Record,HLC-INP-.YYYY.-,ஹெச்எல்சி-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,சுருக்கமாக 5 எழுத்துகளுக்கு மேல் இருக்க முடியாது DocType: Employee Benefit Application,Max Benefits (Yearly),அதிகபட்ச நன்மைகள் (வருடாந்திரம்) @@ -3595,7 +3626,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,வங்கி கட்டணம் apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,பொருட்கள் பரிமாற்றம் apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,முதன்மை தொடர்பு விவரங்கள் -DocType: Quality Review,Values,மதிப்புகள் DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","சரிபார்க்கப்படாவிட்டால், ஒவ்வொரு துறையிலும் அந்தப் பட்டியல் சேர்க்கப்பட வேண்டும்." DocType: Item Group,Show this slideshow at the top of the page,பக்கத்தின் மேல் இந்த ஸ்லைடுஷோவைக் காண்பி apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} அளவுரு செல்லுபடியாகாதது @@ -3614,6 +3644,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,வங்கிக் கட்டணங்கள் கணக்கு DocType: Journal Entry,Get Outstanding Invoices,சிறந்த பற்றுச்சீட்டுகளைப் பெறுங்கள் DocType: Opportunity,Opportunity From,வாய்ப்பு +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,இலக்கு விவரங்கள் DocType: Item,Customer Code,வாடிக்கையாளர் குறியீடு apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,முதலில் பொருளை உள்ளிடுக apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,வலைத்தள பட்டியல் @@ -3642,7 +3673,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,சேரவேண்டிய இடம் DocType: Bank Statement Transaction Settings Item,Bank Data,வங்கி தரவு apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,திட்டமிடப்பட்டது -DocType: Quality Goal,Everyday,தினமும் DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,பில்லிங் மணிநேரம் மற்றும் வேலை நேரங்களை பராமரித்தல் டைம்ஸ் ஷீட்டில் அதே apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,ட்ராக் மூலத்தை வழிநடத்துகிறது. DocType: Clinical Procedure,Nursing User,நர்சிங் பயனர் @@ -3667,7 +3697,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,மண்டலம் DocType: GL Entry,Voucher Type,ரசீது வகை ,Serial No Service Contract Expiry,சீரியல் இல்லை சேவை ஒப்பந்த காலாவதி DocType: Certification Application,Certified,சான்றளிக்கப்பட்ட -DocType: Material Request Plan Item,Manufacture,உற்பத்தி +DocType: Purchase Invoice Item,Manufacture,உற்பத்தி apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} உருப்படிகள் உற்பத்தி செய்யப்பட்டன apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0} க்கான கட்டணக் கோரிக்கை apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,கடைசி கட்டளையிலிருந்து நாட்கள் @@ -3681,7 +3711,7 @@ DocType: Topic,Topic Content,தலைப்பு உள்ளடக்கம DocType: Sales Invoice,Company Address Name,நிறுவனத்தின் முகவரி பெயர் apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,போக்குவரத்து உள்ள பொருட்கள் apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,இந்த வரிசையில் அதிகபட்சம் {0} புள்ளிகளை மட்டுமே மீட்டெடுக்க முடியும். -DocType: Quality Action Table,Resolution,தீர்மானம் +DocType: Quality Action,Resolution,தீர்மானம் DocType: Sales Invoice,Loyalty Points Redemption,விசுவாச புள்ளிகள் மீட்பு apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,மொத்த வரி விலக்கு DocType: Patient Appointment,Scheduled,திட்டமிடப்பட்ட @@ -3802,6 +3832,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,மதிப்பீடு apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},சேமித்தல் {0} DocType: SMS Center,Total Message(s),மொத்த செய்தி (கள்) +DocType: Purchase Invoice,Accounting Dimensions,கணக்கியல் பரிமாணங்கள் apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,கணக்கு மூலம் குழு DocType: Quotation,In Words will be visible once you save the Quotation.,நீங்கள் மேற்கோளைச் சேமித்தபின் வார்த்தைகளில் தெரியும். apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,உற்பத்தி செய்வதற்கான அளவு @@ -3965,7 +3996,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","உங்களுக்கு ஏதேனும் கேள்விகள் இருந்தால், தயவுசெய்து எங்களைத் திரும்பப் பெறவும்." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,கொள்முதல் ரசீது {0} சமர்ப்பிக்கப்படவில்லை DocType: Task,Total Expense Claim (via Expense Claim),மொத்த செலவு கோரிக்கை (செலவினக் கோரிக்கை வழியாக) -DocType: Quality Action,Quality Goal,தரமான இலக்கு +DocType: Quality Goal,Quality Goal,தரமான இலக்கு DocType: Support Settings,Support Portal,ஆதரவு வலைவாசல் apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},ஊழியர் {0} {1} DocType: Employee,Held On,அன்று நடைபெற்ற @@ -4022,7 +4053,6 @@ DocType: BOM,Operating Cost (Company Currency),இயக்க செலவு ( DocType: Item Price,Item Price,பொருள் விலை DocType: Payment Entry,Party Name,கட்சி பெயர் apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,ஒரு வாடிக்கையாளரைத் தேர்ந்தெடுக்கவும் -DocType: Course,Course Intro,பாடநெறி அறிமுகம் DocType: Program Enrollment Tool,New Program,புதிய திட்டம் apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","புதிய செலவின மையத்தின் எண்ணிக்கை, அது முன்னுரிமையின் விலை மையப் பெயரில் சேர்க்கப்படும்" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,வாடிக்கையாளர் அல்லது சப்ளையரைத் தேர்ந்தெடுக்கவும். @@ -4219,6 +4249,7 @@ DocType: Customer,CUST-.YYYY.-,Cust-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,நிகர ஊதியம் எதிர்மறையாக இருக்க முடியாது apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,தொடர்பு இல்லை 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/hr/doctype/employee/employee_dashboard.py,Shift,ஷிப்ட் apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,கணக்குகள் மற்றும் கட்சிகளின் செயல்முறை விளக்கப்படம் DocType: Stock Settings,Convert Item Description to Clean HTML,HTML ஐ வடிவமைக்க பொருள் விவரத்தை மாற்றவும் apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,அனைத்து சப்ளையர் குழுக்கள் @@ -4297,6 +4328,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,பெற்றோர் பொருள் apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,தரகு apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},உருப்படியை {0} வாங்குவதற்கான ரசீது அல்லது கொள்முதல் விலைப்பட்டியல் உருவாக்கவும். +,Product Bundle Balance,தயாரிப்பு மூட்டை இருப்பு apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,நிறுவனத்தின் பெயர் இருக்க முடியாது DocType: Maintenance Visit,Breakdown,பிரேக்டவுன் DocType: Inpatient Record,B Negative,பி நெகட்டிவ் @@ -4305,7 +4337,7 @@ DocType: Purchase Invoice,Credit To,கடன் apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,மேலும் செயலாக்கத்திற்கு இந்த பணி ஆணை சமர்ப்பிக்கவும். DocType: Bank Guarantee,Bank Guarantee Number,வங்கி உத்தரவாத எண் apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},வழங்கப்பட்டது: {0} -DocType: Quality Action,Under Review,விமர்சனம் கீழ் +DocType: Quality Meeting Table,Under Review,விமர்சனம் கீழ் apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),விவசாயம் (பீட்டா) ,Average Commission Rate,சராசரி கமிஷன் விகிதம் DocType: Sales Invoice,Customer's Purchase Order Date,வாடிக்கையாளர் கொள்முதல் ஆர்டர் தேதி @@ -4421,7 +4453,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,விலைகளுடன் கூடிய பணம் செலுத்துதல் DocType: Holiday List,Weekly Off,வாராந்திர ஆஃப் apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},உருப்படிக்கு மாற்று பொருளை அமைக்க அனுமதிக்க வேண்டாம் {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,நிரல் {0} இல்லை. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,நிரல் {0} இல்லை. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,ரூட் முனையை நீங்கள் திருத்த முடியாது. DocType: Fee Schedule,Student Category,மாணவர் வகை apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","பொருள் {0}: {1} qty உற்பத்தி செய்யப்பட்டது," @@ -4511,8 +4543,8 @@ DocType: Crop,Crop Spacing,பயிர் இடைவெளி DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,அடிக்கடி விற்பனை மற்றும் பரிவர்த்தனைகளின் அடிப்படையில் நிறுவனம் மேம்படுத்தப்பட வேண்டும். DocType: Pricing Rule,Period Settings,கால அமைப்புகள் apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,பெறத்தக்க கணக்குகளில் நிகர மாற்றம் +DocType: Quality Feedback Template,Quality Feedback Template,தரமான கருத்து வார்ப்புரு apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,அளவுக்கு பூஜ்ஜியத்தை விட அதிகமாக இருக்க வேண்டும் -DocType: Quality Goal,Goal Objectives,இலக்கு நோக்கங்கள் apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","விகிதங்கள், பங்குகளின் எண்ணிக்கை மற்றும் கணக்கிடப்பட்ட தொகை ஆகியவற்றிற்கு இடையே உள்ள முரண்பாடுகள் உள்ளன" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,வருடத்திற்கு மாணவர்கள் குழுக்களை நீங்கள் செய்தால் வெறுமனே விடுங்கள் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),கடன்கள் (பொறுப்புகள்) @@ -4547,12 +4579,13 @@ DocType: Quality Procedure Table,Step,படி DocType: Normal Test Items,Result Value,முடிவு மதிப்பு DocType: Cash Flow Mapping,Is Income Tax Liability,வருமான வரி பொறுப்பு DocType: Healthcare Practitioner,Inpatient Visit Charge Item,உள்நோயாளி வருகை பொறுத்து பொருள் -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} இல்லை. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} இல்லை. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,பதில் புதுப்பிக்கவும் DocType: Bank Guarantee,Supplier,சப்ளையர் apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},மதிப்பு betweeen {0} மற்றும் {1} DocType: Purchase Order,Order Confirmation Date,ஆர்டர் உறுதிப்படுத்தல் தேதி DocType: Delivery Trip,Calculate Estimated Arrival Times,கணக்கிடப்பட்ட வருகை டைம்ஸ் கணக்கிடுங்கள் +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,மனிதவள> மனிதவள அமைப்புகளில் பணியாளர் பெயரிடும் முறையை அமைக்கவும் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,பயன்படுத்தக்கூடிய DocType: Instructor,EDU-INS-.YYYY.-,Edu-ஐஎன்எஸ்-.YYYY.- DocType: Subscription,Subscription Start Date,சந்தா தொடக்க தேதி @@ -4614,6 +4647,7 @@ DocType: Cheque Print Template,Is Account Payable,கணக்கு செல apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,மொத்த ஆர்டர் மதிப்பு apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},வழங்குநர் {0} {1} இல் இல்லை apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,SMS நுழைவாயில் அமைப்புகளை அமைக்கவும் +DocType: Salary Component,Round to the Nearest Integer,அருகிலுள்ள முழு எண்ணுக்கு சுற்று apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,ரூட் ஒரு பெற்றோர் விலை மையத்தை கொண்டிருக்க முடியாது DocType: Healthcare Service Unit,Allow Appointments,நியமனங்கள் அனுமதிக்க DocType: BOM,Show Operations,செயல்பாடுகள் காட்டுகின்றன @@ -4741,7 +4775,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,இயல்புநிலை விடுமுறை பட்டியல் DocType: Naming Series,Current Value,தற்போதைய மதிப்பு apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","பட்ஜெட், இலக்குகள் முதலியன அமைக்க பருவகால" -DocType: Program,Program Code,நிரல் கோட் apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},எச்சரிக்கை: வாடிக்கையாளர் கொள்முதல் ஆணை {1} எதிராக விற்பனை ஆர்டர் {0} ஏற்கனவே உள்ளது apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,மாதாந்திர விற்பனை இலக்கு ( DocType: Guardian,Guardian Interests,கார்டியன் ஆர்வங்கள் @@ -4790,10 +4823,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,பணம் மற்றும் வழங்கப்படவில்லை apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,உருப்படி தானாக எண்ணிடப்படாததால் பொருள் கோட் கட்டாயமாகும் DocType: GST HSN Code,HSN Code,HSN கோட் -DocType: Quality Goal,September,செப்டம்பர் +DocType: GSTR 3B Report,September,செப்டம்பர் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,நிர்வாக செலவுகள் DocType: C-Form,C-Form No,சி-படிவம் இல்லை DocType: Purchase Invoice,End date of current invoice's period,தற்போதைய விலைப்பட்டியல் காலத்தின் இறுதி தேதி +DocType: Item,Manufacturers,உற்பத்தியாளர்கள் DocType: Crop Cycle,Crop Cycle,பயிர் சுழற்சி DocType: Serial No,Creation Time,உருவாக்கம் நேரம் apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,தயவுசெய்து ஒப்புதல் பங்கை அல்லது ஒப்புதல் பயனர் உள்ளிடவும் @@ -4866,8 +4900,6 @@ DocType: Employee,Short biography for website and other publications.,வலை DocType: Purchase Invoice Item,Received Qty,Qty பெறப்பட்டது DocType: Purchase Invoice Item,Rate (Company Currency),விகிதம் (நிறுவனத்தின் நாணயம்) DocType: Item Reorder,Request for,வேண்டுகோள் -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய ஊழியர் {0} \" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,முன்னமைவுகளை நிறுவுகிறது apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,திருப்பிச் செலுத்தும் காலம் உள்ளிடவும் DocType: Pricing Rule,Advanced Settings,மேம்பட்ட அமைப்புகள் @@ -4893,7 +4925,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,வணிக வண்டியை இயக்கு DocType: Pricing Rule,Apply Rule On Other,மற்றவர் மீது விதிமுறைகளைப் பயன்படுத்துங்கள் DocType: Vehicle,Last Carbon Check,கடைசி கார்பன் காசோலை -DocType: Vehicle,Make,செய்ய +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,செய்ய apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,விற்பனை விலைப்பட்டியல் {0} பணம் செலுத்தப்பட்டது apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,ஒரு கட்டண கோரிக்கை குறிப்பு ஆவணத்தை உருவாக்க வேண்டும் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,வருமான வரி @@ -4969,7 +5001,6 @@ DocType: Territory,Parent Territory,பெற்றோர் மண்டலம DocType: Vehicle Log,Odometer Reading,ஓடோமீட்டர் படித்தல் DocType: Additional Salary,Salary Slip,சம்பள விபரம் DocType: Payroll Entry,Payroll Frequency,சம்பள அதிர்வெண் -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,மனித வளத்திற்கான பணியாளர் பெயரிடும் அமைப்பை அமைத்தல்> HR அமைப்புகள் apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","செல்லுபடியாகும் சம்பள வரம்பில் தொடங்கும் மற்றும் முடிவுறும் தேதிகள், கணக்கிட முடியாது {0}" DocType: Products Settings,Home Page is Products,முகப்பு பக்கம் தயாரிப்புகள் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,அழைப்புகள் @@ -5023,7 +5054,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,பதிவுகள் எடுக்கும் ...... DocType: Delivery Stop,Contact Information,தொடர்பு தகவல் DocType: Sales Order Item,For Production,உற்பத்திக்கு -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,தயவுசெய்து கல்வி> கல்வி அமைப்புகளில் கல்வி பயிற்றுவிப்பாளரை அமைத்தல் DocType: Serial No,Asset Details,சொத்து விவரங்கள் DocType: Restaurant Reservation,Reservation Time,முன்பதிவு நேரம் DocType: Selling Settings,Default Territory,இயல்புநிலை மண்டலம் @@ -5161,6 +5191,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,காலாவதியான பேட்ஸ்கள் DocType: Shipping Rule,Shipping Rule Type,கப்பல் விதி வகை DocType: Job Offer,Accepted,ஏற்கப்பட்டது +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய பணியாளர் {0} delete ஐ நீக்கவும்" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,மதிப்பீட்டிற்கான மதிப்பீட்டிற்கு ஏற்கனவே நீங்கள் மதிப்பீடு செய்துள்ளீர்கள். apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,பாட்ச் எண்கள் தேர்ந்தெடு apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),வயது (நாட்கள்) @@ -5177,6 +5209,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,விற்பனை நேரத்தில் பொருட்களை மூட்டை. DocType: Payment Reconciliation Payment,Allocated Amount,ஒதுக்கீடு செய்யப்பட்ட தொகை apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,நிறுவனம் மற்றும் பதவிக்குத் தேர்ந்தெடுக்கவும் +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'தேதி' தேவை DocType: Email Digest,Bank Credit Balance,வங்கி கடன் சமநிலை apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,மொத்த தொகை காட்டு apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,நீங்கள் மீட்கும் விசுவாச புள்ளிகளைப் பெறுவீர்கள் @@ -5237,11 +5270,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,முந்தைய DocType: Student,Student Email Address,மாணவர் மின்னஞ்சல் முகவரி DocType: Academic Term,Education,கல்வி DocType: Supplier Quotation,Supplier Address,சப்ளையர் முகவரி -DocType: Salary Component,Do not include in total,மொத்தத்தில் சேர்க்க வேண்டாம் +DocType: Salary Detail,Do not include in total,மொத்தத்தில் சேர்க்க வேண்டாம் apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,ஒரு நிறுவனத்திற்கு பல பொருள் தவறுகளை அமைக்க முடியாது. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} இல்லை DocType: Purchase Receipt Item,Rejected Quantity,நிராகரிக்கப்பட்ட அளவு DocType: Cashier Closing,To TIme,TIme க்கு +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: Daily Work Summary Group User,Daily Work Summary Group User,தினசரி பணி சுருக்கம் குழு பயனர் DocType: Fiscal Year Company,Fiscal Year Company,நிதி ஆண்டு நிறுவனம் apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,மாற்று உருப்படி உருப்படியைக் குறியீடாக இருக்கக்கூடாது @@ -5351,7 +5385,6 @@ DocType: Fee Schedule,Send Payment Request Email,கட்டணம் கோர DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"நீங்கள் Sales Invoice ஐ சேமித்தபின், வார்த்தைகளில் தெரியும்." DocType: Sales Invoice,Sales Team1,விற்பனை குழு 1 DocType: Work Order,Required Items,தேவையான பொருட்கள் -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",""-" தவிர சிறப்பு எழுத்துக்கள், "#", "." மற்றும் "/" தொடரை பெயரிடுவதில் அனுமதி இல்லை" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,ERPNext கையேட்டைப் படியுங்கள் DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,சப்ளையர் விலைப்பட்டியல் இலக்கம் சரிபார்க்கவும் apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,சப் அசெம்பிளிகளைத் தேடு @@ -5419,7 +5452,6 @@ DocType: Taxable Salary Slab,Percent Deduction,சதவீதம் துப apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,உற்பத்திக்கான அளவு ஜீரோ விட குறைவாக இருக்க முடியாது DocType: Share Balance,To No,இல்லை DocType: Leave Control Panel,Allocate Leaves,ஒதுக்கீடு இலைகள் -DocType: Quiz,Last Attempt,கடைசி முயற்சி DocType: Assessment Result,Student Name,மாணவன் பெயர் apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,பராமரிப்பு வருகைக்கான திட்டம். apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,பொருள் கோரிக்கைகளை தொடர்ந்து தானாக உருப்படியின் மறு ஒழுங்கு நிலை அடிப்படையிலேயே எழுப்பப்பட்டிருக்கின்றன @@ -5488,6 +5520,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,காட்டி வண்ணம் DocType: Item Variant Settings,Copy Fields to Variant,மாறுபாடுகளுக்கு புலங்களை நகலெடுக்கவும் DocType: Soil Texture,Sandy Loam,சாண்டி லோம் +DocType: Question,Single Correct Answer,ஒற்றை சரியான பதில் apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,தேதி முதல் ஊழியர் சேரும் தேதிக்கு குறைவாக இருக்க முடியாது DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,வாடிக்கையாளர் கொள்முதல் ஆணைக்கு எதிராக பல விற்பனை ஆணைகளை அனுமதிக்கவும் apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5550,7 +5583,7 @@ DocType: Account,Expenses Included In Valuation,செலவுகள் மத apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,சீரியல் எண்கள் DocType: Salary Slip,Deductions,விலக்கிற்கு ,Supplier-Wise Sales Analytics,சப்ளையர்-வைஸ் விற்பனை அனலிட்டிக்ஸ் -DocType: Quality Goal,February,பிப்ரவரி +DocType: GSTR 3B Report,February,பிப்ரவரி DocType: Appraisal,For Employee,பணியாளருக்கு apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,உண்மையான டெலிவரி தேதி DocType: Sales Partner,Sales Partner Name,விற்பனை கூட்டாளர் பெயர் @@ -5644,7 +5677,6 @@ DocType: Procedure Prescription,Procedure Created,செயல்முறை apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},சப்ளையர் விலைப்பட்டியல் {0} {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS சுயவிவரத்தை மாற்றுக apps/erpnext/erpnext/utilities/activation.py,Create Lead,முன்னணி உருவாக்குங்கள் -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை DocType: Shopify Settings,Default Customer,இயல்புநிலை வாடிக்கையாளர் DocType: Payment Entry Reference,Supplier Invoice No,சப்ளையர் விலைப்பட்டியல் இல்லை DocType: Pricing Rule,Mixed Conditions,கலப்பு நிபந்தனைகள் @@ -5695,12 +5727,14 @@ DocType: Item,End of Life,வாழ்க்கையின் முடிவ DocType: Lab Test Template,Sensitivity,உணர்திறன் DocType: Territory,Territory Targets,பிரதேச இலக்குகள் apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","விடுவிப்பு விடுப்பு பின்வரும் ஊழியர்களுக்கான ஒதுக்கீடு, விடுப்பு ஒதுக்கீடு பதிவுகள் ஏற்கனவே அவர்களுக்கு எதிராக உள்ளது. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,தர நடவடிக்கை தீர்மானம் DocType: Sales Invoice Item,Delivered By Supplier,விநியோகிப்பாளரால் வழங்கப்பட்டது DocType: Agriculture Analysis Criteria,Plant Analysis,தாவர பகுப்பாய்வு apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},உருப்படியை {0} ,Subcontracted Raw Materials To Be Transferred,துணை மூலப்பொருட்களை மாற்றுதல் வேண்டும் DocType: Cashier Closing,Cashier Closing,காசாளர் மூடுதல் apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,பொருள் {0} ஏற்கனவே திரும்பப் பெற்றுள்ளது +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,தவறான GSTIN! நீங்கள் உள்ளீடு உள்ளீடு UIN வைத்திருப்பவர்கள் அல்லது குடியிருப்போர் OIDAR சேவை வழங்குநர்களுக்கான GSTIN வடிவத்துடன் பொருந்தவில்லை apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,இந்த கிடங்கிற்கு குழந்தை கிடங்கில் உள்ளது. நீங்கள் இந்த கிடங்கை நீக்க முடியாது. DocType: Diagnosis,Diagnosis,நோய் கண்டறிதல் apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0} மற்றும் {1} இடையில் விடுமுறை காலம் இல்லை @@ -5761,6 +5795,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,இயல்புநிலை வாடிக்கையாளர் குழு DocType: Journal Entry Account,Debit in Company Currency,நிறுவனத்தின் நாணயத்தின் பற்று DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",குறைவடையும் தொடர் "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,தரக் கூட்ட நிகழ்ச்சி நிரல் DocType: Cash Flow Mapper,Section Header,பிரிவு தலைப்பு apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,உங்கள் தயாரிப்புகள் அல்லது சேவைகள் DocType: Crop,Perennial,வற்றாத @@ -5804,7 +5839,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","ஒரு தயாரிப்பு அல்லது ஒரு சேவை, வாங்குதல் அல்லது விற்பனை செய்யப்படும்." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),நிறைவு (திறக்கும் + மொத்தம்) DocType: Supplier Scorecard Criteria,Criteria Formula,வரையறைகள் ஃபார்முலா -,Support Analytics,ஆதரவு அனலிட்டிக்ஸ் +apps/erpnext/erpnext/config/support.py,Support Analytics,ஆதரவு அனலிட்டிக்ஸ் apps/erpnext/erpnext/config/quality_management.py,Review and Action,விமர்சனம் மற்றும் செயல் DocType: Account,"If the account is frozen, entries are allowed to restricted users.","கணக்கு முடக்கப்பட்டிருந்தால், தடைசெய்யப்பட்ட பயனர்களுக்கு அனுமதி வழங்கப்படும்." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,தேய்மானம் பிறகு தொகை @@ -5848,7 +5883,6 @@ DocType: Contract Template,Contract Terms and Conditions,ஒப்பந்த apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,தரவை எடு DocType: Stock Settings,Default Item Group,இயல்புநிலை பொருள் குழு DocType: Sales Invoice Timesheet,Billing Hours,பில்லிங் மணி -DocType: Item,Item Code for Suppliers,சப்ளையர்கள் பொருள் கோட் apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},மாணவர் {1} க்கு எதிராக விண்ணப்பத்தை {0} DocType: Pricing Rule,Margin Type,விளிம்பு வகை DocType: Purchase Invoice Item,Rejected Serial No,நிராகரிக்கப்பட்ட தொடர் எண் @@ -6007,6 +6041,7 @@ DocType: Loan Type,Maximum Loan Amount,அதிகபட்ச கடன் த apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,இயல்புநிலை தொடர்புகளில் மின்னஞ்சல் இல்லை DocType: Hotel Room Reservation,Booked,பதிவு DocType: Maintenance Visit,Partially Completed,ஓரளவு முடிந்தது +DocType: Quality Procedure Process,Process Description,செயல்முறை விவரம் DocType: Company,Default Employee Advance Account,இயல்புநிலை ஊழியர் அட்வான்ஸ் கணக்கு DocType: Leave Type,Allow Negative Balance,எதிர்மறை இருப்பு அனுமதி apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,மதிப்பீட்டு திட்டம் பெயர் @@ -6047,6 +6082,7 @@ DocType: Vehicle Service,Change,மாற்றம் DocType: Request for Quotation Item,Request for Quotation Item,மேற்கோள் உருப்படிக்கான கோரிக்கை apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} பொருள் வரிகளில் இரண்டு முறை நுழைந்தது DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,தேர்வு செய்யப்பட்ட சம்பள தேதி மீதான முழு வரி விலக்கு +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,கடைசி கார்பன் காசோலை தேதி ஒரு எதிர்கால தேதியை இருக்க முடியாது apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,மாற்று கணக்கு கணக்கைத் தேர்ந்தெடுக்கவும் DocType: Support Settings,Forum Posts,கருத்துக்களம் இடுகைகள் DocType: Timesheet Detail,Expected Hrs,எதிர்பார்க்கப்பட்ட மணி @@ -6056,7 +6092,7 @@ DocType: Program Enrollment Tool,Enroll Students,மாணவர்கள் ப apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,வாடிக்கையாளர் வருவாயை மீண்டும் செய்யவும் DocType: Company,Date of Commencement,துவக்க தேதி DocType: Bank,Bank Name,வங்கி பெயர் -DocType: Quality Goal,December,டிசம்பர் +DocType: GSTR 3B Report,December,டிசம்பர் apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,தேதி வரை செல்லுபடியாகும் தேதி வரை செல்லுபடியாகும் விட குறைவாக இருக்க வேண்டும் apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,இந்த ஊழியரின் வருகை அடிப்படையில் இது அமைந்துள்ளது DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","சரிபார்க்கப்பட்டால், முகப்பு பக்கம் வலைத்தளத்திற்கான முன்னிருப்பு பொருள் குழுவாக இருக்கும்" @@ -6373,6 +6409,7 @@ DocType: Travel Request,Costing,செலவு apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,நிலையான சொத்துக்கள் DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,மொத்த வருவாய் +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> மண்டலம் DocType: Share Balance,From No,இல்லை DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,பணம் ஒப்புதல் விலைப்பட்டியல் DocType: Purchase Invoice,Taxes and Charges Added,வரிகளும் கட்டணங்களும் சேர்க்கப்பட்டது @@ -6380,7 +6417,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,வரி அல DocType: Authorization Rule,Authorized Value,அங்கீகரிக்கப்பட்ட மதிப்பு apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,இருந்து பெறப்பட்டது apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,கிடங்கு {0} இல்லை +DocType: Item Manufacturer,Item Manufacturer,பொருள் உற்பத்தியாளர் DocType: Sales Invoice,Sales Team,விற்பனை குழு +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,மூட்டை Qty DocType: Purchase Order Item Supplied,Stock UOM,பங்கு UOM DocType: Installation Note,Installation Date,நிறுவல் தேதி DocType: Email Digest,New Quotations,புதிய மேற்கோள்கள் @@ -6443,7 +6482,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,விடுமுறை பட்டியல் பெயர் DocType: Water Analysis,Collection Temperature ,சேகரிப்பு வெப்பநிலை DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,நியமனம் விலைப்பட்டியல் நிர்வகிக்கவும் நோயாளியின் எதிர்காலத்தை தானாகவே ரத்து செய்யவும் -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,அமைவு> அமைப்புகள்> பெயரிடும் தொடர் வழியாக {0} பெயரிடும் தொடர் வரிசைகளை அமைக்கவும் DocType: Employee Benefit Claim,Claim Date,உரிமைகோரல் தேதி DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"சப்ளையர் காலவரையின்றி தடுக்கப்பட்டிருந்தால், வெறுமனே விடுங்கள்" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,தேதி மற்றும் வருகை தேதி இருந்து வருகை கட்டாய ஆகிறது @@ -6454,6 +6492,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,ஓய்வு நாள் apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,தயவுசெய்து நோயாளி தேர்ந்தெடுக்கவும் DocType: Asset,Straight Line,நேர் கோடு +DocType: Quality Action,Resolutions,தீர்மானங்கள் DocType: SMS Log,No of Sent SMS,அனுப்பிய SMS இல்லை ,GST Itemised Sales Register,ஜி.எஸ்.டி apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,மொத்த முன்கூட்டிய தொகை மொத்த தொகைக்கு அதிகமாக இருக்க முடியாது @@ -6561,7 +6600,7 @@ DocType: Account,Profit and Loss,லாபம் மற்றும் இழப apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,வேறுபாடு DocType: Asset Finance Book,Written Down Value,எழுதப்பட்ட மதிப்பு apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,தொடக்க சமநிலை -DocType: Quality Goal,April,ஏப்ரல் +DocType: GSTR 3B Report,April,ஏப்ரல் DocType: Supplier,Credit Limit,கடன் வரம்பு apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,விநியோகம் apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6616,6 +6655,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext உடன் Shopify ஐ இணைக்கவும் DocType: Homepage Section Card,Subtitle,வசன DocType: Soil Texture,Loam,லோம் +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை DocType: BOM,Scrap Material Cost(Company Currency),ஸ்க்ராப் பொருள் செலவு (நிறுவனத்தின் நாணய) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,டெலிவரி குறிப்பு {0} சமர்ப்பிக்கப்படக் கூடாது DocType: Task,Actual Start Date (via Time Sheet),உண்மையான தொடக்க தேதி (நேர தாள் வழியாக) @@ -6671,7 +6711,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,மருந்தளவு DocType: Cheque Print Template,Starting position from top edge,மேல் விளிம்பிலிருந்து நிலை தொடங்குகிறது apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),நியமனம் காலம் (நிமிடங்கள்) -DocType: Pricing Rule,Disable,முடக்கு +DocType: Accounting Dimension,Disable,முடக்கு DocType: Email Digest,Purchase Orders to Receive,பெறுவதற்கான ஆர்டர்களை வாங்குக apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,தயாரிப்பாளர்கள் ஆணைகள் எழுப்ப முடியாது: DocType: Projects Settings,Ignore Employee Time Overlap,பணியாளர் நேர மேலோட்டத்தை புறக்கணிக்கவும் @@ -6755,6 +6795,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,வர DocType: Item Attribute,Numeric Values,எண் மதிப்புகள் DocType: Delivery Note,Instructions,வழிமுறைகள் DocType: Blanket Order Item,Blanket Order Item,பிளாங்கட் ஆணைப் பொருள் +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,லாபம் மற்றும் இழப்பு கணக்குக்கு கட்டாயம் apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,கமிஷன் விகிதம் 100 ஐ விட அதிகமாக இருக்க முடியாது DocType: Course Topic,Course Topic,பாடநெறி தலைப்பு DocType: Employee,This will restrict user access to other employee records,இது மற்ற ஊழியர் பதிவுகளுக்கு பயனர் அணுகலை கட்டுப்படுத்தும் @@ -6779,12 +6820,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,சந்த apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,வாடிக்கையாளர்களைப் பெறவும் apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} டைஜஸ்ட் DocType: Employee,Reports to,அறிக்கைகள் +DocType: Video,YouTube,YouTube இல் DocType: Party Account,Party Account,கட்சி கணக்கு DocType: Assessment Plan,Schedule,அட்டவணை apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,தயவுசெய்து உள்ளீடவும் DocType: Lead,Channel Partner,சேனல் பார்ட்னர் apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,விலைமதிப்பற்ற தொகை DocType: Project,From Template,டெம்ப்ளேட் இருந்து +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,சந்தாக்கள் apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,செய்ய வேண்டிய அளவு DocType: Quality Review Table,Achieved,அடைய @@ -6831,7 +6874,6 @@ DocType: Journal Entry,Subscription Section,சந்தா பகுதி DocType: Salary Slip,Payment Days,கட்டண நாட்கள் apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,தொண்டர் தகவல்கள். apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,% D நாட்களை விட சிறியதாக இருக்க வேண்டும் 'பழைய பங்குகளை முடக்கு'. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,நிதி ஆண்டு தேர்வு DocType: Bank Reconciliation,Total Amount,மொத்த தொகை DocType: Certification Application,Non Profit,லாபம் இல்லை DocType: Subscription Settings,Cancel Invoice After Grace Period,கிரேஸ் காலத்திற்குப் பிறகு விலைப்பட்டியல் ரத்துசெய்யவும் @@ -6844,7 +6886,6 @@ DocType: Serial No,Warranty Period (Days),உத்தரவாதத்தை DocType: Expense Claim Detail,Expense Claim Detail,செலவினம் கூற்று விரிவாக apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,திட்டம்: DocType: Patient Medical Record,Patient Medical Record,நோயாளியின் மருத்துவ பதிவு -DocType: Quality Action,Action Description,செயல் விளக்கம் DocType: Item,Variant Based On,மாறுபட்ட அடிப்படையில் DocType: Vehicle Service,Brake Oil,பிரேக் எண்ணெய் DocType: Employee,Create User,பயனர் உருவாக்கவும் @@ -6900,7 +6941,7 @@ DocType: Cash Flow Mapper,Section Name,பிரிவு பெயர் DocType: Packed Item,Packed Item,பொருள் தொகுக்கப்பட்டன apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: {2} க்கான பற்று அல்லது கடன் தொகை தேவை apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,சம்பள சரிவுகளைச் சமர்ப்பிப்ப ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,நடவடிக்கை இல்லை +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,நடவடிக்கை இல்லை apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","வருமானம் அல்லது செலவின கணக்கு அல்ல, ஏனெனில் {0} க்கு எதிராக வரவு செலவு திட்டத்தை ஒதுக்க முடியாது" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,முதுநிலை மற்றும் கணக்குகள் DocType: Quality Procedure Table,Responsible Individual,பொறுப்பான தனிநபர் @@ -7023,7 +7064,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,குழந்தை நிறுவனத்திற்கு எதிராக கணக்கு உருவாக்க அனுமதி DocType: Payment Entry,Company Bank Account,நிறுவனத்தின் வங்கி கணக்கு DocType: Amazon MWS Settings,UK,இங்கிலாந்து -DocType: Quality Procedure,Procedure Steps,நடைமுறை படிகள் DocType: Normal Test Items,Normal Test Items,சாதாரண சோதனை பொருட்கள் apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,பொருள் {0}: ஆர்டர் செய்யப்பட்ட qty {1} என்பது குறைந்தபட்ச வரிசைக் கட்டளைக்கு விட குறைவாக இருக்க முடியாது qty {2} (பொருள் வரையறுக்கப்பட்டுள்ளது). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,பங்கு இல்லை @@ -7120,6 +7160,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,வரை போடு apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,உங்கள் உறுப்பினர் 30 நாட்களுக்குள் காலாவதியாகிவிட்டால் மட்டுமே நீங்கள் புதுப்பிக்க முடியும் apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},மதிப்பு {0} மற்றும் {1} +DocType: Quality Feedback,Parameters,அளவுருக்கள் ,Sales Partner Transaction Summary,விற்பனை பங்குதாரர் பரிவர்த்தனை சுருக்கம் DocType: Asset Maintenance,Maintenance Manager Name,பராமரிப்பு மேலாளர் பெயர் apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,பொருள் விவரங்களை பெறுவதற்கு இது தேவை. @@ -7257,6 +7298,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,நுகர DocType: Subscription,Days Until Due,நாட்கள் வரை apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,நிகழ்ச்சி முடிந்தது apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,வங்கி அறிக்கை பரிவர்த்தனை அறிக்கை அறிக்கை +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,வங்கி விவரங்கள் apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,வரிசை # {0}: விகிதம் {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,ஹெச்எல்சி-முதலுதவி-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,சுகாதார சேவை பொருட்கள் @@ -7310,6 +7352,7 @@ DocType: Training Event Employee,Invited,அழைப்பு apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},உறுப்புக்கு தகுதியான அதிகபட்ச தொகை {0} {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,பில் தொகை apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","{0} க்கான, டெபிட் கணக்குகள் மட்டுமே மற்றொரு கடன் நுழைவுடன் இணைக்கப்படலாம்" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,பரிமாணங்களை உருவாக்குகிறது ... DocType: Bank Statement Transaction Entry,Payable Account,செலுத்தத்தக்க கணக்கு apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,தேவையான வருகைகள் எதுவும் குறிப்பிட வேண்டாம் DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,நீங்கள் காசுப் பாய்ச்சல் மேப்பர் ஆவணங்களை அமைத்தால் மட்டுமே தேர்ந்தெடுக்கவும் @@ -7327,6 +7370,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,தீர்மானம் நேரம் DocType: Grading Scale Interval,Grade Description,தரம் விவரம் DocType: Homepage Section,Cards,அட்டைகள் +DocType: Quality Meeting Minutes,Quality Meeting Minutes,தரம் சந்திப்பு நிமிடங்கள் DocType: Linked Plant Analysis,Linked Plant Analysis,இணைக்கப்பட்ட தாவர பகுப்பாய்வு apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,சேவை நிறுத்து தேதி சேவையக முடிவு தேதிக்குப் பின்னர் இருக்க முடியாது apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,GST அமைப்புகளில் B2C வரம்பை அமைக்கவும். @@ -7361,7 +7405,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,பணியாளர DocType: Employee,Educational Qualification,கல்வி தகுதி apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,அணுகக்கூடிய மதிப்பு apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},மாதிரி அளவு {0} பெறப்பட்ட அளவைவிட அதிகமாக இருக்க முடியாது {1} -DocType: Quiz,Last Highest Score,கடைசி அதிகபட்ச ஸ்கோர் DocType: POS Profile,Taxes and Charges,வரி மற்றும் கட்டணம் DocType: Opportunity,Contact Mobile No,மொபைல் எண் இல்லை DocType: Employee,Joining Details,விவரங்களை சேர்ப்பது diff --git a/erpnext/translations/te.csv b/erpnext/translations/te.csv index f06c88969b..6fe19fe5c0 100644 --- a/erpnext/translations/te.csv +++ b/erpnext/translations/te.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,సరఫరాదారు DocType: Journal Entry Account,Party Balance,పార్టీ సంతులనం apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),నిధుల మూల (బాధ్యతలు) DocType: Payroll Period,Taxable Salary Slabs,పన్ను చెల్లించే జీతం స్లాబ్లు +DocType: Quality Action,Quality Feedback,నాణ్యమైన అభిప్రాయం DocType: Support Settings,Support Settings,మద్దతు సెట్టింగులు apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,దయచేసి మొదట ఉత్పత్తి అంశం నమోదు చేయండి DocType: Quiz,Grading Basis,గ్రేడింగ్ బేసిస్ @@ -45,8 +46,10 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,మరిన్ DocType: Salary Component,Earning,ఆర్జించి DocType: Restaurant Order Entry,Click Enter To Add,జోడించు క్లిక్ చేయండి DocType: Employee Group,Employee Group,ఉద్యోగుల సమూహం +DocType: Quality Procedure,Processes,ప్రాసెసెస్ DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,మరొక కరెన్సీని మరొకటి మార్చడానికి ఎక్స్రేట్ రేట్ను పేర్కొనండి apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,వృద్ధాప్యం శ్రేణి 4 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},స్టాక్ అంశం గిడ్డంగి అవసరం {0} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Could not solve criteria score function for {0}. Make sure the formula is valid.,{0} కోసం ప్రమాణ స్కోర్ ఫంక్షన్ను పరిష్కరించలేరు. సూత్రం చెల్లుబాటు అవుతుందని నిర్ధారించుకోండి. DocType: Bank Reconciliation,Include Reconciled Entries,Reconciled ఎంట్రీలు చేర్చండి DocType: Purchase Invoice Item,Allow Zero Valuation Rate,జీరో వాల్యుయేషన్ రేటును అనుమతించండి @@ -154,11 +157,13 @@ DocType: Complaint,Complaint,ఫిర్యాదు DocType: Shipping Rule,Restrict to Countries,దేశాలకు పరిమితం చేయండి DocType: Hub Tracked Item,Item Manager,అంశం మేనేజర్ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},ముగింపు ఖాతా యొక్క కరెన్సీ {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,బడ్జెట్ల apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,వాయిస్ అంశాన్ని తెరవడం DocType: Work Order,Plan material for sub-assemblies,ఉప కూర్పుల కోసం ప్రణాళిక పదార్థం apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,హార్డ్వేర్ DocType: Budget,Action if Annual Budget Exceeded on MR,వార్షిక బడ్జెట్ మిఆర్లో మించిపోయి ఉంటే చర్య DocType: Sales Invoice Advance,Advance Amount,అడ్వాన్స్ మొత్తం +DocType: Accounting Dimension,Dimension Name,డైమెన్షన్ పేరు DocType: Delivery Note Item,Against Sales Invoice Item,సేల్స్ ఇన్వాయిస్ అంశం వ్యతిరేకంగా DocType: Expense Claim,HR-EXP-.YYYY.-,ఆర్ ఎక్స్ప్-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,తయారీలో అంశం చేర్చండి @@ -215,7 +220,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,ఇది ఏమ ,Sales Invoice Trends,సేల్స్ ఇన్వాయిస్ ట్రెండ్లు DocType: Bank Reconciliation,Payment Entries,చెల్లింపు ఎంట్రీలు DocType: Employee Education,Class / Percentage,తరగతి / శాతం -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,అంశం కోడ్> అంశం సమూహం> బ్రాండ్ ,Electronic Invoice Register,ఎలక్ట్రానిక్ ఇన్వాయిస్ రిజిస్టర్ DocType: Sales Invoice,Is Return (Credit Note),రిటర్న్ (క్రెడిట్ నోట్) DocType: Lab Test Sample,Lab Test Sample,ల్యాబ్ పరీక్ష నమూనా @@ -268,6 +272,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Meter,మీటర్ DocType: Course,Hero Image,హీరో ఇమేజ్ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,No Items to pack,ప్యాక్ చేయడానికి అంశాలు లేవు apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},స్టాక్ అంశం కోసం డెలివరీ గిడ్డంగి అవసరం {0} +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Target Location is required for the asset {0},{0} ఆస్తి కోసం లక్ష్య స్థానం అవసరం apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST మొత్తం apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",క్రెడిట్ లో అకౌంట్ బ్యాలెన్స్ ఇప్పటికే 'బ్యాలెన్స్ మస్ట్ బీ'గా' డిబిట్ ' DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B నివేదిక @@ -285,6 +290,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,రకరకాలు apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","మీ ఎంపిక ప్రకారం, అంశం qty లేదా మొత్తంపై ఆధారపడి, ఛార్జీలు పంపిణీ చేయబడతాయి" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,నేటికి పెండింగ్లో ఉన్న కార్యకలాపాలు +DocType: Quality Procedure Process,Quality Procedure Process,నాణ్యమైన విధాన ప్రక్రియ DocType: Fee Schedule Program,Student Batch,విద్యార్థి బ్యాచ్ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},అంశం కోసం అంశం విలువ అవసరం {0} DocType: BOM Operation,Base Hour Rate(Company Currency),బేస్ అవర్ రేట్ (కంపెనీ కరెన్సీ) @@ -304,7 +310,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,సీరియల్ నో ఇన్పుట్ ఆధారంగా లావాదేవీల్లో Qty సెట్ చేయండి apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},అడ్వాన్స్ ఖాతా కరెన్సీ కంపెనీ కరెన్సీ వలె ఉండాలి. {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,హోమ్ విభాగాలను అనుకూలీకరించండి -DocType: Quality Goal,October,అక్టోబర్ +DocType: GSTR 3B Report,October,అక్టోబర్ DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,సేల్స్ ట్రాన్సాక్షన్స్ నుండి కస్టమర్ యొక్క పన్ను ఐడిని దాచు apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,చెల్లని GSTIN! GSTIN కు 15 అక్షరాలు ఉండాలి. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,ప్రైసింగ్ రూల్ {0} నవీకరించబడింది @@ -392,7 +398,7 @@ DocType: Leave Encashment,Leave Balance,బ్యాలెన్స్ వది apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},నిర్వహణ షెడ్యూల్ {0} {1} DocType: Assessment Plan,Supervisor Name,సూపర్వైజర్ పేరు DocType: Selling Settings,Campaign Naming By,ప్రచారం ద్వారా నామకరణ -DocType: Course,Course Code,కోర్సు కోడ్ +DocType: Student Group Creation Tool Course,Course Code,కోర్సు కోడ్ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,ఏరోస్పేస్ DocType: Landed Cost Voucher,Distribute Charges Based On,ఆధారంగా ఛార్జీలు పంపిణీ DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,సరఫరాదారు స్కోర్కార్డింగ్ స్కోరింగ్ ప్రమాణం @@ -473,10 +479,8 @@ DocType: Restaurant Menu,Restaurant Menu,రెస్టారెంట్ మ DocType: Asset Movement,Purpose,పర్పస్ apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,ఉద్యోగికి జీతం నిర్మాణం అప్పగింత ఇప్పటికే ఉంది DocType: Clinical Procedure,Service Unit,సర్వీస్ యూనిట్ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం DocType: Travel Request,Identification Document Number,గుర్తింపు పత్రం సంఖ్య DocType: Stock Entry,Additional Costs,అదనపు ఖర్చులు -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","మాతృ కోర్సు (ఇది మాతృ కోర్సులో భాగం కాకపోతే, ఖాళీగా వదిలివేయండి)" DocType: Employee Education,Employee Education,ఉద్యోగి విద్య apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,ఉద్యోగుల ప్రస్తుత సంఖ్య తక్కువగా ఉండదు apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,అన్ని కస్టమర్ గుంపులు @@ -523,6 +527,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,వరుస {0}: Qty తప్పనిసరి DocType: Sales Invoice,Against Income Account,ఆదాయం ఖాతాకు వ్యతిరేకంగా apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},రో # {0}: ఇప్పటికే ఉన్న ఆస్తికి వ్యతిరేకంగా కొనుగోలు వాయిస్ తయారు చేయబడదు {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,వివిధ ప్రచార పథకాలను వర్తింపచేసే నియమాలు. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM కోసం UOM కోవెర్షన్ కారకం అవసరం: {0} అంశానికి: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},దయచేసి అంశం కొరకు పరిమాణం ఎంటర్ చేయండి {0} DocType: Workstation,Electricity Cost,విద్యుత్ ఖర్చు @@ -849,7 +854,6 @@ DocType: Item,Total Projected Qty,అంచనా వేసిన మొత్ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,అసలు ప్రారంభ తేదీ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,మీరు పరిహార సెలవు రోజు అభ్యర్థుల మధ్య రోజు మొత్తం రోజులు లేవు -DocType: Company,About the Company,కంపెనీ గురించి apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,ఆర్థిక ఖాతాల వృక్షం. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,పరోక్ష ఆదాయం DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,హోటల్ గది రిజర్వేషన్ అంశం @@ -873,6 +877,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,ప్రోగ్ ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,దయచేసి ఉపయోగించవలసిన శ్రేణిని సెట్ చేయండి. DocType: Delivery Trip,Distance UOM,దూరం UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,బ్యాలెన్స్ షీట్ కోసం తప్పనిసరి DocType: Payment Entry,Total Allocated Amount,మొత్తం కేటాయించిన మొత్తం DocType: Sales Invoice,Get Advances Received,అడ్వాన్సులను స్వీకరించండి DocType: Student,B-,B- @@ -893,6 +898,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,నిర్వహ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS ఎంట్రీని చేయడానికి POS ప్రొఫైల్ అవసరం DocType: Education Settings,Enable LMS,LMS ను ప్రారంభించండి DocType: POS Closing Voucher,Sales Invoices Summary,సేల్స్ ఇన్వాయిస్ సారాంశం +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,బెనిఫిట్ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,క్రెడిట్ ఖాతా తప్పనిసరిగా బ్యాలన్స్ షీట్ ఖాతా అయి ఉండాలి DocType: Video,Duration,వ్యవధి DocType: Lab Test Template,Descriptive,డిస్క్రిప్టివ్ @@ -943,6 +949,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,ప్రారంభం మరియు ముగింపు తేదీలు DocType: Supplier Scorecard,Notify Employee,ఉద్యోగికి తెలియజేయండి apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,సాఫ్ట్వేర్ +DocType: Program,Allow Self Enroll,స్వీయ నమోదును అనుమతించండి apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,స్టాక్ ఖర్చులు apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,రిఫరెన్స్ తేదీ ఎంటర్ చేసినట్లయితే సూచన తప్పనిసరి కాదు DocType: Training Event,Workshop,వర్క్షాప్ @@ -994,6 +1001,7 @@ DocType: Lab Test Template,Lab Test Template,ల్యాబ్ టెస్ట apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},మాక్స్: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ఇ-ఇన్వాయిస్ సమాచారం లేదు apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,విషయం అభ్యర్థన సృష్టించబడలేదు +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ఐటెమ్ కోడ్> ఐటెమ్ గ్రూప్> బ్రాండ్ DocType: Loan,Total Amount Paid,మొత్తం చెల్లింపు మొత్తం apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,ఈ అంశాలన్నీ ఇప్పటికే ఇన్వాయిస్ చేయబడ్డాయి DocType: Training Event,Trainer Name,శిక్షణ పేరు @@ -1015,6 +1023,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,విద్యా సంవత్సరం DocType: Sales Stage,Stage Name,వేదిక పేరు DocType: SMS Center,All Employee (Active),మొత్తం ఉద్యోగి (సక్రియం) +DocType: Accounting Dimension,Accounting Dimension,అకౌంటింగ్ డైమెన్షన్ DocType: Project,Customer Details,వినియోగదారుని వివరాలు DocType: Buying Settings,Default Supplier Group,డిఫాల్ట్ సరఫరాదారు సమూహం apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,దయచేసి మొదటి కొనుగోలు కొనుగోలు రసీదు {0} @@ -1128,7 +1137,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","అధిక స DocType: Designation,Required Skills,అవసరమైన నైపుణ్యాలు DocType: Marketplace Settings,Disable Marketplace,Marketplace ను ఆపివేయి DocType: Budget,Action if Annual Budget Exceeded on Actual,వార్షిక బడ్జెట్ వాస్తవంలో మించిపోయినట్లయితే చర్య -DocType: Course,Course Abbreviation,కోర్సు సంక్షిప్తీకరణ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,సెలవులో {0} {0} కోసం హాజరు సమర్పించబడలేదు. DocType: Pricing Rule,Promotional Scheme Id,ప్రచార పథకం ఐడి apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},పని ముగింపు తేదీ {0} {1} అంచనా ముగింపు తేదీ {2} కంటే ఎక్కువగా ఉండకూడదు @@ -1236,6 +1244,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Resend apps/erpnext/erpnext/regional/italy/utils.py,Please set {0} for address {1},దయచేసి చిరునామాకు {0} {0} DocType: Stock Entry,Default Source Warehouse,డిఫాల్ట్ మూల వేర్హౌస్ DocType: Timesheet Detail,Bill,బిల్ +apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Duplicate roll number for student {0},విద్యార్థి {0} కోసం నకిలీ రోల్ నంబర్ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} has expired.,అంశం యొక్క {0} బ్యాచ్ {1} గడువు ముగిసింది. DocType: Lab Test,Approved Date,ఆమోదించబడిన తేదీ DocType: Item Group,Item Tax,అంశం పన్ను @@ -1270,7 +1279,7 @@ DocType: Bank Guarantee,Margin Money,మార్జిన్ మనీ DocType: Chapter,Chapter,అధ్యాయము DocType: Purchase Receipt Item Supplied,Current Stock,ప్రస్తుత స్టాక్ DocType: Employee,History In Company,కంపెనీ ఇన్ హిస్టరీ -DocType: Item,Manufacturer,తయారీదారు +DocType: Purchase Invoice Item,Manufacturer,తయారీదారు apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,ఆధునిక సున్నితత్వం DocType: Compensatory Leave Request,Leave Allocation,కేటాయింపు వదిలివేయండి DocType: Timesheet,Timesheet,సమయ పట్టిక @@ -1301,6 +1310,7 @@ DocType: Work Order,Material Transferred for Manufacturing,తయారీ క DocType: Products Settings,Hide Variants,వేరియంట్స్ దాచు DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,సామర్థ్య ప్రణాళికా మరియు సమయం ట్రాకింగ్ను నిలిపివేయండి DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* లావాదేవీలో లెక్కించబడుతుంది. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,'బ్యాలెన్స్ షీట్' ఖాతాకు {0} అవసరం {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} {1} తో లావాదేవీ చేయడానికి అనుమతించబడదు. దయచేసి కంపెనీని మార్చండి. 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}" DocType: Delivery Trip,Delivery Details,డెలివరీ వివరాలు @@ -1336,7 +1346,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,మునుపటి apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,కొలమానం DocType: Lab Test,Test Template,టెస్ట్ మూస DocType: Fertilizer,Fertilizer Contents,ఎరువులు -apps/erpnext/erpnext/utilities/user_progress.py,Minute,నిమిషం +DocType: Quality Meeting Minutes,Minute,నిమిషం apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","వరుస # {0}: ఆస్తి {1} సమర్పించబడదు, ఇది ఇప్పటికే {2}" DocType: Task,Actual Time (in Hours),వాస్తవ సమయం (గంటలలో) DocType: Period Closing Voucher,Closing Account Head,ఖాతా హెడ్ మూసివేయడం @@ -1508,7 +1518,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,ప్రయోగశాల DocType: Purchase Order,To Bill,బిల్లుకు apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,యుటిలిటీ ఖర్చులు DocType: Manufacturing Settings,Time Between Operations (in mins),ఆపరేషన్ల మధ్య సమయం (నిమిషాల్లో) -DocType: Quality Goal,May,మే +DocType: GSTR 3B Report,May,మే apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","చెల్లింపు గేట్వే ఖాతా సృష్టించబడలేదు, దయచేసి మానవీయంగా ఒకదాన్ని సృష్టించండి." DocType: Opening Invoice Creation Tool,Purchase,కొనుగోలు DocType: Program Enrollment,School House,స్కూల్ హౌస్ @@ -1522,6 +1532,7 @@ apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_sum apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Cash or Bank Account is mandatory for making payment entry,నగదు లేదా బ్యాంక్ ఖాతా చెల్లింపు ఎంట్రీ చేయడానికి తప్పనిసరి DocType: Company,Registration Details,నమోదు వివరాలు apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Calculated Bank Statement balance,గణించిన బ్యాంకు స్టేట్మెంట్ సంతులనం +apps/erpnext/erpnext/hub_node/api.py,Only users with {0} role can register on Marketplace,{0} పాత్ర ఉన్న వినియోగదారులు మాత్రమే మార్కెట్ ప్లేస్‌లో నమోదు చేసుకోవచ్చు DocType: Inpatient Record,Admission,అడ్మిషన్ apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,ఇది ఈ స్టూడెంట్ హాజరు మీద ఆధారపడి ఉంటుంది DocType: SMS Center,Create Receiver List,స్వీకర్త జాబితాను సృష్టించండి @@ -1538,6 +1549,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,మీ సరఫరాదారు గురించి శాసనాత్మక సమాచారం మరియు ఇతర సాధారణ సమాచారం DocType: Item Default,Default Selling Cost Center,డిఫాల్ట్ సెల్లింగ్ కాస్ట్ సెంటర్ DocType: Sales Partner,Address & Contacts,చిరునామా & పరిచయాలు +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,సెటప్> నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబర్ సిరీస్ను సెటప్ చేయండి DocType: Subscriber,Subscriber,సబ్స్క్రయిబర్ apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ఫారం / అంశం / {0}) స్టాక్ లేదు apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,మొదటి తేదీని పోస్ట్ చేయండి @@ -1565,6 +1577,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,ఇన్పేషెం DocType: Bank Statement Settings,Transaction Data Mapping,లావాదేవీ డేటా మ్యాపింగ్ apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,ఒక వ్యక్తికి వ్యక్తి పేరు లేదా సంస్థ పేరు అవసరం DocType: Student,Guardians,గార్దియన్స్ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,దయచేసి ఎడ్యుకేషన్> ఎడ్యుకేషన్ సెట్టింగులలో ఇన్స్ట్రక్టర్ నేమింగ్ సిస్టం సెటప్ చేయండి apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,బ్రాండ్ను ఎంచుకోండి ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,మధ్య ఆదాయం DocType: Shipping Rule,Calculate Based On,ఆధారంగా లెక్కించు @@ -1576,7 +1589,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,వ్యయం దావ DocType: Purchase Invoice,Rounding Adjustment (Company Currency),వృత్తాకార అడ్జస్ట్మెంట్ (కంపెనీ కరెన్సీ) DocType: Item,Publish in Hub,హబ్లో ప్రచురించండి apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,ఆగస్టు +DocType: GSTR 3B Report,August,ఆగస్టు apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,దయచేసి కొనుగోలు కొనుగోలు రసీదుని నమోదు చేయండి apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,సంవత్సరం ప్రారంభించండి apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),టార్గెట్ ({}) @@ -1595,6 +1608,7 @@ DocType: Item,Max Sample Quantity,మాక్స్ నమూనా పరి apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,మూల మరియు లక్ష్యం గిడ్డంగి భిన్నంగా ఉండాలి DocType: Employee Benefit Application,Benefits Applied,ప్రయోజనాలు వర్తింపజేయబడ్డాయి apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,జర్నల్ ఎంట్రీకి వ్యతిరేకంగా {0} ఎటువంటి సరిపోలని {1} ప్రవేశం లేదు +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",""-", "#", ".", "/", "{" మరియు "}" మినహా ప్రత్యేక అక్షరాలు పేరు పెట్టే సిరీస్‌లో అనుమతించబడవు" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,ధర లేదా ఉత్పత్తి తగ్గింపు స్లాబ్లు అవసరం apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,టార్గెట్ సెట్ చెయ్యండి apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},హాజరు రికార్డు {0} స్టూడెంట్ {1} @@ -1610,10 +1624,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,నెలకు DocType: Routing,Routing Name,రౌటింగ్ పేరు DocType: Disease,Common Name,సాధారణ పేరు -DocType: Quality Goal,Measurable,కొలవ DocType: Education Settings,LMS Title,LMS శీర్షిక apps/erpnext/erpnext/config/non_profit.py,Loan Management,రుణ నిర్వహణ -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,అనాలిక్స్ మద్దతు DocType: Clinical Procedure,Consumable Total Amount,వినియోగించే మొత్తం మొత్తం apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,టెంప్లేట్ ప్రారంభించు apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,కస్టమర్ LPO @@ -1752,6 +1764,7 @@ DocType: Restaurant Order Entry Item,Served,పనిచేశారు DocType: Loan,Member,సభ్యుడు DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,ప్రాక్టీషనర్ సర్వీస్ యూనిట్ షెడ్యూల్ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,వైర్ ట్రాన్స్ఫర్ +DocType: Quality Review Objective,Quality Review Objective,నాణ్యత సమీక్ష లక్ష్యం DocType: Bank Reconciliation Detail,Against Account,ఖాతాకు వ్యతిరేకంగా DocType: Projects Settings,Projects Settings,ప్రాజెక్ట్స్ సెట్టింగులు apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},అసలు Qty {0} / వేచి Qty {1} @@ -1780,6 +1793,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,ఫిస్కల్ ఇయర్ ఎండ్ తేది ఫిస్కల్ ఇయర్ ప్రారంభ తేదీ తర్వాత ఏడాదికి ఉండాలి apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,డైలీ రిమైండర్లు DocType: Item,Default Sales Unit of Measure,కొలత యొక్క డిఫాల్ట్ సేల్స్ యూనిట్ +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,కంపెనీ GSTIN DocType: Asset Finance Book,Rate of Depreciation,తరుగుదల రేటు DocType: Support Search Source,Post Description Key,పోస్ట్ వివరణ కీ DocType: Loyalty Program Collection,Minimum Total Spent,కనీస మొత్తం ఖర్చు @@ -1849,6 +1863,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,ఎంచుకున్న కస్టమర్ కోసం కస్టమర్ గ్రూప్ని మార్చడం అనుమతించబడదు. DocType: Serial No,Creation Document Type,క్రియేషన్ డాక్యుమెంట్ టైప్ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,గిడ్డంగి వద్ద అందుబాటులో బ్యాచ్ Qty +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,వాయిస్ గ్రాండ్ మొత్తం apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,ఇది ఒక రూటు భూభాగం మరియు సవరించబడదు. DocType: Patient,Surgical History,శస్త్రచికిత్స చరిత్ర apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,ట్రీ ఆఫ్ క్వాలిటీ ప్రొసీజర్స్. @@ -1953,6 +1968,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,మీరు వెబ్ సైట్ లో చూపించాలనుకుంటే దీనిని చూడండి apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ఫిస్కల్ ఇయర్ {0} దొరకలేదు DocType: Bank Statement Settings,Bank Statement Settings,బ్యాంక్ స్టేట్మెంట్ సెట్టింగులు +DocType: Quality Procedure Process,Link existing Quality Procedure.,ఇప్పటికే ఉన్న నాణ్యతా విధానాన్ని లింక్ చేయండి. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,CSV / Excel ఫైళ్ళ నుండి ఖాతాల చార్ట్ను దిగుమతి చేయండి DocType: Appraisal Goal,Score (0-5),స్కోరు (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,లక్షణం పట్టికలో లక్షణాన్ని {0} అనేకసార్లు ఎంచుకున్నారు DocType: Purchase Invoice,Debit Note Issued,డెబిట్ గమనిక జారీ చేయబడింది @@ -1961,7 +1978,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,విధాన వివరాలను వెల్లడించండి apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,వేర్హౌస్ వ్యవస్థలో కనుగొనబడలేదు DocType: Healthcare Practitioner,OP Consulting Charge,OP కన్సల్టింగ్ ఛార్జ్ -DocType: Quality Goal,Measurable Goal,కొలవగల లక్ష్యం DocType: Bank Statement Transaction Payment Item,Invoices,రసీదులు DocType: Currency Exchange,Currency Exchange,ద్రవ్య మారకం DocType: Payroll Entry,Fortnightly,పక్ష @@ -2024,6 +2040,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} సమర్పించబడలేదు DocType: Work Order,Backflush raw materials from work-in-progress warehouse,పని-లో-పురోగతి గిడ్డంగి నుండి బ్యాక్ఫ్లష్ ముడి పదార్థాలు DocType: Maintenance Team Member,Maintenance Team Member,నిర్వహణ జట్టు సభ్యుడు +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,అకౌంటింగ్ కోసం అనుకూల పరిమాణాలను సెటప్ చేయండి DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,వాంఛనీయ వృద్ధి కోసం మొక్కల వరుసల మధ్య కనీస దూరం DocType: Employee Health Insurance,Health Insurance Name,ఆరోగ్య భీమా పేరు apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,స్టాక్ ఆస్తులు @@ -2054,7 +2071,7 @@ DocType: Delivery Note,Billing Address Name,బిల్లింగ్ చి apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,ప్రత్యామ్నాయ అంశం DocType: Certification Application,Name of Applicant,దరఖాస్తుదారు పేరు DocType: Leave Type,Earned Leave,సంపాదించిన సెలవు -DocType: Quality Goal,June,జూన్ +DocType: GSTR 3B Report,June,జూన్ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},{0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,కొలత యూనిట్ {0} యూనిట్ కన్వర్షన్ ఫాక్టర్ టేబల్లో ఒకటి కంటే ఎక్కువసార్లు నమోదు చేయబడింది DocType: Purchase Invoice Item,Net Rate (Company Currency),నికర రేట్ (కంపెనీ కరెన్సీ) @@ -2074,6 +2091,7 @@ DocType: Lab Test Template,Standard Selling Rate,ప్రామాణిక స apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},దయచేసి రెస్టారెంట్ {0} కోసం సక్రియ మెనుని సెట్ చేయండి 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: Asset Finance Book,Asset Finance Book,అసెట్ ఫైనాన్స్ బుక్ +DocType: Quality Goal Objective,Quality Goal Objective,నాణ్యత లక్ష్యం లక్ష్యం DocType: Employee Transfer,Employee Transfer,ఉద్యోగి బదిలీ ,Sales Funnel,సేల్స్ ఫన్నెల్ DocType: Agriculture Analysis Criteria,Water Analysis,నీటి విశ్లేషణ @@ -2110,6 +2128,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,ఉద్యో apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,పెండింగ్ చర్యలు apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,మీ కస్టమర్లలో కొన్నింటిని జాబితా చేయండి. వారు సంస్థలు లేదా వ్యక్తులు కావచ్చు. DocType: Bank Guarantee,Bank Account Info,బ్యాంక్ ఖాతా సమాచారం +DocType: Quality Goal,Weekday,వారపు apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,గార్డియన్ 1 పేరు DocType: Salary Component,Variable Based On Taxable Salary,పన్నుచెల్లింపు జీతం ఆధారంగా వేరియబుల్ DocType: Accounting Period,Accounting Period,అకౌంటింగ్ కాలం @@ -2193,7 +2212,7 @@ DocType: Purchase Invoice,Rounding Adjustment,వృత్తాకార అడ DocType: Quality Review Table,Quality Review Table,నాణ్యత రివ్యూ టేబుల్ DocType: Member,Membership Expiry Date,సభ్యత్వం గడువు తేదీ DocType: Asset Finance Book,Expected Value After Useful Life,ఉపయోగకరమైన లైఫ్ తర్వాత ఊహించిన విలువ -DocType: Quality Goal,November,నవంబర్ +DocType: GSTR 3B Report,November,నవంబర్ DocType: Loan Application,Rate of Interest,వడ్డీ రేటు DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,బ్యాంక్ స్టేట్మెంట్ లావాదేవీ చెల్లింపు అంశం DocType: Restaurant Reservation,Waitlisted,waitlisted @@ -2243,6 +2262,7 @@ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_sched apps/erpnext/erpnext/crm/doctype/lead/lead.py,Next Contact By cannot be same as the Lead Email Address,తదుపరి సంప్రదింపు లీడ్ ఇమెయిల్ చిరునామా మాదిరిగా ఉండకూడదు DocType: Packing Slip,To Package No.,ప్యాకేజీ నం DocType: Course,Course Name,కోర్సు పేరు +apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Serial no is required for the asset {0},{0} ఆస్తికి సీరియల్ సంఖ్య అవసరం లేదు DocType: Asset,Maintenance,నిర్వహణ DocType: Selling Settings,Validate Selling Price for Item against Purchase Rate or Valuation Rate,కొనుగోలు రేటు లేదా మదింపు రేటు వ్యతిరేకంగా అంశం కోసం ధర సెల్లింగ్ ధృవీకరించండి apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,The following Work Orders were created:,కింది పని ఆర్డర్లు సృష్టించబడ్డాయి: @@ -2255,6 +2275,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","వరుస {0}: {1} కాలవ్యవధిని సెట్ చేయడానికి, తేదీ మరియు తేదీ మధ్య వ్యత్యాసం {2} కంటే ఎక్కువ లేదా సమానంగా ఉండాలి" DocType: Purchase Invoice Item,Valuation Rate,వాల్యుయేషన్ రేట్ DocType: Shopping Cart Settings,Default settings for Shopping Cart,షాపింగ్ కార్ట్ కోసం డిఫాల్ట్ సెట్టింగులు +DocType: Quiz,Score out of 100,100 లో స్కోరు DocType: Manufacturing Settings,Capacity Planning,సామర్థ్యపు ప్రణాళిక apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,అధ్యాపకులకు వెళ్ళండి DocType: Activity Cost,Projects,ప్రాజెక్ట్స్ @@ -2264,6 +2285,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,అప్పటి నుండి apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,వేరియంట్ వివరాలు రిపోర్ట్ +,BOM Explorer,BOM ఎక్స్ప్లోరర్ DocType: Currency Exchange,For Buying,కొనుగోలు కోసం apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} కోసం స్లాట్లు షెడ్యూల్కు జోడించబడలేదు DocType: Target Detail,Target Distribution,టార్గెట్ డిస్ట్రిబ్యూషన్ @@ -2281,6 +2303,7 @@ DocType: Activity Cost,Activity Cost,కార్యాచరణ వ్యయం DocType: Journal Entry,Payment Order,చెల్లింపు ఆర్డర్ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,ధర ,Item Delivery Date,అంశం డెలివరీ తేదీ +DocType: Quality Goal,January-April-July-October,జనవరి-ఏప్రిల్-జూలై-అక్టోబర్ DocType: Purchase Order Item,Warehouse and Reference,వేర్ హౌస్ మరియు రిఫరెన్స్ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,పిల్లల నోడ్స్తో ఖాతాను లెడ్జర్కు మార్చడం సాధ్యం కాదు DocType: Soil Texture,Clay Composition (%),క్లే కంపోజిషన్ (%) @@ -2331,6 +2354,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,ఫ్యూచర్ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,రో {0}: చెల్లింపు షెడ్యూల్లో చెల్లింపు మోడ్ను సెట్ చేయండి apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,అకడమిక్ టర్మ్: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,నాణ్యమైన అభిప్రాయ పరామితి apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,దయచేసి డిస్కౌంట్ వర్తించు ఎంచుకోండి apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,వరుస # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,మొత్తం చెల్లింపులు @@ -2373,7 +2397,7 @@ DocType: Hub Tracked Item,Hub Node,హబ్ నోడ్ apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ఉద్యోగ గుర్తింపు DocType: Salary Structure Assignment,Salary Structure Assignment,జీతం నిర్మాణం అసైన్మెంట్ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS ముగింపు వౌచర్ పన్నులు -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,చర్య ప్రారంభించబడింది +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,చర్య ప్రారంభించబడింది DocType: POS Profile,Applicable for Users,వినియోగదారులకు వర్తింపజేయండి DocType: Training Event,Exam,పరీక్షా apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,జనరల్ లెడ్జర్ ఎంట్రీలు తప్పు సంఖ్య కనుగొనబడింది. మీరు లావాదేవీలో తప్పు ఖాతాను ఎంచుకొని ఉండవచ్చు. @@ -2479,6 +2503,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,రేఖాంశం DocType: Accounts Settings,Determine Address Tax Category From,నుండి చిరునామా పన్ను వర్గం నిర్ణయించడం apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,డెసిషన్ మేకర్స్ గుర్తించడం +DocType: Stock Entry Detail,Reference Purchase Receipt,రిఫరెన్స్ కొనుగోలు రసీదు apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,ఇన్వోసిస్ పొందండి DocType: Tally Migration,Is Day Book Data Imported,డే బుక్ డేటా దిగుమతి అయ్యింది ,Sales Partners Commission,సేల్స్ పార్టిన్స్ కమిషన్ @@ -2502,6 +2527,7 @@ DocType: Leave Type,Applicable After (Working Days),వర్తింపజే DocType: Timesheet Detail,Hrs,Hrs DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,సరఫరాదారు స్కోరు ప్రమాణం DocType: Amazon MWS Settings,FR,ఫ్రాన్స్ +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,నాణ్యమైన అభిప్రాయ మూస పరామితి apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,పుట్టిన తేది కంటే ఎక్కువగా ఉండాలి DocType: Bank Statement Transaction Invoice Item,Invoice Date,చలానా తారీకు DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,సేల్స్ ఇన్వాయిస్ సమర్పించండి లాబ్ టెస్ట్ (లు) ను సృష్టించండి @@ -2586,6 +2612,7 @@ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invo DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,తాత్కాలిక ప్రారంభ ఖాతా DocType: Purchase Invoice,Cash/Bank Account,నగదు / బ్యాంకు ఖాతా DocType: Quality Meeting Table,Quality Meeting Table,క్వాలిటీ మీటింగ్ టేబుల్ +apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,టర్మ్ ప్రారంభ తేదీ ఈ పదం అనుసంధానించబడిన విద్యా సంవత్సరం యొక్క ప్రారంభ తేదీ కంటే ముందే ఉండకూడదు (అకాడెమిక్ ఇయర్ {}). దయచేసి తేదీలను సరిచేసి మళ్ళీ ప్రయత్నించండి. apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 1,వృద్ధాప్యం శ్రేణి 1 DocType: Employee Tax Exemption Proof Submission,Tax Exemption Proofs,పన్ను మినహాయింపు ప్రూఫ్లు DocType: Purchase Invoice,Price List Currency,ధర జాబితా కరెన్సీ @@ -2606,7 +2633,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,కనీస అన DocType: Stock Entry,Source Warehouse Address,మూల వేర్హౌస్ చిరునామా DocType: Compensatory Leave Request,Compensatory Leave Request,Compensatory Leave Request DocType: Lead,Mobile No.,మొబైల్ నం. -DocType: Quality Goal,July,జూలై +DocType: GSTR 3B Report,July,జూలై apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,అర్హత ఉన్న ITC DocType: Fertilizer,Density (if liquid),సాంద్రత (ద్రవం ఉంటే) DocType: Employee,External Work History,బాహ్య వర్క్ చరిత్ర @@ -2680,6 +2707,7 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked DocType: Certification Application,Certification Status,ధృవీకరణ స్థితి DocType: Employee,Encashment Date,ఎన్క్యాష్మెంట్ డేట్ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,దయచేసి పూర్తి ఆస్తి నిర్వహణ లాగ్ కోసం పూర్తి తేదీని ఎంచుకోండి +DocType: Quiz,Latest Attempt,తాజా ప్రయత్నం DocType: Leave Block List,Allow Users,వినియోగదారులను అనుమతించండి apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,ఖాతాల చార్ట్ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,వినియోగదారుడిగా 'అవకాశం నుండి' ఎంపిక చేయబడితే కస్టమర్ తప్పనిసరి @@ -2743,7 +2771,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,సరఫరాద DocType: Amazon MWS Settings,Amazon MWS Settings,అమెజాన్ MWS సెట్టింగులు DocType: Program Enrollment,Walking,వాకింగ్ DocType: SMS Log,Requested Numbers,అభ్యర్థించిన నంబర్లు -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,సెటప్> నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబర్ సిరీస్ను సెటప్ చేయండి DocType: Woocommerce Settings,Freight and Forwarding Account,ఫ్రైట్ అండ్ ఫార్వార్డింగ్ అకౌంట్ apps/erpnext/erpnext/accounts/party.py,Please select a Company,దయచేసి కంపెనీని ఎంచుకోండి apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,వరుస {0}: {1} తప్పనిసరిగా 0 కన్నా ఎక్కువ ఉండాలి @@ -2810,7 +2837,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,విన DocType: Training Event,Seminar,సెమినార్ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),క్రెడిట్ ({0}) DocType: Payment Request,Subscription Plans,సభ్యత్వ ప్రణాళికలు -DocType: Quality Goal,March,మార్చి +DocType: GSTR 3B Report,March,మార్చి apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,స్ప్లిట్ బ్యాచ్ DocType: School House,House Name,ఇంటి పేరు apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0} కోసం అత్యుత్తమ సున్నా ({1}) కంటే తక్కువగా ఉండకూడదు @@ -2873,7 +2900,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,భీమా ప్రారంభం తేదీ DocType: Target Detail,Target Detail,టార్గెట్ వివరాలు DocType: Packing Slip,Net Weight UOM,నికర బరువు UOM -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: Purchase Invoice Item,Net Amount (Company Currency),నికర మొత్తం (కంపెనీ కరెన్సీ) DocType: Bank Statement Transaction Settings Item,Mapped Data,మాప్ చేసిన డేటా apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,సెక్యూరిటీస్ మరియు నిక్షేపాలు @@ -2923,6 +2949,7 @@ DocType: Cheque Print Template,Cheque Height,ఎత్తు పరిశీల apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,దయచేసి ఉపశమనం తేదీని నమోదు చేయండి. DocType: Loyalty Program,Loyalty Program Help,విశ్వసనీయ ప్రోగ్రామ్ సహాయం DocType: Journal Entry,Inter Company Journal Entry Reference,ఇంటర్ కంపెనీ జర్నల్ ఎంట్రీ రిఫరెన్స్ +DocType: Quality Meeting,Agenda,అజెండా DocType: Quality Action,Corrective,దిద్దుబాటు apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,ద్వారా గ్రూప్ DocType: Bank Account,Address and Contact,చిరునామా మరియు సంప్రదింపు @@ -2976,7 +3003,7 @@ DocType: GL Entry,Credit Amount,క్రెడిట్ మొత్తం apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,మొత్తము మొత్తం పొందింది DocType: Support Search Source,Post Route Key List,పోస్ట్ రూట్ కీ జాబితా apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} ఏ క్రియాశీల ఆర్థిక సంవత్సరంలో కాదు. -DocType: Quality Action Table,Problem,సమస్య +DocType: Quality Action Resolution,Problem,సమస్య DocType: Training Event,Conference,కాన్ఫరెన్స్ DocType: Mode of Payment Account,Mode of Payment Account,చెల్లింపు ఖాతా మోడ్ DocType: Leave Encashment,Encashable days,ఉత్తేజకరమైన రోజులు @@ -3100,7 +3127,7 @@ DocType: Item,"Purchase, Replenishment Details","కొనుగోలు, ప DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","సెట్ చేసిన తరువాత, సెట్ తేదీ వరకు ఈ వాయిస్ హోల్డ్లో ఉంటుంది" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,వైవిధ్యాలు ఉన్నందున అంశం {0} కోసం స్టాక్ ఉండదు DocType: Lab Test Template,Grouped,గుంపు -DocType: Quality Goal,January,జనవరి +DocType: GSTR 3B Report,January,జనవరి DocType: Course Assessment Criteria,Course Assessment Criteria,కోర్సు అసెస్మెంట్ క్రైటీరియా DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,పూర్తి చేసిన Qty @@ -3168,6 +3195,7 @@ DocType: Loan Application,Total Payable Amount,మొత్తం చెల్ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Add All Suppliers,అన్ని సరఫరాదారులను జోడించండి apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},రో {0}: BOM # {1} యొక్క కరెన్సీ ఎంచుకున్న కరెన్సీకి సమానంగా ఉండాలి {2} DocType: Pricing Rule,Product,ఉత్పత్తి +apps/erpnext/erpnext/utilities/bot.py,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),[{2}] (# ఫారం / గిడ్డంగి / {2}) లో కనుగొనబడిన [{1}] (# ఫారం / అంశం / {1}) {0} యూనిట్లు DocType: Vital Signs,Weight (In Kilogram),బరువు (కిలోగ్రాంలో) DocType: Department,Leave Approver,అప్ప్రోవర్ వదిలివేయండి apps/erpnext/erpnext/hr/doctype/leave_period/leave_period_dashboard.py,Transactions,ట్రాన్సాక్షన్స్ @@ -3193,7 +3221,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,హెల్ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,దయచేసి పట్టికలో కనీసం 1 ఇన్వాయిస్ను నమోదు చేయండి apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,సేల్స్ ఆర్డర్ {0} సమర్పించబడలేదు apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,హాజరు విజయవంతంగా గుర్తించబడింది. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,ముందు సేల్స్ +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,ముందు సేల్స్ apps/erpnext/erpnext/config/projects.py,Project master.,ప్రాజెక్ట్ మాస్టర్. DocType: Daily Work Summary,Daily Work Summary,డైలీ వర్క్ సారాంశం DocType: Asset,Partially Depreciated,పాక్షికంగా క్షీణత @@ -3202,6 +3230,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,ఎన్కౌష్ వదిలివేయాలా? DocType: Certified Consultant,Discuss ID,ID ని చర్చించండి apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,దయచేసి GST సెట్టింగులలో GST ఖాతాలను సెట్ చేయండి +DocType: Quiz,Latest Highest Score,తాజా అత్యధిక స్కోరు DocType: Supplier,Billing Currency,బిల్లింగ్ కరెన్సీ apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,స్టూడెంట్ యాక్టివిటీ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,లక్ష్యంగా ఉన్న qty లేదా లక్ష్య మొత్తము తప్పనిసరి @@ -3226,18 +3255,21 @@ DocType: Sales Order,Not Delivered,పంపిణీ చేయలేదు apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,చెల్లింపు లేకుండా వదిలివేసినప్పటి నుండి {0} వదిలివేయడం రకం కేటాయించబడదు DocType: GL Entry,Debit Amount,డెబిట్ మొత్తం apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},అంశం కోసం ఇప్పటికే రికార్డు ఉంది {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,సబ్ అసెంబ్లీలు 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.","బహుళ ధర నియమాలు కొనసాగుతుంటే, సంఘర్షణను పరిష్కరించడానికి వినియోగదారులను ప్రాధాన్యంగా సెట్ చేయమని వినియోగదారులు కోరతారు." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total','వాల్యుయేషన్' లేదా 'వాల్యుయేషన్ అండ్ టోటల్' కోసం వర్గం ఉన్నప్పుడు తీసివేయలేము apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM మరియు తయారీ పరిమాణం అవసరం apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},అంశం {0} {1} DocType: Quality Inspection Reading,Reading 6,పఠనం 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,కంపెనీ ఫీల్డ్ అవసరం apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,మెటీరియల్ కన్సుమ్ప్షన్ ను మ్యానుఫాక్చరింగ్ సెట్టింగులలో సెట్ చేయలేదు. DocType: Assessment Group,Assessment Group Name,అసెస్మెంట్ గ్రూప్ పేరు -DocType: Item,Manufacturer Part Number,తయారీదారుల సంఖ్య +DocType: Purchase Invoice Item,Manufacturer Part Number,తయారీదారుల సంఖ్య apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,చెల్లించవలసిన చెల్లింపు apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},రో # {0}: {1} అంశం {2} కోసం ప్రతికూలంగా ఉండకూడదు apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,బ్యాలెన్స్ Qty +DocType: Question,Multiple Correct Answer,బహుళ సరైన సమాధానం DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 లాయల్టీ పాయింట్స్ = బేస్ కరెన్సీ ఎంత? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},గమనిక: సెలవు రకం కోసం తగినంత సెలవు సంతులనం లేదు {0} DocType: Clinical Procedure,Inpatient Record,ఇన్పేషెంట్ రికార్డ్ @@ -3261,6 +3293,7 @@ DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,డే బుక్ డేటా దిగుమతి DocType: Asset,Asset Owner Company,ఆస్తి యజమాని కంపెనీ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,ఖర్చు కేసును బుక్ చేయటానికి కాస్ట్ సెంటర్ అవసరం +apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} అంశం {1} కోసం చెల్లుబాటు అయ్యే సీరియల్ సంఖ్య apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,స్థితి ఎడమవైపు ఉద్యోగిని ప్రోత్సహించలేరు apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py,Expiry (In Days),గడువు (రోజుల్లో) DocType: Supplier Scorecard Standing,Notify Other,ఇతర తెలియజేయి @@ -3355,6 +3388,7 @@ DocType: Fee Schedule Program,Total Students,మొత్తం విద్య apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,స్థానిక DocType: Chapter Member,Leave Reason,కారణం వదిలివేయండి DocType: Salary Component,Condition and Formula,పరిస్థితి మరియు ఫార్ములా +DocType: Quality Goal,Objectives,లక్ష్యాలు apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","{0} మరియు {1} మధ్య కాలంలో జీతం ఇప్పటికే ప్రాసెస్ చేయబడింది, ఈ తేదీ పరిధి మధ్య అనువర్తన కాలం ఉండకూడదు." DocType: BOM Item,Basic Rate (Company Currency),బేసిక్ రేట్ (కంపెనీ కరెన్సీ) DocType: BOM Scrap Item,BOM Scrap Item,BOM స్క్రాప్ అంశం @@ -3404,6 +3438,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,ఖర్చుల దావా ఖాతా apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,జర్నల్ ఎంట్రీకి తిరిగి చెల్లింపులు అందుబాటులో లేవు apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} క్రియారహిత విద్యార్థి +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,స్టాక్ ఎంట్రీ చేయండి DocType: Employee Onboarding,Activities,చర్యలు apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,కనీసం ఒక గిడ్డంగి తప్పనిసరి ,Customer Credit Balance,కస్టమర్ క్రెడిట్ సంతులనం @@ -3487,7 +3522,6 @@ DocType: Contract,Contract Terms,కాంట్రాక్ట్ నిబం apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,లక్ష్యంగా ఉన్న qty లేదా లక్ష్య మొత్తము తప్పనిసరి. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},చెల్లనిది {0} DocType: Item,FIFO,ఎఫ్ఐఎఫ్ఓ -DocType: Quality Meeting,Meeting Date,సమావేశం తేదీ DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,సంక్షిప్తీకరణకు 5 కంటే ఎక్కువ అక్షరాలు ఉండవు DocType: Employee Benefit Application,Max Benefits (Yearly),మాక్స్ ప్రయోజనాలు (వార్షిక) @@ -3588,7 +3622,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,బ్యాంకు చార్జీలు apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,వస్తువులు బదిలీ చేయబడ్డాయి apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,ప్రాథమిక సంప్రదింపు వివరాలు -DocType: Quality Review,Values,విలువలు DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","తనిఖీ చేయకపోతే, దరఖాస్తు చేసుకోవలసిన ప్రతి విభాగానికి జాబితా చేర్చబడుతుంది." DocType: Item Group,Show this slideshow at the top of the page,పేజీ ఎగువన ఈ స్లైడ్ను చూపించు apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} పరామితి చెల్లనిది @@ -3607,6 +3640,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,బ్యాంక్ ఛార్జీలు ఖాతా DocType: Journal Entry,Get Outstanding Invoices,అత్యుత్తమ ఇన్వాయిస్లు పొందండి DocType: Opportunity,Opportunity From,అవకాశం +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,లక్ష్య వివరాలు DocType: Item,Customer Code,కస్టమర్ కోడ్ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,మొదటి అంశాన్ని ఎంటర్ చెయ్యండి apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,వెబ్సైట్ లిస్టింగ్ @@ -3635,7 +3669,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,కు చేరవేయు DocType: Bank Statement Transaction Settings Item,Bank Data,బ్యాంక్ డేటా apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,షెడ్యూల్డ్ వరకు -DocType: Quality Goal,Everyday,ప్రతి రోజు DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,బిల్లింగ్ గంటలు మరియు పని గంటలు టైమ్స్ షీట్లో ఒకే విధంగా నిర్వహించండి apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,లీడ్ సోర్స్ ద్వారా లీడ్స్ ట్రాక్ చేస్తుంది. DocType: Clinical Procedure,Nursing User,నర్సింగ్ వాడుకరి @@ -3660,7 +3693,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,భూభాగం ట DocType: GL Entry,Voucher Type,రసీదును టైప్ చేయండి ,Serial No Service Contract Expiry,సీరియల్ నో సర్వీస్ కాంట్రాక్ట్ గడువు DocType: Certification Application,Certified,సర్టిఫైడ్ -DocType: Material Request Plan Item,Manufacture,తయారీ +DocType: Purchase Invoice Item,Manufacture,తయారీ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} ఉత్పత్తి చేయబడిన అంశాలు apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0} కోసం చెల్లింపు అభ్యర్థన apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,చివరి ఆర్డర్ నుండి డేస్ @@ -3674,7 +3707,7 @@ DocType: Topic,Topic Content,విషయ కంటెంట్ DocType: Sales Invoice,Company Address Name,కంపెనీ చిరునామా పేరు apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,రవాణాలో వస్తువులు apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,మీరు ఈ క్రమంలో గరిష్టంగా {0} పాయింట్లు మాత్రమే రీడీమ్ చేయవచ్చు. -DocType: Quality Action Table,Resolution,స్పష్టత +DocType: Quality Action,Resolution,స్పష్టత DocType: Sales Invoice,Loyalty Points Redemption,విశ్వసనీయ పాయింట్లు రిడంప్షన్ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,మొత్తం పన్ను పరిధి విలువ DocType: Patient Appointment,Scheduled,షెడ్యూల్డ్ @@ -3795,6 +3828,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,రేటు apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},సేవ్ చేయడం {0} DocType: SMS Center,Total Message(s),మొత్తం సందేశం (లు) +DocType: Purchase Invoice,Accounting Dimensions,అకౌంటింగ్ కొలతలు apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,ఖాతా ద్వారా సమూహం DocType: Quotation,In Words will be visible once you save the Quotation.,మీరు కొటేషన్ను సేవ్ చేసిన తర్వాత పదాలు కనిపిస్తాయి. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,ఉత్పత్తి చేయడానికి పరిమాణం @@ -3956,7 +3990,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","మీకు ఏవైనా ప్రశ్నలు ఉంటే, దయచేసి మాకు తిరిగి రండి." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,కొనుగోలు రసీదు {0} సమర్పించబడలేదు DocType: Task,Total Expense Claim (via Expense Claim),మొత్తం ఖర్చుల దావా (వ్యయ దావా ద్వారా) -DocType: Quality Action,Quality Goal,నాణ్యత లక్ష్యం +DocType: Quality Goal,Quality Goal,నాణ్యత లక్ష్యం DocType: Support Settings,Support Portal,మద్దతు పోర్టల్ apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},పని ముగింపు తేదీ {0} {1} ఊహించిన ప్రారంభ తేదీ కంటే తక్కువగా ఉండకూడదు {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},ఉద్యోగి {0} {1} @@ -4015,7 +4049,6 @@ DocType: BOM,Operating Cost (Company Currency),ఆపరేటింగ్ ఖ DocType: Item Price,Item Price,అంశం ధర DocType: Payment Entry,Party Name,పార్టీ పేరు apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,దయచేసి కస్టమర్ను ఎంచుకోండి -DocType: Course,Course Intro,కోర్సు ఉపోద్ఘాతం DocType: Program Enrollment Tool,New Program,క్రొత్త ప్రోగ్రామ్ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","క్రొత్త వ్యయ కేంద్రం యొక్క సంఖ్య, అది ప్రిఫిక్స్గా ఖర్చు సెంటర్ పేరులో చేర్చబడుతుంది" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,కస్టమర్ లేదా సరఫరాదారుని ఎంచుకోండి. @@ -4215,6 +4248,7 @@ DocType: Customer,CUST-.YYYY.-,Cust-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,నికర చెల్లింపు ప్రతికూలంగా ఉండకూడదు apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,సంభాషణల సంఖ్య 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} {3} కొనుగోలు కంటే ఎక్కువ {2} కంటే ఎక్కువ బదిలీ చేయబడదు {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,మార్పు apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,ఖాతాల మరియు పార్టీల ప్రాసెసింగ్ చార్ట్ DocType: Stock Settings,Convert Item Description to Clean HTML,HTML శుభ్రం చేయడానికి అంశాన్ని వివరణ మార్చండి apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,అన్ని సరఫరాదారు గుంపులు @@ -4292,6 +4326,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,మాతృ అంశం apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,బ్రోకరేజ్ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},దయచేసి వస్తువు కోసం కొనుగోలు రసీదుని లేదా ఇన్వాయిస్ను కొనుగోలు చేయండి {0} +,Product Bundle Balance,ఉత్పత్తి బండిల్ బ్యాలెన్స్ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,కంపెనీ పేరు కంపెనీ ఉండకూడదు DocType: Maintenance Visit,Breakdown,విచ్ఛిన్నం DocType: Inpatient Record,B Negative,బి నెగటివ్ @@ -4300,7 +4335,7 @@ DocType: Purchase Invoice,Credit To,క్రెడిట్ టు apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,తదుపరి ప్రాసెస్ కోసం ఈ కార్య క్రమాన్ని సమర్పించండి. DocType: Bank Guarantee,Bank Guarantee Number,బ్యాంకు హామీ సంఖ్య apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},పంపిణీ: {0} -DocType: Quality Action,Under Review,పరిశీలన లో ఉన్నది +DocType: Quality Meeting Table,Under Review,పరిశీలన లో ఉన్నది apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),వ్యవసాయం (బీటా) ,Average Commission Rate,సగటు కమిషన్ రేట్ DocType: Sales Invoice,Customer's Purchase Order Date,కస్టమర్ యొక్క కొనుగోలు ఆర్డర్ తేదీ @@ -4370,6 +4405,7 @@ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Inst apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,మెటీరియల్ అభ్యర్థనకు లింక్ DocType: Warranty Claim,From Company,కంపెనీ నుండి DocType: Bank Statement Transaction Settings Item,Mapped Data Type,మ్యాప్ చేసిన డేటా రకం +apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},అడ్డు వరుస {0}: ఈ గిడ్డంగి {1} కోసం క్రమాన్ని మార్చండి. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,పత్రం తేదీ DocType: Monthly Distribution,Distribution Name,పంపిణీ పేరు apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,సమూహం కాని సమూహం @@ -4416,7 +4452,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,ఇన్వాయిస్లు చెల్లింపులను సరిపోల్చండి DocType: Holiday List,Weekly Off,వీక్లీ ఆఫ్ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},అంశం కోసం ప్రత్యామ్నాయ అంశం సెట్ చేయడానికి అనుమతించవద్దు {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,ప్రోగ్రామ్ {0} ఉనికిలో లేదు. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,ప్రోగ్రామ్ {0} ఉనికిలో లేదు. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,రూట్ నోడ్ను మీరు సవరించలేరు. DocType: Fee Schedule,Student Category,విద్యార్థి వర్గం apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","అంశం {0}: {1} qty ఉత్పత్తి," @@ -4507,8 +4543,8 @@ DocType: Crop,Crop Spacing,పంట అంతరం DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,సేల్స్ ట్రాన్సాక్షన్స్ ఆధారంగా ఎంత తరచుగా ప్రాజెక్ట్ మరియు కంపెనీ అప్డేట్ చేయాలి. DocType: Pricing Rule,Period Settings,సమయ సెట్టింగ్లు apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,స్వీకరించదగిన అకౌంట్లలో నికర మార్పు +DocType: Quality Feedback Template,Quality Feedback Template,నాణ్యమైన అభిప్రాయ మూస apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,పరిమాణానికి సున్నా కంటే ఎక్కువ ఉండాలి -DocType: Quality Goal,Goal Objectives,లక్ష్యం లక్ష్యాలు apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","రేటు, వాటాల సంఖ్య మరియు లెక్కించిన మొత్తం మధ్య అసమానతలు ఉన్నాయి" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,మీరు సంవత్సరానికి విద్యార్థుల సమూహాలను చేస్తే ఖాళీగా వదిలేయండి apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),రుణాలు (బాధ్యతలు) @@ -4543,12 +4579,13 @@ DocType: Quality Procedure Table,Step,దశ DocType: Normal Test Items,Result Value,ఫలితం విలువ DocType: Cash Flow Mapping,Is Income Tax Liability,ఆదాయం పన్ను బాధ్యత DocType: Healthcare Practitioner,Inpatient Visit Charge Item,ఇన్పేషెంట్ సందర్శించండి ఛార్జ్ అంశం -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} ఉనికిలో లేదు. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} ఉనికిలో లేదు. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,ప్రతిస్పందనని నవీకరించండి DocType: Bank Guarantee,Supplier,సరఫరాదారు apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},విలువ betweeen {0} మరియు {1} విలువను నమోదు చేయండి DocType: Purchase Order,Order Confirmation Date,ఆర్డర్ నిర్ధారణ తేదీ DocType: Delivery Trip,Calculate Estimated Arrival Times,అంచనావేయబడిన రాకపోక టైమ్స్ని లెక్కించండి +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి మానవ వనరులు> హెచ్ ఆర్ సెట్టింగులలో ఉద్యోగుల నామకరణ వ్యవస్థను సెటప్ చేయండి apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,వినియోగ DocType: Instructor,EDU-INS-.YYYY.-,EDU-ఐఎన్ఎస్-.YYYY.- DocType: Subscription,Subscription Start Date,చందా ప్రారంభ తేదీ @@ -4609,6 +4646,7 @@ DocType: Cheque Print Template,Is Account Payable,చెల్లించవల apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,మొత్తం ఆర్డర్ విలువ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},{0} లో {0} సరఫరాదారు కనుగొనబడలేదు apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,SMS గేట్వే అమర్పులను సెటప్ చేయండి +DocType: Salary Component,Round to the Nearest Integer,సమీప ఇంటిగ్రేట్ కు రౌండ్ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,మూల పేరెంట్ ధర కేంద్రం ఉండదు DocType: Healthcare Service Unit,Allow Appointments,నియామకాలను అనుమతించండి DocType: BOM,Show Operations,ఆపరేషన్లను చూపు @@ -4737,7 +4775,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,డిఫాల్ట్ హాలిడే జాబితా DocType: Naming Series,Current Value,ప్రస్తుత విలువ apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","బడ్జెట్లు, లక్ష్యాలు" -DocType: Program,Program Code,ప్రోగ్రామ్ కోడ్ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},హెచ్చరిక: సేవా ఆర్డర్ {0} కస్టమర్ యొక్క కొనుగోలు ఆర్డర్ {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,మంత్లీ సేల్స్ టార్గెట్ ( DocType: Guardian,Guardian Interests,గార్డియన్ ఆసక్తులు @@ -4786,10 +4823,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,చెల్లింపు మరియు పంపిణీ చేయలేదు apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,అంశం స్వయంచాలకంగా సంఖ్య కాదు ఎందుకంటే అంశం కోడ్ తప్పనిసరి DocType: GST HSN Code,HSN Code,HSN కోడ్ -DocType: Quality Goal,September,సెప్టెంబర్ +DocType: GSTR 3B Report,September,సెప్టెంబర్ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,పరిపాలనాపరమైన ఖర్చులు DocType: C-Form,C-Form No,సి-ఫారం సంఖ్య DocType: Purchase Invoice,End date of current invoice's period,ప్రస్తుత ఇన్వాయిస్ వ్యవధి ముగింపు తేదీ +DocType: Item,Manufacturers,తయారీదారులు DocType: Crop Cycle,Crop Cycle,పంట చక్రం DocType: Serial No,Creation Time,సృష్టి సమయం apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,దయచేసి పాత్రను ఆమోదించడం లేదా వినియోగదారుని ఆమోదించడం ఎంటర్ చెయ్యండి @@ -4861,8 +4899,6 @@ DocType: Employee,Short biography for website and other publications.,వెబ DocType: Purchase Invoice Item,Received Qty,స్వీకరించిన Qty DocType: Purchase Invoice Item,Rate (Company Currency),రేటు (కంపెనీ కరెన్సీ) DocType: Item Reorder,Request for,కోసం అభ్యర్ధన -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","దయచేసి ఈ పత్రాన్ని రద్దు చేయడానికి ఉద్యోగి {0} ను తొలగించండి" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,ప్రీసెట్లు ఇన్స్టాల్ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,దయచేసి తిరిగి చెల్లించే కాలం నమోదు చేయండి DocType: Pricing Rule,Advanced Settings,ఆధునిక సెట్టింగులు @@ -4887,7 +4923,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,షాపింగ్ కార్ట్ ప్రారంభించు DocType: Pricing Rule,Apply Rule On Other,ఇతర న నియమం వర్తించు DocType: Vehicle,Last Carbon Check,చివరి కార్బన్ చెక్ -DocType: Vehicle,Make,చేయండి +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,చేయండి apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,చెల్లించినట్లు సేల్స్ ఇన్వాయిస్ {0} సృష్టించబడింది apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,చెల్లింపు అభ్యర్థన సూచన పత్రాన్ని సృష్టించడానికి అవసరం apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ఆదాయ పన్ను @@ -4963,7 +4999,6 @@ DocType: Territory,Parent Territory,మాతృ భూభాగం DocType: Vehicle Log,Odometer Reading,ఓడోమీటర్ పఠనం DocType: Additional Salary,Salary Slip,జీతం స్లిప్ DocType: Payroll Entry,Payroll Frequency,పేరోల్ ఫ్రీక్వెన్సీ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి మానవ వనరులో HR ఉద్యోగ నామకరణ వ్యవస్థ సెటప్ చేయండి> హెచ్ ఆర్ సెట్టింగులు apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","చెల్లుబాటు అయ్యే పేరోల్ వ్యవధిలో లేని తేదీలు మరియు ముగింపులు, {0}" DocType: Products Settings,Home Page is Products,హోం పేజి ఉత్పత్తులు apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,కాల్స్ @@ -5017,7 +5052,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,రికార్డులు పొందుతున్నాయి ...... DocType: Delivery Stop,Contact Information,సంప్రదింపు సమాచారం DocType: Sales Order Item,For Production,ఉత్పత్తి కోసం -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,దయచేసి ఎడ్యుకేషన్> ఎడ్యుకేషన్ సెట్టింగులలో ఇన్స్ట్రక్టర్ నేమింగ్ సిస్టం సెటప్ చేయండి DocType: Serial No,Asset Details,ఆస్తి వివరాలు DocType: Restaurant Reservation,Reservation Time,రిజర్వేషన్ సమయం DocType: Selling Settings,Default Territory,డిఫాల్ట్ భూభాగం @@ -5151,6 +5185,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,గడువు ముగిసిన బ్యాట్స్ DocType: Shipping Rule,Shipping Rule Type,షిప్పింగ్ రూల్ టైప్ DocType: Job Offer,Accepted,ఆమోదించబడిన +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ఈ పత్రాన్ని రద్దు చేయడానికి దయచేసి ఉద్యోగి {0} delete ను తొలగించండి" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,మీరు ఇప్పటికే అంచనా ప్రమాణాల కోసం అంచనా వేశారు. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ఎంచుకోండి బ్యాచ్ నంబర్లు apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),వయసు (రోజులు) @@ -5167,6 +5203,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,అమ్మకాల సమయంలో కట్ట వస్తువులు. DocType: Payment Reconciliation Payment,Allocated Amount,కేటాయించబడిన మొత్తం apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,దయచేసి కంపెనీ మరియు హోదాను ఎంచుకోండి +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'తేదీ' అవసరం DocType: Email Digest,Bank Credit Balance,బ్యాంక్ క్రెడిట్ సంతులనం apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,సంచిత మొత్తం చూపించు apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,మీరు విమోచన చేయడానికి లాయల్టీ పాయింట్స్ను కలిగి ఉండరు @@ -5227,11 +5264,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,మునుపటి DocType: Student,Student Email Address,విద్యార్థి ఇమెయిల్ చిరునామా DocType: Academic Term,Education,చదువు DocType: Supplier Quotation,Supplier Address,సరఫరాదారు చిరునామా -DocType: Salary Component,Do not include in total,మొత్తంలో చేర్చవద్దు +DocType: Salary Detail,Do not include in total,మొత్తంలో చేర్చవద్దు apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,సంస్థ కోసం బహుళ అంశం డిఫాల్ట్లను సెట్ చేయలేరు. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} లేదు DocType: Purchase Receipt Item,Rejected Quantity,తిరస్కరించబడిన పరిమాణం DocType: Cashier Closing,To TIme,TIme కు +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: Daily Work Summary Group User,Daily Work Summary Group User,డైలీ వర్క్ సారాంశం గ్రూప్ వినియోగదారు DocType: Fiscal Year Company,Fiscal Year Company,ఫిస్కల్ ఇయర్ కంపెనీ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,ప్రత్యామ్నాయ అంశం అంశం కోడ్ వలె ఉండకూడదు @@ -5340,7 +5378,6 @@ DocType: Fee Schedule,Send Payment Request Email,చెల్లింపు అ DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,మీరు సేల్స్ ఇన్వాయిస్ను సేవ్ చేసిన తర్వాత పదాలు కనిపిస్తాయి. DocType: Sales Invoice,Sales Team1,సేల్స్ బృందం DocType: Work Order,Required Items,అవసరమైన అంశాలు -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",""-" తప్ప ప్రత్యేక అక్షరాలు, "#", "." మరియు "/" నామకరణ సిరీస్లో అనుమతి లేదు" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,ERPNext మాన్యువల్ చదవండి DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,సరఫరాదారు వాయిస్ నంబర్ ప్రత్యేకత apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,సబ్ అసెంబ్లీలను శోధించండి @@ -5408,7 +5445,6 @@ DocType: Taxable Salary Slab,Percent Deduction,శాతం మినహాయ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,ఉత్పత్తికి పరిమితం జీరో కంటే తక్కువగా ఉండకూడదు DocType: Share Balance,To No,లేదు DocType: Leave Control Panel,Allocate Leaves,కేటాయింపు లీవ్స్ -DocType: Quiz,Last Attempt,చివరి ప్రయత్నం DocType: Assessment Result,Student Name,విద్యార్థి పేరు apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,నిర్వహణ సందర్శనల కోసం ప్రణాళిక. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,మెటీరియల్ అభ్యర్ధనల తరువాత స్వయంచాలకంగా ఐటెమ్ యొక్క పునః-ఆర్డర్ స్థాయి ఆధారంగా ఏర్పాటు చేయబడింది @@ -5477,6 +5513,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,సూచిక రంగు DocType: Item Variant Settings,Copy Fields to Variant,కాపీ ఫీల్డ్స్ వేరియంట్ DocType: Soil Texture,Sandy Loam,శాండీ లోమ్ +DocType: Question,Single Correct Answer,ఒకే సరైన సమాధానం apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,తేదీ నుండి ఉద్యోగి చేరిన తేదీ కంటే తక్కువగా ఉండకూడదు DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,కస్టమర్ యొక్క కొనుగోలు ఆర్డర్కు వ్యతిరేకంగా బహుళ సేల్స్ ఆర్డర్లను అనుమతించండి apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5538,7 +5575,7 @@ DocType: Account,Expenses Included In Valuation,ఖర్చులు మిన apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,సీరియల్ నంబర్స్ DocType: Salary Slip,Deductions,తగ్గింపులకు ,Supplier-Wise Sales Analytics,సరఫరాదారు-వైజ్ సేల్స్ విశ్లేషణలు -DocType: Quality Goal,February,ఫిబ్రవరి +DocType: GSTR 3B Report,February,ఫిబ్రవరి DocType: Appraisal,For Employee,ఉద్యోగి కోసం apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,అసలు డెలివరీ తేదీ DocType: Sales Partner,Sales Partner Name,సేల్స్ భాగస్వామి పేరు @@ -5634,7 +5671,6 @@ DocType: Procedure Prescription,Procedure Created,విధానము సృ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},సరఫరాదారు వాయిస్ {0} {1} నాటికి apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS ప్రొఫైల్ని మార్చండి apps/erpnext/erpnext/utilities/activation.py,Create Lead,లీడ్ సృష్టించండి -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు రకం DocType: Shopify Settings,Default Customer,డిఫాల్ట్ కస్టమర్ DocType: Payment Entry Reference,Supplier Invoice No,సరఫరాదారు వాయిస్ నంబర్ DocType: Pricing Rule,Mixed Conditions,మిశ్రమ పరిస్థితులు @@ -5685,11 +5721,13 @@ DocType: Item,End of Life,లైఫ్ ముగింపు DocType: Lab Test Template,Sensitivity,సున్నితత్వం DocType: Territory,Territory Targets,భూభాగం టార్గెట్స్ apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","స్కిప్పింగ్ లీవ్ కింది ఉద్యోగులకు కేటాయింపు, వాటికి కేటాయింపు రికార్డులు ఇప్పటికే ఉన్నాయి. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,నాణ్యత చర్య రిజల్యూషన్ DocType: Sales Invoice Item,Delivered By Supplier,సరఫరాదారు పంపిణీ DocType: Agriculture Analysis Criteria,Plant Analysis,ప్లాంట్ విశ్లేషణ ,Subcontracted Raw Materials To Be Transferred,బదిలీ చేయబడిన ముడి పదార్థాలు DocType: Cashier Closing,Cashier Closing,క్యాషియర్ మూసివేయడం apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,అంశం {0} ఇప్పటికే తిరిగి వచ్చింది +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,చెల్లని GSTIN! మీరు నమోదు చేసిన ఇన్పుట్ UIN హోల్డర్స్ లేదా నాన్-రెసిడెంట్ OIDAR సర్వీస్ ప్రొవైడర్ల కోసం GSTIN ఆకృతితో సరిపోలడం లేదు apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,ఈ గిడ్డంగికి బాల గిడ్డంగి ఉంది. మీరు ఈ గిడ్డంగిని తొలగించలేరు. DocType: Diagnosis,Diagnosis,డయాగ్నోసిస్ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0} మరియు {1} మధ్య ఖాళీ సెలవు సమయం లేదు @@ -5705,6 +5743,7 @@ DocType: QuickBooks Migrator,Authorization Settings,ప్రామాణీక DocType: Homepage,Products,ఉత్పత్తులు ,Profit and Loss Statement,లాభ నష్టాల నివేదిక apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,రూములు బుక్ +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},అంశం కోడ్ {0} మరియు తయారీదారు {1} వ్యతిరేకంగా నకిలీ నమోదు DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,మొత్తం బరువు apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,ప్రయాణం @@ -5751,6 +5790,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,డిఫాల్ట్ కస్టమర్ గ్రూప్ DocType: Journal Entry Account,Debit in Company Currency,కంపెనీ కరెన్సీలో డెబిట్ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",తిరిగి వరుస "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,నాణ్యత సమావేశం అజెండా DocType: Cash Flow Mapper,Section Header,విభాగం హెడర్ apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,మీ ఉత్పత్తులు లేదా సేవలు DocType: Crop,Perennial,నిత్యం @@ -5795,7 +5835,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","స్టాక్లో కొనుగోలు, అమ్మకం లేదా ఉంచబడిన ఒక ఉత్పత్తి లేదా సేవ." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),మూసివేయడం (మొత్తం + తెరవడం) DocType: Supplier Scorecard Criteria,Criteria Formula,ప్రమాణం ఫార్ములా -,Support Analytics,మద్దతు విశ్లేషణలు +apps/erpnext/erpnext/config/support.py,Support Analytics,మద్దతు విశ్లేషణలు apps/erpnext/erpnext/config/quality_management.py,Review and Action,సమీక్ష మరియు యాక్షన్ DocType: Account,"If the account is frozen, entries are allowed to restricted users.","ఖాతా స్తంభింపబడితే, పరిమితం చేయబడిన వినియోగదారులకు ఎంట్రీలు అనుమతించబడతాయి." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,తరుగుదల తర్వాత మొత్తం @@ -5839,7 +5879,6 @@ DocType: Contract Template,Contract Terms and Conditions,కాంట్రా apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,డేటాను పొందు DocType: Stock Settings,Default Item Group,Default Item Group DocType: Sales Invoice Timesheet,Billing Hours,బిల్లింగ్ గంటలు -DocType: Item,Item Code for Suppliers,సరఫరాదారుల అంశం కోడ్ apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},విద్యార్థి {1} కి వ్యతిరేకంగా అప్లికేషన్ {0} ఇప్పటికే ఉంది DocType: Pricing Rule,Margin Type,మార్జిన్ టైప్ DocType: Purchase Invoice Item,Rejected Serial No,తిరస్కరించబడిన సీరియల్ నంబర్ @@ -5995,6 +6034,7 @@ DocType: Loan Type,Maximum Loan Amount,గరిష్ఠ రుణ మొత్ apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,డిఫాల్ట్ పరిచయంలో ఇమెయిల్ కనుగొనబడలేదు DocType: Hotel Room Reservation,Booked,బుక్ DocType: Maintenance Visit,Partially Completed,పాక్షికంగా పూర్తయింది +DocType: Quality Procedure Process,Process Description,ప్రాసెస్ వివరణ DocType: Company,Default Employee Advance Account,డిఫాల్ట్ ఉద్యోగుల అడ్వాన్స్ ఖాతా DocType: Leave Type,Allow Negative Balance,ప్రతికూల సంతులనాన్ని అనుమతించండి apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,అంచనా ప్రణాళిక పేరు @@ -6035,6 +6075,7 @@ DocType: Vehicle Service,Change,మార్చు DocType: Request for Quotation Item,Request for Quotation Item,ఉల్లేఖన అంశం కోసం అభ్యర్థన apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} అంశం పన్నులో రెండుసార్లు నమోదు చేయబడింది DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,ఎంచుకున్న చెల్లింపు తేదీలో పూర్తి పన్నును తీసివేయి +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,చివరి కార్బన్ చెక్ తేదీ భవిష్యత్ తేదీ కాదు apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,మార్పు మొత్తం ఖాతాను ఎంచుకోండి DocType: Support Settings,Forum Posts,ఫోరమ్ పోస్ట్లు DocType: Timesheet Detail,Expected Hrs,ఊహించినది @@ -6044,7 +6085,7 @@ DocType: Program Enrollment Tool,Enroll Students,విద్యార్థు apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,కస్టమర్ రెవెన్యూని పునరావృతం చేయండి DocType: Company,Date of Commencement,ప్రారంభ తేదీ DocType: Bank,Bank Name,బ్యాంకు పేరు -DocType: Quality Goal,December,డిసెంబర్ +DocType: GSTR 3B Report,December,డిసెంబర్ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,తేదీ నుండి చెల్లుబాటు అయ్యే తేదీ వరకు చెల్లనిదిగా ఉండాలి apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,ఈ ఉద్యోగుల హాజరు మీద ఆధారపడి ఉంటుంది DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","తనిఖీ చేసినట్లయితే, హోమ్ పేజీ అనేది వెబ్సైట్ కోసం డిఫాల్ట్ అంశం గుంపుగా ఉంటుంది" @@ -6359,6 +6400,7 @@ DocType: Travel Request,Costing,ఖరీదు apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,స్థిర ఆస్తులు DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,మొత్తం సంపాదన +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం DocType: Share Balance,From No,సంఖ్య నుండి DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,చెల్లింపు సయోధ్య వాయిస్ DocType: Purchase Invoice,Taxes and Charges Added,పన్నులు మరియు ఛార్జీలు జోడించబడ్డాయి @@ -6366,7 +6408,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,పన్ను DocType: Authorization Rule,Authorized Value,అధికార విలువ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,నుండి స్వీకరించబడింది apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,వేర్హౌస్ {0} ఉనికిలో లేదు +DocType: Item Manufacturer,Item Manufacturer,వస్తువు తయారీదారు DocType: Sales Invoice,Sales Team,అమ్మకపు బృందం +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,బండిల్ Qty DocType: Purchase Order Item Supplied,Stock UOM,స్టాక్ UOM DocType: Installation Note,Installation Date,సంస్థాపన తేదీ DocType: Email Digest,New Quotations,క్రొత్త ఉల్లేఖనాలు @@ -6429,7 +6473,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,హాలిడే జాబితా పేరు DocType: Water Analysis,Collection Temperature ,కలెక్షన్ ఉష్ణోగ్రత DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,"నియామకం ఇన్వాయిస్ పేషెంట్ ఎన్కౌంటర్ కోసం స్వయంచాలకంగా సమర్పించి, రద్దు చేయండి" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,దయచేసి సెటప్> సెట్టింగులు> నామకరణ సిరీస్ ద్వారా {0} నామకరణ సిరీస్ను సెట్ చేయండి DocType: Employee Benefit Claim,Claim Date,దావా తేదీ DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,సరఫరాదారు నిరవధికంగా బ్లాక్ చేయబడి ఉంటే ఖాళీగా వదిలేయండి apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,తేదీ నుండి హాజరు మరియు హాజరు అయ్యే తేదీ తప్పనిసరి @@ -6440,6 +6483,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,పదవీ విరమణ తేదీ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,దయచేసి రోగిని ఎంచుకోండి DocType: Asset,Straight Line,సరళ రేఖ +DocType: Quality Action,Resolutions,తీర్మానాలు DocType: SMS Log,No of Sent SMS,పంపిన SMS యొక్క సంఖ్య ,GST Itemised Sales Register,GST అంశం సేల్స్ రిజిస్టర్ నమోదు apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,మొత్తం మంజూరు చేసిన మొత్తాన్ని కన్నా మొత్తం ముందస్తు మొత్తమే ఎక్కువ కాదు @@ -6548,7 +6592,7 @@ DocType: Account,Profit and Loss,లాభం మరియు నష్టం apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,తేడా Qty DocType: Asset Finance Book,Written Down Value,వ్రాసిన విలువ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,సంతులనం ఈక్విటీ తెరవడం -DocType: Quality Goal,April,ఏప్రిల్ +DocType: GSTR 3B Report,April,ఏప్రిల్ DocType: Supplier,Credit Limit,క్రెడిట్ పరిమితి apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,పంపిణీ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6603,6 +6647,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext తో Shopify ను కనెక్ట్ చేయండి DocType: Homepage Section Card,Subtitle,ఉపశీర్షిక DocType: Soil Texture,Loam,లోవామ్ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు రకం DocType: BOM,Scrap Material Cost(Company Currency),స్క్రాప్ మెటీరియల్ వ్యయం (కంపెనీ కరెన్సీ) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,డెలివరీ గమనిక {0} సమర్పించబడకూడదు DocType: Task,Actual Start Date (via Time Sheet),వాస్తవ ప్రారంభ తేదీ (సమయం షీట్ ద్వారా) @@ -6658,7 +6703,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,మోతాదు DocType: Cheque Print Template,Starting position from top edge,ఎగువ అంచు నుండి స్థానం ప్రారంభమవుతుంది apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),నియామకం వ్యవధి (నిమిషాలు) -DocType: Pricing Rule,Disable,డిసేబుల్ +DocType: Accounting Dimension,Disable,డిసేబుల్ DocType: Email Digest,Purchase Orders to Receive,స్వీకరించడానికి ఆర్డర్లను కొనుగోలు చేయండి apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,ప్రొడక్షన్స్ ఆర్డర్స్ కోసం పెంచరాదు: DocType: Projects Settings,Ignore Employee Time Overlap,Employee టైమ్ అతివ్యాప్తిని విస్మరించండి @@ -6742,6 +6787,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,పన DocType: Item Attribute,Numeric Values,సంఖ్యా విలువలు DocType: Delivery Note,Instructions,సూచనలను DocType: Blanket Order Item,Blanket Order Item,బ్లాంకెట్ ఆర్డర్ అంశం +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,లాభం మరియు నష్టం ఖాతా కోసం తప్పనిసరి apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,కమిషన్ రేట్ 100 కన్నా ఎక్కువ ఉండకూడదు DocType: Course Topic,Course Topic,కోర్సు అంశం DocType: Employee,This will restrict user access to other employee records,ఇది ఇతర ఉద్యోగి రికార్డులకు వినియోగదారు ప్రాప్తిని పరిమితం చేస్తుంది @@ -6766,12 +6812,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,సబ్స apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,నుండి కస్టమర్లను పొందండి apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} డైజెస్ట్ DocType: Employee,Reports to,నివేదికలు +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,పార్టీ ఖాతా DocType: Assessment Plan,Schedule,షెడ్యూల్ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,దయచేసి నమోదు చెయ్యండి DocType: Lead,Channel Partner,ఛానెల్ భాగస్వామి apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,ఇన్వాయిస్ మొత్తం DocType: Project,From Template,మూస నుండి +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,చందాలు apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,మేక్ టు మేక్ DocType: Quality Review Table,Achieved,సాధించబడింది @@ -6818,7 +6866,6 @@ DocType: Journal Entry,Subscription Section,సభ్యత్వ విభా DocType: Salary Slip,Payment Days,చెల్లింపు డేస్ apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,వాలంటీర్ సమాచారం. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,% D రోజుల కన్నా తక్కువగా ఉండాలి 'ఫ్రీజ్ స్టాక్స్ ఓల్డ్ తాన్'. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,ఫిస్కల్ ఇయర్ ఎంచుకోండి DocType: Bank Reconciliation,Total Amount,మొత్తం పరిమాణం DocType: Certification Application,Non Profit,లాభాపేక్ష లేని DocType: Subscription Settings,Cancel Invoice After Grace Period,గ్రేస్ పీరియడ్ తర్వాత వాయిస్ రద్దు చేయండి @@ -6831,7 +6878,6 @@ DocType: Serial No,Warranty Period (Days),వారంటీ కాలం (ర DocType: Expense Claim Detail,Expense Claim Detail,ఖర్చు కాలేజ్ వివరాలు apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,ప్రోగ్రామ్: DocType: Patient Medical Record,Patient Medical Record,పేషెంట్ మెడికల్ రికార్డ్ -DocType: Quality Action,Action Description,చర్య వివరణ DocType: Item,Variant Based On,వేరియంట్ ఆధారంగా DocType: Vehicle Service,Brake Oil,బ్రేక్ ఆయిల్ DocType: Employee,Create User,వాడుకరిని సృష్టించండి @@ -6885,7 +6931,7 @@ DocType: Cash Flow Mapper,Section Name,విభాగం పేరు DocType: Packed Item,Packed Item,ప్యాక్ చేయబడిన అంశం apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: {2} కోసం డెబిట్ లేదా క్రెడిట్ మొత్తం అవసరం apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,జీతం స్లిప్లను సమర్పిస్తోంది ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,చర్య తీసుకోలేదు +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,చర్య తీసుకోలేదు apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","ఇది ఆదాయం లేదా వ్యయం ఖాతా కాదు కాబట్టి, బడ్జెట్ను {0} వ్యతిరేకంగా కేటాయించలేము" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,మాస్టర్స్ మరియు ఖాతాలు DocType: Quality Procedure Table,Responsible Individual,బాధ్యతగల వ్యక్తి @@ -7008,7 +7054,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,చైల్డ్ కంపెనీకి వ్యతిరేకంగా ఖాతా సృష్టిని అనుమతించండి DocType: Payment Entry,Company Bank Account,కంపెనీ బ్యాంక్ ఖాతా DocType: Amazon MWS Settings,UK,UK -DocType: Quality Procedure,Procedure Steps,విధానపరమైన దశలు DocType: Normal Test Items,Normal Test Items,సాధారణ టెస్ట్ అంశాలు apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,అంశం {0}: ఆర్డర్ చేయబడిన qty {1} కనిష్ట ఆర్డర్ qty {2} కన్నా తక్కువగా ఉండకూడదు (అంశం లో నిర్వచించబడింది). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,స్టాక్ లేదు @@ -7087,7 +7132,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,నిర్వహణ పాత్ర apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,నియమాలు మరియు నిబంధనలు మూస DocType: Fee Schedule Program,Fee Schedule Program,ఫీజు షెడ్యూల్ ప్రోగ్రామ్ -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,కోర్సు {0} ఉనికిలో లేదు. DocType: Project Task,Make Timesheet,టైమ్స్ షీట్ చేయండి DocType: Production Plan Item,Production Plan Item,ఉత్పత్తి ప్రణాళిక అంశం apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,మొత్తం విద్యార్థి @@ -7108,6 +7152,7 @@ DocType: Expense Claim,Total Claimed Amount,మొత్తం దావా వ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,చుట్టి వేయు apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,మీ సభ్యత్వం 30 రోజుల్లో ముగుస్తుంది ఉంటే మీరు మాత్రమే పునరుద్ధరించవచ్చు apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},విలువ తప్పనిసరిగా {0} మరియు {1} +DocType: Quality Feedback,Parameters,పారామీటర్లు ,Sales Partner Transaction Summary,సేల్స్ పార్టనర్ ట్రాన్సాక్షన్ సారాంశం DocType: Asset Maintenance,Maintenance Manager Name,నిర్వహణ మేనేజర్ పేరు apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,ఇది అంశం వివరాలు పొందడం అవసరం. @@ -7145,6 +7190,7 @@ DocType: Student Admission,Student Admission,స్టూడెంట్ అడ DocType: Designation Skill,Skill,నైపుణ్యము DocType: Budget Account,Budget Account,బడ్జెట్ ఖాతా DocType: Employee Transfer,Create New Employee Id,కొత్త ఉద్యోగి ఐడిని సృష్టించండి +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,'లాభం మరియు నష్టం' ఖాతాకు {0} అవసరం {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),వస్తువులు మరియు సేవల పన్ను (GST భారతదేశం) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,జీతం స్లిప్స్ సృష్టిస్తోంది ... DocType: Employee Skill,Employee Skill,ఉద్యోగి నైపుణ్యం @@ -7244,6 +7290,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,విని DocType: Subscription,Days Until Due,డేస్ వరకు apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,షో పూర్తయింది apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,బ్యాంక్ స్టేట్మెంట్ ట్రాన్సాక్షన్ ఎంట్రీ రిపోర్ట్ +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,బ్యాంక్ డీటిల్స్ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,వరుస # {0}: రేట్ {1} వలె ఉండాలి: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,హెల్త్కేర్ సర్వీస్ అంశాలు @@ -7298,6 +7345,7 @@ DocType: Training Event Employee,Invited,ఆహ్వానించారు apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},భాగం యొక్క అర్హత గరిష్ట మొత్తం {0} {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,బిల్లుకు మొత్తం apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","{0} కోసం, మరొక క్రెడిట్ ఎంట్రీకి వ్యతిరేకంగా డెబిట్ ఖాతాలు మాత్రమే లింక్ చేయబడతాయి" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,కొలతలు సృష్టిస్తోంది ... DocType: Bank Statement Transaction Entry,Payable Account,చెల్లించదగిన ఖాతా apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,దయచేసి సందర్శనల సంఖ్య అవసరం లేదు DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,మీరు సెటప్ కాష్ ఫ్లో మాపర్ పత్రాలను కలిగి ఉంటే మాత్రమే ఎంచుకోండి @@ -7315,6 +7363,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,రిజల్యూషన్ సమయం DocType: Grading Scale Interval,Grade Description,గ్రేడ్ వివరణ DocType: Homepage Section,Cards,కార్డులు +DocType: Quality Meeting Minutes,Quality Meeting Minutes,క్వాలిటీ మీటింగ్ మినిట్స్ DocType: Linked Plant Analysis,Linked Plant Analysis,లింక్ చేయబడిన ప్లాంట్ విశ్లేషణ apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,సర్వీస్ ఎండ్ తేదీ తర్వాత సర్వీస్ స్టాప్ తేదీ ఉండకూడదు apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,దయచేసి GST సెట్టింగులలో B2C పరిమితిని సెట్ చేయండి. @@ -7349,7 +7398,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,ఉద్యోగి DocType: Employee,Educational Qualification,అర్హతలు apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,ప్రాప్యత విలువ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},నమూనా పరిమాణం {0} అందుకున్న పరిమాణం కంటే ఎక్కువగా ఉండకూడదు {1} -DocType: Quiz,Last Highest Score,చివరి అత్యధిక స్కోరు DocType: POS Profile,Taxes and Charges,పన్నులు మరియు ఛార్జీలు DocType: Opportunity,Contact Mobile No,మొబైల్ నంబర్ సంప్రదించండి DocType: Employee,Joining Details,వివరాలు చేరడం diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv index b2015a633a..78dc7b16db 100644 --- a/erpnext/translations/th.csv +++ b/erpnext/translations/th.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,หมายเลขผู DocType: Journal Entry Account,Party Balance,ยอดคงเหลือปาร์ตี้ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),แหล่งที่มาของเงินทุน (หนี้สิน) DocType: Payroll Period,Taxable Salary Slabs,แผ่นเงินเดือนที่ต้องเสียภาษี +DocType: Quality Action,Quality Feedback,ข้อเสนอแนะคุณภาพ DocType: Support Settings,Support Settings,การตั้งค่าสนับสนุน apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,โปรดป้อนรายการผลิตก่อน DocType: Quiz,Grading Basis,เกณฑ์การให้คะแนน @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,รายละ DocType: Salary Component,Earning,รายได้ DocType: Restaurant Order Entry,Click Enter To Add,คลิก Enter เพื่อเพิ่ม DocType: Employee Group,Employee Group,กลุ่มพนักงาน +DocType: Quality Procedure,Processes,กระบวนการ DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ระบุอัตราแลกเปลี่ยนเพื่อแปลงสกุลเงินหนึ่งเป็นอีกสกุลเงินหนึ่ง apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,ช่วงอายุ 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},คลังสินค้าต้องการสต็อกรายการ {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,การร้องเรียน DocType: Shipping Rule,Restrict to Countries,จำกัด เฉพาะประเทศ DocType: Hub Tracked Item,Item Manager,ผู้จัดการรายการ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},สกุลเงินของบัญชีการปิดจะต้อง {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,งบประมาณ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,กำลังเปิดรายการใบแจ้งหนี้ DocType: Work Order,Plan material for sub-assemblies,วางแผนวัสดุสำหรับชุดประกอบย่อย apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,ฮาร์ดแวร์ DocType: Budget,Action if Annual Budget Exceeded on MR,การดำเนินการหากงบประมาณประจำปีเกินกว่า MR DocType: Sales Invoice Advance,Advance Amount,จำนวนเงินล่วงหน้า +DocType: Accounting Dimension,Dimension Name,ชื่อส่วนข้อมูล DocType: Delivery Note Item,Against Sales Invoice Item,กับรายการใบแจ้งหนี้การขาย DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,รวมรายการในการผลิต @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,มันทำ ,Sales Invoice Trends,แนวโน้มใบแจ้งหนี้การขาย DocType: Bank Reconciliation,Payment Entries,รายการชำระเงิน DocType: Employee Education,Class / Percentage,ชั้น / ร้อยละ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มรายการ> แบรนด์ ,Electronic Invoice Register,ลงทะเบียนใบแจ้งหนี้อิเล็กทรอนิกส์ DocType: Sales Invoice,Is Return (Credit Note),Is Return (ใบลดหนี้) DocType: Lab Test Sample,Lab Test Sample,ตัวอย่างการทดสอบในห้องปฏิบัติการ @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,สายพันธุ์ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",ค่าใช้จ่ายจะถูกกระจายตามสัดส่วนจำนวนรายการหรือจำนวนตามการเลือกของคุณ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,กิจกรรมที่รอดำเนินการในวันนี้ +DocType: Quality Procedure Process,Quality Procedure Process,กระบวนการคุณภาพ DocType: Fee Schedule Program,Student Batch,ชุดนักศึกษา apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},ต้องมีการประเมินค่าอัตราสำหรับไอเท็มในแถว {0} DocType: BOM Operation,Base Hour Rate(Company Currency),อัตราชั่วโมงพื้นฐาน (สกุลเงิน บริษัท ) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,กำหนดจำนวนในการทำธุรกรรมตาม Serial No Input apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},สกุลเงินบัญชีล่วงหน้าควรเป็นสกุลเงินของ บริษัท {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,ปรับแต่งส่วนโฮมเพจ -DocType: Quality Goal,October,ตุลาคม +DocType: GSTR 3B Report,October,ตุลาคม DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,ซ่อนรหัสภาษีของลูกค้าจากธุรกรรมการขาย apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN ไม่ถูกต้อง! GSTIN ต้องมี 15 ตัวอักษร apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,อัพเดตกฎการกำหนดราคา {0} แล้ว @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,ออกจากยอดเงิน apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},กำหนดการบำรุงรักษา {0} มีต่อ {1} DocType: Assessment Plan,Supervisor Name,ชื่อหัวหน้างาน DocType: Selling Settings,Campaign Naming By,การตั้งชื่อแคมเปญตาม -DocType: Course,Course Code,รหัสวิชา +DocType: Student Group Creation Tool Course,Course Code,รหัสวิชา apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,การบินและอวกาศ DocType: Landed Cost Voucher,Distribute Charges Based On,กระจายค่าใช้จ่ายตาม DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,เกณฑ์การให้คะแนนเกณฑ์การให้คะแนนของซัพพลายเออร์ @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,เมนูร้านอาหาร DocType: Asset Movement,Purpose,วัตถุประสงค์ apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,มีการกำหนดโครงสร้างเงินเดือนให้กับพนักงานแล้ว DocType: Clinical Procedure,Service Unit,หน่วยบริการ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> อาณาเขต DocType: Travel Request,Identification Document Number,หมายเลขเอกสารประจำตัว DocType: Stock Entry,Additional Costs,ค่าใช้จ่ายเพิ่มเติม -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",หลักสูตรผู้ปกครอง (เว้นว่างหากนี่ไม่ใช่ส่วนหนึ่งของหลักสูตรผู้ปกครอง) DocType: Employee Education,Employee Education,การศึกษาของพนักงาน apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,จำนวนตำแหน่งต้องไม่น้อยกว่าจำนวนพนักงานปัจจุบัน apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,กลุ่มลูกค้าทั้งหมด @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,แถว {0}: จำเป็นต้องมีจำนวน DocType: Sales Invoice,Against Income Account,เทียบกับบัญชีรายได้ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},แถว # {0}: ไม่สามารถสร้างใบแจ้งหนี้การซื้อกับเนื้อหาที่มีอยู่ {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,กฎสำหรับการใช้รูปแบบการส่งเสริมการขายที่แตกต่างกัน apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},ต้องใช้ปัจจัยการแปรปรวนของ UOM สำหรับ UOM: {0} ในรายการ: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},โปรดป้อนปริมาณสำหรับรายการ {0} DocType: Workstation,Electricity Cost,ค่าไฟฟ้า @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,จำนวนที่คาดการณ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,boms DocType: Work Order,Actual Start Date,วันที่เริ่มจริง apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,คุณไม่ได้แสดงตลอดทั้งวันระหว่างวันขอลาชดเชย -DocType: Company,About the Company,เกี่ยวกับ บริษัท apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,ต้นไม้ของบัญชีการเงิน apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,รายได้ทางอ้อม DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,รายการจองห้องพักโรงแรม @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,ฐานข DocType: Skill,Skill Name,ชื่อทักษะ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,พิมพ์บัตรรายงาน DocType: Soil Texture,Ternary Plot,Ternary Plot +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ตั๋วสนับสนุน DocType: Asset Category Account,Fixed Asset Account,บัญชีสินทรัพย์ถาวร apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,ล่าสุด @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,หลักสู ,IRS 1099,"IRS 1,099" apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,โปรดตั้งค่าชุดที่จะใช้ DocType: Delivery Trip,Distance UOM,ระยะทาง UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,จำเป็นสำหรับงบดุล DocType: Payment Entry,Total Allocated Amount,จำนวนเงินที่จัดสรรทั้งหมด DocType: Sales Invoice,Get Advances Received,รับเงินทดรองจ่าย DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,รายการ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,ต้องใช้โปรไฟล์ POS เพื่อสร้างรายการ POS DocType: Education Settings,Enable LMS,เปิดใช้งาน LMS DocType: POS Closing Voucher,Sales Invoices Summary,สรุปใบแจ้งหนี้การขาย +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,ประโยชน์ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,บัญชีเครดิตถึงต้องเป็นบัญชีงบดุล DocType: Video,Duration,ระยะเวลา DocType: Lab Test Template,Descriptive,พรรณนา @@ -963,6 +968,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,เริ่มต้นและสิ้นสุดวันที่ DocType: Supplier Scorecard,Notify Employee,แจ้งพนักงาน apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,ซอฟต์แวร์ +DocType: Program,Allow Self Enroll,อนุญาตให้ลงทะเบียนด้วยตนเอง apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,ค่าใช้จ่ายในสต็อก apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,ไม่มีการอ้างอิงถ้าคุณป้อนวันที่อ้างอิง DocType: Training Event,Workshop,โรงงาน @@ -1015,6 +1021,7 @@ DocType: Lab Test Template,Lab Test Template,เทมเพลตการท apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},สูงสุด: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ข้อมูลการแจ้งหนี้ทางอิเล็กทรอนิกส์หายไป apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,ไม่ได้สร้างคำขอวัสดุ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มรายการ> แบรนด์ DocType: Loan,Total Amount Paid,จำนวนเงินทั้งหมดที่จ่าย apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,รายการทั้งหมดเหล่านี้ได้รับใบแจ้งหนี้แล้ว DocType: Training Event,Trainer Name,ชื่อผู้ฝึกสอน @@ -1036,6 +1043,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,ปีการศึกษา DocType: Sales Stage,Stage Name,ชื่อสเตจ DocType: SMS Center,All Employee (Active),พนักงานทั้งหมด (ใช้งานอยู่) +DocType: Accounting Dimension,Accounting Dimension,มิติทางการบัญชี DocType: Project,Customer Details,รายละเอียดลูกค้า DocType: Buying Settings,Default Supplier Group,กลุ่มซัพพลายเออร์เริ่มต้น apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,โปรดยกเลิกการซื้อใบเสร็จรับเงิน {0} ก่อน @@ -1150,7 +1158,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority",จำนวน DocType: Designation,Required Skills,ทักษะที่จำเป็น DocType: Marketplace Settings,Disable Marketplace,ปิดการใช้งาน Marketplace DocType: Budget,Action if Annual Budget Exceeded on Actual,การดำเนินการหากงบประมาณประจำปีเกินจริง -DocType: Course,Course Abbreviation,ตัวย่อของหลักสูตร apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,ไม่ได้ส่งการเข้าร่วมสำหรับ {0} เป็น {1} เมื่อลา DocType: Pricing Rule,Promotional Scheme Id,รหัสโครงการส่งเสริมการขาย apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},วันที่สิ้นสุดของงาน {0} ต้องไม่เกิน วันที่ คาดหวัง {1} {2} @@ -1293,7 +1300,7 @@ DocType: Bank Guarantee,Margin Money,เงินประกัน DocType: Chapter,Chapter,บท DocType: Purchase Receipt Item Supplied,Current Stock,สต็อกปัจจุบัน DocType: Employee,History In Company,ประวัติความเป็นมาใน บริษัท -DocType: Item,Manufacturer,ผู้ผลิต +DocType: Purchase Invoice Item,Manufacturer,ผู้ผลิต apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,ความไวแสงปานกลาง DocType: Compensatory Leave Request,Leave Allocation,ออกจากการจัดสรร DocType: Timesheet,Timesheet,timesheet @@ -1324,6 +1331,7 @@ DocType: Work Order,Material Transferred for Manufacturing,โอนวัสด DocType: Products Settings,Hide Variants,ซ่อนสายพันธุ์ DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ปิดใช้งานการวางแผนกำลังการผลิตและการติดตามเวลา DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* จะถูกคำนวณในการทำธุรกรรม +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,ต้องการ {0} สำหรับบัญชี 'งบดุล' {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} ไม่ได้รับอนุญาตให้ทำธุรกรรมกับ {1} กรุณาเปลี่ยน บริษัท 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} DocType: Delivery Trip,Delivery Details,รายละเอียดการจัดส่ง @@ -1359,7 +1367,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,ก่อนหน้า apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,หน่วยวัด DocType: Lab Test,Test Template,เทมเพลตการทดสอบ DocType: Fertilizer,Fertilizer Contents,เนื้อหาปุ๋ย -apps/erpnext/erpnext/utilities/user_progress.py,Minute,นาที +DocType: Quality Meeting Minutes,Minute,นาที apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",แถว # {0}: ไม่สามารถส่งเนื้อหา {1} ได้มันมีอยู่แล้ว {2} DocType: Task,Actual Time (in Hours),เวลาจริง (เป็นชั่วโมง) DocType: Period Closing Voucher,Closing Account Head,ปิดบัญชีหัวหน้า @@ -1532,7 +1540,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,ห้องปฏิบั DocType: Purchase Order,To Bill,ถึงบิล apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,ค่าใช้จ่ายด้านสาธารณูปโภค DocType: Manufacturing Settings,Time Between Operations (in mins),เวลาระหว่างการปฏิบัติงาน (เป็นนาที) -DocType: Quality Goal,May,อาจ +DocType: GSTR 3B Report,May,อาจ apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",ยังไม่ได้สร้างบัญชีเกตเวย์การชำระเงินโปรดสร้างด้วยตนเอง DocType: Opening Invoice Creation Tool,Purchase,ซื้อ DocType: Program Enrollment,School House,โรงเรียนบ้าน @@ -1564,6 +1572,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,ข้อมูลตามกฎหมายและข้อมูลทั่วไปอื่น ๆ เกี่ยวกับผู้จัดหาของคุณ DocType: Item Default,Default Selling Cost Center,ศูนย์ต้นทุนขายเริ่มต้น DocType: Sales Partner,Address & Contacts,ที่อยู่ & ติดต่อ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,โปรดตั้งค่าหมายเลขลำดับสำหรับการเข้าร่วมผ่านการตั้งค่า> ลำดับเลข DocType: Subscriber,Subscriber,สมาชิก apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) หมดสต๊อก apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,โปรดเลือกวันที่ผ่านรายการก่อน @@ -1591,6 +1600,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,ค่าเข้าช DocType: Bank Statement Settings,Transaction Data Mapping,การทำแผนที่ข้อมูลธุรกรรม apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,ลูกค้าเป้าหมายต้องการชื่อบุคคลหรือชื่อองค์กร DocType: Student,Guardians,ผู้ปกครอง +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในด้านการศึกษา> การตั้งค่าการศึกษา apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,เลือกยี่ห้อ ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,รายได้ปานกลาง DocType: Shipping Rule,Calculate Based On,คำนวณตาม @@ -1602,7 +1612,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,การเรียกร DocType: Purchase Invoice,Rounding Adjustment (Company Currency),การปรับการปัดเศษ (สกุลเงิน บริษัท ) DocType: Item,Publish in Hub,เผยแพร่ใน Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,สิงหาคม +DocType: GSTR 3B Report,August,สิงหาคม apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,โปรดป้อนใบเสร็จรับเงินซื้อก่อน apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,เริ่มปี apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),เป้าหมาย ({}) @@ -1621,6 +1631,7 @@ DocType: Item,Max Sample Quantity,ปริมาณตัวอย่างส apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,คลังต้นทางและปลายทางจะต้องแตกต่างกัน DocType: Employee Benefit Application,Benefits Applied,ประโยชน์ที่ได้รับ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,เทียบกับรายการบันทึกประจำวัน {0} ไม่มีรายการ {1} ที่ไม่ตรงกันใด ๆ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","ห้ามใช้อักขระพิเศษยกเว้น "-", "#", ".", "/", "{" และ "}" ในซีรี่ส์" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,ต้องใช้แผ่นพื้นลดราคาหรือผลิตภัณฑ์ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,กำหนดเป้าหมาย apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},มีบันทึกการเข้าร่วม {0} ต่อนักศึกษา {1} @@ -1636,10 +1647,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,ต่อเดือน DocType: Routing,Routing Name,ชื่อเส้นทาง DocType: Disease,Common Name,ชื่อสามัญ -DocType: Quality Goal,Measurable,พอประมาณ DocType: Education Settings,LMS Title,ชื่อ LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,การจัดการสินเชื่อ -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,สนับสนุน Analtyics DocType: Clinical Procedure,Consumable Total Amount,ปริมาณรวมสิ้นเปลือง apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,เปิดใช้งานเทมเพลต apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,ลูกค้า LPO @@ -1779,6 +1788,7 @@ DocType: Restaurant Order Entry Item,Served,ทำหน้าที่ DocType: Loan,Member,สมาชิก DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,ตารางหน่วยบริการผู้ประกอบการ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,โอนเงิน +DocType: Quality Review Objective,Quality Review Objective,วัตถุประสงค์การตรวจสอบคุณภาพ DocType: Bank Reconciliation Detail,Against Account,ต่อบัญชี DocType: Projects Settings,Projects Settings,การตั้งค่าโครงการ apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},จำนวนจริง {0} / จำนวนรอ {1} @@ -1807,6 +1817,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,วันที่สิ้นสุดปีบัญชีควรเป็นหนึ่งปีหลังจากวันที่เริ่มต้นปีบัญชี apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,การแจ้งเตือนรายวัน DocType: Item,Default Sales Unit of Measure,หน่วยการขายเริ่มต้นของการวัด +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,บริษัท GSTIN DocType: Asset Finance Book,Rate of Depreciation,อัตราค่าเสื่อมราคา DocType: Support Search Source,Post Description Key,โพสต์คำอธิบายคีย์ DocType: Loyalty Program Collection,Minimum Total Spent,ยอดรวมการใช้จ่ายขั้นต่ำ @@ -1878,6 +1889,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,ไม่อนุญาตให้เปลี่ยนกลุ่มลูกค้าสำหรับลูกค้าที่เลือก DocType: Serial No,Creation Document Type,ประเภทเอกสารการสร้าง DocType: Sales Invoice Item,Available Batch Qty at Warehouse,มีจำนวนแบทช์ที่คลังสินค้า +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ยอดรวมใบแจ้งหนี้ apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,นี่เป็นดินแดนรากและไม่สามารถแก้ไขได้ DocType: Patient,Surgical History,ประวัติการผ่าตัด apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,ต้นไม้แห่งกระบวนการคุณภาพ @@ -1982,6 +1994,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,เลือกตัวเลือกนี้หากคุณต้องการแสดงในเว็บไซต์ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ไม่พบปีบัญชี {0} DocType: Bank Statement Settings,Bank Statement Settings,การตั้งค่าใบแจ้งยอดธนาคาร +DocType: Quality Procedure Process,Link existing Quality Procedure.,เชื่อมโยงกระบวนการคุณภาพที่มีอยู่ +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,นำเข้าผังบัญชีจากไฟล์ CSV / Excel DocType: Appraisal Goal,Score (0-5),คะแนน (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,แอ็ตทริบิวต์ {0} ถูกเลือกหลายครั้งในตารางแอ็ตทริบิวต์ DocType: Purchase Invoice,Debit Note Issued,เดบิตหมายเหตุที่ออก @@ -1990,7 +2004,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,ออกรายละเอียดนโยบาย apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,ไม่พบคลังสินค้าในระบบ DocType: Healthcare Practitioner,OP Consulting Charge,ค่าที่ปรึกษา OP -DocType: Quality Goal,Measurable Goal,เป้าหมายที่วัดได้ DocType: Bank Statement Transaction Payment Item,Invoices,ใบแจ้งหนี้ DocType: Currency Exchange,Currency Exchange,แลกเปลี่ยนเงินตรา DocType: Payroll Entry,Fortnightly,รายปักษ์ @@ -2053,6 +2066,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,ไม่ได้ส่ง {0} {1} DocType: Work Order,Backflush raw materials from work-in-progress warehouse,แบคฟลัชวัตถุดิบจากคลังสินค้าระหว่างดำเนินการ DocType: Maintenance Team Member,Maintenance Team Member,สมาชิกทีมบำรุงรักษา +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,ตั้งค่ามิติข้อมูลที่กำหนดเองสำหรับการบัญชี DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,ระยะห่างต่ำสุดระหว่างแถวของพืชเพื่อการเติบโตที่เหมาะสม DocType: Employee Health Insurance,Health Insurance Name,ชื่อประกันสุขภาพ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,สินทรัพย์สต็อก @@ -2085,7 +2099,7 @@ DocType: Delivery Note,Billing Address Name,ชื่อที่อยู่ส apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,รายการสำรอง DocType: Certification Application,Name of Applicant,ชื่อผู้สมัคร DocType: Leave Type,Earned Leave,ได้รับการลา -DocType: Quality Goal,June,มิถุนายน +DocType: GSTR 3B Report,June,มิถุนายน apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},แถว {0}: ต้องการศูนย์ต้นทุนสำหรับรายการ {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},สามารถอนุมัติได้โดย {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,หน่วยของการวัด {0} ถูกป้อนมากกว่าหนึ่งครั้งในตารางตัวคูณการแปลง @@ -2106,6 +2120,7 @@ DocType: Lab Test Template,Standard Selling Rate,อัตราขายมา apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},กรุณาตั้งค่าเมนูที่ใช้งานสำหรับร้านอาหาร {0} 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: Asset Finance Book,Asset Finance Book,สมุดบัญชีทรัพย์สิน +DocType: Quality Goal Objective,Quality Goal Objective,เป้าหมายคุณภาพเป้าหมาย DocType: Employee Transfer,Employee Transfer,โอนพนักงาน ,Sales Funnel,ช่องทางขาย DocType: Agriculture Analysis Criteria,Water Analysis,การวิเคราะห์น้ำ @@ -2144,6 +2159,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,พนักง apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,กิจกรรมที่รอดำเนินการ apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,เขียนรายชื่อลูกค้าของคุณ พวกเขาอาจเป็นองค์กรหรือบุคคล DocType: Bank Guarantee,Bank Account Info,ข้อมูลบัญชีธนาคาร +DocType: Quality Goal,Weekday,วันธรรมดา apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,ชื่อผู้ปกครอง 1 DocType: Salary Component,Variable Based On Taxable Salary,ตัวแปรขึ้นอยู่กับเงินเดือนที่ต้องเสียภาษี DocType: Accounting Period,Accounting Period,รอบระยะเวลาบัญชี @@ -2228,7 +2244,7 @@ DocType: Purchase Invoice,Rounding Adjustment,การปรับการป DocType: Quality Review Table,Quality Review Table,ตารางตรวจสอบคุณภาพ DocType: Member,Membership Expiry Date,วันหมดอายุของสมาชิก DocType: Asset Finance Book,Expected Value After Useful Life,คุณค่าที่คาดหวังหลังจากชีวิตที่มีประโยชน์ -DocType: Quality Goal,November,พฤศจิกายน +DocType: GSTR 3B Report,November,พฤศจิกายน DocType: Loan Application,Rate of Interest,อัตราดอกเบี้ย DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,รายการชำระเงินรายการเดินบัญชีธนาคาร DocType: Restaurant Reservation,Waitlisted,waitlisted @@ -2292,6 +2308,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}",แถว {0}: ในการตั้งค่าช่วงเวลา {1} ความแตกต่างระหว่างวันที่และวันที่ \ ต้องมากกว่าหรือเท่ากับ {2} DocType: Purchase Invoice Item,Valuation Rate,อัตราการประเมิน DocType: Shopping Cart Settings,Default settings for Shopping Cart,การตั้งค่าเริ่มต้นสำหรับรถเข็นช็อปปิ้ง +DocType: Quiz,Score out of 100,คะแนนจาก 100 DocType: Manufacturing Settings,Capacity Planning,วางแผนกำลังการผลิต apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,ไปที่ผู้สอน DocType: Activity Cost,Projects,โครงการ @@ -2301,6 +2318,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,ครั้งที่สอง DocType: Cashier Closing,From Time,จากเวลา apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,รายงานรายละเอียดชุดย่อย +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,สำหรับการซื้อ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,ไม่ได้เพิ่มสล็อตสำหรับ {0} ในกำหนดการ DocType: Target Detail,Target Distribution,การกระจายเป้าหมาย @@ -2318,6 +2336,7 @@ DocType: Activity Cost,Activity Cost,ค่ากิจกรรม DocType: Journal Entry,Payment Order,คำสั่งจ่ายเงิน apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,การตั้งราคา ,Item Delivery Date,รายการวันที่จัดส่ง +DocType: Quality Goal,January-April-July-October,เดือนมกราคมถึงเดือนเมษายนถึงเดือนกรกฎาคมถึงเดือนตุลาคม DocType: Purchase Order Item,Warehouse and Reference,คลังสินค้าและการอ้างอิง apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,บัญชีที่มีโหนดย่อยไม่สามารถแปลงเป็นบัญชีแยกประเภทได้ DocType: Soil Texture,Clay Composition (%),องค์ประกอบของดิน (%) @@ -2368,6 +2387,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,ไม่อนุญ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,แถว {0}: โปรดตั้งค่าโหมดการชำระเงินในกำหนดการชำระเงิน apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,ภาคการศึกษา: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,พารามิเตอร์ผลตอบรับคุณภาพ apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,โปรดเลือกใช้ส่วนลด apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,แถว # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,รวมการจ่ายเงิน @@ -2410,7 +2430,7 @@ DocType: Hub Tracked Item,Hub Node,โหนดศูนย์กลาง apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,รหัสพนักงาน DocType: Salary Structure Assignment,Salary Structure Assignment,การกำหนดโครงสร้างเงินเดือน DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,ภาษีการปิดบัญชี POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,การดำเนินการเริ่มต้นแล้ว +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,การดำเนินการเริ่มต้นแล้ว DocType: POS Profile,Applicable for Users,ใช้งานได้สำหรับผู้ใช้ DocType: Training Event,Exam,การสอบ apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,พบรายการบัญชีแยกประเภททั่วไปไม่ถูกต้อง คุณอาจเลือกบัญชีผิดในการทำธุรกรรม @@ -2517,6 +2537,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,ลองจิจูด DocType: Accounts Settings,Determine Address Tax Category From,กำหนดประเภทภาษีที่อยู่จาก apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,การระบุผู้ตัดสินใจ +DocType: Stock Entry Detail,Reference Purchase Receipt,ใบเสร็จรับเงินอ้างอิงการซื้อ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,รับ Invocies DocType: Tally Migration,Is Day Book Data Imported,นำเข้าข้อมูลหนังสือรายวันแล้ว ,Sales Partners Commission,ค่าคอมมิชชั่นพันธมิตรการขาย @@ -2540,6 +2561,7 @@ DocType: Leave Type,Applicable After (Working Days),ใช้งานได้ DocType: Timesheet Detail,Hrs,ชั่วโมง DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,เกณฑ์การให้คะแนนของซัพพลายเออร์ DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,พารามิเตอร์เทมเพลตข้อเสนอแนะคุณภาพ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,วันที่เข้าร่วมจะต้องมากกว่าวันเดือนปีเกิด DocType: Bank Statement Transaction Invoice Item,Invoice Date,วันที่แจ้งหนี้ DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,สร้างการทดสอบห้องปฏิบัติการในการส่งใบแจ้งหนี้การขาย @@ -2646,7 +2668,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,มูลค่าข DocType: Stock Entry,Source Warehouse Address,ที่อยู่คลังสินค้าต้นทาง DocType: Compensatory Leave Request,Compensatory Leave Request,ขอลาชดเชย DocType: Lead,Mobile No.,หมายเลขโทรศัพท์มือถือ -DocType: Quality Goal,July,กรกฎาคม +DocType: GSTR 3B Report,July,กรกฎาคม apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC ที่มีสิทธิ์ DocType: Fertilizer,Density (if liquid),ความหนาแน่น (ถ้าเป็นของเหลว) DocType: Employee,External Work History,ประวัติการทำงานภายนอก @@ -2723,6 +2745,7 @@ DocType: Certification Application,Certification Status,สถานะการ apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},ต้องระบุตำแหน่งต้นทางสำหรับเนื้อหา {0} DocType: Employee,Encashment Date,วันที่จัดทำ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,โปรดเลือกวันที่เสร็จสมบูรณ์สำหรับบันทึกการบำรุงรักษาสินทรัพย์ที่เสร็จสมบูรณ์ +DocType: Quiz,Latest Attempt,ความพยายามครั้งล่าสุด DocType: Leave Block List,Allow Users,อนุญาตให้ผู้ใช้ apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,ผังบัญชี apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,ลูกค้าจำเป็นต้องมีหากเลือก 'โอกาสจาก' เป็นลูกค้า @@ -2787,7 +2810,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,การตั้ DocType: Amazon MWS Settings,Amazon MWS Settings,การตั้งค่า Amazon MWS DocType: Program Enrollment,Walking,ที่เดิน DocType: SMS Log,Requested Numbers,หมายเลขที่ขอ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,โปรดตั้งค่าหมายเลขลำดับสำหรับการเข้าร่วมผ่านการตั้งค่า> ลำดับเลข DocType: Woocommerce Settings,Freight and Forwarding Account,บัญชีการขนส่งและการส่งต่อ apps/erpnext/erpnext/accounts/party.py,Please select a Company,กรุณาเลือก บริษัท apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,แถว {0}: {1} ต้องมากกว่า 0 @@ -2857,7 +2879,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,ตั๋ DocType: Training Event,Seminar,สัมมนา apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),เครดิต ({0}) DocType: Payment Request,Subscription Plans,แผนการสมัครสมาชิก -DocType: Quality Goal,March,มีนาคม +DocType: GSTR 3B Report,March,มีนาคม apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,แยกแบทช์ DocType: School House,House Name,ชื่อบ้าน apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),คงค้างสำหรับ {0} ต้องไม่น้อยกว่าศูนย์ ({1}) @@ -2920,7 +2942,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,วันที่เริ่มประกันภัย DocType: Target Detail,Target Detail,รายละเอียดเป้าหมาย DocType: Packing Slip,Net Weight UOM,น้ำหนักสุทธิหน่วย -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: Purchase Invoice Item,Net Amount (Company Currency),จำนวนเงินสุทธิ (สกุลเงินของ บริษัท ) DocType: Bank Statement Transaction Settings Item,Mapped Data,ข้อมูลที่แมป apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,หลักทรัพย์และเงินฝาก @@ -2970,6 +2991,7 @@ DocType: Cheque Print Template,Cheque Height,ตรวจสอบความ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,โปรดป้อนวันที่โล่งใจ DocType: Loyalty Program,Loyalty Program Help,โปรแกรมความภักดี DocType: Journal Entry,Inter Company Journal Entry Reference,การอ้างอิงรายการวารสารระหว่าง บริษัท +DocType: Quality Meeting,Agenda,ระเบียบวาระการประชุม DocType: Quality Action,Corrective,แก้ไข apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,จัดกลุ่มตาม DocType: Bank Account,Address and Contact,ที่อยู่และติดต่อ @@ -3023,7 +3045,7 @@ DocType: GL Entry,Credit Amount,วงเงิน apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,ยอดรวมเครดิต DocType: Support Search Source,Post Route Key List,โพสต์รายการเส้นทางที่สำคัญ apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} ไม่ได้อยู่ในปีบัญชีที่ใช้งานอยู่ -DocType: Quality Action Table,Problem,ปัญหา +DocType: Quality Action Resolution,Problem,ปัญหา DocType: Training Event,Conference,การประชุม DocType: Mode of Payment Account,Mode of Payment Account,โหมดของบัญชีการชำระเงิน DocType: Leave Encashment,Encashable days,วันที่ Encashable @@ -3149,7 +3171,7 @@ DocType: Item,"Purchase, Replenishment Details",ซื้อรายละเ DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",เมื่อตั้งค่าแล้วใบแจ้งหนี้นี้จะถูกพักไว้จนถึงวันที่กำหนด apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,ไม่สามารถมีสต็อกสำหรับรายการ {0} เนื่องจากมีชุดตัวเลือก DocType: Lab Test Template,Grouped,การจัดกลุ่ม -DocType: Quality Goal,January,มกราคม +DocType: GSTR 3B Report,January,มกราคม DocType: Course Assessment Criteria,Course Assessment Criteria,เกณฑ์การประเมินหลักสูตร DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,เสร็จจำนวน @@ -3245,7 +3267,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,ประเ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,โปรดป้อนใบแจ้งหนี้อย่างน้อย 1 ใบในตาราง apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,ไม่ได้ส่งใบสั่งขาย {0} apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,ทำเครื่องหมายการเข้าร่วมสำเร็จแล้ว -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,ขายก่อน +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,ขายก่อน apps/erpnext/erpnext/config/projects.py,Project master.,หัวหน้าโครงการ DocType: Daily Work Summary,Daily Work Summary,สรุปการทำงานประจำวัน DocType: Asset,Partially Depreciated,คิดค่าเสื่อมราคาบางส่วน @@ -3254,6 +3276,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,ปล่อยให้เข้ารหัสไว้หรือไม่ DocType: Certified Consultant,Discuss ID,พูดคุย ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,โปรดตั้งค่าบัญชี GST ในการตั้งค่า GST +DocType: Quiz,Latest Highest Score,คะแนนสูงสุดล่าสุด DocType: Supplier,Billing Currency,สกุลเงินการเรียกเก็บเงิน apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,กิจกรรมนักศึกษา apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,ต้องระบุจำนวนเป้าหมายหรือจำนวนเป้าหมาย @@ -3279,18 +3302,21 @@ DocType: Sales Order,Not Delivered,ไม่ได้ส่งมอบ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,ไม่สามารถจัดสรรประเภทการลา {0} เนื่องจากเป็นการลาโดยไม่จ่ายเงิน DocType: GL Entry,Debit Amount,จำนวนเดบิต apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},มีบันทึกอยู่แล้วสำหรับรายการ {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,ส่วนประกอบย่อย 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.",หากกฎการกำหนดราคาหลายรายการยังคงมีผลบังคับใช้อยู่ผู้ใช้จะต้องตั้งค่าลำดับความสำคัญด้วยตนเองเพื่อแก้ไขข้อขัดแย้ง apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ไม่สามารถหักเมื่อหมวดหมู่สำหรับ 'การประเมิน' หรือ 'การประเมินและผลรวม' apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,ต้องระบุ BOM และปริมาณการผลิต apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},รายการ {0} หมดอายุการใช้งานในวันที่ {1} DocType: Quality Inspection Reading,Reading 6,อ่าน 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,ต้องระบุข้อมูล บริษัท apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,การใช้วัสดุไม่ได้กำหนดในการตั้งค่าการผลิต DocType: Assessment Group,Assessment Group Name,ชื่อกลุ่มการประเมิน -DocType: Item,Manufacturer Part Number,หมายเลขผู้ผลิต +DocType: Purchase Invoice Item,Manufacturer Part Number,หมายเลขผู้ผลิต apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,บัญชีเงินเดือน apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},แถว # {0}: {1} ไม่สามารถลบได้สำหรับรายการ {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,ยอดคงเหลือจำนวน +DocType: Question,Multiple Correct Answer,คำตอบที่ถูกต้องหลายรายการ DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 คะแนนความภักดี = สกุลเงินหลักเท่าไหร่? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},หมายเหตุ: มียอดการลาไม่เพียงพอสำหรับประเภทการลา {0} DocType: Clinical Procedure,Inpatient Record,บันทึกผู้ป่วย @@ -3413,6 +3439,7 @@ DocType: Fee Schedule Program,Total Students,รวมนักเรียน apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,ในประเทศ DocType: Chapter Member,Leave Reason,ปล่อยให้เหตุผล DocType: Salary Component,Condition and Formula,สภาพและสูตร +DocType: Quality Goal,Objectives,วัตถุประสงค์ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",เงินเดือนที่ประมวลผลแล้วสำหรับรอบระยะเวลาระหว่าง {0} และ {1} ระยะเวลาออกจากแอปพลิเคชันไม่สามารถอยู่ในช่วงวันที่นี้ได้ DocType: BOM Item,Basic Rate (Company Currency),อัตราพื้นฐาน (สกุลเงิน บริษัท ) DocType: BOM Scrap Item,BOM Scrap Item,รายการเศษวัสดุ BOM @@ -3463,6 +3490,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,บัญชีการเรียกร้องค่าใช้จ่าย apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ไม่มีการชำระคืนสำหรับบันทึกรายการ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} เป็นนักเรียนที่ไม่ได้ใช้งาน +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,ทำรายการสินค้า DocType: Employee Onboarding,Activities,กิจกรรม apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,อย่างน้อยหนึ่งคลังสินค้าจำเป็นต้องมี ,Customer Credit Balance,ยอดเครดิตลูกค้า @@ -3547,7 +3575,6 @@ DocType: Contract,Contract Terms,เงื่อนไขสัญญา apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,ต้องระบุจำนวนเป้าหมายหรือจำนวนเป้าหมาย apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},{0} ไม่ถูกต้อง DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,วันที่ประชุม DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,ตัวย่อต้องไม่เกิน 5 ตัวอักษร DocType: Employee Benefit Application,Max Benefits (Yearly),ประโยชน์สูงสุด (รายปี) @@ -3650,7 +3677,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,ค่าธรรมเนียมธนาคาร apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,โอนสินค้าแล้ว apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,รายละเอียดการติดต่อหลัก -DocType: Quality Review,Values,ค่า DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",หากไม่ทำเครื่องหมายจะต้องเพิ่มรายชื่อในแต่ละแผนกที่จะนำไปใช้ DocType: Item Group,Show this slideshow at the top of the page,แสดงภาพสไลด์นี้ที่ด้านบนของหน้า apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,พารามิเตอร์ {0} ไม่ถูกต้อง @@ -3669,6 +3695,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,บัญชีค่าธรรมเนียมธนาคาร DocType: Journal Entry,Get Outstanding Invoices,รับใบแจ้งหนี้ดีเด่น DocType: Opportunity,Opportunity From,โอกาสจาก +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,รายละเอียดเป้าหมาย DocType: Item,Customer Code,รหัสลูกค้า apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,โปรดป้อนรายการก่อน apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,รายชื่อเว็บไซต์ @@ -3697,7 +3724,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,ส่งไปที่ DocType: Bank Statement Transaction Settings Item,Bank Data,ข้อมูลธนาคาร apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,กำหนดไม่เกิน -DocType: Quality Goal,Everyday,ทุกวัน DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,รักษาชั่วโมงการเรียกเก็บเงินและเวลาทำงานเหมือนกันใน Timesheet apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,ติดตามลูกค้าเป้าหมายโดยแหล่งข้อมูลนำ DocType: Clinical Procedure,Nursing User,ผู้ใช้การพยาบาล @@ -3722,7 +3748,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,จัดการท DocType: GL Entry,Voucher Type,ประเภทบัตรกำนัล ,Serial No Service Contract Expiry,สัญญาบริการหมดอายุไม่มี DocType: Certification Application,Certified,ได้รับการรับรอง -DocType: Material Request Plan Item,Manufacture,การผลิต +DocType: Purchase Invoice Item,Manufacture,การผลิต apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,สร้างรายการ {0} รายการ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},คำขอชำระเงินสำหรับ {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,วันนับตั้งแต่คำสั่งซื้อล่าสุด @@ -3737,7 +3763,7 @@ DocType: Sales Invoice,Company Address Name,ชื่อที่อยู่ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,สินค้าระหว่างทาง apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,คุณสามารถแลกคะแนนได้สูงสุด {0} คะแนนเท่านั้นในการสั่งซื้อนี้ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},โปรดตั้งค่าบัญชีใน Warehouse {0} -DocType: Quality Action Table,Resolution,มติ +DocType: Quality Action,Resolution,มติ DocType: Sales Invoice,Loyalty Points Redemption,การแลกคะแนนความภักดี apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,มูลค่าภาษีทั้งหมด DocType: Patient Appointment,Scheduled,ตามเวลาที่กำหนด @@ -3858,6 +3884,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,อัตรา apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},กำลังบันทึก {0} DocType: SMS Center,Total Message(s),ข้อความทั้งหมด +DocType: Purchase Invoice,Accounting Dimensions,มิติทางการบัญชี apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,จัดกลุ่มตามบัญชี DocType: Quotation,In Words will be visible once you save the Quotation.,ในคำพูดจะสามารถมองเห็นได้เมื่อคุณบันทึกใบเสนอราคา apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,ปริมาณในการผลิต @@ -4022,7 +4049,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.",หากคุณมีข้อสงสัยโปรดกลับมาหาเรา apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,ไม่ได้ส่งใบเสร็จรับเงินซื้อ {0} DocType: Task,Total Expense Claim (via Expense Claim),การเรียกร้องค่าใช้จ่ายทั้งหมด (ผ่านการเรียกร้องค่าใช้จ่าย) -DocType: Quality Action,Quality Goal,เป้าหมายคุณภาพ +DocType: Quality Goal,Quality Goal,เป้าหมายคุณภาพ DocType: Support Settings,Support Portal,สนับสนุนพอร์ทัล apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},วันที่สิ้นสุดของภารกิจ {0} ต้องไม่น้อยกว่า {1} วันที่เริ่มต้นที่คาดหวัง {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},พนักงาน {0} กำลังออกจากเมื่อวันที่ {1} @@ -4081,7 +4108,6 @@ DocType: BOM,Operating Cost (Company Currency),ต้นทุนการดำ DocType: Item Price,Item Price,ราคาสินค้า DocType: Payment Entry,Party Name,ชื่อปาร์ตี้ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,กรุณาเลือกลูกค้า -DocType: Course,Course Intro,แนะนำหลักสูตร DocType: Program Enrollment Tool,New Program,ใหม่โปรแกรม apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix",จำนวนศูนย์ต้นทุนใหม่ซึ่งจะรวมอยู่ในชื่อศูนย์ต้นทุนเป็นคำนำหน้า apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,เลือกลูกค้าหรือผู้จำหน่าย @@ -4282,6 +4308,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,การจ่ายสุทธิไม่สามารถติดลบได้ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,ไม่มีการโต้ตอบ 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/hr/doctype/employee/employee_dashboard.py,Shift,เปลี่ยน apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,ประมวลผลผังบัญชีและฝ่ายต่างๆ DocType: Stock Settings,Convert Item Description to Clean HTML,แปลงคำอธิบายรายการเป็น HTML ที่สะอาด apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,กลุ่มซัพพลายเออร์ทั้งหมด @@ -4360,6 +4387,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,รายการหลัก apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,ค่านายหน้า apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},โปรดสร้างการรับซื้อหรือใบแจ้งหนี้การซื้อสำหรับรายการ {0} +,Product Bundle Balance,ยอดคงเหลือกลุ่มผลิตภัณฑ์ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,ชื่อ บริษัท ไม่สามารถเป็น บริษัท ได้ DocType: Maintenance Visit,Breakdown,ชำรุด DocType: Inpatient Record,B Negative,B เชิงลบ @@ -4368,7 +4396,7 @@ DocType: Purchase Invoice,Credit To,เครดิตถึง apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,ส่งคำสั่งงานนี้สำหรับการประมวลผลเพิ่มเติม DocType: Bank Guarantee,Bank Guarantee Number,หมายเลขรับประกันของธนาคาร apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},ส่งแล้ว: {0} -DocType: Quality Action,Under Review,ภายใต้การทบทวน +DocType: Quality Meeting Table,Under Review,ภายใต้การทบทวน apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),เกษตรกรรม (เบต้า) ,Average Commission Rate,อัตราค่านายหน้าเฉลี่ย DocType: Sales Invoice,Customer's Purchase Order Date,วันที่สั่งซื้อของลูกค้า @@ -4485,7 +4513,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,จับคู่การชำระเงินกับใบแจ้งหนี้ DocType: Holiday List,Weekly Off,ปิดทุกสัปดาห์ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},ไม่อนุญาตให้ตั้งค่ารายการทางเลือกสำหรับรายการ {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,ไม่พบโปรแกรม {0} +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,ไม่พบโปรแกรม {0} apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,คุณไม่สามารถแก้ไขรูทโหนด DocType: Fee Schedule,Student Category,หมวดหมู่นักศึกษา apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",รายการ {0}: {1} จำนวนที่ผลิต @@ -4576,8 +4604,8 @@ DocType: Crop,Crop Spacing,ระยะปลูกพืช DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,ควรอัปเดตโครงการและ บริษัท บ่อยเพียงใดโดยอ้างอิงจากธุรกรรมการขาย DocType: Pricing Rule,Period Settings,การตั้งค่าระยะเวลา apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,การเปลี่ยนแปลงสุทธิในบัญชีลูกหนี้ +DocType: Quality Feedback Template,Quality Feedback Template,เทมเพลตข้อเสนอแนะคุณภาพ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,สำหรับปริมาณจะต้องมากกว่าศูนย์ -DocType: Quality Goal,Goal Objectives,เป้าหมายวัตถุประสงค์ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",มีความไม่สอดคล้องกันระหว่างอัตราจำนวนหุ้นและจำนวนที่คำนวณ DocType: Student Group Creation Tool,Leave blank if you make students groups per year,เว้นว่างไว้ถ้าคุณสร้างกลุ่มนักเรียนต่อปี apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),สินเชื่อ (หนี้สิน) @@ -4612,12 +4640,13 @@ DocType: Quality Procedure Table,Step,ขั้นตอน DocType: Normal Test Items,Result Value,ค่าผลลัพธ์ DocType: Cash Flow Mapping,Is Income Tax Liability,ความรับผิดทางภาษีคืออะไร DocType: Healthcare Practitioner,Inpatient Visit Charge Item,รายการค่าธรรมเนียมการเยี่ยมชมผู้ป่วยใน -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} ไม่มีอยู่ +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} ไม่มีอยู่ apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,ปรับปรุงการตอบสนอง DocType: Bank Guarantee,Supplier,ผู้ผลิต apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},ป้อนค่า betweeen {0} และ {1} DocType: Purchase Order,Order Confirmation Date,วันที่ยืนยันการสั่งซื้อ DocType: Delivery Trip,Calculate Estimated Arrival Times,คำนวณเวลามาถึงโดยประมาณ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรมนุษย์> การตั้งค่าทรัพยากรบุคคล apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,วัสดุสิ้นเปลือง DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,วันที่สมัครสมาชิก @@ -4681,6 +4710,7 @@ DocType: Cheque Print Template,Is Account Payable,เป็นบัญชีเ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,มูลค่าการสั่งซื้อทั้งหมด apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},ไม่พบซัพพลายเออร์ {0} ใน {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,ตั้งค่าการตั้งค่าเกตเวย์ SMS +DocType: Salary Component,Round to the Nearest Integer,ปัดเศษให้เป็นจำนวนเต็มที่ใกล้ที่สุด apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,รูทไม่สามารถมีศูนย์ต้นทุนหลักได้ DocType: Healthcare Service Unit,Allow Appointments,อนุญาตการนัดหมาย DocType: BOM,Show Operations,แสดงการดำเนินงาน @@ -4809,7 +4839,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,รายการวันหยุดเริ่มต้น DocType: Naming Series,Current Value,มูลค่าปัจจุบัน apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",ฤดูกาลสำหรับการตั้งค่างบประมาณเป้าหมาย ฯลฯ -DocType: Program,Program Code,รหัสโปรแกรม apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},คำเตือน: ใบสั่งขาย {0} มีอยู่แล้วต่อใบสั่งซื้อของลูกค้า {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,เป้าหมายการขายรายเดือน ( DocType: Guardian,Guardian Interests,ความสนใจของผู้ปกครอง @@ -4859,10 +4888,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,จ่ายเงินและไม่ได้จัดส่ง apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,รหัสสินค้าเป็นสิ่งจำเป็นเนื่องจากรายการจะไม่ถูกกำหนดหมายเลขโดยอัตโนมัติ DocType: GST HSN Code,HSN Code,รหัส HSN -DocType: Quality Goal,September,กันยายน +DocType: GSTR 3B Report,September,กันยายน apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,ค่าใช้จ่ายในการบริหาร DocType: C-Form,C-Form No,หมายเลข C-Form DocType: Purchase Invoice,End date of current invoice's period,วันที่สิ้นสุดระยะเวลาของใบแจ้งหนี้ปัจจุบัน +DocType: Item,Manufacturers,ผู้ผลิต DocType: Crop Cycle,Crop Cycle,วัฏจักรการเพาะปลูก DocType: Serial No,Creation Time,เวลาสร้าง apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,โปรดป้อนการอนุมัติบทบาทหรือการอนุมัติผู้ใช้ @@ -4935,8 +4965,6 @@ DocType: Employee,Short biography for website and other publications.,ประ DocType: Purchase Invoice Item,Received Qty,ได้รับจำนวน DocType: Purchase Invoice Item,Rate (Company Currency),อัตรา (สกุลเงิน บริษัท ) DocType: Item Reorder,Request for,ขอให้ -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","โปรดลบพนักงาน {0} \ เพื่อยกเลิกเอกสารนี้" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,การติดตั้งสถานีล่วงหน้า apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,โปรดป้อนระยะเวลาชำระคืน DocType: Pricing Rule,Advanced Settings,ตั้งค่าขั้นสูง @@ -4962,7 +4990,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,เปิดใช้งานตะกร้าสินค้า DocType: Pricing Rule,Apply Rule On Other,ใช้กฎบนอื่น ๆ DocType: Vehicle,Last Carbon Check,ตรวจสอบคาร์บอนครั้งสุดท้าย -DocType: Vehicle,Make,ทำ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,ทำ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,สร้างใบกำกับสินค้าขาย {0} ตามที่จ่าย apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,ในการสร้างเอกสารอ้างอิงคำขอชำระเงินเป็นสิ่งจำเป็น apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,ภาษีเงินได้ @@ -5038,7 +5066,6 @@ DocType: Territory,Parent Territory,เขตปกครอง DocType: Vehicle Log,Odometer Reading,การอ่านมาตรวัดระยะทาง DocType: Additional Salary,Salary Slip,สลิปเงินเดือน DocType: Payroll Entry,Payroll Frequency,ความถี่เงินเดือน -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรมนุษย์> การตั้งค่าทรัพยากรบุคคล apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",วันที่เริ่มต้นและวันที่สิ้นสุดไม่อยู่ในช่วงการจ่ายเงินเดือนที่ถูกต้องไม่สามารถคำนวณ {0} DocType: Products Settings,Home Page is Products,หน้าแรกคือผลิตภัณฑ์ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,โทร @@ -5092,7 +5119,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,กำลังดึงบันทึก ...... DocType: Delivery Stop,Contact Information,ข้อมูลติดต่อ DocType: Sales Order Item,For Production,สำหรับการผลิต -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในด้านการศึกษา> การตั้งค่าการศึกษา DocType: Serial No,Asset Details,รายละเอียดสินทรัพย์ DocType: Restaurant Reservation,Reservation Time,เวลาจอง DocType: Selling Settings,Default Territory,อาณาเขตเริ่มต้น @@ -5232,6 +5258,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,แบทช์ที่หมดอายุ DocType: Shipping Rule,Shipping Rule Type,ประเภทกฎการจัดส่ง DocType: Job Offer,Accepted,ได้รับการยืนยัน +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","โปรดลบพนักงาน {0} \ เพื่อยกเลิกเอกสารนี้" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,คุณได้ประเมินเกณฑ์การประเมินแล้ว {} apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,เลือกหมายเลขแบทช์ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),อายุ (วัน) @@ -5248,6 +5276,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,ขายชุดสินค้าในเวลาที่ขาย DocType: Payment Reconciliation Payment,Allocated Amount,จำนวนเงินที่จัดสรร apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,โปรดเลือก บริษัท และการกำหนด +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,ต้องระบุ 'วันที่' DocType: Email Digest,Bank Credit Balance,ดุลเครดิตธนาคาร apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,แสดงจำนวนเงินสะสม apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,คุณมีคะแนนความภักดีไม่พอที่จะแลก @@ -5308,11 +5337,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,ในแถวก่ DocType: Student,Student Email Address,ที่อยู่อีเมลนักศึกษา DocType: Academic Term,Education,การศึกษา DocType: Supplier Quotation,Supplier Address,ที่อยู่ผู้ผลิต -DocType: Salary Component,Do not include in total,ไม่รวมทั้งหมด +DocType: Salary Detail,Do not include in total,ไม่รวมทั้งหมด apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,ไม่สามารถตั้งค่ารายการเริ่มต้นหลายรายการสำหรับ บริษัท ได้ apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ไม่มีอยู่ DocType: Purchase Receipt Item,Rejected Quantity,ปริมาณที่ถูกปฏิเสธ DocType: Cashier Closing,To TIme,ถึงเคล็ดลับ +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: Daily Work Summary Group User,Daily Work Summary Group User,กลุ่มสรุปการทำงานรายวัน DocType: Fiscal Year Company,Fiscal Year Company,บริษัท ปีบัญชี apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,รายการทางเลือกจะต้องไม่เหมือนกับรหัสรายการ @@ -5422,7 +5452,6 @@ DocType: Fee Schedule,Send Payment Request Email,ส่งอีเมลคำ DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,ในคำจะสามารถมองเห็นได้เมื่อคุณบันทึกใบแจ้งหนี้การขาย DocType: Sales Invoice,Sales Team1,ทีมขาย 1 DocType: Work Order,Required Items,รายการที่จำเป็น -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","อักขระพิเศษยกเว้น "-", "#", "." และ "/" ไม่ได้รับอนุญาตในการตั้งชื่อซีรีส์" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,อ่านคู่มือ ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ตรวจสอบหมายเลขใบแจ้งหนี้ของซัพพลายเออร์ที่ไม่ซ้ำกัน apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,ค้นหาส่วนประกอบย่อย @@ -5490,7 +5519,6 @@ DocType: Taxable Salary Slab,Percent Deduction,เปอร์เซ็นต์ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,ปริมาณที่จะผลิตต้องไม่น้อยกว่าศูนย์ DocType: Share Balance,To No,เป็นไม่ DocType: Leave Control Panel,Allocate Leaves,จัดสรรใบไม้ -DocType: Quiz,Last Attempt,ความพยายามครั้งสุดท้าย DocType: Assessment Result,Student Name,ชื่อนักเรียน apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,วางแผนสำหรับการเข้าชมการบำรุงรักษา apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,คำขอวัสดุต่อไปนี้ได้รับการยกขึ้นโดยอัตโนมัติตามระดับการสั่งซื้อใหม่ของรายการ @@ -5559,6 +5587,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,ตัวบ่งชี้สี DocType: Item Variant Settings,Copy Fields to Variant,คัดลอกฟิลด์ไปยังชุดตัวเลือก DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,คำตอบที่ถูกต้องเดียว apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,จากวันที่ต้องไม่น้อยกว่าวันที่เข้าร่วมของพนักงาน DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,อนุญาตใบสั่งขายหลายใบต่อใบสั่งซื้อของลูกค้า apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5621,7 +5650,7 @@ DocType: Account,Expenses Included In Valuation,ค่าใช้จ่าย apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,หมายเลขซีเรียล DocType: Salary Slip,Deductions,หัก ,Supplier-Wise Sales Analytics,การวิเคราะห์การขายที่ชาญฉลาดของซัพพลายเออร์ -DocType: Quality Goal,February,กุมภาพันธ์ +DocType: GSTR 3B Report,February,กุมภาพันธ์ DocType: Appraisal,For Employee,สำหรับพนักงาน apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,วันที่ส่งจริง DocType: Sales Partner,Sales Partner Name,ชื่อพันธมิตรการขาย @@ -5717,7 +5746,6 @@ DocType: Procedure Prescription,Procedure Created,สร้างกระบว apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},เทียบกับใบแจ้งหนี้ของผู้จัดหา {0} ลงวันที่ {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,เปลี่ยนโปรไฟล์ POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,สร้างลูกค้าเป้าหมาย -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ผู้ผลิต> ประเภทผู้จัดจำหน่าย DocType: Shopify Settings,Default Customer,ลูกค้าเริ่มต้น DocType: Payment Entry Reference,Supplier Invoice No,เลขที่ใบแจ้งหนี้ของผู้ผลิต DocType: Pricing Rule,Mixed Conditions,เงื่อนไขการผสม @@ -5768,12 +5796,14 @@ DocType: Item,End of Life,จุดจบของชีวิต DocType: Lab Test Template,Sensitivity,ความไวแสง DocType: Territory,Territory Targets,เป้าหมายอาณาเขต apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",ข้ามการจัดสรรการลาสำหรับพนักงานต่อไปนี้เนื่องจากมีเรคคอร์ดการจัดสรรการลาสำหรับลูกค้าอยู่แล้ว {0} +DocType: Quality Action Resolution,Quality Action Resolution,การดำเนินการที่มีคุณภาพ DocType: Sales Invoice Item,Delivered By Supplier,จัดส่งโดยซัพพลายเออร์ DocType: Agriculture Analysis Criteria,Plant Analysis,การวิเคราะห์พืช apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},บัญชีค่าใช้จ่ายเป็นสิ่งจำเป็นสำหรับรายการ {0} ,Subcontracted Raw Materials To Be Transferred,วัตถุดิบที่รับเหมาช่วงที่จะโอน DocType: Cashier Closing,Cashier Closing,การปิดบัญชีแคชเชียร์ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,ไอเท็ม {0} ถูกส่งคืนแล้ว +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN ไม่ถูกต้อง! ข้อมูลที่คุณป้อนไม่ตรงกับรูปแบบ GSTIN สำหรับผู้ถือ UIN หรือผู้ให้บริการ OIDAR ที่ไม่ใช่ผู้อยู่อาศัย apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,มีคลังสินค้าย่อยสำหรับคลังสินค้านี้ คุณไม่สามารถลบคลังสินค้านี้ DocType: Diagnosis,Diagnosis,การวินิจฉัยโรค apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},ไม่มีระยะเวลาการลาระหว่าง {0} ถึง {1} @@ -5790,6 +5820,7 @@ DocType: QuickBooks Migrator,Authorization Settings,การตั้งค่ DocType: Homepage,Products,ผลิตภัณฑ์ ,Profit and Loss Statement,งบกำไรขาดทุน apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,จองห้องพัก +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},รายการซ้ำกับรหัสรายการ {0} และผู้ผลิต {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,น้ำหนักรวม apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,การท่องเที่ยว @@ -5838,6 +5869,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,กลุ่มลูกค้าเริ่มต้น DocType: Journal Entry Account,Debit in Company Currency,เดบิตในสกุลเงินของ บริษัท DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",ซีรีย์ทางเลือกคือ "SO-WOO-" +DocType: Quality Meeting Agenda,Quality Meeting Agenda,วาระการประชุมที่มีคุณภาพ DocType: Cash Flow Mapper,Section Header,ส่วนหัว apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,ผลิตภัณฑ์หรือบริการของคุณ DocType: Crop,Perennial,ตลอดกาล @@ -5882,7 +5914,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",ผลิตภัณฑ์หรือบริการที่ซื้อขายหรือเก็บไว้ในสต็อก apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),ปิด (เปิด + รวม) DocType: Supplier Scorecard Criteria,Criteria Formula,สูตรเกณฑ์ -,Support Analytics,สนับสนุนการวิเคราะห์ +apps/erpnext/erpnext/config/support.py,Support Analytics,สนับสนุนการวิเคราะห์ apps/erpnext/erpnext/config/quality_management.py,Review and Action,ตรวจสอบและดำเนินการ DocType: Account,"If the account is frozen, entries are allowed to restricted users.",หากบัญชีถูกระงับรายการจะได้รับอนุญาตให้ผู้ใช้ที่ถูก จำกัด apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,จำนวนเงินหลังหักค่าเสื่อมราคา @@ -5927,7 +5959,6 @@ DocType: Contract Template,Contract Terms and Conditions,ข้อกำหน apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ดึงข้อมูล DocType: Stock Settings,Default Item Group,กลุ่มรายการเริ่มต้น DocType: Sales Invoice Timesheet,Billing Hours,ชั่วโมงการเรียกเก็บเงิน -DocType: Item,Item Code for Suppliers,รหัสรายการสำหรับซัพพลายเออร์ apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},ปล่อยให้แอปพลิเคชัน {0} มีอยู่กับนักเรียนแล้ว {1} DocType: Pricing Rule,Margin Type,ประเภทมาร์จิ้น DocType: Purchase Invoice Item,Rejected Serial No,หมายเลขซีเรียลที่ถูกปฏิเสธ @@ -6000,6 +6031,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,ใบไม้ได้รับความสำเร็จอย่างเพียงพอ DocType: Loyalty Point Entry,Expiry Date,วันหมดอายุ DocType: Project Task,Working,การทำงาน +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} มี parent Parent {1} อยู่แล้ว apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,นี่คือการทำธุรกรรมกับผู้ป่วยรายนี้ ดูไทม์ไลน์ด้านล่างสำหรับรายละเอียด DocType: Material Request,Requested For,ร้องขอให้ DocType: SMS Center,All Sales Person,พนักงานขายทั้งหมด @@ -6087,6 +6119,7 @@ DocType: Loan Type,Maximum Loan Amount,จำนวนเงินกู้ส apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,ไม่พบอีเมลในที่ติดต่อเริ่มต้น DocType: Hotel Room Reservation,Booked,จอง DocType: Maintenance Visit,Partially Completed,เสร็จสมบูรณ์บางส่วน +DocType: Quality Procedure Process,Process Description,คำอธิบายกระบวนการ DocType: Company,Default Employee Advance Account,บัญชี Advance ของพนักงาน DocType: Leave Type,Allow Negative Balance,อนุญาตยอดคงเหลือติดลบ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,ชื่อแผนประเมิน @@ -6128,6 +6161,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,ขอใบเสนอราคา apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} ป้อนสองครั้งในภาษีสินค้า DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,หักภาษีเต็มจำนวนในวันที่เลือกจ่ายเงินเดือน +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,วันที่ตรวจสอบคาร์บอนครั้งสุดท้ายไม่สามารถเป็นวันที่ในอนาคตได้ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,เลือกบัญชีจำนวนเงินการเปลี่ยนแปลง DocType: Support Settings,Forum Posts,ฟอรั่มกระทู้ DocType: Timesheet Detail,Expected Hrs,คาดว่าชั่วโมง @@ -6137,7 +6171,7 @@ DocType: Program Enrollment Tool,Enroll Students,ลงทะเบียนเ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,ทำรายได้ลูกค้าซ้ำ DocType: Company,Date of Commencement,วันที่เริ่ม DocType: Bank,Bank Name,ชื่อธนาคาร -DocType: Quality Goal,December,ธันวาคม +DocType: GSTR 3B Report,December,ธันวาคม apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,ที่ถูกต้องจากวันที่จะต้องน้อยกว่าที่ถูกต้องจนถึงวันที่ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,นี่คือการเข้าร่วมของพนักงานคนนี้ DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",หากทำเครื่องหมายหน้าแรกจะเป็นกลุ่มรายการเริ่มต้นสำหรับเว็บไซต์ @@ -6180,6 +6214,7 @@ DocType: Payment Entry,Payment Type,ประเภทการชำระเ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,หมายเลขโฟลิโอไม่ตรงกัน DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},การตรวจสอบคุณภาพ: ไม่ได้ส่ง {0} สำหรับรายการ: {1} ในแถว {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},แสดง {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,พบ {0} รายการ ,Stock Ageing,อายุสต็อก DocType: Customer Group,Mention if non-standard receivable account applicable,กล่าวถึงหากมีการใช้บัญชีลูกหนี้ที่ไม่ได้มาตรฐาน @@ -6458,6 +6493,7 @@ DocType: Travel Request,Costing,การคิดต้นทุน apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,สินทรัพย์ถาวร DocType: Purchase Order,Ref SQ,อ้างอิง SQ DocType: Salary Structure,Total Earning,รายได้รวม +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> อาณาเขต DocType: Share Balance,From No,จากไม่ DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,การกระทบยอดการชำระเงิน DocType: Purchase Invoice,Taxes and Charges Added,เพิ่มภาษีและค่าธรรมเนียม @@ -6465,7 +6501,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,พิจาร DocType: Authorization Rule,Authorized Value,มูลค่าที่ได้รับอนุญาต apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,ได้รับจาก apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,ไม่พบคลังข้อมูล {0} +DocType: Item Manufacturer,Item Manufacturer,ผู้ผลิตสินค้า DocType: Sales Invoice,Sales Team,ทีมขาย +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,มัดจำนวน DocType: Purchase Order Item Supplied,Stock UOM,สต็อก UOM DocType: Installation Note,Installation Date,วันที่ติดตั้ง DocType: Email Digest,New Quotations,ใบเสนอราคาใหม่ @@ -6529,7 +6567,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,ชื่อรายการวันหยุด DocType: Water Analysis,Collection Temperature ,อุณหภูมิการเก็บ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,จัดการใบแจ้งหนี้การนัดหมายส่งและยกเลิกโดยอัตโนมัติสำหรับการเผชิญหน้าผู้ป่วย -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,โปรดตั้ง Naming Series สำหรับ {0} ผ่านการตั้งค่า> การตั้งค่า> Naming Series DocType: Employee Benefit Claim,Claim Date,วันที่รับสิทธิ์ DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,เว้นว่างไว้หากซัพพลายเออร์ถูกบล็อกไม่ จำกัด apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,การเข้าร่วมจากวันที่และการเข้าร่วมเป็นวันที่จำเป็น @@ -6540,6 +6577,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,วันที่เกษียณ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,กรุณาเลือกผู้ป่วย DocType: Asset,Straight Line,เส้นตรง +DocType: Quality Action,Resolutions,มติ DocType: SMS Log,No of Sent SMS,ไม่มีการส่ง SMS ,GST Itemised Sales Register,GST ลงทะเบียนการขายแยก apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,จำนวนเงินล่วงหน้าทั้งหมดต้องไม่มากกว่าจำนวนเงินอนุมัติทั้งหมด @@ -6650,7 +6688,7 @@ DocType: Account,Profit and Loss,กำไรและขาดทุน apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff จำนวน DocType: Asset Finance Book,Written Down Value,เขียนลงค่า apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,ยอดคงเหลือต้นงวด -DocType: Quality Goal,April,เมษายน +DocType: GSTR 3B Report,April,เมษายน DocType: Supplier,Credit Limit,วงเงิน apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,การกระจาย apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6705,6 +6743,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,เชื่อมต่อ Shopify ด้วย ERPNext DocType: Homepage Section Card,Subtitle,หัวเรื่องย่อย DocType: Soil Texture,Loam,พื้นที่อันอุดมสมบูรณ์ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ผู้ผลิต> ประเภทผู้จัดจำหน่าย DocType: BOM,Scrap Material Cost(Company Currency),เศษวัสดุต้นทุน (สกุลเงิน บริษัท ) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ไม่ต้องส่งหมายเหตุการส่งมอบ {0} DocType: Task,Actual Start Date (via Time Sheet),วันที่เริ่มต้นจริง (ผ่านใบบันทึกเวลา) @@ -6760,7 +6799,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,ปริมาณ DocType: Cheque Print Template,Starting position from top edge,ตำแหน่งเริ่มต้นจากขอบด้านบน apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),ระยะเวลานัดหมาย (นาที) -DocType: Pricing Rule,Disable,ปิดการใช้งาน +DocType: Accounting Dimension,Disable,ปิดการใช้งาน DocType: Email Digest,Purchase Orders to Receive,คำสั่งซื้อเพื่อรับ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,ไม่สามารถยกคำสั่งผลิตสำหรับ: DocType: Projects Settings,Ignore Employee Time Overlap,ละเว้นเวลาทับซ้อนของพนักงาน @@ -6844,6 +6883,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,สร DocType: Item Attribute,Numeric Values,ค่าตัวเลข DocType: Delivery Note,Instructions,คำแนะนำ DocType: Blanket Order Item,Blanket Order Item,รายการสั่งซื้อแบบครอบคลุม +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,จำเป็นสำหรับบัญชีกำไรและขาดทุน apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,อัตราค่าคอมมิชชั่นต้องไม่เกิน 100 DocType: Course Topic,Course Topic,หัวข้อหลักสูตร DocType: Employee,This will restrict user access to other employee records,สิ่งนี้จะ จำกัด การเข้าถึงของผู้ใช้ไปยังระเบียนพนักงานอื่น ๆ @@ -6868,12 +6908,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,การจ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,รับลูกค้าจาก apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} ไดเจสต์ DocType: Employee,Reports to,รายงานถึง +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,บัญชีปาร์ตี้ DocType: Assessment Plan,Schedule,ตารางเวลา apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,กรุณากรอก DocType: Lead,Channel Partner,พันธมิตรช่องทาง apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,จำนวนเงินที่ออกใบแจ้งหนี้ DocType: Project,From Template,จากเทมเพลต +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,การสมัครรับข้อมูล apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,ปริมาณที่จะทำให้ DocType: Quality Review Table,Achieved,ประสบความสำเร็จ @@ -6920,7 +6962,6 @@ DocType: Journal Entry,Subscription Section,ส่วนการสมัคร DocType: Salary Slip,Payment Days,วันชำระเงิน apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,ข้อมูลอาสาสมัคร apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`ตรึงหุ้นที่เก่ากว่า 'ควรมีขนาดเล็กกว่า% d วัน -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,เลือกปีบัญชี DocType: Bank Reconciliation,Total Amount,ยอดรวม DocType: Certification Application,Non Profit,ไม่แสวงหาผลกำไร DocType: Subscription Settings,Cancel Invoice After Grace Period,ยกเลิกใบแจ้งหนี้หลังจากระยะเวลาผ่อนผัน @@ -6933,7 +6974,6 @@ DocType: Serial No,Warranty Period (Days),ระยะเวลารับป DocType: Expense Claim Detail,Expense Claim Detail,รายละเอียดการเรียกร้องค่าใช้จ่าย apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,โปรแกรม: DocType: Patient Medical Record,Patient Medical Record,เวชระเบียนผู้ป่วย -DocType: Quality Action,Action Description,คำอธิบายการกระทำ DocType: Item,Variant Based On,แปรตาม DocType: Vehicle Service,Brake Oil,น้ำมันเบรก DocType: Employee,Create User,สร้างผู้ใช้งาน @@ -6989,7 +7029,7 @@ DocType: Cash Flow Mapper,Section Name,ชื่อส่วน DocType: Packed Item,Packed Item,รายการที่บรรจุ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: ต้องการเดบิตหรือจำนวนเครดิตสำหรับ {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,กำลังส่งเอกสารเงินเดือน ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,ไม่มีการตอบสนอง +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,ไม่มีการตอบสนอง apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",ไม่สามารถกำหนดงบประมาณกับ {0} ได้เนื่องจากไม่ใช่บัญชีรายรับหรือรายจ่าย apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,ปริญญาโทและบัญชี DocType: Quality Procedure Table,Responsible Individual,บุคคลที่รับผิดชอบ @@ -7112,7 +7152,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,อนุญาตการสร้างบัญชีกับ บริษัท ย่อย DocType: Payment Entry,Company Bank Account,บัญชีธนาคารของ บริษัท DocType: Amazon MWS Settings,UK,สหราชอาณาจักร -DocType: Quality Procedure,Procedure Steps,ขั้นตอนขั้นตอน DocType: Normal Test Items,Normal Test Items,รายการทดสอบปกติ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,รายการ {0}: จำนวนสั่งซื้อ {1} ต้องไม่น้อยกว่าจำนวนสั่งซื้อขั้นต่ำ {2} (กำหนดไว้ในรายการ) apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,ไม่ได้อยู่ในสต็อก @@ -7191,7 +7230,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,บทบาทการบำรุงรักษา apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,แม่แบบข้อกำหนดและเงื่อนไข DocType: Fee Schedule Program,Fee Schedule Program,โปรแกรมกำหนดการค่าธรรมเนียม -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,ไม่พบหลักสูตร {0} DocType: Project Task,Make Timesheet,ทำ Timesheet DocType: Production Plan Item,Production Plan Item,รายการแผนการผลิต apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,รวมนักศึกษา @@ -7213,6 +7251,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,ห่อ apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,คุณสามารถต่ออายุได้หากสมาชิกของคุณหมดอายุภายใน 30 วัน apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},ค่าต้องอยู่ระหว่าง {0} ถึง {1} +DocType: Quality Feedback,Parameters,พารามิเตอร์ ,Sales Partner Transaction Summary,สรุปธุรกรรมการขายของพันธมิตร DocType: Asset Maintenance,Maintenance Manager Name,ชื่อผู้จัดการซ่อมบำรุง apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,จำเป็นต้องดึงรายละเอียดของรายการ @@ -7251,6 +7290,7 @@ DocType: Student Admission,Student Admission,การรับนักศึ DocType: Designation Skill,Skill,ความสามารถ DocType: Budget Account,Budget Account,บัญชีงบประมาณ DocType: Employee Transfer,Create New Employee Id,สร้างรหัสพนักงานใหม่ +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,ต้องการ {0} สำหรับบัญชี 'กำไรและขาดทุน' {1} apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),ภาษีสินค้าและบริการ (GST อินเดีย) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,การสร้างสลิปเงินเดือน ... DocType: Employee Skill,Employee Skill,ทักษะของพนักงาน @@ -7351,6 +7391,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,ใบแจ DocType: Subscription,Days Until Due,วันก่อนกำหนด apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,แสดงเสร็จสมบูรณ์ apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,รายงานรายการธุรกรรมทางบัญชีธนาคาร +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ธนาคาร Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,แถว # {0}: อัตราจะต้องเหมือนกับ {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,รายการบริการสุขภาพ @@ -7407,6 +7448,7 @@ DocType: Training Event Employee,Invited,ได้รับเชิญ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},จำนวนสูงสุดที่มีสิทธิ์สำหรับองค์ประกอบ {0} เกิน {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,จำนวนเงินที่เรียกเก็บ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",สำหรับ {0} เฉพาะบัญชีเดบิตเท่านั้นที่สามารถเชื่อมโยงกับรายการเครดิตอื่น +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,กำลังสร้างมิติ ... DocType: Bank Statement Transaction Entry,Payable Account,บัญชีเจ้าหนี้ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,โปรดระบุว่าไม่จำเป็นต้องมีการเข้าชม DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,เลือกเฉพาะเมื่อคุณตั้งค่าเอกสาร Mapper กระแสเงินสด @@ -7424,6 +7466,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,เวลาแก้ไข DocType: Grading Scale Interval,Grade Description,คำอธิบายเกรด DocType: Homepage Section,Cards,การ์ด +DocType: Quality Meeting Minutes,Quality Meeting Minutes,รายงานการประชุมคุณภาพ DocType: Linked Plant Analysis,Linked Plant Analysis,การวิเคราะห์พืชที่เชื่อมโยง apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,วันที่หยุดบริการไม่สามารถอยู่หลังวันที่สิ้นสุดการให้บริการ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,โปรดตั้งค่าขีด จำกัด B2C ในการตั้งค่า GST @@ -7458,7 +7501,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,เครื่อง DocType: Employee,Educational Qualification,วุฒิการศึกษา apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,ค่าที่สามารถเข้าถึงได้ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},ปริมาณตัวอย่าง {0} ต้องไม่เกินปริมาณที่ได้รับ {1} -DocType: Quiz,Last Highest Score,คะแนนสูงสุดล่าสุด DocType: POS Profile,Taxes and Charges,ภาษีและค่าใช้จ่าย DocType: Opportunity,Contact Mobile No,เบอร์โทรติดต่อ DocType: Employee,Joining Details,เข้าร่วมรายละเอียด diff --git a/erpnext/translations/tr.csv b/erpnext/translations/tr.csv index ca955f9b16..b54f00d780 100644 --- a/erpnext/translations/tr.csv +++ b/erpnext/translations/tr.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Tedarikçi Parça No DocType: Journal Entry Account,Party Balance,Parti dengesi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Fon Kaynağı (Borçlar) DocType: Payroll Period,Taxable Salary Slabs,Vergilendirilebilir Maaş Levhaları +DocType: Quality Action,Quality Feedback,Kalite geribildirim DocType: Support Settings,Support Settings,Destek ayarları apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Lütfen önce Üretim Öğesini girin DocType: Quiz,Grading Basis,Derecelendirme Tabanı @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Daha fazla deta DocType: Salary Component,Earning,Kazanç DocType: Restaurant Order Entry,Click Enter To Add,Eklemek için Enter tuşuna basın DocType: Employee Group,Employee Group,Çalışan Grubu +DocType: Quality Procedure,Processes,Süreçler DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Bir para birimini diğerine dönüştürmek için Döviz Kurunu belirtin apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,4 Yaşlanma Aralığı apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Hisse senedi için gereken depo Öğe {0} @@ -156,11 +158,13 @@ DocType: Complaint,Complaint,şikâyet DocType: Shipping Rule,Restrict to Countries,Ülkelere Sınırla DocType: Hub Tracked Item,Item Manager,Öğe Yöneticisi apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Kapanış Hesabının para birimi {0} olmalıdır +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Bütçeler apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Fatura Öğesinin Açılması DocType: Work Order,Plan material for sub-assemblies,Alt montajlar için malzeme planı apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Donanım DocType: Budget,Action if Annual Budget Exceeded on MR,MR’da Yıllık Bütçe Aşıldıysa Eylem DocType: Sales Invoice Advance,Advance Amount,Peşin Tutar +DocType: Accounting Dimension,Dimension Name,Boyut adı DocType: Delivery Note Item,Against Sales Invoice Item,Satış faturasına karşı ürün DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,İmalattaki Ürünü Dahil Et @@ -217,7 +221,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Bu ne işe yarı ,Sales Invoice Trends,Satış Fatura Trendleri DocType: Bank Reconciliation,Payment Entries,Ödeme Girişleri DocType: Employee Education,Class / Percentage,Sınıf / Yüzde -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka ,Electronic Invoice Register,Elektronik Fatura Kaydı DocType: Sales Invoice,Is Return (Credit Note),İade Edilir (Kredi Notu) DocType: Lab Test Sample,Lab Test Sample,Laboratuar Test Örneği @@ -291,6 +294,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Varyantlar apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Masraflar, seçiminize göre, adet veya miktar bazında orantılı olarak dağıtılacaktır." apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Bugün için bekleyen etkinlikler +DocType: Quality Procedure Process,Quality Procedure Process,Kalite Prosedürü Süreci DocType: Fee Schedule Program,Student Batch,Öğrenci Grubu apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},{0} satırındaki Öğe için Değerleme Oranı gerekli DocType: BOM Operation,Base Hour Rate(Company Currency),Baz Saat Ücreti (Şirket Para Birimi) @@ -310,7 +314,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Seri No Girişine Göre İşlemlerde Miktar Belirleme apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},"Peşin hesap para birimi, {0} şirket para birimi ile aynı olmalıdır" apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Ana Sayfa Bölümlerini Özelleştir -DocType: Quality Goal,October,Ekim +DocType: GSTR 3B Report,October,Ekim DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Müşterinin Vergi İdresini Satış İşlemlerinden Gizle apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Geçersiz GSTIN! Bir GSTIN 15 karakterden oluşmalıdır. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,{0} Fiyatlandırma Kuralı güncellendi @@ -398,7 +402,7 @@ DocType: Leave Encashment,Leave Balance,Bakiye Bırak apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},{1} bakım çizelgesi {1} 'e karşı var DocType: Assessment Plan,Supervisor Name,Danışman Adı DocType: Selling Settings,Campaign Naming By,Kampanya Adlandırma -DocType: Course,Course Code,Kurs kodu +DocType: Student Group Creation Tool Course,Course Code,Kurs kodu apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Uzay DocType: Landed Cost Voucher,Distribute Charges Based On,Masraflara Göre Ücretleri Dağıt DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Tedarikçi Puan Kartı Puanlama Kriterleri @@ -480,10 +484,8 @@ DocType: Restaurant Menu,Restaurant Menu,Restoran menüsü DocType: Asset Movement,Purpose,amaç apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Çalışan için Maaş Yapısı Ataması zaten var DocType: Clinical Procedure,Service Unit,Servis Birimi -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge DocType: Travel Request,Identification Document Number,Kimlik Belge Numarası DocType: Stock Entry,Additional Costs,Ek masraflar -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Veli Kursu (Bu, Veli Kursunun bir parçası değilse boş bırakın)" DocType: Employee Education,Employee Education,Çalışan Eğitimi apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Pozisyon sayısı mevcut çalışan sayısından az olamaz apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Tüm Müşteri Grupları @@ -530,6 +532,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,{0} Satırı: Miktar zorunludur DocType: Sales Invoice,Against Income Account,Gelir Hesaplarına Karşı apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Satır # {0}: {1} varlığına karşı Satınalma faturası yapılamıyor +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Farklı promosyon programlarını uygulama kuralları. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},"UOM için gerekli UOM kapsamı faktörü: {0}, Öğede: {1}" apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Lütfen {0} Maddesi için miktar girin DocType: Workstation,Electricity Cost,Elektrik Maliyeti @@ -606,6 +609,8 @@ DocType: Supplier,PAN,TAVA DocType: Work Order,Operation Cost,Operasyon maliyeti DocType: Bank Guarantee,Name of Beneficiary,Yararlanıcının Adı apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Yeni adres +apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"Subsidiary companies have already planned for {1} vacancies at a budget of {2}. \ + Staffing Plan for {0} should allocate more vacancies and budget for {3} than planned for its subsidiary companies","Bağlı şirketler, {2} bütçesinde {1} boş pozisyonlar için zaten plan yapmışlardır. \ {0} Personel Planı, {3} 'a iştirak şirketleri için planlananlardan daha fazla boşluk ve bütçe ayırmalıdır" DocType: Stock Entry,From BOM,Ürün reçetesinden DocType: Program Enrollment Tool,Student Applicant,Öğrenci Başvuran DocType: Leave Application,Leave Balance Before Application,Uygulama Öncesi Bakiye Bırakın @@ -863,7 +868,6 @@ DocType: Item,Total Projected Qty,Toplam Öngörülen Miktar apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,BOM'ları DocType: Work Order,Actual Start Date,Gerçek Başlangıç Tarihi 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 izni talep günleri arasında bütün günler mevcut değilsiniz -DocType: Company,About the Company,Şirket hakkında apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Finansal hesapların ağacı. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Dolaylı Gelir DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Otel Odası Rezervasyonu @@ -878,6 +882,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Potansiyel m DocType: Skill,Skill Name,Beceri Adı apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Rapor Kartını Yazdır DocType: Soil Texture,Ternary Plot,Üçlü Arsa +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 aracılığıyla {0} için Adlandırma Serisi'ni ayarlayın apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,destek biletleri DocType: Asset Category Account,Fixed Asset Account,Sabit Duran Varlık Hesabı apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,son @@ -887,6 +892,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Program Kayıt Kurs ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Lütfen kullanılacak seriyi ayarlayın. DocType: Delivery Trip,Distance UOM,Mesafe UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Bilanço Zorunlu DocType: Payment Entry,Total Allocated Amount,Tahsis Edilen Toplam Tutar DocType: Sales Invoice,Get Advances Received,Alınan Avansları Alın DocType: Student,B-,B- @@ -908,6 +914,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Bakım Çizelgesi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS Girişi yapmak için POS Profili gerekli DocType: Education Settings,Enable LMS,LMS'yi etkinleştir DocType: POS Closing Voucher,Sales Invoices Summary,Satış Faturaları Özeti +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Yarar apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredi Hesabına bir Bilanço hesabı olmalı DocType: Video,Duration,süre DocType: Lab Test Template,Descriptive,Tanımlayıcı @@ -959,6 +966,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Başlangıç ve Bitiş Tarihleri DocType: Supplier Scorecard,Notify Employee,Çalışan bildir apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Yazılım +DocType: Program,Allow Self Enroll,Kendi Kendine Kayda İzin Ver apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Stok Giderleri apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Referans Tarihi girdiyseniz Referans No zorunludur DocType: Training Event,Workshop,Atölye @@ -1011,6 +1019,7 @@ DocType: Lab Test Template,Lab Test Template,Laboratuvar Test Şablonu apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-Faturalama Bilgisi Eksik apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Hiçbir malzeme isteği oluşturulmadı +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka DocType: Loan,Total Amount Paid,Toplamda ödenen miktar apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Tüm bu öğeler zaten faturalandırıldı DocType: Training Event,Trainer Name,Eğitimci Adı @@ -1032,6 +1041,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Akademik yıl DocType: Sales Stage,Stage Name,Sahne adı DocType: SMS Center,All Employee (Active),Tüm Çalışan (Aktif) +DocType: Accounting Dimension,Accounting Dimension,Muhasebe Boyutu DocType: Project,Customer Details,Müşteri detayları DocType: Buying Settings,Default Supplier Group,Varsayılan Tedarikçi Grubu apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Lütfen önce {0} Satınalma Fişini iptal edin @@ -1146,7 +1156,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Sayı yükseldik DocType: Designation,Required Skills,İstenen yetenekler DocType: Marketplace Settings,Disable Marketplace,Pazarı Devre Dışı Bırak DocType: Budget,Action if Annual Budget Exceeded on Actual,Fiili Yıllık Bütçeyi Aşarsa Eylem -DocType: Course,Course Abbreviation,Kurs Kısaltma apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,{0} için katılım izninde {1} olarak sunulmadı. DocType: Pricing Rule,Promotional Scheme Id,Promosyon Şeması No DocType: Driver,License Details,Lisans Detayları @@ -1288,7 +1297,7 @@ DocType: Bank Guarantee,Margin Money,Marj Parası DocType: Chapter,Chapter,bölüm DocType: Purchase Receipt Item Supplied,Current Stock,Mevcut stok DocType: Employee,History In Company,Şirket Tarihçesi -DocType: Item,Manufacturer,Üretici firma +DocType: Purchase Invoice Item,Manufacturer,Üretici firma apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Orta hassasiyet DocType: Compensatory Leave Request,Leave Allocation,Tahsis Bırak DocType: Timesheet,Timesheet,Zaman planı @@ -1319,6 +1328,7 @@ DocType: Work Order,Material Transferred for Manufacturing,İmalat İçin Aktar DocType: Products Settings,Hide Variants,Varyantları Gizle DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Kapasite Planlama ve Zaman Takibini Devre Dışı Bırak DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* İşlemde hesaplanacaktır. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{1} 'Bilanço' hesabı için {0} gereklidir. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,"{0}, {1} ile işlem yapamaz. Lütfen Şirketi değiştiriniz." 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 Gerekirse Satın Alma Ayarlarına göre == 'EVET', ardından Satınalma Faturası oluşturmak için kullanıcının {0} maddesi için önce Satınalma Fişi yaratması gerekir" DocType: Delivery Trip,Delivery Details,Teslimat Detayları @@ -1354,7 +1364,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Önceki apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Ölçü birimi DocType: Lab Test,Test Template,Test Şablonu DocType: Fertilizer,Fertilizer Contents,Gübre İçeriği -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Dakika +DocType: Quality Meeting Minutes,Minute,Dakika apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Satır # {0}: {1} kıymet gönderilemiyor, bu zaten {2}" DocType: Task,Actual Time (in Hours),Gerçek Zaman (Saat olarak) DocType: Period Closing Voucher,Closing Account Head,Hesap Kapanışı @@ -1527,7 +1537,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,laboratuvar DocType: Purchase Order,To Bill,Faturalamak apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Hizmet Giderleri DocType: Manufacturing Settings,Time Between Operations (in mins),İşlemler Arası Süre (dak) -DocType: Quality Goal,May,Mayıs ayı +DocType: GSTR 3B Report,May,Mayıs ayı apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Ödeme Ağ Geçidi Hesabı oluşturulamadı, lütfen manuel olarak bir tane oluşturun." DocType: Opening Invoice Creation Tool,Purchase,Satın alma DocType: Program Enrollment,School House,Okul evi @@ -1559,6 +1569,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,F DocType: Supplier,Statutory info and other general information about your Supplier,Tedarikçi ile ilgili yasal bilgi ve diğer genel bilgiler DocType: Item Default,Default Selling Cost Center,Varsayılan Satış Maliyet Merkezi DocType: Sales Partner,Address & Contacts,Adres ve İletişim +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: Subscriber,Subscriber,Abone apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Öğe / {0}) stokta yok apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Lütfen önce Gönderme Tarihi'ni seçin. @@ -1586,6 +1597,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Yatan Hasta Ziyaret Ücr DocType: Bank Statement Settings,Transaction Data Mapping,İşlem Verileri Eşlemesi apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Bir müşteri adayının adını veya bir kuruluşun adını gerektirir. DocType: Student,Guardians,Koruyucular +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/public/js/stock_analytics.js,Select Brand...,Marka Seçiniz ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Orta gelir DocType: Shipping Rule,Calculate Based On,Bazında Hesapla @@ -1597,7 +1609,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Gider Talebi Avansı DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Yuvarlama Ayarı (Şirket Para Birimi) DocType: Item,Publish in Hub,Hub'da Yayımla apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,Ağustos +DocType: GSTR 3B Report,August,Ağustos apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Lütfen önce Satınalma Fişi girin apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Başlangıç yılı apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Hedef ({}) @@ -1616,6 +1628,7 @@ DocType: Item,Max Sample Quantity,Maksimum Örnek Miktarı apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Kaynak ve hedef depo farklı olmalı DocType: Employee Benefit Application,Benefits Applied,Uygulanan Faydalar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,{0} Gazetesi Girişine karşı eşleştirilmemiş {1} giriş yok +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",""-", "#", ".", "/", "{" Ve "}" dışındaki Özel Karakterler, seri dizisine izin verilmez" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Fiyat veya ürün indirimi levhaları gereklidir apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Bir hedef seç apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},{0} Öğrenci Kaydı {0} Öğrenci aleyhinde @@ -1631,10 +1644,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Her ay DocType: Routing,Routing Name,Yönlendirme Adı DocType: Disease,Common Name,Yaygın isim -DocType: Quality Goal,Measurable,Ölçülebilir DocType: Education Settings,LMS Title,LMS Başlığı apps/erpnext/erpnext/config/non_profit.py,Loan Management,Kredi Yönetimi -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Destek Analitiği DocType: Clinical Procedure,Consumable Total Amount,Tüketilebilir Toplam Tutar apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Şablonu Etkinleştir apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Müşteri LPO @@ -1774,6 +1785,7 @@ DocType: Restaurant Order Entry Item,Served,sunulan DocType: Loan,Member,üye DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Uygulayıcı Hizmet Birimi Programı apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Elektronik transfer +DocType: Quality Review Objective,Quality Review Objective,Kalite İnceleme Amaç DocType: Bank Reconciliation Detail,Against Account,Hesaba Karşı DocType: Projects Settings,Projects Settings,Proje Ayarları apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Gerçek Miktar {0} / Bekleme Miktarı {1} @@ -1802,6 +1814,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Gi apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,"Mali Yıl Sonu Tarihi, Mali Yıl Başlama Tarihi'nden bir yıl sonra olmalıdır" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Günlük Hatırlatıcılar DocType: Item,Default Sales Unit of Measure,Varsayılan Satış Ölçü Birimi +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Şirket GSTIN DocType: Asset Finance Book,Rate of Depreciation,Amortisman Oranı DocType: Support Search Source,Post Description Key,Gönderi Açıklama Anahtarı DocType: Loyalty Program Collection,Minimum Total Spent,Minimum Toplam Harcanan @@ -1873,6 +1886,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Seçilen Müşteri için Müşteri Grubunu değiştirmek yasaktır. DocType: Serial No,Creation Document Type,Yaratma Belgesi Türü DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Depoda Mevcut Toplu Miktar +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Fatura Genel Toplamı apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Bu bir kök bölgesidir ve düzenlenemez. DocType: Patient,Surgical History,Cerrahi Tarihçe apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Kalite Ağacı Prosedürleri. @@ -1977,6 +1991,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,t DocType: Item Group,Check this if you want to show in website,Web sitesinde göstermek istiyorsanız bunu kontrol edin apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Mali Yıl {0} bulunamadı DocType: Bank Statement Settings,Bank Statement Settings,Hesap özeti ayarları +DocType: Quality Procedure Process,Link existing Quality Procedure.,Mevcut Kalite Prosedürünü bağlayın. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,CSV / Excel dosyalarından Hesap Çizelgesi Al DocType: Appraisal Goal,Score (0-5),Puan (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Öznitelikler Tablosunda {0} özniteliği birden çok kez seçildi DocType: Purchase Invoice,Debit Note Issued,Borç Dekontu Verildi @@ -1985,7 +2001,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Politika Ayrıntısını Bırak apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Sistemde bulunmayan depo DocType: Healthcare Practitioner,OP Consulting Charge,OP Danışmanlık Ücreti -DocType: Quality Goal,Measurable Goal,Ölçülebilir Hedef DocType: Bank Statement Transaction Payment Item,Invoices,Faturalar DocType: Currency Exchange,Currency Exchange,Döviz değişimi DocType: Payroll Entry,Fortnightly,iki haftada bir @@ -2048,6 +2063,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} gönderilmedi DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Devam eden iş yerindeki depodan geri yıkama hammaddeleri DocType: Maintenance Team Member,Maintenance Team Member,Bakım Ekibi Üyesi +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Muhasebe için özel boyutlar ayarlama DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Optimum gelişim için bitki sıraları arasındaki minimum mesafe DocType: Employee Health Insurance,Health Insurance Name,Sağlık Sigortası Adı apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Stok Varlıkları @@ -2079,7 +2095,7 @@ DocType: Delivery Note,Billing Address Name,Fatura Adresi Adı apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Alternatif Öğe DocType: Certification Application,Name of Applicant,Başvuru sahibinin adı DocType: Leave Type,Earned Leave,Kazanılan İzin -DocType: Quality Goal,June,Haziran +DocType: GSTR 3B Report,June,Haziran apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},{0} satırı: {1} bir öğe için maliyet merkezi gereklidir apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},{0} tarafından onaylanabilir apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Dönüşüm Faktörü Tablosuna {0} Ölçü Birimi bir kereden fazla girildi @@ -2100,6 +2116,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standart satış oranı apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Lütfen {0} Restaurant için aktif bir menü ayarlayın 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ı Market'e eklemek için Sistem Yöneticisi ve Öğe Yöneticisi rollerine sahip bir kullanıcı olmanız gerekir. DocType: Asset Finance Book,Asset Finance Book,Varlık Finansmanı Kitabı +DocType: Quality Goal Objective,Quality Goal Objective,Kalite Hedef Amaç DocType: Employee Transfer,Employee Transfer,Çalışan Transferi ,Sales Funnel,Satış Huni DocType: Agriculture Analysis Criteria,Water Analysis,Su analizi @@ -2138,6 +2155,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Çalışan Transf apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Bekleyen Faaliyetler apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Müşterilerinizden birkaçını listeleyin. Kuruluşlar veya bireyler olabilirler. DocType: Bank Guarantee,Bank Account Info,Banka Hesap Bilgisi +DocType: Quality Goal,Weekday,çalışma günü apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Koruyucu1 Adı DocType: Salary Component,Variable Based On Taxable Salary,Vergilendirilebilir Maaş Bazında Değişken DocType: Accounting Period,Accounting Period,Hesap dönemi @@ -2222,7 +2240,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Yuvarlama Ayarı DocType: Quality Review Table,Quality Review Table,Kalite Değerlendirme Tablosu DocType: Member,Membership Expiry Date,Üyelik Bitiş Tarihi DocType: Asset Finance Book,Expected Value After Useful Life,Yararlı Ömür Sonrası Beklenen Değer -DocType: Quality Goal,November,Kasım +DocType: GSTR 3B Report,November,Kasım DocType: Loan Application,Rate of Interest,Faiz oranı DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Hesap özeti işlem ödeme kalemi DocType: Restaurant Reservation,Waitlisted,Bekleme listesindeki @@ -2286,6 +2304,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","{0} satırı: {1} periyodikliği ayarlamak için, \ ile tarih \ arasındaki fark {2} 'den büyük veya eşit olmalıdır" DocType: Purchase Invoice Item,Valuation Rate,Değerleme Oranı DocType: Shopping Cart Settings,Default settings for Shopping Cart,Alışveriş Sepeti için varsayılan ayarlar +DocType: Quiz,Score out of 100,100 üzerinden puan DocType: Manufacturing Settings,Capacity Planning,Kapasite planlaması apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Eğitmenlere Git DocType: Activity Cost,Projects,Projeler @@ -2295,6 +2314,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Zamandan apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Varyant Detayları Raporu +,BOM Explorer,BOM Gezgini DocType: Currency Exchange,For Buying,Satın almak için apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} için yuvalar programa eklenmedi DocType: Target Detail,Target Distribution,Hedef Dağılımı @@ -2312,6 +2332,7 @@ DocType: Activity Cost,Activity Cost,Faaliyet Maliyeti DocType: Journal Entry,Payment Order,Ödeme talimatı apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Fiyatlandırma ,Item Delivery Date,Ürün Teslim Tarihi +DocType: Quality Goal,January-April-July-October,Ocak-Nisan-Temmuz-Ekim DocType: Purchase Order Item,Warehouse and Reference,Depo ve Referans apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,"Alt düğümleri olan hesap, deftere çevrilemez" DocType: Soil Texture,Clay Composition (%),Kil Kompozisyonu (%) @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Gelecek tarihlere izin apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance 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/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Akademik Terim: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Kalite Geribildirim Parametresi apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Lütfen İndirim Uygula Açık seçeneğini seçin apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Satır # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Toplam tutar @@ -2404,7 +2426,7 @@ DocType: Hub Tracked Item,Hub Node,Hub Düğümü apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Çalışan kimliği DocType: Salary Structure Assignment,Salary Structure Assignment,Maaş Yapısı Ataması DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Kapanış Fişi Vergileri -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Eylem Başlatıldı +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Eylem Başlatıldı DocType: POS Profile,Applicable for Users,Kullanıcılar için uygulanabilir DocType: Training Event,Exam,sınav apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Yanlış sayıda genel muhasebe girişi bulundu. İşlemde yanlış bir hesap seçmiş olabilirsiniz. @@ -2511,6 +2533,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Boylam DocType: Accounts Settings,Determine Address Tax Category From,Adres Vergi Kategorisini Kimden Belirle apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Karar Vericilerin Belirlenmesi +DocType: Stock Entry Detail,Reference Purchase Receipt,Referans Satın Alma Fişi apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Davetiye Al DocType: Tally Migration,Is Day Book Data Imported,Günlük Kitap Verileri Alındı mı ,Sales Partners Commission,Satış Ortakları Komisyonu @@ -2534,6 +2557,7 @@ DocType: Leave Type,Applicable After (Working Days),Sonra uygulanabilir (Çalı DocType: Timesheet Detail,Hrs,saat DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Tedarikçi Puan Kartı Kriterleri DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Kalite Geribildirim Şablon Parametresi apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,"Katılım Tarihi, Doğum Tarihinden Büyük olmalıdır" DocType: Bank Statement Transaction Invoice Item,Invoice Date,Fatura tarihi DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Satış Faturası Gönderisinde Laboratuvar Testleri Oluştur @@ -2640,7 +2664,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,İzin Verilen Minimum DocType: Stock Entry,Source Warehouse Address,Kaynak Depo Adresi DocType: Compensatory Leave Request,Compensatory Leave Request,Telafi Bırakma İsteği DocType: Lead,Mobile No.,Telefon numarası. -DocType: Quality Goal,July,Temmuz +DocType: GSTR 3B Report,July,Temmuz apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Uygun ITC DocType: Fertilizer,Density (if liquid),Yoğunluk (sıvı ise) DocType: Employee,External Work History,Dış Çalışma Tarihi @@ -2717,6 +2741,7 @@ DocType: Certification Application,Certification Status,Sertifika Durumu apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},{0} varlığı için Kaynak Konumu gerekiyor DocType: Employee,Encashment Date,Eklenme Tarihi apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Lütfen Tamamlanan Varlık Bakım Günlüğü için Tamamlanma Tarihi'ni seçin. +DocType: Quiz,Latest Attempt,Son Girişim DocType: Leave Block List,Allow Users,Kullanıcılara İzin Ver apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Hesap tablosu apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Müşteri olarak 'Fırsat' seçildiyse müşteri zorunludur @@ -2781,7 +2806,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Tedarikçi Puan Kart DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS Ayarları DocType: Program Enrollment,Walking,Yürüme DocType: SMS Log,Requested Numbers,İstenilen Numaralar -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: Woocommerce Settings,Freight and Forwarding Account,Navlun ve Yönlendirme Hesabı apps/erpnext/erpnext/accounts/party.py,Please select a Company,Lütfen bir şirket seçiniz apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,{0}: {1} satırı 0'dan büyük olmalıdır @@ -2851,7 +2875,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Müşterile DocType: Training Event,Seminar,seminer apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kredi ({0}) DocType: Payment Request,Subscription Plans,Abonelik Planları -DocType: Quality Goal,March,Mart +DocType: GSTR 3B Report,March,Mart apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Toplu Böl DocType: School House,House Name,Evin adı apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0} için sıra dışı sıfırdan küçük olamaz ({1}) @@ -2914,7 +2938,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Sigorta Başlangıç Tarihi DocType: Target Detail,Target Detail,Hedef Detayı DocType: Packing Slip,Net Weight UOM,Net Ağırlık UOM -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: Purchase Invoice Item,Net Amount (Company Currency),Net Tutar (Şirket Para Birimi) DocType: Bank Statement Transaction Settings Item,Mapped Data,Eşlenmiş Veri apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Menkul Kıymetler ve Mevduat @@ -2964,6 +2987,7 @@ DocType: Cheque Print Template,Cheque Height,Yüksekliği kontrol apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Lütfen rahatlatma tarihini girin. DocType: Loyalty Program,Loyalty Program Help,Sadakat Programı Yardımı DocType: Journal Entry,Inter Company Journal Entry Reference,Şirketler Arası Dergi Giriş Referansı +DocType: Quality Meeting,Agenda,Gündem DocType: Quality Action,Corrective,Düzeltici apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Grupla DocType: Bank Account,Address and Contact,Adres ve İletişim @@ -3017,7 +3041,7 @@ DocType: GL Entry,Credit Amount,Kredi miktarı apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Toplam Tutar Alacak DocType: Support Search Source,Post Route Key List,Rota Sonrası Anahtar Listesi apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} aktif bir Mali Yıl'da değil. -DocType: Quality Action Table,Problem,Sorun +DocType: Quality Action Resolution,Problem,Sorun DocType: Training Event,Conference,Konferans DocType: Mode of Payment Account,Mode of Payment Account,Ödeme Şekli DocType: Leave Encashment,Encashable days,Takılabilir günler @@ -3142,7 +3166,7 @@ DocType: Item,"Purchase, Replenishment Details","Satın Alma, Yenileme Detaylar DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Ayarlandığında, bu fatura belirlenen tarihe kadar bekletilecektir" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Değişkenleri olduğundan {0} öğesi için hisse senedi mevcut değil DocType: Lab Test Template,Grouped,gruplanmış -DocType: Quality Goal,January,Ocak +DocType: GSTR 3B Report,January,Ocak DocType: Course Assessment Criteria,Course Assessment Criteria,Ders Değerlendirme Kriterleri DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Tamamlanan Adet @@ -3238,7 +3262,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Sağlık Hizm apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Lütfen tabloya en az 1 fatura girin apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,{0} Müşteri Siparişi gönderilmedi apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Katılım başarıyla işaretlendi. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Ön satış +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Ön satış apps/erpnext/erpnext/config/projects.py,Project master.,Proje ustası. DocType: Daily Work Summary,Daily Work Summary,Günlük İş Özeti DocType: Asset,Partially Depreciated,Kısmen Amortismana tabi @@ -3247,6 +3271,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Encashed'i bırak? DocType: Certified Consultant,Discuss ID,ID'yi tartışın apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Lütfen GST Ayarlarında GST Hesaplarını ayarlayın +DocType: Quiz,Latest Highest Score,En Son En Yüksek Puan DocType: Supplier,Billing Currency,Fatura Para Birimi apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Öğrenci Etkinliği apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Hedef miktar veya hedef tutar zorunludur @@ -3272,18 +3297,21 @@ DocType: Sales Order,Not Delivered,Teslim edilmedi apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,{0} türüne izinsiz izin verildiğinden bırakılamaz DocType: GL Entry,Debit Amount,Borç miktarı apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},{0} öğesi için zaten kayıt var +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Alt Meclisler 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 Kuralları geçerli olmaya devam ederse, kullanıcılardan anlaşmazlığı çözmek için Önceliği manuel olarak belirlemeleri istenir." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kategori 'Değerleme' veya 'Değerleme ve Toplam' olduğunda indirimden çıkarılamıyor apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Malzeme Listesi ve Üretim Miktarı gerekli apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},{0} maddesi {1} tarihinde ömrünün sonuna ulaştı DocType: Quality Inspection Reading,Reading 6,6 okuma +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Şirket alanı zorunludur apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Üretim ayarlarında malzeme tüketimi ayarlanmamış. DocType: Assessment Group,Assessment Group Name,Değerlendirme Grubu Adı -DocType: Item,Manufacturer Part Number,Üretici parti numarası +DocType: Purchase Invoice Item,Manufacturer Part Number,Üretici parti numarası apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Ödenecek Bordro apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},{2} satırı: {1} {2} öğesi için negatif olamaz apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Bakiye Adet +DocType: Question,Multiple Correct Answer,Çoklu Doğru Cevap DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Sadakat Puanları = Ne kadar temel para birimi? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Not: {0} İzin Türü için yeterli izin bakiyesi yoktur. DocType: Clinical Procedure,Inpatient Record,Yatan Hasta Kaydı @@ -3406,6 +3434,7 @@ DocType: Fee Schedule Program,Total Students,Toplam Öğrenci Sayısı apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Yerel DocType: Chapter Member,Leave Reason,Nedeni Bırak DocType: Salary Component,Condition and Formula,Koşul ve Formül +DocType: Quality Goal,Objectives,Hedefler apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","{0} ve {1} arasındaki süre için zaten işlenen maaş, Uygulamadan ayrılma süresi bu tarih aralığında olamaz." DocType: BOM Item,Basic Rate (Company Currency),Temel Ücret (Şirket Para Birimi) DocType: BOM Scrap Item,BOM Scrap Item,BOM Hurda Maddesi @@ -3456,6 +3485,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Gider Talep Hesabı apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Dergi Girişi için geri ödeme yok apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} aktif öğrenci değil +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Stok Girişi Yap DocType: Employee Onboarding,Activities,faaliyetler apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,En az bir depo zorunludur ,Customer Credit Balance,Müşteri Kredisi Bakiyesi @@ -3540,7 +3570,6 @@ DocType: Contract,Contract Terms,Anlaşma koşulları apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Hedef miktar veya hedef tutar zorunludur. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Geçersiz {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Buluşma tarihi DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Kısaltma 5'ten fazla karakter içeremez DocType: Employee Benefit Application,Max Benefits (Yearly),Maksimum Fayda (Yıllık) @@ -3642,7 +3671,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Banka masrafları apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Transfer Edilen Mallar apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Birincil İletişim Detayları -DocType: Quality Review,Values,Değerler 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, listenin uygulanması gereken her Bölüme eklenmesi gerekecektir." DocType: Item Group,Show this slideshow at the top of the page,Bu slayt gösterisini sayfanın üstünde göster apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} parametre geçersiz @@ -3661,6 +3689,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Banka Ücretleri Hesabı DocType: Journal Entry,Get Outstanding Invoices,Ödenmemiş Faturaları Alın DocType: Opportunity,Opportunity From,Fırsat +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Hedef Detayları DocType: Item,Customer Code,Müşteri kodu apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Lütfen önce Öğe'yi girin apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Web Sitesi Listesi @@ -3689,7 +3718,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Teslimat için DocType: Bank Statement Transaction Settings Item,Bank Data,Banka Verileri apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planlanmış -DocType: Quality Goal,Everyday,Her gün DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Fatura ve Çalışma Saatlerini Bakım Yapın apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Aday Müşteri Kaynaklarına Göre Takip Edin. DocType: Clinical Procedure,Nursing User,Hemşirelik Kullanıcısı @@ -3714,7 +3742,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Bölge Ağacını Yön DocType: GL Entry,Voucher Type,Kupon Türü ,Serial No Service Contract Expiry,Seri No Servis Sözleşmesi Bitiş Süresi DocType: Certification Application,Certified,onaylı -DocType: Material Request Plan Item,Manufacture,üretim +DocType: Purchase Invoice Item,Manufacture,üretim apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} ürün üretildi apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0} için Ödeme İsteği apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Son Siparişden Beri Günler @@ -3729,7 +3757,7 @@ DocType: Sales Invoice,Company Address Name,Firma Adres Adı apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Transit Ürünler apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Bu siparişte yalnızca maksimum {0} puan kullanabilirsiniz. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Lütfen hesabınızı {0} Depoda ayarlayın. -DocType: Quality Action Table,Resolution,çözüm +DocType: Quality Action,Resolution,çözüm DocType: Sales Invoice,Loyalty Points Redemption,Sadakat Puanı Kullanımı apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Toplam Vergilendirilebilir Değer DocType: Patient Appointment,Scheduled,tarifeli @@ -3850,6 +3878,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,oran apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},{0} kaydetme DocType: SMS Center,Total Message(s),Toplam Mesaj (lar) +DocType: Purchase Invoice,Accounting Dimensions,Muhasebe Boyutları apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Hesaba Göre Grupla DocType: Quotation,In Words will be visible once you save the Quotation.,Teklifi kaydettiğinizde Kelimeler olarak görünecektir. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Üretilecek Miktar @@ -4014,7 +4043,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,Y apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Herhangi bir sorunuz varsa, lütfen bize geri dönün." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Satınalma Fişi {0} gönderilmedi DocType: Task,Total Expense Claim (via Expense Claim),Toplam Gider Talebi (Gider Talebi ile) -DocType: Quality Action,Quality Goal,Kalite hedefi +DocType: Quality Goal,Quality Goal,Kalite hedefi DocType: Support Settings,Support Portal,Destek Portalı apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},{0} görevinin bitiş tarihi {1} beklenen başlangıç tarihinden {2} daha küçük olamaz apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},{0} çalışanı {1} tarihinde izinli @@ -4073,7 +4102,6 @@ DocType: BOM,Operating Cost (Company Currency),İşletme Maliyeti (Şirket Para DocType: Item Price,Item Price,Ürün fiyatı DocType: Payment Entry,Party Name,Parti ismi apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Lütfen bir müşteri seçin -DocType: Course,Course Intro,Derse Giriş DocType: Program Enrollment Tool,New Program,Yeni program apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Yeni Maliyet Merkezi sayısı, maliyet merkezi adına ön ek olarak dahil edilecektir." apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Müşteriyi veya tedarikçiyi seçin. @@ -4273,6 +4301,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net ödeme negatif olamaz apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Etkileşim Sayısı 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ı {1}, {3} Satınalma Siparişine karşı {2} öğesinden daha fazla aktarılamaz" +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,vardiya apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Hesapların ve Tarafların İşleme Tablosu DocType: Stock Settings,Convert Item Description to Clean HTML,Öğe Tanımını Temiz HTML'ye Dönüştür apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Tüm Tedarikçi Grupları @@ -4351,6 +4380,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Ana Öğe apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,komisyonculuk apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Lütfen {0} kalemi için satınalma makbuzu veya satınalma faturası oluşturun +,Product Bundle Balance,Ürün Paketi Dengesi apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Şirket Adı Şirket olamaz DocType: Maintenance Visit,Breakdown,Yıkmak DocType: Inpatient Record,B Negative,B Olumsuz @@ -4359,7 +4389,7 @@ DocType: Purchase Invoice,Credit To,Kredi apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Daha fazla işlem için bu İş Emrini gönderin. DocType: Bank Guarantee,Bank Guarantee Number,Banka Garanti Numarası apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Yayınlandı: {0} -DocType: Quality Action,Under Review,İnceleme altında +DocType: Quality Meeting Table,Under Review,İnceleme altında apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Tarım (beta) ,Average Commission Rate,Ortalama Komisyon Oranı DocType: Sales Invoice,Customer's Purchase Order Date,Müşterinin Satınalma Sipariş Tarihi @@ -4476,7 +4506,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Ödemeleri Faturalarla Eşleştir DocType: Holiday List,Weekly Off,Haftalık Kapalı apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},{0} öğesi için alternatif bir öğenin ayarlanmasına izin verilmiyor -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,{0} programı mevcut değil. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,{0} programı mevcut değil. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Kök düğümü düzenleyemezsiniz. DocType: Fee Schedule,Student Category,Öğrenci Kategorisi apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","{0}: {1} adet üretildi," @@ -4567,8 +4597,8 @@ DocType: Crop,Crop Spacing,Kırpma Aralığı DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Satış İşlemlerine göre proje ve şirketin ne sıklıkla güncellenmesi gerektiği. DocType: Pricing Rule,Period Settings,Periyot Ayarları apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Alacak Hesaplarındaki Net Değişim +DocType: Quality Feedback Template,Quality Feedback Template,Kalite Geribildirim Şablonu apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Çünkü Miktar sıfırdan büyük olmalıdır -DocType: Quality Goal,Goal Objectives,Hedef Amaçları apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Oran, hisse sayısı ve hesaplanan tutar arasında tutarsızlıklar var." DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Öğrencilere yılda bir grup yaparsanız boş bırakın apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Krediler (Borçlar) @@ -4603,12 +4633,13 @@ DocType: Quality Procedure Table,Step,Adım DocType: Normal Test Items,Result Value,Sonuç Değeri DocType: Cash Flow Mapping,Is Income Tax Liability,Gelir Vergisi Yükümlülüğüdür DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Yatan Hasta Ziyaret Ücreti -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} mevcut değil. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} mevcut değil. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Yanıtı Güncelle DocType: Bank Guarantee,Supplier,satıcı apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},{0} ve {1} arasındaki bahis değerini girin DocType: Purchase Order,Order Confirmation Date,Sipariş Onay Tarihi DocType: Delivery Trip,Calculate Estimated Arrival Times,Tahmini Varış Sürelerini Hesapla +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Lütfen İnsan Kaynağında Çalışan Adlandırma Sistemini kurun> İK Ayarları apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,tüketilir DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Abonelik Başlama Tarihi @@ -4672,6 +4703,7 @@ DocType: Cheque Print Template,Is Account Payable,Hesap Ödenebilir mi apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Toplam Sipariş Değeri apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},"Tedarikçi {0}, {1} içinde bulunamadı" apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,SMS ağ geçidi ayarlarını ayarlama +DocType: Salary Component,Round to the Nearest Integer,En Yakın Tamsayıya Yuvarlak apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Kökün bir ebeveyn masraf yeri olamaz DocType: Healthcare Service Unit,Allow Appointments,Randevulara İzin Ver DocType: BOM,Show Operations,İşlemleri Göster @@ -4800,7 +4832,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Varsayılan Tatil Listesi DocType: Naming Series,Current Value,Mevcut değer apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Bütçeleri, hedefleri vb. Belirlemek için mevsimsellik" -DocType: Program,Program Code,Program kodu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},"Uyarı: {0} Satış Siparişi, Müşterinin Satınalma Siparişine {1} karşı zaten var" apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Aylık Satış Hedefi ( DocType: Guardian,Guardian Interests,Koruyucu İlgi Alanları @@ -4850,10 +4881,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Ücretli ve Teslim Edilmedi apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Öğe otomatik olarak numaralandırılmadığından zorunludur DocType: GST HSN Code,HSN Code,HSN Kodu -DocType: Quality Goal,September,Eylül +DocType: GSTR 3B Report,September,Eylül apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Yönetim giderleri DocType: C-Form,C-Form No,C-Form No DocType: Purchase Invoice,End date of current invoice's period,Mevcut faturanın döneminin bitiş tarihi +DocType: Item,Manufacturers,Üreticiler DocType: Crop Cycle,Crop Cycle,Kırpma Döngüsü DocType: Serial No,Creation Time,Yaratma zamanı apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Lütfen Rolü onaylama veya Kullanıcıyı onaylama @@ -4926,8 +4958,6 @@ DocType: Employee,Short biography for website and other publications.,Web sitesi DocType: Purchase Invoice Item,Received Qty,Alınan Miktar DocType: Purchase Invoice Item,Rate (Company Currency),Ücret (Şirket Para Birimi) DocType: Item Reorder,Request for,İstek -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/setup/setup_wizard/setup_wizard.py,Installing presets,Hazır ayarları yükleme apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Lütfen Geri Ödeme Dönemlerini girin DocType: Pricing Rule,Advanced Settings,Gelişmiş Ayarlar @@ -4953,7 +4983,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Alışveriş Sepetini Etkinleştir DocType: Pricing Rule,Apply Rule On Other,Diğer Kural Kuralı Uygula DocType: Vehicle,Last Carbon Check,Son Karbon Kontrolü -DocType: Vehicle,Make,Yapmak +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Yapmak apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Satış faturası {0} ödenmiş olarak yaratıldı apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Ödeme İsteği oluşturmak için başvuru belgesi gereklidir apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Gelir vergisi @@ -5029,7 +5059,6 @@ DocType: Territory,Parent Territory,Ebeveyn Bölgesi DocType: Vehicle Log,Odometer Reading,Kilometre sayacı okuma DocType: Additional Salary,Salary Slip,Maaş bordrosu DocType: Payroll Entry,Payroll Frequency,Bordro Frekansı -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Lütfen İnsan Kaynağında Çalışan Adlandırma Sistemini kurun> İK Ayarları apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Başlangıç ve bitiş tarihleri geçerli bir Bordro Döneminde değil, {0} hesaplayamıyor" DocType: Products Settings,Home Page is Products,Ana Sayfa Ürünler apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Aramalar @@ -5083,7 +5112,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Kayıtlar alınıyor ...... DocType: Delivery Stop,Contact Information,İletişim bilgileri DocType: Sales Order Item,For Production,Prodüksiyon için -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 kur DocType: Serial No,Asset Details,Varlık Detayları DocType: Restaurant Reservation,Reservation Time,Rezervasyon zamanı DocType: Selling Settings,Default Territory,Varsayılan Bölge @@ -5223,6 +5251,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,y apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Süresi dolmuş partiler DocType: Shipping Rule,Shipping Rule Type,Nakliye Kural Türü DocType: Job Offer,Accepted,Kabul edilmiş +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/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,{} Değerlendirme kriterleri için zaten bir değerlendirme yaptınız. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Parti Numaralarını Seç apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Yaş (Gün) @@ -5239,6 +5269,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Satış sırasındaki ürünleri paketleyin. DocType: Payment Reconciliation Payment,Allocated Amount,Tahsis Edilen Tutar apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Lütfen Şirket ve Atama'yı seçin +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'Tarih' gerekli DocType: Email Digest,Bank Credit Balance,Banka Kredi Bakiyesi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Birikimli Tutarı Göster apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Kurtarmak için Sadakat Puanları kazanmadınız @@ -5299,11 +5330,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Önceki satırda topla DocType: Student,Student Email Address,Öğrenci E-posta Adresi DocType: Academic Term,Education,Eğitim DocType: Supplier Quotation,Supplier Address,Tedarikçi adresi -DocType: Salary Component,Do not include in total,Toplam dahil etmeyin +DocType: Salary Detail,Do not include in total,Toplam dahil etmeyin 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ı ayarlanamıyor. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} mevcut değil DocType: Purchase Receipt Item,Rejected Quantity,Reddedilen Miktar DocType: Cashier Closing,To TIme,Zamana +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: Daily Work Summary Group User,Daily Work Summary Group User,Günlük İş Özeti Grup Kullanıcısı DocType: Fiscal Year Company,Fiscal Year Company,Mali Yıl Şirketi apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,"Alternatif öğe, ürün kodu ile aynı olmamalıdır" @@ -5413,7 +5445,6 @@ DocType: Fee Schedule,Send Payment Request Email,Ödeme İsteği E-postası Gön DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Satış faturasını kaydettikten sonra Kelimelerin içinde görünür olacak. DocType: Sales Invoice,Sales Team1,Satış Ekibi1 DocType: Work Order,Required Items,Gerekli öğeler -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",""-", "#", "." Hariç Özel Karakterler ve "/" seriyi adlandırmada izin verilmez" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,ERPNext Kılavuzunu Okuyun DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Tedarikçi Fatura Numarası Özelliğini Kontrol Edin apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Alt Montajlarda Ara @@ -5481,7 +5512,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Yüzde indirim 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: Share Balance,To No,Hayır DocType: Leave Control Panel,Allocate Leaves,Yaprakları Tahsis -DocType: Quiz,Last Attempt,Son deneme DocType: Assessment Result,Student Name,Öğrenci adı apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Bakım ziyaretleri için plan yapın. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,"Ürün yeniden sipariş seviyesine bağlı olarak, aşağıdaki Malzeme İstekleri otomatik olarak yükseltildi" @@ -5550,6 +5580,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Gösterge rengi DocType: Item Variant Settings,Copy Fields to Variant,Alanları Varyant'a Kopyala DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Tek Doğru Cevap apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Bu tarihten itibaren çalışanın katılma tarihinden daha az olamaz. DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Müşterinin Satınalma Siparişine Karşı Birden Çok Satış Siparişine İzin Verin apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5612,7 +5643,7 @@ DocType: Account,Expenses Included In Valuation,Değerlemeye Dahil Edilen Giderl apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Seri numaraları DocType: Salary Slip,Deductions,Kesintiler ,Supplier-Wise Sales Analytics,Tedarikçi-Akıllı Satış Analizi -DocType: Quality Goal,February,Şubat +DocType: GSTR 3B Report,February,Şubat DocType: Appraisal,For Employee,Çalışan için apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Gerçek teslim tarihi DocType: Sales Partner,Sales Partner Name,Satış Ortağı Adı @@ -5708,7 +5739,6 @@ DocType: Procedure Prescription,Procedure Created,Oluşturulan Prosedür apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},{1} tarihli {0} Tedarikçi Faturasına karşı apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS Profilini Değiştir apps/erpnext/erpnext/utilities/activation.py,Create Lead,Kurşun Yarat -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tedarikçi> Tedarikçi Tipi DocType: Shopify Settings,Default Customer,Varsayılan müşteri DocType: Payment Entry Reference,Supplier Invoice No,Tedarikçi Fatura No DocType: Pricing Rule,Mixed Conditions,Karışık Koşullar @@ -5759,12 +5789,14 @@ DocType: Item,End of Life,Hayatın sonu DocType: Lab Test Template,Sensitivity,Duyarlılık DocType: Territory,Territory Targets,Bölge Hedefleri apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Aşağıdaki çalışanlar için Ayrılma Ayrımı Atlama, Ayrılma Ayrılma kayıtları zaten onlara göre. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Kalite Eylem Çözünürlüğü DocType: Sales Invoice Item,Delivered By Supplier,Tedarikçi Tarafından Teslim Edildi DocType: Agriculture Analysis Criteria,Plant Analysis,Tesis Analizi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},{0} kalemi için gider hesabı zorunludur ,Subcontracted Raw Materials To Be Transferred,Taşınacak Hammadde Aktarılacak DocType: Cashier Closing,Cashier Closing,Kasiyer Kapanışı apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,{0} öğesi zaten iade edildi +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,"Geçersiz GSTIN! Girdiğiniz giriş, UIN Sahipleri veya Yerleşik Olmayan OIDAR Servis Sağlayıcıları için GSTIN biçimiyle eşleşmiyor" apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Bu depo için çocuk deposu bulunmaktadır. Bu depoyu silemezsiniz. DocType: Diagnosis,Diagnosis,Teşhis apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0} ve {1} arasında izin süresi yoktur. @@ -5781,6 +5813,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Yetkilendirme Ayarları DocType: Homepage,Products,Ürünler ,Profit and Loss Statement,Kar ve zarar tablosu apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Oda rezervasyonu +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},{0} ürün koduna ve {1} üreticisine karşı yinelenen giriş DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Toplam ağırlık apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Seyahat @@ -5828,6 +5861,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Varsayılan Müşteri Grubu DocType: Journal Entry Account,Debit in Company Currency,Şirket Para Birimi İçinde Borç DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Geri dönüş serisi "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Kalite Toplantı Gündemi DocType: Cash Flow Mapper,Section Header,Bölüm başlığı apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Ürün veya Servisleriniz DocType: Crop,Perennial,uzun ömürlü @@ -5873,7 +5907,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Satın alınan, satılan veya stokta tutulan bir Ürün veya Hizmet." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Kapanış (Açılış + Toplam) DocType: Supplier Scorecard Criteria,Criteria Formula,Ölçüt Formülü -,Support Analytics,Destek Analitiği +apps/erpnext/erpnext/config/support.py,Support Analytics,Destek Analitiği apps/erpnext/erpnext/config/quality_management.py,Review and Action,İnceleme ve İşlem DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Hesap donmuşsa, girişleri kısıtlı kullanıcılara izin verilir." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Amortisman Sonrası Tutar @@ -5918,7 +5952,6 @@ DocType: Contract Template,Contract Terms and Conditions,Sözleşme Şartları v apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Veriyi getir DocType: Stock Settings,Default Item Group,Varsayılan Öğe Grubu DocType: Sales Invoice Timesheet,Billing Hours,Fatura saatleri -DocType: Item,Item Code for Suppliers,Tedarikçiler için Ürün Kodu apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},"{0} uygulamasından ayrıl, {1} adlı öğrenciye karşı zaten var" DocType: Pricing Rule,Margin Type,Marj Tipi DocType: Purchase Invoice Item,Rejected Serial No,Reddedilen Seri No @@ -5991,6 +6024,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Yapraklar başarıyla verildi DocType: Loyalty Point Entry,Expiry Date,Son kullanma tarihi DocType: Project Task,Working,Çalışma +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,"{0}, {1} için bir Ebeveyn Prosedürüne zaten sahip." apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,"Bu, bu Hastaya karşı yapılan işlemlere dayanmaktadır. Ayrıntılar için aşağıdaki zaman çizelgesine bakın" DocType: Material Request,Requested For,Talep Edilen DocType: SMS Center,All Sales Person,Tüm Satış Görevlisi @@ -6077,6 +6111,7 @@ DocType: Loan Type,Maximum Loan Amount,Maksimum Kredi Tutarı apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-posta varsayılan kişide bulunamadı DocType: Hotel Room Reservation,Booked,ayrılmış DocType: Maintenance Visit,Partially Completed,Kısmen tamamlandı +DocType: Quality Procedure Process,Process Description,Süreç açıklaması DocType: Company,Default Employee Advance Account,Varsayılan Çalışan Avans Hesabı DocType: Leave Type,Allow Negative Balance,Negatif Bakiyeye İzin Ver apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Değerlendirme Planı Adı @@ -6118,6 +6153,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Fiyat Teklifi İsteği apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,"{0}, Öğe Vergisi'ne iki kez girildi" DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Seçilen Bordro Tarihinde Tam Vergiden düşme +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Son karbon kontrol tarihi gelecekteki bir tarih olamaz apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Değişiklik tutarı hesabını seçin DocType: Support Settings,Forum Posts,Forum Yazıları DocType: Timesheet Detail,Expected Hrs,Beklenen Saat @@ -6127,7 +6163,7 @@ DocType: Program Enrollment Tool,Enroll Students,Öğrencileri Kaydet apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Müşteri Gelirini Tekrarla DocType: Company,Date of Commencement,Başlama tarihi DocType: Bank,Bank Name,Banka adı -DocType: Quality Goal,December,Aralık +DocType: GSTR 3B Report,December,Aralık apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Tarihten itibaren geçerli olan tarih geçerli olandan az olmalıdır apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,"Bu, bu Çalışanın katılımına dayanır." DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","İşaretlenirse, Giriş sayfası web sitesi için varsayılan Öğe Grubu olacaktır." @@ -6170,6 +6206,7 @@ DocType: Payment Entry,Payment Type,Ödeme türü apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Folio sayıları eşleşmiyor DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},"Kalite Denetimi: {0}, {2} satırındaki {1} öğesi için gönderilmez" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},{0} göster apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} öğe bulundu. ,Stock Ageing,Stok yaşlanma DocType: Customer Group,Mention if non-standard receivable account applicable,Standart olmayan alacak hesabı geçerliyse bahsedin @@ -6448,6 +6485,7 @@ DocType: Travel Request,Costing,maliyetleme apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Sabit Varlıklar DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Toplam Kazanç +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge DocType: Share Balance,From No,Hayır'dan DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Ödeme Uzlaşma Fatura DocType: Purchase Invoice,Taxes and Charges Added,Vergiler ve Ücretler Eklendi @@ -6455,7 +6493,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Vergisini veya Ü DocType: Authorization Rule,Authorized Value,Yetkili Değer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Alınan apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,{0} deposu mevcut değil +DocType: Item Manufacturer,Item Manufacturer,Öğe Üreticisi DocType: Sales Invoice,Sales Team,Satış ekibi +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Paket Adet DocType: Purchase Order Item Supplied,Stock UOM,Stok UOM DocType: Installation Note,Installation Date,Kurulum tarihi DocType: Email Digest,New Quotations,Yeni Teklifler @@ -6519,7 +6559,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Tatil Listesi Adı DocType: Water Analysis,Collection Temperature ,Toplama Sıcaklığı DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,"Randevuyu Yönet Fatura, Hasta Karşılaşma için otomatik olarak gönderme ve iptal etme" -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 aracılığıyla {0} için Adlandırma Serisi'ni ayarlayın DocType: Employee Benefit Claim,Claim Date,Talep Tarihi DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Tedarikçi süresiz engellenmişse boş bırakın apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Tarihten Devam ve Tarihe Devam Zorunluluğu @@ -6530,6 +6569,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Emeklilik Tarihi apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Lütfen hasta seçin DocType: Asset,Straight Line,Düz +DocType: Quality Action,Resolutions,kararlar DocType: SMS Log,No of Sent SMS,Gönderilen SMS Sayısı ,GST Itemised Sales Register,GST Satış Sonrası Kayıt apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,"Toplam avans tutarı, toplam yaptırım tutarından fazla olamaz" @@ -6640,7 +6680,7 @@ DocType: Account,Profit and Loss,Kar ve zarar apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Adet DocType: Asset Finance Book,Written Down Value,Yazılı Değer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Açılış Bakiyesi Eşitliği -DocType: Quality Goal,April,Nisan +DocType: GSTR 3B Report,April,Nisan DocType: Supplier,Credit Limit,Kredi limiti apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,dağıtım apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6695,6 +6735,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Shopify'ı ERPNext ile bağlayın DocType: Homepage Section Card,Subtitle,Alt yazı DocType: Soil Texture,Loam,verimli toprak +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tedarikçi> Tedarikçi Tipi DocType: BOM,Scrap Material Cost(Company Currency),Hurda Malzeme Maliyeti (Şirket Para Birimi) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,{0} Teslim Notu gönderilmemelidir DocType: Task,Actual Start Date (via Time Sheet),Gerçek Başlangıç Tarihi (Zaman Çizelgesi ile) @@ -6750,7 +6791,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dozaj DocType: Cheque Print Template,Starting position from top edge,Üst kenardan başlama pozisyonu apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Randevu Süresi (dak) -DocType: Pricing Rule,Disable,Devre dışı +DocType: Accounting Dimension,Disable,Devre dışı DocType: Email Digest,Purchase Orders to Receive,Alınacak Siparişleri Satın Alın apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Productions Siparişleri için yükseltilemez: DocType: Projects Settings,Ignore Employee Time Overlap,Çalışan Zaman Çakışmasını Yoksay @@ -6834,6 +6875,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Vergi DocType: Item Attribute,Numeric Values,Sayısal Değerler DocType: Delivery Note,Instructions,Talimatlar DocType: Blanket Order Item,Blanket Order Item,Battaniye Sipariş Öğe +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Kar Zarar Hesabı İçin Zorunlu apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Komisyon oranı 100'den büyük olamaz DocType: Course Topic,Course Topic,Ders Konusu DocType: Employee,This will restrict user access to other employee records,"Bu, kullanıcının diğer çalışan kayıtlarına erişimini kısıtlar" @@ -6858,12 +6900,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Abonelik Yöne apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Müşterileri alın apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Özet DocType: Employee,Reports to,Raporları +DocType: Video,YouTube,Youtube DocType: Party Account,Party Account,Parti Hesabı DocType: Assessment Plan,Schedule,program apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Girin lütfen DocType: Lead,Channel Partner,Kanal ortağı apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Faturalanan Tutar DocType: Project,From Template,Şablondan +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Abonelikler apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Yapılacak Miktar DocType: Quality Review Table,Achieved,elde @@ -6910,7 +6954,6 @@ DocType: Journal Entry,Subscription Section,Abonelik Bölümü DocType: Salary Slip,Payment Days,Ödeme Günleri apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Gönüllü bilgi apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"Daha Eski Stokları Dondur"% d günden daha küçük olmalıdır. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Mali Yılı Seçin DocType: Bank Reconciliation,Total Amount,Toplam tutar DocType: Certification Application,Non Profit,Kar amacı gütmeyen DocType: Subscription Settings,Cancel Invoice After Grace Period,Ödemeden Sonra Faturayı İptal Et @@ -6923,7 +6966,6 @@ DocType: Serial No,Warranty Period (Days),Garanti Süresi (Günler) DocType: Expense Claim Detail,Expense Claim Detail,Gider Talebi Ayrıntısı apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Programı: DocType: Patient Medical Record,Patient Medical Record,Hasta Tıbbi Kayıt -DocType: Quality Action,Action Description,Eylem Açıklaması DocType: Item,Variant Based On,Dayalı Değişken DocType: Vehicle Service,Brake Oil,Fren Yağı DocType: Employee,Create User,Kullanıcı oluştur @@ -6979,7 +7021,7 @@ DocType: Cash Flow Mapper,Section Name,Bölüm adı DocType: Packed Item,Packed Item,Paketlenmiş Öğe apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: {2} için borç veya kredi tutarı gerekli apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Maaş Fişleri Gönderiliyor ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Hiçbir eylem +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Hiçbir eylem apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bütçe, bir Gelir veya Gider hesabı olmadığından {0} hesabına atanamaz." apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Ustalar ve Hesaplar DocType: Quality Procedure Table,Responsible Individual,Sorumlu Birey @@ -7102,7 +7144,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Alt Şirkete Karşı Hesap Oluşturmaya İzin Verin DocType: Payment Entry,Company Bank Account,Şirket Banka Hesabı DocType: Amazon MWS Settings,UK,UK -DocType: Quality Procedure,Procedure Steps,Prosedür adımları DocType: Normal Test Items,Normal Test Items,Normal Test Öğeleri apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,"{0} Maddesi: Sipariş edilen {1} miktarı, minimum sipariş miktarı {2} 'den az olamaz (Madde içinde tanımlanmıştır)." apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Stokta yok @@ -7181,7 +7222,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,analitik DocType: Maintenance Team Member,Maintenance Role,Bakım Rolü apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Şartlar ve Koşullar Şablonu DocType: Fee Schedule Program,Fee Schedule Program,Ücret Tarifesi Programı -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kurs {0} mevcut değil. DocType: Project Task,Make Timesheet,Zaman Çizelgesi Yap DocType: Production Plan Item,Production Plan Item,Üretim Planı Öğesi apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Toplam Öğrenci @@ -7203,6 +7243,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Sarma apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Üyeliğinizin süresi 30 gün içinde sona ererse, yalnızca yenileyebilirsiniz." apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Değer {0} ve {1} arasında olmalıdır +DocType: Quality Feedback,Parameters,Parametreler ,Sales Partner Transaction Summary,Satış Ortağı İşlem Özeti DocType: Asset Maintenance,Maintenance Manager Name,Bakım Müdürü Adı apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Öğe Ayrıntılarını getirmek gerekiyor. @@ -7241,6 +7282,7 @@ DocType: Student Admission,Student Admission,Öğrenci Kabulü DocType: Designation Skill,Skill,Beceri DocType: Budget Account,Budget Account,Bütçe Hesabı DocType: Employee Transfer,Create New Employee Id,Yeni Çalışan Kimliği Oluştur +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{1} 'Kar ve Zarar' hesabı için {0} gereklidir. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Mal ve Hizmet Vergisi (GST Hindistan) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Maaş Fişleri oluşturuluyor ... DocType: Employee Skill,Employee Skill,Çalışan Beceri @@ -7341,6 +7383,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Sarf Malzemel DocType: Subscription,Days Until Due,Sona Kadar Günler apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Tamamlananları Göster apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Hesap özeti işlem giriş raporu +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Banka Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Satır # {0}: Hız {1} ile aynı olmalıdır: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Sağlık Hizmeti Öğeleri @@ -7397,6 +7440,7 @@ DocType: Training Event Employee,Invited,Davetli apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},{0} bileşeni için uygun maksimum tutar {1} 'i aşıyor apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Fatura Tutarı apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","{0} için, yalnızca borç hesapları başka bir kredi girişine bağlanabilir" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Boyutların Oluşturulması ... DocType: Bank Statement Transaction Entry,Payable Account,Ödenecek Hesap apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Lütfen gerekli ziyaret sayısını belirtmeyin DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Yalnızca Nakit Akışı Eşleyici belgeleri ayarladıysanız seçin @@ -7414,6 +7458,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,F DocType: Service Level,Resolution Time,Çözünürlük zaman DocType: Grading Scale Interval,Grade Description,Sınıf açıklaması DocType: Homepage Section,Cards,Kartlar +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kalite Toplantı Tutanakları DocType: Linked Plant Analysis,Linked Plant Analysis,Bağlantılı Bitki Analizi apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Servis Durdurma Tarihi Servis Bitiş Tarihi'nden sonra olamaz apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Lütfen GST Ayarlarında B2C Limitini ayarlayın. @@ -7447,7 +7492,6 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Salary Stru DocType: Employee Attendance Tool,Employee Attendance Tool,Çalışan Seyirci Aracı DocType: Employee,Educational Qualification,eğitimsel yeterlilik apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Erişilebilir Değer -DocType: Quiz,Last Highest Score,Son En Yüksek Puan DocType: POS Profile,Taxes and Charges,Vergiler ve Harçlar DocType: Opportunity,Contact Mobile No,İletişim Mobile No DocType: Employee,Joining Details,Ayrıntılara Katılma diff --git a/erpnext/translations/uk.csv b/erpnext/translations/uk.csv index 61a8ef357b..f1abd954d2 100644 --- a/erpnext/translations/uk.csv +++ b/erpnext/translations/uk.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Номер частини DocType: Journal Entry Account,Party Balance,Баланс партії apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Джерело коштів (зобов'язань) DocType: Payroll Period,Taxable Salary Slabs,Оподатковувані плити заробітної плати +DocType: Quality Action,Quality Feedback,Якість зворотного зв'язку DocType: Support Settings,Support Settings,Параметри підтримки apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Спочатку введіть елемент виробництва DocType: Quiz,Grading Basis,Базисна оцінка @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Детальн DocType: Salary Component,Earning,Заробіток DocType: Restaurant Order Entry,Click Enter To Add,Натисніть "Ввести додати" DocType: Employee Group,Employee Group,Група працівників +DocType: Quality Procedure,Processes,Процеси DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,"Вкажіть курс обміну, щоб конвертувати одну валюту в іншу" apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Діапазон старіння 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},"Склад, необхідний для наявності товару {0}" @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Скарга DocType: Shipping Rule,Restrict to Countries,Обмежити для країн DocType: Hub Tracked Item,Item Manager,Пункт Менеджер apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Валюта рахунку закриття має бути {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Бюджети apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Відкриття рахунку-фактури DocType: Work Order,Plan material for sub-assemblies,Плануйте матеріал для вузлів apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Устаткування DocType: Budget,Action if Annual Budget Exceeded on MR,"Дія, якщо щорічний бюджет перевищено на ЗМ" DocType: Sales Invoice Advance,Advance Amount,Попередня сума +DocType: Accounting Dimension,Dimension Name,Назва розміру DocType: Delivery Note Item,Against Sales Invoice Item,Проти рахунку-фактури DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Включіть предмет у виробництво @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Що це роб ,Sales Invoice Trends,Тенденції фактури продажів DocType: Bank Reconciliation,Payment Entries,Платіжні записи DocType: Employee Education,Class / Percentage,Клас / Відсоток -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товару> Група товарів> Марка ,Electronic Invoice Register,Електронний реєстр рахунків-фактур DocType: Sales Invoice,Is Return (Credit Note),Є повернення (кредитна нотатка) DocType: Lab Test Sample,Lab Test Sample,Лабораторний тестовий зразок @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Варіанти apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",Тарифи розподілятимуться пропорційно на основі кількості або кількості товару відповідно до вашого вибору apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Наразі очікувані заходи +DocType: Quality Procedure Process,Quality Procedure Process,Процедура процедури якості DocType: Fee Schedule Program,Student Batch,Студентська партія apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},"Швидкість оцінки, необхідна для елемента в рядку {0}" DocType: BOM Operation,Base Hour Rate(Company Currency),Базовий часовий коефіцієнт (валюта компанії) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Встановіть кількість операцій на основі серійного вводу apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},"Попередня валюта рахунку повинна бути такою ж, як і валюта компанії {0}" apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Налаштувати розділи домашньої сторінки -DocType: Quality Goal,October,Жовтень +DocType: GSTR 3B Report,October,Жовтень DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Приховати податковий ідентифікатор клієнта від операцій продажу apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,Недійсний GSTIN! GSTIN має містити 15 символів. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Правило ціноутворення {0} оновлено @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Залишити баланс apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Графік обслуговування {0} існує проти {1} DocType: Assessment Plan,Supervisor Name,Ім'я керівника DocType: Selling Settings,Campaign Naming By,Назва кампанії -DocType: Course,Course Code,Код курсу +DocType: Student Group Creation Tool Course,Course Code,Код курсу apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Аерокосмічна DocType: Landed Cost Voucher,Distribute Charges Based On,Розподіляйте заряд на основі DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Критерії підрахунку рахунків постачальників @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Меню ресторану DocType: Asset Movement,Purpose,Призначення apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Розподіл структури заробітної плати для працівника вже існує DocType: Clinical Procedure,Service Unit,Відділ обслуговування -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія DocType: Travel Request,Identification Document Number,Номер ідентифікаційного документа DocType: Stock Entry,Additional Costs,Додаткові витрати -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Батьківський курс (Залиште порожнім, якщо це не є частиною батьківського курсу)" DocType: Employee Education,Employee Education,Освіта працівників apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Кількість позицій не може бути меншою за поточну кількість працівників apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Усі групи клієнтів @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Рядок {0}: Кількість обов'язкова DocType: Sales Invoice,Against Income Account,Рахунок доходів apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Рядок # {0}: рахунок-фактуру не може бути зроблено проти існуючого активу {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Правила застосування різних рекламних схем. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},"Коефіцієнт покриття UOM, необхідний для UOM: {0} у елементі: {1}" apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Введіть кількість для елемента {0} DocType: Workstation,Electricity Cost,Вартість електроенергії @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Загальна проектована кіл apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Боми DocType: Work Order,Actual Start Date,Фактична дата початку apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Ви не присутні протягом усього дня (днів) між днями компенсаційних відпусток -DocType: Company,About the Company,Про компанію apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Дерево фінансових рахунків. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Непрямий дохід DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Забронювати номер в готелі @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,База д DocType: Skill,Skill Name,Ім'я навички apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Друк картки звітів DocType: Soil Texture,Ternary Plot,Потрійна ділянка +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Квитки на підтримку DocType: Asset Category Account,Fixed Asset Account,Обліковий запис основних засобів apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Останні @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Курс зарах ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,"Установіть серію, яка буде використовуватися." DocType: Delivery Trip,Distance UOM,Відстань UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Обов'язковий для балансу DocType: Payment Entry,Total Allocated Amount,Загальна виділена сума DocType: Sales Invoice,Get Advances Received,Отримати отримані аванси DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Графік обс apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,"POS-профіль, необхідний для здійснення POS-запису" DocType: Education Settings,Enable LMS,Увімкнути LMS DocType: POS Closing Voucher,Sales Invoices Summary,Підсумок рахунків-фактур продажу +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Користь apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит Для облікового запису має бути обліковий запис балансу DocType: Video,Duration,Тривалість DocType: Lab Test Template,Descriptive,Описовий @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Початок і кінець дат DocType: Supplier Scorecard,Notify Employee,Повідомляти працівника apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Програмне забезпечення +DocType: Program,Allow Self Enroll,Дозволити самостійну реєстрацію apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Витрати на акції apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Довідковий номер є обов'язковим, якщо ви ввели довідкову дату" DocType: Training Event,Workshop,Семінар @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Шаблон лабораторно apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Макс.: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Інформація про електронне виставлення рахунків відсутня apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Не створено жодного матеріалу +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товару> Група товарів> Марка DocType: Loan,Total Amount Paid,"Загальна сума, сплачена" apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Усі ці елементи вже виставлено на рахунок DocType: Training Event,Trainer Name,Назва тренера @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Навчальний рік DocType: Sales Stage,Stage Name,Творчий псевдонім DocType: SMS Center,All Employee (Active),Усі працівники (активні) +DocType: Accounting Dimension,Accounting Dimension,Розміри обліку DocType: Project,Customer Details,Дані клієнта DocType: Buying Settings,Default Supplier Group,Група постачальників за замовчуванням apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Спершу скасуйте квитанцію про придбання {0} @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Вище чис DocType: Designation,Required Skills,Необхідні навички DocType: Marketplace Settings,Disable Marketplace,Вимкнути Marketplace DocType: Budget,Action if Annual Budget Exceeded on Actual,"Дія, якщо щорічний бюджет перевищує фактичний" -DocType: Course,Course Abbreviation,Абревіатура курсу apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Відвідування не надійшло на {0} як {1} у відпустці. DocType: Pricing Rule,Promotional Scheme Id,Ідентифікатор рекламної схеми apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Дата завершення завдання {0} не може перевищувати {1} очікуваної кінцевої дати {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Маржа Гроші DocType: Chapter,Chapter,Глава DocType: Purchase Receipt Item Supplied,Current Stock,Поточний запас DocType: Employee,History In Company,Історія в компанії -DocType: Item,Manufacturer,Виробник +DocType: Purchase Invoice Item,Manufacturer,Виробник apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Помірна чутливість DocType: Compensatory Leave Request,Leave Allocation,Залишити виділення DocType: Timesheet,Timesheet,Табель обліку робочого часу @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Передані ма DocType: Products Settings,Hide Variants,Сховати варіанти DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Вимкнути планування потужності та відстеження часу DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Розраховується в транзакції. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} потрібно для облікового запису "Баланс" {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,"{0} заборонено здійснювати операції з {1}. Будь ласка, змініть Компанію." 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}" DocType: Delivery Trip,Delivery Details,Деталі доставки @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Поперед apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Одиниця виміру DocType: Lab Test,Test Template,Тест шаблону DocType: Fertilizer,Fertilizer Contents,Зміст добрив -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Хвилина +DocType: Quality Meeting Minutes,Minute,Хвилина apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Рядок # {0}: Активу {1} неможливо надіслати, це вже {2}" DocType: Task,Actual Time (in Hours),Фактичний час (у годинах) DocType: Period Closing Voucher,Closing Account Head,Закриття головного рахунку @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Лабораторія DocType: Purchase Order,To Bill,До Білла apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Комунальні витрати DocType: Manufacturing Settings,Time Between Operations (in mins),Час між операціями (у хвилинах) -DocType: Quality Goal,May,Може +DocType: GSTR 3B Report,May,Може apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Обліковий запис шлюзу оплати не створено, будь ласка, створіть його вручну." DocType: Opening Invoice Creation Tool,Purchase,Придбати DocType: Program Enrollment,School House,Будинок школи @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,Нормативна інформація та інша загальна інформація про Вашого Постачальника DocType: Item Default,Default Selling Cost Center,Центр продажу за промовчанням DocType: Sales Partner,Address & Contacts,Адреса та контакти +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Встановіть послідовність нумерації для відвідування за допомогою налаштування> Серія нумерації DocType: Subscriber,Subscriber,Абонент apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) немає на складі apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Спочатку виберіть Дата публікації @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Заряди для ст DocType: Bank Statement Settings,Transaction Data Mapping,Зіставлення даних транзакцій apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,"Провідник вимагає або ім'я особи, або назву організації" DocType: Student,Guardians,Опікуни +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Будь ласка, налаштуйте систему назв інструктора в освіті> Параметри освіти" apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Виберіть бренд ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Середній дохід DocType: Shipping Rule,Calculate Based On,Розрахувати на основі @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Аванс претензі DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Коригування округлення (валюта компанії) DocType: Item,Publish in Hub,Опублікувати в Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,Серпень +DocType: GSTR 3B Report,August,Серпень apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Спочатку введіть Отримання замовлення apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Початок року apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Ціль ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,Макс apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Джерело і цільовий склад повинні бути різними DocType: Employee Benefit Application,Benefits Applied,Переваги застосовані apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Запис проти запису журналу {0} не має жодного неперевершеного запису {1} +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Спеціальні символи, крім "-", "#", ".", "/", "{" І "}" не дозволені в назві серії" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Ціна або знижка продукту плити потрібні apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Встановіть ціль apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Існує запис про відвідування {0} щодо студента {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,На місяць DocType: Routing,Routing Name,Ім'я маршрутизації DocType: Disease,Common Name,Звичайне ім'я -DocType: Quality Goal,Measurable,Вимірюваний DocType: Education Settings,LMS Title,Назва LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Управління кредитами -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Підтримка аналтіки DocType: Clinical Procedure,Consumable Total Amount,Загальна кількість витратних матеріалів apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Увімкнути шаблон apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Клієнт LPO @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,Служив DocType: Loan,Member,Член DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Графік роботи відділу обслуговування практикуючих apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Банківський переказ +DocType: Quality Review Objective,Quality Review Objective,Мета перевірки якості DocType: Bank Reconciliation Detail,Against Account,Проти рахунку DocType: Projects Settings,Projects Settings,Параметри проектів apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Фактична кількість {0} / кількість очікувань {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,В apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Дата закінчення фінансового року має бути один рік після дати початку фінансового року apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Щоденні нагадування DocType: Item,Default Sales Unit of Measure,Одиниця вимірювання за замовчуванням +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Компанія GSTIN DocType: Asset Finance Book,Rate of Depreciation,Норма амортизації DocType: Support Search Source,Post Description Key,Ключ до Повідомлення DocType: Loyalty Program Collection,Minimum Total Spent,Мінімальна сума витрачених витрат @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Зміна групи клієнтів для вибраного клієнта не допускається. DocType: Serial No,Creation Document Type,Тип документа створення DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Доступна партія на складі +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Рахунок загальної суми apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,"Це коренева територія, яку не можна редагувати." DocType: Patient,Surgical History,Хірургічна історія apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Дерево процедур якості. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,"Позначте це, якщо хочете показати на веб-сайті" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Фіскальний рік {0} не знайдено DocType: Bank Statement Settings,Bank Statement Settings,Налаштування банківських виписок +DocType: Quality Procedure Process,Link existing Quality Procedure.,Посилання на існуючу процедуру якості. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Імпортуйте графік облікових записів з файлів CSV / Excel DocType: Appraisal Goal,Score (0-5),Оцінка (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} вибрано кілька разів у таблиці атрибутів DocType: Purchase Invoice,Debit Note Issued,Видана дебетна нотатка @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Залишити деталі політики apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Склад не знайдено в системі DocType: Healthcare Practitioner,OP Consulting Charge,OP Consulting Charge -DocType: Quality Goal,Measurable Goal,Вимірювана мета DocType: Bank Statement Transaction Payment Item,Invoices,Рахунки-фактури DocType: Currency Exchange,Currency Exchange,Обмін валюти DocType: Payroll Entry,Fortnightly,Щотижня @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} не надіслано DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Сировину від поповнення складових DocType: Maintenance Team Member,Maintenance Team Member,Член команди технічного обслуговування +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Налаштування користувацьких розмірів для обліку DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Мінімальна відстань між рядами рослин для оптимального зростання DocType: Employee Health Insurance,Health Insurance Name,Назва медичного страхування apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Фондові активи @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,Назва платіжної адр apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Альтернативний пункт DocType: Certification Application,Name of Applicant,Ім'я заявника DocType: Leave Type,Earned Leave,Зароблений відпусток -DocType: Quality Goal,June,Червень +DocType: GSTR 3B Report,June,Червень apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Рядок {0}: для елемента {1} потрібне місце виникнення витрат apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Може бути схвалено {0} apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Одиниця виміру {0} була введена більше ніж один раз в таблицю коефіцієнтів перетворення @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,Стандартна ставк apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Установіть активне меню для ресторану {0} 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: Asset Finance Book,Asset Finance Book,Книга фінансових активів +DocType: Quality Goal Objective,Quality Goal Objective,Мета цілі якості DocType: Employee Transfer,Employee Transfer,Передача працівників ,Sales Funnel,Воронка продажів DocType: Agriculture Analysis Criteria,Water Analysis,Аналіз води @@ -2145,6 +2160,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Власник п apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Відкладені заходи apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Перелічіть декілька ваших клієнтів. Це можуть бути організації або окремі особи. DocType: Bank Guarantee,Bank Account Info,Інформація про банківський рахунок +DocType: Quality Goal,Weekday,День тижня apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Ім'я Guardian1 DocType: Salary Component,Variable Based On Taxable Salary,"Змінна, заснована на оплатній зарплаті" DocType: Accounting Period,Accounting Period,Обліковий період @@ -2228,7 +2244,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Коригування округ DocType: Quality Review Table,Quality Review Table,Таблиця огляду якості DocType: Member,Membership Expiry Date,Дата закінчення членства DocType: Asset Finance Book,Expected Value After Useful Life,Очікувана цінність після корисного життя -DocType: Quality Goal,November,Листопад +DocType: GSTR 3B Report,November,Листопад DocType: Loan Application,Rate of Interest,Ставка відсотка DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Розрахункова операція з банківським рахунком DocType: Restaurant Reservation,Waitlisted,У списку очікування @@ -2292,6 +2308,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Рядок {0}: для встановлення періодичності {1}, різниця між значеннями від та до дати має бути більшою або дорівнює {2}" DocType: Purchase Invoice Item,Valuation Rate,Швидкість оцінки DocType: Shopping Cart Settings,Default settings for Shopping Cart,Стандартні параметри для кошика для покупок +DocType: Quiz,Score out of 100,Оцінка з 100 DocType: Manufacturing Settings,Capacity Planning,Планування потенціалу apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Перейти до інструктора DocType: Activity Cost,Projects,Проекти @@ -2301,6 +2318,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Від часу apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Звіт про деталі варіанта +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Для купівлі apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Слоти для {0} не додаються до розкладу DocType: Target Detail,Target Distribution,Розподіл цілей @@ -2318,6 +2336,7 @@ DocType: Activity Cost,Activity Cost,Вартість діяльності DocType: Journal Entry,Payment Order,Платіжне доручення apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Ціноутворення ,Item Delivery Date,Дата доставки товару +DocType: Quality Goal,January-April-July-October,Січень-квітень-липень-жовтень DocType: Purchase Order Item,Warehouse and Reference,Склад і довідка apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Обліковий запис із дочірніми вузлами не може бути перетворений у головну книгу DocType: Soil Texture,Clay Composition (%),Склад глини (%) @@ -2368,6 +2387,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Майбутні да apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Варіантність apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,Рядок {0}: встановіть спосіб оплати на графіку платежів apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Академічний термін: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Параметр якості зворотного зв'язку apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Виберіть Застосувати знижку на apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Рядок # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Усього платежів @@ -2410,7 +2430,7 @@ DocType: Hub Tracked Item,Hub Node,Вузол концентратора apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Ідентифікатор працівника DocType: Salary Structure Assignment,Salary Structure Assignment,Призначення структури заробітної плати DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Податки на купівлю POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Дія ініціалізована +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Дія ініціалізована DocType: POS Profile,Applicable for Users,Застосовується для користувачів DocType: Training Event,Exam,Іспит apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,"Невірна кількість знайдених записів головної книги. Можливо, у транзакції вибрано неправильний обліковий запис." @@ -2517,6 +2537,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Довгота DocType: Accounts Settings,Determine Address Tax Category From,Визначити категорію податкової адреси з apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,"Визначення осіб, які приймають рішення" +DocType: Stock Entry Detail,Reference Purchase Receipt,Довідка про придбання apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Отримати рахунки-фактури DocType: Tally Migration,Is Day Book Data Imported,Імпортовані дані книги "День" ,Sales Partners Commission,Комісія партнерів з продажу @@ -2540,6 +2561,7 @@ DocType: Leave Type,Applicable After (Working Days),Застосовується DocType: Timesheet Detail,Hrs,Hrs DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Критерії показників постачальника DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Параметр шаблону зворотного зв'язку з якістю apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,"Дата приєднання повинна бути більшою, ніж дата народження" DocType: Bank Statement Transaction Invoice Item,Invoice Date,Дата рахунка-фактури DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Створіть лабораторний (-і) тест (-и) на пред'явленні рахунку-фактури @@ -2646,7 +2668,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Мінімальна DocType: Stock Entry,Source Warehouse Address,Адреса джерела DocType: Compensatory Leave Request,Compensatory Leave Request,Запит на компенсаційний відпуск DocType: Lead,Mobile No.,Номер мобільного. -DocType: Quality Goal,July,Липень +DocType: GSTR 3B Report,July,Липень apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Придатний ITC DocType: Fertilizer,Density (if liquid),Щільність (якщо рідина) DocType: Employee,External Work History,Зовнішня робота @@ -2723,6 +2745,7 @@ DocType: Certification Application,Certification Status,Статус серти apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Місцезнаходження джерела потрібно для активу {0} DocType: Employee,Encashment Date,Дата інкасації apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Виберіть Дата завершення для журналу обслуговування завершеного активу +DocType: Quiz,Latest Attempt,Останні спроби DocType: Leave Block List,Allow Users,Дозволити користувачам apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Діаграма рахунків apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"Клієнт є обов'язковим, якщо для клієнта вибрано "Можливість з"" @@ -2787,7 +2810,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Налаштуван DocType: Amazon MWS Settings,Amazon MWS Settings,Налаштування Amazon MWS DocType: Program Enrollment,Walking,Ходьба DocType: SMS Log,Requested Numbers,Запитані номери -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Встановіть послідовність нумерації для відвідування за допомогою налаштування> Серія нумерації DocType: Woocommerce Settings,Freight and Forwarding Account,Рахунок вантажів та експедиції apps/erpnext/erpnext/accounts/party.py,Please select a Company,Виберіть компанію apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Рядок {0}: {1} має бути більше 0 @@ -2857,7 +2879,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,"Рахун DocType: Training Event,Seminar,Семінар apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Кредит ({0}) DocType: Payment Request,Subscription Plans,Плани підписки -DocType: Quality Goal,March,Березень +DocType: GSTR 3B Report,March,Березень apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Розділений пакет DocType: School House,House Name,Назва будинку apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Невиконаний для {0} не може бути меншим за нуль ({1}) @@ -2920,7 +2942,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Дата початку страхування DocType: Target Detail,Target Detail,Детальна мета DocType: Packing Slip,Net Weight UOM,Вага нетто UOM -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: Purchase Invoice Item,Net Amount (Company Currency),Чиста сума (валюта компанії) DocType: Bank Statement Transaction Settings Item,Mapped Data,Зіставлені дані apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Цінні папери та депозити @@ -2970,6 +2991,7 @@ DocType: Cheque Print Template,Cheque Height,Перевірте висоту apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Введіть дату звільнення. DocType: Loyalty Program,Loyalty Program Help,Довідка Програми лояльності DocType: Journal Entry,Inter Company Journal Entry Reference,Посилання на вхід до журналу +DocType: Quality Meeting,Agenda,Порядок денний DocType: Quality Action,Corrective,Коригуючий apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Група за DocType: Bank Account,Address and Contact,Адреса та контакт @@ -3023,7 +3045,7 @@ DocType: GL Entry,Credit Amount,Сума кредиту apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Загальна сума кредиту DocType: Support Search Source,Post Route Key List,Список ключових слів маршруту apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} не у будь-який активний фінансовий рік. -DocType: Quality Action Table,Problem,Проблема +DocType: Quality Action Resolution,Problem,Проблема DocType: Training Event,Conference,Конференція DocType: Mode of Payment Account,Mode of Payment Account,Режим оплати рахунку DocType: Leave Encashment,Encashable days,"Кількість днів, що підлягають конвертації" @@ -3149,7 +3171,7 @@ DocType: Item,"Purchase, Replenishment Details","Покупка, Деталі п DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",Після встановлення цей рахунок буде призупинено до встановленої дати apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,"Запас не може існувати для елемента {0}, оскільки має варіанти" DocType: Lab Test Template,Grouped,Згруповані -DocType: Quality Goal,January,Січень +DocType: GSTR 3B Report,January,Січень DocType: Course Assessment Criteria,Course Assessment Criteria,Критерії оцінки курсу DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Виконано Кількість @@ -3245,7 +3267,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Тип оди apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Будь ласка, введіть принаймні один рахунок-фактуру в таблиці" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Замовлення клієнта {0} не надіслано apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Відвідування успішно відзначено. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Попередньо продані +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Попередньо продані apps/erpnext/erpnext/config/projects.py,Project master.,Майстер проекту. DocType: Daily Work Summary,Daily Work Summary,Підсумок щоденної роботи DocType: Asset,Partially Depreciated,Частково знецінюється @@ -3254,6 +3276,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Залишити? DocType: Certified Consultant,Discuss ID,Обговорити ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Установіть облікові записи GST у налаштуваннях GST +DocType: Quiz,Latest Highest Score,Останній вищий бал DocType: Supplier,Billing Currency,Валюта платежу apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Діяльність студента apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Або обов'язкова кількість або цільова сума є обов'язковою @@ -3279,18 +3302,21 @@ DocType: Sales Order,Not Delivered,Не доставлено apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Тип залишення {0} не може бути виділено, оскільки він залишається без оплати" DocType: GL Entry,Debit Amount,Дебетова сума apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Вже існує запис для елемента {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Суб-збірки 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.","Якщо продовжують брати участь кілька правил ціноутворення, користувачам пропонується встановити пріоритет вручну для вирішення конфлікту." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Неможливо відняти, коли категорія призначена для "Оцінка" або "Оцінка та сума"" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Необхідні специфікації та кількість виготовлення apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Елемент {0} завершив своє життя на {1} DocType: Quality Inspection Reading,Reading 6,Читання 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Поле компанії є обов'язковим apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Споживання матеріалу не встановлено у налаштуваннях виробництва. DocType: Assessment Group,Assessment Group Name,Назва групи оцінки -DocType: Item,Manufacturer Part Number,Номер частини виробника +DocType: Purchase Invoice Item,Manufacturer Part Number,Номер частини виробника apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Розрахунок заробітної плати apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Рядок # {0}: {1} не може бути від'ємним для елемента {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Коефіцієнт балансу +DocType: Question,Multiple Correct Answer,Кілька правильних відповідей DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Очки лояльності = Скільки базової валюти? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Примітка. Немає достатньо залишити залишок для типу залишення {0} DocType: Clinical Procedure,Inpatient Record,Стаціонарний запис @@ -3413,6 +3439,7 @@ DocType: Fee Schedule Program,Total Students,Усього студентів apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Місцеві DocType: Chapter Member,Leave Reason,Залиште Причину DocType: Salary Component,Condition and Formula,Стан і формула +DocType: Quality Goal,Objectives,Цілі apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Заробітна плата вже оброблена за період між {0} і {1}, період залишення програми не може бути між цим діапазоном дат." DocType: BOM Item,Basic Rate (Company Currency),Базова ставка (валюта компанії) DocType: BOM Scrap Item,BOM Scrap Item,Елемент лома @@ -3463,6 +3490,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Рахунок претензії на витрати apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Відсутність виплат для журналу apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} неактивний студент +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Зробити запис про запас DocType: Employee Onboarding,Activities,Діяльності apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Принаймні один склад обов'язковий ,Customer Credit Balance,Кредитний баланс клієнтів @@ -3547,7 +3575,6 @@ DocType: Contract,Contract Terms,Умови контракту apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Або обов'язкова кількість або цільова сума є обов'язковою. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Недійсний {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Дата зустрічі DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Абревіатура не може містити більше 5 символів DocType: Employee Benefit Application,Max Benefits (Yearly),Максимальні переваги (щорічно) @@ -3650,7 +3677,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Банківські збори apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Перенесені товари apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Основні контактні дані -DocType: Quality Review,Values,Значення DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Якщо цей пункт не буде позначено, список буде додано до кожного департаменту, де він має бути застосований." DocType: Item Group,Show this slideshow at the top of the page,Показати це слайд-шоу у верхній частині сторінки apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Параметр {0} недійсний @@ -3669,6 +3695,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Рахунок банківських зборів DocType: Journal Entry,Get Outstanding Invoices,Отримати виставлені рахунки-фактури DocType: Opportunity,Opportunity From,Можливість від +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Деталі цілі DocType: Item,Customer Code,Код клієнта apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Спочатку введіть елемент apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Лістинг веб-сайту @@ -3697,7 +3724,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Доставка до DocType: Bank Statement Transaction Settings Item,Bank Data,Банківські дані apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Заплановано до початку -DocType: Quality Goal,Everyday,Щодня DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Підтримуйте платіжні години та робочі години apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Провідний напрямок від джерела джерела. DocType: Clinical Procedure,Nursing User,Користувач для догляду @@ -3722,7 +3748,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Управління DocType: GL Entry,Voucher Type,Тип ваучера ,Serial No Service Contract Expiry,Послідовний термін дії контракту з обслуговуванням DocType: Certification Application,Certified,Сертифікований -DocType: Material Request Plan Item,Manufacture,Виробництво +DocType: Purchase Invoice Item,Manufacture,Виробництво apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,Виконано {0} елементів apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Запит платежу для {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Дні від останнього замовлення @@ -3737,7 +3763,7 @@ DocType: Sales Invoice,Company Address Name,Назва адреси компан apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Товари в транзиті apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Ви можете скористатися лише максимум {0} пунктів у цьому порядку. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},"Будь ласка, встановіть обліковий запис у Warehouse {0}" -DocType: Quality Action Table,Resolution,Роздільна здатність +DocType: Quality Action,Resolution,Роздільна здатність DocType: Sales Invoice,Loyalty Points Redemption,Погашення очок лояльності apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Загальна оподатковувана вартість DocType: Patient Appointment,Scheduled,Заплановано @@ -3858,6 +3884,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Оцінити apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Збереження {0} DocType: SMS Center,Total Message(s),Усього повідомлень +DocType: Purchase Invoice,Accounting Dimensions,Розміри обліку apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Групувати за рахунком DocType: Quotation,In Words will be visible once you save the Quotation.,"У словах буде видно, як тільки ви збережете пропозицію." apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Кількість для виробництва @@ -4022,7 +4049,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Якщо у Вас виникли питання, зверніться до нас." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Отримано квитанцію про придбання {0} DocType: Task,Total Expense Claim (via Expense Claim),Загальна сума претензії на витрати -DocType: Quality Action,Quality Goal,Цілі якості +DocType: Quality Goal,Quality Goal,Цілі якості DocType: Support Settings,Support Portal,Портал підтримки apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Дата завершення завдання {0} не може бути меншою за {1} очікувану дату початку {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Співробітник {0} увімкнено на {1} @@ -4081,7 +4108,6 @@ DocType: BOM,Operating Cost (Company Currency),Операційні витрат DocType: Item Price,Item Price,Ціна товару DocType: Payment Entry,Party Name,Назва партії apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Виберіть клієнта -DocType: Course,Course Intro,Курс Intro DocType: Program Enrollment Tool,New Program,Нова програма apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Номер нового місця виникнення витрат, він буде включено до назви місця виникнення витрат як префікс" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Виберіть клієнта або постачальника. @@ -4282,6 +4308,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Чиста заробітна плата не може бути негативною apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,№ взаємодії 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/hr/doctype/employee/employee_dashboard.py,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Обробка схеми рахунків та Сторін DocType: Stock Settings,Convert Item Description to Clean HTML,Перетворити опис елемента на очищення HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Всі групи постачальників @@ -4360,6 +4387,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Батьківський елемент apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Брокерські послуги apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Створіть чек або рахунок-фактуру для товару {0} +,Product Bundle Balance,Баланс продуктового набору apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Назва компанії не може бути Компанією DocType: Maintenance Visit,Breakdown,Зламатися DocType: Inpatient Record,B Negative,B Негативний @@ -4368,7 +4396,7 @@ DocType: Purchase Invoice,Credit To,Кредит apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Надіслати цей робочий наказ для подальшої обробки. DocType: Bank Guarantee,Bank Guarantee Number,Номер банківської гарантії apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Доставлено: {0} -DocType: Quality Action,Under Review,У розділі Огляд +DocType: Quality Meeting Table,Under Review,У розділі Огляд apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Сільське господарство (бета-версія) ,Average Commission Rate,Середня комісія DocType: Sales Invoice,Customer's Purchase Order Date,Дата замовлення клієнта @@ -4485,7 +4513,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Зібрати платежі з рахунками-фактурами DocType: Holiday List,Weekly Off,Тижневий Вимк apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Не дозволяти встановлювати альтернативний елемент для елемента {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Програма {0} не існує. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Програма {0} не існує. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Не можна редагувати кореневий вузол. DocType: Fee Schedule,Student Category,Категорія студента apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Елемент {0}: {1} вироблено," @@ -4576,8 +4604,8 @@ DocType: Crop,Crop Spacing,Інтервал обтинання DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Як часто потрібно оновлювати проект і компанію на основі операцій з продажу. DocType: Pricing Rule,Period Settings,Налаштування періоду apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Чиста зміна дебіторської заборгованості +DocType: Quality Feedback Template,Quality Feedback Template,Шаблон зворотного зв'язку якості apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Для кількості повинна бути більше нуля -DocType: Quality Goal,Goal Objectives,Цілі цілі apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Існують невідповідності між курсом, без акцій і розрахованою сумою" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Залиште порожнім, якщо ви робите групи студентів на рік" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Кредити (зобов'язання) @@ -4612,12 +4640,13 @@ DocType: Quality Procedure Table,Step,Крок DocType: Normal Test Items,Result Value,Значення результату DocType: Cash Flow Mapping,Is Income Tax Liability,Відповідальність по податку на прибуток DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Елемент платного переходу в стаціонар -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} не існує. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} не існує. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Оновити відповідь DocType: Bank Guarantee,Supplier,Постачальник apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Введіть значення між {0} і {1} DocType: Purchase Order,Order Confirmation Date,Дата підтвердження замовлення DocType: Delivery Trip,Calculate Estimated Arrival Times,Розрахунок розрахункового часу прибуття +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Налаштуйте систему імен співробітників у людських ресурсах> Параметри HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Споживана DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Дата початку підписки @@ -4681,6 +4710,7 @@ DocType: Cheque Print Template,Is Account Payable,Це кредиторська apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Загальна вартість замовлення apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Постачальник {0} не знайдено у {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Налаштування параметрів шлюзу SMS +DocType: Salary Component,Round to the Nearest Integer,Поверніться до найближчого цілого числа apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Кореневий центр не може мати батьківського місця виникнення витрат DocType: Healthcare Service Unit,Allow Appointments,Дозволити зустрічі DocType: BOM,Show Operations,Показати операції @@ -4809,7 +4839,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Стандартний список відпусток DocType: Naming Series,Current Value,Поточне значення apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Сезонність для встановлення бюджетів, цілей тощо" -DocType: Program,Program Code,Код програми apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Попередження: замовлення на купівлю-продажу {0} вже існує для замовлення клієнта {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Щомісячна мета продажу ( DocType: Guardian,Guardian Interests,Інтереси опікунів @@ -4859,10 +4888,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Платні та не доставлені apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Код елемента є обов'язковим, оскільки елемент не пронумерований автоматично" DocType: GST HSN Code,HSN Code,Код HSN -DocType: Quality Goal,September,Вересень +DocType: GSTR 3B Report,September,Вересень apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Адміністративні витрати DocType: C-Form,C-Form No,C-форма № DocType: Purchase Invoice,End date of current invoice's period,Дата закінчення періоду поточного рахунку +DocType: Item,Manufacturers,Виробники DocType: Crop Cycle,Crop Cycle,Цикл обтинання DocType: Serial No,Creation Time,Час створення apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Введіть Роль схвалення або Затвердження користувача @@ -4935,8 +4965,6 @@ DocType: Employee,Short biography for website and other publications.,Корот DocType: Purchase Invoice Item,Received Qty,Отримано Кількість DocType: Purchase Invoice Item,Rate (Company Currency),Оцінка (валюта компанії) DocType: Item Reorder,Request for,Запит щодо -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Видаліть працівника {0}, щоб скасувати цей документ" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Встановлення пресетів apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Введіть Періоди Погашення DocType: Pricing Rule,Advanced Settings,Розширені налаштування @@ -4962,7 +4990,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Увімкнути кошик для покупок DocType: Pricing Rule,Apply Rule On Other,Застосувати правило на інше DocType: Vehicle,Last Carbon Check,Остання перевірка вуглецю -DocType: Vehicle,Make,Зробити +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Зробити apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Счет-фактуру продажів {0} створено як оплачений apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Для створення запиту на оплату потрібен довідковий документ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Податок на прибуток @@ -5038,7 +5066,6 @@ DocType: Territory,Parent Territory,Територія батьків DocType: Vehicle Log,Odometer Reading,Читання одометрів DocType: Additional Salary,Salary Slip,Зарплата DocType: Payroll Entry,Payroll Frequency,Частота оплати праці -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Налаштуйте систему імен співробітників у людських ресурсах> Параметри HR apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Початкові та кінцеві дати, які не є дійсним періодом оплати праці, не можуть обчислити {0}" DocType: Products Settings,Home Page is Products,Домашня сторінка - Продукти apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Дзвінки @@ -5092,7 +5119,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Отримання записів ...... DocType: Delivery Stop,Contact Information,Контактна інформація DocType: Sales Order Item,For Production,Для виробництва -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Будь ласка, налаштуйте систему назв інструктора в освіті> Параметри освіти" DocType: Serial No,Asset Details,Деталі активів DocType: Restaurant Reservation,Reservation Time,Час бронювання DocType: Selling Settings,Default Territory,Територія за умовчанням @@ -5232,6 +5258,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Термін дії пакетів закінчився DocType: Shipping Rule,Shipping Rule Type,Тип правила доставки DocType: Job Offer,Accepted,Прийнято +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Видаліть працівника {0}, щоб скасувати цей документ" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Ви вже оцінили критерії оцінки {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Виберіть Пакетні номери apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Вік (днів) @@ -5248,6 +5276,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Розміщення елементів під час продажу. DocType: Payment Reconciliation Payment,Allocated Amount,Виділена сума apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Виберіть компанію та призначення +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,"Дата" обов'язкова DocType: Email Digest,Bank Credit Balance,Баланс кредиту банку apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Показати сукупну суму apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,"Ви не отримали бали лояльності, щоб викупити" @@ -5308,11 +5337,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,На попередн DocType: Student,Student Email Address,Адреса електронної пошти студента DocType: Academic Term,Education,Освіта DocType: Supplier Quotation,Supplier Address,Адреса постачальника -DocType: Salary Component,Do not include in total,Не включайте в цілому +DocType: Salary Detail,Do not include in total,Не включайте в цілому apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Неможливо встановити декілька параметрів за промовчанням для компанії. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} не існує DocType: Purchase Receipt Item,Rejected Quantity,Відхилене кількість DocType: Cashier Closing,To TIme,До TIme +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: Daily Work Summary Group User,Daily Work Summary Group User,Щоденний користувач групи резюме DocType: Fiscal Year Company,Fiscal Year Company,Компанія фінансового року apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Альтернативний пункт не повинен збігатися з кодом елемента @@ -5421,7 +5451,6 @@ DocType: Fee Schedule,Send Payment Request Email,Надіслати електр DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,In Words буде видно після збереження рахунку-фактури. DocType: Sales Invoice,Sales Team1,Команда продажів1 DocType: Work Order,Required Items,Необхідні елементи -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Спеціальні символи, крім "-", "#", "." і "/" не дозволено в іменах" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Прочитайте посібник ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Перевірте номер рахунка-фактури постачальника Унікальність apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Пошук підсборів @@ -5489,7 +5518,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Відсоток відсоткі apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Кількість виробленої продукції не може бути меншою за нуль DocType: Share Balance,To No,До Ні DocType: Leave Control Panel,Allocate Leaves,Виділіть листя -DocType: Quiz,Last Attempt,Остання спроба DocType: Assessment Result,Student Name,Ім'я студента apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Плануйте відвідування з обслуговування. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Наступні запити на матеріали були підняті автоматично на основі рівня повторного замовлення елемента @@ -5558,6 +5586,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Колір індикатора DocType: Item Variant Settings,Copy Fields to Variant,Скопіюйте поля до варіанта DocType: Soil Texture,Sandy Loam,Сенді Лоам +DocType: Question,Single Correct Answer,Один правильний відповідь apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Від дати не може бути менше дати приєднання працівника DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Дозволити кілька замовлень на купівлю на замовлення клієнта apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5620,7 +5649,7 @@ DocType: Account,Expenses Included In Valuation,"Витрати, включен apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Серійні номери DocType: Salary Slip,Deductions,Відрахування ,Supplier-Wise Sales Analytics,Аналітика продажів для постачальників -DocType: Quality Goal,February,Лютий +DocType: GSTR 3B Report,February,Лютий DocType: Appraisal,For Employee,Для працівника apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Фактична дата доставки DocType: Sales Partner,Sales Partner Name,Назва партнера по продажах @@ -5716,7 +5745,6 @@ DocType: Procedure Prescription,Procedure Created,Процедура створ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Про рахунки-фактури постачальника {0} від {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Змінити профіль POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Створити лідер -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Постачальник> Тип постачальника DocType: Shopify Settings,Default Customer,Замовник за умовчанням DocType: Payment Entry Reference,Supplier Invoice No,Рахунок-фактура постачальника № DocType: Pricing Rule,Mixed Conditions,Змішані умови @@ -5766,12 +5794,14 @@ DocType: Item,End of Life,Кінець життя DocType: Lab Test Template,Sensitivity,Чутливість DocType: Territory,Territory Targets,Територіальні цілі apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Пропущення виділення для наступних працівників, оскільки вже існує запис про відпустку. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Дозвіл якості дії DocType: Sales Invoice Item,Delivered By Supplier,Поставляється Постачальником DocType: Agriculture Analysis Criteria,Plant Analysis,Аналіз рослин apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Рахунок витрат є обов'язковим для елемента {0} ,Subcontracted Raw Materials To Be Transferred,"Сировина для субпідряду, яку необхідно передати" DocType: Cashier Closing,Cashier Closing,Закриття каси apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Елемент {0} вже повернуто +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,Недійсний GSTIN! Введений вами вхід не відповідає формату GSTIN для власників UIN або нерезидентних постачальників послуг OIDAR apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Для цього складу існує дитячий склад. Ви не можете видалити цей склад. DocType: Diagnosis,Diagnosis,Діагностика apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},Немає періоду відпусток між {0} і {1} @@ -5788,6 +5818,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Налаштування а DocType: Homepage,Products,Продукти ,Profit and Loss Statement,Звіт про прибутки та збитки apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Бронювання номерів +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Дублікат запису щодо коду елемента {0} і виробника {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Загальна вага apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Подорожі @@ -5836,6 +5867,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Група клієнтів за умовчанням DocType: Journal Entry Account,Debit in Company Currency,Дебет у валюті компанії DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Резервна серія - "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Порядок денний якості засідань DocType: Cash Flow Mapper,Section Header,Заголовок розділу apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Ваші продукти або послуги DocType: Crop,Perennial,Багаторічна @@ -5881,7 +5913,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Продукт або послуга, які купуються, продаються або зберігаються на складі." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Закриття (Відкриття + Всього) DocType: Supplier Scorecard Criteria,Criteria Formula,Формула критеріїв -,Support Analytics,Підтримка Analytics +apps/erpnext/erpnext/config/support.py,Support Analytics,Підтримка Analytics apps/erpnext/erpnext/config/quality_management.py,Review and Action,Огляд і дії DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Якщо обліковий запис заблоковано, записи дозволені для обмежених користувачів." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Сума після амортизації @@ -5926,7 +5958,6 @@ DocType: Contract Template,Contract Terms and Conditions,Умови контра apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Отримати дані DocType: Stock Settings,Default Item Group,Група за замовчуванням DocType: Sales Invoice Timesheet,Billing Hours,Час виставлення рахунків -DocType: Item,Item Code for Suppliers,Код товару для постачальників apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Залишити додаток {0} вже існує проти студента {1} DocType: Pricing Rule,Margin Type,Тип маржі DocType: Purchase Invoice Item,Rejected Serial No,Відхилено серійний номер @@ -5999,6 +6030,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Листя успішно видані DocType: Loyalty Point Entry,Expiry Date,Термін придатності DocType: Project Task,Working,Робота +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} вже має батьківську процедуру {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Це базується на операціях проти цього пацієнта. Докладніше див DocType: Material Request,Requested For,Запитаний для DocType: SMS Center,All Sales Person,Всі торгові особи @@ -6086,6 +6118,7 @@ DocType: Loan Type,Maximum Loan Amount,Максимальна сума кред apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Електронна пошта не знайдена у типовому контакті DocType: Hotel Room Reservation,Booked,Забронювали DocType: Maintenance Visit,Partially Completed,Частково завершено +DocType: Quality Procedure Process,Process Description,Опис процесу DocType: Company,Default Employee Advance Account,Авансовий рахунок працівника за промовчанням DocType: Leave Type,Allow Negative Balance,Дозволити негативний баланс apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Назва плану оцінки @@ -6127,6 +6160,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Запит на пропозицію apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,Двічі введено {0} у пункті Податок DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Відрахуйте повний податок на обрану дату нарахування заробітної плати +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Остання дата перевірки вуглецю не може бути майбутньою датою apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Виберіть рахунок зміни суми DocType: Support Settings,Forum Posts,Повідомлення форуму DocType: Timesheet Detail,Expected Hrs,Очікувані години @@ -6136,7 +6170,7 @@ DocType: Program Enrollment Tool,Enroll Students,Запишіть студент apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Повторіть прибуток клієнтів DocType: Company,Date of Commencement,Дата початку DocType: Bank,Bank Name,Назва банку -DocType: Quality Goal,December,Грудень +DocType: GSTR 3B Report,December,Грудень apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Дійсний від дати повинен бути меншим за дійсну дату apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Це базується на відвідуваності цього співробітника DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Якщо позначено, головна сторінка буде стандартною групою елементів для веб-сайту" @@ -6179,6 +6213,7 @@ DocType: Payment Entry,Payment Type,Тип оплати apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Номери фоліо не збігаються DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Перевірка якості: {0} не надіслано для елемента: {1} у рядку {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Показати {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,Знайдено елемент {0}. ,Stock Ageing,Запас старіння DocType: Customer Group,Mention if non-standard receivable account applicable,"Згадайте, чи застосовується обліковий запис нестандартної дебіторської заборгованості" @@ -6457,6 +6492,7 @@ DocType: Travel Request,Costing,Вартість apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Фіксовані активи DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Загальна заробіток +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія DocType: Share Balance,From No,Від Ні DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Рахунок вирівнювання платежів DocType: Purchase Invoice,Taxes and Charges Added,Додані податки та збори @@ -6464,7 +6500,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Розглянь DocType: Authorization Rule,Authorized Value,Авторизована вартість apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Отримано від apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Склад {0} не існує +DocType: Item Manufacturer,Item Manufacturer,Виробник виробу DocType: Sales Invoice,Sales Team,Команда продажів +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Кількість комплектів DocType: Purchase Order Item Supplied,Stock UOM,Запас UOM DocType: Installation Note,Installation Date,Дата встановлення DocType: Email Digest,New Quotations,Нові пропозиції @@ -6528,7 +6566,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Назва списку свято DocType: Water Analysis,Collection Temperature ,Температура збору DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Керуйте рахунком-фактурою призначення та автоматично скасовуйте його для пацієнта -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Установіть Серія імен для {0} за допомогою пункту Налаштування> Налаштування> Серії назв DocType: Employee Benefit Claim,Claim Date,Дата претензії DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"Залиште пустим, якщо постачальник блокований на невизначений час" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Участь з дати та відвідуваності до дати є обов'язковою @@ -6539,6 +6576,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Дата виходу на пенсію apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Виберіть "Пацієнт" DocType: Asset,Straight Line,Пряма лінія +DocType: Quality Action,Resolutions,Резолюції DocType: SMS Log,No of Sent SMS,№ відправленого SMS ,GST Itemised Sales Register,GST Деталізований реєстр продажів apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Загальна сума авансу не може бути більшою за загальну суму @@ -6649,7 +6687,7 @@ DocType: Account,Profit and Loss,Прибуток і збиток apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Кількість відмінностей DocType: Asset Finance Book,Written Down Value,Записана вартість apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Відкриття балансу -DocType: Quality Goal,April,Квітень +DocType: GSTR 3B Report,April,Квітень DocType: Supplier,Credit Limit,Кредитний ліміт apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Розподіл apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6704,6 +6742,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Зв'язати Shopify з ERPNext DocType: Homepage Section Card,Subtitle,Підзаголовок DocType: Soil Texture,Loam,Суглинки +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Постачальник> Тип постачальника DocType: BOM,Scrap Material Cost(Company Currency),Вартість матеріалу брухту (валюта компанії) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Примітку для доставки {0} не потрібно надсилати DocType: Task,Actual Start Date (via Time Sheet),Фактична дата початку (через аркуш часу) @@ -6759,7 +6798,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Дозування DocType: Cheque Print Template,Starting position from top edge,Початкове положення від верхнього краю apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Тривалість зустрічі (хв) -DocType: Pricing Rule,Disable,Вимкнути +DocType: Accounting Dimension,Disable,Вимкнути DocType: Email Digest,Purchase Orders to Receive,Замовлення на придбання apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Накази про виробництво неможливо підняти для: DocType: Projects Settings,Ignore Employee Time Overlap,Ігнорувати перекриття часу співробітників @@ -6843,6 +6882,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Ств DocType: Item Attribute,Numeric Values,Числові значення DocType: Delivery Note,Instructions,Інструкції DocType: Blanket Order Item,Blanket Order Item,Ковдра замовлення +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Обов'язковий для рахунку прибутків і збитків apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Ставка комісії не може перевищувати 100 DocType: Course Topic,Course Topic,Тема курсу DocType: Employee,This will restrict user access to other employee records,Це обмежить доступ користувачів до інших записів співробітників @@ -6867,12 +6907,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Управлі apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Отримати клієнтів з apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Дайджест DocType: Employee,Reports to,Звіти до +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Обліковий запис партії DocType: Assessment Plan,Schedule,Розклад apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Будь ласка введіть DocType: Lead,Channel Partner,Партнер каналу apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Сума рахунку-фактури DocType: Project,From Template,З шаблону +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Підписки apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Кількість зробити DocType: Quality Review Table,Achieved,Досягнуто @@ -6919,7 +6961,6 @@ DocType: Journal Entry,Subscription Section,Розділ підписки DocType: Salary Slip,Payment Days,Платіжні дні apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Інформація про добровольців. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,""Заморозити запаси старше, ніж" має бути менше% d днів." -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Виберіть Фіскальний рік DocType: Bank Reconciliation,Total Amount,Загальна кількість DocType: Certification Application,Non Profit,Неприбутковість DocType: Subscription Settings,Cancel Invoice After Grace Period,Скасувати рахунок після закінчення пільгового періоду @@ -6932,7 +6973,6 @@ DocType: Serial No,Warranty Period (Days),Гарантійний період ( DocType: Expense Claim Detail,Expense Claim Detail,Детальна вимога претензії apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Програма: DocType: Patient Medical Record,Patient Medical Record,Медична картка пацієнта -DocType: Quality Action,Action Description,Опис дії DocType: Item,Variant Based On,Варіант на основі DocType: Vehicle Service,Brake Oil,Гальмівне масло DocType: Employee,Create User,Створити користувача @@ -6988,7 +7028,7 @@ DocType: Cash Flow Mapper,Section Name,Назва розділу DocType: Packed Item,Packed Item,Упакований предмет apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: для суми {2} потрібна сума дебету або кредиту apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Надсилання скарг із зарплатою ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Ніяких дій +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Ніяких дій apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Бюджет не може бути призначений проти {0}, оскільки він не є доходом або рахунком витрат" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Майстри та облікові записи DocType: Quality Procedure Table,Responsible Individual,Відповідальна особа @@ -7111,7 +7151,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Дозволити створення облікового запису проти дитячої компанії DocType: Payment Entry,Company Bank Account,Банківський рахунок компанії DocType: Amazon MWS Settings,UK,Великобританія -DocType: Quality Procedure,Procedure Steps,Процедури Кроки DocType: Normal Test Items,Normal Test Items,Нормальні елементи тесту apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Елемент {0}: впорядкована кількість {1} не може бути меншою за кількість мінімального замовлення {2} (визначена у пункті). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Не на складі @@ -7190,7 +7229,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics DocType: Maintenance Team Member,Maintenance Role,Роль обслуговування apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Загальні положення та умови шаблону DocType: Fee Schedule Program,Fee Schedule Program,Розклад програми -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Курс {0} не існує. DocType: Project Task,Make Timesheet,Зробити розклад DocType: Production Plan Item,Production Plan Item,Виробничий план apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Усього студент @@ -7212,6 +7250,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Підведенню apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Поновлюється лише тоді, коли термін дії вашого членства закінчується протягом 30 днів" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Значення має бути між {0} і {1} +DocType: Quality Feedback,Parameters,Параметри ,Sales Partner Transaction Summary,Підсумок транзакцій партнера по продажах DocType: Asset Maintenance,Maintenance Manager Name,Ім'я менеджера з обслуговування apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Потрібно отримати параметри елемента. @@ -7250,6 +7289,7 @@ DocType: Student Admission,Student Admission,Прийом студентів DocType: Designation Skill,Skill,Майстерність DocType: Budget Account,Budget Account,Рахунок бюджету DocType: Employee Transfer,Create New Employee Id,Створити новий ідентифікатор працівника +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} потрібно для облікового запису "Прибуток і збиток" {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Податок на товари та послуги (GST Індія) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Створення затримок ... DocType: Employee Skill,Employee Skill,Навички співробітників @@ -7350,6 +7390,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Рахуно DocType: Subscription,Days Until Due,Днів до сплати apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Показати завершено apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Звіт про надходження операцій з банківським рахунком +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Банк Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Рядок # {0}: тариф повинен бути таким, як {1}: {2} ({3} / {4})" DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Предмети охорони здоров'я @@ -7406,6 +7447,7 @@ DocType: Training Event Employee,Invited,Запрошено apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Максимальна сума для компонента {0} перевищує {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Сума до Білла apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",Для {0} можуть бути пов’язані лише дебетові рахунки з іншим кредитом +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Створення розмірів ... DocType: Bank Statement Transaction Entry,Payable Account,Платіжний рахунок apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Прохання вказати кількість відвідувань DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,"Вибирайте лише, якщо у вас є налаштування документів Картографа руху грошових коштів" @@ -7423,6 +7465,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice," DocType: Service Level,Resolution Time,Час вирішення DocType: Grading Scale Interval,Grade Description,Опис класу DocType: Homepage Section,Cards,Карти +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Протокол засідань якості DocType: Linked Plant Analysis,Linked Plant Analysis,Аналіз пов'язаних рослин apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Дата припинення служби не може бути після дати завершення сервісу apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Встановіть ліміт B2C у налаштуваннях GST. @@ -7457,7 +7500,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Інструмент DocType: Employee,Educational Qualification,Освітня кваліфікація apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Доступне значення apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Кількість вибірок {0} не може перевищувати отриману кількість {1} -DocType: Quiz,Last Highest Score,Останній вищий бал DocType: POS Profile,Taxes and Charges,Податки та збори DocType: Opportunity,Contact Mobile No,Контакт Мобільний Ні DocType: Employee,Joining Details,Приєднання до деталей diff --git a/erpnext/translations/ur.csv b/erpnext/translations/ur.csv index 59e461209b..4939e26302 100644 --- a/erpnext/translations/ur.csv +++ b/erpnext/translations/ur.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,سپلائر حصہ نمب DocType: Journal Entry Account,Party Balance,پارٹی بیلنس apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),فنڈز (تنخواہ) کا ذریعہ DocType: Payroll Period,Taxable Salary Slabs,ٹیکس قابل تنخواہ سلیب +DocType: Quality Action,Quality Feedback,معیار کی رائے DocType: Support Settings,Support Settings,سپورٹ کی ترتیبات apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,پہلے پیداوار پیداوار میں داخل کریں DocType: Quiz,Grading Basis,گریڈنگ بیس @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,مزید تفص DocType: Salary Component,Earning,آمدنی DocType: Restaurant Order Entry,Click Enter To Add,شامل کرنے کیلئے درج کریں پر کلک کریں DocType: Employee Group,Employee Group,ملازم گروپ +DocType: Quality Procedure,Processes,پروسیسنگ DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ایک کرنسی میں ایک دوسرے کو تبدیل کرنے کے لئے ایکسچینج کی شرح کی وضاحت کریں apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,عمر رسیدہ رینج 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},اسٹاک آئٹم {0} کے لئے گودام کی ضرورت ہے @@ -155,11 +157,13 @@ DocType: Complaint,Complaint,شکایت DocType: Shipping Rule,Restrict to Countries,ممالک پر پابندی DocType: Hub Tracked Item,Item Manager,آئٹم مینیجر apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},بند اکاؤنٹ کا کرنسی ہونا ضروری ہے {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,بجٹ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,افتتاحی انوائس آئٹم DocType: Work Order,Plan material for sub-assemblies,ذیلی اسمبلی کے لئے منصوبہ بندی apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,ہارڈ ویئر DocType: Budget,Action if Annual Budget Exceeded on MR,اگر سالانہ بجٹ ایم جی پر ہوا تو ایکشن DocType: Sales Invoice Advance,Advance Amount,ایڈوانس رقم +DocType: Accounting Dimension,Dimension Name,طول و عرض کا نام DocType: Delivery Note Item,Against Sales Invoice Item,سیلز انوائس آئٹم کے خلاف DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP -YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,آئٹم میں مینوفیکچررز شامل کریں @@ -216,7 +220,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,یہ کیا کر ,Sales Invoice Trends,سیلز انوائس رجحانات DocType: Bank Reconciliation,Payment Entries,ادائیگی کے اندراج DocType: Employee Education,Class / Percentage,کلاس / فی صد -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ ,Electronic Invoice Register,الیکٹرانک انوائس رجسٹر DocType: Sales Invoice,Is Return (Credit Note),کیا واپسی ہے (کریڈٹ نوٹ) DocType: Lab Test Sample,Lab Test Sample,لیب ٹیسٹنگ نمونہ @@ -290,6 +293,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,متغیرات apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",آپ کے انتخاب کے مطابق چارجز کو شے کے مقدار یا رقم پر مبنی تناسب تقسیم کیا جائے گا apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,آج کے لئے زیر التواء سرگرمیاں +DocType: Quality Procedure Process,Quality Procedure Process,کوالٹی طریقہ کار عمل DocType: Fee Schedule Program,Student Batch,طالب علم بیچ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},قطار میں آئٹم کیلئے مطلوب شرح کی ضرورت ہے {0} DocType: BOM Operation,Base Hour Rate(Company Currency),بیس گھنٹے کی شرح (کمپنی کی کرنسی) @@ -309,7 +313,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,سیریل نمبر ان پٹ پر مبنی قیمتوں کا تعین کریں apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},ایڈورڈز اکاؤنٹس کرنسی کمپنی کی کرنسی {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,ہوم پیج حصوں کو حسب ضرورت بنائیں -DocType: Quality Goal,October,اکتوبر +DocType: GSTR 3B Report,October,اکتوبر DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,سیلز ٹرانسمیشن سے کسٹمر کی ٹیکس کی شناخت چھپائیں apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,غلط GSTIN! ایک GSTIN ہونا ضروری ہے 15 حروف. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,قیمتوں کا تعین کے اصول {0} کو اپ ڈیٹ کیا جاتا ہے @@ -396,7 +400,7 @@ DocType: Leave Encashment,Leave Balance,بیلنس چھوڑ دو apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},بحالی کا شیڈول {0} کے خلاف موجود ہے {1} DocType: Assessment Plan,Supervisor Name,سپروائزر کا نام DocType: Selling Settings,Campaign Naming By,مہم کا نام -DocType: Course,Course Code,کورس کا کوڈ +DocType: Student Group Creation Tool Course,Course Code,کورس کا کوڈ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,ایئر اسپیس DocType: Landed Cost Voucher,Distribute Charges Based On,چارجز پر مبنی چارجز DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,سپلائر اسکور کارڈ اسکورنگ معیار @@ -478,10 +482,8 @@ DocType: Restaurant Menu,Restaurant Menu,ریسٹورانٹ مینو DocType: Asset Movement,Purpose,مقصد apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,ملازمین کے لئے تنخواہ کی ساخت کی تفویض پہلے ہی موجود ہے DocType: Clinical Procedure,Service Unit,سروس یونٹ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ DocType: Travel Request,Identification Document Number,شناخت دستاویز نمبر DocType: Stock Entry,Additional Costs,اضافی اخراجات -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",والدین کورس (خالی چھوڑ دو، اگر یہ والدین کورس کا حصہ نہیں ہے) DocType: Employee Education,Employee Education,ملازم تعلیم apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,عہدوں کی تعداد کم ملازمین کی موجودہ تعداد میں کم نہیں ہو سکتی apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,تمام کسٹمر گروپ @@ -527,6 +529,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,صف {0}: مقدار لازمی ہے DocType: Sales Invoice,Against Income Account,انکم اکاؤنٹ کے خلاف apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},قطار # {0}: خریداری انوائس موجودہ اثاثہ {1} کے خلاف نہیں کیا جا سکتا +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,مختلف پروموشنل منصوبوں کو لاگو کرنے کے قوانین. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM کوفروج عنصر UOM کے لئے ضروری ہے: {0} آئٹم: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},آئٹم {0} کے لئے مقدار درج کریں DocType: Workstation,Electricity Cost,بجلی کی لاگت @@ -858,7 +861,6 @@ DocType: Item,Total Projected Qty,کل متوقع مقدار apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,بوم DocType: Work Order,Actual Start Date,اصل آغاز کی تاریخ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,آپ معاوضے کی درخواست کی درخواستوں کے دن پورے دن موجود نہیں ہیں -DocType: Company,About the Company,کمپنی کے بارے میں apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,مالی اکاؤنٹس کے درخت. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,غیر مستقیم آمدنی DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,ہوٹل کمرہ ریزرویشن آئٹم @@ -882,6 +884,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,پروگرام ان ,IRS 1099,آئی آر ایس 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,براہ کرم استعمال کرنے کیلئے سلسلہ مقرر کریں. DocType: Delivery Trip,Distance UOM,فاصلہ UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,بیلنس شیٹ کے لئے لازمی DocType: Payment Entry,Total Allocated Amount,کل مختص کردہ رقم DocType: Sales Invoice,Get Advances Received,حاصل کی جاتی ہے DocType: Student,B-,B- @@ -905,6 +908,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,بحالی کی ش apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,POS انٹری بنانے کے لئے پی ایس پی کی ضرورت ہے DocType: Education Settings,Enable LMS,LMS کو فعال کریں DocType: POS Closing Voucher,Sales Invoices Summary,سیلز انوائس خلاصہ +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,فائدہ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,کریڈٹ اکاؤنٹ میں بیلنس شیٹ اکاؤنٹ ہونا ضروری ہے DocType: Video,Duration,دورانیہ DocType: Lab Test Template,Descriptive,تشریحی @@ -956,6 +960,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,شروع اور اختتامی تاریخیں DocType: Supplier Scorecard,Notify Employee,ملازم مطلع کریں apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,سافٹ ویئر +DocType: Program,Allow Self Enroll,خود اندراج کی اجازت دیں apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,اسٹاک اخراجات apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,حوالہ نمبر لازمی ہے اگر آپ نے حوالہ کی تاریخ درج کی ہے DocType: Training Event,Workshop,ورکشاپ @@ -1008,6 +1013,7 @@ DocType: Lab Test Template,Lab Test Template,لیب ٹیسٹنگ سانچہ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},زیادہ سے زیادہ: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ای انوائسنگ کی معلومات لاپتہ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,کوئی مواد نہیں بنائی گئی +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ DocType: Loan,Total Amount Paid,ادا کردہ کل رقم apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,یہ تمام اشیاء پہلے سے ہی انوائس کیے گئے ہیں DocType: Training Event,Trainer Name,ٹرینر کا نام @@ -1029,6 +1035,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,تعلیمی سال DocType: Sales Stage,Stage Name,مرحلے کا نام DocType: SMS Center,All Employee (Active),تمام ملازم (فعال) +DocType: Accounting Dimension,Accounting Dimension,اکاؤنٹنگ طول و عرض DocType: Project,Customer Details,گاہک کی تفصیلات DocType: Buying Settings,Default Supplier Group,ڈیفالٹ سپلائر گروپ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,برائے مہربانی خریداری کی وصولی {0} پہلے منسوخ کریں @@ -1143,7 +1150,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority",اعلی نمبر DocType: Designation,Required Skills,ضروری مہارت DocType: Marketplace Settings,Disable Marketplace,مارکیٹ کی جگہ کو غیر فعال کریں DocType: Budget,Action if Annual Budget Exceeded on Actual,سالانہ بجٹ اصل میں ختم ہونے پر ایکشن -DocType: Course,Course Abbreviation,خلاصہ کورس DocType: Pricing Rule,Promotional Scheme Id,پروموشنل اسکیم آئی ڈی apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},کام کی آخری تاریخ {0} ختم ہونے کی تاریخ {2} سے زیادہ {1} سے زائد نہیں ہوسکتی ہے. DocType: Driver,License Details,لائسنس کی تفصیلات @@ -1284,7 +1290,7 @@ DocType: Bank Guarantee,Margin Money,مارجن منی DocType: Chapter,Chapter,باب DocType: Purchase Receipt Item Supplied,Current Stock,موجودہ اسٹاک DocType: Employee,History In Company,تاریخ میں کمپنی -DocType: Item,Manufacturer,ڈویلپر +DocType: Purchase Invoice Item,Manufacturer,ڈویلپر apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,اعتدال پسند حساسیت DocType: Compensatory Leave Request,Leave Allocation,الاؤنس چھوڑ دو DocType: Timesheet,Timesheet,وقت شیٹ @@ -1315,6 +1321,7 @@ DocType: Work Order,Material Transferred for Manufacturing,مینوفیکچرن DocType: Products Settings,Hide Variants,متغیرات چھپائیں DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,صلاحیت کی منصوبہ بندی اور وقت ٹریکنگ کو غیر فعال کریں DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ٹرانزیکشن میں شمار کیا جائے گا. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{1} کے لئے 'بیلنس شیٹ' اکاؤنٹ {1} کے لئے ضروری ہے. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{1} {1} کے ساتھ ٹرانسمیشن کرنے کی اجازت نہیں دی گئی. براہ مہربانی کمپنی کو تبدیل کریں. 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} DocType: Delivery Trip,Delivery Details,ڈلیوری تفصیلات @@ -1350,7 +1357,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,پچھلا apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,پیمائش کی اکائی DocType: Lab Test,Test Template,ٹیسٹ سانچہ DocType: Fertilizer,Fertilizer Contents,کھاد -apps/erpnext/erpnext/utilities/user_progress.py,Minute,منٹ +DocType: Quality Meeting Minutes,Minute,منٹ apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",قطار # {0}: اثاثہ {1} جمع نہیں کیا جا سکتا، یہ پہلے سے ہی ہے {2} DocType: Task,Actual Time (in Hours),اصل وقت (گھنٹے میں) DocType: Period Closing Voucher,Closing Account Head,اکاؤنٹ کا سربراہ بند @@ -1522,7 +1529,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,لیبارٹری DocType: Purchase Order,To Bill,بل پر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,یوٹیلٹی اخراجات DocType: Manufacturing Settings,Time Between Operations (in mins),آپریشن کے درمیان وقت (منٹ میں) -DocType: Quality Goal,May,مئی +DocType: GSTR 3B Report,May,مئی apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",ادائیگی گیٹ وے اکاؤنٹ نہیں بنایا گیا ہے، براہ کرم ایک دستی طور پر تشکیل دیں. DocType: Opening Invoice Creation Tool,Purchase,خریداری DocType: Program Enrollment,School House,سکول ہاؤس @@ -1553,6 +1560,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,قانونی معلومات اور آپ کے سپلائر کے بارے میں دیگر عام معلومات DocType: Item Default,Default Selling Cost Center,ڈیفالٹ فروخت لاگت سینٹر DocType: Sales Partner,Address & Contacts,ایڈریس اور رابطے +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,سیٹ اپ> نمبر نمبر کے ذریعہ حاضری کے لئے براہ کرم سلسلہ نمبر سیٹ کریں DocType: Subscriber,Subscriber,سبسکرائب apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,پہلے پوسٹنگ کی تاریخ منتخب کریں DocType: Supplier,Mention if non-standard payable account,یاد رکھیں کہ غیر معاوضہ قابل ادائیگی اکاؤنٹ @@ -1579,6 +1587,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,بیماری کا دور DocType: Bank Statement Settings,Transaction Data Mapping,ٹرانزیکشن ڈیٹا میپنگ apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,ایک لیڈ یا تو ایک شخص کا نام یا ایک تنظیم کے نام کی ضرورت ہوتی ہے DocType: Student,Guardians,ساتھیوں +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,براہ کرم تعلیم> تعلیم کی ترتیبات میں انسٹریکٹر نامی نظام قائم کریں apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,برانڈ منتخب کریں ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,درمیانی آمدنی DocType: Shipping Rule,Calculate Based On,پر مبنی حساب @@ -1590,7 +1599,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,اخراج دعوی ایڈ DocType: Purchase Invoice,Rounding Adjustment (Company Currency),راؤنڈنگ ایڈجسٹمنٹ (کمپنی کی کرنسی) DocType: Item,Publish in Hub,حب میں شائع apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,اگست +DocType: GSTR 3B Report,August,اگست apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,براہ کرم سب سے پہلے خریداری رسید درج کریں apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,شروع سال apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),ھدف ({}) @@ -1609,6 +1618,7 @@ DocType: Item,Max Sample Quantity,زیادہ سے زیادہ نمونہ مقدا apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,ماخذ اور ہدف گودام مختلف ہونا ضروری ہے DocType: Employee Benefit Application,Benefits Applied,فوائد لاگو apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,جرنل انٹری کے خلاف {0} کوئی بے مثال {1} اندراج نہیں ہے +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","-"، "#"، "."، "/"، "{" اور "}" کے علاوہ خصوصی حروف apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,قیمت یا مصنوعات کی رعایتی سلیب کی ضرورت ہے apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ایک ہدف مقرر کریں apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},حاضری کا ریکارڈ {0} طالب علم کے خلاف موجود ہے {1} @@ -1624,10 +1634,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,فی مہینہ DocType: Routing,Routing Name,روٹنگ کا نام DocType: Disease,Common Name,عام نام -DocType: Quality Goal,Measurable,قابل اطلاق DocType: Education Settings,LMS Title,LMS عنوان apps/erpnext/erpnext/config/non_profit.py,Loan Management,قرض مینجمنٹ -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,سپورٹ تجزیات DocType: Clinical Procedure,Consumable Total Amount,قابل قدر کل رقم apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,سانچہ کو فعال کریں apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,کسٹمر ایل پی او @@ -1765,6 +1773,7 @@ DocType: Restaurant Order Entry Item,Served,خدمت کی DocType: Loan,Member,رکن DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,پریکٹیشنر سروس یونٹ شیڈول apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,وائر ٹرانسفر +DocType: Quality Review Objective,Quality Review Objective,کوالٹی جائزہ کا مقصد DocType: Bank Reconciliation Detail,Against Account,اکاؤنٹ کے خلاف DocType: Projects Settings,Projects Settings,منصوبوں کی ترتیبات apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},اصل مقدار {0} / منتظر مقدار {1} @@ -1793,6 +1802,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,و apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,مالی سال کے آغاز کی تاریخ کے ایک سال بعد مالی سال کا اختتام تاریخ ہونا چاہئے apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,ڈیلی یاد دہانیوں DocType: Item,Default Sales Unit of Measure,ماپنے ڈیفالٹ سیلز یونٹ +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,کمپنی GSTIN DocType: Asset Finance Book,Rate of Depreciation,استحکام کی شرح DocType: Support Search Source,Post Description Key,پوسٹ کی تفصیل پوسٹ DocType: Loyalty Program Collection,Minimum Total Spent,کم سے کم کل خرچ @@ -1863,6 +1873,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,منتخب کسٹمر کے لئے کسٹمر گروپ کو تبدیل کرنے کی اجازت نہیں ہے. DocType: Serial No,Creation Document Type,تخلیق دستاویز کی قسم DocType: Sales Invoice Item,Available Batch Qty at Warehouse,گودام میں دستیاب بیچ مقدار +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,انوائس گرینڈ کل apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,یہ جڑ علاقہ ہے اور ترمیم نہیں کیا جا سکتا. DocType: Patient,Surgical History,جراحی تاریخ apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,معیار کے طریقہ کار کے درخت. @@ -1967,6 +1978,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,اگر یہ ایرر برقرار رہے تو ہمارے ہیلپ ڈیسک سے رابطہ کریں apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,مالی سال {0} نہیں ملا DocType: Bank Statement Settings,Bank Statement Settings,بینک بیان کی ترتیبات +DocType: Quality Procedure Process,Link existing Quality Procedure.,موجودہ معیار کے طریقہ کار سے رابطہ کریں. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,CSV / ایکسل فائلوں سے اکاؤنٹس کا چارٹ درآمد کریں DocType: Appraisal Goal,Score (0-5),اسکور (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,خصوصیت ٹیبل میں {0} ایک سے زیادہ دفعہ منتخب کی گئی DocType: Purchase Invoice,Debit Note Issued,ڈیبٹ نوٹ جاری @@ -1975,7 +1988,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,پالیسی کی تفصیل چھوڑ دو apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,نظام میں گودام نہیں ملا DocType: Healthcare Practitioner,OP Consulting Charge,اوپی کنسلٹنگ چارج -DocType: Quality Goal,Measurable Goal,قابل اہداف DocType: Bank Statement Transaction Payment Item,Invoices,انوائس DocType: Currency Exchange,Currency Exchange,کرنسی کا تبادلہ DocType: Payroll Entry,Fortnightly,ہلکے رات @@ -2037,6 +2049,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} جمع نہیں کیا جاتا ہے DocType: Work Order,Backflush raw materials from work-in-progress warehouse,کام میں ترقی کی گودام سے بیکفلش خام مال DocType: Maintenance Team Member,Maintenance Team Member,بحالی ٹیم کے رکن +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,اکاؤنٹنگ کے لئے سیٹ اپ اپنی مرضی کے طول و عرض DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,زیادہ سے زیادہ ترقی کے لئے پودوں کی صفوں کے درمیان کم از کم فاصلہ DocType: Employee Health Insurance,Health Insurance Name,ہیلتھ انشورینس کا نام apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,اسٹاک اثاثوں @@ -2069,7 +2082,7 @@ DocType: Delivery Note,Billing Address Name,بلنگ ایڈریس کا نام apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,متبادل آئٹم DocType: Certification Application,Name of Applicant,درخواست گزار کا نام DocType: Leave Type,Earned Leave,کم سے کم چھٹکارا -DocType: Quality Goal,June,جون +DocType: GSTR 3B Report,June,جون apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},صف {0}: ایک آئٹم {1} کے لئے لاگت مرکز کی ضرورت ہے apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},{0} کی طرف سے منظوری دی جا سکتی ہے apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,پیمائش کے یونٹ {0} تبادلوں فیکٹر ٹیبل میں ایک بار سے زیادہ درج کی گئی ہے @@ -2090,6 +2103,7 @@ DocType: Lab Test Template,Standard Selling Rate,معیاری فروخت کی ش apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},براہ کرم ریستوران کیلئے ایک فعال مینو مقرر کریں {0} 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: Asset Finance Book,Asset Finance Book,اثاثہ فنانس کتاب +DocType: Quality Goal Objective,Quality Goal Objective,معیار کے مقصد کا مقصد DocType: Employee Transfer,Employee Transfer,ملازمت کی منتقلی ,Sales Funnel,سیلز فینل DocType: Agriculture Analysis Criteria,Water Analysis,پانی تجزیہ @@ -2128,6 +2142,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,ملازم ٹرا apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,پیش رفت سرگرمیاں apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,اپنے گاہکوں میں سے کچھ فہرست کریں. وہ تنظیم یا افراد ہوسکتے ہیں. DocType: Bank Guarantee,Bank Account Info,بینک اکاؤنٹ کی معلومات +DocType: Quality Goal,Weekday,ہفتے کے دن apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,گارڈین 1 کا نام DocType: Salary Component,Variable Based On Taxable Salary,ٹیکس قابل تنخواہ پر مبنی متغیر DocType: Accounting Period,Accounting Period,اکاؤنٹنگ مدت @@ -2212,7 +2227,7 @@ DocType: Purchase Invoice,Rounding Adjustment,راؤنڈنگ ایڈجسٹمنٹ DocType: Quality Review Table,Quality Review Table,معیار کی جائزہ ٹیبل DocType: Member,Membership Expiry Date,رکنیت ختم ہونے کی تاریخ DocType: Asset Finance Book,Expected Value After Useful Life,مفید قیمت مفید زندگی کے بعد -DocType: Quality Goal,November,نومبر +DocType: GSTR 3B Report,November,نومبر DocType: Loan Application,Rate of Interest,سود کی شرح DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,بینک بیان ٹرانزیکشن ادائیگی آئٹم DocType: Restaurant Reservation,Waitlisted,انتظار کیا @@ -2274,6 +2289,7 @@ DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ٹیکس ک apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Get Suppliers By,سپلائرز کی طرف سے حاصل کریں DocType: Purchase Invoice Item,Valuation Rate,تشخیص کی شرح DocType: Shopping Cart Settings,Default settings for Shopping Cart,خریداری کی ٹوکری کے لئے پہلے سے طے شدہ ترتیبات +DocType: Quiz,Score out of 100,100 سے زائد اسکور DocType: Manufacturing Settings,Capacity Planning,اہلیت کی منصوبہ بندی apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,ہدایات پر جائیں DocType: Activity Cost,Projects,منصوبوں @@ -2283,6 +2299,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,وقت سے apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,مختلف تفصیلات کی رپورٹ +,BOM Explorer,BOM ایکسپلورر DocType: Currency Exchange,For Buying,خریدنے کے لئے apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,شیڈول {0} شیڈول میں شامل نہیں ہیں DocType: Target Detail,Target Distribution,نشانہ تقسیم @@ -2300,6 +2317,7 @@ DocType: Activity Cost,Activity Cost,سرگرمی کی لاگت DocType: Journal Entry,Payment Order,ادائیگی آرڈر apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,قیمتوں کا تعین ,Item Delivery Date,آئٹم ترسیل کی تاریخ +DocType: Quality Goal,January-April-July-October,جنوری - اپریل-جولائی-اکتوبر DocType: Purchase Order Item,Warehouse and Reference,گودام اور حوالہ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,بچے نوڈس کے ساتھ اکاؤنٹ لیجر میں تبدیل نہیں کیا جاسکتا ہے DocType: Soil Texture,Clay Composition (%),مٹی ساخت (٪) @@ -2350,6 +2368,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,مستقبل کی تا apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,تشریح apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,قطار {0}: برائے مہربانی ادائیگی کے موڈ میں ادائیگی کی موڈ مقرر کریں apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,تعلیمی اصطلاح: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,معیار کی رائے پیرامیٹر apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,برائے مہربانی ڈسکاؤنٹ پر لاگو کریں apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,قطار # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,کل ادائیگی @@ -2392,7 +2411,7 @@ DocType: Hub Tracked Item,Hub Node,ہب نوڈ apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,ملازم کی ID DocType: Salary Structure Assignment,Salary Structure Assignment,تنخواہ کی ساخت کا تعین DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,پی او وی بند واؤچر ٹیکس -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,ایکشن شروع +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,ایکشن شروع DocType: POS Profile,Applicable for Users,صارفین کے لئے قابل اطلاق DocType: Training Event,Exam,امتحان apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,جنرل لیجر انٹریز کی غلط تعداد مل گئی. آپ نے ٹرانزیکشن میں غلط اکاؤنٹ کا انتخاب کیا ہے. @@ -2497,6 +2516,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,لمبائی DocType: Accounts Settings,Determine Address Tax Category From,سے ایڈریس ٹیکس کا تعین کریں apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,فیصلہ ساز سازوں کی شناخت +DocType: Stock Entry Detail,Reference Purchase Receipt,حوالہ خریداری کی رسید apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Invocies حاصل کریں DocType: Tally Migration,Is Day Book Data Imported,کتاب کا ڈیٹا درآمد کیا ہے ,Sales Partners Commission,سیلز پارٹنر کمیشن @@ -2520,6 +2540,7 @@ DocType: Leave Type,Applicable After (Working Days),کے بعد قابل اطل DocType: Timesheet Detail,Hrs,Hrs DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,سپلائر اسکور کارڈ معیار DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,کوالٹی تاثرات سانچہ پیرامیٹر apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,شمولیت کی تاریخ کی پیدائش کی تاریخ سے زیادہ ہونا ضروری ہے DocType: Bank Statement Transaction Invoice Item,Invoice Date,انوائس کی تاریخ DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,سیلز انوائس جمع کرانے پر لیب ٹیسٹ (ے) بنائیں @@ -2623,7 +2644,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,کم سے کم قاب DocType: Stock Entry,Source Warehouse Address,ماخذ گودام ایڈریس DocType: Compensatory Leave Request,Compensatory Leave Request,معاوضہ چھوڑ دو DocType: Lead,Mobile No.,موبائل نمبر. -DocType: Quality Goal,July,جولائی +DocType: GSTR 3B Report,July,جولائی apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,مستحق آئی ٹی سی DocType: Fertilizer,Density (if liquid),کثافت (اگر مائع) DocType: Employee,External Work History,بیرونی کام کی تاریخ @@ -2700,6 +2721,7 @@ DocType: Certification Application,Certification Status,سرٹیفیکیشن ک apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},شناخت {0} کے لئے ماخذ مقام کی ضرورت ہے DocType: Employee,Encashment Date,شناخت کی تاریخ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,مکمل شدہ اثاثہ کی بحالی کے لاگ ان کے لئے مکمل کرنے کی تاریخ کا انتخاب کریں +DocType: Quiz,Latest Attempt,تازہ ترین کوشش DocType: Leave Block List,Allow Users,صارفین کو اجازت دیں apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,اکاؤنٹس کا چارٹ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,گاہک کے طور پر 'مواقع سے' منتخب کیا جاتا ہے تو کسٹمر لازمی ہے @@ -2763,7 +2785,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,سپلائر اسک DocType: Amazon MWS Settings,Amazon MWS Settings,ایمیزون MWS ترتیبات DocType: Program Enrollment,Walking,چل رہا ہے DocType: SMS Log,Requested Numbers,درخواست کردہ نمبر -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,سیٹ اپ> نمبر نمبر کے ذریعہ حاضری کے لئے براہ کرم سلسلہ نمبر سیٹ کریں DocType: Woocommerce Settings,Freight and Forwarding Account,فریٹ اور فارورڈنگ اکاؤنٹ apps/erpnext/erpnext/accounts/party.py,Please select a Company,براہ مہربانی ایک کمپنی کا انتخاب کریں apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,صف {0}: {1} 0 سے زیادہ ہونا ضروری ہے @@ -2833,7 +2854,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,بلوں ن DocType: Training Event,Seminar,سیمینار apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),کریڈٹ ({0}) DocType: Payment Request,Subscription Plans,سبسکرپشن کے منصوبوں -DocType: Quality Goal,March,مارچ +DocType: GSTR 3B Report,March,مارچ apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,تقسیم بیچ DocType: School House,House Name,گھر کا نام apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0} کے لئے بقایا صفر سے کم نہیں ہوسکتا ہے ({1}) @@ -2895,7 +2916,6 @@ apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},ح DocType: Asset,Insurance Start Date,انشورنس شروع کی تاریخ DocType: Target Detail,Target Detail,ہدف تفصیل DocType: Packing Slip,Net Weight UOM,نیٹ وزن UOM -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: Purchase Invoice Item,Net Amount (Company Currency),خالص رقم (کمپنی کرنسی) DocType: Bank Statement Transaction Settings Item,Mapped Data,موڈ ڈیٹا apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,سیکورٹیز اور جمع @@ -2945,6 +2965,7 @@ DocType: Cheque Print Template,Cheque Height,اونچائی کی جانچ پڑت apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,براہ مہربانی دوبارہ کوشش کریں. DocType: Loyalty Program,Loyalty Program Help,وفادار پروگرام کی مدد DocType: Journal Entry,Inter Company Journal Entry Reference,انٹر کمپنی جرنل انٹری ریفرنس +DocType: Quality Meeting,Agenda,ایجنڈا DocType: Quality Action,Corrective,درست apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,گروپ کی طرف سے DocType: Bank Account,Address and Contact,ایڈریس اور رابطہ @@ -2998,7 +3019,7 @@ DocType: GL Entry,Credit Amount,کریڈٹ رقم apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,کریڈٹ کل رقم DocType: Support Search Source,Post Route Key List,روٹ کلیدی فہرست پوسٹ کریں apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} کسی بھی فعال مالی سال میں نہیں. -DocType: Quality Action Table,Problem,مسئلہ +DocType: Quality Action Resolution,Problem,مسئلہ DocType: Training Event,Conference,کانفرنس DocType: Mode of Payment Account,Mode of Payment Account,ادائیگی کے اکاؤنٹ کا موڈ DocType: Leave Encashment,Encashable days,ناقابل یقین دن @@ -3123,7 +3144,7 @@ DocType: Item,"Purchase, Replenishment Details",خریداری، سامان کی DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",مقرر ہونے کے بعد، مقرر شدہ تاریخ تک یہ انوائس ہو گی apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,اسٹاک کے مطابق آئٹم {0} کے لئے موجود نہیں ہوسکتا ہے DocType: Lab Test Template,Grouped,گروپ -DocType: Quality Goal,January,جنوری +DocType: GSTR 3B Report,January,جنوری DocType: Course Assessment Criteria,Course Assessment Criteria,کورس کی تشخیص معیار DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,مکمل مقدار @@ -3216,7 +3237,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,ہیلتھ ک apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,ٹیبل میں براہ راست 1 انوائس درج کریں apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,سیلز آرڈر {0} جمع نہیں کیا جاتا ہے apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,حاضری کامیابی سے نشان لگا دیا گیا ہے. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,پہلی فروخت +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,پہلی فروخت apps/erpnext/erpnext/config/projects.py,Project master.,پراجیکٹ ماسٹر. DocType: Daily Work Summary,Daily Work Summary,ڈیلی کام خلاصہ DocType: Asset,Partially Depreciated,جزوی طور پر منحصر ہے @@ -3225,6 +3246,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,تباہی چھوڑ دو DocType: Certified Consultant,Discuss ID,بحث کی شناخت apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,براہ کرم GST ترتیبات میں GST اکاؤنٹس مقرر کریں +DocType: Quiz,Latest Highest Score,تازہ ترین ترین اسکور DocType: Supplier,Billing Currency,بلنگ کی کرنسی apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,طالب علم کی سرگرمی apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,یا ہدف رقم یا ہدف رقم لازمی ہے @@ -3250,18 +3272,21 @@ DocType: Sales Order,Not Delivered,حوالے نہیں ہوسکی apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,چھوڑ دیں قسم {0} مختص نہیں کی جاسکتی ہے کیونکہ اس کے بغیر ادائیگی نہیں ہوگی DocType: GL Entry,Debit Amount,ڈیبٹ کی رقم apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},آئٹم کے لئے پہلے ہی ریکارڈ موجود ہے {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,ذیلی اسمبلی 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.",اگر متعدد قیمتوں کا تعین کرنے کے قواعد غالب ہوتے ہیں، تو صارفین کو تنازع کو حل کرنے کے لئے دستی طور پر ترجیح مقرر کرنے کے لئے کہا جاتا ہے. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',زمرہ 'ویلنٹائن' یا 'تشخیص اور کل' کے لئے کب کٹوتی نہیں کر سکتا apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,بوم اور مینوفیکچرنگ مقدار کی ضرورت ہے apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},آئٹم {0} {1} پر زندگی کا اختتام تک پہنچ گیا ہے. DocType: Quality Inspection Reading,Reading 6,6 پڑھنا +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,کمپنی کے میدان کی ضرورت ہے apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,مینوفیکچررز ترتیبات میں مواد کی کھپت کا تعین نہیں کیا جاتا ہے. DocType: Assessment Group,Assessment Group Name,تشخیص گروپ کا نام -DocType: Item,Manufacturer Part Number,ڈویلپر حصہ حصہ +DocType: Purchase Invoice Item,Manufacturer Part Number,ڈویلپر حصہ حصہ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,پے پال ادائیگی apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},صف # {0}: {1} شے کے لئے منفی نہیں ہوسکتا ہے {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,بیلنس مقدار +DocType: Question,Multiple Correct Answer,ایک سے زیادہ درست جواب DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 وفادار پوائنٹس = کتنا بیس کرنسی؟ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},نوٹ: چھوڑ دو قسم کے لئے کافی چھوٹ نہیں ہے {0} DocType: Clinical Procedure,Inpatient Record,بیماریاں ریکارڈ @@ -3382,6 +3407,7 @@ DocType: Fee Schedule Program,Total Students,کل طلباء apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,مقامی DocType: Chapter Member,Leave Reason,وجہ چھوڑ دو DocType: Salary Component,Condition and Formula,حالت اور فارمولہ +DocType: Quality Goal,Objectives,مقاصد apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",تنخواہ {0} اور {1} کے درمیان پہلے سے ہی عملدرآمد کی گئی ہے، درخواست کی مدت چھوڑ دو اس تاریخ کی حد کے درمیان نہیں ہوسکتی ہے. DocType: BOM Item,Basic Rate (Company Currency),بنیادی شرح (کمپنی کرنسی) DocType: BOM Scrap Item,BOM Scrap Item,بوم سکریپ آئٹم @@ -3432,6 +3458,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP -YYYY.- DocType: Expense Claim Account,Expense Claim Account,اخراجات کا دعوی اکاؤنٹ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,جرنل اندراج کے لئے کوئی ادائیگی نہیں ہے apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} غیر فعال طالب علم ہے +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,اسٹاک انٹری بنائیں DocType: Employee Onboarding,Activities,سرگرمیاں apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,کم از کم ایک گودام لازمی ہے ,Customer Credit Balance,کسٹمر کریڈٹ بیلنس @@ -3516,7 +3543,6 @@ DocType: Contract,Contract Terms,معاہدہ شرائط apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,یا ہدف رقم یا ہدف رقم لازمی ہے. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},غلط {0} DocType: Item,FIFO,فیفا -DocType: Quality Meeting,Meeting Date,اجلاس کی تاریخ DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC- INP-YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,مختصر طور پر 5 حروف سے زیادہ نہیں ہوسکتی ہے DocType: Employee Benefit Application,Max Benefits (Yearly),زیادہ سے زیادہ فوائد (سالانہ) @@ -3618,7 +3644,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,بینک کی فیس apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,سامان کی منتقلی apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,بنیادی رابطے کی تفصیلات -DocType: Quality Review,Values,قیمتیں DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",اگر جانچ پڑتال نہیں کی گئی ہے، تو اس فہرست میں ہر محکمہ کو شامل کیا جانا پڑے گا جہاں اسے لاگو کرنا ہوگا. DocType: Item Group,Show this slideshow at the top of the page,اس سلائڈ شو کو صفحے کے سب سے اوپر دکھائیں apps/erpnext/erpnext/templates/generators/bom.html,No description given,کوئی تفصیل نہیں دی گئی @@ -3636,6 +3661,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,بینک چارج اکاؤنٹ DocType: Journal Entry,Get Outstanding Invoices,بقایا انوائسز حاصل کریں DocType: Opportunity,Opportunity From,سے مواقع +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,ھدف کی تفصیلات DocType: Item,Customer Code,کسٹمر کوڈ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,براہ کرم سب سے پہلے آئٹم درج کریں apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,ویب سائٹ کی فہرست @@ -3664,7 +3690,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,ترسیل DocType: Bank Statement Transaction Settings Item,Bank Data,بینک ڈیٹا apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,اپ ڈیٹ کردہ -DocType: Quality Goal,Everyday,ہر روز DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,ٹائم شیٹ پر بلنگ کے گھنٹے اور ورکنگ گھنٹوں کو برقرار رکھنا apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,لیڈ ماخذ کی طرف سے لیڈز کو ٹریک کریں. DocType: Clinical Procedure,Nursing User,نرسنگ صارف @@ -3689,7 +3714,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,علاقائی درخ DocType: GL Entry,Voucher Type,واؤچر کی قسم ,Serial No Service Contract Expiry,سیریل نمبر سروس معاہدہ ختم ہونے کا DocType: Certification Application,Certified,مصدقہ -DocType: Material Request Plan Item,Manufacture,تیاری +DocType: Purchase Invoice Item,Manufacture,تیاری apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} تیار کردہ اشیاء apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0} کے لئے ادائیگی کی درخواست apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,آخری آرڈر کے بعد دن @@ -3704,7 +3729,7 @@ DocType: Sales Invoice,Company Address Name,کمپنی کا پتہ نام apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,ٹرانزٹ میں سامان apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,آپ اس آرڈر میں زیادہ سے زیادہ {0} پوائنٹس کو صرف ریڈیم کرسکتے ہیں. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},برائے مہربانی گودام میں اکاؤنٹ مقرر کریں {0} -DocType: Quality Action Table,Resolution,قرارداد +DocType: Quality Action,Resolution,قرارداد DocType: Sales Invoice,Loyalty Points Redemption,وفادار پوائنٹس کو چھوٹ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,کل ٹیکس قابل قدر DocType: Patient Appointment,Scheduled,شیڈول کردہ @@ -3825,6 +3850,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,شرح apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},{0} محفوظ کرنا DocType: SMS Center,Total Message(s),کل پیغام +DocType: Purchase Invoice,Accounting Dimensions,اکاؤنٹنگ طول و عرض apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,اکاؤنٹ کی طرف سے گروپ DocType: Quotation,In Words will be visible once you save the Quotation.,کوئٹہ کو بچانے کے بعد الفاظ میں نظر آئے گا. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,مقدار پیدا کرنے کے لئے @@ -3988,7 +4014,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.",اگر آپ کے پاس کوئی سوال ہے تو، براہ کرم ہمارے پاس واپس جائیں. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,خریداری کی رسید {0} جمع نہیں کی گئی ہے DocType: Task,Total Expense Claim (via Expense Claim),کل اخراجات دعوی (اخراجات کے دعوی کے ذریعے) -DocType: Quality Action,Quality Goal,معیار کا مقصد +DocType: Quality Goal,Quality Goal,معیار کا مقصد DocType: Support Settings,Support Portal,سپورٹ پورٹل apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},کام کی آخری تاریخ {0} سے کم نہیں ہوسکتی ہے {1} آغاز کی تاریخ {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},ملازم {0} چھوڑنے پر ہے {1} @@ -4047,7 +4073,6 @@ DocType: BOM,Operating Cost (Company Currency),آپریٹنگ لاگت (کمپن DocType: Item Price,Item Price,آئٹم قیمت DocType: Payment Entry,Party Name,پارٹی کا نام apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,براہ کرم ایک گاہک منتخب کریں -DocType: Course,Course Intro,کورس کا تعارف DocType: Program Enrollment Tool,New Program,نیا پروگرام apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix",نئے لاگت سینٹر کی تعداد، اسے لاگت مرکز کے نام میں ایک سابقہ طور پر شامل کیا جائے گا apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,کسٹمر یا سپلائر منتخب کریں. @@ -4245,6 +4270,7 @@ DocType: Customer,CUST-.YYYY.-,ضرورت ہے .YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,نیٹ ورک منفی نہیں ہوسکتا apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,تعاملات میں سے کوئی نہیں 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/hr/doctype/employee/employee_dashboard.py,Shift,شفٹ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,اکاؤنٹس اور جماعتوں کے چارٹ پروسیسنگ DocType: Stock Settings,Convert Item Description to Clean HTML,صاف ایچ ٹی ایم ایل میں آئٹم کی تفصیل تبدیل کریں apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,تمام سپلائر گروپ @@ -4322,6 +4348,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,والدین کی اشیاء apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,بروکرج apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},براہ کرم خریداری کے رسید یا خریداری کے انوائس کو آئٹم {0} بنائیں. +,Product Bundle Balance,پروڈکٹ بنڈل بیلنس apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,کمپنی کا نام کمپنی نہیں ہوسکتا ہے DocType: Maintenance Visit,Breakdown,خرابی DocType: Inpatient Record,B Negative,B منفی @@ -4330,7 +4357,7 @@ DocType: Purchase Invoice,Credit To,کریڈٹ کرنے کے لئے apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,مزید پروسیسنگ کے لئے یہ کام آرڈر جمع کریں. DocType: Bank Guarantee,Bank Guarantee Number,بینک گارنٹی نمبر apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},ڈیلیوری: {0} -DocType: Quality Action,Under Review,زیر جائزہ +DocType: Quality Meeting Table,Under Review,زیر جائزہ apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),زراعت (بیٹا) ,Average Commission Rate,اوسط کمیشن کی شرح DocType: Sales Invoice,Customer's Purchase Order Date,کسٹمر کی خریداری آرڈر کی تاریخ @@ -4519,6 +4546,7 @@ DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,اس س DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR -YYYY- DocType: Student,Student Mobile Number,طالب علم موبائل نمبر apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Year: ,تعلیمی سال: +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} DocType: Shipping Rule Condition,To Value,قدرکرنا apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Please add the account to root level Company - ,براہ مہربانی اکاؤنٹ کو جڑ کی سطح کمپنی میں شامل کریں - DocType: Asset Settings,Number of Days in Fiscal Year,مالی سال میں دن کی تعداد @@ -4535,8 +4563,8 @@ DocType: Crop,Crop Spacing,فصل کا فاصلہ DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,سیلز ٹرانسمیشن کی بنیاد پر پروجیکٹ اور کمپنی کو اپ ڈیٹ کیا جانا چاہئے. DocType: Pricing Rule,Period Settings,مدت کی ترتیبات apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,اکاؤنٹس وصول کرنے میں نیٹ تبدیلی +DocType: Quality Feedback Template,Quality Feedback Template,کوالٹی تاثرات سانچہ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,مقدار کے لئے صفر سے زیادہ ہونا ضروری ہے -DocType: Quality Goal,Goal Objectives,مقصد کے مقاصد apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",شرح، نمبروں میں سے نہیں اور حساب کی رقم کے درمیان متضاد ہیں DocType: Student Group Creation Tool,Leave blank if you make students groups per year,اگر آپ ہر سال طالب علموں کو گروپ بناؤ تو خالی چھوڑ دیں apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),قرض (ذمہ داری) @@ -4571,12 +4599,13 @@ DocType: Quality Procedure Table,Step,مرحلہ DocType: Normal Test Items,Result Value,نتیجہ قیمت DocType: Cash Flow Mapping,Is Income Tax Liability,آمدنی ٹیک ذمہ داری ہے DocType: Healthcare Practitioner,Inpatient Visit Charge Item,بیماریوں کا دورہ چارج آئٹم -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} موجود نہیں ہے. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} موجود نہیں ہے. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,جواب اپ ڈیٹ کریں DocType: Bank Guarantee,Supplier,سپلائر apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},قیمت دوپہر {0} اور {1} درج کریں DocType: Purchase Order,Order Confirmation Date,آرڈر کی توثیق کی تاریخ DocType: Delivery Trip,Calculate Estimated Arrival Times,متوقع آنے والے ٹائمز کا حساب لگائیں +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,برائے مہربانی انسانی وسائل> HR ترتیبات میں ملازم نامی کا نظام قائم کریں apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,قابل DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS -YYYY.- DocType: Subscription,Subscription Start Date,سبسکرائب کریں شروع کی تاریخ @@ -4640,6 +4669,7 @@ DocType: Cheque Print Template,Is Account Payable,اکاؤنٹ قابل ادائ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,کل آرڈر ویلیو apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},سپلائر {0} میں نہیں مل سکا {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,سیٹ اپ ایس ایم ایس گیٹ وے کی ترتیبات +DocType: Salary Component,Round to the Nearest Integer,قریبی انوگر کے دورے apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,جڑ والدین کی قیمت کا مرکز نہیں ہوسکتا ہے DocType: Healthcare Service Unit,Allow Appointments,اپیل کی اجازت دیں DocType: BOM,Show Operations,آپریشن دکھائیں @@ -4767,7 +4797,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,پہلے سے طے شدہ چھٹیوں کی فہرست DocType: Naming Series,Current Value,موجودہ قیمت apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",بجٹ، اہداف وغیرہ کی ترتیب دینے کے لئے موسمیاتی -DocType: Program,Program Code,پروگرام کا کوڈ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},انتباہ: سیلز آرڈر {0} پہلے سے ہی گاہک کی خریداری کے آرڈر کے خلاف موجود ہے {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,ماہانہ فروخت کی ھدف ( DocType: Guardian,Guardian Interests,گارڈین دلچسپی @@ -4817,10 +4846,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,ادائیگی اور ڈیلی نہیں کی گئی apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,آئٹم کوڈ لازمی ہے کیونکہ آئٹم خود بخود شمار نہیں کیا جاتا ہے DocType: GST HSN Code,HSN Code,ایچ ایس این کوڈ -DocType: Quality Goal,September,ستمبر +DocType: GSTR 3B Report,September,ستمبر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,انتظامی اخراجات DocType: C-Form,C-Form No,سی فارم نمبر نمبر DocType: Purchase Invoice,End date of current invoice's period,موجودہ انوائس کی مدت کے اختتام کی تاریخ +DocType: Item,Manufacturers,مینوفیکچرنگ DocType: Crop Cycle,Crop Cycle,فصل فصل DocType: Serial No,Creation Time,تخلیقی وقت apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,کردار کی منظوری یا صارف کی منظوری قبول کریں @@ -4893,8 +4923,6 @@ DocType: Employee,Short biography for website and other publications.,ویب س DocType: Purchase Invoice Item,Received Qty,حاصل شدہ مقدار DocType: Purchase Invoice Item,Rate (Company Currency),شرح (کمپنی کی کرنسی) DocType: Item Reorder,Request for,درخواست برائے -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","برائے مہربانی اس دستاویز کو منسوخ کرنے کیلئے ملازم {0} کو حذف کریں" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,presets انسٹال apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,برائے مہربانی دوبارہ ادائیگی کی مدت درج کریں DocType: Pricing Rule,Advanced Settings,اعلی درجے کی ترتیبات @@ -4919,7 +4947,7 @@ DocType: Issue,Resolution Date,قرارداد کی تاریخ DocType: Shopping Cart Settings,Enable Shopping Cart,خریداری کی ٹوکری کو فعال کریں DocType: Pricing Rule,Apply Rule On Other,دوسرے پر قاعدہ کریں DocType: Vehicle,Last Carbon Check,آخری کاربن چیک -DocType: Vehicle,Make,بنائیں +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,بنائیں apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,سیلز انوائس {0} ادا کی گئی ہے apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,ایک ادائیگی کی درخواست کا حوالہ دینے والا دستاویز تیار کرنے کے لئے ضروری ہے apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,انکم ٹیکس @@ -4994,7 +5022,6 @@ DocType: Territory,Parent Territory,والدین کے علاقے DocType: Vehicle Log,Odometer Reading,پیمائشی آلا کی تحریر DocType: Additional Salary,Salary Slip,تنخواہ کی رسید DocType: Payroll Entry,Payroll Frequency,پے رول فریکوئینسی -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,برائے مہربانی انسانی وسائل> HR ترتیبات میں ملازم نامی کا نظام قائم کریں apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",{{1} کا حساب نہیں کر سکتے DocType: Products Settings,Home Page is Products,ہوم پیج مصنوعات ہے apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,کالز @@ -5048,7 +5075,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,ریکارڈ لانے ...... DocType: Delivery Stop,Contact Information,رابطے کی معلومات DocType: Sales Order Item,For Production,پیداوار کے لئے -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,براہ کرم تعلیم> تعلیم کی ترتیبات میں انسٹریکٹر نامی نظام قائم کریں DocType: Serial No,Asset Details,اثاثہ کی تفصیلات DocType: Restaurant Reservation,Reservation Time,ریزرویشن کا وقت DocType: Selling Settings,Default Territory,پہلے سے طے شدہ علاقہ @@ -5188,6 +5214,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,متوقع بیچ DocType: Shipping Rule,Shipping Rule Type,شپنگ کی قسم DocType: Job Offer,Accepted,قبول +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","برائے مہربانی اس دستاویز کو منسوخ کرنے کیلئے ملازم {0} کو حذف کریں" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,آپ نے تشخیص کے معیار کے لئے پہلے سے ہی اندازہ کیا ہے {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,بیچ نمبر منتخب کریں apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),عمر (دن) @@ -5204,6 +5232,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,فروخت کے وقت بنڈل اشیاء. DocType: Payment Reconciliation Payment,Allocated Amount,اختصاص کردہ رقم apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,برائے مہربانی کمپنی اور عہدہ کا انتخاب کریں +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'تاریخ' کی ضرورت ہے DocType: Email Digest,Bank Credit Balance,بینک کریڈٹ بیلنس apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,مجموعی رقم دکھائیں apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,آپ کے پاس بہت سی وفادار پوائنٹس نہیں ہیں @@ -5262,11 +5291,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,پچھلے صف کل DocType: Student,Student Email Address,طالب علم ای میل ایڈریس DocType: Academic Term,Education,تعلیم DocType: Supplier Quotation,Supplier Address,سپلائر ایڈریس -DocType: Salary Component,Do not include in total,کل میں شامل نہ کریں +DocType: Salary Detail,Do not include in total,کل میں شامل نہ کریں apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,ایک کمپنی کے لئے ایک سے زیادہ آئٹم ڈیفالٹ مقرر نہیں کرسکتے ہیں. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} موجود نہیں ہے DocType: Purchase Receipt Item,Rejected Quantity,ردعمل مقدار DocType: Cashier Closing,To TIme,TIme کرنے کے لئے +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: Daily Work Summary Group User,Daily Work Summary Group User,ڈیلی کام خلاصہ گروپ صارف DocType: Fiscal Year Company,Fiscal Year Company,مالی سال کی کمپنی apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,متبادل شے کو شے کوڈ کے طور پر ہی نہیں ہونا چاہئے @@ -5376,7 +5406,6 @@ DocType: Fee Schedule,Send Payment Request Email,ای میل ادائیگی کی DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,سیلز انوائس کو بچانے کے بعد الفاظ میں نظر آئے گا. DocType: Sales Invoice,Sales Team1,سیلز ٹیم 1 DocType: Work Order,Required Items,ضروری اشیاء -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","-"، "#"، "." کے علاوہ خصوصی حروف اور "/" سلسلے میں نامزد کرنے کی اجازت نہیں ہے apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,ERPNext دستی پڑھیں DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,سپلائر سپلائی انوائس نمبر انفرادیت چیک کریں apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,ذیلی اسمبلی تلاش کریں @@ -5443,7 +5472,6 @@ DocType: Taxable Salary Slab,Percent Deduction,فی صد کٹوتی apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,پیداوار کی مقدار زیرو سے کم نہیں ہوسکتی ہے DocType: Share Balance,To No,نہیں DocType: Leave Control Panel,Allocate Leaves,پتیوں کو مختص کریں -DocType: Quiz,Last Attempt,آخری کوشش DocType: Assessment Result,Student Name,طالب علم کا نام apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,دیکھ بھال کے دوروں کے لئے منصوبہ apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,مندرجہ ذیل مواد کی درخواستوں کو آئٹم کے دوبارہ آرڈر کی سطح پر مبنی خود کار طریقے سے اٹھایا گیا ہے @@ -5512,6 +5540,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,اشارے رنگ DocType: Item Variant Settings,Copy Fields to Variant,مختلف قسم کے فیلڈز DocType: Soil Texture,Sandy Loam,سینڈی لوام +DocType: Question,Single Correct Answer,سنگل درست جواب apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,تاریخ سے ملازم کی شمولیت کی تاریخ سے کم نہیں ہوسکتی ہے DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,کسٹمر کے خریداری آرڈر کے خلاف متعدد سیلز آرڈر کی اجازت دیں apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5574,7 +5603,7 @@ DocType: Account,Expenses Included In Valuation,تنخواہ میں شامل ا apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,سیریل نمبر DocType: Salary Slip,Deductions,کٹوتی ,Supplier-Wise Sales Analytics,سپلائر - حکمت عملی سیلز تجزیات -DocType: Quality Goal,February,فروری +DocType: GSTR 3B Report,February,فروری DocType: Appraisal,For Employee,ملازمت کے لئے apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,اصل ترسیل کی تاریخ DocType: Sales Partner,Sales Partner Name,سیلز پارٹنر کا نام @@ -5670,7 +5699,6 @@ DocType: Procedure Prescription,Procedure Created,طریقہ کار تشکیل apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},سپلائر انوائس {0} کے خلاف {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS پروفائل کو تبدیل کریں apps/erpnext/erpnext/utilities/activation.py,Create Lead,لیڈ بنائیں -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,سپلائر> سپلائی کی قسم DocType: Shopify Settings,Default Customer,ڈیفالٹ کسٹمر DocType: Payment Entry Reference,Supplier Invoice No,سپلائر انوائس نمبر DocType: Pricing Rule,Mixed Conditions,مخلوط شرائط @@ -5721,12 +5749,14 @@ DocType: Item,End of Life,زندگی کا اختتام DocType: Lab Test Template,Sensitivity,حساسیت DocType: Territory,Territory Targets,علاقائی مقاصد apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",مندرجہ ذیل ملازمتوں کے لئے چھوٹ ڈومینٹمنٹ کو چھوڑنے کے لۓ، ڈیوائس الاؤنس کا ریکارڈ ان کے خلاف پہلے ہی موجود ہے. {0} +DocType: Quality Action Resolution,Quality Action Resolution,معیار ایکشن قرارداد DocType: Sales Invoice Item,Delivered By Supplier,سپلائر کی طرف سے فراہم کی DocType: Agriculture Analysis Criteria,Plant Analysis,پلانٹ تجزیہ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},اخراجات کا اکاؤنٹ شے {0} کے لئے ضروری ہے ,Subcontracted Raw Materials To Be Transferred,ذیلی کنکریٹ خام مواد منتقل کرنے کے لئے DocType: Cashier Closing,Cashier Closing,کیشئر بند apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,آئٹم {0} پہلے ہی واپس آ گیا ہے +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,غلط GSTIN! ان پٹ میں داخل ہوا جس میں UIN ہولڈرز یا غیر رہائشی OIDAR سروس فراہم کرنے والوں کے لئے GSTIN فارمیٹ نہیں ہے apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,اس گودام کے لئے بچے گودام موجود ہے. آپ اس گودام کو خارج نہیں کر سکتے ہیں. DocType: Diagnosis,Diagnosis,تشخیص apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0} اور {1} کے درمیان کوئی چھٹی نہیں ہے @@ -5788,6 +5818,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,ڈیفالٹ کسٹمر گروپ DocType: Journal Entry Account,Debit in Company Currency,کمپنی کی کرنسی میں ڈیبٹ DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",fallback سیریز "SO-WOO-" ہے. +DocType: Quality Meeting Agenda,Quality Meeting Agenda,کوالٹی میٹنگ ایجنڈا DocType: Cash Flow Mapper,Section Header,سیکشن ہیڈر apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,آپ کی مصنوعات یا خدمات DocType: Crop,Perennial,پیدائش @@ -5833,7 +5864,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",ایک پروڈکٹ یا ایک سروس جو خریدا جاتا ہے، اسٹاک میں فروخت یا رکھا جاتا ہے. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),بند (کھولنے + کل) DocType: Supplier Scorecard Criteria,Criteria Formula,معیار فارمولہ -,Support Analytics,سپورٹ تجزیات +apps/erpnext/erpnext/config/support.py,Support Analytics,سپورٹ تجزیات apps/erpnext/erpnext/config/quality_management.py,Review and Action,جائزہ اور ایکشن DocType: Account,"If the account is frozen, entries are allowed to restricted users.",اگر اکاؤنٹ منجمد ہو تو، اندراج محدود صارفین کو اجازت دی جاتی ہے. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,استحکام کے بعد رقم @@ -5878,7 +5909,6 @@ DocType: Contract Template,Contract Terms and Conditions,معاہدہ شرائط apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ڈیٹا لاؤ DocType: Stock Settings,Default Item Group,ڈیفالٹ آئٹم گروپ DocType: Sales Invoice Timesheet,Billing Hours,بلنگ گھنٹے -DocType: Item,Item Code for Suppliers,سپلائرز کے لئے آئٹم کوڈ apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},طالب علم کے خلاف درخواست {0} پہلے ہی موجود ہے {1} DocType: Pricing Rule,Margin Type,مارجن کی قسم DocType: Purchase Invoice Item,Rejected Serial No,ردعمل سیریل نمبر @@ -5951,6 +5981,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,پتیوں کو آسانی سے عطا کی گئی ہے DocType: Loyalty Point Entry,Expiry Date,خاتمے کی تاریخ DocType: Project Task,Working,کام کرنا +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} پہلے سے ہی والدین کا طریقہ کار {1} ہے. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,یہ اس مریض کے خلاف ٹرانزیکشن پر مبنی ہے. تفصیلات کے لئے ذیل میں ٹائم لائن ملاحظہ کریں DocType: Material Request,Requested For,کے لئے درخواست کی DocType: SMS Center,All Sales Person,تمام سیلز شخص @@ -6038,6 +6069,7 @@ DocType: Loan Type,Maximum Loan Amount,زیادہ سے زیادہ قرض کی ر apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,پہلے سے طے شدہ رابطہ میں ای میل نہیں مل سکا DocType: Hotel Room Reservation,Booked,بکری DocType: Maintenance Visit,Partially Completed,جزوی طور پر مکمل +DocType: Quality Procedure Process,Process Description,عمل کی تفصیل DocType: Company,Default Employee Advance Account,ڈیفالٹ ملازم ایڈوانس اکاؤنٹ DocType: Leave Type,Allow Negative Balance,منفی بیلنس کی اجازت دیں apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,تشخیص منصوبہ کا نام @@ -6077,6 +6109,7 @@ DocType: Vehicle Service,Change,تبدیل کریں apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Cost exists for Employee {0} against Activity Type - {1},سرگرمی کی قیمت ملازم {0} سرگرمی کی قسم کے خلاف موجود ہے - {1} DocType: Request for Quotation Item,Request for Quotation Item,کوٹیشن آئٹم کے لئے درخواست DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,منتخب پیٹرول کی تاریخ پر مکمل ٹیکس کم +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,آخری کاربن چیک کی تاریخ مستقبل کی تاریخ نہیں ہوسکتی ہے apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,تبدیلی کی رقم کا اکاؤنٹ منتخب کریں DocType: Support Settings,Forum Posts,فورم کے مراسلے DocType: Timesheet Detail,Expected Hrs,متوقع ایچ @@ -6086,7 +6119,7 @@ DocType: Program Enrollment Tool,Enroll Students,طالب علموں کو اند apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,کسٹمر آمدنی دوبارہ کریں DocType: Company,Date of Commencement,آغاز کی تاریخ DocType: Bank,Bank Name,بینک کا نام -DocType: Quality Goal,December,دسمبر +DocType: GSTR 3B Report,December,دسمبر apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,تاریخ سے درست تاریخ تک درست سے کم ہونا ضروری ہے apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,یہ اس ملازم کی حاضری پر مبنی ہے DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",اگر جانچ پڑتال ہو تو، ہوم پیج ویب سائٹ کے ڈیفالٹ آئٹم گروپ ہو گا @@ -6127,6 +6160,7 @@ DocType: Payment Entry,Payment Type,ادائیگی کی قسم apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,فولیو نمبر مماثل نہیں ہیں DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF -YYYY- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},معیار معائنہ: {0} آئٹم کے لئے جمع نہیں کیا جاتا ہے: {1} قطار میں {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},دکھائیں {0} ,Stock Ageing,اسٹاک ایجنٹ DocType: Customer Group,Mention if non-standard receivable account applicable,یاد رکھیں کہ غیر معیاری قابل قبول اکاؤنٹ لاگو ہوتا ہے ,Subcontracted Item To Be Received,ذیلی کنسرت شدہ اشیاء حاصل کرنے کے لئے @@ -6402,6 +6436,7 @@ DocType: Travel Request,Costing,لاگت apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,مقرر اثاثے DocType: Purchase Order,Ref SQ,ریفریجک SQ DocType: Salary Structure,Total Earning,کل آمدنی +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ DocType: Share Balance,From No,نمبر سے نہیں DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ادائیگی کی رسید انوائس DocType: Purchase Invoice,Taxes and Charges Added,ٹیکس اور چارج شامل @@ -6409,7 +6444,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,ٹیکس یا چ DocType: Authorization Rule,Authorized Value,مجاز ویلیو apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,کی طرف سے موصول apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,گودام {0} موجود نہیں ہے +DocType: Item Manufacturer,Item Manufacturer,آئٹم ڈویلپر DocType: Sales Invoice,Sales Team,سیل ٹیم +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,بنڈل مقدار DocType: Purchase Order Item Supplied,Stock UOM,اسٹاک UOM DocType: Installation Note,Installation Date,تنصیب کی تاریخ DocType: Email Digest,New Quotations,نیا کوٹیشن @@ -6483,6 +6520,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,ریٹائرمنٹ کی تاریخ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,براہ کرم مریض کو منتخب کریں DocType: Asset,Straight Line,سیدھی لکیر +DocType: Quality Action,Resolutions,قراردادیں DocType: SMS Log,No of Sent SMS,ایس ایم ایس کی کوئی بھی نہیں ,GST Itemised Sales Register,جی ایس ایس آئٹمائزڈ سیلز رجسٹر apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,کل پیشگی رقم مجموعی منظور شدہ رقم سے زیادہ نہیں ہوسکتی ہے @@ -6592,7 +6630,7 @@ DocType: Account,Profit and Loss,نفع اور نقصان apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,مختلف مقدار DocType: Asset Finance Book,Written Down Value,لکھا ہوا قدر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,کھولیں بیلنس ایکوئٹی -DocType: Quality Goal,April,اپریل +DocType: GSTR 3B Report,April,اپریل DocType: Supplier,Credit Limit,ادھار کی حد apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,تقسیم apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6646,6 +6684,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext کے ساتھ Shopify کو مربوط کریں DocType: Homepage Section Card,Subtitle,ذیلی عنوان DocType: Soil Texture,Loam,لوام +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,سپلائر> سپلائی کی قسم DocType: BOM,Scrap Material Cost(Company Currency),سکریپ مواد کی قیمت (کمپنی کی کرنسی) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ڈلیوری نوٹ {0} لازمی نہیں ہے DocType: Task,Actual Start Date (via Time Sheet),اصل آغاز کی تاریخ (ٹائم شیٹ کے ذریعے) @@ -6701,7 +6740,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,خوراک DocType: Cheque Print Template,Starting position from top edge,سب سے اوپر کنارے سے شروع کی پوزیشن apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),تقرری مدت (منٹ) -DocType: Pricing Rule,Disable,غیر فعال +DocType: Accounting Dimension,Disable,غیر فعال DocType: Email Digest,Purchase Orders to Receive,خریدنے کے لئے خریداروں کو خریدنے کے لئے apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,پروڈکشنز آرڈر کے لئے نہیں اٹھایا جا سکتا ہے: DocType: Projects Settings,Ignore Employee Time Overlap,ملازمت کا وقت اوورلوپ کو نظر انداز کریں @@ -6785,6 +6824,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,ٹیک DocType: Item Attribute,Numeric Values,تعداد میں قدر DocType: Delivery Note,Instructions,ہدایات DocType: Blanket Order Item,Blanket Order Item,کمبل آرڈر آئٹم +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,منافع اور نقصان کے اکاؤنٹ کے لئے لازمی apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,کمیشن کی شرح 100 سے زائد نہیں ہوسکتی ہے DocType: Course Topic,Course Topic,کورس موضوع DocType: Employee,This will restrict user access to other employee records,یہ صارف کے دوسرے ملازم کے ریکارڈ تک رسائی محدود کرے گا @@ -6808,12 +6848,14 @@ apps/erpnext/erpnext/config/education.py,Content Masters,مواد کے مالک apps/erpnext/erpnext/config/accounting.py,Subscription Management,سبسکرپشن مینجمنٹ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,گاہکوں سے حاصل کریں DocType: Employee,Reports to,رپورٹ +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,پارٹی کا اکاؤنٹ DocType: Assessment Plan,Schedule,شیڈول apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,درج کریں DocType: Lead,Channel Partner,چینل پارٹنر apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,انوائسڈ رقم DocType: Project,From Template,سانچہ سے +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,سبسکرائب apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,مقدار بنانے کے لئے DocType: Quality Review Table,Achieved,حاصل ہوا @@ -6860,7 +6902,6 @@ DocType: Journal Entry,Subscription Section,سبسکرائب سیکشن DocType: Salary Slip,Payment Days,ادائیگی کے دن apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,رضاکارانہ معلومات. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`منجمد اسٹاک پرانے سے زیادہ٪ d دنوں سے کم ہونا چاہئے. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,مالی سال منتخب کریں DocType: Bank Reconciliation,Total Amount,کل رقم DocType: Certification Application,Non Profit,غیر منافع بخش DocType: Subscription Settings,Cancel Invoice After Grace Period,فضل مدت کے بعد انوائس کو منسوخ کریں @@ -6873,7 +6914,6 @@ DocType: Serial No,Warranty Period (Days),وارنٹی مدت (دن) DocType: Expense Claim Detail,Expense Claim Detail,اخراج دعوی تفصیل apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,پروگرام: DocType: Patient Medical Record,Patient Medical Record,مریض میڈیکل ریکارڈ -DocType: Quality Action,Action Description,ایکشن تفصیل DocType: Item,Variant Based On,مختلف قسم کی بنیاد پر DocType: Vehicle Service,Brake Oil,بریک تیل DocType: Employee,Create User,صارف بنائیں @@ -6929,7 +6969,7 @@ DocType: Cash Flow Mapper,Section Name,سیکشن کا نام DocType: Packed Item,Packed Item,پیکڈ آئٹم apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: {2} کے لئے کسی بھی ڈیبٹ یا کریڈٹ رقم کی ضرورت ہے. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,تنخواہ سلپس جمع کرانے ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,کوئی کارروائی نہیں +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,کوئی کارروائی نہیں apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",بجٹ {0} کے خلاف تفویض نہیں کیا جاسکتا ہے، کیونکہ یہ آمدنی یا اخراجات نہیں ہے apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,ماسٹرز اور اکاؤنٹس DocType: Quality Procedure Table,Responsible Individual,ذمہ دار انفرادی @@ -7051,7 +7091,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,چائلڈ کمپنی کے خلاف اکاؤنٹ تخلیق کی اجازت دیں DocType: Payment Entry,Company Bank Account,کمپنی بینک اکاؤنٹ DocType: Amazon MWS Settings,UK,برطانیہ -DocType: Quality Procedure,Procedure Steps,طریقہ کار اقدامات DocType: Normal Test Items,Normal Test Items,عام ٹیسٹ اشیا apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,آئٹم {0}: آرڈر {1} کم از کم آرڈر {2} (کمیٹی میں بیان کردہ) سے کم نہیں ہوسکتا ہے. apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,اسٹاک میں نہیں @@ -7128,7 +7167,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,تجزیات DocType: Maintenance Team Member,Maintenance Role,بحالی رول apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,شرائط و ضوابط سانچہ DocType: Fee Schedule Program,Fee Schedule Program,فیس شیڈول پروگرام -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,کورس {0} موجود نہیں ہے. DocType: Project Task,Make Timesheet,ٹائم شیٹ بنائیں DocType: Production Plan Item,Production Plan Item,پیداوار منصوبہ آئٹم apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,کل طالب علم @@ -7149,6 +7187,7 @@ DocType: Expense Claim,Total Claimed Amount,کل دعوی رقم apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,ختم کرو apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,اگر آپ کی رکنیت 30 دن کے اندر ختم ہوتی ہے تو آپ صرف تجدید کرسکتے ہیں apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},قیمت {0} اور {1} کے درمیان ہونا ضروری ہے +DocType: Quality Feedback,Parameters,پیرامیٹرز ,Sales Partner Transaction Summary,سیلز پارٹنر ٹرانزیکشن خلاصہ DocType: Asset Maintenance,Maintenance Manager Name,بحالی مینیجر کا نام apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,آئٹم تفصیلات کی تفصیلات حاصل کرنے کی ضرورت ہے. @@ -7186,6 +7225,7 @@ DocType: Student Admission,Student Admission,طالب علم داخلہ DocType: Designation Skill,Skill,مہارت DocType: Budget Account,Budget Account,بجٹ اکاؤنٹ DocType: Employee Transfer,Create New Employee Id,نیا ملازم کی شناخت بنائیں +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{منافع اور نقصان 'اکاؤنٹ {1} کے لئے {0} لازمی ہے. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),سامان اور خدمات ٹیکس (جی ایس ٹی بھارت) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,تنخواہ سلپس بنانے ... DocType: Employee Skill,Employee Skill,ملازمت کی مہارت @@ -7285,6 +7325,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,انوائس DocType: Subscription,Days Until Due,وجہ تک دن apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,مکمل دکھائیں apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,بینک بیان ٹرانزیکشن داخلہ رپورٹ +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,بینک Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,قطار # {0}: شرح {1}: {2} ({3} / {4} کے طور پر ایک ہی ہونا ضروری ہے DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC- CPR-YYYY.- DocType: Healthcare Settings,Healthcare Service Items,ہیلتھ کیئر سروس اشیاء @@ -7339,6 +7380,7 @@ DocType: Training Event Employee,Invited,مدعو apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},اجزاء {0} سے زیادہ {1} سے زائد زیادہ رقم اہل ہے apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,بل پر رقم apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",{0} کے لئے، صرف ڈیبٹ اکاؤنٹس دوسرے کریڈٹ اندراج کے خلاف منسلک کیا جا سکتا ہے +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,ابعاد بنانا ... DocType: Bank Statement Transaction Entry,Payable Account,قابل ادائیگی اکاؤنٹ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,براہ کرم ضروری دوروں میں سے کسی کا ذکر کریں DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,صرف منتخب کریں اگر آپ نے کیش فلو میپر دستاویزات کو تشکیل دیا ہے @@ -7355,6 +7397,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,قرارداد کا وقت DocType: Grading Scale Interval,Grade Description,گریڈ کی تفصیل DocType: Homepage Section,Cards,کارڈ +DocType: Quality Meeting Minutes,Quality Meeting Minutes,معیار میٹنگ منٹ DocType: Linked Plant Analysis,Linked Plant Analysis,منسلک پلانٹ تجزیہ apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,خدمت کی روک تھام کی تاریخ سروس اختتام کی تاریخ کے بعد نہیں ہوسکتی ہے apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,براہ کرم GST ترتیبات میں B2C کی حد مقرر کریں. @@ -7389,7 +7432,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,ملازم حاضری DocType: Employee,Educational Qualification,تعلیمی قابلیت apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,قابل رسائی قدر apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},نمونہ مقدار {0} وصول شدہ مقدار سے زیادہ نہیں ہوسکتا ہے {1} -DocType: Quiz,Last Highest Score,آخری سب سے زیادہ اسکور DocType: POS Profile,Taxes and Charges,ٹیکس اور چارجز DocType: Opportunity,Contact Mobile No,موبائل نمبر سے رابطہ کریں DocType: Employee,Joining Details,تفصیلات میں شمولیت diff --git a/erpnext/translations/uz.csv b/erpnext/translations/uz.csv index 63b6025791..aa43abc1ca 100644 --- a/erpnext/translations/uz.csv +++ b/erpnext/translations/uz.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Yetkazib beruvchi qism No DocType: Journal Entry Account,Party Balance,Partiya balansi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Jamg'arma mablag'lari (majburiyatlar) DocType: Payroll Period,Taxable Salary Slabs,Soliqqa tortiladigan ish haqi plitalari +DocType: Quality Action,Quality Feedback,Sifat fikri DocType: Support Settings,Support Settings,Yordam sozlamalari apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Avval ishlab chiqarish elementini kiriting DocType: Quiz,Grading Basis,Baholash asoslari @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Batafsil ma' DocType: Salary Component,Earning,Daromad DocType: Restaurant Order Entry,Click Enter To Add,Qo'shish uchun Enter ni bosing DocType: Employee Group,Employee Group,Xodimlar guruhi +DocType: Quality Procedure,Processes,Jarayonlar DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Bir valyutani boshqasiga aylantirish uchun ayirboshlash kursini tanlang apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Qarish oralig'i 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},{0} uchun kabinetga ombori kerak @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Shikoyat DocType: Shipping Rule,Restrict to Countries,Davlatlarni cheklash DocType: Hub Tracked Item,Item Manager,Mavzu menejeri apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Yakuniy hisob raqamining valyutasi {0} bo'lishi kerak +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Byudjet apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Billing elementini ochish DocType: Work Order,Plan material for sub-assemblies,Sub-assemblies uchun reja materiallari apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Uskuna DocType: Budget,Action if Annual Budget Exceeded on MR,"Agar yillik byudjet MRdan oshib ketgan bo'lsa, harakat" DocType: Sales Invoice Advance,Advance Amount,Avans miqdori +DocType: Accounting Dimension,Dimension Name,Hajmi nomi DocType: Delivery Note Item,Against Sales Invoice Item,Sotuvdagi schyot-fakturaga qarshi DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Mahsulotni ishlab chiqarishga qo'shing @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,U nima qiladi? ,Sales Invoice Trends,Sotuvdagi taqdim etgan tendentsiyalari DocType: Bank Reconciliation,Payment Entries,To'lov yozuvlari DocType: Employee Education,Class / Percentage,Sinf / foizlar -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Mahsulot kodi> Mahsulot guruhi> Tovar ,Electronic Invoice Register,Elektron hisob-faktura reestri DocType: Sales Invoice,Is Return (Credit Note),Qaytish (kredit eslatmasi) DocType: Lab Test Sample,Lab Test Sample,Laborotoriya namunasi @@ -291,6 +294,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Variantlar apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Narxlar siz tanlaganingizga ko'ra, mahsulot miqdori yoki miqdori bo'yicha mutanosib ravishda taqsimlanadi" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Bugungi kunda faoliyatni kutish +DocType: Quality Procedure Process,Quality Procedure Process,Sifat protsedurasi jarayoni DocType: Fee Schedule Program,Student Batch,Talabalar guruhi apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},{0} qatoridagi element uchun baholanish darajasi DocType: BOM Operation,Base Hour Rate(Company Currency),Asosiy soatingiz (Kompaniya valyutasi) @@ -310,7 +314,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Serial No Input ga asoslangan operatsiyalarda Miqdorni belgilash apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Avans hisobvarag'ining valyutasi kompaniya valyutasi {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Bosh sahifa bo'limlarini moslashtiring -DocType: Quality Goal,October,Oktyabr +DocType: GSTR 3B Report,October,Oktyabr DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Mijozning soliq kodini sotish operatsiyalaridan yashirish apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN noto'g'ri! GSTINda 15 ta belgi bo'lishi kerak. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Raqobatchilar qoidalari {0} yangilanadi @@ -395,7 +399,7 @@ DocType: GoCardless Mandate,GoCardless Customer,GoCardsiz mijoz DocType: Leave Encashment,Leave Balance,Balansni qoldiring DocType: Assessment Plan,Supervisor Name,Boshqaruvchi nomi DocType: Selling Settings,Campaign Naming By,Kampaniya nomi bilan nomlash -DocType: Course,Course Code,Kurs kodi +DocType: Student Group Creation Tool Course,Course Code,Kurs kodi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerokosmos DocType: Landed Cost Voucher,Distribute Charges Based On,To'lov asosida to'lovlarni taqsimlash DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Yetkazib beruvchi Scorecard reyting mezonlari @@ -477,10 +481,8 @@ DocType: Restaurant Menu,Restaurant Menu,Restoran menyusi DocType: Asset Movement,Purpose,Maqsad apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Xodim uchun ish haqi tuzilishi tayinlanishi allaqachon mavjud DocType: Clinical Procedure,Service Unit,Xizmat birligi -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Xaridor> xaridorlar guruhi> hududi DocType: Travel Request,Identification Document Number,Identifikatsiya raqami DocType: Stock Entry,Additional Costs,Qo'shimcha xarajatlar -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Ota-ona kursi (bo'sh joy qoldiring, agar bu Ota-ona kursining bir qismi bo'lmasa)" DocType: Employee Education,Employee Education,Xodimlarni o'qitish apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Ishchi xodimlarning joriy soni kamroq bo'lishi mumkin emas apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Barcha xaridorlar guruhlari @@ -527,6 +529,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Row {0}: Miqdor majburiydir DocType: Sales Invoice,Against Income Account,Daromad hisobiga qarshi apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},# {0} qatori: Xarid-faktura mavjud mavjudotga qarshi {1} +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Turli reklama usullarini qo'llash qoidalari. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM uchun UOM koversion faktorlari talab qilinadi: {0}: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},"Iltimos, {0} mahsulot uchun miqdorni kiriting" DocType: Workstation,Electricity Cost,Elektr narx @@ -858,7 +861,6 @@ DocType: Item,Total Projected Qty,Jami loyiha miqdori apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Haqiqiy boshlanish sanasi 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 -DocType: Company,About the Company,Kompaniya haqida apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Moliyaviy hisoblar daraxti. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Bilvosita daromad DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,Mehmonxona Xona Rezervasyon Mavzu @@ -873,6 +875,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Potentsial m DocType: Skill,Skill Name,Malakalarning nomi apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Hisobot kartasini chop etish DocType: Soil Texture,Ternary Plot,Ternary uchastkasi +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Iltimos, {0} uchun nomlash seriyasini Sozlamalar> Sozlamalar> Nomlar ketma-ketligi orqali o'rnating" apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Yordam chiptalari DocType: Asset Category Account,Fixed Asset Account,Ruxsat etilgan aktivlar hisobi apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Oxirgi @@ -882,6 +885,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Dasturlarni ro' ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,"Iltimos, foydalanish uchun ketma-ketlikni o'rnating." DocType: Delivery Trip,Distance UOM,Masofa UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Balans uchun majburiy DocType: Payment Entry,Total Allocated Amount,Jami ajratilgan mablag'lar DocType: Sales Invoice,Get Advances Received,Qabul qilingan avanslar oling DocType: Student,B-,B- @@ -903,6 +907,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Xizmat jadvali elem apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,Qalin kirishni amalga oshirish uchun qalin profil talab qilinadi DocType: Education Settings,Enable LMS,LMS-ni yoqish DocType: POS Closing Voucher,Sales Invoices Summary,Savdo Xarajatlarni Xulosa +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Foyda apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Hisobga olish uchun Hisob balansi yozuvi bo'lishi kerak DocType: Video,Duration,Muddati DocType: Lab Test Template,Descriptive,Ta'riflovchi @@ -954,6 +959,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Boshlanish va tugash sanalari DocType: Supplier Scorecard,Notify Employee,Xodimga xabar bering apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Dasturiy ta'minot +DocType: Program,Allow Self Enroll,O'z-o'zidan yozilishga ruxsat berish apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Aksiyadorlik xarajatlari apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,"Yo'naltiruvchi sanasi kiritilsa, Yo'naltiruvchi Yo'q" DocType: Training Event,Workshop,Seminar @@ -1006,6 +1012,7 @@ DocType: Lab Test Template,Lab Test Template,Laboratoriya viktorina namunasi apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-faktura haqida ma'lumot yo'q apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Hech qanday material talabi yaratilmagan +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Mahsulot kodi> Mahsulot guruhi> Tovar DocType: Loan,Total Amount Paid,To'langan pul miqdori apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Bu barcha narsalar allaqachon faturalanmıştı DocType: Training Event,Trainer Name,Trainer nomi @@ -1027,6 +1034,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,O'quv yili DocType: Sales Stage,Stage Name,Staj nomi DocType: SMS Center,All Employee (Active),Barcha xodimlar (faol) +DocType: Accounting Dimension,Accounting Dimension,Buxgalteriya hajmi DocType: Project,Customer Details,Xaridor tafsilotlari DocType: Buying Settings,Default Supplier Group,Standart yetkazib beruvchi guruhi apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Avval Qabul Qabul qilingani {0} bekor qiling @@ -1141,7 +1149,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Raqamni ko'p DocType: Designation,Required Skills,Kerakli ko'nikmalar DocType: Marketplace Settings,Disable Marketplace,Bozorni o'chirib qo'ying DocType: Budget,Action if Annual Budget Exceeded on Actual,Agar yillik byudjet haqiqatdan ham oshib ketgan bo'lsa -DocType: Course,Course Abbreviation,Kurs qisqartmasi apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Davom etish {0} uchun {1} sifatida qoldirilmadi. DocType: Pricing Rule,Promotional Scheme Id,Rag'batlantiruvchi sxemasi apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},{0} vazifasining tugash sanasi {1} kutilgan tugash sanasi {2} dan ortiq bo'lmasligi mumkin @@ -1283,7 +1290,7 @@ DocType: Bank Guarantee,Margin Money,Margin pul DocType: Chapter,Chapter,Bo'lim DocType: Purchase Receipt Item Supplied,Current Stock,Mavjud kabinetga DocType: Employee,History In Company,Kompaniya tarixida -DocType: Item,Manufacturer,Ishlab chiqaruvchi +DocType: Purchase Invoice Item,Manufacturer,Ishlab chiqaruvchi apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,O'rtacha sezuvchanlik DocType: Compensatory Leave Request,Leave Allocation,Ajratishni qoldiring DocType: Timesheet,Timesheet,Vaqt jadvallari @@ -1314,6 +1321,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Ishlab chiqarish uchu DocType: Products Settings,Hide Variants,Variantlarni yashirish DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Imkoniyatlarni rejalashtirishni va vaqtni kuzatishni o'chirib qo'yish DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Jurnalda hisoblab chiqiladi. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} "Balans Sheet" hisobiga {1} uchun talab qilinadi. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,"{0} {1} bilan ishlashga ruxsat berilmagan. Iltimos, kompaniyani o'zgartiring." 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}","Buying Reciept Required == "YES" buyurtma sozlamalari bo'yicha, keyin Xarid-fakturani yaratish uchun, foydalanuvchi oldin {0}" DocType: Delivery Trip,Delivery Details,Yetkazib berish haqida ma'lumot @@ -1349,7 +1357,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Oldindan apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,O'lchov birligi DocType: Lab Test,Test Template,Viktorina shablonni DocType: Fertilizer,Fertilizer Contents,Go'ng tarkibi -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Minut +DocType: Quality Meeting Minutes,Minute,Minut 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}" DocType: Task,Actual Time (in Hours),Haqiqiy vaqt (soatda) DocType: Period Closing Voucher,Closing Account Head,Hisob boshini yopish @@ -1521,7 +1529,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Laboratoriya DocType: Purchase Order,To Bill,Billga apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Kommunal xizmat xarajatlari DocType: Manufacturing Settings,Time Between Operations (in mins),Operatsiyalar o'rtasida vaqt (daq.) -DocType: Quality Goal,May,May +DocType: GSTR 3B Report,May,May apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","To'lov shlyuzi hisobini yaratib bo'lmadi, iltimos, bitta qo'lda yarating." DocType: Opening Invoice Creation Tool,Purchase,Sotib olish DocType: Program Enrollment,School House,Maktab uyi @@ -1553,6 +1561,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,N DocType: Supplier,Statutory info and other general information about your Supplier,Ta'minlovchingiz haqidagi qonuniy ma'lumotlar va boshqa umumiy ma'lumotlar DocType: Item Default,Default Selling Cost Center,Standart sotish narxlari markazi DocType: Sales Partner,Address & Contacts,Manzil va Kontaktlar +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Iltimos, Setup> Numbering Series orqali tomosha qilish uchun raqamlash seriyasini sozlang" DocType: Subscriber,Subscriber,Abonent apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Shakl / element / {0}) mavjud emas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Marhamat, birinchi marta o'tilganlik sanasi tanlang" @@ -1580,6 +1589,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Statsionar tashrif buyur DocType: Bank Statement Settings,Transaction Data Mapping,Transaction Data Mapping apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Qo'rg'oshin yoki shaxsning ismi yoki tashkilotning ismi talab qilinadi DocType: Student,Guardians,Himoyachilar +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Marhamat, Ta'lim bo'yicha o'qituvchi nomlash tizimini sozlang> Ta'lim sozlamalari" apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Marka tanlang ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,O'rta daromad DocType: Shipping Rule,Calculate Based On,Hisoblash asosida @@ -1591,7 +1601,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Xarajatlar bo'yicha da& DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Dumaloq tuzatish (Kompaniya valyutasi) DocType: Item,Publish in Hub,Hubda nashr etish apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,Avgust +DocType: GSTR 3B Report,August,Avgust apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Avval Qabul Qabulnomasini kiriting apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Boshlanish yili apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Nishon ({}) @@ -1610,6 +1620,7 @@ DocType: Item,Max Sample Quantity,Maksimal namunalar miqdori apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Resurslar va maqsadli omborlar boshqacha bo'lishi kerak DocType: Employee Benefit Application,Benefits Applied,Qo'llaniladigan imtiyozlar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Journal Entryga qarshi {0} ga mos keladigan {1} yozuvi yo'q +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",""-", "#", ".", "/", "{" Va "}" dan tashqari maxsus belgilar ketma-ketliklar nomini berishga yo'l qo'yilmaydi." apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Narx yoki mahsulot chegirma plitalari talab qilinadi apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Nishonni o'rnating apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Jurnal tarixi @@ -1624,10 +1635,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Bir oyda DocType: Routing,Routing Name,Yonaltiruvchi nomi DocType: Disease,Common Name,Umumiy nom -DocType: Quality Goal,Measurable,O'lchovli DocType: Education Settings,LMS Title,LMS sarlavhasi apps/erpnext/erpnext/config/non_profit.py,Loan Management,Kreditni boshqarish -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Analytics-ni qo'llab-quvvatlash DocType: Clinical Procedure,Consumable Total Amount,Xarajatlarning umumiy summasi apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Shabloni yoqish apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,Xaridor LPO @@ -1767,6 +1776,7 @@ DocType: Restaurant Order Entry Item,Served,Xizmat qildi DocType: Loan,Member,Ro'yxatdan DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Amaliyotshunoslik xizmati bo'limi jadvali apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Telegraf ko'chirmasi +DocType: Quality Review Objective,Quality Review Objective,Sifatni tekshirish maqsadi DocType: Bank Reconciliation Detail,Against Account,Hisobga qarshi DocType: Projects Settings,Projects Settings,Loyihalar sozlamalari apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Haqiqiy miqdori {0} / kutish soni {1} @@ -1795,6 +1805,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Ve apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Moliyaviy yil tugash sanasi Moliyaviy yil boshlanish sanasidan bir yil o'tgach bo'lishi kerak apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Kundalik eslatmalar DocType: Item,Default Sales Unit of Measure,Standart o'lchov birligi +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Kompaniya GSTIN DocType: Asset Finance Book,Rate of Depreciation,Amortizatsiya darajasi DocType: Support Search Source,Post Description Key,Xabar ta'rifi DocType: Loyalty Program Collection,Minimum Total Spent,Eng kam umumiy sarf @@ -1865,6 +1876,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Tanlangan mijoz uchun xaridorlar guruhini o'zgartirishga ruxsat berilmaydi. DocType: Serial No,Creation Document Type,Hujjatning tuzilishi DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Mavjud omborlarda QQS da mavjud +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura Grand Total apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Bu ildiz hududidir va tahrirlanmaydi. DocType: Patient,Surgical History,Jarrohlik tarixi apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Sifat daraxti usuli. @@ -1967,6 +1979,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,X DocType: Item Group,Check this if you want to show in website,"Veb-saytda ko'rsatishni xohlasangiz, buni tekshirib ko'ring" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Moliyaviy yil {0} topilmadi DocType: Bank Statement Settings,Bank Statement Settings,Bank Statement Sozlamalari +DocType: Quality Procedure Process,Link existing Quality Procedure.,Mavjud Sifat protsedurasini bog'lang. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Hisoblarni Import CSV / Excel fayllaridan import qilish jadvali DocType: Appraisal Goal,Score (0-5),Skor (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Attestatsiyaning {0} xususiyati bir nechta marta Attributes jadvalida tanlangan DocType: Purchase Invoice,Debit Note Issued,Debet notasi chiqarildi @@ -1975,7 +1989,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Siyosat tafsilotlarini qoldiring apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Tizimda mavjud bo'lmagan ombor DocType: Healthcare Practitioner,OP Consulting Charge,OP maslaxatchisi uchun to'lov -DocType: Quality Goal,Measurable Goal,O'lcham maqsad DocType: Bank Statement Transaction Payment Item,Invoices,Xarajatlar DocType: Currency Exchange,Currency Exchange,Valyuta almashinuvi DocType: Payroll Entry,Fortnightly,Ikki kechada @@ -2038,6 +2051,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} yuborilmadi DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Ishlamaydigan omborxonadan qaynoq xomashyo DocType: Maintenance Team Member,Maintenance Team Member,Ta'minot guruhi a'zosi +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Buxgalteriya uchun maxsus o'lchamlarni o'rnating DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Eng yaxshi o'sish uchun o'simliklar qatorlari orasidagi minimal masofa DocType: Employee Health Insurance,Health Insurance Name,Salomatlik sug'urtasi nomi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Fond aktivlari @@ -2068,7 +2082,7 @@ DocType: Delivery Note,Billing Address Name,To'lov manzili nomi apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Muqobil element DocType: Certification Application,Name of Applicant,Ariza beruvchining nomi DocType: Leave Type,Earned Leave,G'oyib bo'ldi -DocType: Quality Goal,June,Iyun +DocType: GSTR 3B Report,June,Iyun apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Row {0}: xarajat markazi {1} elementi uchun talab qilinadi apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},{0} tomonidan tasdiqlangan bo'lishi mumkin 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} konvertatsiya stavkasi jadvalida bir necha marta kiritildi @@ -2089,6 +2103,7 @@ DocType: Lab Test Template,Standard Selling Rate,Standart sotish bahosi apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Restoran {0} uchun faol menyu tanlang apps/erpnext/erpnext/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: Asset Finance Book,Asset Finance Book,Asset Moliya kitobi +DocType: Quality Goal Objective,Quality Goal Objective,Sifat maqsadi maqsadi DocType: Employee Transfer,Employee Transfer,Xodimlarning transferi ,Sales Funnel,Savdo huni DocType: Agriculture Analysis Criteria,Water Analysis,Suv tahlillari @@ -2127,6 +2142,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,Xodimlarning tran apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Kutilayotgan amallar apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Mijozlaringizning bir qismini ro'yxatlang. Ular tashkilotlar yoki shaxslar bo'lishi mumkin. DocType: Bank Guarantee,Bank Account Info,Bank hisobi ma'lumotlari +DocType: Quality Goal,Weekday,Kun tartibi apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Ismi DocType: Salary Component,Variable Based On Taxable Salary,Soliqqa tortiladigan maoshga asoslangan o'zgaruvchi DocType: Accounting Period,Accounting Period,Buxgalteriya davri @@ -2211,7 +2227,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Yumaloq regulyatsiya DocType: Quality Review Table,Quality Review Table,Sifatni tekshirish jadvali DocType: Member,Membership Expiry Date,Registratsiya sanasi DocType: Asset Finance Book,Expected Value After Useful Life,Foydali hayotdan keyin kutilgan qiymat -DocType: Quality Goal,November,Noyabr +DocType: GSTR 3B Report,November,Noyabr DocType: Loan Application,Rate of Interest,Foiz stavkasi DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Bank deklaratsiyasi Jurnal to'lovi elementi DocType: Restaurant Reservation,Waitlisted,Kutib turildi @@ -2274,6 +2290,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Row {0}: davriylikni {1} o'rnatish uchun, bu va hozirgi vaqt orasidagi farq {2} dan katta yoki teng bo'lishi kerak" DocType: Purchase Invoice Item,Valuation Rate,Baholash darajasi DocType: Shopping Cart Settings,Default settings for Shopping Cart,Savatga savatni uchun standart sozlamalar +DocType: Quiz,Score out of 100,100 dan ortig'i DocType: Manufacturing Settings,Capacity Planning,Imkoniyatlarni rejalashtirish apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,O'qituvchilarga o'ting DocType: Activity Cost,Projects,Loyihalar @@ -2283,6 +2300,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Vaqtdan apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Variant Tafsilotlar hisoboti +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Sotib olish uchun apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0} uchun joylar jadvalga qo'shilmaydi DocType: Target Detail,Target Distribution,Nishon tarqatish @@ -2300,6 +2318,7 @@ DocType: Activity Cost,Activity Cost,Faoliyat bahosi DocType: Journal Entry,Payment Order,To'lov Buyurtma apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Raqobatchilar ,Item Delivery Date,Mahsulotni etkazib berish sanasi +DocType: Quality Goal,January-April-July-October,Yanvar-aprel-iyul-oktyabr oylari DocType: Purchase Order Item,Warehouse and Reference,QXI va Yo'naltiruvchi apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Bola tugunlari bilan hisob qaydnomasiga o'tkazilmaydi DocType: Soil Texture,Clay Composition (%),Gil tarkibi (%) @@ -2350,6 +2369,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Kelajakdagi sanalar ru apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,"Row {0}: Iltimos, to'lov rejasini To'lov rejasida belgilang" apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Akademik atamalar: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Sifat parametrlari apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,"Iltimos, "Ilovani yoqish" ni tanlang" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,# {0} qatori: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Jami to'lovlar @@ -2392,7 +2412,7 @@ DocType: Hub Tracked Item,Hub Node,Uyadan tugun apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Xodim identifikatori DocType: Salary Structure Assignment,Salary Structure Assignment,Ish haqi tuzilishi DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Qalinligi uchun Voucher Soliqlar -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Amal boshlandi +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Amal boshlandi DocType: POS Profile,Applicable for Users,Foydalanuvchilar uchun amal qiladi DocType: Training Event,Exam,Test apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Bosh axborotlar yozuvlarining noto'g'ri soni topildi. Jurnalda noto'g'ri Hisobni tanlagan bo'lishingiz mumkin. @@ -2499,6 +2519,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Uzunlik DocType: Accounts Settings,Determine Address Tax Category From,Unvon taxa kategoriyasini tanlang apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Qabul qiluvchilarni aniqlash +DocType: Stock Entry Detail,Reference Purchase Receipt,Buyurtma olindi apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Invoziyani oling DocType: Tally Migration,Is Day Book Data Imported,Kunlik daftar ma'lumotlarini import qilish ,Sales Partners Commission,Savdo hamkorlari komissiyasi @@ -2522,6 +2543,7 @@ DocType: Leave Type,Applicable After (Working Days),Amalga oshiriladigan so' DocType: Timesheet Detail,Hrs,Hr DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Yetkazib beruvchi Korxona Kriterlari DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Sifat malumotlari shablon parametrlari apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Qo'shilish sanasi Tug'ilgan kundan katta bo'lishi kerak DocType: Bank Statement Transaction Invoice Item,Invoice Date,Faktura sanasi DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Sotuvdagi hisob-faktura topshiruvida laboratoriya testlarini tuzish @@ -2628,7 +2650,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Minimal ruxsat qiymat DocType: Stock Entry,Source Warehouse Address,Resurs ombori manzili DocType: Compensatory Leave Request,Compensatory Leave Request,Compensatory Leave Request DocType: Lead,Mobile No.,Mobil telefon raqami -DocType: Quality Goal,July,Iyul +DocType: GSTR 3B Report,July,Iyul apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Muvofiq ITC DocType: Fertilizer,Density (if liquid),Zichlik (suyuqlik bo'lsa) DocType: Employee,External Work History,Tashqi ish tarixi @@ -2705,6 +2727,7 @@ DocType: Certification Application,Certification Status,Sertifikatlash holati apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Manba joylashuvi {0} DocType: Employee,Encashment Date,Inkassatsiya sanasi apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Tugallangan aktivlarga xizmat ko'rsatish jurnalining tugallangan kunini tanlang +DocType: Quiz,Latest Attempt,Oxirgi tashabbus DocType: Leave Block List,Allow Users,Foydalanuvchilarga ruxsat berish apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Hisob jadvalining apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,"Xaridor sifatida "Imkoniyatdan" tanlangan bo'lsa, xaridor majburiydir" @@ -2768,7 +2791,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Yetkazib beruvchi Ko DocType: Amazon MWS Settings,Amazon MWS Settings,Amazon MWS sozlamalari DocType: Program Enrollment,Walking,Yurish DocType: SMS Log,Requested Numbers,Talab qilingan raqamlar -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Iltimos, Setup> Numbering Series orqali tomosha qilish uchun raqamlash seriyasini sozlang" DocType: Woocommerce Settings,Freight and Forwarding Account,Yuk va ekspeditorlik hisobi apps/erpnext/erpnext/accounts/party.py,Please select a Company,"Iltimos, kompaniyani tanlang" apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Row {0}: {1} 0 dan katta bo'lishi kerak @@ -2838,7 +2860,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Xarajatlar DocType: Training Event,Seminar,Seminar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Kredit ({0}) DocType: Payment Request,Subscription Plans,Obuna rejalari -DocType: Quality Goal,March,Mart +DocType: GSTR 3B Report,March,Mart apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Split partiyasi DocType: School House,House Name,Uyning nomi apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0} uchun ustunlik noldan kam bo'lishi mumkin emas ({1}) @@ -2901,7 +2923,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Sug'urta Boshlanish sanasi DocType: Target Detail,Target Detail,Maqsad tafsilotlari DocType: Packing Slip,Net Weight UOM,Og'irligi UOM -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM ishlab chiqarish omili ({0} -> {1}) topilmadi: {2} DocType: Purchase Invoice Item,Net Amount (Company Currency),Sof miqdori (Kompaniya valyutasi) DocType: Bank Statement Transaction Settings Item,Mapped Data,Maplangan ma'lumotlar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Qimmatli Qog'ozlar va depozitlar @@ -2951,6 +2972,7 @@ DocType: Cheque Print Template,Cheque Height,Balandligini tekshiring apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,"Iltimos, bo'sh vaqtni kiriting." DocType: Loyalty Program,Loyalty Program Help,Sadoqat dasturi yordami DocType: Journal Entry,Inter Company Journal Entry Reference,Inter kompaniyasi Journal Entry Reference +DocType: Quality Meeting,Agenda,Kun tartibi DocType: Quality Action,Corrective,Tuzatish apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Guruh tomonidan DocType: Bank Account,Address and Contact,Manzil va aloqa @@ -3004,7 +3026,7 @@ DocType: GL Entry,Credit Amount,Kredit miqdori apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Jami kredit miqdori DocType: Support Search Source,Post Route Key List,Post Route Kalit ro'yxati apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} har qanday faol Moliya yilida emas. -DocType: Quality Action Table,Problem,Muammo +DocType: Quality Action Resolution,Problem,Muammo DocType: Training Event,Conference,Konferensiya DocType: Mode of Payment Account,Mode of Payment Account,To'lov shakli hisob DocType: Leave Encashment,Encashable days,Ajablanadigan kunlar @@ -3127,7 +3149,7 @@ DocType: Item,"Purchase, Replenishment Details","Xarid qilish, to'ldirish ha DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Bir marta o'rnatilgach, ushbu hisob-faktura belgilangan vaqtgacha kutib turiladi" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,{0} elementi uchun kabinetga mavjud emas DocType: Lab Test Template,Grouped,Guruhlangan -DocType: Quality Goal,January,Yanvar +DocType: GSTR 3B Report,January,Yanvar DocType: Course Assessment Criteria,Course Assessment Criteria,Kurs baholash mezonlari DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Tugallangan son @@ -3223,7 +3245,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Sog'liqni apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,"Iltimos, stolda atleast 1-fakturani kiriting" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Savdo Buyurtma {0} yuborilmadi apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Ishtirok etish muvaffaqiyatli o'tdi. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Old savdo +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Old savdo apps/erpnext/erpnext/config/projects.py,Project master.,Loyiha bo'yicha mutaxassis. DocType: Daily Work Summary,Daily Work Summary,Kundalik ish xulosasi DocType: Asset,Partially Depreciated,Qisman Amortizatsiyalangan @@ -3232,6 +3254,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Encashed qoldiring? DocType: Certified Consultant,Discuss ID,Identifikatsiyani muhokama qiling apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,"Iltimos, GST sozlamalarida GST sozlamalarini o'rnating" +DocType: Quiz,Latest Highest Score,So'nggi eng yuqori ball DocType: Supplier,Billing Currency,To'lov valyutasi apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Talabalar faoliyati apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Nishon miqdor yoki maqsad miqdori majburiydir @@ -3257,18 +3280,21 @@ DocType: Sales Order,Not Delivered,Qabul qilinmadi 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 DocType: GL Entry,Debit Amount,Debet miqdori apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},{0} elementi uchun allaqachon qayd mavjud +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Quyi majlislar 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 qiladigan bo'lsa, foydalanuvchilardan nizoni hal qilish uchun birinchi darajali qo'lni o'rnatish talab qilinadi." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Baholash" yoki "Baholash va jami" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM va ishlab chiqarish miqdori talab qilinadi apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},{0} elementi {1} da umrining oxiriga yetdi DocType: Quality Inspection Reading,Reading 6,O'qish 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Kompaniya maydoni talab qilinadi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Materiallar sarflanishi ishlab chiqarish sozlamalarida o'rnatilmagan. DocType: Assessment Group,Assessment Group Name,Baholash guruhining nomi -DocType: Item,Manufacturer Part Number,Ishlab chiqaruvchi raqami +DocType: Purchase Invoice Item,Manufacturer Part Number,Ishlab chiqaruvchi raqami apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,To'lanadigan qarzlar apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},{0} qatori: {1} element {2} uchun salbiy bo'lishi mumkin emas apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Balans miqdori +DocType: Question,Multiple Correct Answer,Bir nechta to'g'ri javob DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Sadoqatli ballar = Qancha asosiy valyuta? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Izoh: Tovar {0} uchun qoldirilgan muvozanat etarli emas. DocType: Clinical Procedure,Inpatient Record,Statsionar qaydnomasi @@ -3388,6 +3414,7 @@ DocType: Fee Schedule Program,Total Students,Jami talabalar apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Mahalliy DocType: Chapter Member,Leave Reason,Reasonni qoldiring DocType: Salary Component,Condition and Formula,Vaziyat va formulalar +DocType: Quality Goal,Objectives,Maqsadlar apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","{0} va {1} oralig'idagi davr uchun allaqachon ishlov berilgan ish haqi, ushbu muddat oralig'i oralig'ida bo'lishi mumkin." DocType: BOM Item,Basic Rate (Company Currency),Asosiy narx (Kompaniya valyutasi) DocType: BOM Scrap Item,BOM Scrap Item,BOM Hurga mahsulotlari @@ -3438,6 +3465,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Xarajat shikoyati hisobvarag'i apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Jurnalga kirish uchun to'lovlar yo'q apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} faol emas +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Qimmatli qog'ozlarni kiritish DocType: Employee Onboarding,Activities,Faoliyatlar apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Eng kamida bir omborxona majburiydir ,Customer Credit Balance,Xaridorlarning kredit balansi @@ -3522,7 +3550,6 @@ DocType: Contract,Contract Terms,Shartnoma shartlari apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Nishon miqdor yoki maqsad miqdori majburiydir. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Noto'g'ri {0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,Uchrashuv sanasi DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-YYYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Qisqartirishda 5 dan ortiq belgi bo'lishi mumkin emas DocType: Employee Benefit Application,Max Benefits (Yearly),Maksimal foydasi (Yillik) @@ -3624,7 +3651,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Bank maoshlari apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Mahsulotlar olib qo'yildi apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Birlamchi aloqa ma'lumotlari -DocType: Quality Review,Values,Qiymatlar 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." DocType: Item Group,Show this slideshow at the top of the page,Ushbu slayd-shouni sahifaning yuqori qismida ko'rsatish apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0} parametri noto'g'ri @@ -3643,6 +3669,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Bank hisoblari DocType: Journal Entry,Get Outstanding Invoices,Katta foyda olish DocType: Opportunity,Opportunity From,Imkoniyatdan foydalanish +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Maqsad tafsilotlari DocType: Item,Customer Code,Xaridor kodi apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,"Iltimos, avval Elementni kiriting" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Sayt listingi @@ -3671,7 +3698,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Etkazib berish DocType: Bank Statement Transaction Settings Item,Bank Data,Bank ma'lumotlari apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Rejalashtirilgan Upto -DocType: Quality Goal,Everyday,Har kuni DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Billing vaqtlarini va ish soatlarini bir xil vaqt jadvalini saqlang apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Qo'rg'oshin manbai yordamida kuzatib boring. DocType: Clinical Procedure,Nursing User,Hemşirelik Foydalanuvchi bilan @@ -3696,7 +3722,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Mintaqa daraxtini bosh DocType: GL Entry,Voucher Type,Voucher turi ,Serial No Service Contract Expiry,Seriya Yo'q Xizmat shartnoma muddati tugamadi DocType: Certification Application,Certified,Sertifikatlangan -DocType: Material Request Plan Item,Manufacture,Ishlab chiqarish +DocType: Purchase Invoice Item,Manufacture,Ishlab chiqarish apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} ta mahsulot ishlab chiqarildi apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0} uchun to'lov so'rov apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Oxirgi Buyurtma berib o'tgan kunlar @@ -3711,7 +3737,7 @@ DocType: Sales Invoice,Company Address Name,Kompaniya manzili nomi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Tranzitdagi tovarlar apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Siz maksimal {0} nuqtadan faqat ushbu tartibda foydalanishingiz mumkin. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},"Iltimos, hisob qaydnomasini {0}" -DocType: Quality Action Table,Resolution,Ruxsat +DocType: Quality Action,Resolution,Ruxsat DocType: Sales Invoice,Loyalty Points Redemption,Sadoqatli ballarni qaytarish apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Jami soliqqa tortiladigan qiymat DocType: Patient Appointment,Scheduled,Belgilangan @@ -3832,6 +3858,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Baholash apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},{0} saqlash DocType: SMS Center,Total Message(s),Jami xabar (lar) +DocType: Purchase Invoice,Accounting Dimensions,Buxgalteriya o'lchovlari apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Hisobga ko'ra guruh DocType: Quotation,In Words will be visible once you save the Quotation.,So'zlarni saqlaganingizdan so'ng so'zlar ko'rinadi. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Ishlab chiqarish miqdori @@ -3994,7 +4021,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,B apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Savollaringiz bo'lsa, iltimos, bizga murojaat qiling." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Buyurtma olingani {0} yuborilmaydi DocType: Task,Total Expense Claim (via Expense Claim),Jami xarajat shikoyati (xarajatlar bo'yicha da'vo orqali) -DocType: Quality Action,Quality Goal,Sifat maqsadi +DocType: Quality Goal,Quality Goal,Sifat maqsadi DocType: Support Settings,Support Portal,Yordam portali apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},{0} vazifasining tugash sanasi {1} kutilgan boshlanish sanasi {2} dan kam bo'lishi mumkin emas DocType: Employee,Held On,O'chirilgan @@ -4052,7 +4079,6 @@ DocType: BOM,Operating Cost (Company Currency),Faoliyat xarajati (Kompaniya valy DocType: Item Price,Item Price,Mavzu narxi DocType: Payment Entry,Party Name,Partiyaning nomi apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,"Iltimos, mijozni tanlang" -DocType: Course,Course Intro,Kursni tanishtir DocType: Program Enrollment Tool,New Program,Yangi dastur apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Yangi XARAJATLARNING MARKAZI soni, u old qo'shimcha sifatida iqtisodiy markaz nomiga kiritiladi" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Mijozni yoki yetkazib beruvchini tanlang. @@ -4251,6 +4277,7 @@ DocType: Global Defaults,Disable In Words,So'zlarni o'chirish DocType: Customer,CUST-.YYYY.-,JUST YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Sof ish haqi salbiy bo'lishi mumkin emas apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,O'zaro aloqalar yo'q +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Hisob va partiyalarni qayta ishlash jadvali DocType: Stock Settings,Convert Item Description to Clean HTML,HTMLni tozalash uchun Mavzu tavsifini o'zgartiring apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Barcha Yetkazib beruvchi Guruhlari @@ -4329,6 +4356,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Ota-ona apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Brokerlik apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},"Iltimos, {0} elementiga buyurtma oling yoki xaridni amalga oshiring." +,Product Bundle Balance,Mahsulot to'plami balansi apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Kompaniyaning nomi Kompaniya bo'lishi mumkin emas DocType: Maintenance Visit,Breakdown,Buzilmoq DocType: Inpatient Record,B Negative,B salbiy @@ -4337,7 +4365,7 @@ DocType: Purchase Invoice,Credit To,Kredit berish apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Keyinchalik ishlash uchun ushbu Ish tartibi yuboring. DocType: Bank Guarantee,Bank Guarantee Number,Bank kafolati raqami apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Yetkazildi: {0} -DocType: Quality Action,Under Review,Tahrir ostida +DocType: Quality Meeting Table,Under Review,Tahrir ostida apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Qishloq xo'jaligi (beta) ,Average Commission Rate,O'rtacha komissiya kursi DocType: Sales Invoice,Customer's Purchase Order Date,Xaridorning Buyurtma tarixi @@ -4454,7 +4482,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Xarajatlarni hisob-kitob qilish DocType: Holiday List,Weekly Off,Haftalik yopiq apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},{0} elementi uchun muqobil elementni o'rnatishga ruxsat berish -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Dastur {0} mavjud emas. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Dastur {0} mavjud emas. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Siz ildiz tugunni tahrirlay olmaysiz. DocType: Fee Schedule,Student Category,Talaba toifasi apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Mahsulot {0}: {1} qty ishlab chiqarilgan," @@ -4544,8 +4572,8 @@ DocType: Crop,Crop Spacing,O'simliklar oralig'i DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Savdo bitimlari asosida loyiha va kompaniya qanchalik tez-tez yangilanishi kerak. DocType: Pricing Rule,Period Settings,Davr sozlamalari apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Xarajatlarning sof olishi +DocType: Quality Feedback Template,Quality Feedback Template,Sifat malumotlari namunasi apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,Miqdor uchun noldan katta bo'lishi kerak -DocType: Quality Goal,Goal Objectives,Maqsadlar apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Hisoblangan foiz stavkalari, aktsiyalarning soni va hisoblangan summa o'rtasida kelishmovchiliklar mavjud" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Talabalar guruhlarini yil davomida qilsangiz, bo'sh qoldiring" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Kreditlar (majburiyatlar) @@ -4580,12 +4608,13 @@ DocType: Quality Procedure Table,Step,Qadam DocType: Normal Test Items,Result Value,Natijada qiymat DocType: Cash Flow Mapping,Is Income Tax Liability,Daromad solig'i bo'yicha javobgarlik DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Statsionar tashrif buyurish uchun to'lov elementi -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} mavjud emas. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} mavjud emas. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Javobni yangilash DocType: Bank Guarantee,Supplier,Yetkazib beruvchi apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},{0} va {1} orasidagi qiymatni kiriting DocType: Purchase Order,Order Confirmation Date,Buyurtma Tasdiqlash sanasi DocType: Delivery Trip,Calculate Estimated Arrival Times,Bashoratli vorislik vaqtlarini hisoblash +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Inson resurslari> HR parametrlarini Xodimlar uchun nomlash tizimini sozlang apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Sarflanadigan DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-YYYYY.- DocType: Subscription,Subscription Start Date,Obunani boshlash sanasi @@ -4649,6 +4678,7 @@ DocType: Cheque Print Template,Is Account Payable,Hisobni to'lash mumkinmi? apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Umumiy Buyurtma qiymati apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Yetkazib beruvchi {0} {1} da topilmadi apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,SMS-tarmoq dovonini sozlash +DocType: Salary Component,Round to the Nearest Integer,Eng yaqin tamsayıya tog ' apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Ildiz ota-ona xarajatlari markaziga ega bo'lmaydi DocType: Healthcare Service Unit,Allow Appointments,Uchrashuvlarga ruxsat berish DocType: BOM,Show Operations,Operatsiyalarni ko'rsatish @@ -4774,7 +4804,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Standart dam olish ro'yxati DocType: Naming Series,Current Value,Joriy qiymat apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Byudjetni belgilashning mavsumiyligi, maqsadlari va boshqalar." -DocType: Program,Program Code,Dastur kodi apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Oylik Sotuvdagi Nishon ( DocType: Guardian,Guardian Interests,Guardian manfaatlari apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Partiya identifikatori majburiydir @@ -4823,10 +4852,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,To'langan va etkazib berilmagan apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Mahsulot kodi majburiydir, chunki ob'ekt avtomatik ravishda raqamlangan emas" DocType: GST HSN Code,HSN Code,HSN kodi -DocType: Quality Goal,September,Sentyabr +DocType: GSTR 3B Report,September,Sentyabr apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Ma'muriy xarajatlar DocType: C-Form,C-Form No,C-formasi № DocType: Purchase Invoice,End date of current invoice's period,Joriy hisob-kitob davri tugash sanasi +DocType: Item,Manufacturers,Ishlab chiqaruvchi DocType: Crop Cycle,Crop Cycle,O'simlik aylanishi DocType: Serial No,Creation Time,Yaratilish vaqti apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,"Iltimos, rozni rozilikni kiriting yoki foydalanuvchini tasdiqlang" @@ -4899,8 +4929,6 @@ DocType: Employee,Short biography for website and other publications.,Veb-sayt v DocType: Purchase Invoice Item,Received Qty,Qabul qilingan Miqdor DocType: Purchase Invoice Item,Rate (Company Currency),Tarif (Kompaniya valyutasi) DocType: Item Reorder,Request for,Talabnoma -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Iltimos, ushbu hujjatni bekor qilish uchun " {0} \" xodimini o'chirib tashlang" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Oldindan o'rnatish apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,To'lovlarni qaytarish davrlarini kiriting DocType: Pricing Rule,Advanced Settings,Murakkab sozlamalar @@ -4926,7 +4954,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Savatga savatni faollashtirish DocType: Pricing Rule,Apply Rule On Other,Boshqa qoidalarni qo'llang DocType: Vehicle,Last Carbon Check,Oxirgi Karbon nazorati -DocType: Vehicle,Make,Qilish +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Qilish apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Sotuvdagi taqdim etgan {0} pullik qilib yaratilgan apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,To'lov talabnomasini yaratish uchun hujjat talab qilinadi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Daromad solig'i @@ -5002,7 +5030,6 @@ DocType: Territory,Parent Territory,Ota-ona hududi DocType: Vehicle Log,Odometer Reading,Odometr o'qish DocType: Additional Salary,Salary Slip,Ish haqi miqdori DocType: Payroll Entry,Payroll Frequency,Bordro chastotasi -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Inson resurslari> HR parametrlarini Xodimlar uchun nomlash tizimini sozlang apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Boshlang'ich va tugash sanalari amaldagi chegirma davrida emas, {0}" DocType: Products Settings,Home Page is Products,Bosh sahifa - Mahsulotlar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Qo'ng'iroqlar @@ -5054,7 +5081,6 @@ DocType: Material Request,MAT-MR-.YYYY.-,MAT-MR-.YYYY.- apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Yozuvlarni olib kirish ...... DocType: Delivery Stop,Contact Information,Bog'lanish uchun ma'lumot DocType: Sales Order Item,For Production,Ishlab chiqarish uchun -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Marhamat, Ta'lim bo'yicha o'qituvchi nomlash tizimini sozlang> Ta'lim sozlamalari" DocType: Serial No,Asset Details,Asset tafsilotlari DocType: Restaurant Reservation,Reservation Time,Rezervasyon muddati DocType: Selling Settings,Default Territory,Default Territory @@ -5193,6 +5219,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Muddati tugagan batareyalar DocType: Shipping Rule,Shipping Rule Type,Yuk tashish qoidalari turi DocType: Job Offer,Accepted,Qabul qilingan +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Iltimos, ushbu hujjatni bekor qilish uchun " {0} \" xodimini o'chirib tashlang" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Siz allaqachon baholash mezonlari uchun baholagansiz {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Partiya raqamlarini tanlang apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Yosh (kunlar) @@ -5209,6 +5237,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Savdoni sotish vaqtidagi narsalarni to'plash. DocType: Payment Reconciliation Payment,Allocated Amount,Ajratilgan miqdori apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,"Iltimos, Kompaniya va Belgilash-ni tanlang" +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,"Sana" talab qilinadi DocType: Email Digest,Bank Credit Balance,Bank kredit balansi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Kümülatiya miqdori ko'rsatilsin apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Siz sotib olish uchun sodiqlik nuqtalari yo'q @@ -5269,11 +5298,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Oldingi qatorda jami DocType: Student,Student Email Address,Isoning shogirdi E-pochta manzili DocType: Academic Term,Education,Ta'lim DocType: Supplier Quotation,Supplier Address,Yetkazib beruvchi manzili -DocType: Salary Component,Do not include in total,Hammaga qo'shmang +DocType: Salary Detail,Do not include in total,Hammaga qo'shmang apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Bir kompaniyaga bir nechta elementni sozlab bo'lmaydi. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} mavjud emas DocType: Purchase Receipt Item,Rejected Quantity,Rad qilingan miqdor DocType: Cashier Closing,To TIme,TIme +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM ishlab chiqarish omili ({0} -> {1}) topilmadi: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Kundalik Ish Xulosa Guruhi Foydalanuvchi DocType: Fiscal Year Company,Fiscal Year Company,Moliyaviy yil Kompaniya apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Shu bilan bir qatorda element element kodi bilan bir xil bo'lmasligi kerak @@ -5383,7 +5413,6 @@ DocType: Fee Schedule,Send Payment Request Email,To'lov xatingizni elektron DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Sotuvlar fakturasini saqlaganingizdan so'ng So'zlar paydo bo'ladi. DocType: Sales Invoice,Sales Team1,Savdo guruhi1 DocType: Work Order,Required Items,Kerakli ma'lumotlar -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",""-", "#", "." Dan tashqari maxsus belgilar. va "/" seriyali nomlashda ruxsat etilmaydi" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,ERPNext qo'llanmasini o'qing DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Taqdim etuvchi Billing raqami yagonaligini tekshiring apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Qidiruv Sub Assemblies @@ -5451,7 +5480,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Foizni kamaytirish 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: Share Balance,To No,Yo'q DocType: Leave Control Panel,Allocate Leaves,Barglarni ajratib bering -DocType: Quiz,Last Attempt,Oxirgi tashabbus DocType: Assessment Result,Student Name,Isoning shogirdi nomi apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Xizmat tashriflari rejasi. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,"Materiallar so'rovlaridan so'ng, Materiallar buyurtma berish darajasiga qarab avtomatik ravishda to'ldirildi" @@ -5520,6 +5548,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Ko'rsatkich rangi DocType: Item Variant Settings,Copy Fields to Variant,Maydonlarni Variantlarga nusxalash DocType: Soil Texture,Sandy Loam,Sandy Loam +DocType: Question,Single Correct Answer,Bitta aniq javob apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Ish beruvchining ishtirok etish sanasi sanasidan kam bo'lmasligi kerak DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Xaridorning buyurtma berish tartibiga qarshi bir nechta savdo buyurtmalarini berish apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5582,7 +5611,7 @@ DocType: Account,Expenses Included In Valuation,Baholashda sarflangan xarajatlar apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Seriya raqamlari DocType: Salary Slip,Deductions,Tahlikalar ,Supplier-Wise Sales Analytics,Yetkazib beruvchi-aqlli Sotuvdagi Tahliliy -DocType: Quality Goal,February,fevral +DocType: GSTR 3B Report,February,fevral DocType: Appraisal,For Employee,Xodim uchun apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Haqiqiy etkazib berish sanasi DocType: Sales Partner,Sales Partner Name,Savdo hamkorining nomi @@ -5678,7 +5707,6 @@ DocType: Procedure Prescription,Procedure Created,Yaratilgan protsedura apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},{1} {0} yetkazib beruvchi hisob-fakturasiga qarshi apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,POS profilini o'zgartirish apps/erpnext/erpnext/utilities/activation.py,Create Lead,Qo'rg'oshin yaratish -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Yetkazib beruvchi> Yetkazib beruvchi turi DocType: Shopify Settings,Default Customer,Standart mijoz DocType: Payment Entry Reference,Supplier Invoice No,Yetkazib beruvchi hisob raqami № DocType: Pricing Rule,Mixed Conditions,Qo'shma vaziyat @@ -5729,12 +5757,14 @@ DocType: Item,End of Life,Hayotning oxiri DocType: Lab Test Template,Sensitivity,Sezuvchanlik DocType: Territory,Territory Targets,Mintaqaviy maqsadlar apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",Quyidagi xodimlar uchun ajratilgan qoldiring: ajratish ajratish yozuvlari ularga qarshi allaqachon mavjud. {0} +DocType: Quality Action Resolution,Quality Action Resolution,Sifat harakatlarining echimi DocType: Sales Invoice Item,Delivered By Supplier,Yetkazib beruvchilar tomonidan etkazib berilgan DocType: Agriculture Analysis Criteria,Plant Analysis,O'simliklar tahlili apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Xarajat hisobi {0} element uchun majburiydir. ,Subcontracted Raw Materials To Be Transferred,Subpudatsiyalangan xom ashyolarni etkazib berish DocType: Cashier Closing,Cashier Closing,Kassirlarni yopish apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,{0} mahsuloti allaqachon qaytarilgan +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN noto'g'ri! Siz kiritgan ma'lumot UIN egalari yoki OIDAR bo'lmagan provayderlar uchun GSTIN formatiga mos kelmaydi apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Ushbu ombor uchun bolalar ombori mavjud. Ushbu omborni o'chira olmaysiz. DocType: Diagnosis,Diagnosis,Tashxis apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0} va {1} o'rtasida hech qanday ijara muddati mavjud emas @@ -5751,6 +5781,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Avtorizatsiya sozlamalari DocType: Homepage,Products,Mahsulotlar ,Profit and Loss Statement,Qor va ziyon hisoboti apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Xonalar rezervasyonu +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},{0} element kodi va ishlab chiqaruvchi {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Jami Og'irligi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Sayohat @@ -5797,6 +5828,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Standart xaridorlar guruhi DocType: Journal Entry Account,Debit in Company Currency,Kompaniya valutasidagi debet DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Orqaga qaytish seriyasi "SO-WOO-" dir. +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Sifat uchrashuvi kun tartibi DocType: Cash Flow Mapper,Section Header,Bo'lim sarlavhasi apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Sizning Mahsulotlaringiz yoki Xizmatlaringiz DocType: Crop,Perennial,Ko'p yillik @@ -5842,7 +5874,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Sotib olingan, sotiladigan yoki sotiladigan mahsulot yoki xizmat." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Yakunlovchi (ochilish + jami) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterlar formulasi -,Support Analytics,Analytics-ni qo'llab-quvvatlash +apps/erpnext/erpnext/config/support.py,Support Analytics,Analytics-ni qo'llab-quvvatlash apps/erpnext/erpnext/config/quality_management.py,Review and Action,Tadqiq va tadbir DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Hisob buzilgan bo'lsa, kirishlar cheklangan foydalanuvchilarga ruxsat etiladi." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Amortizatsiyadan keyin jami miqdor @@ -5886,7 +5918,6 @@ DocType: Contract Template,Contract Terms and Conditions,Shartnoma shartlari apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Ma'lumotlarni olish DocType: Stock Settings,Default Item Group,Standart element guruhi DocType: Sales Invoice Timesheet,Billing Hours,To'lov vaqti -DocType: Item,Item Code for Suppliers,Yetkazib beruvchilar uchun mahsulot kodi 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} DocType: Pricing Rule,Margin Type,Marjin turi DocType: Purchase Invoice Item,Rejected Serial No,Rad etilgan seriya raqami @@ -5959,6 +5990,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Barglari muvaffaqiyatli topshirildi DocType: Loyalty Point Entry,Expiry Date,Tugash muddati DocType: Project Task,Working,Ishlash +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} allaqachon Ota-protsedura {1} mavjud. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Bu bemorga qilingan operatsiyalarga asoslanadi. Tafsilotlar uchun quyidagi jadvalga qarang DocType: Material Request,Requested For,Talab qilingan DocType: SMS Center,All Sales Person,Barcha Sotuvdagi Shaxs @@ -6045,6 +6077,7 @@ DocType: Loan Type,Maximum Loan Amount,Maksimal kredit summasi apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,E-pochta manzili standart kontaktda topilmadi DocType: Hotel Room Reservation,Booked,Qayd qilingan DocType: Maintenance Visit,Partially Completed,Qisman yakunlandi +DocType: Quality Procedure Process,Process Description,Jarayon ta'rifi DocType: Company,Default Employee Advance Account,Xodimlarning Advance qaydnomasi DocType: Leave Type,Allow Negative Balance,Salbiy balansga ruxsat berish apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Baholash rejasining nomi @@ -6086,6 +6119,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Buyurtma bandi uchun so'rov apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} Item Tax'ta ikki marta kiritildi DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Tanlangan chegirma sanasidan aniq soliqni to'lash +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Oxirgi uglerod tekshiruv kuni kelajakdagi sana bo'la olmaydi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Miqdori hisobini o'zgartirish-ni tanlang DocType: Support Settings,Forum Posts,Foydalanuvchining profili Xabarlar DocType: Timesheet Detail,Expected Hrs,Kutilgan soat @@ -6095,7 +6129,7 @@ DocType: Program Enrollment Tool,Enroll Students,O'quvchilarni ro'yxatga apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Xaridor daromadini takrorlang DocType: Company,Date of Commencement,Boshlanish sanasi DocType: Bank,Bank Name,Bank nomi -DocType: Quality Goal,December,Dekabr +DocType: GSTR 3B Report,December,Dekabr apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Kiritilgan sana amal qilish muddatidan kamroq bo'lishi kerak apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Bu ushbu xodimning ishtirokiga asoslangan DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Agar belgilansa, Bosh sahifa veb-sayt uchun standart elementlar guruhi bo'ladi" @@ -6138,6 +6172,7 @@ DocType: Payment Entry,Payment Type,To'lov shakli apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Folio raqamlari mos emas DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Sifatni tekshirish: {0} element {1} qatorida {2} qatoriga kiritilmagan. +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},{0} ko'rsatilsin apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} element topildi. ,Stock Ageing,Stock Aging DocType: Customer Group,Mention if non-standard receivable account applicable,"Standart bo'lmagan debitorlik hisoboti amal qilsa, eslang" @@ -6415,6 +6450,7 @@ DocType: Travel Request,Costing,Xarajatlar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Asosiy vositalar DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Jami daromad +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Xaridor> xaridorlar guruhi> hududi DocType: Share Balance,From No,Yo'q DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,To'lovni tasdiqlash uchun schyot-faktura DocType: Purchase Invoice,Taxes and Charges Added,Soliqlar va to'lovlar qo'shildi @@ -6422,7 +6458,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Soliqni yoki to&# DocType: Authorization Rule,Authorized Value,Tayinlangan qiymat apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Qabul qilingan apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,{0} ombori mavjud emas +DocType: Item Manufacturer,Item Manufacturer,Mahsulot ishlab chiqaruvchisi DocType: Sales Invoice,Sales Team,Savdo jamoasi +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Mundarija miqdori DocType: Purchase Order Item Supplied,Stock UOM,Kabinetga UOM DocType: Installation Note,Installation Date,O'rnatish sanasi DocType: Email Digest,New Quotations,Yangi takliflar @@ -6486,7 +6524,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Dam olish ro'yxati nomi DocType: Water Analysis,Collection Temperature ,To'plamning harorati DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,"Randevu Shaklini boshqarish, bemor uchrashuvida avtomatik ravishda yuboriladi va bekor qilinadi" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Iltimos, {0} uchun nomlash seriyasini Sozlamalar> Sozlamalar> Nomlar ketma-ketligi orqali o'rnating" DocType: Employee Benefit Claim,Claim Date,Da'vo sanasi DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,"Yetkazib beruvchi muddatsiz bloklangan bo'lsa, bo'sh qoldiring" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Sana va davomiylikdan Sana bo'yicha ishtirok etish majburiydir @@ -6497,6 +6534,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Pensiya tarixi apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,"Marhamat, Klinik-ni tanlang" DocType: Asset,Straight Line,To'g'ri chiziq +DocType: Quality Action,Resolutions,Qarorlar DocType: SMS Log,No of Sent SMS,Yuborilgan SMS yo'q ,GST Itemised Sales Register,GST Itemized Sales Register apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Jami avans miqdori jami ruxsat etilgan miqdordan ortiq bo'lishi mumkin emas @@ -6607,7 +6645,7 @@ DocType: Account,Profit and Loss,Qor va ziyon apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Diff Sts DocType: Asset Finance Book,Written Down Value,Yozilgan past qiymat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Balansni muxtojlikning ochilishi -DocType: Quality Goal,April,Aprel +DocType: GSTR 3B Report,April,Aprel DocType: Supplier,Credit Limit,Kredit cheklovi apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Tarqatish apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6662,6 +6700,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Shopifyni ERPNext bilan ulang DocType: Homepage Section Card,Subtitle,Subtitr DocType: Soil Texture,Loam,Loam +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Yetkazib beruvchi> Yetkazib beruvchi turi DocType: BOM,Scrap Material Cost(Company Currency),Hurda Materiallar narxi (Kompaniya valyutasi) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Yetkazib berish eslatmasi {0} yuborilmasligi kerak DocType: Task,Actual Start Date (via Time Sheet),Haqiqiy boshlash sanasi (vaqt jadvalidan orqali) @@ -6717,7 +6756,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dozaj DocType: Cheque Print Template,Starting position from top edge,Yuqori burchakdan boshlanadigan holat apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Uchrashuv davomiyligi (daqiqa) -DocType: Pricing Rule,Disable,O'chirish +DocType: Accounting Dimension,Disable,O'chirish DocType: Email Digest,Purchase Orders to Receive,Qabul qilish buyurtmalarini sotib olish apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Mahsulotlar buyurtmalarini quyidagi sabablarga ko'ra olish mumkin: DocType: Projects Settings,Ignore Employee Time Overlap,Xodimlarning ishdan chiqish vaqtini e'tiborsiz qoldiring @@ -6800,6 +6839,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Soliq DocType: Item Attribute,Numeric Values,Raqamli qiymatlar DocType: Delivery Note,Instructions,Ko'rsatmalar DocType: Blanket Order Item,Blanket Order Item,Yoqimli buyurtma buyurtmasi +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Foyda va ziyon hisoblari uchun majburiy apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Komissiya stavkasi 100 dan ortiq bo'lishi mumkin emas DocType: Course Topic,Course Topic,Kurs mavzusi DocType: Employee,This will restrict user access to other employee records,Bu foydalanuvchining boshqa xodimlarning yozuvlariga kirishini cheklaydi @@ -6824,12 +6864,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Obuna boshqari apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Xaridorlarni qabul qiling apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Digest DocType: Employee,Reports to,Hisobotlar +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Partiya hisoblari DocType: Assessment Plan,Schedule,Jadval apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,"Iltimos, kiring" DocType: Lead,Channel Partner,Kanal hamkori apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Xarajatlar miqdori DocType: Project,From Template,Shablondan +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Obunalar apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Qilish uchun miqdori DocType: Quality Review Table,Achieved,Saqlandi @@ -6876,7 +6918,6 @@ DocType: Journal Entry,Subscription Section,Obuna bo'limi DocType: Salary Slip,Payment Days,To'lov kunlari apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Ixtiyoriy ma'lumot. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,"Qadimgi zahiralarni to'ldirish"% d kundan kichik bo'lishi kerak. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Moliyaviy yilni tanlang DocType: Bank Reconciliation,Total Amount,Umumiy hisob DocType: Certification Application,Non Profit,Qor bo'lmagan DocType: Subscription Settings,Cancel Invoice After Grace Period,Güzdan keyin Billingni bekor qilish @@ -6889,7 +6930,6 @@ DocType: Serial No,Warranty Period (Days),Kafolat davri (kunlar) DocType: Expense Claim Detail,Expense Claim Detail,Xarajat shikoyati batafsil apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Dasturi: DocType: Patient Medical Record,Patient Medical Record,Kasal Tibbiy Ro'yxatdan -DocType: Quality Action,Action Description,Vazifalar tavsifi DocType: Item,Variant Based On,Variant asosida DocType: Vehicle Service,Brake Oil,Tormoz yog'i DocType: Employee,Create User,Foydalanuvchi yarat @@ -6944,7 +6984,7 @@ DocType: Cash Flow Mapper,Section Name,Bo'lim nomi DocType: Packed Item,Packed Item,Paket qo'yilgan apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},"{0} {1}: {2} uchun, debet yoki kredit summasi talab qilinadi" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Ish haqi tovarlaringizni ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Harakat yo'q +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Harakat yo'q apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Byudjet {0} ga nisbatan tayinlanishi mumkin emas, chunki u daromad yoki xarajatlar hisobiga kirmaydi" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Usta va Hisoblar DocType: Quality Procedure Table,Responsible Individual,Mas'ul shaxs @@ -7067,7 +7107,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Bola kompaniyasiga qarshi hisob yaratish DocType: Payment Entry,Company Bank Account,Kompaniyaning bank hisob raqami DocType: Amazon MWS Settings,UK,Buyuk Britaniya -DocType: Quality Procedure,Procedure Steps,Bosqich DocType: Normal Test Items,Normal Test Items,Oddiy test buyumlari apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,{0} elementi: Buyurtma qilingan qty {1} minimal buyurtma miqdordan kam {2} dan kam bo'lmasligi kerak. apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Stoktaki emas @@ -7146,7 +7185,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Tahlillar DocType: Maintenance Team Member,Maintenance Role,Xizmat roli apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Shartlar va shartlar shabloni DocType: Fee Schedule Program,Fee Schedule Program,Ish haqi dasturi -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Kurs {0} mavjud emas. DocType: Project Task,Make Timesheet,Vaqt jadvalini tuzish DocType: Production Plan Item,Production Plan Item,Ishlab chiqarish rejasi elementi apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Jami talabalar @@ -7168,6 +7206,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Qoplash apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Sizning a'zoning 30 kun ichida amal qilish muddati tugaguncha yangilanishi mumkin apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Qiymat {0} va {1} o'rtasida bo'lishi kerak +DocType: Quality Feedback,Parameters,Parametrlar ,Sales Partner Transaction Summary,Savdo sherigi jurnali qisqacha bayoni DocType: Asset Maintenance,Maintenance Manager Name,Xizmat menejeri nomi apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Ma'lumotlar tafsilotlarini olish kerak. @@ -7206,6 +7245,7 @@ DocType: Student Admission,Student Admission,Talabalarni qabul qilish DocType: Designation Skill,Skill,Ko'nikma DocType: Budget Account,Budget Account,Byudjet hisobi DocType: Employee Transfer,Create New Employee Id,Yangi ishchi identifikatorini yaratish +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} "Qor va ziyon" hisobiga {1} uchun talab qilinadi. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Mol va xizmatlar solig'i (GST Hindiston) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Ish haqi sliplarini yaratish ... DocType: Employee Skill,Employee Skill,Xodimlar malakasi @@ -7305,6 +7345,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Billing-sarf- DocType: Subscription,Days Until Due,Kunlarga qadar kunlar apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Ko'rish tugadi apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Bank deklaratsiyasi Jurnal Kirish hisoboti +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bankning o'limi apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Baho {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR - .YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Sog'liqni saqlash xizmatlari @@ -7360,6 +7401,7 @@ DocType: Training Event Employee,Invited,Taklif etilgan apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},{0} komponentiga mos keladigan maksimal miqdor {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Bill miqdori apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",{0} uchun faqat bank hisoblari boshqa kredit yozuvlari bilan bog'lanishi mumkin +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Hajmlarni yaratish ... DocType: Bank Statement Transaction Entry,Payable Account,To'lanadigan hisob apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,"Iltimos, tashrif buyurganlarning hech biriga e'tibor bering" DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Faqat sizda naqd pul oqimining Mapper hujjatlari mavjudligini tanlang @@ -7377,6 +7419,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,B DocType: Service Level,Resolution Time,Ruxsat berish vaqti DocType: Grading Scale Interval,Grade Description,Izoh Ta'rif DocType: Homepage Section,Cards,Kartalar +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Sifat uchrashuvi bayonnomasi DocType: Linked Plant Analysis,Linked Plant Analysis,Bog'langan o'simlik tahlili apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Xizmatni to'xtatish sanasi Xizmat tugatish sanasidan so'ng bo'lolmaydi apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,"Iltimos, B2C Limitni GST Sozlamalarida o'rnating." @@ -7411,7 +7454,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Xodimlarga qatnashish DocType: Employee,Educational Qualification,Ta'lim malakasi apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Kirish mumkin bo'lgan qiymat apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},{0} o'rnak miqdori qabul qilingan miqdordan ortiq bo'lishi mumkin emas {1} -DocType: Quiz,Last Highest Score,So'nggi eng yuqori ball DocType: POS Profile,Taxes and Charges,Soliqlar va yig'imlar DocType: Opportunity,Contact Mobile No,Mobil raqami bilan bog'laning DocType: Employee,Joining Details,Tafsilotlarga qo'shilish diff --git a/erpnext/translations/vi.csv b/erpnext/translations/vi.csv index aa8ac6fca2..3573e7d007 100644 --- a/erpnext/translations/vi.csv +++ b/erpnext/translations/vi.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,Nhà cung cấp Phần Khô DocType: Journal Entry Account,Party Balance,Cân bằng Đảng apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),Nguồn vốn (Nợ phải trả) DocType: Payroll Period,Taxable Salary Slabs,Tấm lương tính thuế +DocType: Quality Action,Quality Feedback,Phản hồi chất lượng DocType: Support Settings,Support Settings,Hỗ trợ cài đặt apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,Vui lòng nhập mục sản xuất trước DocType: Quiz,Grading Basis,Cơ sở chấm điểm @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Thêm chi tiế DocType: Salary Component,Earning,Thu nhập DocType: Restaurant Order Entry,Click Enter To Add,Nhấp vào để thêm DocType: Employee Group,Employee Group,Nhóm nhân viên +DocType: Quality Procedure,Processes,Quy trình DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Chỉ định tỷ giá hối đoái để chuyển đổi một loại tiền tệ khác apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,Độ tuổi 4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},Kho cần thiết cho kho Mục {0} @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,Lời phàn nàn DocType: Shipping Rule,Restrict to Countries,Giới hạn ở các nước DocType: Hub Tracked Item,Item Manager,Quản lý vật phẩm apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},Tiền tệ của Tài khoản đóng phải là {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,Ngân sách apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,Mở hóa đơn DocType: Work Order,Plan material for sub-assemblies,Kế hoạch vật liệu cho các hội đồng phụ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,Phần cứng DocType: Budget,Action if Annual Budget Exceeded on MR,Hành động nếu vượt quá ngân sách hàng năm trên MR DocType: Sales Invoice Advance,Advance Amount,Số tiền ứng trước +DocType: Accounting Dimension,Dimension Name,Tên kích thước DocType: Delivery Note Item,Against Sales Invoice Item,Chống lại hóa đơn bán hàng DocType: Expense Claim,HR-EXP-.YYYY.-,Nhân sự-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,Bao gồm các mặt hàng trong sản xuất @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Nó làm gì? ,Sales Invoice Trends,Xu hướng hóa đơn bán hàng DocType: Bank Reconciliation,Payment Entries,Mục thanh toán DocType: Employee Education,Class / Percentage,Lớp / Tỷ lệ phần trăm -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 ,Electronic Invoice Register,Đăng ký hóa đơn điện tử DocType: Sales Invoice,Is Return (Credit Note),Là trả lại (Ghi chú tín dụng) DocType: Lab Test Sample,Lab Test Sample,Mẫu thử nghiệm trong phòng thí nghiệm @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,Biến thể apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Các khoản phí sẽ được phân phối tương ứng dựa trên số lượng hoặc số lượng, theo lựa chọn của bạn" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,Hoạt động chờ xử lý cho ngày hôm nay +DocType: Quality Procedure Process,Quality Procedure Process,Quy trình thủ tục chất lượng DocType: Fee Schedule Program,Student Batch,Hàng loạt sinh viên apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},Tỷ lệ định giá cần thiết cho Mục trong hàng {0} DocType: BOM Operation,Base Hour Rate(Company Currency),Tỷ lệ giờ cơ sở (Tiền tệ công ty) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Đặt số lượng giao dịch dựa trên nối tiếp Không có đầu vào apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Tiền tệ tài khoản tạm ứng phải giống như tiền tệ của công ty {0} apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,Tùy chỉnh phần Trang chủ -DocType: Quality Goal,October,Tháng Mười +DocType: GSTR 3B Report,October,Tháng Mười DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Ẩn Id thuế của khách hàng khỏi giao dịch bán hàng apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN không hợp lệ! Một GSTIN phải có 15 ký tự. apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,Quy tắc định giá {0} được cập nhật @@ -399,7 +403,7 @@ DocType: Leave Encashment,Leave Balance,Trung bình còn lại apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},Lịch bảo trì {0} tồn tại so với {1} DocType: Assessment Plan,Supervisor Name,Tên giám sát DocType: Selling Settings,Campaign Naming By,Chiến dịch đặt tên theo -DocType: Course,Course Code,Mã khóa học +DocType: Student Group Creation Tool Course,Course Code,Mã khóa học apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Hàng không vũ trụ DocType: Landed Cost Voucher,Distribute Charges Based On,Phân phối phí dựa trên DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Tiêu chí chấm điểm của nhà cung cấp @@ -481,10 +485,8 @@ DocType: Restaurant Menu,Restaurant Menu,Thực đơn nhà hàng DocType: Asset Movement,Purpose,Mục đích apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,Phân công cơ cấu lương cho nhân viên đã tồn tại DocType: Clinical Procedure,Service Unit,Đơn vị dịch vụ -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: Travel Request,Identification Document Number,dãy số ID DocType: Stock Entry,Additional Costs,Chi phí bổ sung -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Khóa học dành cho phụ huynh (Để trống, nếu đây không phải là một phần của Khóa học phụ huynh)" DocType: Employee Education,Employee Education,Giáo dục nhân viên apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,Số lượng vị trí không thể ít hơn số lượng nhân viên hiện tại apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,Tất cả các nhóm khách hàng @@ -531,6 +533,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,Hàng {0}: Số lượng là bắt buộc DocType: Sales Invoice,Against Income Account,Tài khoản chống thu nhập apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Hàng # {0}: Hóa đơn mua hàng không thể được thực hiện đối với tài sản hiện có {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/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Hệ số che phủ UOM cần thiết cho UOM: {0} trong Mục: {1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},Vui lòng nhập số lượng cho Mục {0} DocType: Workstation,Electricity Cost,Chi phí điện @@ -866,7 +869,6 @@ DocType: Item,Total Projected Qty,Tổng số lượng dự kiến apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,Boms DocType: Work Order,Actual Start Date,Ngày bắt đầu thực 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,Bạn không có mặt cả ngày giữa các ngày yêu cầu nghỉ bù -DocType: Company,About the Company,Về công ty apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,Cây tài khoản tài chính. 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: Hotel Room Reservation Item,Hotel Room Reservation Item,Mục đặt phòng khách sạn @@ -881,6 +883,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Cơ sở d DocType: Skill,Skill Name,Tên kỹ năng apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,In thẻ báo cáo DocType: Soil Texture,Ternary Plot,Âm mưu +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Vé ủng hộ DocType: Asset Category Account,Fixed Asset Account,Tài khoản cố định apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Muộn nhất @@ -890,6 +893,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,Chương trình tuy ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,Vui lòng đặt loạt sẽ được sử dụng. DocType: Delivery Trip,Distance UOM,Khoảng cách UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,Bắt buộc đối với Bảng cân đối kế toán DocType: Payment Entry,Total Allocated Amount,Tổng số tiền được phân bổ DocType: Sales Invoice,Get Advances Received,Nhận tiền ứng trước DocType: Student,B-,B- @@ -913,6 +917,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Mục lịch bảo apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,Yêu cầu hồ sơ POS để nhập POS DocType: Education Settings,Enable LMS,Kích hoạt LMS DocType: POS Closing Voucher,Sales Invoices Summary,Tóm tắt hóa đơn bán hàng +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,Lợi ích apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Tín dụng vào tài khoản phải là tài khoản Bảng cân đối kế toán DocType: Video,Duration,Thời lượng DocType: Lab Test Template,Descriptive,Mô tả @@ -964,6 +969,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,Ngày bắt đầu và kết thúc DocType: Supplier Scorecard,Notify Employee,Thông báo cho nhân viên apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Phần mềm +DocType: Program,Allow Self Enroll,Cho phép tự ghi danh apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,Chi phí chứng khoán apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,Tham chiếu Không là bắt buộc nếu bạn đã nhập Ngày tham chiếu DocType: Training Event,Workshop,Xưởng @@ -1016,6 +1022,7 @@ DocType: Lab Test Template,Lab Test Template,Mẫu thử nghiệm Lab apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Tối đa: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Thiếu thông tin hóa đơn điện tử apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Không có yêu cầu vật liệu được tạo ra +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Mã hàng> Nhóm vật phẩm> Thương hiệu DocType: Loan,Total Amount Paid,Tổng số tiền thanh toán 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 hóa đơn DocType: Training Event,Trainer Name,Tên huấn luyện viên @@ -1037,6 +1044,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,Năm học DocType: Sales Stage,Stage Name,Tên giai đoạn DocType: SMS Center,All Employee (Active),Tất cả nhân viên (Hoạt động) +DocType: Accounting Dimension,Accounting Dimension,Kích thước kế toán DocType: Project,Customer Details,Chi tiết khách hàng DocType: Buying Settings,Default Supplier Group,Nhóm nhà cung cấp mặc định 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 @@ -1151,7 +1159,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority","Số càng cao, DocType: Designation,Required Skills,Kỹ năng cần thiết DocType: Marketplace Settings,Disable Marketplace,Vô hiệu hóa thị trường DocType: Budget,Action if Annual Budget Exceeded on Actual,Hành động nếu vượt quá ngân sách hàng năm trên thực tế -DocType: Course,Course Abbreviation,Viết tắt khóa học apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,Tham dự không được gửi cho {0} là {1} khi nghỉ phép. DocType: Pricing Rule,Promotional Scheme Id,Id chương trình khuyến mại apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},Ngày kết thúc của nhiệm vụ {0} không thể lớn hơn {1} ngày kết thúc dự kiến {2} @@ -1294,7 +1301,7 @@ DocType: Bank Guarantee,Margin Money,Tiền ký quỹ DocType: Chapter,Chapter,Chương DocType: Purchase Receipt Item Supplied,Current Stock,Cổ phiếu hiện tại DocType: Employee,History In Company,Lịch sử trong công ty -DocType: Item,Manufacturer,nhà chế tạo +DocType: Purchase Invoice Item,Manufacturer,nhà chế tạo apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,Độ nhạy vừa phải DocType: Compensatory Leave Request,Leave Allocation,Rời khỏi phân bổ DocType: Timesheet,Timesheet,Thời gian biểu @@ -1325,6 +1332,7 @@ DocType: Work Order,Material Transferred for Manufacturing,Nguyên liệu đư DocType: Products Settings,Hide Variants,Ẩn các biến thể DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Vô hiệu hóa lập kế hoạch năng lực và theo dõi thời gian DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Sẽ được tính trong giao dịch. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,{0} là bắt buộc đối với tài khoản 'Bảng cân đối' {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} không được phép giao dịch với {1}. Hãy thay đổi Công ty. 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ài đặt mua nếu Yêu cầu mua lại yêu cầu == 'CÓ', sau đó để tạo Hóa đơn mua hàng, người dùng cần tạo Biên lai mua hàng trước cho mục {0}" DocType: Delivery Trip,Delivery Details,Chi tiết giao hàng @@ -1360,7 +1368,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,Trước đó apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,Đơn vị đo lường DocType: Lab Test,Test Template,Mẫu kiểm tra DocType: Fertilizer,Fertilizer Contents,Nội dung phân bón -apps/erpnext/erpnext/utilities/user_progress.py,Minute,Phút +DocType: Quality Meeting Minutes,Minute,Phút apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Hàng # {0}: Tài sản {1} không thể được gửi, nó đã là {2}" DocType: Task,Actual Time (in Hours),Thời gian thực tế (tính theo giờ) DocType: Period Closing Voucher,Closing Account Head,Đóng tài khoản trưởng @@ -1533,7 +1541,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,Phòng thí nghiệm DocType: Purchase Order,To Bill,Để hóa đơn apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,Chi phí tiện ích DocType: Manufacturing Settings,Time Between Operations (in mins),Thời gian giữa các hoạt động (tính bằng phút) -DocType: Quality Goal,May,có thể +DocType: GSTR 3B Report,May,có thể apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.","Tài khoản Cổng thanh toán chưa được tạo, vui lòng tạo một cách thủ công." DocType: Opening Invoice Creation Tool,Purchase,"Mua, tựa vào, bám vào" DocType: Program Enrollment,School House,Ngôi trường @@ -1565,6 +1573,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,Q DocType: Supplier,Statutory info and other general information about your Supplier,Thông tin theo luật định và thông tin chung khác về Nhà cung cấp của bạn DocType: Item Default,Default Selling Cost Center,Trung tâm chi phí bán hàng mặc định DocType: Sales Partner,Address & Contacts,Địa chỉ & Liên hệ +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: Subscriber,Subscriber,Người đăng kí apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Mẫu / Mục / {0}) đã hết hàng apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Vui lòng chọn Ngày đăng đầu tiên @@ -1592,6 +1601,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Phí thăm khám nội t DocType: Bank Statement Settings,Transaction Data Mapping,Ánh xạ dữ liệu giao dịch apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Một khách hàng tiềm năng yêu cầu tên của một người hoặc tên của một tổ chức DocType: Student,Guardians,Người giám hộ +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/public/js/stock_analytics.js,Select Brand...,Chọn Thương hiệu ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Thu nhập trung bình DocType: Shipping Rule,Calculate Based On,Tính toán dựa trên @@ -1603,7 +1613,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,Yêu cầu chi phí tạm DocType: Purchase Invoice,Rounding Adjustment (Company Currency),Điều chỉnh làm tròn (Tiền tệ công ty) DocType: Item,Publish in Hub,Xuất bản trong Hub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,tháng Tám +DocType: GSTR 3B Report,August,tháng Tám apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,Vui lòng nhập Biên lai mua hàng trước apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Đầu năm apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),Mục tiêu ({}) @@ -1622,6 +1632,7 @@ DocType: Item,Max Sample Quantity,Số lượng mẫu tối đa apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,Nguồn và kho đích phải khác nhau DocType: Employee Benefit Application,Benefits Applied,Lợi ích áp dụng apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Chống lại Nhật ký {0} không có bất kỳ mục {1} nào chưa từng có +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series","Các ký tự đặc biệt ngoại trừ "-", "#", ".", "/", "{" Và "}" không được phép trong chuỗi đặt tên" apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,Giá tấm hoặc sản phẩm giảm giá được yêu cầu apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Đặt một mục tiêu apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Hồ sơ tham dự {0} tồn tại so với Sinh viên {1} @@ -1637,10 +1648,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,Mỗi tháng DocType: Routing,Routing Name,Tên định tuyến DocType: Disease,Common Name,Tên gọi chung -DocType: Quality Goal,Measurable,Đo lường được DocType: Education Settings,LMS Title,Tiêu đề LMS apps/erpnext/erpnext/config/non_profit.py,Loan Management,Quản lý khoản vay -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,Hỗ trợ hậu môn DocType: Clinical Procedure,Consumable Total Amount,Tổng số tiền tiêu thụ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,Kích hoạt mẫu apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,LPO khách hàng @@ -1780,6 +1789,7 @@ DocType: Restaurant Order Entry Item,Served,Phục vụ DocType: Loan,Member,Hội viên DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Lịch trình đơn vị dịch vụ học viên apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,Chuyển khoản +DocType: Quality Review Objective,Quality Review Objective,Mục tiêu đánh giá chất lượng DocType: Bank Reconciliation Detail,Against Account,Chống lại tài khoản DocType: Projects Settings,Projects Settings,Cài đặt dự án apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},Số lượng thực tế {0} / Số lượng chờ đợi {1} @@ -1808,6 +1818,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Đ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,Ngày kết thúc năm tài chính phải là một năm sau ngày bắt đầu năm tài chính apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,Nhắc nhở hàng ngày DocType: Item,Default Sales Unit of Measure,Đơn vị đo lường bán hàng mặc định +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,Công ty GSTIN DocType: Asset Finance Book,Rate of Depreciation,Tỷ lệ khấu hao DocType: Support Search Source,Post Description Key,Bài viết Mô tả chính DocType: Loyalty Program Collection,Minimum Total Spent,Tổng chi tối thiểu @@ -1879,6 +1890,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,Thay đổi nhóm khách hàng cho khách hàng đã chọn không được phép. DocType: Serial No,Creation Document Type,Loại tài liệu tạo DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Số lượng hàng loạt có sẵn tại kho +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Hóa đơn tổng cộng apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,Đây là một lãnh thổ gốc và không thể chỉnh sửa. DocType: Patient,Surgical History,Lịch sử phẫu thuật apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,Cây thủ tục chất lượng. @@ -1983,6 +1995,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,T DocType: Item Group,Check this if you want to show in website,Kiểm tra điều này nếu bạn muốn hiển thị trên trang web 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 DocType: Bank Statement Settings,Bank Statement Settings,Cài đặt sao kê ngân hàng +DocType: Quality Procedure Process,Link existing Quality Procedure.,Liên kết Thủ tục chất lượng hiện có. +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,Biểu đồ nhập tài khoản từ tệp CSV / Excel DocType: Appraisal Goal,Score (0-5),Điểm (0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,Thuộc tính {0} được chọn nhiều lần trong Bảng thuộc tính DocType: Purchase Invoice,Debit Note Issued,Giấy báo nợ đã phát hành @@ -1991,7 +2005,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,Chi tiết chính sách apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,Không tìm thấy kho trong hệ thống DocType: Healthcare Practitioner,OP Consulting Charge,Phí tư vấn OP -DocType: Quality Goal,Measurable Goal,Mục tiêu đo lường được DocType: Bank Statement Transaction Payment Item,Invoices,Hóa đơn DocType: Currency Exchange,Currency Exchange,Thu đổi ngoại tệ DocType: Payroll Entry,Fortnightly,Nửa đêm @@ -2054,6 +2067,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1} không được gửi DocType: Work Order,Backflush raw materials from work-in-progress warehouse,Backflush nguyên liệu từ kho công việc đang tiến hành DocType: Maintenance Team Member,Maintenance Team Member,Thành viên nhóm bảo trì +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,Thiết lập kích thước tùy chỉnh cho kế toán 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 DocType: Employee Health Insurance,Health Insurance Name,Tên bảo hiểm y tế apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,Tài sản chứng khoán @@ -2086,7 +2100,7 @@ DocType: Delivery Note,Billing Address Name,Tên địa chỉ thanh toán apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,Mục thay thế DocType: Certification Application,Name of Applicant,Tên của người nộp đơn DocType: Leave Type,Earned Leave,Nghỉ phép -DocType: Quality Goal,June,Tháng 6 +DocType: GSTR 3B Report,June,Tháng 6 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},Hàng {0}: Trung tâm chi phí là bắt buộc cho một mục {1} apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},Có thể được chấp thuận bởi {0} 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 {0} đã được nhập nhiều lần trong Bảng hệ số chuyển đổi @@ -2107,6 +2121,7 @@ DocType: Lab Test Template,Standard Selling Rate,Giá bán tiêu chuẩn apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},Vui lòng đặt menu hoạt động cho Nhà hàng {0} 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 với vai trò Trình quản lý hệ thống và Trình quản lý mục để thêm người dùng vào Marketplace. DocType: Asset Finance Book,Asset Finance Book,Tài chính tài sản +DocType: Quality Goal Objective,Quality Goal Objective,Mục tiêu chất lượng DocType: Employee Transfer,Employee Transfer,Chuyển nhân viên ,Sales Funnel,Kênh bán hàng DocType: Agriculture Analysis Criteria,Water Analysis,Phân tích nước @@ -2140,10 +2155,12 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Năng lư DocType: Soil Analysis,Ca/K,Ca / K apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,Work Order đã được tạo cho tất cả các mục với BOM apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,Số tiền thanh toán +apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Chỉ số đo đường hiện tại được nhập phải lớn hơn Máy đo tốc độ xe ban đầu {0} DocType: Employee Transfer Property,Employee Transfer Property,Chuyển nhượng nhân viên apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,Hoạt động đang chờ xử lý apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,Liệt kê một vài khách hàng của bạn Họ có thể là tổ chức hoặc cá nhân. DocType: Bank Guarantee,Bank Account Info,Thông tin tài khoản ngân hàng +DocType: Quality Goal,Weekday,Các ngày trong tuần apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Tên người giám hộ1 DocType: Salary Component,Variable Based On Taxable Salary,Biến dựa trên mức lương chịu thuế DocType: Accounting Period,Accounting Period,Kỳ kế toán @@ -2228,7 +2245,7 @@ DocType: Purchase Invoice,Rounding Adjustment,Điều chỉnh làm tròn DocType: Quality Review Table,Quality Review Table,Bảng đánh giá chất lượng DocType: Member,Membership Expiry Date,Ngày hết hạn thành viên DocType: Asset Finance Book,Expected Value After Useful Life,Giá trị mong đợi sau cuộc sống hữu ích -DocType: Quality Goal,November,Tháng 11 +DocType: GSTR 3B Report,November,Tháng 11 DocType: Loan Application,Rate of Interest,Lãi suất DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,Báo cáo giao dịch ngân hàng DocType: Restaurant Reservation,Waitlisted,Danh sách chờ @@ -2292,6 +2309,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}","Hàng {0}: Để đặt định kỳ {1}, chênh lệch giữa ngày và ngày \ phải lớn hơn hoặc bằng {2}" DocType: Purchase Invoice Item,Valuation Rate,Tỷ lệ định giá DocType: Shopping Cart Settings,Default settings for Shopping Cart,Cài đặt mặc định cho Giỏ hàng +DocType: Quiz,Score out of 100,Điểm trên 100 DocType: Manufacturing Settings,Capacity Planning,Kế hoạch năng lực apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,Đi đến giảng viên DocType: Activity Cost,Projects,Dự án @@ -2301,6 +2319,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,Từ thời gian apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,Báo cáo chi tiết biến thể +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,Để mua apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,Các vị trí cho {0} không được thêm vào lịch biểu DocType: Target Detail,Target Distribution,Phân phối mục tiêu @@ -2318,6 +2337,7 @@ DocType: Activity Cost,Activity Cost,Chi phí hoạt động DocType: Journal Entry,Payment Order,Đề nghị thanh toán apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,Giá cả ,Item Delivery Date,Ngày giao hàng +DocType: Quality Goal,January-April-July-October,Tháng 1-Tháng 4-Tháng 10-Tháng 10 DocType: Purchase Order Item,Warehouse and Reference,Kho và tài liệu tham khảo apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,Tài khoản với các nút con không thể được chuyển đổi thành sổ cái DocType: Soil Texture,Clay Composition (%),Thành phần đất sét (%) @@ -2368,6 +2388,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,Ngày tương lai khô apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Biến thể 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/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,Học thuật: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,Thông số phản hồi chất lượng apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,Vui lòng chọn Áp dụng giảm giá apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,Hàng # {0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,Tổng chi phí @@ -2410,7 +2431,7 @@ DocType: Hub Tracked Item,Hub Node,Nút trung tâm apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,Mã hiệu công nhân DocType: Salary Structure Assignment,Salary Structure Assignment,Phân công cơ cấu lương DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Voucher đóng thuế POS -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,Hành động khởi tạo +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Hành động khởi tạo DocType: POS Profile,Applicable for Users,Áp dụng cho người dùng DocType: Training Event,Exam,Thi apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Số lượng mục nhập sổ cái không chính xác được tìm thấy. Bạn có thể đã chọn một Tài khoản sai trong giao dịch. @@ -2517,6 +2538,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,Kinh độ DocType: Accounts Settings,Determine Address Tax Category From,Xác định loại thuế địa chỉ từ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,Xác định người đưa ra quyết định +DocType: Stock Entry Detail,Reference Purchase Receipt,Biên lai mua hàng tham khảo apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Nhận hóa đơn DocType: Tally Migration,Is Day Book Data Imported,Là dữ liệu sách ngày nhập khẩu ,Sales Partners Commission,Ủy ban đối tác bán hàng @@ -2540,6 +2562,7 @@ DocType: Leave Type,Applicable After (Working Days),Áp dụng sau (ngày làm v DocType: Timesheet Detail,Hrs,Giờ DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,Tiêu chí điểm nhà cung cấp DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,Thông tin mẫu phản hồi chất lượng apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,Ngày tham gia phải lớn hơn Ngày sinh DocType: Bank Statement Transaction Invoice Item,Invoice Date,Ngày hóa đơn DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,Tạo (các) Thử nghiệm trong Phòng thí nghiệm Gửi hóa đơn @@ -2646,7 +2669,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,Giá trị tối thi DocType: Stock Entry,Source Warehouse Address,Địa chỉ kho nguồn DocType: Compensatory Leave Request,Compensatory Leave Request,Yêu cầu nghỉ phép DocType: Lead,Mobile No.,Số di động -DocType: Quality Goal,July,Tháng 7 +DocType: GSTR 3B Report,July,Tháng 7 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC đủ điều kiện DocType: Fertilizer,Density (if liquid),Mật độ (nếu chất lỏng) DocType: Employee,External Work History,Lịch sử làm việc bên ngoài @@ -2723,6 +2746,7 @@ DocType: Certification Application,Certification Status,Tình trạng chứng nh apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},Vị trí nguồn được yêu cầu cho tài sản {0} DocType: Employee,Encashment Date,Ngày thanh toán apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,Vui lòng chọn Ngày hoàn thành cho Nhật ký bảo trì tài sản đã hoàn thành +DocType: Quiz,Latest Attempt,Nỗ lực mới nhất DocType: Leave Block List,Allow Users,Cho phép người dùng apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,Biểu đồ tài khoản apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,Khách hàng là bắt buộc nếu 'Cơ hội từ' được chọn là Khách hàng @@ -2787,7 +2811,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Thiết lập bảng DocType: Amazon MWS Settings,Amazon MWS Settings,Cài đặt Amazon MWS DocType: Program Enrollment,Walking,Đi dạo DocType: SMS Log,Requested Numbers,Số yêu cầu -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: Woocommerce Settings,Freight and Forwarding Account,Tài khoản vận chuyển và giao nhận apps/erpnext/erpnext/accounts/party.py,Please select a Company,Vui lòng chọn một công ty apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,Hàng {0}: {1} phải lớn hơn 0 @@ -2857,7 +2880,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,Hóa đơn DocType: Training Event,Seminar,Hội thảo apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),Tín dụng ({0}) DocType: Payment Request,Subscription Plans,Kế hoạch đăng ký -DocType: Quality Goal,March,tháng Ba +DocType: GSTR 3B Report,March,tháng Ba apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,Chia hàng loạt DocType: School House,House Name,Tên nhà apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),Nổi bật cho {0} không thể nhỏ hơn 0 ({1}) @@ -2920,7 +2943,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,Ngày bắt đầu bảo hiểm DocType: Target Detail,Target Detail,Chi tiết mục tiêu DocType: Packing Slip,Net Weight UOM,Trọng lượng tịnh -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: Purchase Invoice Item,Net Amount (Company Currency),Số tiền ròng (Tiền tệ công ty) DocType: Bank Statement Transaction Settings Item,Mapped Data,Dữ liệu đã ánh xạ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,Chứng khoán và tiền gửi @@ -2970,6 +2992,7 @@ DocType: Cheque Print Template,Cheque Height,Kiểm tra chiều cao apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,Vui lòng nhập ngày giải tỏa. DocType: Loyalty Program,Loyalty Program Help,Chương trình khách hàng thân thiết DocType: Journal Entry,Inter Company Journal Entry Reference,Tham khảo Tạp chí Công ty Inter +DocType: Quality Meeting,Agenda,Chương trình nghị sự DocType: Quality Action,Corrective,Khắc phục apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,Nhóm theo DocType: Bank Account,Address and Contact,Địa chỉ và liên hệ @@ -3023,7 +3046,7 @@ DocType: GL Entry,Credit Amount,Số tiền tín dụng apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,Tổng số tiền được ghi có DocType: Support Search Source,Post Route Key List,Danh sách chính lộ trình apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1} không trong bất kỳ Năm tài chính hoạt động nào. -DocType: Quality Action Table,Problem,Vấn đề +DocType: Quality Action Resolution,Problem,Vấn đề DocType: Training Event,Conference,Hội nghị DocType: Mode of Payment Account,Mode of Payment Account,Phương thức thanh toán tài khoản DocType: Leave Encashment,Encashable days,Ngày kết thúc @@ -3149,7 +3172,7 @@ DocType: Item,"Purchase, Replenishment Details","Chi tiết mua hàng, bổ sung DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date","Sau khi được đặt, hóa đơn này sẽ được giữ cho đến ngày được đặt" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Cổ phiếu không thể tồn tại cho Mục {0} vì có các biến thể DocType: Lab Test Template,Grouped,Được nhóm lại -DocType: Quality Goal,January,tháng Giêng +DocType: GSTR 3B Report,January,tháng Giêng DocType: Course Assessment Criteria,Course Assessment Criteria,Tiêu chí đánh giá khóa học DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,Đã hoàn thành @@ -3245,7 +3268,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,Loại đơn apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,Vui lòng nhập ít nhất 1 hóa đơn vào bảng apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Đơn đặt hàng {0} không được gửi apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Tham dự đã được đánh dấu thành công. -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,Bán hàng trước +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,Bán hàng trước apps/erpnext/erpnext/config/projects.py,Project master.,Chủ dự án. DocType: Daily Work Summary,Daily Work Summary,Tóm tắt công việc hàng ngày DocType: Asset,Partially Depreciated,Khấu hao một phần @@ -3254,6 +3277,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,Rời khỏi? DocType: Certified Consultant,Discuss ID,Thảo luận về ID apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,Vui lòng đặt Tài khoản GST trong Cài đặt GST +DocType: Quiz,Latest Highest Score,Điểm cao nhất mới nhất DocType: Supplier,Billing Currency,Hóa đơn hiện tại apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,Hoạt động của học sinh apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,Số lượng mục tiêu hoặc số lượng mục tiêu là bắt buộc @@ -3279,18 +3303,21 @@ DocType: Sales Order,Not Delivered,Không được giao apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Loại nghỉ {0} không thể được phân bổ vì nó được nghỉ mà không phải trả tiền DocType: GL Entry,Debit Amount,Số tiền ghi nợ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},Đã tồn tại bản ghi cho mục {0} +DocType: Video,Vimeo,Vimeo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,Hội đồng phụ 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 tắc đặt giá tiếp tục chiếm ưu thế, người dùng được yêu cầu đặt Ưu tiên theo cách thủ công để giải quyết xung đột." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Không thể khấu trừ khi danh mục dành cho 'Định giá' hoặc 'Định giá và Tổng' apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Số lượng BOM và số lượng sản xuất là bắt buộc apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},Mục {0} đã hết tuổi thọ trên {1} DocType: Quality Inspection Reading,Reading 6,Đọc 6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,Lĩnh vực công ty là bắt buộc apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Tiêu thụ nguyên liệu không được đặt trong Cài đặt sản xuất. DocType: Assessment Group,Assessment Group Name,Tên nhóm đánh giá -DocType: Item,Manufacturer Part Number,Nhà sản xuất một phần số +DocType: Purchase Invoice Item,Manufacturer Part Number,Nhà sản xuất một phần số apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,Biên chế phải trả apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},Hàng # {0}: {1} không thể âm cho mục {2} apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,Số dư +DocType: Question,Multiple Correct Answer,Nhiều câu trả lời đúng DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1 Điểm trung thành = Bao nhiêu tiền cơ sở? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},Lưu ý: Không có đủ số dư còn lại cho Loại rời {0} DocType: Clinical Procedure,Inpatient Record,Hồ sơ bệnh nhân nội trú @@ -3413,6 +3440,7 @@ DocType: Fee Schedule Program,Total Students,Tổng số học sinh apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,Địa phương DocType: Chapter Member,Leave Reason,Rời khỏi lý do DocType: Salary Component,Condition and Formula,Điều kiện và công thức +DocType: Quality Goal,Objectives,Mục tiêu apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Mức lương đã được xử lý trong khoảng thời gian từ {0} đến {1}, Thời gian nộp đơn không thể nằm trong phạm vi ngày này." DocType: BOM Item,Basic Rate (Company Currency),Tỷ lệ cơ bản (Tiền tệ công ty) DocType: BOM Scrap Item,BOM Scrap Item,BOM phế liệu @@ -3463,6 +3491,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,Tài khoản yêu cầu chi phí 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 Nhật ký apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} là sinh viên không hoạt động +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Nhập kho DocType: Employee Onboarding,Activities,Hoạt động apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Toàn bộ một kho là bắt buộc ,Customer Credit Balance,Số dư tín dụng khách hàng @@ -3547,7 +3576,6 @@ DocType: Contract,Contract Terms,Điều khoản hợp đồng apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,Số lượng mục tiêu hoặc số lượng mục tiêu là bắt buộc. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Không hợp lệ {0} DocType: Item,FIFO,VÒI -DocType: Quality Meeting,Meeting Date,Ngày họp DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,Viết tắt không thể có nhiều hơn 5 ký tự DocType: Employee Benefit Application,Max Benefits (Yearly),Lợi ích tối đa (hàng năm) @@ -3650,7 +3678,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,Phí ngân hàng apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,Hàng hóa đã chuyển apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Chi tiết liên lạc chính -DocType: Quality Review,Values,Giá trị 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 được chọn, danh sách sẽ phải được thêm vào từng Bộ phận nơi nó phải được áp dụng." DocType: Item Group,Show this slideshow at the top of the page,Hiển thị slideshow này ở đầu trang apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,Tham số {0} không hợp lệ @@ -3669,6 +3696,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,Tài khoản phí ngân hàng DocType: Journal Entry,Get Outstanding Invoices,Nhận hóa đơn xuất sắc DocType: Opportunity,Opportunity From,Cơ hội từ +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Chi tiết mục tiêu DocType: Item,Customer Code,Mã khách hàng apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,Vui lòng nhập mục trước apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,Danh sách trang web @@ -3697,7 +3725,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Chuyển tới DocType: Bank Statement Transaction Settings Item,Bank Data,Dữ liệu ngân hàng apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Lên lịch -DocType: Quality Goal,Everyday,Mỗi ngày DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Duy trì giờ thanh toán và giờ làm việc giống nhau trên Bảng chấm công apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Theo dõi dẫn theo nguồn chì. DocType: Clinical Procedure,Nursing User,Người dùng điều dưỡng @@ -3722,7 +3749,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Quản lý cây lãnh DocType: GL Entry,Voucher Type,Phiếu mua hàng ,Serial No Service Contract Expiry,Hết hạn hợp đồng không có hợp đồng dịch vụ DocType: Certification Application,Certified,Chứng nhận -DocType: Material Request Plan Item,Manufacture,Sản xuất +DocType: Purchase Invoice Item,Manufacture,Sản xuất apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} mặt hàng được sản xuất apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},Yêu cầu thanh toán cho {0} apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,Ngày kể từ lần đặt hàng cuối cùng @@ -3737,7 +3764,7 @@ DocType: Sales Invoice,Company Address Name,Tên địa chỉ công ty apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,Hàng chuyển đi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,Bạn chỉ có thể đổi tối đa {0} điểm theo thứ tự này. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},Vui lòng đặt tài khoản trong Kho {0} -DocType: Quality Action Table,Resolution,Nghị quyết +DocType: Quality Action,Resolution,Nghị quyết DocType: Sales Invoice,Loyalty Points Redemption,Điểm trung thành apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,Tổng giá trị tính thuế DocType: Patient Appointment,Scheduled,Lên kế hoạch @@ -3858,6 +3885,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,Tỷ lệ apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},Tiết kiệm {0} DocType: SMS Center,Total Message(s),Tổng số tin nhắn +DocType: Purchase Invoice,Accounting Dimensions,Kích thước kế toán apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,Nhóm theo tài khoản DocType: Quotation,In Words will be visible once you save the Quotation.,Trong Words sẽ hiển thị khi bạn lưu Báo giá. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,Số lượng sản xuất @@ -4022,7 +4050,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing,C apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.","Nếu bạn có bất kỳ câu hỏi, xin vui lòng quay lại với chúng tôi." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,Biên lai mua hàng {0} không được gửi DocType: Task,Total Expense Claim (via Expense Claim),Tổng yêu cầu chi phí (thông qua yêu cầu chi phí) -DocType: Quality Action,Quality Goal,Mục tiêu chất lượng +DocType: Quality Goal,Quality Goal,Mục tiêu chất lượng DocType: Support Settings,Support Portal,Cổng thông tin hỗ trợ apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Ngày kết thúc của nhiệm vụ {0} không thể nhỏ hơn {1} ngày bắt đầu dự kiến {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Nhân viên {0} đang nghỉ phép vào {1} @@ -4081,7 +4109,6 @@ DocType: BOM,Operating Cost (Company Currency),Chi phí hoạt động (Tiền t DocType: Item Price,Item Price,Giá mặt hàng DocType: Payment Entry,Party Name,Tên đảng 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: Course,Course Intro,Giới thiệu khóa học DocType: Program Enrollment Tool,New Program,Chương trình mới apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix","Số Trung tâm chi phí mới, nó sẽ được bao gồm trong tên trung tâm chi phí làm tiền tố" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,Chọn khách hàng hoặc nhà cung cấp. @@ -4282,6 +4309,7 @@ DocType: Customer,CUST-.YYYY.-,TÙY CHỈNH -YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Thanh toán ròng không thể âm apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Không có tương tác 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} # Mục {1} không thể được chuyển nhiều hơn {2} so với Đơn đặt hàng {3} +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Ca apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Xử lý biểu đồ tài khoản và các bên DocType: Stock Settings,Convert Item Description to Clean HTML,Chuyển đổi mô tả mục để làm sạch HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Tất cả các nhóm nhà cung cấp @@ -4360,6 +4388,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,Mục phụ huynh apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,Môi giới apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},Vui lòng tạo hóa đơn mua hàng hoặc hóa đơn mua hàng cho mặt hàng {0} +,Product Bundle Balance,Cân bằng gói sản phẩm apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,Tên công ty không thể là Công ty DocType: Maintenance Visit,Breakdown,Phá vỡ DocType: Inpatient Record,B Negative,B phủ định @@ -4368,7 +4397,7 @@ DocType: Purchase Invoice,Credit To,Tín dụng để apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,Gửi Đơn đặt hàng này để xử lý thêm. DocType: Bank Guarantee,Bank Guarantee Number,Số bảo lãnh ngân hàng apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Đã gửi: {0} -DocType: Quality Action,Under Review,Đang xem xét +DocType: Quality Meeting Table,Under Review,Đang xem xét apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),Nông nghiệp (beta) ,Average Commission Rate,Tỷ lệ hoa hồng trung bình DocType: Sales Invoice,Customer's Purchase Order Date,Ngày đặt hàng của khách hàng @@ -4485,7 +4514,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,Thanh toán trùng khớp với Hóa đơn DocType: Holiday List,Weekly Off,Tắt hàng tuần apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},Không cho phép đặt mục thay thế cho mục {0} -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,Chương trình {0} không tồn tại. +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,Chương trình {0} không tồn tại. apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,Bạn không thể chỉnh sửa nút gốc. DocType: Fee Schedule,Student Category,Thể loại sinh viên apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ","Mục {0}: {1} qty được sản xuất," @@ -4576,8 +4605,8 @@ DocType: Crop,Crop Spacing,Khoảng cách cắt DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Tần suất dự án và công ty nên được cập nhật dựa trên Giao dịch bán hàng. DocType: Pricing Rule,Period Settings,Cài đặt thời gian apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,Thay đổi ròng trong tài khoản phải thu +DocType: Quality Feedback Template,Quality Feedback Template,Mẫu phản hồi chất lượng 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 -DocType: Quality Goal,Goal Objectives,Mục tiêu mục tiêu 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ệ, không có cổ phiếu và số tiền được tính" DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Để trống nếu bạn lập nhóm sinh viên mỗi năm apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),Cho vay (Nợ phải trả) @@ -4612,12 +4641,13 @@ DocType: Quality Procedure Table,Step,Bậc thang DocType: Normal Test Items,Result Value,Giá trị kết quả DocType: Cash Flow Mapping,Is Income Tax Liability,Là thuế thu nhập DocType: Healthcare Practitioner,Inpatient Visit Charge Item,Mục phí thăm khám nội trú -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1} không tồn tại. +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1} không tồn tại. apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,Cập nhật phản hồi DocType: Bank Guarantee,Supplier,Nhà cung cấp apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Nhập giá trị betweeen {0} và {1} DocType: Purchase Order,Order Confirmation Date,Ngày xác nhận đơn hàng DocType: Delivery Trip,Calculate Estimated Arrival Times,Tính thời gian đến dự kiến +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vui lòng thiết lập Hệ thống đặt tên nhân viên trong Nhân sự> Cài đặt nhân sự apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Tiêu hao DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Ngày bắt đầu đăng ký @@ -4681,6 +4711,7 @@ DocType: Cheque Print Template,Is Account Payable,Tài khoản phải trả apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Tổng giá trị đơn hàng apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},Nhà cung cấp {0} không tìm thấy trong {1} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,Cài đặt cài đặt cổng SMS +DocType: Salary Component,Round to the Nearest Integer,Làm tròn đến số nguyên gần nhất apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Root không thể có một trung tâm chi phí cha mẹ DocType: Healthcare Service Unit,Allow Appointments,Cho phép các cuộc hẹn DocType: BOM,Show Operations,Hiển thị hoạt động @@ -4809,7 +4840,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,Danh sách kỳ nghỉ mặc định DocType: Naming Series,Current Value,Giá trị hiện tại apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.","Tính thời vụ để thiết lập ngân sách, mục tiêu, v.v." -DocType: Program,Program Code,Mã chương trình apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Cảnh báo: Đơn đặt hàng {0} đã tồn tại so với Đơn đặt hàng của khách hàng {1} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,Mục tiêu bán hàng hàng tháng ( DocType: Guardian,Guardian Interests,Quyền lợi người giám hộ @@ -4859,10 +4889,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Được trả tiền và không được giao apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Mã hàng là bắt buộc vì Mục không được đánh số tự động DocType: GST HSN Code,HSN Code,Mã HSN -DocType: Quality Goal,September,Tháng Chín +DocType: GSTR 3B Report,September,Tháng Chín apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Chi phí hành chính DocType: C-Form,C-Form No,Mẫu C DocType: Purchase Invoice,End date of current invoice's period,Ngày kết thúc kỳ thanh toán hiện tại +DocType: Item,Manufacturers,Nhà sản xuất của DocType: Crop Cycle,Crop Cycle,Chu kỳ cây trồng DocType: Serial No,Creation Time,Thời gian sáng tạo apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,Vui lòng nhập vai trò phê duyệt hoặc phê duyệt người dùng @@ -4935,8 +4966,6 @@ DocType: Employee,Short biography for website and other publications.,Tiểu s DocType: Purchase Invoice Item,Received Qty,Đã nhận được số lượng DocType: Purchase Invoice Item,Rate (Company Currency),Tỷ lệ (Tiền tệ công ty) DocType: Item Reorder,Request for,Yêu cầu đối với -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/setup/setup_wizard/setup_wizard.py,Installing presets,Cài đặt trước apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,Vui lòng nhập Thời gian hoàn trả DocType: Pricing Rule,Advanced Settings,Cài đặt nâng cao @@ -4962,7 +4991,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,Kích hoạt giỏ hàng DocType: Pricing Rule,Apply Rule On Other,Áp dụng quy tắc khác DocType: Vehicle,Last Carbon Check,Kiểm tra carbon lần cuối -DocType: Vehicle,Make,Chế tạo +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,Chế tạo apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,Hóa đơn bán hàng {0} được tạo như đã thanh toán apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,Để tạo tài liệu tham khảo Yêu cầu thanh toán là bắt buộc apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,Thuế thu nhập @@ -5038,7 +5067,6 @@ DocType: Territory,Parent Territory,Lãnh thổ phụ huynh DocType: Vehicle Log,Odometer Reading,Đọc số đo DocType: Additional Salary,Salary Slip,Phiếu lương DocType: Payroll Entry,Payroll Frequency,Tần suất biên chế -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vui lòng thiết lập Hệ thống đặt tên nhân viên trong Nhân sự> Cài đặt nhân sự apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","Ngày bắt đầu và ngày kết thúc không trong Thời hạn trả lương hợp lệ, không thể tính {0}" DocType: Products Settings,Home Page is Products,Trang chủ là sản phẩm apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,Các cuộc gọi @@ -5092,7 +5120,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,Lấy hồ sơ ...... DocType: Delivery Stop,Contact Information,Thông tin liên lạc DocType: Sales Order Item,For Production,Cho việc sản xuất -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: Serial No,Asset Details,Chi tiết tài sản DocType: Restaurant Reservation,Reservation Time,Thời gian đặt trước DocType: Selling Settings,Default Territory,Lãnh thổ mặc định @@ -5232,6 +5259,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,G apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Hàng loạt đã hết hạn DocType: Shipping Rule,Shipping Rule Type,Loại quy tắc vận chuyển DocType: Job Offer,Accepted,Được chấp nhậ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" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Bạn đã đánh giá các tiêu chí đánh giá {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Chọn số lô apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Tuổi (ngày) @@ -5248,6 +5277,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,Gói hàng tại thời điểm bán. DocType: Payment Reconciliation Payment,Allocated Amount,Số tiền được phân bổ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,Vui lòng chọn Công ty và Chỉ định +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'Ngày' là bắt buộc DocType: Email Digest,Bank Credit Balance,Số dư tín dụng ngân hàng apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,Hiển thị số tiền tích lũy apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,Bạn không có đủ điểm trung thành để đổi @@ -5308,11 +5338,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,Trên Tổng hàng tr DocType: Student,Student Email Address,Địa chỉ Email sinh viên DocType: Academic Term,Education,Giáo dục DocType: Supplier Quotation,Supplier Address,Địa chỉ nhà cung cấp -DocType: Salary Component,Do not include in total,Không bao gồm trong tổng số +DocType: Salary Detail,Do not include in total,Không bao gồm trong tổng số apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Không thể đặt nhiều Mặc định Mục cho một công ty. apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} không tồn tại DocType: Purchase Receipt Item,Rejected Quantity,Số lượng bị từ chối DocType: Cashier Closing,To TIme,Tới TIme +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: Daily Work Summary Group User,Daily Work Summary Group User,Tóm tắt công việc hàng ngày Người dùng nhóm DocType: Fiscal Year Company,Fiscal Year Company,Công ty năm tài chính apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Mục thay thế không được giống như mã mục @@ -5422,7 +5453,6 @@ DocType: Fee Schedule,Send Payment Request Email,Gửi email yêu cầu thanh to DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Trong Words sẽ hiển thị khi bạn lưu Hóa đơn bán hàng. DocType: Sales Invoice,Sales Team1,Đội ngũ bán hàng1 DocType: Work Order,Required Items,Các mặt hàng cần thiết -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Các ký tự đặc biệt ngoại trừ "-", "#", "." và "/" không được phép trong chuỗi đặt tên" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,Đọc Hướng dẫn ERPNext DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Kiểm tra số hóa đơn nhà cung cấp apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,Tìm kiếm hội đồng phụ @@ -5490,7 +5520,6 @@ DocType: Taxable Salary Slab,Percent Deduction,Khấu trừ phần trăm 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: Share Balance,To No,Không DocType: Leave Control Panel,Allocate Leaves,Phân bổ lá -DocType: Quiz,Last Attempt,Lần thử cuối cùng DocType: Assessment Result,Student Name,Tên học sinh apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,Lập kế hoạch cho các chuyến thăm bảo trì. apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,Các yêu cầu vật liệu sau đây đã được tăng tự động dựa trên cấp độ đặt hàng lại của vật phẩm @@ -5559,6 +5588,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,Màu chỉ thị DocType: Item Variant Settings,Copy Fields to Variant,Sao chép các trường vào biến thể DocType: Soil Texture,Sandy Loam,Cát Loam +DocType: Question,Single Correct Answer,Câu trả lời đúng apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,Từ ngày không thể ít hơn ngày tham gia của nhân viên DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Cho phép nhiều Đơn đặt hàng đối với Đơn đặt hàng của Khách hàng apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5621,7 +5651,7 @@ DocType: Account,Expenses Included In Valuation,Chi phí bao gồm trong định apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,Số seri DocType: Salary Slip,Deductions,Khấu trừ ,Supplier-Wise Sales Analytics,Phân tích doanh số bán hàng của nhà cung cấp -DocType: Quality Goal,February,Tháng hai +DocType: GSTR 3B Report,February,Tháng hai DocType: Appraisal,For Employee,Dành cho nhân viên apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Ngày giao hàng thực tế DocType: Sales Partner,Sales Partner Name,Tên đối tác bán hàng @@ -5717,7 +5747,6 @@ DocType: Procedure Prescription,Procedure Created,Thủ tục tạo apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Chống lại hóa đơn nhà cung cấp {0} ngày {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,Thay đổi hồ sơ POS apps/erpnext/erpnext/utilities/activation.py,Create Lead,Tạo khách hàng tiềm năng -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Nhà cung cấp> Loại nhà cung cấp DocType: Shopify Settings,Default Customer,Khách hàng mặc định DocType: Payment Entry Reference,Supplier Invoice No,Hóa đơn nhà cung cấp Không DocType: Pricing Rule,Mixed Conditions,Điều kiện hỗn hợp @@ -5768,12 +5797,14 @@ DocType: Item,End of Life,Cuối đời DocType: Lab Test Template,Sensitivity,Nhạy cảm DocType: Territory,Territory Targets,Mục tiêu lãnh thổ apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}","Bỏ qua Phân bổ để lại cho các nhân viên sau, vì các hồ sơ Phân bổ lại đã tồn tại đối với họ. {0}" +DocType: Quality Action Resolution,Quality Action Resolution,Nghị quyết hành động chất lượng DocType: Sales Invoice Item,Delivered By Supplier,Giao bởi nhà cung cấp DocType: Agriculture Analysis Criteria,Plant Analysis,Phân tích thực vật apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},Tài khoản chi phí là bắt buộc cho mục {0} ,Subcontracted Raw Materials To Be Transferred,Nguyên liệu thầu phụ được chuyển nhượng DocType: Cashier Closing,Cashier Closing,Nhân viên thu ngân apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,Mục {0} đã được trả lại +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN không hợp lệ! Đầu vào bạn đã nhập không khớp với định dạng GSTIN cho Chủ sở hữu UIN hoặc Nhà cung cấp dịch vụ OIDAR không thường trú apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,Kho trẻ em tồn tại cho kho này. Bạn không thể xóa kho này. DocType: Diagnosis,Diagnosis,Chẩn đoán 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} so với {2} {3} là {4}. Nó sẽ vượt quá {5} @@ -5789,6 +5820,7 @@ DocType: QuickBooks Migrator,Authorization Settings,Cài đặt ủy quyền DocType: Homepage,Products,Các sản phẩm ,Profit and Loss Statement,Báo cáo lãi lỗ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,Phòng đã đặt +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},Mục trùng lặp với mã mục {0} và nhà sản xuất {1} DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,Tổng khối lượng apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,Du lịch @@ -5837,6 +5869,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,Nhóm khách hàng mặc định DocType: Journal Entry Account,Debit in Company Currency,Nợ bằng tiền tệ của công ty DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",Chuỗi dự phòng là "SO-WOO-". +DocType: Quality Meeting Agenda,Quality Meeting Agenda,Chương trình họp chất lượng DocType: Cash Flow Mapper,Section Header,Phần tiêu đề apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,Sản phẩm hoặc Dịch vụ của bạn DocType: Crop,Perennial,Lâu năm @@ -5882,7 +5915,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Sản phẩm hoặc Dịch vụ được mua, bán hoặc giữ trong kho." apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Đóng (Mở + Tổng số) DocType: Supplier Scorecard Criteria,Criteria Formula,Công thức tiêu chí -,Support Analytics,Hỗ trợ phân tích +apps/erpnext/erpnext/config/support.py,Support Analytics,Hỗ trợ phân tích apps/erpnext/erpnext/config/quality_management.py,Review and Action,Đánh giá và hành động DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Nếu tài khoản bị đóng băng, các mục được phép cho người dùng bị hạn chế." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Số tiền sau khi khấu hao @@ -5927,7 +5960,6 @@ DocType: Contract Template,Contract Terms and Conditions,Điều khoản và đi apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Lấy dữ liệu DocType: Stock Settings,Default Item Group,Nhóm mặt hàng mặc định DocType: Sales Invoice Timesheet,Billing Hours,Giờ thanh toán -DocType: Item,Item Code for Suppliers,Mã hàng cho nhà cung cấp 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 học sinh {1} DocType: Pricing Rule,Margin Type,Loại ký quỹ DocType: Purchase Invoice Item,Rejected Serial No,Từ chối nối tiếp Không @@ -6000,6 +6032,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,Lá đã được cấp thành công DocType: Loyalty Point Entry,Expiry Date,Ngày hết hạn DocType: Project Task,Working,Đang làm việc +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0} đã có Quy trình dành cho phụ huynh {1}. apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,Điều này dựa trên các giao dịch chống lại Bệnh nhân này. Xem dòng thời gian dưới đây để biết chi tiết DocType: Material Request,Requested For,Yêu cầu phải DocType: SMS Center,All Sales Person,Tất cả nhân viên bán hàng @@ -6087,6 +6120,7 @@ DocType: Loan Type,Maximum Loan Amount,Số tiền cho vay tối đa apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,Không tìm thấy email trong liên hệ mặc định DocType: Hotel Room Reservation,Booked,Đã đặt DocType: Maintenance Visit,Partially Completed,Hoàn thành một phần +DocType: Quality Procedure Process,Process Description,Miêu tả quá trình DocType: Company,Default Employee Advance Account,Tài khoản tạm ứng nhân viên mặc định DocType: Leave Type,Allow Negative Balance,Cho phép cân bằng âm apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Tên kế hoạch đánh giá @@ -6128,6 +6162,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,Yêu cầu báo giá apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} đã nhập hai lần vào Thuế Mục DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,Khấu trừ thuế đầy đủ vào ngày biên chế được chọn +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,Ngày kiểm tra carbon cuối cùng không thể là một ngày trong tương lai apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,Chọn thay đổi số tiền tài khoản DocType: Support Settings,Forum Posts,Bài đăng trên diễn đàn DocType: Timesheet Detail,Expected Hrs,Số giờ mong đợi @@ -6137,7 +6172,7 @@ DocType: Program Enrollment Tool,Enroll Students,Tuyển sinh apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,Lặp lại doanh thu của khách hàng DocType: Company,Date of Commencement,Ngày bắt đầu DocType: Bank,Bank Name,Tên ngân hàng -DocType: Quality Goal,December,Tháng 12 +DocType: GSTR 3B Report,December,Tháng 12 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ệ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Điều này dựa trên sự tham dự của Nhân viên này DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Nếu được chọn, Trang chủ sẽ là Nhóm Mục mặc định cho trang web" @@ -6180,6 +6215,7 @@ DocType: Payment Entry,Payment Type,Hình thức thanh toán apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,Các số folio không khớp DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},Kiểm tra chất lượng: {0} không được gửi cho mục: {1} trong hàng {2} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},Hiển thị {0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,{0} mục được tìm thấy. ,Stock Ageing,Lão hóa DocType: Customer Group,Mention if non-standard receivable account applicable,Đề cập nếu áp dụng tài khoản phải thu không chuẩn @@ -6217,6 +6253,7 @@ DocType: Clinical Procedure Item,Transfer Qty,Chuyển số apps/erpnext/erpnext/setup/doctype/company/company.js,Cost Centers,Trung tâm chi phí apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Batch is mandatory in row {0},Hàng loạt là bắt buộc trong hàng {0} 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/controllers/accounts_controller.py,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Để bao gồm thuế trong hàng {0} trong Tỷ lệ mục, cũng phải bao gồm thuế trong các hàng {1}" ,Trial Balance (Simple),Số dư dùng thử (Đơn giản) DocType: Purchase Order,Customer Contact,Danh bạ khách hàng DocType: Marketplace Settings,Registered,Đã đăng ký @@ -6457,6 +6494,7 @@ DocType: Travel Request,Costing,Chi phí apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Tài sản cố định DocType: Purchase Order,Ref SQ,Tham chiếu DocType: Salary Structure,Total Earning,Tổng 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: Share Balance,From No,Từ không DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Hóa đơn thanh toán DocType: Purchase Invoice,Taxes and Charges Added,Thuế và phí đã thêm @@ -6464,7 +6502,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Xem xét Thuế h DocType: Authorization Rule,Authorized Value,Giá trị ủy quyền apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Nhận được tư apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,Kho {0} không tồn tại +DocType: Item Manufacturer,Item Manufacturer,Nhà sản xuất DocType: Sales Invoice,Sales Team,Đội ngũ bán hàng +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,Gói số lượng DocType: Purchase Order Item Supplied,Stock UOM,Cổ phiếu UOM DocType: Installation Note,Installation Date,Ngày cài đặt DocType: Email Digest,New Quotations,Báo giá mới @@ -6528,7 +6568,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,Tên danh sách ngày lễ DocType: Water Analysis,Collection Temperature ,Nhiệt độ thu DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Quản lý hóa đơn bổ nhiệm gửi và hủy tự động cho cuộc gặp gỡ của bệnh nhân -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vui lòng đặt Sê-ri đặt tên cho {0} qua Cài đặt> Cài đặt> Sê-ri đặt tên DocType: Employee Benefit Claim,Claim Date,Ngày yêu cầu DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,Để trống nếu Nhà cung cấp bị chặn vô thời hạn apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,Tham dự từ ngày và tham dự đến ngày là bắt buộc @@ -6539,6 +6578,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,Ngày nghỉ hưu apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,Vui lòng chọn Bệnh nhân DocType: Asset,Straight Line,Đường thẳng +DocType: Quality Action,Resolutions,Nghị quyết DocType: SMS Log,No of Sent SMS,Không có tin nhắn SMS ,GST Itemised Sales Register,Đăng ký doanh số GST apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,Tổng số tiền tạm ứng không thể lớn hơn tổng số tiền bị xử phạt @@ -6649,7 +6689,7 @@ DocType: Account,Profit and Loss,Lợi nhuận và thua lỗ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,Khác biệt DocType: Asset Finance Book,Written Down Value,Giá trị ghi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,Số dư đầu tư -DocType: Quality Goal,April,Tháng 4 +DocType: GSTR 3B Report,April,Tháng 4 DocType: Supplier,Credit Limit,Giới hạn tín dụng apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,Phân phối apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,ghi nợ @@ -6704,6 +6744,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Kết nối Shopify với ERPNext DocType: Homepage Section Card,Subtitle,Phụ đề DocType: Soil Texture,Loam,Loam +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Nhà cung cấp> Loại nhà cung cấp DocType: BOM,Scrap Material Cost(Company Currency),Chi phí vật liệu phế liệu (Tiền tệ công ty) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Lưu ý giao hàng {0} không được gửi DocType: Task,Actual Start Date (via Time Sheet),Ngày bắt đầu thực tế (thông qua Bảng chấm công) @@ -6759,7 +6800,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Liều dùng DocType: Cheque Print Template,Starting position from top edge,Vị trí bắt đầu từ cạnh trên apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Thời lượng cuộc hẹn (phút) -DocType: Pricing Rule,Disable,Vô hiệu hóa +DocType: Accounting Dimension,Disable,Vô hiệu hóa DocType: Email Digest,Purchase Orders to Receive,Đơn đặt hàng để nhận apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Đơn đặt hàng sản xuất không thể được tăng cho: DocType: Projects Settings,Ignore Employee Time Overlap,Bỏ qua thời gian nhân viên chồng chéo @@ -6843,6 +6884,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,Tạo DocType: Item Attribute,Numeric Values,Giá trị số DocType: Delivery Note,Instructions,Hướng dẫn DocType: Blanket Order Item,Blanket Order Item,Mục đặt hàng chăn +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,Bắt buộc đối với tài khoản lãi và lỗ apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,Tỷ lệ hoa hồng không thể lớn hơn 100 DocType: Course Topic,Course Topic,Chủ đề khóa học DocType: Employee,This will restrict user access to other employee records,Điều này sẽ hạn chế quyền truy cập của người dùng vào hồ sơ nhân viên khác @@ -6867,12 +6909,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,Quản lý đ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,Nhận khách hàng từ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0} Tiêu hóa DocType: Employee,Reports to,Báo cáo cho +DocType: Video,YouTube,YouTube DocType: Party Account,Party Account,Tài khoản bên DocType: Assessment Plan,Schedule,Lịch trình apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,Vui lòng nhập DocType: Lead,Channel Partner,Kênh đối tác apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Số lượng danh sách đơn hàng DocType: Project,From Template,Từ mẫu +,DATEV,NGÀY apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,Đăng ký apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,Số lượng để thực hiện DocType: Quality Review Table,Achieved,Đạt được @@ -6919,7 +6963,6 @@ DocType: Journal Entry,Subscription Section,Phần đăng ký DocType: Salary Slip,Payment Days,Ngày thanh toán apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,Thông tin tình nguyện. apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Stocks Cũ hơn` nên nhỏ hơn% d ngày. -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,Chọn năm tài chính DocType: Bank Reconciliation,Total Amount,Tổng cộng DocType: Certification Application,Non Profit,Phi lợi nhuận DocType: Subscription Settings,Cancel Invoice After Grace Period,Hủy hóa đơn sau thời gian ân hạn @@ -6932,7 +6975,6 @@ DocType: Serial No,Warranty Period (Days),Thời hạn bảo hành (ngày) DocType: Expense Claim Detail,Expense Claim Detail,Chi tiết yêu cầu chi phí apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,Chương trình: DocType: Patient Medical Record,Patient Medical Record,Hồ sơ bệnh án -DocType: Quality Action,Action Description,Mô tả hành động DocType: Item,Variant Based On,Biến thể dựa trên DocType: Vehicle Service,Brake Oil,Dầu phanh DocType: Employee,Create User,Tạo người dùng @@ -6988,7 +7030,7 @@ DocType: Cash Flow Mapper,Section Name,Tên mục DocType: Packed Item,Packed Item,Mục đóng gói apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Yêu cầu số tiền ghi nợ hoặc tín dụng cho {2} apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,Đệ trình phiếu lương ... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,Không có hành động +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/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Ngân sách không thể được chỉ định theo {0}, vì đó không phải là tài khoản Thu nhập hoặc Chi phí" apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,Thạc sĩ và Tài khoản DocType: Quality Procedure Table,Responsible Individual,Cá nhân có trách nhiệm @@ -7111,7 +7153,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,Cho phép tạo tài khoản chống lại công ty con DocType: Payment Entry,Company Bank Account,Tài khoản ngân hàng công ty DocType: Amazon MWS Settings,UK,Anh -DocType: Quality Procedure,Procedure Steps,Các bước thủ tục DocType: Normal Test Items,Normal Test Items,Mục kiểm tra bình thường apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Mục {0}: Thứ tự qty {1} không thể nhỏ hơn đơn hàng tối thiểu qty {2} (được xác định trong Mục). apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,Không có trong kho @@ -7190,7 +7231,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,phân tích DocType: Maintenance Team Member,Maintenance Role,Vai trò bảo trì apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,Mẫu điều khoản và điều kiện DocType: Fee Schedule Program,Fee Schedule Program,Chương trình biểu phí -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,Khóa học {0} không tồn tại. DocType: Project Task,Make Timesheet,Làm bảng chấm công DocType: Production Plan Item,Production Plan Item,Mục kế hoạch sản xuất apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,Tổng số sinh viên @@ -7212,6 +7252,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Gói lại apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Bạn chỉ có thể gia hạn nếu thành viên của bạn hết hạn trong vòng 30 ngày apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Giá trị phải nằm trong khoảng từ {0} đến {1} +DocType: Quality Feedback,Parameters,Thông số ,Sales Partner Transaction Summary,Tóm tắt giao dịch đối tác bán hàng DocType: Asset Maintenance,Maintenance Manager Name,Tên quản lý bảo trì apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Nó là cần thiết để lấy chi tiết mục. @@ -7250,6 +7291,7 @@ DocType: Student Admission,Student Admission,Nhập học DocType: Designation Skill,Skill,Kỹ năng DocType: Budget Account,Budget Account,Tài khoản ngân sách DocType: Employee Transfer,Create New Employee Id,Tạo Id nhân viên mới +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,{0} là bắt buộc đối với tài khoản 'Lãi và lỗ' {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),Thuế hàng hóa và dịch vụ (GST Ấn Độ) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,Tạo phiếu lương ... DocType: Employee Skill,Employee Skill,Kỹ năng nhân viên @@ -7350,6 +7392,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,Hóa đơn ri DocType: Subscription,Days Until Due,Ngày đến hạn apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Hiển thị đã hoàn thành apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,Báo cáo giao dịch sao kê ngân hàng +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Ngân hàng apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Hàng # {0}: Tỷ lệ phải giống với {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Các mặt hàng dịch vụ chăm sóc sức khỏe @@ -7406,6 +7449,7 @@ DocType: Training Event Employee,Invited,Đã mời apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},Số tiền tối đa đủ điều kiện cho thành phần {0} vượt quá {1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,Số tiền để hóa đơn apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry","Đối với {0}, chỉ các tài khoản ghi nợ mới có thể được liên kết với một mục tín dụng khác" +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Tạo kích thước ... DocType: Bank Statement Transaction Entry,Payable Account,Tài khoản phải trả apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,Vui lòng đề cập đến không có lượt truy cập cần thiết DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,Chỉ chọn nếu bạn đã thiết lập tài liệu Mapper Flow Flow @@ -7423,6 +7467,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,C DocType: Service Level,Resolution Time,Thời gian giải quyết DocType: Grading Scale Interval,Grade Description,Mô tả lớp DocType: Homepage Section,Cards,thẻ +DocType: Quality Meeting Minutes,Quality Meeting Minutes,Biên bản cuộc họp chất lượng DocType: Linked Plant Analysis,Linked Plant Analysis,Phân tích thực vật liên kết apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,Ngày dừng dịch vụ không thể sau ngày kết thúc dịch vụ 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. @@ -7457,7 +7502,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,Công cụ chấm cô DocType: Employee,Educational Qualification,Trình độ học vấn apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,Giá trị truy cập apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},Số lượng mẫu {0} không thể nhiều hơn số lượng nhận được {1} -DocType: Quiz,Last Highest Score,Điểm cao nhất cuối cùng DocType: POS Profile,Taxes and Charges,Thuế và phí DocType: Opportunity,Contact Mobile No,Liên hệ Di động Không DocType: Employee,Joining Details,Tham gia chi tiết diff --git a/erpnext/translations/zh.csv b/erpnext/translations/zh.csv index 12baaad280..a1b99be2ca 100644 --- a/erpnext/translations/zh.csv +++ b/erpnext/translations/zh.csv @@ -21,6 +21,7 @@ DocType: Request for Quotation Item,Supplier Part No,供应商零件号 DocType: Journal Entry Account,Party Balance,党的平衡 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),资金来源(负债) DocType: Payroll Period,Taxable Salary Slabs,应税工资板 +DocType: Quality Action,Quality Feedback,质量反馈 DocType: Support Settings,Support Settings,支持设置 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,请先输入生产项目 DocType: Quiz,Grading Basis,评分基础 @@ -45,6 +46,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,更多细节 DocType: Salary Component,Earning,收益 DocType: Restaurant Order Entry,Click Enter To Add,单击Enter To Add DocType: Employee Group,Employee Group,员工组 +DocType: Quality Procedure,Processes,流程 DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,指定汇率以将一种货币转换为另一种货币 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 4,老化范围4 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},库存项目{0}所需的仓库 @@ -157,11 +159,13 @@ DocType: Complaint,Complaint,抱怨 DocType: Shipping Rule,Restrict to Countries,限制国家 DocType: Hub Tracked Item,Item Manager,项目经理 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},结算账户的货币必须为{0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,预算 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,打开发票项目 DocType: Work Order,Plan material for sub-assemblies,规划子组件的材料 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Hardware,硬件 DocType: Budget,Action if Annual Budget Exceeded on MR,如果年度预算超过MR,则采取行动 DocType: Sales Invoice Advance,Advance Amount,提前金额 +DocType: Accounting Dimension,Dimension Name,尺寸名称 DocType: Delivery Note Item,Against Sales Invoice Item,针对销售发票项目 DocType: Expense Claim,HR-EXP-.YYYY.-,HR-EXP-.YYYY.- DocType: BOM Explosion Item,Include Item In Manufacturing,包括制造业中的项目 @@ -218,7 +222,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,它有什么作 ,Sales Invoice Trends,销售发票趋势 DocType: Bank Reconciliation,Payment Entries,付款条目 DocType: Employee Education,Class / Percentage,等级/百分比 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品代码>商品分组>品牌 ,Electronic Invoice Register,电子发票登记 DocType: Sales Invoice,Is Return (Credit Note),是回报(信用证) DocType: Lab Test Sample,Lab Test Sample,实验室测试样品 @@ -292,6 +295,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate T DocType: Item,Variants,变种 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",根据您的选择,费用将根据项目数量或金额按比例分配 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,今天有待开展的活动 +DocType: Quality Procedure Process,Quality Procedure Process,质量程序流程 DocType: Fee Schedule Program,Student Batch,学生批量 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},第{0}行中项目所需的估价率 DocType: BOM Operation,Base Hour Rate(Company Currency),基本小时费率(公司货币) @@ -311,7 +315,7 @@ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,根据Serial No Input在Transactions中设置Qty apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},预付账户货币应与公司货币{0}相同 apps/erpnext/erpnext/portal/doctype/homepage/homepage.js,Customize Homepage Sections,自定义主页部分 -DocType: Quality Goal,October,十月 +DocType: GSTR 3B Report,October,十月 DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,从销售交易中隐藏客户的税务ID apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! A GSTIN must have 15 characters.,GSTIN无效! GSTIN必须有15个字符。 apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Pricing Rule {0} is updated,定价规则{0}已更新 @@ -396,7 +400,7 @@ DocType: Leave Encashment,Leave Balance,保持平衡 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},对{1}存在维护计划{0} DocType: Assessment Plan,Supervisor Name,主管姓名 DocType: Selling Settings,Campaign Naming By,广告系列命名 -DocType: Course,Course Code,科目编号 +DocType: Student Group Creation Tool Course,Course Code,科目编号 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,航天 DocType: Landed Cost Voucher,Distribute Charges Based On,基于的分配费用 DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,供应商记分卡评分标准 @@ -478,10 +482,8 @@ DocType: Restaurant Menu,Restaurant Menu,餐厅菜单 DocType: Asset Movement,Purpose,目的 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,员工的薪酬结构分配已经存在 DocType: Clinical Procedure,Service Unit,服务单位 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客户>客户组>地区 DocType: Travel Request,Identification Document Number,身份证明文件号码 DocType: Stock Entry,Additional Costs,额外费用 -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",家长课程(如果这不是家长课程的一部分,请留空) DocType: Employee Education,Employee Education,员工教育 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,职位数量不能少于当前的员工数量 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,所有客户群 @@ -528,6 +530,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,行{0}:数量是强制性的 DocType: Sales Invoice,Against Income Account,反对收入账户 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:无法对现有资产{1}进行采购发票 +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,适用不同促销计划的规则。 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM所需的UOM转换因子:项目中的{0}:{1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},请输入项目{0}的数量 DocType: Workstation,Electricity Cost,电费 @@ -863,7 +866,6 @@ DocType: Item,Total Projected Qty,预计总数量 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,物料清单 DocType: Work Order,Actual Start Date,实际开始日期 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,在补休请假日之间,您不会全天在场 -DocType: Company,About the Company,关于公司 apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,财务帐户树。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,间接收入 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,酒店客房预订项目 @@ -878,6 +880,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,潜在客户 DocType: Skill,Skill Name,技能名称 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,打印报告卡 DocType: Soil Texture,Ternary Plot,三元情节 +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,支持门票 DocType: Asset Category Account,Fixed Asset Account,固定资产账户 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,最新 @@ -887,6 +890,7 @@ DocType: Program Enrollment Course,Program Enrollment Course,课程注册课程 ,IRS 1099,IRS 1099 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,请设置要使用的系列。 DocType: Delivery Trip,Distance UOM,距离UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,资产负债表必备 DocType: Payment Entry,Total Allocated Amount,总分配金额 DocType: Sales Invoice,Get Advances Received,收到进展 DocType: Student,B-,B- @@ -910,6 +914,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,维护计划项目 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,POS Profile required to make POS Entry,进行POS输入所需的POS配置文件 DocType: Education Settings,Enable LMS,启用LMS DocType: POS Closing Voucher,Sales Invoices Summary,销售发票摘要 +apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Benefit,效益 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Credit To帐户必须是资产负债表帐户 DocType: Video,Duration,持续时间 DocType: Lab Test Template,Descriptive,描述的 @@ -961,6 +966,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,开始和结束日期 DocType: Supplier Scorecard,Notify Employee,通知员工 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,软件 +DocType: Program,Allow Self Enroll,允许自我注册 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,库存费用 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,如果您输入参考日期,则参考号为必填项 DocType: Training Event,Workshop,作坊 @@ -1013,6 +1019,7 @@ DocType: Lab Test Template,Lab Test Template,实验室测试模板 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},最大值:{0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,电子发票信息丢失 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,未创建任何材料请求 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品代码>商品分组>品牌 DocType: Loan,Total Amount Paid,支付总金额 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,所有这些物品都已开具发票 DocType: Training Event,Trainer Name,培训师姓名 @@ -1034,6 +1041,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,学年 DocType: Sales Stage,Stage Name,艺名 DocType: SMS Center,All Employee (Active),所有员工(主动) +DocType: Accounting Dimension,Accounting Dimension,会计维度 DocType: Project,Customer Details,顾客信息 DocType: Buying Settings,Default Supplier Group,默认供应商组 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,请先取消购买收据{0} @@ -1148,7 +1156,6 @@ DocType: Pricing Rule,"Higher the number, higher the priority",数字越大, DocType: Designation,Required Skills,所需技能 DocType: Marketplace Settings,Disable Marketplace,禁用市场 DocType: Budget,Action if Annual Budget Exceeded on Actual,年度预算超过实际的行动 -DocType: Course,Course Abbreviation,课程缩写 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,休假时,{1}的出勤率未作为{1}提交。 DocType: Pricing Rule,Promotional Scheme Id,促销计划ID apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},任务{0}的结束日期不能超过{1}预期结束日期{2} @@ -1291,7 +1298,7 @@ DocType: Bank Guarantee,Margin Money,保证金 DocType: Chapter,Chapter,章节 DocType: Purchase Receipt Item Supplied,Current Stock,现有股票 DocType: Employee,History In Company,公司历史 -DocType: Item,Manufacturer,生产厂家 +DocType: Purchase Invoice Item,Manufacturer,生产厂家 apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,中等灵敏度 DocType: Compensatory Leave Request,Leave Allocation,离开分配 DocType: Timesheet,Timesheet,时间表 @@ -1322,6 +1329,7 @@ DocType: Work Order,Material Transferred for Manufacturing,为制造业转移的 DocType: Products Settings,Hide Variants,隐藏变体 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,禁用容量规划和时间跟踪 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,*将在交易中计算。 +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,“资产负债表”帐户{1}需要{0}。 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0}不允许与{1}进行交易。请更改公司。 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}创建采购收据 DocType: Delivery Trip,Delivery Details,交货细节 @@ -1357,7 +1365,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Prev,上一页 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,测量单位 DocType: Lab Test,Test Template,测试模板 DocType: Fertilizer,Fertilizer Contents,肥料含量 -apps/erpnext/erpnext/utilities/user_progress.py,Minute,分钟 +DocType: Quality Meeting Minutes,Minute,分钟 apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:无法提交资产{1},它已经是{2} DocType: Task,Actual Time (in Hours),实际时间(小时) DocType: Period Closing Voucher,Closing Account Head,结账户主管 @@ -1530,7 +1538,7 @@ apps/erpnext/erpnext/config/healthcare.py,Laboratory,实验室 DocType: Purchase Order,To Bill,开单 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Utility Expenses,公用事业费用 DocType: Manufacturing Settings,Time Between Operations (in mins),运营间隔时间(分钟) -DocType: Quality Goal,May,可以 +DocType: GSTR 3B Report,May,可以 apps/erpnext/erpnext/accounts/utils.py,"Payment Gateway Account not created, please create one manually.",付款网关帐户未创建,请手动创建一个。 DocType: Opening Invoice Creation Tool,Purchase,采购 DocType: Program Enrollment,School House,学校的房子 @@ -1562,6 +1570,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,有关您的供应商的法定信息和其他一般信息 DocType: Item Default,Default Selling Cost Center,默认销售成本中心 DocType: Sales Partner,Address & Contacts,地址和联系方式 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,请通过设置>编号系列设置出勤编号系列 DocType: Subscriber,Subscriber,订户 apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form / Item / {0})缺货 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,请先选择发布日期 @@ -1589,6 +1598,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,住院访问费用 DocType: Bank Statement Settings,Transaction Data Mapping,交易数据映射 apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,领导者需要一个人的姓名或组织的名称 DocType: Student,Guardians,守护者 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,请在教育>教育设置中设置教师命名系统 apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,选择品牌...... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,中等收入 DocType: Shipping Rule,Calculate Based On,基于计算 @@ -1600,7 +1610,7 @@ DocType: Expense Claim Advance,Expense Claim Advance,费用索赔预付款 DocType: Purchase Invoice,Rounding Adjustment (Company Currency),四舍五入调整(公司货币) DocType: Item,Publish in Hub,在Hub中发布 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN -DocType: Quality Goal,August,八月 +DocType: GSTR 3B Report,August,八月 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Please enter Purchase Receipt first,请先输入购买收据 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,开始一年 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Target ({}),目标({}) @@ -1619,6 +1629,7 @@ DocType: Item,Max Sample Quantity,最大样品数量 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,源仓库和目标仓库必须不同 DocType: Employee Benefit Application,Benefits Applied,应用的好处 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,针对日记帐分录{0}没有任何不匹配的{1}条目 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",命名系列中不允许使用除“ - ”,“#”,“。”,“/”,“{”和“}”之外的特殊字符 apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,价格或产品折扣板是必需的 apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,设定目标 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},针对学生{1}的出勤记录{0} @@ -1634,10 +1645,8 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not cre DocType: Supplier Scorecard,Per Month,每月 DocType: Routing,Routing Name,路由名称 DocType: Disease,Common Name,通用名称 -DocType: Quality Goal,Measurable,可测量 DocType: Education Settings,LMS Title,LMS标题 apps/erpnext/erpnext/config/non_profit.py,Loan Management,贷款管理 -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Support Analtyics,支持Analtyics DocType: Clinical Procedure,Consumable Total Amount,消耗总量 apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Enable Template,启用模板 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Customer LPO,客户LPO @@ -1777,6 +1786,7 @@ DocType: Restaurant Order Entry Item,Served,曾任 DocType: Loan,Member,会员 DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,从业者服务单位时间表 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,电汇 +DocType: Quality Review Objective,Quality Review Objective,质量审查目标 DocType: Bank Reconciliation Detail,Against Account,反对帐户 DocType: Projects Settings,Projects Settings,项目设置 apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},实际数量{0} /等待数量{1} @@ -1805,6 +1815,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital, apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year End Date should be one year after Fiscal Year Start Date,会计年度结束日期应为会计年度开始日期后一年 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Daily Reminders,每日提醒 DocType: Item,Default Sales Unit of Measure,默认销售计量单位 +apps/erpnext/erpnext/regional/report/gst_itemised_sales_register/gst_itemised_sales_register.js,Company GSTIN,公司GSTIN DocType: Asset Finance Book,Rate of Depreciation,折旧率 DocType: Support Search Source,Post Description Key,帖子描述键 DocType: Loyalty Program Collection,Minimum Total Spent,最低总支出 @@ -1875,6 +1886,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,不允许更改所选客户的客户组。 DocType: Serial No,Creation Document Type,创建文档类型 DocType: Sales Invoice Item,Available Batch Qty at Warehouse,仓库的可用批次数量 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,发票总计 apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,这是根域,无法编辑。 DocType: Patient,Surgical History,外科史 apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,质量树程序。 @@ -1979,6 +1991,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,如果要在网站上显示,请选中此项 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,找不到会计年度{0} DocType: Bank Statement Settings,Bank Statement Settings,银行对账单设置 +DocType: Quality Procedure Process,Link existing Quality Procedure.,链接现有的质量程序。 +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,从CSV / Excel文件导入科目表 DocType: Appraisal Goal,Score (0-5),分数(0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,在“属性表”中多次选择了属性{0} DocType: Purchase Invoice,Debit Note Issued,发行借方通知单 @@ -1987,7 +2001,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,请留下政策明细 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,仓库在系统中找不到 DocType: Healthcare Practitioner,OP Consulting Charge,OP咨询费 -DocType: Quality Goal,Measurable Goal,可衡量的目标 DocType: Bank Statement Transaction Payment Item,Invoices,发票 DocType: Currency Exchange,Currency Exchange,货币兑换 DocType: Payroll Entry,Fortnightly,半月刊 @@ -2050,6 +2063,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is not submitted,{0} {1}未提交 DocType: Work Order,Backflush raw materials from work-in-progress warehouse,从在制品库中反冲原料 DocType: Maintenance Team Member,Maintenance Team Member,维护团队成员 +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,为会计设置自定义维度 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,植物行之间的最小距离,以实现最佳生长 DocType: Employee Health Insurance,Health Insurance Name,健康保险名称 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,股票资产 @@ -2082,7 +2096,7 @@ DocType: Delivery Note,Billing Address Name,帐单地址名称 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,Alternate Item,替代项目 DocType: Certification Application,Name of Applicant,申请人名称 DocType: Leave Type,Earned Leave,获得休假 -DocType: Quality Goal,June,六月 +DocType: GSTR 3B Report,June,六月 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Row {0}: Cost center is required for an item {1},行{0}:项目{1}需要成本中心 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py,Can be approved by {0},可以通过{0}批准 apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,在转换因子表中多次输入了计量单位{0} @@ -2103,6 +2117,7 @@ DocType: Lab Test Template,Standard Selling Rate,标准销售率 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},请为餐厅{0}设置有效菜单 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: Asset Finance Book,Asset Finance Book,资产融资书 +DocType: Quality Goal Objective,Quality Goal Objective,质量目标 DocType: Employee Transfer,Employee Transfer,员工转移 ,Sales Funnel,销售漏斗 DocType: Agriculture Analysis Criteria,Water Analysis,水分析 @@ -2141,6 +2156,7 @@ DocType: Employee Transfer Property,Employee Transfer Property,员工转移财 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,待定活动 apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,列出一些客户。他们可以是组织或个人。 DocType: Bank Guarantee,Bank Account Info,银行账户信息 +DocType: Quality Goal,Weekday,平日 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1名称 DocType: Salary Component,Variable Based On Taxable Salary,基于应税薪酬的变量 DocType: Accounting Period,Accounting Period,会计期间 @@ -2224,7 +2240,7 @@ DocType: Purchase Invoice,Rounding Adjustment,舍入调整 DocType: Quality Review Table,Quality Review Table,质量审查表 DocType: Member,Membership Expiry Date,会员到期日 DocType: Asset Finance Book,Expected Value After Useful Life,实用生活后的预期价值 -DocType: Quality Goal,November,十一月 +DocType: GSTR 3B Report,November,十一月 DocType: Loan Application,Rate of Interest,利率 DocType: Bank Statement Transaction Payment Item,Bank Statement Transaction Payment Item,银行对账单交易付款项目 DocType: Restaurant Reservation,Waitlisted,轮候 @@ -2288,6 +2304,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu must be greater than or equal to {2}",行{0}:要设置{1}周期性,from和date之间的差异必须大于或等于{2} DocType: Purchase Invoice Item,Valuation Rate,估价率 DocType: Shopping Cart Settings,Default settings for Shopping Cart,购物车的默认设置 +DocType: Quiz,Score out of 100,得分100分 DocType: Manufacturing Settings,Capacity Planning,容量规划 apps/erpnext/erpnext/utilities/user_progress.py,Go to Instructors,去教练 DocType: Activity Cost,Projects,项目 @@ -2297,6 +2314,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fi DocType: C-Form,II,II DocType: Cashier Closing,From Time,从时间 apps/erpnext/erpnext/stock/doctype/item/item.js,Variant Details Report,变体详细信息报告 +,BOM Explorer,BOM Explorer DocType: Currency Exchange,For Buying,购买 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Slots for {0} are not added to the schedule,{0}的插槽未添加到计划中 DocType: Target Detail,Target Distribution,目标分布 @@ -2314,6 +2332,7 @@ DocType: Activity Cost,Activity Cost,活动成本 DocType: Journal Entry,Payment Order,付款单 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Pricing,价钱 ,Item Delivery Date,物品交货日期 +DocType: Quality Goal,January-April-July-October,1至4月,7- 10月 DocType: Purchase Order Item,Warehouse and Reference,仓库和参考 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with child nodes cannot be converted to ledger,具有子节点的帐户无法转换为分类帐 DocType: Soil Texture,Clay Composition (%),粘土成分(%) @@ -2364,6 +2383,7 @@ apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,未来的日期不允 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Varaiance ,Varaiance apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,行{0}:请在付款时间表中设置付款方式 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,学术期限: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,质量反馈参数 apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,请选择应用折扣 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Row # {0}: ,行#{0}: apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,总付款 @@ -2406,7 +2426,7 @@ DocType: Hub Tracked Item,Hub Node,集线器节点 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,员工ID DocType: Salary Structure Assignment,Salary Structure Assignment,薪酬结构分配 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS结算凭证税 -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,行动初始化 +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,行动初始化 DocType: POS Profile,Applicable for Users,适用于用户 DocType: Training Event,Exam,考试 apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,找到的总帐分录数不正确。您可能在交易中选择了错误的帐户。 @@ -2513,6 +2533,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,经度 DocType: Accounts Settings,Determine Address Tax Category From,确定地址税类别 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,确定决策者 +DocType: Stock Entry Detail,Reference Purchase Receipt,参考购买收据 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,获取Invocies DocType: Tally Migration,Is Day Book Data Imported,是否导入了日记簿数据 ,Sales Partners Commission,销售伙伴委员会 @@ -2536,6 +2557,7 @@ DocType: Leave Type,Applicable After (Working Days),适用后(工作日) DocType: Timesheet Detail,Hrs,小时 DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,供应商记分卡标准 DocType: Amazon MWS Settings,FR,FR +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,质量反馈模板参数 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,加入日期必须大于出生日期 DocType: Bank Statement Transaction Invoice Item,Invoice Date,发票日期 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,在销售发票上创建实验室测试提交 @@ -2642,7 +2664,7 @@ DocType: Plant Analysis Criteria,Minimum Permissible Value,最低允许值 DocType: Stock Entry,Source Warehouse Address,源仓库地址 DocType: Compensatory Leave Request,Compensatory Leave Request,补偿请假 DocType: Lead,Mobile No.,手机号码。 -DocType: Quality Goal,July,七月 +DocType: GSTR 3B Report,July,七月 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,符合条件的ITC DocType: Fertilizer,Density (if liquid),密度(如果是液体) DocType: Employee,External Work History,外部工作经历 @@ -2719,6 +2741,7 @@ DocType: Certification Application,Certification Status,认证状态 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},资产{0}需要源位置 DocType: Employee,Encashment Date,兑现日期 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,请选择已完成资产维护日志的完成日期 +DocType: Quiz,Latest Attempt,最新尝试 DocType: Leave Block List,Allow Users,允许用户 apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,会计科目表 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,如果选择“Opportunity From”作为客户,则客户是强制性的 @@ -2783,7 +2806,6 @@ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,供应商记分卡 DocType: Amazon MWS Settings,Amazon MWS Settings,亚马逊MWS设置 DocType: Program Enrollment,Walking,步行 DocType: SMS Log,Requested Numbers,请求的号码 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,请通过设置>编号系列设置出勤编号系列 DocType: Woocommerce Settings,Freight and Forwarding Account,货运和货运账户 apps/erpnext/erpnext/accounts/party.py,Please select a Company,请选择一家公司 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,行{0}:{1}必须大于0 @@ -2853,7 +2875,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,提单给 DocType: Training Event,Seminar,研讨会 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Credit ({0}),信用({0}) DocType: Payment Request,Subscription Plans,订阅计划 -DocType: Quality Goal,March,游行 +DocType: GSTR 3B Report,March,游行 apps/erpnext/erpnext/stock/doctype/batch/batch.js,Split Batch,拆分批次 DocType: School House,House Name,房名 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0}的突出不能小于零({1}) @@ -2916,7 +2938,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,保险开始日期 DocType: Target Detail,Target Detail,目标细节 DocType: Packing Slip,Net Weight UOM,净重UOM -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: Purchase Invoice Item,Net Amount (Company Currency),净金额(公司货币) DocType: Bank Statement Transaction Settings Item,Mapped Data,映射数据 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,证券和存款 @@ -2966,6 +2987,7 @@ DocType: Cheque Print Template,Cheque Height,检查高度 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,请输入解除日期。 DocType: Loyalty Program,Loyalty Program Help,忠诚度计划帮助 DocType: Journal Entry,Inter Company Journal Entry Reference,Inter Company Journal Entry Reference +DocType: Quality Meeting,Agenda,议程 DocType: Quality Action,Corrective,纠正的 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,通过...分组 DocType: Bank Account,Address and Contact,地址和联系方式 @@ -3019,7 +3041,7 @@ DocType: GL Entry,Credit Amount,信贷金额 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,总金额 DocType: Support Search Source,Post Route Key List,邮政路线钥匙清单 apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1}没有任何有效的会计年度。 -DocType: Quality Action Table,Problem,问题 +DocType: Quality Action Resolution,Problem,问题 DocType: Training Event,Conference,会议 DocType: Mode of Payment Account,Mode of Payment Account,付款方式帐户 DocType: Leave Encashment,Encashable days,可以忍受的日子 @@ -3145,7 +3167,7 @@ DocType: Item,"Purchase, Replenishment Details",购买,补货细节 DocType: Purchase Invoice,"Once set, this invoice will be on hold till the set date",设置完成后,此发票将一直保留到设定日期 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,由于具有变体,因此项目{0}不能存在 DocType: Lab Test Template,Grouped,分组 -DocType: Quality Goal,January,一月 +DocType: GSTR 3B Report,January,一月 DocType: Course Assessment Criteria,Course Assessment Criteria,课程评估标准 DocType: Certification Application,INR,INR DocType: Job Card Time Log,Completed Qty,完成数量 @@ -3241,7 +3263,7 @@ DocType: Healthcare Service Unit Type,Healthcare Service Unit Type,医疗服务 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,Please enter atleast 1 invoice in the table,请在表格中输入至少1张发票 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,未提交销售订单{0} apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,出勤率已成功标记。 -apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py,Pre Sales,售前 +apps/erpnext/erpnext/accounts/doctype/tax_category/tax_category_dashboard.py,Pre Sales,售前 apps/erpnext/erpnext/config/projects.py,Project master.,项目大师。 DocType: Daily Work Summary,Daily Work Summary,每日工作总结 DocType: Asset,Partially Depreciated,部分贬值 @@ -3250,6 +3272,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,For Defa DocType: Employee,Leave Encashed?,离开? DocType: Certified Consultant,Discuss ID,讨论身份证 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set GST Accounts in GST Settings,请在GST设置中设置GST帐户 +DocType: Quiz,Latest Highest Score,最新的最高分 DocType: Supplier,Billing Currency,结算货币 apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Student Activity,学生活动 apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or target amount is mandatory,目标数量或目标金额是强制性的 @@ -3275,18 +3298,21 @@ DocType: Sales Order,Not Delivered,没送到 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,保留类型{0}无法分配,因为它是无薪休假 DocType: GL Entry,Debit Amount,借方金额 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Already record exists for the item {0},已经存在项{0}的记录 +DocType: Video,Vimeo,Vimeo的 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sub Assemblies,子组件 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.",如果继续存在多个定价规则,则会要求用户手动设置优先级以解决冲突。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',当类别为“估值”或“估值与总计”时,无法扣除 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM和制造数量是必需的 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},项目{0}已达到{1}的生命周期 DocType: Quality Inspection Reading,Reading 6,阅读6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,公司字段是必填项 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,“制造设置”中未设置“材料消耗”。 DocType: Assessment Group,Assessment Group Name,评估组名称 -DocType: Item,Manufacturer Part Number,制造商零件编号 +DocType: Purchase Invoice Item,Manufacturer Part Number,制造商零件编号 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,应付薪资 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},对于项目{2},行#{0}:{1}不能为负数 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,平衡数量 +DocType: Question,Multiple Correct Answer,多个正确的答案 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1忠诚度积分=基础货币多少钱? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},注意:休假类型{0}没有足够的休假余额 DocType: Clinical Procedure,Inpatient Record,住院病历 @@ -3407,6 +3433,7 @@ DocType: Fee Schedule Program,Total Students,学生总数 apps/erpnext/erpnext/utilities/user_progress_utils.py,Local,本地 DocType: Chapter Member,Leave Reason,离开原因 DocType: Salary Component,Condition and Formula,条件和公式 +DocType: Quality Goal,Objectives,目标 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",工资已在{0}和{1}之间处理,请假申请期限不能在此日期范围之间。 DocType: BOM Item,Basic Rate (Company Currency),基本费率(公司货币) DocType: BOM Scrap Item,BOM Scrap Item,BOM报废项目 @@ -3457,6 +3484,7 @@ DocType: Supplier,SUP-.YYYY.-,SUP-.YYYY.- DocType: Expense Claim Account,Expense Claim Account,费用索赔账户 apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,没有可用于日记帐分录的还款 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1}是非活动学生 +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,进入股票 DocType: Employee Onboarding,Activities,活动 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,至少有一个仓库是强制性的 ,Customer Credit Balance,客户信用余额 @@ -3541,7 +3569,6 @@ DocType: Contract,Contract Terms,合同条款 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,目标数量或目标金额是强制性的。 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},无效{0} DocType: Item,FIFO,FIFO -DocType: Quality Meeting,Meeting Date,会议日期 DocType: Inpatient Record,HLC-INP-.YYYY.-,HLC-INP-.YYYY.- apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,缩写不能超过5个字符 DocType: Employee Benefit Application,Max Benefits (Yearly),最高福利(每年) @@ -3644,7 +3671,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Invoice Discounting,Bank Charges,银行收费 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods Transferred,货物转移 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,主要联系方式 -DocType: Quality Review,Values,值 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",如果未选中,则必须将列表添加到必须应用它的每个部门。 DocType: Item Group,Show this slideshow at the top of the page,在页面顶部显示此幻灯片 apps/erpnext/erpnext/support/doctype/issue/issue.py,{0} parameter is invalid,{0}参数无效 @@ -3663,6 +3689,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,银行手续费账户 DocType: Journal Entry,Get Outstanding Invoices,获得优秀发票 DocType: Opportunity,Opportunity From,来自的机会 +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,目标细节 DocType: Item,Customer Code,客户代码 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,请先输入项目 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,网站列表 @@ -3691,7 +3718,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,送货到 DocType: Bank Statement Transaction Settings Item,Bank Data,银行数据 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,预定Upto -DocType: Quality Goal,Everyday,每天 DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,在时间表上保持计费时间和工作时间相同 apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,追踪潜在客户来源。 DocType: Clinical Procedure,Nursing User,护理用户 @@ -3716,7 +3742,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,管理区域树。 DocType: GL Entry,Voucher Type,凭证类型 ,Serial No Service Contract Expiry,序列号服务合同到期 DocType: Certification Application,Certified,认证 -DocType: Material Request Plan Item,Manufacture,制造 +DocType: Purchase Invoice Item,Manufacture,制造 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,生成{0}个项目 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0}的付款申请 apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,最后订单以来的天数 @@ -3731,7 +3757,7 @@ DocType: Sales Invoice,Company Address Name,公司地址名称 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry_list.js,Goods In Transit,货物正在运送中 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,You can only redeem max {0} points in this order.,您只能按此顺序兑换最多{0}个积分。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Please set account in Warehouse {0},请在仓库{0}中设置帐户 -DocType: Quality Action Table,Resolution,解析度 +DocType: Quality Action,Resolution,解析度 DocType: Sales Invoice,Loyalty Points Redemption,忠诚积分兑换 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Total Taxable Value,应税总额 DocType: Patient Appointment,Scheduled,计划 @@ -3852,6 +3878,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered DocType: Purchase Invoice Item,Rate,率 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.py,Saving {0},保存{0} DocType: SMS Center,Total Message(s),总消息 +DocType: Purchase Invoice,Accounting Dimensions,会计维度 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,按帐户分组 DocType: Quotation,In Words will be visible once you save the Quotation.,保存报价后,单词将显示。 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,生产数量 @@ -4016,7 +4043,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.",如果您有任何疑问,请回复我们。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,未提交采购收据{0} DocType: Task,Total Expense Claim (via Expense Claim),总费用索赔(通过费用索赔) -DocType: Quality Action,Quality Goal,质量目标 +DocType: Quality Goal,Quality Goal,质量目标 DocType: Support Settings,Support Portal,支持门户 apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},任务{0}的结束日期不能少于{1}预期开始日期{2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},员工{0}正在{1}上休假 @@ -4075,7 +4102,6 @@ DocType: BOM,Operating Cost (Company Currency),营业成本(公司货币) DocType: Item Price,Item Price,商品价格 DocType: Payment Entry,Party Name,党名 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,请选择一位客户 -DocType: Course,Course Intro,课程介绍 DocType: Program Enrollment Tool,New Program,新计划 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix",新成本中心的数量,它将作为前缀包含在成本中心名称中 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,选择客户或供应商。 @@ -4275,6 +4301,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,净工资不能为负 apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,没有相互作用 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/hr/doctype/employee/employee_dashboard.py,Shift,转移 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,处理会计科目和缔约方 DocType: Stock Settings,Convert Item Description to Clean HTML,将项目描述转换为清除HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,所有供应商组 @@ -4352,6 +4379,7 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Product Bundle,Parent Item,父项 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Brokerage,佣金 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},请为商品{0}创建采购收据或购买发票 +,Product Bundle Balance,产品包余额 apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,公司名称不能是公司 DocType: Maintenance Visit,Breakdown,分解 DocType: Inpatient Record,B Negative,B否定 @@ -4360,7 +4388,7 @@ DocType: Purchase Invoice,Credit To,归功于 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,提交此工作订单以进行进一步处理。 DocType: Bank Guarantee,Bank Guarantee Number,银行担保号码 apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},已交付:{0} -DocType: Quality Action,Under Review,正在审查中 +DocType: Quality Meeting Table,Under Review,正在审查中 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),农业(测试版) ,Average Commission Rate,平均佣金率 DocType: Sales Invoice,Customer's Purchase Order Date,客户的采购订单日期 @@ -4477,7 +4505,7 @@ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, alr apps/erpnext/erpnext/config/accounting.py,Match Payments with Invoices,将付款与发票匹配 DocType: Holiday List,Weekly Off,每周休息 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Not allow to set alternative item for the item {0},不允许为项目{0}设置备用项目 -apps/erpnext/erpnext/www/lms.py,Program {0} does not exist.,程序{0}不存在。 +apps/erpnext/erpnext/www/lms/program.py,Program {0} does not exist.,程序{0}不存在。 apps/erpnext/erpnext/hr/doctype/department/department.js,You cannot edit root node.,您无法编辑根节点。 DocType: Fee Schedule,Student Category,学生类别 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Item {0}: {1} qty produced, ",项目{0}:生成{1}数量, @@ -4568,8 +4596,8 @@ DocType: Crop,Crop Spacing,裁剪间距 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,项目和公司应根据销售交易多久更新一次。 DocType: Pricing Rule,Period Settings,期间设置 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,应收账款净变动 +DocType: Quality Feedback Template,Quality Feedback Template,质量反馈模板 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,对于数量必须大于零 -DocType: Quality Goal,Goal Objectives,目标目标 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",费率,股份数和计算金额之间存在不一致 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,如果您每年组建学生团体,请留空 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),贷款(负债) @@ -4604,12 +4632,13 @@ DocType: Quality Procedure Table,Step,步 DocType: Normal Test Items,Result Value,结果值 DocType: Cash Flow Mapping,Is Income Tax Liability,是所得税责任 DocType: Healthcare Practitioner,Inpatient Visit Charge Item,住院访问费用项目 -apps/erpnext/erpnext/www/lms.py,{0} {1} does not exist.,{0} {1}不存在。 +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,{0} {1} does not exist.,{0} {1}不存在。 apps/erpnext/erpnext/templates/emails/training_event.html,Update Response,更新回复 DocType: Bank Guarantee,Supplier,供应商 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},输入{0}和{1}之间的值 DocType: Purchase Order,Order Confirmation Date,订单确认日期 DocType: Delivery Trip,Calculate Estimated Arrival Times,计算预计到达时间 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,耗材 DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,订阅开始日期 @@ -4673,6 +4702,7 @@ DocType: Cheque Print Template,Is Account Payable,是应付帐款 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,总订单价值 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},在{1}中找不到供应商{0} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,设置SMS网关设置 +DocType: Salary Component,Round to the Nearest Integer,舍入到最近的整数 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Root不能拥有父成本中心 DocType: Healthcare Service Unit,Allow Appointments,允许约会 DocType: BOM,Show Operations,显示操作 @@ -4801,7 +4831,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,默认假期列表 DocType: Naming Series,Current Value,当前值 apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",设定预算,目标等的季节性 -DocType: Program,Program Code,程序代码 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},警告:客户的采购订单{1}已存在销售订单{0} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,每月销售目标( DocType: Guardian,Guardian Interests,守护者的利益 @@ -4851,10 +4880,11 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,付费和未付款 apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,物料代码是强制性的,因为物料不会自动编号 DocType: GST HSN Code,HSN Code,HSN代码 -DocType: Quality Goal,September,九月 +DocType: GSTR 3B Report,September,九月 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,行政费用 DocType: C-Form,C-Form No,C表格编号 DocType: Purchase Invoice,End date of current invoice's period,当前发票期限的结束日期 +DocType: Item,Manufacturers,制造商 DocType: Crop Cycle,Crop Cycle,作物周期 DocType: Serial No,Creation Time,创作时间 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,请输入批准角色或批准用户 @@ -4927,8 +4957,6 @@ DocType: Employee,Short biography for website and other publications.,网站和 DocType: Purchase Invoice Item,Received Qty,收到了数量 DocType: Purchase Invoice Item,Rate (Company Currency),费率(公司货币) DocType: Item Reorder,Request for,要求 -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","请删除员工{0} \以取消此文档" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,安装预设 apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,请输入还款期限 DocType: Pricing Rule,Advanced Settings,高级设置 @@ -4954,7 +4982,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Leave of DocType: Shopping Cart Settings,Enable Shopping Cart,启用购物车 DocType: Pricing Rule,Apply Rule On Other,在其他方面适用规则 DocType: Vehicle,Last Carbon Check,最后的碳检查 -DocType: Vehicle,Make,使 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Make,使 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Sales Invoice {0} created as paid,销售发票{0}已创建为已付款 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,To create a Payment Request reference document is required,要创建付款申请参考文档是必需的 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Income Tax,所得税 @@ -5030,7 +5058,6 @@ DocType: Territory,Parent Territory,家长地区 DocType: Vehicle Log,Odometer Reading,里程表阅读 DocType: Additional Salary,Salary Slip,工资单 DocType: Payroll Entry,Payroll Frequency,工资单频率 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",开始和结束日期不在有效的工资核算期内,无法计算{0} DocType: Products Settings,Home Page is Products,主页是产品 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,呼叫 @@ -5084,7 +5111,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,获取记录...... DocType: Delivery Stop,Contact Information,联系信息 DocType: Sales Order Item,For Production,用于生产 -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,请在教育>教育设置中设置教师命名系统 DocType: Serial No,Asset Details,资产明细 DocType: Restaurant Reservation,Reservation Time,预订时间 DocType: Selling Settings,Default Territory,默认地区 @@ -5224,6 +5250,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,已过期批次 DocType: Shipping Rule,Shipping Rule Type,送货规则类型 DocType: Job Offer,Accepted,公认 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","请删除员工{0} \以取消此文档" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,您已经评估了评估标准{}。 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,选择批号 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),年龄(天) @@ -5240,6 +5268,7 @@ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_servi apps/erpnext/erpnext/config/buying.py,Bundle items at time of sale.,在销售时捆绑物品。 DocType: Payment Reconciliation Payment,Allocated Amount,分配金额 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,请选择公司和指定 +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,'Date' is required,'日期'是必需的 DocType: Email Digest,Bank Credit Balance,银行信贷余额 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js,Show Cumulative Amount,显示累计金额 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,You don't have enought Loyalty Points to redeem,您没有获得忠诚度积分兑换 @@ -5300,11 +5329,12 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,在上一行总计 DocType: Student,Student Email Address,学生电邮地址 DocType: Academic Term,Education,教育 DocType: Supplier Quotation,Supplier Address,供应商地址 -DocType: Salary Component,Do not include in total,不包括总数 +DocType: Salary Detail,Do not include in total,不包括总数 apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,无法为公司设置多个项目默认值。 apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}:{1}不存在 DocType: Purchase Receipt Item,Rejected Quantity,拒绝数量 DocType: Cashier Closing,To TIme,到时间 +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: Daily Work Summary Group User,Daily Work Summary Group User,每日工作摘要组用户 DocType: Fiscal Year Company,Fiscal Year Company,财年公司 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,替代项目不得与项目代码相同 @@ -5414,7 +5444,6 @@ DocType: Fee Schedule,Send Payment Request Email,发送付款请求电子邮件 DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,保存销售发票后,将显示单词。 DocType: Sales Invoice,Sales Team1,销售团队1 DocType: Work Order,Required Items,必填项目 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",除“ - ”,“#”,“。”之外的特殊字符。命名系列中不允许使用“/” apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,阅读ERPNext手册 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,检查供应商发票编号唯一性 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,搜索子装配 @@ -5482,7 +5511,6 @@ DocType: Taxable Salary Slab,Percent Deduction,扣除百分比 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,生产数量不能少于零 DocType: Share Balance,To No,致不 DocType: Leave Control Panel,Allocate Leaves,分配叶子 -DocType: Quiz,Last Attempt,最后一次尝试 DocType: Assessment Result,Student Name,学生姓名 apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,计划维护访问。 apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,物料请求已根据物料的重新订购级别自动提出 @@ -5551,6 +5579,7 @@ DocType: Naming Series,This is the number of the last created transaction with t DocType: Supplier Scorecard,Indicator Color,指示灯颜色 DocType: Item Variant Settings,Copy Fields to Variant,将字段复制到Variant DocType: Soil Texture,Sandy Loam,桑迪壤土 +DocType: Question,Single Correct Answer,单一正确答案 apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,从日期开始不能少于员工的加入日期 DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,允许针对客户的采购订单的多个销售订单 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC @@ -5613,7 +5642,7 @@ DocType: Account,Expenses Included In Valuation,估值中包含的费用 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,序列号 DocType: Salary Slip,Deductions,扣除 ,Supplier-Wise Sales Analytics,供应商智慧销售分析 -DocType: Quality Goal,February,二月 +DocType: GSTR 3B Report,February,二月 DocType: Appraisal,For Employee,对于员工 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,实际交货日期 DocType: Sales Partner,Sales Partner Name,销售伙伴名称 @@ -5709,7 +5738,6 @@ DocType: Procedure Prescription,Procedure Created,程序已创建 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},针对{1}的供应商发票{0} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,更改POS档案 apps/erpnext/erpnext/utilities/activation.py,Create Lead,创造领导力 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供应商>供应商类型 DocType: Shopify Settings,Default Customer,默认客户 DocType: Payment Entry Reference,Supplier Invoice No,供应商发票号 DocType: Pricing Rule,Mixed Conditions,混合条件 @@ -5760,12 +5788,14 @@ DocType: Item,End of Life,生命尽头 DocType: Lab Test Template,Sensitivity,灵敏度 DocType: Territory,Territory Targets,领土目标 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",跳过以下员工的休假分配,因为已经存在针对他们的休假分配记录。 {0} +DocType: Quality Action Resolution,Quality Action Resolution,质量行动决议 DocType: Sales Invoice Item,Delivered By Supplier,由供应商提供 DocType: Agriculture Analysis Criteria,Plant Analysis,植物分析 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},项目{0}必须有费用帐户 ,Subcontracted Raw Materials To Be Transferred,分包原材料将被转让 DocType: Cashier Closing,Cashier Closing,收银员关闭 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,已返回项{0} +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN无效!您输入的输入与UIN持有人或非居民OIDAR服务提供商的GSTIN格式不符 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,这个仓库存在子仓库。您无法删除此仓库。 DocType: Diagnosis,Diagnosis,诊断 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0}和{1}之间没有休假期 @@ -5782,6 +5812,7 @@ DocType: QuickBooks Migrator,Authorization Settings,授权设置 DocType: Homepage,Products,制品 ,Profit and Loss Statement,损益表 apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,预订客房 +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},项目代码{0}和制造商{1}的重复输入 DocType: Item Barcode,EAN,EAN DocType: Purchase Invoice Item,Total Weight,总重量 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Travel,旅行 @@ -5830,6 +5861,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,默认客户组 DocType: Journal Entry Account,Debit in Company Currency,借记公司货币 DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",后备系列是“SO-WOO-”。 +DocType: Quality Meeting Agenda,Quality Meeting Agenda,质量会议议程 DocType: Cash Flow Mapper,Section Header,部分标题 apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,您的产品或服务 DocType: Crop,Perennial,多年生 @@ -5875,7 +5907,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",购买,出售或库存的产品或服务。 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),结束(开盘+总计) DocType: Supplier Scorecard Criteria,Criteria Formula,标准公式 -,Support Analytics,支持分析 +apps/erpnext/erpnext/config/support.py,Support Analytics,支持分析 apps/erpnext/erpnext/config/quality_management.py,Review and Action,审查和行动 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",如果帐户被冻结,则允许条目限制用户。 apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,折旧后的金额 @@ -5920,7 +5952,6 @@ DocType: Contract Template,Contract Terms and Conditions,合同条款和条件 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,获取数据 DocType: Stock Settings,Default Item Group,默认项目组 DocType: Sales Invoice Timesheet,Billing Hours,结算时间 -DocType: Item,Item Code for Suppliers,供应商的物品代码 apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},针对学生{1}已经存在申请{0} DocType: Pricing Rule,Margin Type,保证金类型 DocType: Purchase Invoice Item,Rejected Serial No,拒绝序列号 @@ -5993,6 +6024,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,Leaves has been granted sucessfully,叶子已经成功获得 DocType: Loyalty Point Entry,Expiry Date,到期日 DocType: Project Task,Working,工作 +apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_procedure.py,{0} already has a Parent Procedure {1}.,{0}已有父程序{1}。 apps/erpnext/erpnext/healthcare/doctype/patient/patient_dashboard.py,This is based on transactions against this Patient. See timeline below for details,这是基于针对该患者的交易。请参阅下面的时间表了解详情 DocType: Material Request,Requested For,请求 DocType: SMS Center,All Sales Person,所有销售人员 @@ -6080,6 +6112,7 @@ DocType: Loan Type,Maximum Loan Amount,最高贷款金额 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,默认联系人中找不到电子邮件 DocType: Hotel Room Reservation,Booked,预订 DocType: Maintenance Visit,Partially Completed,部分完成 +DocType: Quality Procedure Process,Process Description,进度解析 DocType: Company,Default Employee Advance Account,默认员工预付帐户 DocType: Leave Type,Allow Negative Balance,允许负余额 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,评估计划名称 @@ -6121,6 +6154,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,要求报价项目 apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0}在项目税中输入两次 DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,在选定的工资日期扣除全额税 +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,最后的碳检查日期不能是未来的日期 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,选择更改金额帐户 DocType: Support Settings,Forum Posts,论坛帖子 DocType: Timesheet Detail,Expected Hrs,预期的Hrs @@ -6130,7 +6164,7 @@ DocType: Program Enrollment Tool,Enroll Students,注册学生 apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py,Repeat Customer Revenue,重复客户收入 DocType: Company,Date of Commencement,毕业日期 DocType: Bank,Bank Name,银行名 -DocType: Quality Goal,December,十二月 +DocType: GSTR 3B Report,December,十二月 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,从日期开始有效必须低于最新有效期 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,这是基于该员工的出席情况 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",如果选中,则主页将成为网站的默认项目组 @@ -6173,6 +6207,7 @@ DocType: Payment Entry,Payment Type,支付方式 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,对开的数字不匹配 DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},质量检验:项目未提交{0}:行{2}中的{1} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},显示{0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,找到{0}项。 ,Stock Ageing,股票老龄化 DocType: Customer Group,Mention if non-standard receivable account applicable,如果非标准应收账款适用,请提及 @@ -6449,6 +6484,7 @@ DocType: Travel Request,Costing,成本核算 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,固定资产 DocType: Purchase Order,Ref SQ,参考SQ DocType: Salary Structure,Total Earning,总收入 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客户>客户组>地区 DocType: Share Balance,From No,从没有 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,付款对帐发票 DocType: Purchase Invoice,Taxes and Charges Added,税和费用已添加 @@ -6456,7 +6492,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,考虑税收或 DocType: Authorization Rule,Authorized Value,授权价值 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,从......收到 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,仓库{0}不存在 +DocType: Item Manufacturer,Item Manufacturer,商品制造商 DocType: Sales Invoice,Sales Team,销售团队 +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,捆绑数量 DocType: Purchase Order Item Supplied,Stock UOM,股票UOM DocType: Installation Note,Installation Date,安装日期 DocType: Email Digest,New Quotations,新报价 @@ -6520,7 +6558,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,假期列表名称 DocType: Water Analysis,Collection Temperature ,收集温度 DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,管理约会发票提交并自动取消患者遭遇 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,请通过设置>设置>命名系列为{0}设置命名系列 DocType: Employee Benefit Claim,Claim Date,索赔日期 DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,如果供应商被无限期阻止,请留空 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,出席日期和出勤日期是强制性的 @@ -6531,6 +6568,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Series Updated DocType: Employee,Date Of Retirement,退休日期 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,请选择患者 DocType: Asset,Straight Line,直线 +DocType: Quality Action,Resolutions,决议 DocType: SMS Log,No of Sent SMS,没有发送短信 ,GST Itemised Sales Register,商品及服务税明细销售登记册 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,总预付金额不得超过总制裁金额 @@ -6641,7 +6679,7 @@ DocType: Account,Profit and Loss,收益与损失 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Diff Qty,差异数量 DocType: Asset Finance Book,Written Down Value,写下来的价值 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Opening Balance Equity,期初余额权益 -DocType: Quality Goal,April,四月 +DocType: GSTR 3B Report,April,四月 DocType: Supplier,Credit Limit,信用额度 apps/erpnext/erpnext/public/js/setup_wizard.js,Distribution,分配 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt @@ -6696,6 +6734,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,将Shopify与ERPNext连接 DocType: Homepage Section Card,Subtitle,字幕 DocType: Soil Texture,Loam,壤土 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供应商>供应商类型 DocType: BOM,Scrap Material Cost(Company Currency),废料成本(公司货币) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,不得提交交货单{0} DocType: Task,Actual Start Date (via Time Sheet),实际开始日期(通过时间表) @@ -6751,7 +6790,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,剂量 DocType: Cheque Print Template,Starting position from top edge,从上边缘开始的位置 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),预约时间(分钟) -DocType: Pricing Rule,Disable,禁用 +DocType: Accounting Dimension,Disable,禁用 DocType: Email Digest,Purchase Orders to Receive,要接收的采购订单 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,制作订单不能用于: DocType: Projects Settings,Ignore Employee Time Overlap,忽略员工时间重叠 @@ -6835,6 +6874,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,创建 DocType: Item Attribute,Numeric Values,数字值 DocType: Delivery Note,Instructions,说明 DocType: Blanket Order Item,Blanket Order Item,一揽子订单项目 +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,对于损益账户必须提供 apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,佣金率不能超过100 DocType: Course Topic,Course Topic,课程主题 DocType: Employee,This will restrict user access to other employee records,这将限制用户访问其他员工记录 @@ -6859,12 +6899,14 @@ apps/erpnext/erpnext/config/accounting.py,Subscription Management,订阅管理 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Get customers from,从中获取客户 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,{0} Digest,{0}摘要 DocType: Employee,Reports to,向...报告 +DocType: Video,YouTube,YouTube的 DocType: Party Account,Party Account,党的帐户 DocType: Assessment Plan,Schedule,时间表 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter ,请输入 DocType: Lead,Channel Partner,渠道合作伙伴 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,发票金额 DocType: Project,From Template,来自模板 +,DATEV,DATEV apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,订阅 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.js,Quantity to Make,制作数量 DocType: Quality Review Table,Achieved,实现 @@ -6911,7 +6953,6 @@ DocType: Journal Entry,Subscription Section,订阅部分 DocType: Salary Slip,Payment Days,付款日 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,志愿者信息。 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`冻结股票比'低于'应该小于%d天。 -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,选择会计年度 DocType: Bank Reconciliation,Total Amount,总金额 DocType: Certification Application,Non Profit,非盈利 DocType: Subscription Settings,Cancel Invoice After Grace Period,宽限期后取消发票 @@ -6924,7 +6965,6 @@ DocType: Serial No,Warranty Period (Days),保修期(天) DocType: Expense Claim Detail,Expense Claim Detail,费用索赔明细 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Program: ,程序: DocType: Patient Medical Record,Patient Medical Record,病历医疗记录 -DocType: Quality Action,Action Description,行动说明 DocType: Item,Variant Based On,变体基于 DocType: Vehicle Service,Brake Oil,制动油 DocType: Employee,Create User,创建用户 @@ -6980,7 +7020,7 @@ DocType: Cash Flow Mapper,Section Name,部分名称 DocType: Packed Item,Packed Item,打包物品 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}:{2}需要借记或贷记金额 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,提交工资单...... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,没有行动 +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,没有行动 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",无法针对{0}分配预算,因为它不是收入或费用帐户 apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,硕士和帐户 DocType: Quality Procedure Table,Responsible Individual,负责任的个人 @@ -7103,7 +7143,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,允许针对儿童公司创建帐户 DocType: Payment Entry,Company Bank Account,公司银行账户 DocType: Amazon MWS Settings,UK,联合王国 -DocType: Quality Procedure,Procedure Steps,程序步骤 DocType: Normal Test Items,Normal Test Items,正常测试项目 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,项{0}:有序数量{1}不能小于最小订单数量{2}(在项目中定义)。 apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,没存货 @@ -7182,7 +7221,6 @@ apps/erpnext/erpnext/config/agriculture.py,Analytics,Analytics(分析) DocType: Maintenance Team Member,Maintenance Role,维护角色 apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,条款和条件模板 DocType: Fee Schedule Program,Fee Schedule Program,收费计划 -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,课程{0}不存在。 DocType: Project Task,Make Timesheet,制作时间表 DocType: Production Plan Item,Production Plan Item,生产计划项目 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,学生总数 @@ -7204,6 +7242,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,包起来 apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,如果您的会员资格在30天内到期,您只能续订 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},值必须介于{0}和{1}之间 +DocType: Quality Feedback,Parameters,参数 ,Sales Partner Transaction Summary,销售合作伙伴交易摘要 DocType: Asset Maintenance,Maintenance Manager Name,维护经理姓名 apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,需要获取项目详细信息。 @@ -7242,6 +7281,7 @@ DocType: Student Admission,Student Admission,学生入学 DocType: Designation Skill,Skill,技能 DocType: Budget Account,Budget Account,预算帐户 DocType: Employee Transfer,Create New Employee Id,创建新的员工ID +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,“损益”帐户{1}需要{0}。 apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),商品和服务税(GST印度) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,创建工资单...... DocType: Employee Skill,Employee Skill,员工技能 @@ -7342,6 +7382,7 @@ DocType: Clinical Procedure Item,Invoice Separately as Consumables,发票单独 DocType: Subscription,Days Until Due,截止日期 apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,显示已完成 apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,银行对账单交易录入报告 +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,银行Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,行#{0}:费率必须与{1}相同:{2}({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,医疗服务项目 @@ -7398,6 +7439,7 @@ DocType: Training Event Employee,Invited,邀请 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},组件{0}的最大合格金额超过{1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,账单金额 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",对于{0},只有借方帐户可以与另一个贷方条目链接 +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,创建尺寸...... DocType: Bank Statement Transaction Entry,Payable Account,应付账款 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,请注明不需要访问 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,仅在您设置Cash Flow Mapper文档时选择 @@ -7415,6 +7457,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice, DocType: Service Level,Resolution Time,解决时间 DocType: Grading Scale Interval,Grade Description,等级描述 DocType: Homepage Section,Cards,牌 +DocType: Quality Meeting Minutes,Quality Meeting Minutes,质量会议纪要 DocType: Linked Plant Analysis,Linked Plant Analysis,连接植物分析 apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,服务停止日期不能在服务结束日期之后 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,请在GST设置中设置B2C限制。 @@ -7449,7 +7492,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,员工出勤工具 DocType: Employee,Educational Qualification,教育资格 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,可访问的价值 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},样品数量{0}不能超过收货数量{1} -DocType: Quiz,Last Highest Score,最后得分 DocType: POS Profile,Taxes and Charges,税和费用 DocType: Opportunity,Contact Mobile No,联系手机号 DocType: Employee,Joining Details,加入细节 diff --git a/erpnext/translations/zh_tw.csv b/erpnext/translations/zh_tw.csv index 20c0447106..935b96d16c 100644 --- a/erpnext/translations/zh_tw.csv +++ b/erpnext/translations/zh_tw.csv @@ -18,6 +18,7 @@ DocType: Request for Quotation Item,Supplier Part No,供應商零件號 DocType: Journal Entry Account,Party Balance,黨的平衡 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Source of Funds (Liabilities),資金來源(負債) DocType: Payroll Period,Taxable Salary Slabs,應稅工資板 +DocType: Quality Action,Quality Feedback,質量反饋 DocType: Support Settings,Support Settings,支持設置 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Please enter Production Item first,請先輸入生產項目 DocType: Quiz,Grading Basis,評分基礎 @@ -139,10 +140,12 @@ DocType: Antibiotic,Healthcare,衛生保健 DocType: Shipping Rule,Restrict to Countries,限制國家 DocType: Hub Tracked Item,Item Manager,項目經理 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Currency of the Closing Account must be {0},結算賬戶的貨幣必須為{0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Budgets,預算 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Opening Invoice Item,打開發票項目 DocType: Work Order,Plan material for sub-assemblies,規劃子組件的材料 DocType: Budget,Action if Annual Budget Exceeded on MR,如果年度預算超過MR,則採取行動 DocType: Sales Invoice Advance,Advance Amount,提前金額 +DocType: Accounting Dimension,Dimension Name,尺寸名稱 DocType: Delivery Note Item,Against Sales Invoice Item,針對銷售發票項目 DocType: BOM Explosion Item,Include Item In Manufacturing,包括製造業中的項目 DocType: Item Reorder,Check in (group),入住(團體) @@ -194,7 +197,6 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,它有什麼作 ,Sales Invoice Trends,銷售發票趨勢 DocType: Bank Reconciliation,Payment Entries,付款條目 DocType: Employee Education,Class / Percentage,等級/百分比 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品代碼>商品分組>品牌 ,Electronic Invoice Register,電子發票登記 DocType: Sales Invoice,Is Return (Credit Note),是回報(信用證) DocType: Lab Test Sample,Lab Test Sample,實驗室測試樣品 @@ -260,6 +262,7 @@ DocType: Item,Is Sales Item,是銷售項目 DocType: Item,Variants,變種 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,"Charges will be distributed proportionately based on item qty or amount, as per your selection",根據您的選擇,費用將根據項目數量或金額按比例分配 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activities for today,今天有待開展的活動 +DocType: Quality Procedure Process,Quality Procedure Process,質量程序流程 DocType: Fee Schedule Program,Student Batch,學生批量 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Valuation Rate required for Item in row {0},第{0}行中項目所需的估價率 DocType: BOM Operation,Base Hour Rate(Company Currency),基本小時費率(公司貨幣) @@ -342,7 +345,7 @@ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Item DocType: GoCardless Mandate,GoCardless Customer,GoCardless客戶 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule {0} exists against {1},對{1}存在維護計劃{0} DocType: Selling Settings,Campaign Naming By,廣告系列命名 -DocType: Course,Course Code,科目編號 +DocType: Student Group Creation Tool Course,Course Code,科目編號 DocType: Landed Cost Voucher,Distribute Charges Based On,基於的分配費用 DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,供應商記分卡評分標準 DocType: Landed Cost Item,Receipt Document Type,收據憑證類型 @@ -412,10 +415,8 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Restaurant Menu,Restaurant Menu,餐廳菜單 apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_assignment.py,Salary Structure Assignment for Employee already exists,員工的薪酬結構分配已經存在 DocType: Clinical Procedure,Service Unit,服務單位 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客戶>客戶組>地區 DocType: Travel Request,Identification Document Number,身份證明文件號碼 DocType: Stock Entry,Additional Costs,額外費用 -DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",家長課程(如果這不是家長課程的一部分,請留空) DocType: Employee Education,Employee Education,員工教育 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.js,Number of positions cannot be less then current count of employees,職位數量不能少於當前的員工數量 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,All Customer Groups,所有客戶群 @@ -456,6 +457,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If two or mo apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory,行{0}:數量是強制性的 DocType: Sales Invoice,Against Income Account,反對收入賬戶 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:無法對現有資產{1}進行採購發票 +apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,適用不同促銷計劃的規則。 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},UOM所需的UOM轉換因子:項目中的{0}:{1} apps/erpnext/erpnext/buying/utils.py,Please enter quantity for Item {0},請輸入項目{0}的數量 DocType: Workstation,Electricity Cost,電費 @@ -751,7 +753,6 @@ DocType: Item,Total Projected Qty,預計總數量 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Boms,物料清單 DocType: Work Order,Actual Start Date,實際開始日期 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,在補休請假日之間,您不會全天在場 -DocType: Company,About the Company,關於公司 apps/erpnext/erpnext/config/accounting.py,Tree of financial accounts.,財務帳戶樹。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,間接收入 DocType: Hotel Room Reservation Item,Hotel Room Reservation Item,酒店客房預訂項目 @@ -766,6 +767,7 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,潛在客戶 DocType: Skill,Skill Name,技能名稱 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,打印報告卡 DocType: Soil Texture,Ternary Plot,三元情節 +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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,支持門票 DocType: Asset Category Account,Fixed Asset Account,固定資產賬戶 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,提交工資單 @@ -773,6 +775,7 @@ DocType: Vital Signs,Adults' pulse rate is anywhere between 50 and 80 beats per DocType: Program Enrollment Course,Program Enrollment Course,課程註冊課程 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set the series to be used.,請設置要使用的系列。 DocType: Delivery Trip,Distance UOM,距離UOM +DocType: Accounting Dimension,Mandatory For Balance Sheet,資產負債表必備 DocType: Payment Entry,Total Allocated Amount,總分配金額 DocType: Sales Invoice,Get Advances Received,收到進展 DocType: Purchase Invoice Item,Item Tax Amount Included in Value,物品稅金額包含在價值中 @@ -838,6 +841,7 @@ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The numbe DocType: Project,Start and End Dates,開始和結束日期 DocType: Supplier Scorecard,Notify Employee,通知員工 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,軟件 +DocType: Program,Allow Self Enroll,允許自我註冊 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Expenses,庫存費用 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference No is mandatory if you entered Reference Date,如果您輸入參考日期,則參考號為必填項 DocType: Stock Settings,Auto insert Price List rate if missing,如果缺少,則自動插入價格清單率 @@ -883,6 +887,7 @@ DocType: Lab Test Template,Lab Test Template,實驗室測試模板 ,Employee Birthday,員工生日 apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,電子發票信息丟失 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,未創建任何材料請求 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品代碼>商品分組>品牌 DocType: Loan,Total Amount Paid,支付總金額 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,所有這些物品都已開具發票 DocType: Training Event,Trainer Name,培訓師姓名 @@ -903,6 +908,7 @@ apps/erpnext/erpnext/config/settings.py,"Create and manage daily, weekly and mon DocType: Academic Term,Academic Year,學年 DocType: Sales Stage,Stage Name,藝名 DocType: SMS Center,All Employee (Active),所有員工(主動) +DocType: Accounting Dimension,Accounting Dimension,會計維度 DocType: Project,Customer Details,顧客信息 DocType: Buying Settings,Default Supplier Group,默認供應商組 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,請先取消購買收據{0} @@ -1011,7 +1017,6 @@ apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can onl DocType: Pricing Rule,"Higher the number, higher the priority",數字越大,優先級越高 DocType: Marketplace Settings,Disable Marketplace,禁用市場 DocType: Budget,Action if Annual Budget Exceeded on Actual,年度預算超過實際的行動 -DocType: Course,Course Abbreviation,課程縮寫 apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attendance not submitted for {0} as {1} on leave.,休假時,{1}的出勤率未作為{1}提交。 DocType: Pricing Rule,Promotional Scheme Id,促銷計劃ID apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be greater than {1} expected end date {2},任務{0}的結束日期不能超過{1}預期結束日期{2} @@ -1139,7 +1144,7 @@ DocType: Bank Guarantee,Margin Money,保證金 DocType: Chapter,Chapter,章節 DocType: Purchase Receipt Item Supplied,Current Stock,現有股票 DocType: Employee,History In Company,公司歷史 -DocType: Item,Manufacturer,生產廠家 +DocType: Purchase Invoice Item,Manufacturer,生產廠家 apps/erpnext/erpnext/healthcare/setup.py,Moderate Sensitivity,中等靈敏度 DocType: Compensatory Leave Request,Leave Allocation,離開分配 DocType: Timesheet,Timesheet,時間表 @@ -1167,6 +1172,7 @@ DocType: Work Order,Material Transferred for Manufacturing,為製造業轉移的 DocType: Products Settings,Hide Variants,隱藏變體 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,禁用容量規劃和時間跟踪 DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,*將在交易中計算。 +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,“資產負債表”帳戶{1}需要{0}。 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0}不允許與{1}進行交易。請更改公司。 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}創建採購收據 DocType: Delivery Trip,Delivery Details,交貨細節 @@ -1198,7 +1204,7 @@ apps/erpnext/erpnext/templates/pages/cart.html,See past quotations,查看過去 apps/erpnext/erpnext/www/all-products/index.html,Prev,上一頁 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Unit of Measure,測量單位 DocType: Lab Test,Test Template,測試模板 -apps/erpnext/erpnext/utilities/user_progress.py,Minute,分鐘 +DocType: Quality Meeting Minutes,Minute,分鐘 apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:無法提交資產{1},它已經是{2} DocType: Task,Actual Time (in Hours),實際時間(小時) DocType: Period Closing Voucher,Closing Account Head,結賬戶主管 @@ -1385,6 +1391,7 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,有關您的供應商的法定信息和其他一般信息 DocType: Item Default,Default Selling Cost Center,默認銷售成本中心 DocType: Sales Partner,Address & Contacts,地址和聯繫方式 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,請通過設置>編號系列設置出勤編號系列 DocType: Subscriber,Subscriber,訂戶 apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form / Item / {0})缺貨 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,請先選擇發布日期 @@ -1408,6 +1415,7 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,住院訪問費用 DocType: Bank Statement Settings,Transaction Data Mapping,交易數據映射 apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,領導者需要一個人的姓名或組織的名稱 DocType: Student,Guardians,守護者 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,請在教育>教育設置中設置教師命名系統 apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,選擇品牌...... DocType: Shipping Rule,Calculate Based On,基於計算 apps/erpnext/erpnext/stock/doctype/item/item.py,Barcode {0} already used in Item {1},條款{0}已在項目{1}中使用 @@ -1433,6 +1441,7 @@ DocType: Item,Max Sample Quantity,最大樣品數量 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,源倉庫和目標倉庫必須不同 DocType: Employee Benefit Application,Benefits Applied,應用的好處 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,針對日記帳分錄{0}沒有任何不匹配的{1}條目 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."", ""/"", ""{"" and ""}"" not allowed in naming series",命名系列中不允許使用除“ - ”,“#”,“。”,“/”,“{”和“}”之外的特殊字符 apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,Price or product discount slabs are required,價格或產品折扣板是必需的 apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,設定目標 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},針對學生{1}的出勤記錄{0} @@ -1446,7 +1455,6 @@ DocType: Asset Movement,Asset Movement,資產流動 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,"Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again",無法自動創建信用票據,請取消選中“發行信用票據”並再次提交 DocType: Routing,Routing Name,路由名稱 DocType: Disease,Common Name,通用名稱 -DocType: Quality Goal,Measurable,可測量 DocType: Education Settings,LMS Title,LMS標題 apps/erpnext/erpnext/config/non_profit.py,Loan Management,貸款管理 DocType: Clinical Procedure,Consumable Total Amount,消耗總量 @@ -1571,6 +1579,7 @@ DocType: Employee Benefit Claim,Expense Proof,費用證明 DocType: Loan,Member,會員 DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,從業者服務單位時間表 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Wire Transfer,電匯 +DocType: Quality Review Objective,Quality Review Objective,質量審查目標 DocType: Bank Reconciliation Detail,Against Account,反對帳戶 DocType: Projects Settings,Projects Settings,項目設置 apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},實際數量{0} /等待數量{1} @@ -1661,6 +1670,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Item apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the selected Customer is not allowed.,不允許更改所選客戶的客戶組。 DocType: Serial No,Creation Document Type,創建文檔類型 DocType: Sales Invoice Item,Available Batch Qty at Warehouse,倉庫的可用批次數量 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,發票總計 apps/erpnext/erpnext/setup/doctype/territory/territory.js,This is a root territory and cannot be edited.,這是根域,無法編輯。 apps/erpnext/erpnext/config/quality_management.py,Tree of Quality Procedures.,質量樹程序。 DocType: Bank Account,Contact HTML,聯繫HTML @@ -1750,6 +1760,8 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement, DocType: Item Group,Check this if you want to show in website,如果要在網站上顯示,請選中此項 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,找不到會計年度{0} DocType: Bank Statement Settings,Bank Statement Settings,銀行對賬單設置 +DocType: Quality Procedure Process,Link existing Quality Procedure.,鏈接現有的質量程序。 +apps/erpnext/erpnext/config/getting_started.py,Import Chart Of Accounts from CSV / Excel files,從CSV / Excel文件導入科目表 DocType: Appraisal Goal,Score (0-5),分數(0-5) apps/erpnext/erpnext/stock/doctype/item/item.py,Attribute {0} selected multiple times in Attributes Table,在“屬性表”中多次選擇了屬性{0} DocType: Purchase Invoice,Debit Note Issued,發行借方通知單 @@ -1758,7 +1770,6 @@ apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave DocType: Leave Policy Detail,Leave Policy Detail,請留下政策明細 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,倉庫在系統中找不到 DocType: Healthcare Practitioner,OP Consulting Charge,OP諮詢費 -DocType: Quality Goal,Measurable Goal,可衡量的目標 DocType: Bank Statement Transaction Payment Item,Invoices,發票 DocType: Currency Exchange,Currency Exchange,貨幣兌換 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} not in stock,序列號{0}沒有庫存 @@ -1813,6 +1824,7 @@ apps/erpnext/erpnext/config/quality_management.py,Tree of Procedures,程序樹 DocType: Buying Settings,Allow Item to be added multiple times in a transaction,允許在事務中多次添加項目 DocType: Work Order,Backflush raw materials from work-in-progress warehouse,從在製品庫中反沖原料 DocType: Maintenance Team Member,Maintenance Team Member,維護團隊成員 +apps/erpnext/erpnext/config/accounting.py,Setup custom dimensions for accounting,為會計設置自定義維度 DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,植物行之間的最小距離,以實現最佳生長 DocType: Employee Health Insurance,Health Insurance Name,健康保險名稱 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock Assets,股票資產 @@ -1862,6 +1874,7 @@ DocType: Lab Test Template,Standard Selling Rate,標准銷售率 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set an active menu for Restaurant {0},請為餐廳{0}設置有效菜單 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: Asset Finance Book,Asset Finance Book,資產融資書 +DocType: Quality Goal Objective,Quality Goal Objective,質量目標 DocType: Employee Transfer,Employee Transfer,員工轉移 ,Sales Funnel,銷售漏斗 DocType: Accounts Settings,Accounts Frozen Upto,帳戶凍結了 @@ -2093,6 +2106,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/hr/utils.py,Future dates not allowed,未來的日期不允許 apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the Mode of Payment in Payment Schedule,行{0}:請在付款時間表中設置付款方式 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Academic Term: ,學術期限: +DocType: Quality Feedback Parameter,Quality Feedback Parameter,質量反饋參數 apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select Apply Discount On,請選擇應用折扣 apps/erpnext/erpnext/regional/report/irs_1099/irs_1099.py,Total Payments,總付款 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please enter Account for Change Amount,請輸入更改金額的帳戶 @@ -2132,7 +2146,7 @@ DocType: Hub Tracked Item,Hub Node,集線器節點 apps/erpnext/erpnext/projects/report/billing_summary.py,Employee ID,員工ID DocType: Salary Structure Assignment,Salary Structure Assignment,薪酬結構分配 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS結算憑證稅 -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,Action Initialised,行動初始化 +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,行動初始化 DocType: POS Profile,Applicable for Users,適用於用戶 DocType: Training Event,Exam,考試 apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,找到的總帳分錄數不正確。您可能在交易中選擇了錯誤的帳戶。 @@ -2226,6 +2240,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ DocType: Location,Longitude,經度 DocType: Accounts Settings,Determine Address Tax Category From,確定地址稅類別 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Identifying Decision Makers,確定決策者 +DocType: Stock Entry Detail,Reference Purchase Receipt,參考購買收據 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,獲取Invocies DocType: Tally Migration,Is Day Book Data Imported,是否導入了日記簿數據 ,Sales Partners Commission,銷售夥伴委員會 @@ -2245,6 +2260,7 @@ apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py,Please select weekl DocType: Leave Type,Applicable After (Working Days),適用後(工作日) DocType: Timesheet Detail,Hrs,小時 DocType: Supplier Scorecard Criteria,Supplier Scorecard Criteria,供應商記分卡標準 +DocType: Quality Feedback Template Parameter,Quality Feedback Template Parameter,質量反饋模板參數 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Date of Joining must be greater than Date of Birth,加入日期必須大於出生日期 DocType: Bank Statement Transaction Invoice Item,Invoice Date,發票日期 DocType: Healthcare Settings,Create Lab Test(s) on Sales Invoice Submit,在銷售發票上創建實驗室測試提交 @@ -2409,6 +2425,7 @@ DocType: Certification Application,Certification Status,認證狀態 apps/erpnext/erpnext/assets/doctype/asset_movement/asset_movement.py,Source Location is required for the asset {0},資產{0}需要源位置 DocType: Employee,Encashment Date,兌現日期 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Please select Completion Date for Completed Asset Maintenance Log,請選擇已完成資產維護日誌的完成日期 +DocType: Quiz,Latest Attempt,最新嘗試 DocType: Leave Block List,Allow Users,允許用戶 apps/erpnext/erpnext/accounts/doctype/account/account.js,Chart Of Accounts,會計科目表 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py,Customer is mandatory if 'Opportunity From' is selected as Customer,如果選擇“Opportunity From”作為客戶,則客戶是強制性的 @@ -2462,7 +2479,6 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Supplier Scorecard Period,Supplier Scorecard Setup,供應商記分卡設置 DocType: Amazon MWS Settings,Amazon MWS Settings,亞馬遜MWS設置 DocType: SMS Log,Requested Numbers,請求的號碼 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,請通過設置>編號系列設置出勤編號系列 DocType: Woocommerce Settings,Freight and Forwarding Account,貨運和貨運賬戶 apps/erpnext/erpnext/accounts/party.py,Please select a Company,請選擇一家公司 apps/erpnext/erpnext/assets/doctype/asset_category/asset_category.py,Row {0}: {1} must be greater than 0,行{0}:{1}必須大於0 @@ -2525,7 +2541,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Prescriptio apps/erpnext/erpnext/config/accounting.py,Bills raised to Customers.,提單給客戶。 DocType: Training Event,Seminar,研討會 DocType: Payment Request,Subscription Plans,訂閱計劃 -DocType: Quality Goal,March,遊行 +DocType: GSTR 3B Report,March,遊行 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Outstanding for {0} cannot be less than zero ({1}),{0}的突出不能小於零({1}) DocType: Customer,Bypass credit limit check at Sales Order,繞過銷售訂單的信用額度檢查 DocType: Employee External Work History,Employee External Work History,員工外部工作歷史 @@ -2579,7 +2595,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"For job card {0}, DocType: Asset,Insurance Start Date,保險開始日期 DocType: Target Detail,Target Detail,目標細節 DocType: Packing Slip,Net Weight UOM,淨重UOM -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: Purchase Invoice Item,Net Amount (Company Currency),淨金額(公司貨幣) DocType: Bank Statement Transaction Settings Item,Mapped Data,映射數據 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Securities and Deposits,證券和存款 @@ -2623,6 +2638,7 @@ DocType: Supplier,Name and Type,名稱和類型 DocType: Cheque Print Template,Cheque Height,檢查高度 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,請輸入解除日期。 DocType: Loyalty Program,Loyalty Program Help,忠誠度計劃幫助 +DocType: Quality Meeting,Agenda,議程 DocType: Quality Action,Corrective,糾正的 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js,Group By,通過...分組 DocType: Bank Account,Address and Contact,地址和聯繫方式 @@ -2668,7 +2684,7 @@ DocType: GL Entry,Credit Amount,信貸金額 apps/erpnext/erpnext/accounts/report/tds_computation_summary/tds_computation_summary.py,Total Amount Credited,總金額 DocType: Support Search Source,Post Route Key List,郵政路線鑰匙清單 apps/erpnext/erpnext/accounts/utils.py,{0} {1} not in any active Fiscal Year.,{0} {1}沒有任何有效的會計年度。 -DocType: Quality Action Table,Problem,問題 +DocType: Quality Action Resolution,Problem,問題 DocType: Training Event,Conference,會議 DocType: Mode of Payment Account,Mode of Payment Account,付款方式帳戶 DocType: Healthcare Settings,Collect Fee for Patient Registration,收集患者登記費 @@ -2901,12 +2917,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Canno apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM和製造數量是必需的 apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} has reached its end of life on {1},項目{0}已達到{1}的生命週期 DocType: Quality Inspection Reading,Reading 6,閱讀6 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Company field is required,公司字段是必填項 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,“製造設置”中未設置“材料消耗”。 DocType: Assessment Group,Assessment Group Name,評估組名稱 -DocType: Item,Manufacturer Part Number,製造商零件編號 +DocType: Purchase Invoice Item,Manufacturer Part Number,製造商零件編號 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Payroll Payable,應付薪資 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Row #{0}: {1} can not be negative for item {2},對於項目{2},行#{0}:{1}不能為負數 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Balance Qty,平衡數量 +DocType: Question,Multiple Correct Answer,多個正確的答案 DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1忠誠度積分=基礎貨幣多少錢? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Note: There is not enough leave balance for Leave Type {0},注意:休假類型{0}沒有足夠的休假餘額 DocType: Clinical Procedure,Inpatient Record,住院病歷 @@ -3009,6 +3027,7 @@ apps/erpnext/erpnext/quality_management/doctype/quality_procedure/quality_proced DocType: Fee Schedule Program,Total Students,學生總數 DocType: Chapter Member,Leave Reason,離開原因 DocType: Salary Component,Condition and Formula,條件和公式 +DocType: Quality Goal,Objectives,目標 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",工資已在{0}和{1}之間處理,請假申請期限不能在此日期範圍之間。 DocType: BOM Item,Basic Rate (Company Currency),基本費率(公司貨幣) DocType: BOM Scrap Item,BOM Scrap Item,BOM報廢項目 @@ -3050,6 +3069,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Propert DocType: Expense Claim Account,Expense Claim Account,費用索賠賬戶 apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,沒有可用於日記帳分錄的還款 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1}是非活動學生 +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,進入股票 DocType: Employee Onboarding,Activities,活動 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,至少有一個倉庫是強制性的 ,Customer Credit Balance,客戶信用餘額 @@ -3120,7 +3140,6 @@ DocType: Maintenance Visit,Maintenance Time,維護時間 DocType: Contract,Contract Terms,合同條款 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Either target qty or target amount is mandatory.,目標數量或目標金額是強制性的。 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},無效{0} -DocType: Quality Meeting,Meeting Date,會議日期 apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation cannot have more than 5 characters,縮寫不能超過5個字符 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Material Request,創建物料申請 apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Address Details,主要地址詳細信息 @@ -3230,6 +3249,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Pl DocType: Invoice Discounting,Bank Charges Account,銀行手續費賬戶 DocType: Journal Entry,Get Outstanding Invoices,獲得優秀發票 DocType: Opportunity,Opportunity From,來自的機會 +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,目標細節 DocType: Item,Customer Code,客戶代碼 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Please enter Item first,請先輸入項目 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Website Listing,網站列表 @@ -3276,7 +3296,7 @@ apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,管理區域樹。 DocType: GL Entry,Voucher Type,憑證類型 ,Serial No Service Contract Expiry,序列號服務合同到期 DocType: Certification Application,Certified,認證 -DocType: Material Request Plan Item,Manufacture,製造 +DocType: Purchase Invoice Item,Manufacture,製造 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,生成{0}個項目 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0}的付款申請 apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,最後訂單以來的天數 @@ -3395,6 +3415,7 @@ DocType: Stock Settings,Freeze Stock Entries,凍結庫存條目 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py,Item {0} not found,找不到項{0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,You have entered duplicate items. Please rectify and try again.,您輸入了重複的項目。請糾正並再試一次。 DocType: SMS Center,Total Message(s),總消息 +DocType: Purchase Invoice,Accounting Dimensions,會計維度 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Account,按帳戶分組 DocType: Quotation,In Words will be visible once you save the Quotation.,保存報價後,單詞將顯示。 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Quantity to Produce,生產數量 @@ -3546,7 +3567,7 @@ apps/erpnext/erpnext/config/accounting.py,Setup cheque dimensions for printing, apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,"If you have any questions, please get back to us.",如果您有任何疑問,請回复我們。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Purchase Receipt {0} is not submitted,未提交採購收據{0} DocType: Task,Total Expense Claim (via Expense Claim),總費用索賠(通過費用索賠) -DocType: Quality Action,Quality Goal,質量目標 +DocType: Quality Goal,Quality Goal,質量目標 DocType: Support Settings,Support Portal,支持門戶 apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},任務{0}的結束日期不能少於{1}預期開始日期{2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},員工{0}正在{1}上休假 @@ -3599,7 +3620,6 @@ DocType: BOM,Operating Cost (Company Currency),營業成本(公司貨幣) DocType: Item Price,Item Price,商品價格 DocType: Payment Entry,Party Name,黨名 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,請選擇一位客戶 -DocType: Course,Course Intro,課程介紹 DocType: Program Enrollment Tool,New Program,新計劃 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,"Number of new Cost Center, it will be included in the cost center name as a prefix",新成本中心的數量,它將作為前綴包含在成本中心名稱中 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Select the customer or supplier.,選擇客戶或供應商。 @@ -3782,6 +3802,7 @@ DocType: Global Defaults,Disable In Words,禁用單詞 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,淨工資不能為負 apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,沒有相互作用 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/hr/doctype/employee/employee_dashboard.py,Shift,轉移 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,處理會計科目和締約方 DocType: Stock Settings,Convert Item Description to Clean HTML,將項目描述轉換為清除HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,所有供應商組 @@ -3852,12 +3873,13 @@ DocType: Exchange Rate Revaluation,Total Gain/Loss,總收益/損失 apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,Student is already enrolled.,學生已經註冊。 DocType: Product Bundle,Parent Item,父項 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please create purchase receipt or purchase invoice for the item {0},請為商品{0}創建採購收據或購買發票 +,Product Bundle Balance,產品包餘額 apps/erpnext/erpnext/public/js/setup_wizard.js,Company Name cannot be Company,公司名稱不能是公司 DocType: Issue,Response By,回應 DocType: Purchase Invoice,Credit To,歸功於 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Submit this Work Order for further processing.,提交此工作訂單以進行進一步處理。 DocType: Bank Guarantee,Bank Guarantee Number,銀行擔保號碼 -DocType: Quality Action,Under Review,正在審查中 +DocType: Quality Meeting Table,Under Review,正在審查中 apps/erpnext/erpnext/public/js/setup_wizard.js,Agriculture (beta),農業(測試版) DocType: Sales Invoice,Customer's Purchase Order Date,客戶的採購訂單日期 apps/erpnext/erpnext/config/buying.py,All Contacts.,所有聯繫人。 @@ -4042,8 +4064,8 @@ DocType: Crop,Crop Spacing,裁剪間距 DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,項目和公司應根據銷售交易多久更新一次。 DocType: Pricing Rule,Period Settings,期間設置 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Receivable,應收賬款淨變動 +DocType: Quality Feedback Template,Quality Feedback Template,質量反饋模板 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,For Quantity must be greater than zero,對於數量必須大於零 -DocType: Quality Goal,Goal Objectives,目標目標 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",費率,股份數和計算金額之間存在不一致 DocType: Student Group Creation Tool,Leave blank if you make students groups per year,如果您每年組建學生團體,請留空 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Loans (Liabilities),貸款(負債) @@ -4080,6 +4102,7 @@ DocType: Bank Guarantee,Supplier,供應商 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},輸入{0}和{1}之間的值 DocType: Purchase Order,Order Confirmation Date,訂單確認日期 DocType: Delivery Trip,Calculate Estimated Arrival Times,計算預計到達時間 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統 DocType: Subscription,Subscription Start Date,訂閱開始日期 DocType: Woocommerce Settings,Woocommerce Server URL,Woocommerce服務器URL DocType: Payroll Entry,Number Of Employees,在職員工人數 @@ -4137,6 +4160,7 @@ DocType: Cheque Print Template,Is Account Payable,是應付帳款 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,總訂單價值 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,Supplier {0} not found in {1},在{1}中找不到供應商{0} apps/erpnext/erpnext/config/settings.py,Setup SMS gateway settings,設置SMS網關設置 +DocType: Salary Component,Round to the Nearest Integer,舍入到最近的整數 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Root cannot have a parent cost center,Root不能擁有父成本中心 DocType: Healthcare Service Unit,Allow Appointments,允許約會 DocType: BOM,Show Operations,顯示操作 @@ -4249,7 +4273,6 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please enter 'Is Subcontra DocType: Company,Default Holiday List,默認假期列表 DocType: Naming Series,Current Value,當前值 apps/erpnext/erpnext/config/accounting.py,"Seasonality for setting budgets, targets etc.",設定預算,目標等的季節性 -DocType: Program,Program Code,程序代碼 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},警告:客戶的採購訂單{1}已存在銷售訂單{0} apps/erpnext/erpnext/utilities/user_progress.py,Monthly Sales Target (,每月銷售目標( DocType: Guardian,Guardian Interests,守護者的利益 @@ -4297,6 +4320,7 @@ DocType: GST HSN Code,HSN Code,HSN代碼 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,行政費用 DocType: C-Form,C-Form No,C表格編號 DocType: Purchase Invoice,End date of current invoice's period,當前發票期限的結束日期 +DocType: Item,Manufacturers,製造商 DocType: Crop Cycle,Crop Cycle,作物週期 DocType: Serial No,Creation Time,創作時間 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Please enter Approving Role or Approving User,請輸入批准角色或批准用戶 @@ -4359,8 +4383,6 @@ DocType: Education Settings,Current Academic Term,目前的學期 DocType: Employee,Short biography for website and other publications.,網站和其他出版物的簡短傳記。 DocType: Purchase Invoice Item,Received Qty,收到了數量 DocType: Purchase Invoice Item,Rate (Company Currency),費率(公司貨幣) -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","請刪除員工{0} \以取消此文檔" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,安裝預設 apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter Repayment Periods,請輸入還款期限 DocType: Pricing Rule,Advanced Settings,高級設置 @@ -4453,7 +4475,6 @@ DocType: Territory,Parent Territory,家長地區 DocType: Vehicle Log,Odometer Reading,里程表閱讀 DocType: Additional Salary,Salary Slip,工資單 DocType: Payroll Entry,Payroll Frequency,工資單頻率 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}",開始和結束日期不在有效的工資核算期內,無法計算{0} DocType: Products Settings,Home Page is Products,主頁是產品 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference #{0} dated {1},參考編號{{0}的日期為{1} @@ -4499,7 +4520,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,"Cannot deliver Serial apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Fetching records......,獲取記錄...... DocType: Delivery Stop,Contact Information,聯繫信息 DocType: Sales Order Item,For Production,用於生產 -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,請在教育>教育設置中設置教師命名系統 DocType: Serial No,Asset Details,資產明細 DocType: Restaurant Reservation,Reservation Time,預訂時間 DocType: Selling Settings,Default Territory,默認地區 @@ -4622,6 +4642,8 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,已過期批次 DocType: Shipping Rule,Shipping Rule Type,送貨規則類型 DocType: Job Offer,Accepted,公認 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","請刪除員工{0} \以取消此文檔" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,您已經評估了評估標準{}。 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,選擇批號 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),年齡(天) @@ -4688,10 +4710,11 @@ DocType: Lab Prescription,Test Code,測試代碼 DocType: Purchase Taxes and Charges,On Previous Row Total,在上一行總計 DocType: Student,Student Email Address,學生電郵地址 DocType: Supplier Quotation,Supplier Address,供應商地址 -DocType: Salary Component,Do not include in total,不包括總數 +DocType: Salary Detail,Do not include in total,不包括總數 apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,無法為公司設置多個項目默認值。 DocType: Purchase Receipt Item,Rejected Quantity,拒絕數量 DocType: Cashier Closing,To TIme,到時間 +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: Daily Work Summary Group User,Daily Work Summary Group User,每日工作摘要組用戶 DocType: Fiscal Year Company,Fiscal Year Company,財年公司 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,替代項目不得與項目代碼相同 @@ -4791,7 +4814,6 @@ DocType: Fee Schedule,Send Payment Request Email,發送付款請求電子郵件 DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,保存銷售發票後,將顯示單詞。 DocType: Sales Invoice,Sales Team1,銷售團隊1 DocType: Work Order,Required Items,必填項目 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",除“ - ”,“#”,“。”之外的特殊字符。命名系列中不允許使用“/” apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Read the ERPNext Manual,閱讀ERPNext手冊 DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,檢查供應商發票編號唯一性 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Search Sub Assemblies,搜索子裝配 @@ -4849,7 +4871,6 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,"Enabling 'Use for Sh apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Course,請選擇課程 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,生產數量不能少於零 DocType: Leave Control Panel,Allocate Leaves,分配葉子 -DocType: Quiz,Last Attempt,最後一次嘗試 DocType: Assessment Result,Student Name,學生姓名 apps/erpnext/erpnext/config/crm.py,Plan for maintenance visits.,計劃維護訪問。 apps/erpnext/erpnext/templates/emails/reorder_item.html,Following Material Requests have been raised automatically based on Item's re-order level,物料請求已根據物料的重新訂購級別自動提出 @@ -4911,6 +4932,7 @@ apps/erpnext/erpnext/config/non_profit.py,Volunteer Type information.,志願者 DocType: Naming Series,This is the number of the last created transaction with this prefix,這是具有此前綴的上次創建的事務的編號 DocType: Supplier Scorecard,Indicator Color,指示燈顏色 DocType: Item Variant Settings,Copy Fields to Variant,將字段複製到Variant +DocType: Question,Single Correct Answer,單一正確答案 apps/erpnext/erpnext/hr/utils.py,From date can not be less than employee's joining date,從日期開始不能少於員工的加入日期 DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,允許針對客戶的採購訂單的多個銷售訂單 DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",如果選中,則稅額將被視為已包含在打印率/打印金額中 @@ -5051,7 +5073,6 @@ DocType: Procedure Prescription,Procedure Created,程序已創建 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},針對{1}的供應商發票{0} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Change POS Profile,更改POS檔案 apps/erpnext/erpnext/utilities/activation.py,Create Lead,創造領導力 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供應商>供應商類型 DocType: Shopify Settings,Default Customer,默認客戶 DocType: Payment Entry Reference,Supplier Invoice No,供應商發票號 DocType: Pricing Rule,Mixed Conditions,混合條件 @@ -5097,11 +5118,13 @@ DocType: Item,End of Life,生命盡頭 DocType: Lab Test Template,Sensitivity,靈敏度 DocType: Territory,Territory Targets,領土目標 apps/erpnext/erpnext/hr/doctype/leave_period/leave_period.py,"Skipping Leave Allocation for the following employees, as Leave Allocation records already exists against them. {0}",跳過以下員工的休假分配,因為已經存在針對他們的休假分配記錄。 {0} +DocType: Quality Action Resolution,Quality Action Resolution,質量行動決議 DocType: Sales Invoice Item,Delivered By Supplier,由供應商提供 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expense account is mandatory for item {0},項目{0}必須有費用帳戶 ,Subcontracted Raw Materials To Be Transferred,分包原材料將被轉讓 DocType: Cashier Closing,Cashier Closing,收銀員關閉 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,已返回項{0} +apps/erpnext/erpnext/regional/india/utils.py,Invalid GSTIN! The input you've entered doesn't match the GSTIN format for UIN Holders or Non-Resident OIDAR Service Providers,GSTIN無效!您輸入的輸入與UIN持有人或非居民OIDAR服務提供商的GSTIN格式不符 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Child warehouse exists for this warehouse. You can not delete this warehouse.,這個倉庫存在子倉庫。您無法刪除此倉庫。 DocType: Diagnosis,Diagnosis,診斷 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,There is no leave period in between {0} and {1},{0}和{1}之間沒有休假期 @@ -5118,6 +5141,7 @@ DocType: QuickBooks Migrator,Authorization Settings,授權設置 DocType: Homepage,Products,製品 ,Profit and Loss Statement,損益表 apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py,Rooms Booked,預訂客房 +apps/erpnext/erpnext/stock/doctype/item_manufacturer/item_manufacturer.py,Duplicate entry against the item code {0} and manufacturer {1},項目代碼{0}和製造商{1}的重複輸入 DocType: Purchase Invoice Item,Total Weight,總重量 ,Stock Ledger,股票分類賬 DocType: Volunteer,Volunteer Name,志願者姓名 @@ -5160,6 +5184,7 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_ DocType: Selling Settings,Default Customer Group,默認客戶組 DocType: Journal Entry Account,Debit in Company Currency,借記公司貨幣 DocType: Woocommerce Settings,"The fallback series is ""SO-WOO-"".",後備系列是“SO-WOO-”。 +DocType: Quality Meeting Agenda,Quality Meeting Agenda,質量會議議程 DocType: Cash Flow Mapper,Section Header,部分標題 apps/erpnext/erpnext/utilities/user_progress.py,Your Products or Services,您的產品或服務 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Freight and Forwarding Charges,運費和貨運費 @@ -5240,7 +5265,6 @@ DocType: Contract Template,Contract Terms and Conditions,合同條款和條件 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,獲取數據 DocType: Stock Settings,Default Item Group,默認項目組 DocType: Sales Invoice Timesheet,Billing Hours,結算時間 -DocType: Item,Item Code for Suppliers,供應商的物品代碼 apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},針對學生{1}已經存在申請{0} DocType: Pricing Rule,Margin Type,保證金類型 DocType: Purchase Invoice Item,Rejected Serial No,拒絕序列號 @@ -5383,6 +5407,7 @@ DocType: Supplier,Is Transporter,是運輸車 DocType: Loan Type,Maximum Loan Amount,最高貸款金額 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Email not found in default contact,默認聯繫人中找不到電子郵件 DocType: Hotel Room Reservation,Booked,預訂 +DocType: Quality Procedure Process,Process Description,進度解析 DocType: Company,Default Employee Advance Account,默認員工預付帳戶 DocType: Leave Type,Allow Negative Balance,允許負餘額 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,評估計劃名稱 @@ -5419,6 +5444,7 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Activity Co DocType: Request for Quotation Item,Request for Quotation Item,要求報價項目 apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0}在項目稅中輸入兩次 DocType: Additional Salary,Deduct Full Tax on Selected Payroll Date,在選定的工資日期扣除全額稅 +apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py,Last carbon check date cannot be a future date,最後的碳檢查日期不能是未來的日期 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Select change amount account,選擇更改金額帳戶 DocType: Support Settings,Forum Posts,論壇帖子 DocType: Timesheet Detail,Expected Hrs,預期的Hrs @@ -5464,6 +5490,7 @@ apps/erpnext/erpnext/hr/doctype/training_program/training_program_dashboard.py,T DocType: Production Plan Item,Quantity and Description,數量和描述 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The folio numbers are not matching,對開的數字不匹配 apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},質量檢驗:項目未提交{0}:行{2}中的{1} +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js,Show {0},顯示{0} apps/erpnext/erpnext/templates/generators/item/item_configure.js,{0} item found.,找到{0}項。 ,Stock Ageing,股票老齡化 DocType: Customer Group,Mention if non-standard receivable account applicable,如果非標準應收賬款適用,請提及 @@ -5701,6 +5728,7 @@ DocType: Request for Quotation Supplier,Request for Quotation Supplier,要求報 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,固定資產 DocType: Purchase Order,Ref SQ,參考SQ DocType: Salary Structure,Total Earning,總收入 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客戶>客戶組>地區 DocType: Share Balance,From No,從沒有 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,付款對帳發票 DocType: Purchase Invoice,Taxes and Charges Added,稅和費用已添加 @@ -5708,7 +5736,9 @@ DocType: Purchase Taxes and Charges,Consider Tax or Charge for,考慮稅收或 DocType: Authorization Rule,Authorized Value,授權價值 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,從......收到 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouse {0} does not exist,倉庫{0}不存在 +DocType: Item Manufacturer,Item Manufacturer,商品製造商 DocType: Sales Invoice,Sales Team,銷售團隊 +apps/erpnext/erpnext/stock/report/product_bundle_balance/product_bundle_balance.py,Bundle Qty,捆綁數量 DocType: Installation Note,Installation Date,安裝日期 DocType: Email Digest,New Quotations,新報價 DocType: Production Plan Item,Ordered Qty,訂購數量 @@ -5766,7 +5796,6 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} DocType: Holiday List,Holiday List Name,假期列表名稱 DocType: Water Analysis,Collection Temperature ,收集溫度 DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,管理約會發票提交並自動取消患者遭遇 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,請通過設置>設置>命名系列為{0}設置命名系列 DocType: Employee Benefit Claim,Claim Date,索賠日期 DocType: Supplier,Leave blank if the Supplier is blocked indefinitely,如果供應商被無限期阻止,請留空 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Attendance From Date and Attendance To Date is mandatory,出席日期和出勤日期是強制性的 @@ -5774,6 +5803,7 @@ apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times. apps/erpnext/erpnext/education/doctype/student_group/student_group.js,Select students manually for the Activity based Group,為基於活動的組手動選擇學生 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient,請選擇患者 DocType: Asset,Straight Line,直線 +DocType: Quality Action,Resolutions,決議 DocType: SMS Log,No of Sent SMS,沒有發送短信 ,GST Itemised Sales Register,商品及服務稅明細銷售登記冊 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Total advance amount cannot be greater than total sanctioned amount,總預付金額不得超過總制裁金額 @@ -5921,6 +5951,7 @@ DocType: Customer Feedback,Quality Management,質量管理 DocType: BOM,Transfer Material Against,轉移材料 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,Temporarily on Hold,暫時擱置 apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,將Shopify與ERPNext連接 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供應商>供應商類型 DocType: BOM,Scrap Material Cost(Company Currency),廢料成本(公司貨幣) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,不得提交交貨單{0} DocType: Task,Actual Start Date (via Time Sheet),實際開始日期(通過時間表) @@ -6047,6 +6078,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Create Tax Template,創建 DocType: Item Attribute,Numeric Values,數字值 DocType: Delivery Note,Instructions,說明 DocType: Blanket Order Item,Blanket Order Item,一攬子訂單項目 +DocType: Accounting Dimension,Mandatory For Profit and Loss Account,對於損益賬戶必須提供 apps/erpnext/erpnext/controllers/selling_controller.py,Commission rate cannot be greater than 100,佣金率不能超過100 DocType: Course Topic,Course Topic,課程主題 DocType: Employee,This will restrict user access to other employee records,這將限制用戶訪問其他員工記錄 @@ -6114,7 +6146,6 @@ DocType: Staffing Plan,Staffing Plan Detail,人員配備計劃細節 DocType: Journal Entry,Subscription Section,訂閱部分 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,志願者信息。 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`凍結股票比'低於'應該小於%d天。 -apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js,Select Fiscal Year,選擇會計年度 DocType: Bank Reconciliation,Total Amount,總金額 DocType: Subscription Settings,Cancel Invoice After Grace Period,寬限期後取消發票 DocType: Loyalty Point Entry,Loyalty Points,忠誠度積分 @@ -6123,7 +6154,6 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Tally Migration,Round Off Account,四捨五入賬 DocType: Expense Claim Detail,Expense Claim Detail,費用索賠明細 DocType: Patient Medical Record,Patient Medical Record,病歷醫療記錄 -DocType: Quality Action,Action Description,行動說明 DocType: Item,Variant Based On,變體基於 DocType: Vehicle Service,Brake Oil,制動油 DocType: Employee,Create User,創建用戶 @@ -6174,7 +6204,7 @@ apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,"Can't chang DocType: Cash Flow Mapper,Section Name,部分名稱 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Either debit or credit amount is required for {2},{0} {1}:{2}需要藉記或貸記金額 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Submitting Salary Slips...,提交工資單...... -apps/erpnext/erpnext/quality_management/doctype/customer_feedback/customer_feedback_list.js,No Action,沒有行動 +apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,沒有行動 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",無法針對{0}分配預算,因為它不是收入或費用帳戶 apps/erpnext/erpnext/config/accounting.py,Masters and Accounts,碩士和帳戶 DocType: Quality Procedure Table,Responsible Individual,負責任的個人 @@ -6281,7 +6311,6 @@ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_proof_submission/employee DocType: Company,Allow Account Creation Against Child Company,允許針對兒童公司創建帳戶 DocType: Payment Entry,Company Bank Account,公司銀行賬戶 DocType: Amazon MWS Settings,UK,聯合王國 -DocType: Quality Procedure,Procedure Steps,程序步驟 DocType: Normal Test Items,Normal Test Items,正常測試項目 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,項{0}:有序數量{1}不能小於最小訂單數量{2}(在項目中定義)。 apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,Not in Stock,沒存貨 @@ -6352,7 +6381,6 @@ DocType: Workstation Working Hour,Workstation Working Hour,工作站工作時間 DocType: Maintenance Team Member,Maintenance Role,維護角色 apps/erpnext/erpnext/config/buying.py,Terms and Conditions Template,條款和條件模板 DocType: Fee Schedule Program,Fee Schedule Program,收費計劃 -apps/erpnext/erpnext/www/lms.py,Course {0} does not exist.,課程{0}不存在。 DocType: Project Task,Make Timesheet,製作時間表 DocType: Production Plan Item,Production Plan Item,生產計劃項目 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Total Student,學生總數 @@ -6373,6 +6401,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py, apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,包起來 apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,如果您的會員資格在30天內到期,您只能續訂 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},值必須介於{0}和{1}之間 +DocType: Quality Feedback,Parameters,參數 ,Sales Partner Transaction Summary,銷售合作夥伴交易摘要 DocType: Asset Maintenance,Maintenance Manager Name,維護經理姓名 apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,需要獲取項目詳細信息。 @@ -6408,6 +6437,7 @@ apps/erpnext/erpnext/templates/pages/search_help.py,Help Results for,幫助結 DocType: Student Admission,Student Admission,學生入學 DocType: Budget Account,Budget Account,預算帳戶 DocType: Employee Transfer,Create New Employee Id,創建新的員工ID +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,“損益”帳戶{1}需要{0}。 apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),商品和服務稅(GST印度) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,創建工資單...... DocType: Employee Skill,Employee Skill,員工技能 @@ -6494,6 +6524,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} is on h DocType: Clinical Procedure Item,Invoice Separately as Consumables,發票單獨作為耗材 apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,顯示已完成 apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Report,銀行對賬單交易錄入報告 +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,銀行Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,行#{0}:費率必須與{1}相同:{2}({3} / {4}) DocType: Healthcare Settings,Healthcare Service Items,醫療服務項目 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,沒有找到記錄 @@ -6541,6 +6572,7 @@ DocType: Training Event Employee,Invited,邀請 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},組件{0}的最大合格金額超過{1} apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Amount to Bill,賬單金額 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only debit accounts can be linked against another credit entry",對於{0},只有借方帳戶可以與另一個貸方條目鏈接 +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,創建尺寸...... DocType: Bank Statement Transaction Entry,Payable Account,應付賬款 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,請註明不需要訪問 DocType: Accounts Settings,Only select if you have setup Cash Flow Mapper documents,僅在您設置Cash Flow Mapper文檔時選擇 @@ -6555,6 +6587,7 @@ DocType: POS Profile,Only show Customer of these Customer Groups,僅顯示這些 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,選擇要保存發票的項目 DocType: Service Level,Resolution Time,解決時間 DocType: Grading Scale Interval,Grade Description,等級描述 +DocType: Quality Meeting Minutes,Quality Meeting Minutes,質量會議紀要 DocType: Linked Plant Analysis,Linked Plant Analysis,連接植物分析 apps/erpnext/erpnext/public/js/controllers/transaction.js,Service Stop Date cannot be after Service End Date,服務停止日期不能在服務結束日期之後 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,請在GST設置中設置B2C限制。 @@ -6586,7 +6619,6 @@ DocType: Employee Attendance Tool,Employee Attendance Tool,員工出勤工具 DocType: Employee,Educational Qualification,教育資格 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Accessable Value,可訪問的價值 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Sample quantity {0} cannot be more than received quantity {1},樣品數量{0}不能超過收貨數量{1} -DocType: Quiz,Last Highest Score,最後得分 DocType: POS Profile,Taxes and Charges,稅和費用 DocType: Opportunity,Contact Mobile No,聯繫手機號 DocType: Employee,Joining Details,加入細節 From fb29ffc90c5b9b6a831c905ed3a7d726ffeb1b15 Mon Sep 17 00:00:00 2001 From: Deepesh Garg <42651287+deepeshgarg007@users.noreply.github.com> Date: Fri, 28 Jun 2019 14:08:08 +0530 Subject: [PATCH 058/132] fix: Usability fixes to Serial No and batch selector (#18071) * fix: Usability fixes to Serial No and batch selector * fix: Codacy * Update sales_common.js --- .../js/utils/serial_no_batch_selector.js | 20 +++++++++++++++++-- erpnext/selling/sales_common.js | 14 ++++++++++--- 2 files changed, 29 insertions(+), 5 deletions(-) diff --git a/erpnext/public/js/utils/serial_no_batch_selector.js b/erpnext/public/js/utils/serial_no_batch_selector.js index 7da747856a..045a04646b 100644 --- a/erpnext/public/js/utils/serial_no_batch_selector.js +++ b/erpnext/public/js/utils/serial_no_batch_selector.js @@ -44,6 +44,13 @@ erpnext.SerialNoBatchSelector = Class.extend({ label: __(me.warehouse_details.type), default: me.warehouse_details.name, onchange: function(e) { + + if(me.has_batch) { + fields = fields.concat(me.get_batch_fields()); + } else { + fields = fields.concat(me.get_serial_no_fields()); + } + me.warehouse_details.name = this.get_value(); var batches = this.layout.fields_dict.batches; if(batches) { @@ -263,6 +270,15 @@ erpnext.SerialNoBatchSelector = Class.extend({ get_batch_fields: function() { var me = this; + + let filters = { + item_code: me.item_code + } + + if (me.warehouse || me.warehouse_details.name) { + filters['warehouse'] = me.warehouse || me.warehouse_details.name; + } + return [ {fieldtype:'Section Break', label: __('Batches')}, {fieldname: 'batches', fieldtype: 'Table', label: __('Batch Entries'), @@ -276,8 +292,8 @@ erpnext.SerialNoBatchSelector = Class.extend({ 'in_list_view': 1, get_query: function () { return { - filters: { item: me.item_code }, - query: 'erpnext.controllers.queries.get_batch_numbers' + filters: filters, + query: 'erpnext.controllers.queries.get_batch_no' }; }, change: function () { diff --git a/erpnext/selling/sales_common.js b/erpnext/selling/sales_common.js index 23dcaa152d..9bae58b309 100644 --- a/erpnext/selling/sales_common.js +++ b/erpnext/selling/sales_common.js @@ -229,6 +229,9 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ }, callback:function(r){ if (in_list(['Delivery Note', 'Sales Invoice'], doc.doctype)) { + + if (doc.doctype === 'Sales Invoice' && (!doc.update_stock)) return; + me.set_batch_number(cdt, cdn); me.batch_no(doc, cdt, cdn); } @@ -372,13 +375,18 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ this._super(doc, cdt, cdn, dont_fetch_price_list_rate); if(frappe.meta.get_docfield(cdt, "stock_qty", cdn) && in_list(['Delivery Note', 'Sales Invoice'], doc.doctype)) { - this.set_batch_number(cdt, cdn); - } + if (doc.doctype === 'Sales Invoice' && (!doc.update_stock)) return; + this.set_batch_number(cdt, cdn); + } }, qty: function(doc, cdt, cdn) { this._super(doc, cdt, cdn); - this.set_batch_number(cdt, cdn); + + if(in_list(['Delivery Note', 'Sales Invoice'], doc.doctype)) { + if (doc.doctype === 'Sales Invoice' && (!doc.update_stock)) return; + this.set_batch_number(cdt, cdn); + } }, /* Determine appropriate batch number and set it in the form. From ea4c42d47b9ce6922eb268991a0346c490d86e9f Mon Sep 17 00:00:00 2001 From: Himanshu Date: Fri, 28 Jun 2019 14:13:13 +0530 Subject: [PATCH 059/132] fix(Utils): Do not add duplicate items (#17896) * fix: do not add duplicate items * Update erpnext/public/js/utils.js Co-Authored-By: Rohan * fix: compare warehouses, batch and qty for an item * fix: code fixes * Update utils.js * fix: check required_date and delivery_date * Update utils.js * fix: mixed tabs and spaces --- erpnext/public/js/utils.js | 22 ++++++++++++++++++++++ 1 file changed, 22 insertions(+) diff --git a/erpnext/public/js/utils.js b/erpnext/public/js/utils.js index f4bb64a64d..64b96b5789 100755 --- a/erpnext/public/js/utils.js +++ b/erpnext/public/js/utils.js @@ -563,6 +563,7 @@ erpnext.utils.map_current_doc = function(opts) { if(!r.exc) { var doc = frappe.model.sync(r.message); cur_frm.dirty(); + erpnext.utils.clear_duplicates(); cur_frm.refresh(); } } @@ -593,6 +594,27 @@ erpnext.utils.map_current_doc = function(opts) { } } +erpnext.utils.clear_duplicates = function() { + const unique_items = new Map(); + /* + Create a Map of items with + item_code => [qty, warehouse, batch_no] + */ + let items = []; + + for (let item of cur_frm.doc.items) { + if (!(unique_items.has(item.item_code) && unique_items.get(item.item_code)[0] === item.qty && + unique_items.get(item.item_code)[1] === item.warehouse && unique_items.get(item.item_code)[2] === item.batch_no && + unique_items.get(item.item_code)[3] === item.delivery_date && unique_items.get(item.item_code)[4] === item.required_date && + unique_items.get(item.item_code)[5] === item.rate)) { + + unique_items.set(item.item_code, [item.qty, item.warehouse, item.batch_no, item.delivery_date, item.required_date, item.rate]); + items.push(item); + } + } + cur_frm.doc.items = items; +} + frappe.form.link_formatters['Item'] = function(value, doc) { if(doc && doc.item_name && doc.item_name !== value) { return value? value + ': ' + doc.item_name: doc.item_name; From d825ee57b7f28348b773888dc1b30a0f29ffb13e Mon Sep 17 00:00:00 2001 From: Aditya Hase Date: Fri, 28 Jun 2019 14:36:53 +0530 Subject: [PATCH 060/132] fix(buying): Translate label for "Supplier Addresses And Contacts" Report --- erpnext/config/buying.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/config/buying.py b/erpnext/config/buying.py index d1b0d91728..ba3492330e 100644 --- a/erpnext/config/buying.py +++ b/erpnext/config/buying.py @@ -220,7 +220,7 @@ def get_data(): "type": "report", "is_query_report": True, "name": "Address And Contacts", - "label": "Supplier Addresses And Contacts", + "label": _("Supplier Addresses And Contacts"), "reference_doctype": "Address", "route_options": { "party_type": "Supplier" From 5cec89d1abf5a50f82a52705d9af7f786e1462e2 Mon Sep 17 00:00:00 2001 From: Himanshu Warekar Date: Fri, 28 Jun 2019 19:07:13 +0530 Subject: [PATCH 061/132] fix: remove frm call for priority change --- .../patches/v12_0/set_priority_for_support.py | 2 ++ erpnext/support/doctype/issue/issue.js | 21 ------------------- erpnext/support/doctype/issue/issue.py | 12 ++++++++--- .../service_level_agreement.py | 2 +- 4 files changed, 12 insertions(+), 25 deletions(-) diff --git a/erpnext/patches/v12_0/set_priority_for_support.py b/erpnext/patches/v12_0/set_priority_for_support.py index cc290396f8..4eae0654e8 100644 --- a/erpnext/patches/v12_0/set_priority_for_support.py +++ b/erpnext/patches/v12_0/set_priority_for_support.py @@ -18,6 +18,8 @@ def set_issue_priority(): "name": priority }).insert(ignore_permissions=True) + frappe.delete_doc_if_exists("Property Setter", {"field_name": "priority", "property": "options"}) + def set_priority_for_issue(): # Sets priority for Issues as Select field is changed to Link field. issue_priority = frappe.get_list("Issue", fields=["name", "priority"]) diff --git a/erpnext/support/doctype/issue/issue.js b/erpnext/support/doctype/issue/issue.js index ba54edcf39..1a272d1bc4 100644 --- a/erpnext/support/doctype/issue/issue.js +++ b/erpnext/support/doctype/issue/issue.js @@ -73,27 +73,6 @@ frappe.ui.form.on("Issue", { } }, - priority: function(frm) { - if (frm.doc.service_level_agreement) { - frm.call('change_service_level_agreement_and_priority', { - "priority": frm.doc.priority, - "service_level_agreement": frm.doc.service_level_agreement - }).then(() => { - frappe.msgprint(__("Issue Priority changed to {0}.", [frm.doc.priority])); - frm.refresh(); - }); - } - }, - - service_level_agreement: function(frm) { - frm.call('change_service_level_agreement_and_priority', { - "service_level_agreement": frm.doc.service_level_agreement - }).then(() => { - frappe.msgprint(__("Service Level Agreement changed to {0}.", [frm.doc.service_level_agreement])); - frm.refresh(); - }); - }, - timeline_refresh: function(frm) { // create button for "Help Article" if(frappe.model.can_create('Help Article')) { diff --git a/erpnext/support/doctype/issue/issue.py b/erpnext/support/doctype/issue/issue.py index 70430b16bb..3b703d9a21 100644 --- a/erpnext/support/doctype/issue/issue.py +++ b/erpnext/support/doctype/issue/issue.py @@ -29,6 +29,7 @@ class Issue(Document): if not self.raised_by: self.raised_by = frappe.session.user + self.change_service_level_agreement_and_priority() self.update_status() self.set_lead_contact(self.raised_by) @@ -173,9 +174,14 @@ class Issue(Document): self.response_by_variance = round(time_diff_in_hours(self.response_by, now_datetime())) self.resolution_by_variance = round(time_diff_in_hours(self.resolution_by, now_datetime())) - def change_service_level_agreement_and_priority(self, priority=None, service_level_agreement=None): - self.set_response_and_resolution_time(priority=priority, service_level_agreement=service_level_agreement) - self.save(ignore_permissions=True) + def change_service_level_agreement_and_priority(self): + if not self.priority == frappe.db.get_value("Issue", self.name, "priority"): + self.set_response_and_resolution_time(priority=self.priority, service_level_agreement=self.service_level_agreement) + frappe.msgprint("Priority has been updated.") + + if not self.service_level_agreement == frappe.db.get_value("Issue", self.name, "service_level_agreement"): + self.set_response_and_resolution_time(priority=self.priority, service_level_agreement=self.service_level_agreement) + frappe.msgprint("Service Level Agreement has been updated.") def get_expected_time_for(parameter, service_level, start_date_time): current_date_time = start_date_time diff --git a/erpnext/support/doctype/service_level_agreement/service_level_agreement.py b/erpnext/support/doctype/service_level_agreement/service_level_agreement.py index 332bf63580..5536cc9df3 100644 --- a/erpnext/support/doctype/service_level_agreement/service_level_agreement.py +++ b/erpnext/support/doctype/service_level_agreement/service_level_agreement.py @@ -18,7 +18,7 @@ class ServiceLevelAgreement(Document): if self.start_date >= self.end_date: frappe.throw(_("Start Date of Agreement can't be greater than or equal to End Date.")) - if self.end_date < frappe.utils.getdate(): + if self.end_date < frappe.utils.nowdate(): frappe.throw(_("End Date of Agreement can't be less than today.")) if self.entity_type and self.entity: From e4934907029e54d64b33ae62ec92f68850322ada Mon Sep 17 00:00:00 2001 From: Mangesh-Khairnar Date: Fri, 28 Jun 2019 19:22:51 +0530 Subject: [PATCH 062/132] fix: mapped doc --- erpnext/public/js/utils.js | 1 + 1 file changed, 1 insertion(+) diff --git a/erpnext/public/js/utils.js b/erpnext/public/js/utils.js index 64b96b5789..dd8abfbdd1 100755 --- a/erpnext/public/js/utils.js +++ b/erpnext/public/js/utils.js @@ -595,6 +595,7 @@ erpnext.utils.map_current_doc = function(opts) { } erpnext.utils.clear_duplicates = function() { + if(!cur_frm.doc.items) return; const unique_items = new Map(); /* Create a Map of items with From bc0bc6677e7fa6312a1d773cd9b5777b23104508 Mon Sep 17 00:00:00 2001 From: Himanshu Warekar Date: Fri, 28 Jun 2019 19:41:29 +0530 Subject: [PATCH 063/132] fix: use db sql to delete property setter --- erpnext/patches.txt | 1 + erpnext/patches/v12_0/delete_priority_property_setter.py | 9 +++++++++ erpnext/patches/v12_0/set_priority_for_support.py | 2 -- 3 files changed, 10 insertions(+), 2 deletions(-) create mode 100644 erpnext/patches/v12_0/delete_priority_property_setter.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index fa51638605..36a31cfadc 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -607,3 +607,4 @@ execute:frappe.delete_doc_if_exists("Page", "support-analytics") erpnext.patches.v12_0.make_item_manufacturer erpnext.patches.v12_0.set_quotation_status erpnext.patches.v12_0.set_priority_for_support +erpnext.patches.v12_0.delete_priority_property_setter diff --git a/erpnext/patches/v12_0/delete_priority_property_setter.py b/erpnext/patches/v12_0/delete_priority_property_setter.py new file mode 100644 index 0000000000..5927267543 --- /dev/null +++ b/erpnext/patches/v12_0/delete_priority_property_setter.py @@ -0,0 +1,9 @@ +import frappe + +def execute(): + frappe.db.sql(""" + DELETE FROM `tabProperty Setter` + WHERE `tabProperty Setter`.doc_type='Issue' + AND `tabProperty Setter`.field_name='priority' + AND `tabProperty Setter`.property='options' + """) \ No newline at end of file diff --git a/erpnext/patches/v12_0/set_priority_for_support.py b/erpnext/patches/v12_0/set_priority_for_support.py index 4eae0654e8..cc290396f8 100644 --- a/erpnext/patches/v12_0/set_priority_for_support.py +++ b/erpnext/patches/v12_0/set_priority_for_support.py @@ -18,8 +18,6 @@ def set_issue_priority(): "name": priority }).insert(ignore_permissions=True) - frappe.delete_doc_if_exists("Property Setter", {"field_name": "priority", "property": "options"}) - def set_priority_for_issue(): # Sets priority for Issues as Select field is changed to Link field. issue_priority = frappe.get_list("Issue", fields=["name", "priority"]) From 115da67713ea553f00d009d49a40ccf3d49ebcb1 Mon Sep 17 00:00:00 2001 From: Himanshu Warekar Date: Fri, 28 Jun 2019 22:26:58 +0530 Subject: [PATCH 064/132] fix: include standalone sla in issues --- .../doctype/service_level_agreement/service_level_agreement.py | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/support/doctype/service_level_agreement/service_level_agreement.py b/erpnext/support/doctype/service_level_agreement/service_level_agreement.py index 5536cc9df3..3b06d16a5e 100644 --- a/erpnext/support/doctype/service_level_agreement/service_level_agreement.py +++ b/erpnext/support/doctype/service_level_agreement/service_level_agreement.py @@ -85,8 +85,9 @@ def get_service_level_agreement_filters(name, customer=None): ["Service Level Agreement", "default_service_level_agreement", "=", 1] ] else: + # Include SLA with No Entity and Entity Type or_filters = [ - ["Service Level Agreement", "entity", "in", [customer, get_customer_group(customer), get_customer_territory(customer), "IS NULL"]], + ["Service Level Agreement", "entity", "in", [customer, get_customer_group(customer), get_customer_territory(customer), ""]], ["Service Level Agreement", "default_service_level_agreement", "=", 1] ] From cef54ae3c284d4793d00125e8985807220161335 Mon Sep 17 00:00:00 2001 From: deepeshgarg007 Date: Sun, 30 Jun 2019 19:49:26 +0530 Subject: [PATCH 065/132] fix: Add total row in GSTR-1 report --- erpnext/regional/report/gstr_1/gstr_1.json | 39 +++++++++++----------- erpnext/regional/report/gstr_1/gstr_1.py | 6 ++-- 2 files changed, 23 insertions(+), 22 deletions(-) diff --git a/erpnext/regional/report/gstr_1/gstr_1.json b/erpnext/regional/report/gstr_1/gstr_1.json index 4ef8d534e5..2012bb8840 100644 --- a/erpnext/regional/report/gstr_1/gstr_1.json +++ b/erpnext/regional/report/gstr_1/gstr_1.json @@ -1,29 +1,30 @@ { - "add_total_row": 0, - "apply_user_permissions": 1, - "creation": "2018-01-02 15:54:41.424225", - "disabled": 0, - "docstatus": 0, - "doctype": "Report", - "idx": 0, - "is_standard": "Yes", - "modified": "2018-01-02 17:56:15.379347", - "modified_by": "Administrator", - "module": "Regional", - "name": "GSTR-1", - "owner": "Administrator", - "ref_doctype": "GL Entry", - "report_name": "GSTR-1", - "report_type": "Script Report", + "add_total_row": 1, + "creation": "2018-01-02 15:54:41.424225", + "disable_prepared_report": 0, + "disabled": 0, + "docstatus": 0, + "doctype": "Report", + "idx": 0, + "is_standard": "Yes", + "modified": "2019-06-30 19:33:59.769385", + "modified_by": "Administrator", + "module": "Regional", + "name": "GSTR-1", + "owner": "Administrator", + "prepared_report": 0, + "ref_doctype": "GL Entry", + "report_name": "GSTR-1", + "report_type": "Script Report", "roles": [ { "role": "Accounts User" - }, + }, { "role": "Accounts Manager" - }, + }, { "role": "Auditor" } ] -} +} \ No newline at end of file diff --git a/erpnext/regional/report/gstr_1/gstr_1.py b/erpnext/regional/report/gstr_1/gstr_1.py index 3a8149d1cf..737e58c2f4 100644 --- a/erpnext/regional/report/gstr_1/gstr_1.py +++ b/erpnext/regional/report/gstr_1/gstr_1.py @@ -573,19 +573,19 @@ def get_json(): res = {} if filters["type_of_business"] == "B2B": - for item in report_data: + for item in report_data[:-1]: res.setdefault(item["customer_gstin"], {}).setdefault(item["invoice_number"],[]).append(item) out = get_b2b_json(res, gstin) gst_json["b2b"] = out elif filters["type_of_business"] == "B2C Large": - for item in report_data: + for item in report_data[:-1]: res.setdefault(item["place_of_supply"], []).append(item) out = get_b2cl_json(res, gstin) gst_json["b2cl"] = out elif filters["type_of_business"] == "EXPORT": - for item in report_data: + for item in report_data[:-1]: res.setdefault(item["export_type"], []).append(item) out = get_export_json(res) From 1431bf2a3cb0ce89284f5af24aa8cc058b60f7a4 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Mon, 1 Jul 2019 09:10:23 +0530 Subject: [PATCH 066/132] fix: User cannot create call log --- erpnext/communication/doctype/call_log/call_log.js | 8 ++++++++ erpnext/communication/doctype/call_log/call_log.json | 3 ++- 2 files changed, 10 insertions(+), 1 deletion(-) create mode 100644 erpnext/communication/doctype/call_log/call_log.js diff --git a/erpnext/communication/doctype/call_log/call_log.js b/erpnext/communication/doctype/call_log/call_log.js new file mode 100644 index 0000000000..0018516ec0 --- /dev/null +++ b/erpnext/communication/doctype/call_log/call_log.js @@ -0,0 +1,8 @@ +// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +// For license information, please see license.txt + +frappe.ui.form.on('Call Log', { + // refresh: function(frm) { + + // } +}); diff --git a/erpnext/communication/doctype/call_log/call_log.json b/erpnext/communication/doctype/call_log/call_log.json index c3d6d07fa5..110030d3de 100644 --- a/erpnext/communication/doctype/call_log/call_log.json +++ b/erpnext/communication/doctype/call_log/call_log.json @@ -79,7 +79,8 @@ "read_only": 1 } ], - "modified": "2019-06-17 09:02:48.150383", + "in_create": 1, + "modified": "2019-07-01 09:09:48.516722", "modified_by": "Administrator", "module": "Communication", "name": "Call Log", From 2d0fd9f519cd9478f6942d60a5b6174356228b69 Mon Sep 17 00:00:00 2001 From: Himanshu Date: Mon, 1 Jul 2019 10:24:02 +0530 Subject: [PATCH 067/132] fix: travis (#18116) --- .../doctype/service_level_agreement/service_level_agreement.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/support/doctype/service_level_agreement/service_level_agreement.py b/erpnext/support/doctype/service_level_agreement/service_level_agreement.py index 3b06d16a5e..82c0ffb65c 100644 --- a/erpnext/support/doctype/service_level_agreement/service_level_agreement.py +++ b/erpnext/support/doctype/service_level_agreement/service_level_agreement.py @@ -18,7 +18,7 @@ class ServiceLevelAgreement(Document): if self.start_date >= self.end_date: frappe.throw(_("Start Date of Agreement can't be greater than or equal to End Date.")) - if self.end_date < frappe.utils.nowdate(): + if self.end_date < frappe.utils.getdate(): frappe.throw(_("End Date of Agreement can't be less than today.")) if self.entity_type and self.entity: From 2fa6224f8fdd9fbd038c299112c9e7b857262040 Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Mon, 1 Jul 2019 11:54:11 +0530 Subject: [PATCH 068/132] fix: accounts receivable / payable not working if the company is not seletced in filter --- .../accounts/report/accounts_payable/accounts_payable.js | 1 + .../report/accounts_receivable/accounts_receivable.js | 1 + .../report/accounts_receivable/accounts_receivable.py | 9 +++++---- 3 files changed, 7 insertions(+), 4 deletions(-) diff --git a/erpnext/accounts/report/accounts_payable/accounts_payable.js b/erpnext/accounts/report/accounts_payable/accounts_payable.js index 9560b2a23d..70f193e787 100644 --- a/erpnext/accounts/report/accounts_payable/accounts_payable.js +++ b/erpnext/accounts/report/accounts_payable/accounts_payable.js @@ -8,6 +8,7 @@ frappe.query_reports["Accounts Payable"] = { "label": __("Company"), "fieldtype": "Link", "options": "Company", + "reqd": 1, "default": frappe.defaults.get_user_default("Company") }, { diff --git a/erpnext/accounts/report/accounts_receivable/accounts_receivable.js b/erpnext/accounts/report/accounts_receivable/accounts_receivable.js index 27c7993f4d..3661afe797 100644 --- a/erpnext/accounts/report/accounts_receivable/accounts_receivable.js +++ b/erpnext/accounts/report/accounts_receivable/accounts_receivable.js @@ -8,6 +8,7 @@ frappe.query_reports["Accounts Receivable"] = { "label": __("Company"), "fieldtype": "Link", "options": "Company", + "reqd": 1, "default": frappe.defaults.get_user_default("Company") }, { diff --git a/erpnext/accounts/report/accounts_receivable/accounts_receivable.py b/erpnext/accounts/report/accounts_receivable/accounts_receivable.py index 7127663938..f0769f68c9 100755 --- a/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +++ b/erpnext/accounts/report/accounts_receivable/accounts_receivable.py @@ -541,10 +541,11 @@ class ReceivablePayableReport(object): conditions.append("""cost_center in (select name from `tabCost Center` where lft >= {0} and rgt <= {1})""".format(lft, rgt)) - accounts = [d.name for d in frappe.get_all("Account", - filters={"account_type": account_type, "company": self.filters.company})] - conditions.append("account in (%s)" % ','.join(['%s'] *len(accounts))) - values += accounts + if self.filters.company: + accounts = [d.name for d in frappe.get_all("Account", + filters={"account_type": account_type, "company": self.filters.company})] + conditions.append("account in (%s)" % ','.join(['%s'] *len(accounts))) + values += accounts return " and ".join(conditions), values From 9955b189e409fbaabfe99647c2caafc747feaedc Mon Sep 17 00:00:00 2001 From: Mangesh-Khairnar Date: Mon, 1 Jul 2019 12:20:09 +0530 Subject: [PATCH 069/132] fix: leaderboard chart --- erpnext/utilities/page/leaderboard/leaderboard.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/utilities/page/leaderboard/leaderboard.js b/erpnext/utilities/page/leaderboard/leaderboard.js index 5563fb0e96..43d0e6e948 100644 --- a/erpnext/utilities/page/leaderboard/leaderboard.js +++ b/erpnext/utilities/page/leaderboard/leaderboard.js @@ -159,7 +159,7 @@ frappe.Leaderboard = Class.extend({ type: 'bar', height: 140 }; - new Chart('.leaderboard-graph', args); + new frappe.Chart('.leaderboard-graph', args); notify(me, r, $container); } From 7729fcea196614bc04feac5fa29c30695a076c7c Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Mon, 1 Jul 2019 12:26:34 +0530 Subject: [PATCH 070/132] fix: asset status not shwoing in the list view --- erpnext/assets/doctype/asset/asset_list.js | 36 +++++++++++++++++++++- 1 file changed, 35 insertions(+), 1 deletion(-) diff --git a/erpnext/assets/doctype/asset/asset_list.js b/erpnext/assets/doctype/asset/asset_list.js index 8e262f1378..3b95a17afc 100644 --- a/erpnext/assets/doctype/asset/asset_list.js +++ b/erpnext/assets/doctype/asset/asset_list.js @@ -1,3 +1,37 @@ frappe.listview_settings['Asset'] = { - add_fields: ['image'] + add_fields: ['status'], + get_indicator: function (doc) { + if (doc.status === "Fully Depreciated") { + return [__("Fully Depreciated"), "green", "status,=,Fully Depreciated"]; + + } else if (doc.status === "Partially Depreciated") { + return [__("Partially Depreciated"), "grey", "status,=,Partially Depreciated"]; + + } else if (doc.status === "Sold") { + return [__("Sold"), "green", "status,=,Sold"]; + + } else if (doc.status === "Scrapped") { + return [__("Scrapped"), "grey", "status,=,Scrapped"]; + + } else if (doc.status === "In Maintenance") { + return [__("In Maintenance"), "orange", "status,=,In Maintenance"]; + + } else if (doc.status === "Out of Order") { + return [__("Out of Order"), "grey", "status,=,Out of Order"]; + + } else if (doc.status === "Issue") { + return [__("Issue"), "orange", "status,=,Issue"]; + + } else if (doc.status === "Receipt") { + return [__("Receipt"), "green", "status,=,Receipt"]; + + } else if (doc.status === "Submitted") { + return [__("Submitted"), "blue", "status,=,Submitted"]; + + } else if (doc.status === "Draft") { + return [__("Draft"), "red", "status,=,Draft"]; + + } + + }, } \ No newline at end of file From 502565ff5641ceb68409abe4c662a2eb1804913c Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Mon, 1 Jul 2019 14:28:59 +0530 Subject: [PATCH 071/132] fix: Make required changes --- erpnext/crm/doctype/utils.py | 14 ++++--- .../exotel_integration.py | 38 ++++++++++--------- erpnext/public/js/call_popup/call_popup.js | 10 ++--- 3 files changed, 33 insertions(+), 29 deletions(-) diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py index 5f7a72e4aa..bd8b678d3b 100644 --- a/erpnext/crm/doctype/utils.py +++ b/erpnext/crm/doctype/utils.py @@ -82,12 +82,14 @@ def get_employee_emails_for_popup(communication_medium): now_time = frappe.utils.nowtime() weekday = frappe.utils.get_weekday() - available_employee_groups = frappe.db.sql_list("""SELECT `employee_group` - FROM `tabCommunication Medium Timeslot` - WHERE `day_of_week` = %s - AND `parent` = %s - AND %s BETWEEN `from_time` AND `to_time` - """, (weekday, communication_medium, now_time)) + available_employee_groups = frappe.get_all("Communication Medium Timeslot", filters={ + 'day_of_week': weekday, + 'parent': communication_medium, + 'from_time': ['<=', now_time], + 'to_time': ['>=', now_time], + }, fields=['employee_group'], debug=1) + + available_employee_groups = tuple([emp.employee_group for emp in available_employee_groups]) employees = frappe.get_all('Employee Group Table', filters={ 'parent': ['in', available_employee_groups] diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index a42718602a..c04cedce31 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -6,26 +6,29 @@ import requests # api/method/erpnext.erpnext_integrations.exotel_integration.handle_missed_call @frappe.whitelist(allow_guest=True) -def handle_incoming_call(*args, **kwargs): +def handle_incoming_call(**kwargs): exotel_settings = get_exotel_settings() if not exotel_settings.enabled: return - status = kwargs.get('Status') + call_payload = kwargs + status = call_payload.get('Status') if status == 'free': return - create_call_log(kwargs) + call_log = get_call_log(call_payload) + if not call_log: + create_call_log(call_payload) @frappe.whitelist(allow_guest=True) -def handle_end_call(*args, **kwargs): +def handle_end_call(**kwargs): update_call_log(kwargs, 'Completed') @frappe.whitelist(allow_guest=True) -def handle_missed_call(*args, **kwargs): +def handle_missed_call(**kwargs): update_call_log(kwargs, 'Missed') def update_call_log(call_payload, status): - call_log = get_call_log(call_payload, False) + call_log = get_call_log(call_payload) if call_log: call_log.status = status call_log.duration = call_payload.get('DialCallDuration') or 0 @@ -34,25 +37,24 @@ def update_call_log(call_payload, status): frappe.db.commit() return call_log -def get_call_log(call_payload, create_new_if_not_found=True): +def get_call_log(call_payload): call_log = frappe.get_all('Call Log', { 'id': call_payload.get('CallSid'), }, limit=1) if call_log: return frappe.get_doc('Call Log', call_log[0].name) - elif create_new_if_not_found: - call_log = frappe.new_doc('Call Log') - call_log.id = call_payload.get('CallSid') - call_log.to = call_payload.get('CallTo') - call_log.medium = call_payload.get('To') - call_log.status = 'Ringing' - setattr(call_log, 'from', call_payload.get('CallFrom')) - call_log.save(ignore_permissions=True) - frappe.db.commit() - return call_log -create_call_log = get_call_log +def create_call_log(call_payload): + call_log = frappe.new_doc('Call Log') + call_log.id = call_payload.get('CallSid') + call_log.to = call_payload.get('CallTo') + call_log.medium = call_payload.get('To') + call_log.status = 'Ringing' + setattr(call_log, 'from', call_payload.get('CallFrom')) + call_log.save(ignore_permissions=True) + frappe.db.commit() + return call_log @frappe.whitelist() def get_call_status(call_id): diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 17bd74103e..91dfe809a4 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -64,8 +64,8 @@ class CallPopup { } make_caller_info_section() { - const wrapper = this.dialog.fields_dict['caller_info'].$wrapper; - wrapper.append('
Loading...
'); + const wrapper = this.dialog.get_field('caller_info').$wrapper; + wrapper.append(`
${__("Loading...")}
`); frappe.xcall('erpnext.crm.doctype.utils.get_document_with_phone_number', { 'number': this.caller_number }).then(contact_doc => { @@ -88,7 +88,7 @@ class CallPopup {
@@ -172,7 +172,7 @@ class CallPopup { 'number': this.caller_number, 'reference_doc': this.contact }).then(data => { - const comm_field = this.dialog.fields_dict["last_communication"]; + const comm_field = this.dialog.get_field('last_communication'); if (data.last_communication) { const comm = data.last_communication; comm_field.set_value(comm.content); @@ -180,7 +180,7 @@ class CallPopup { if (data.last_issue) { const issue = data.last_issue; - const issue_field = this.dialog.fields_dict["last_issue"]; + const issue_field = this.dialog.get_field("last_issue"); issue_field.set_value(issue.subject); issue_field.$wrapper.append(` ${__('View all issues from {0}', [issue.customer])} From 8e65d5bd5b24557fd61e895950ef0bb32f5708ef Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Mon, 1 Jul 2019 14:32:29 +0530 Subject: [PATCH 072/132] chore: Delete unwanted files --- erpnext/communication/doctype/call_log/call_log.js | 8 -------- .../communication_medium/communication_medium.js | 8 -------- .../communication_medium/test_communication_medium.py | 10 ---------- 3 files changed, 26 deletions(-) delete mode 100644 erpnext/communication/doctype/call_log/call_log.js delete mode 100644 erpnext/communication/doctype/communication_medium/communication_medium.js delete mode 100644 erpnext/communication/doctype/communication_medium/test_communication_medium.py diff --git a/erpnext/communication/doctype/call_log/call_log.js b/erpnext/communication/doctype/call_log/call_log.js deleted file mode 100644 index 0018516ec0..0000000000 --- a/erpnext/communication/doctype/call_log/call_log.js +++ /dev/null @@ -1,8 +0,0 @@ -// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors -// For license information, please see license.txt - -frappe.ui.form.on('Call Log', { - // refresh: function(frm) { - - // } -}); diff --git a/erpnext/communication/doctype/communication_medium/communication_medium.js b/erpnext/communication/doctype/communication_medium/communication_medium.js deleted file mode 100644 index e37cd5b454..0000000000 --- a/erpnext/communication/doctype/communication_medium/communication_medium.js +++ /dev/null @@ -1,8 +0,0 @@ -// Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors -// For license information, please see license.txt - -frappe.ui.form.on('Communication Medium', { - // refresh: function(frm) { - - // } -}); diff --git a/erpnext/communication/doctype/communication_medium/test_communication_medium.py b/erpnext/communication/doctype/communication_medium/test_communication_medium.py deleted file mode 100644 index fc5754fe98..0000000000 --- a/erpnext/communication/doctype/communication_medium/test_communication_medium.py +++ /dev/null @@ -1,10 +0,0 @@ -# -*- coding: utf-8 -*- -# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and Contributors -# See license.txt -from __future__ import unicode_literals - -# import frappe -import unittest - -class TestCommunicationMedium(unittest.TestCase): - pass From 659a01d819f7fc54fed75d5c48a937587c20f1b1 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 1 Jul 2019 15:16:49 +0530 Subject: [PATCH 073/132] Update accounts_controller.py --- erpnext/controllers/accounts_controller.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index 1b8dd57fa2..f6914b63e7 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -392,7 +392,7 @@ class AccountsController(TransactionBase): def validate_qty_is_not_zero(self): for item in self.items: if not item.qty: - frappe.throw("Item quantity can not be zero") + frappe.throw(_("Item quantity can not be zero")) def validate_account_currency(self, account, account_currency=None): valid_currency = [self.company_currency] From 43cebdff4dea35ad16494cee43369bb2b74e572a Mon Sep 17 00:00:00 2001 From: Shivam Mishra Date: Mon, 1 Jul 2019 16:31:28 +0530 Subject: [PATCH 074/132] fix: translated title (#18119) --- erpnext/stock/page/stock_balance/stock_balance.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/page/stock_balance/stock_balance.js b/erpnext/stock/page/stock_balance/stock_balance.js index fc869892e9..da21c6bc64 100644 --- a/erpnext/stock/page/stock_balance/stock_balance.js +++ b/erpnext/stock/page/stock_balance/stock_balance.js @@ -1,7 +1,7 @@ frappe.pages['stock-balance'].on_page_load = function(wrapper) { var page = frappe.ui.make_app_page({ parent: wrapper, - title: 'Stock Summary', + title: __('Stock Summary'), single_column: true }); page.start = 0; From 8d70073cf8d767fcfc8962f90aa9a0eaa0bc3a84 Mon Sep 17 00:00:00 2001 From: Aditya Hase Date: Mon, 1 Jul 2019 19:35:17 +0530 Subject: [PATCH 075/132] refactor: Remove implicit auto assignment feature (#18124) This behaviour now can be replicated with Assignment Rule configurations. --- .../crm/doctype/opportunity/opportunity.py | 19 ------------------- .../doctype/opportunity/test_opportunity.py | 15 --------------- erpnext/support/doctype/issue/issue.py | 4 ---- erpnext/support/doctype/issue/test_issue.py | 7 ------- 4 files changed, 45 deletions(-) diff --git a/erpnext/crm/doctype/opportunity/opportunity.py b/erpnext/crm/doctype/opportunity/opportunity.py index adac8f5922..afea4a1e19 100644 --- a/erpnext/crm/doctype/opportunity/opportunity.py +++ b/erpnext/crm/doctype/opportunity/opportunity.py @@ -9,7 +9,6 @@ from frappe.model.mapper import get_mapped_doc from erpnext.setup.utils import get_exchange_rate from erpnext.utilities.transaction_base import TransactionBase from erpnext.accounts.party import get_party_account_currency -from frappe.desk.form import assign_to from frappe.email.inbox import link_communication_to_document subject_field = "title" @@ -155,9 +154,6 @@ class Opportunity(TransactionBase): def on_update(self): self.add_calendar_event() - # assign to customer account manager or lead owner - assign_to_user(self, subject_field) - def add_calendar_event(self, opts=None, force=False): if not opts: opts = frappe._dict() @@ -335,21 +331,6 @@ def auto_close_opportunity(): doc.flags.ignore_mandatory = True doc.save() -def assign_to_user(doc, subject_field): - assign_user = None - if doc.customer: - assign_user = frappe.db.get_value('Customer', doc.customer, 'account_manager') - elif doc.lead: - assign_user = frappe.db.get_value('Lead', doc.lead, 'lead_owner') - - if assign_user and assign_user not in ['Administrator', 'Guest']: - if not assign_to.get(dict(doctype = doc.doctype, name = doc.name)): - assign_to.add({ - "assign_to": assign_user, - "doctype": doc.doctype, - "name": doc.name, - "description": doc.get(subject_field) - }) @frappe.whitelist() def make_opportunity_from_communication(communication, ignore_communication_links=False): from erpnext.crm.doctype.lead.lead import make_lead_from_communication diff --git a/erpnext/crm/doctype/opportunity/test_opportunity.py b/erpnext/crm/doctype/opportunity/test_opportunity.py index 0dab01da7e..9cbbb86e44 100644 --- a/erpnext/crm/doctype/opportunity/test_opportunity.py +++ b/erpnext/crm/doctype/opportunity/test_opportunity.py @@ -7,7 +7,6 @@ from frappe.utils import today, random_string from erpnext.crm.doctype.lead.lead import make_customer from erpnext.crm.doctype.opportunity.opportunity import make_quotation import unittest -from frappe.desk.form import assign_to test_records = frappe.get_test_records('Opportunity') @@ -61,20 +60,6 @@ class TestOpportunity(unittest.TestCase): self.assertEqual(opp_doc.enquiry_from, "Customer") self.assertEqual(opp_doc.customer, customer.name) - def test_assignment(self): - # assign cutomer account manager - frappe.db.set_value('Customer', '_Test Customer', 'account_manager', 'test1@example.com') - doc = make_opportunity(with_items=0) - - self.assertEqual(assign_to.get(dict(doctype = doc.doctype, name = doc.name))[0].get('owner'), 'test1@example.com') - - # assign lead owner - frappe.db.set_value('Customer', '_Test Customer', 'account_manager', '') - frappe.db.set_value('Lead', '_T-Lead-00001', 'lead_owner', 'test2@example.com') - doc = make_opportunity(with_items=0, enquiry_from='Lead') - - self.assertEqual(assign_to.get(dict(doctype = doc.doctype, name = doc.name))[0].get('owner'), 'test2@example.com') - def make_opportunity(**args): args = frappe._dict(args) diff --git a/erpnext/support/doctype/issue/issue.py b/erpnext/support/doctype/issue/issue.py index 3b703d9a21..93f13f1f9f 100644 --- a/erpnext/support/doctype/issue/issue.py +++ b/erpnext/support/doctype/issue/issue.py @@ -12,7 +12,6 @@ from datetime import datetime, timedelta from frappe.model.mapper import get_mapped_doc from frappe.utils.user import is_website_user from erpnext.support.doctype.service_level_agreement.service_level_agreement import get_active_service_level_agreement_for -from erpnext.crm.doctype.opportunity.opportunity import assign_to_user from frappe.email.inbox import link_communication_to_document sender_field = "raised_by" @@ -39,9 +38,6 @@ class Issue(Document): self.create_communication() self.flags.communication_created = None - # assign to customer account manager or lead owner - assign_to_user(self, 'subject') - def set_lead_contact(self, email_id): import email.utils diff --git a/erpnext/support/doctype/issue/test_issue.py b/erpnext/support/doctype/issue/test_issue.py index 1296b3609d..75d70b1318 100644 --- a/erpnext/support/doctype/issue/test_issue.py +++ b/erpnext/support/doctype/issue/test_issue.py @@ -8,15 +8,8 @@ from erpnext.support.doctype.service_level_agreement.test_service_level_agreemen from frappe.utils import now_datetime, get_datetime import datetime from datetime import timedelta -from frappe.desk.form import assign_to class TestIssue(unittest.TestCase): - def test_assignment(self): - frappe.db.set_value('Customer', '_Test Customer', 'account_manager', 'test1@example.com') - doc = make_issue(customer='_Test Customer') - self.assertEqual(assign_to.get(dict(doctype = doc.doctype, name = doc.name))[0].get('owner'), 'test1@example.com') - - def test_response_time_and_resolution_time_based_on_different_sla(self): create_service_level_agreements_for_issues() From 8847ecfe255623ac2bab3c9ddfafefa85379b96c Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Fri, 28 Jun 2019 17:55:54 +0530 Subject: [PATCH 076/132] fix: incorrect value booked in the accumulated depreciation account on sell of the asset --- .../doctype/sales_invoice/sales_invoice.py | 9 ++++- .../sales_invoice_item.json | 10 +++++- erpnext/assets/doctype/asset/depreciation.py | 36 +++++++++++-------- erpnext/assets/doctype/asset/test_asset.py | 9 ++--- 4 files changed, 44 insertions(+), 20 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index e166fa22e8..d6cf5d8b90 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -768,7 +768,14 @@ class SalesInvoice(SellingController): if item.is_fixed_asset: asset = frappe.get_doc("Asset", item.asset) - fixed_asset_gl_entries = get_gl_entries_on_asset_disposal(asset, item.base_net_amount) + if (len(asset.finance_books) > 1 and not item.finance_book + and asset.finance_books[0].finance_book): + frappe.throw(_("Select finance book for the item {0} at row {1}") + .format(item.item_code, item.idx)) + + fixed_asset_gl_entries = get_gl_entries_on_asset_disposal(asset, + item.base_net_amount, item.finance_book) + for gle in fixed_asset_gl_entries: gle["against"] = self.customer gl_entries.append(self.get_gl_dict(gle)) diff --git a/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json b/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json index d7eb8ed0ee..465df277fd 100644 --- a/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json +++ b/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json @@ -57,6 +57,7 @@ "income_account", "is_fixed_asset", "asset", + "finance_book", "col_break4", "expense_account", "deferred_revenue", @@ -770,11 +771,18 @@ { "fieldname": "dimension_col_break", "fieldtype": "Column Break" + }, + { + "depends_on": "asset", + "fieldname": "finance_book", + "fieldtype": "Link", + "label": "Finance Book", + "options": "Finance Book" } ], "idx": 1, "istable": 1, - "modified": "2019-05-25 22:05:59.971263", + "modified": "2019-06-28 17:30:12.156086", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice Item", diff --git a/erpnext/assets/doctype/asset/depreciation.py b/erpnext/assets/doctype/asset/depreciation.py index 797075b887..61108ec4a3 100644 --- a/erpnext/assets/doctype/asset/depreciation.py +++ b/erpnext/assets/doctype/asset/depreciation.py @@ -36,7 +36,7 @@ def make_depreciation_entry(asset_name, date=None): fixed_asset_account, accumulated_depreciation_account, depreciation_expense_account = \ get_depreciation_accounts(asset) - depreciation_cost_center, depreciation_series = frappe.get_cached_value('Company', asset.company, + depreciation_cost_center, depreciation_series = frappe.get_cached_value('Company', asset.company, ["depreciation_cost_center", "series_for_depreciation_entry"]) depreciation_cost_center = asset.cost_center or depreciation_cost_center @@ -70,7 +70,7 @@ def make_depreciation_entry(asset_name, date=None): je.submit() d.db_set("journal_entry", je.name) - + idx = cint(d.finance_book_id) finance_books = asset.get('finance_books')[idx - 1] finance_books.value_after_depreciation -= d.depreciation_amount @@ -88,15 +88,15 @@ def get_depreciation_accounts(asset): fieldname = ['fixed_asset_account', 'accumulated_depreciation_account', 'depreciation_expense_account'], as_dict=1) - if accounts: + if accounts: fixed_asset_account = accounts.fixed_asset_account accumulated_depreciation_account = accounts.accumulated_depreciation_account depreciation_expense_account = accounts.depreciation_expense_account - + if not accumulated_depreciation_account or not depreciation_expense_account: - accounts = frappe.get_cached_value('Company', asset.company, + accounts = frappe.get_cached_value('Company', asset.company, ["accumulated_depreciation_account", "depreciation_expense_account"]) - + if not accumulated_depreciation_account: accumulated_depreciation_account = accounts[0] if not depreciation_expense_account: @@ -135,11 +135,11 @@ def scrap_asset(asset_name): je.flags.ignore_permissions = True je.submit() - + frappe.db.set_value("Asset", asset_name, "disposal_date", today()) frappe.db.set_value("Asset", asset_name, "journal_entry_for_scrap", je.name) asset.set_status("Scrapped") - + frappe.msgprint(_("Asset scrapped via Journal Entry {0}").format(je.name)) @frappe.whitelist() @@ -147,21 +147,29 @@ def restore_asset(asset_name): asset = frappe.get_doc("Asset", asset_name) je = asset.journal_entry_for_scrap - + asset.db_set("disposal_date", None) asset.db_set("journal_entry_for_scrap", None) - + frappe.get_doc("Journal Entry", je).cancel() asset.set_status() @frappe.whitelist() -def get_gl_entries_on_asset_disposal(asset, selling_amount=0): +def get_gl_entries_on_asset_disposal(asset, selling_amount=0, finance_book=None): fixed_asset_account, accumulated_depr_account, depr_expense_account = get_depreciation_accounts(asset) disposal_account, depreciation_cost_center = get_disposal_account_and_cost_center(asset.company) depreciation_cost_center = asset.cost_center or depreciation_cost_center - accumulated_depr_amount = flt(asset.gross_purchase_amount) - flt(asset.value_after_depreciation) + idx = 1 + if finance_book: + for d in asset.finance_books: + if d.finance_book == finance_book: + idx = d.idx + break + + value_after_depreciation = asset.finance_books[idx - 1].value_after_depreciation + accumulated_depr_amount = flt(asset.gross_purchase_amount) - flt(value_after_depreciation) gl_entries = [ { @@ -176,7 +184,7 @@ def get_gl_entries_on_asset_disposal(asset, selling_amount=0): } ] - profit_amount = flt(selling_amount) - flt(asset.value_after_depreciation) + profit_amount = flt(selling_amount) - flt(value_after_depreciation) if profit_amount: debit_or_credit = "debit" if profit_amount < 0 else "credit" gl_entries.append({ @@ -190,7 +198,7 @@ def get_gl_entries_on_asset_disposal(asset, selling_amount=0): @frappe.whitelist() def get_disposal_account_and_cost_center(company): - disposal_account, depreciation_cost_center = frappe.get_cached_value('Company', company, + disposal_account, depreciation_cost_center = frappe.get_cached_value('Company', company, ["disposal_account", "depreciation_cost_center"]) if not disposal_account: diff --git a/erpnext/assets/doctype/asset/test_asset.py b/erpnext/assets/doctype/asset/test_asset.py index ef85ffa1cb..fceccfbd1c 100644 --- a/erpnext/assets/doctype/asset/test_asset.py +++ b/erpnext/assets/doctype/asset/test_asset.py @@ -366,8 +366,9 @@ class TestAsset(unittest.TestCase): self.assertTrue(asset.journal_entry_for_scrap) expected_gle = ( - ("_Test Accumulated Depreciations - _TC", 100000.0, 0.0), - ("_Test Fixed Asset - _TC", 0.0, 100000.0) + ("_Test Accumulated Depreciations - _TC", 147.54, 0.0), + ("_Test Fixed Asset - _TC", 0.0, 100000.0), + ("_Test Gain/Loss on Asset Disposal - _TC", 99852.46, 0.0) ) gle = frappe.db.sql("""select account, debit, credit from `tabGL Entry` @@ -411,9 +412,9 @@ class TestAsset(unittest.TestCase): self.assertEqual(frappe.db.get_value("Asset", asset.name, "status"), "Sold") expected_gle = ( - ("_Test Accumulated Depreciations - _TC", 100000.0, 0.0), + ("_Test Accumulated Depreciations - _TC", 23051.47, 0.0), ("_Test Fixed Asset - _TC", 0.0, 100000.0), - ("_Test Gain/Loss on Asset Disposal - _TC", 0, 25000.0), + ("_Test Gain/Loss on Asset Disposal - _TC", 51948.53, 0.0), ("Debtors - _TC", 25000.0, 0.0) ) From 78a86af7fd67e4c27d361c85d426664ef80c92a8 Mon Sep 17 00:00:00 2001 From: Deepesh Garg <42651287+deepeshgarg007@users.noreply.github.com> Date: Tue, 2 Jul 2019 10:10:55 +0530 Subject: [PATCH 077/132] fix: Fiter passing fix in get batch query (#18131) --- erpnext/controllers/queries.py | 1 - erpnext/public/js/utils/serial_no_batch_selector.js | 13 ++++--------- 2 files changed, 4 insertions(+), 10 deletions(-) diff --git a/erpnext/controllers/queries.py b/erpnext/controllers/queries.py index ccd334ffba..d74bc0ea18 100644 --- a/erpnext/controllers/queries.py +++ b/erpnext/controllers/queries.py @@ -296,7 +296,6 @@ def get_batch_no(doctype, txt, searchfield, start, page_len, filters): order by batch.expiry_date, sle.batch_no desc limit %(start)s, %(page_len)s""".format(cond, match_conditions=get_match_cond(doctype)), args) - if batch_nos: return batch_nos else: return frappe.db.sql("""select name, concat('MFG-', manufacturing_date), concat('EXP-',expiry_date) from `tabBatch` batch diff --git a/erpnext/public/js/utils/serial_no_batch_selector.js b/erpnext/public/js/utils/serial_no_batch_selector.js index 045a04646b..41a59d0af5 100644 --- a/erpnext/public/js/utils/serial_no_batch_selector.js +++ b/erpnext/public/js/utils/serial_no_batch_selector.js @@ -271,14 +271,6 @@ erpnext.SerialNoBatchSelector = Class.extend({ get_batch_fields: function() { var me = this; - let filters = { - item_code: me.item_code - } - - if (me.warehouse || me.warehouse_details.name) { - filters['warehouse'] = me.warehouse || me.warehouse_details.name; - } - return [ {fieldtype:'Section Break', label: __('Batches')}, {fieldname: 'batches', fieldtype: 'Table', label: __('Batch Entries'), @@ -292,7 +284,10 @@ erpnext.SerialNoBatchSelector = Class.extend({ 'in_list_view': 1, get_query: function () { return { - filters: filters, + filters: { + item_code: me.item_code, + warehouse: me.warehouse || me.warehouse_details.name + }, query: 'erpnext.controllers.queries.get_batch_no' }; }, From f773c8e8a3469ca502cb45a584f90961bd76d35b Mon Sep 17 00:00:00 2001 From: Frappe PR Bot Date: Tue, 2 Jul 2019 10:14:53 +0530 Subject: [PATCH 078/132] feat: Updated translation (#18125) --- erpnext/translations/af.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/am.csv | 157 +++++++++++++++++++++--------- erpnext/translations/ar.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/bg.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/bn.csv | 161 ++++++++++++++++++++++--------- erpnext/translations/bs.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/ca.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/cs.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/da.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/de.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/el.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/es.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/et.csv | 161 ++++++++++++++++++++++--------- erpnext/translations/fa.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/fi.csv | 159 ++++++++++++++++++++++--------- erpnext/translations/fr.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/gu.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/hi.csv | 161 ++++++++++++++++++++++--------- erpnext/translations/hr.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/hu.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/id.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/is.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/it.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/ja.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/km.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/kn.csv | 149 +++++++++++++++++++++-------- erpnext/translations/ko.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/ku.csv | 160 +++++++++++++++++++++++-------- erpnext/translations/lo.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/lt.csv | 159 ++++++++++++++++++++++--------- erpnext/translations/lv.csv | 160 ++++++++++++++++++++++--------- erpnext/translations/mk.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/ml.csv | 169 ++++++++++++++++++++++++--------- erpnext/translations/mr.csv | 159 ++++++++++++++++++++++--------- erpnext/translations/ms.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/my.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/nl.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/no.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/pl.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/ps.csv | 153 ++++++++++++++++++++--------- erpnext/translations/pt.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/ro.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/ru.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/si.csv | 146 ++++++++++++++++++++-------- erpnext/translations/sk.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/sl.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/sq.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/sr.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/sv.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/sw.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/ta.csv | 151 ++++++++++++++++++++--------- erpnext/translations/te.csv | 151 +++++++++++++++++++++-------- erpnext/translations/th.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/tr.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/uk.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/ur.csv | 158 +++++++++++++++++++++--------- erpnext/translations/uz.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/vi.csv | 162 ++++++++++++++++++++++--------- erpnext/translations/zh.csv | 161 ++++++++++++++++++++++--------- erpnext/translations/zh_tw.csv | 156 +++++++++++++++++++++--------- 60 files changed, 7010 insertions(+), 2625 deletions(-) diff --git a/erpnext/translations/af.csv b/erpnext/translations/af.csv index 72fa6d872f..c951dfc50a 100644 --- a/erpnext/translations/af.csv +++ b/erpnext/translations/af.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Termyn Begindatum apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Aanstelling {0} en Verkoopsfaktuur {1} gekanselleer DocType: Purchase Receipt,Vehicle Number,Voertuignommer apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Jou eposadres... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Sluit standaard boekinskrywings in +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Sluit standaard boekinskrywings in DocType: Activity Cost,Activity Type,Aktiwiteitstipe DocType: Purchase Invoice,Get Advances Paid,Kry vooruitbetalings betaal DocType: Company,Gain/Loss Account on Asset Disposal,Wins / Verliesrekening op Bateverkope @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Wat doen dit? DocType: Bank Reconciliation,Payment Entries,Betalingsinskrywings DocType: Employee Education,Class / Percentage,Klas / Persentasie ,Electronic Invoice Register,Elektroniese faktuurregister +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Die aantal gebeurtenisse waarna die gevolg uitgevoer word. DocType: Sales Invoice,Is Return (Credit Note),Is Teruggawe (Kredietnota) +DocType: Price List,Price Not UOM Dependent,Prys Nie UOM Afhanklik DocType: Lab Test Sample,Lab Test Sample,Lab Test Voorbeeld DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Vir bv. 2012, 2012-13" @@ -324,6 +326,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Produksoektog DocType: Salary Slip,Net Pay,Netto salaris apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Totaal gefaktureerde Amt DocType: Clinical Procedure,Consumables Invoice Separately,Verbruiksgoedere Faktuur Afsonderlik +DocType: Shift Type,Working Hours Threshold for Absent,Werksure Drempel vir Afwesig DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Begroting kan nie toegeken word teen Groeprekening {0} DocType: Purchase Receipt Item,Rate and Amount,Tarief en Bedrag @@ -379,7 +382,6 @@ DocType: Sales Invoice,Set Source Warehouse,Stel Source Warehouse DocType: Healthcare Settings,Out Patient Settings,Uit pasiënt instellings DocType: Asset,Insurance End Date,Versekering Einddatum DocType: Bank Account,Branch Code,Takkode -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Tyd om te reageer apps/erpnext/erpnext/public/js/conf.js,User Forum,Gebruikers Forum DocType: Landed Cost Item,Landed Cost Item,Landed Koste Item 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 @@ -597,6 +599,7 @@ DocType: Lead,Lead Owner,Leier Eienaar DocType: Share Transfer,Transfer,oordrag apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Soek item (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Resultaat ingedien +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Vanaf datum kan nie groter wees as as tot op datum nie DocType: Supplier,Supplier of Goods or Services.,Verskaffer van goedere of dienste. 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 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentegroep of Kursusskedule is verpligtend @@ -878,7 +881,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Databasis va DocType: Skill,Skill Name,Vaardigheid Naam apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Druk verslagkaart DocType: Soil Texture,Ternary Plot,Ternêre Plot -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series vir {0} via Setup> Settings> Naming Series apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Ondersteuningskaartjies DocType: Asset Category Account,Fixed Asset Account,Vaste bate rekening apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Laaste @@ -891,6 +893,7 @@ DocType: Delivery Trip,Distance UOM,Afstand UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Verpligtend vir balansstaat DocType: Payment Entry,Total Allocated Amount,Totale toegewysde bedrag DocType: Sales Invoice,Get Advances Received,Kry voorskotte ontvang +DocType: Shift Type,Last Sync of Checkin,Laaste sinchronisasie van tjek DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Item Belasting Bedrag Ingesluit in Waarde apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -899,7 +902,9 @@ DocType: Subscription Plan,Subscription Plan,Inskrywing plan DocType: Student,Blood Group,Bloedgroep apps/erpnext/erpnext/config/healthcare.py,Masters,meesters DocType: Crop,Crop Spacing UOM,Crop Spacing UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Die tyd na die verskuiwing begin wanneer die inskrywing as laat (in minute) beskou word. apps/erpnext/erpnext/templates/pages/home.html,Explore,verken +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Geen uitstaande fakture gevind nie apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} vakatures en {1} begroting vir {2} wat reeds beplan is vir filiaalmaatskappye van {3}. U kan slegs vir {4} vakatures en begroting {5} soos per personeelplan {6} vir ouermaatskappy {3} beplan. DocType: Promotional Scheme,Product Discount Slabs,Produk Afslagplatte @@ -1001,6 +1006,7 @@ DocType: Attendance,Attendance Request,Bywoningsversoek DocType: Item,Moving Average,Beweeg gemiddeld DocType: Employee Attendance Tool,Unmarked Attendance,Ongemerkte Bywoning DocType: Homepage Section,Number of Columns,Aantal kolomme +DocType: Issue Priority,Issue Priority,Uitgawe Prioriteit DocType: Holiday List,Add Weekly Holidays,Voeg weeklikse vakansies by DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Skep Salaris Slip @@ -1009,6 +1015,7 @@ DocType: Job Offer Term,Value / Description,Waarde / beskrywing DocType: Warranty Claim,Issue Date,Uitreikings datum 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 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Kan nie Retensiebonus vir linkse werknemers skep nie +DocType: Employee Checkin,Location / Device ID,Plek / toestel ID DocType: Purchase Order,To Receive,Om te ontvang apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Jy is in die aflyn modus. Jy sal nie kan herlaai voordat jy netwerk het nie. DocType: Course Activity,Enrollment,inskrywing @@ -1017,7 +1024,6 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-faktuur inligting ontbreek apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Geen wesenlike versoek geskep nie -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Item Kode> Itemgroep> Handelsmerk DocType: Loan,Total Amount Paid,Totale bedrag betaal apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Al hierdie items is reeds gefaktureer DocType: Training Event,Trainer Name,Afrigter Naam @@ -1127,6 +1133,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Noem asseblief die Lood Naam in Lood {0} DocType: Employee,You can enter any date manually,U kan enige datum handmatig invoer DocType: Stock Reconciliation Item,Stock Reconciliation Item,Voorraadversoening Item +DocType: Shift Type,Early Exit Consequence,Vroeë Uitgang Gevolg DocType: Item Group,General Settings,Algemene instellings apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Betaaldatum kan nie voor die datum van inboeking / verskaffer se faktuur wees nie apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Vul die naam van die Begunstigde in voordat u dit ingedien het. @@ -1165,6 +1172,7 @@ DocType: Account,Auditor,ouditeur apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Bevestiging van betaling ,Available Stock for Packing Items,Beskikbare voorraad vir verpakking items apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Verwyder asseblief hierdie faktuur {0} uit C-vorm {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Elke Geldige Check-in en Check-out DocType: Support Search Source,Query Route String,Query Route String DocType: Customer Feedback Template,Customer Feedback Template,Sjabloon Customer Feedback apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Aanhalings aan Leads of Customers. @@ -1199,6 +1207,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Magtigingskontrole ,Daily Work Summary Replies,Daaglikse werkopsomming Antwoorde apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},U is genooi om saam te werk aan die projek: {0} +DocType: Issue,Response By Variance,Reaksie Deur Variansie DocType: Item,Sales Details,Verkoopsbesonderhede apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Briefhoofde vir druk sjablone. DocType: Salary Detail,Tax on additional salary,Belasting op addisionele salaris @@ -1322,6 +1331,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Kliënt A DocType: Project,Task Progress,Taak vordering DocType: Journal Entry,Opening Entry,Openingsinskrywing DocType: Bank Guarantee,Charges Incurred,Heffings ingesluit +DocType: Shift Type,Working Hours Calculation Based On,Werksure Berekening Gebaseer Op DocType: Work Order,Material Transferred for Manufacturing,Materiaal oorgedra vir Vervaardiging DocType: Products Settings,Hide Variants,Versteek varianten DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Skakel kapasiteitsbeplanning en tydopsporing uit @@ -1351,6 +1361,7 @@ DocType: Account,Depreciation,waardevermindering DocType: Guardian,Interests,Belange DocType: Purchase Receipt Item Supplied,Consumed Qty,Verbruikte hoeveelheid DocType: Education Settings,Education Manager,Onderwysbestuurder +DocType: Employee Checkin,Shift Actual Start,Shift Werklike Begin DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Beplan tydstamme buite Werkstasie Werksure. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Lojaliteit punte: {0} DocType: Healthcare Settings,Registration Message,Registrasie Boodskap @@ -1375,9 +1386,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktuur wat reeds vir alle faktuurure geskep is DocType: Sales Partner,Contact Desc,Kontak Desc DocType: Purchase Invoice,Pricing Rules,Prys reëls +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Aangesien daar bestaande transaksies teen item {0} is, kan u nie die waarde van {1} verander nie" DocType: Hub Tracked Item,Image List,Prentelys DocType: Item Variant Settings,Allow Rename Attribute Value,Laat die kenmerkwaarde van hernoem -DocType: Price List,Price Not UOM Dependant,Prys Nie UOM Afhanklik apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Tyd (in mins) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,basiese DocType: Loan,Interest Income Account,Rente Inkomsterekening @@ -1387,6 +1398,7 @@ DocType: Employee,Employment Type,Indiensnemingstipe apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Kies POS-profiel DocType: Support Settings,Get Latest Query,Kry nuutste navraag DocType: Employee Incentive,Employee Incentive,Werknemers aansporing +DocType: Service Level,Priorities,prioriteite apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Voeg kaarte of persoonlike afdelings op tuisblad DocType: Homepage,Hero Section Based On,Heldafdeling gebaseer op DocType: Project,Total Purchase Cost (via Purchase Invoice),Totale Aankoopprys (via Aankoopfaktuur) @@ -1447,7 +1459,7 @@ DocType: Work Order,Manufacture against Material Request,Vervaardiging teen mate DocType: Blanket Order Item,Ordered Quantity,Bestelde Hoeveelheid apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ry # {0}: Afgekeurde pakhuis is verpligtend teen verwerp item {1} ,Received Items To Be Billed,Items ontvang om gefaktureer te word -DocType: Salary Slip Timesheet,Working Hours,Werksure +DocType: Attendance,Working Hours,Werksure apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Betaal af apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Bestelling Items wat nie betyds ontvang is nie apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Duur in Dae @@ -1566,7 +1578,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Statutêre inligting en ander algemene inligting oor u Verskaffer DocType: Item Default,Default Selling Cost Center,Standaard verkoopkostesentrum DocType: Sales Partner,Address & Contacts,Adres & Kontakte -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel asseblief nommersreeks vir Bywoning via Setup> Numbering Series DocType: Subscriber,Subscriber,intekenaar apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Vorm / Item / {0}) is uit voorraad apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Kies asseblief die Pos Datum eerste @@ -1577,7 +1588,7 @@ DocType: Project,% Complete Method,% Volledige metode DocType: Detected Disease,Tasks Created,Take geskep apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Standaard BOM ({0}) moet vir hierdie item of sy sjabloon aktief wees apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Kommissie Koers% -DocType: Service Level,Response Time,Reaksie tyd +DocType: Service Level Priority,Response Time,Reaksie tyd DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce-instellings apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Hoeveelheid moet positief wees DocType: Contract,CRM,CRM @@ -1594,7 +1605,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Inpatient Besoek Koste DocType: Bank Statement Settings,Transaction Data Mapping,Transaksiedata-kartering apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,'N Lood vereis 'n persoon se naam of 'n organisasie se naam DocType: Student,Guardians,voogde -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Installeer asseblief die Instrukteur Naming Stelsel in Onderwys> Onderwys instellings apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Kies Brand ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Middelinkomste DocType: Shipping Rule,Calculate Based On,Bereken Gebaseer Op @@ -1630,6 +1640,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Stel 'n teiken apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Bywoningsrekord {0} bestaan teen Student {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Datum van transaksie apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Kanselleer intekening +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Kon nie diensvlakooreenkoms {0} stel nie. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Netto Salaris Bedrag DocType: Account,Liability,aanspreeklikheid DocType: Employee,Bank A/C No.,Bank A / C No. @@ -1695,7 +1706,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Grondstowwe Itemkode apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Aankoopfaktuur {0} is reeds ingedien DocType: Fees,Student Email,Student e-pos -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} kan nie ouer of kind van {2} wees nie apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Kry items van gesondheidsorgdienste apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Voorraadinskrywing {0} is nie ingedien nie DocType: Item Attribute Value,Item Attribute Value,Item Attribuutwaarde @@ -1720,7 +1730,6 @@ DocType: POS Profile,Allow Print Before Pay,Laat Print voor betaling toe DocType: Production Plan,Select Items to Manufacture,Kies items om te vervaardig DocType: Leave Application,Leave Approver Name,Verlaat Goedgekeur Naam DocType: Shareholder,Shareholder,aandeelhouer -DocType: Issue,Agreement Status,Ooreenkoms Status apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Verstekinstellings vir verkoopstransaksies. 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 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Kies BOM @@ -1981,6 +1990,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Inkomsterekening apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Alle pakhuise DocType: Contract,Signee Details,Signee Besonderhede +DocType: Shift Type,Allow check-out after shift end time (in minutes),Laat uitrekening na skuif eindtyd (in minute) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,verkryging DocType: Item Group,Check this if you want to show in website,Kontroleer dit as jy op die webwerf wil wys apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskale jaar {0} nie gevind nie @@ -2046,6 +2056,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Waardevermindering Aanvangsd DocType: Activity Cost,Billing Rate,Rekeningkoers apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Waarskuwing: Nog {0} # {1} bestaan teen voorraadinskrywings {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Aktiveer asseblief Google Maps-instellings om roetes te skat en te optimaliseer +DocType: Purchase Invoice Item,Page Break,Blad breek DocType: Supplier Scorecard Criteria,Max Score,Maksimum telling apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Terugbetaling Begindatum kan nie voor Uitbetalingsdatum wees nie. DocType: Support Search Source,Support Search Source,Ondersteun soekbron @@ -2114,6 +2125,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Kwaliteit Doel Doelstelli DocType: Employee Transfer,Employee Transfer,Werknemersoordrag ,Sales Funnel,Verkope trechter DocType: Agriculture Analysis Criteria,Water Analysis,Water Analise +DocType: Shift Type,Begin check-in before shift start time (in minutes),Begin inskrywing voor skof begin tyd (in minute) DocType: Accounts Settings,Accounts Frozen Upto,Rekeninge Bevrore Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Daar is niks om te wysig nie. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operasie {0} langer as enige beskikbare werksure in werkstasie {1}, breek die operasie in verskeie bewerkings af" @@ -2127,7 +2139,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Kont apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Verkoopsbestelling {0} is {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Vertraging in betaling (Dae) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Voer waardeverminderingsbesonderhede in +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Kliënt Pos apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Verwagte afleweringsdatum moet na verkope besteldatum wees +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Itemhoeveelheid kan nie nul wees nie apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Ongeldige kenmerk apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Kies asseblief BOM teen item {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Faktuur Tipe @@ -2137,6 +2151,7 @@ DocType: Maintenance Visit,Maintenance Date,Onderhoud Datum DocType: Volunteer,Afternoon,middag DocType: Vital Signs,Nutrition Values,Voedingswaardes DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),Teenwoordigheid van 'n koors (temp> 38.5 ° C / 101.3 ° F of volgehoue temperatuur> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Installeer asseblief die werknemersnaamstelsel in menslike hulpbronne> HR-instellings apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Omgekeer DocType: Project,Collect Progress,Versamel vordering apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,energie @@ -2186,6 +2201,7 @@ DocType: Setup Progress,Setup Progress,Setup Progress ,Ordered Items To Be Billed,Bestelde items wat gefaktureer moet word DocType: Taxable Salary Slab,To Amount,Om Bedrag DocType: Purchase Invoice,Is Return (Debit Note),Is Terugbetaling (Debiet Nota) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kliënt> Kliëntegroep> Territorium apps/erpnext/erpnext/config/desktop.py,Getting Started,Aan die gang kom apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,saam te smelt apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Kan nie die fiskale jaar begindatum en fiskale jaar einddatum verander sodra die fiskale jaar gestoor is nie. @@ -2204,8 +2220,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Werklike Datum apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Onderhoud begin datum kan nie voor afleweringsdatum vir reeksnommer {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Ry {0}: Wisselkoers is verpligtend DocType: Purchase Invoice,Select Supplier Address,Kies Verskaffer Adres +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Beskikbare hoeveelheid is {0}, jy benodig {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Voer asseblief die Verbruikersgeheim in DocType: Program Enrollment Fee,Program Enrollment Fee,Programinskrywingsfooi +DocType: Employee Checkin,Shift Actual End,Skof Werklike Einde DocType: Serial No,Warranty Expiry Date,Garantie Vervaldatum DocType: Hotel Room Pricing,Hotel Room Pricing,Hotel Kamerpryse apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Buitelandse belasbare lewerings (anders as nulkoers, nul gegradeer en vrygestel" @@ -2265,6 +2283,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Lees 5 DocType: Shopping Cart Settings,Display Settings,Vertoon opsies apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Stel asseblief die aantal afskrywings wat bespreek is +DocType: Shift Type,Consequence after,Gevolg daarna apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Waarmee het jy hulp nodig? DocType: Journal Entry,Printing Settings,Druk instellings apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banking @@ -2274,6 +2293,7 @@ DocType: Purchase Invoice Item,PR Detail,PR Detail apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Rekeningadres is dieselfde as Posadres DocType: Account,Cash,kontant DocType: Employee,Leave Policy,Verlofbeleid +DocType: Shift Type,Consequence,gevolg apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Student Adres DocType: GST Account,CESS Account,CESS-rekening apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Koste sentrum is nodig vir 'Wins en verlies' rekening {2}. Stel asseblief 'n standaard koste sentrum vir die maatskappy op. @@ -2338,6 +2358,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN-kode DocType: Period Closing Voucher,Period Closing Voucher,Periode Sluitingsbewys apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Naam apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Voer asseblief koste-rekening in +DocType: Issue,Resolution By Variance,Resolusie Deur Variansie DocType: Employee,Resignation Letter Date,Bedankingsbrief Datum DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Bywoning tot datum @@ -2350,6 +2371,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Bekyk nou DocType: Item Price,Valid Upto,Geldige Upto apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Verwysings Doctype moet een van {0} wees. +DocType: Employee Checkin,Skip Auto Attendance,Slaan outomatiese bywoning oor DocType: Payment Request,Transaction Currency,Transaksie Geld DocType: Loan,Repayment Schedule,Terugbetalingskedule apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Skep Voorbeeld Bewaar Voorraad Invoer @@ -2421,6 +2443,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Salarisstruktuu DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Sluitingsbewysbelasting apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Aksie Initialised DocType: POS Profile,Applicable for Users,Toepaslik vir gebruikers +,Delayed Order Report,Vertraagde bestellingsverslag DocType: Training Event,Exam,eksamen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Onjuiste aantal algemene grootboekinskrywings gevind. U het moontlik 'n verkeerde rekening in die transaksie gekies. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Verkope Pyplyn @@ -2435,10 +2458,11 @@ DocType: Account,Round Off,Afrond DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Voorwaardes sal op al die gekose items gekombineer word. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,instel DocType: Hotel Room,Capacity,kapasiteit +DocType: Employee Checkin,Shift End,Skof Einde DocType: Installation Note Item,Installed Qty,Geïnstalleerde hoeveelheid apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} van Item {1} is gedeaktiveer. DocType: Hotel Room Reservation,Hotel Reservation User,Hotel besprekingsgebruiker -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Werkdag is twee keer herhaal +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Diensvlakooreenkoms met entiteitstipe {0} en entiteit {1} bestaan reeds. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Itemgroep nie genoem in itemmeester vir item {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Naam fout: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Territory is nodig in POS-profiel @@ -2486,6 +2510,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Skedule Datum DocType: Packing Slip,Package Weight Details,Pakket Gewig Besonderhede DocType: Job Applicant,Job Opening,Beskikbare pos +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Laaste Bekende Suksesvolle Sync van Werknemer Checkin. Stel dit slegs op as jy seker is dat alle logs van al die plekke gesinkroniseer word. Moet dit asseblief nie verander as jy onseker is nie. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Werklike Koste apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Totale voorskot ({0}) teen Bestelling {1} kan nie groter wees as die Grand Total ({2}) nie. apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Itemvariante is opgedateer @@ -2530,6 +2555,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Verwysing Aankoop Ontvang apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Kry Invocies DocType: Tally Migration,Is Day Book Data Imported,Is dagboekdata ingevoer ,Sales Partners Commission,Verkope Vennootskommissie +DocType: Shift Type,Enable Different Consequence for Early Exit,Aktiveer verskillende gevolge vir vroeë uitgang apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Wettig DocType: Loan Application,Required by Date,Vereis volgens datum DocType: Quiz Result,Quiz Result,Quiz Resultaat @@ -2589,7 +2615,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finansië DocType: Pricing Rule,Pricing Rule,Prysreël apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Opsionele vakansie lys nie vir verlofperiode gestel nie {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Stel asseblief gebruikers-ID-veld in 'n werknemer-rekord om werknemersrol in te stel -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Tyd om op te los DocType: Training Event,Training Event,Opleidingsgebeurtenis DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normale rustende bloeddruk in 'n volwassene is ongeveer 120 mmHg sistolies en 80 mmHg diastolies, afgekort "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Stelsel sal al die inskrywings haal indien limietwaarde nul is. @@ -2633,6 +2658,7 @@ DocType: Woocommerce Settings,Enable Sync,Aktiveer sinkronisering DocType: Student Applicant,Approved,goedgekeur apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Vanaf datum moet binne die fiskale jaar wees. Aanvaar vanaf datum = {0} 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. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} is 'n ongeldige bywoningsstatus. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Tydelike Openingsrekening DocType: Purchase Invoice,Cash/Bank Account,Kontant / Bankrekening DocType: Quality Meeting Table,Quality Meeting Table,Kwaliteit Vergadering Tabel @@ -2668,6 +2694,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Kos, drank en tabak" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kursusskedule DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Item Wise Tax Detail +DocType: Shift Type,Attendance will be marked automatically only after this date.,Bywoning sal eers na hierdie datum outomaties gemerk word. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Voorsienings aan UIN-houers apps/erpnext/erpnext/hooks.py,Request for Quotations,Versoek vir kwotasies 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 met 'n ander geldeenheid gebruik is nie @@ -2715,7 +2742,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Is item van hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kwaliteitsprosedure. DocType: Share Balance,No of Shares,Aantal Aandele -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ry {0}: Aantal nie beskikbaar vir {4} in pakhuis {1} by die plasing van die inskrywing ({2} {3}) DocType: Quality Action,Preventive,voorkomende DocType: Support Settings,Forum URL,Forum URL apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Werknemer en Bywoning @@ -2936,7 +2962,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Kortingstipe DocType: Hotel Settings,Default Taxes and Charges,Verstekbelasting en heffings apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Dit is gebaseer op transaksies teen hierdie verskaffer. Sien die tydlyn hieronder vir besonderhede apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Maksimum voordeelbedrag van werknemer {0} oorskry {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Tik die begin en einddatum vir die ooreenkoms. DocType: Delivery Note Item,Against Sales Invoice,Teen Verkoopfaktuur DocType: Loyalty Point Entry,Purchase Amount,Aankoopbedrag apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Kan nie as verlore gestel word nie aangesien verkoopsbestelling gemaak is. @@ -2960,7 +2985,7 @@ DocType: Homepage,"URL for ""All Products""",URL vir "Alle Produkte" DocType: Lead,Organization Name,Organisasie Naam apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Geldigheid van en geldig tot velde is verpligtend vir die kumulatiewe apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Ry # {0}: lotnommer moet dieselfde wees as {1} {2} -DocType: Employee,Leave Details,Los besonderhede +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Voorraadtransaksies voor {0} word gevries DocType: Driver,Issuing Date,Uitreikingsdatum apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,versoeker @@ -3005,9 +3030,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Kontantvloeiskaartmalletjie besonderhede apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Werwing en opleiding DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Grasperiode instellings vir outomatiese bywoning apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Van Geld en Geld kan nie dieselfde wees nie apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,farmaseutiese DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Ondersteuningstye apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} is gekanselleer of gesluit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Ry {0}: Voorskot teen kliënt moet krediet wees apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Groep deur Voucher (Gekonsolideerde) @@ -3116,6 +3143,7 @@ DocType: Asset Repair,Repair Status,Herstel Status DocType: Territory,Territory Manager,Territory Manager DocType: Lab Test,Sample ID,Voorbeeld ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Mandjie is leeg +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Bywoning is gemerk soos per werknemersinsoeke apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Bate {0} moet ingedien word ,Absent Student Report,Afwesige Studenteverslag apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Ingesluit in bruto wins @@ -3123,7 +3151,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,P DocType: Travel Request Costing,Funded Amount,Gefinansierde Bedrag apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} is nie ingedien nie, sodat die aksie nie voltooi kan word nie" DocType: Subscription,Trial Period End Date,Proefperiode Einddatum +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Wisselende inskrywings as IN en OUT tydens dieselfde skof DocType: BOM Update Tool,The new BOM after replacement,Die nuwe BOM na vervanging +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Verskaffer> Verskaffer Soort apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Item 5 DocType: Employee,Passport Number,Paspoortnommer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Tydelike opening @@ -3239,6 +3269,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Sleutelverslae apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Moontlike Verskaffer ,Issued Items Against Work Order,Uitgereik Items Teen Werk Orde apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Skep {0} faktuur +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Installeer asseblief die Instrukteur Naming Stelsel in Onderwys> Onderwys instellings DocType: Student,Joining Date,Aansluitingsdatum apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Versoek webwerf DocType: Purchase Invoice,Against Expense Account,Teen koste rekening @@ -3278,6 +3309,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Toepaslike koste ,Point of Sale,Punt van koop DocType: Authorization Rule,Approving User (above authorized value),Goedkeuring gebruiker (bo gemagtigde waarde) +DocType: Service Level Agreement,Entity,entiteit apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Bedrag {0} {1} oorgedra vanaf {2} na {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Kliënt {0} behoort nie aan projek nie {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Van Party Naam @@ -3324,6 +3356,7 @@ DocType: Asset,Opening Accumulated Depreciation,Opening Opgehoopte Waardevermind DocType: Soil Texture,Sand Composition (%),Sand Komposisie (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Voer dagboekdata in +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series vir {0} via Setup> Settings> Naming Series DocType: Asset,Asset Owner Company,Bate Eienaar Maatskappy apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Koste sentrum is nodig om 'n koste-eis te bespreek apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} geldige reeksnommers vir item {1} @@ -3384,7 +3417,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Bate-eienaar apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Pakhuis is verpligtend vir voorraad Item {0} in ry {1} DocType: Stock Entry,Total Additional Costs,Totale addisionele koste -DocType: Marketplace Settings,Last Sync On,Laaste sinchroniseer op 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 tariewe en tariewe tabel DocType: Asset Maintenance Team,Maintenance Team Name,Onderhoudspannaam apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Grafiek van kostesentrums @@ -3400,12 +3432,12 @@ DocType: Sales Order Item,Work Order Qty,Werk Bestel Aantal DocType: Job Card,WIP Warehouse,WIP Warehouse DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Gebruiker ID nie ingestel vir Werknemer {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Beskikbare hoeveelheid is {0}, jy benodig {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Gebruiker {0} geskep DocType: Stock Settings,Item Naming By,Item Naming By apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,bestel 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. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materiaalversoek {0} word gekanselleer of gestop +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Streng gebaseer op Log Type in Werknemer Checkin DocType: Purchase Order Item Supplied,Supplied Qty,Voorsien Aantal DocType: Cash Flow Mapper,Cash Flow Mapper,Kontantvloeimapper DocType: Soil Texture,Sand,sand @@ -3464,6 +3496,7 @@ DocType: Lab Test Groups,Add new line,Voeg nuwe reël by apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Duplikaat item groep gevind in die item groep tabel apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Jaarlikse salaris DocType: Supplier Scorecard,Weighting Function,Gewig Funksie +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Gespreksfaktor ({0} -> {1}) nie gevind vir item nie: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Kon nie die kriteria formule evalueer nie ,Lab Test Report,Lab Test Report DocType: BOM,With Operations,Met bedrywighede @@ -3477,6 +3510,7 @@ DocType: Expense Claim Account,Expense Claim Account,Koste-eisrekening apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Geen terugbetalings beskikbaar vir Joernaalinskrywings nie apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} is onaktiewe student apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Maak voorraadinskrywing +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM recursion: {0} kan nie ouer of kind van {1} wees nie DocType: Employee Onboarding,Activities,aktiwiteite apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Ten minste een pakhuis is verpligtend ,Customer Credit Balance,Krediet Krediet Saldo @@ -3489,9 +3523,11 @@ DocType: Supplier Scorecard Period,Variables,Veranderlikes apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Meervoudige lojaliteitsprogram vir die kliënt. Kies asseblief handmatig. DocType: Patient,Medication,medikasie apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Kies Lojaliteitsprogram +DocType: Employee Checkin,Attendance Marked,Bywoning gemerk apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Grondstowwe DocType: Sales Order,Fully Billed,Volledig gefaktureer 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/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Kies slegs een prioriteit as verstek. 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} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Totale Krediet / Debietbedrag moet dieselfde wees as gekoppelde Joernaalinskrywing DocType: Purchase Invoice Item,Is Fixed Asset,Is vaste bate @@ -3512,6 +3548,7 @@ DocType: Purpose of Travel,Purpose of Travel,Doel van reis DocType: Healthcare Settings,Appointment Confirmation,Aanstelling Bevestiging DocType: Shopping Cart Settings,Orders,bestellings DocType: HR Settings,Retirement Age,Aftree-ouderdom +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel asseblief nommersreeks vir Bywoning via Setup> Numbering Series apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Geprojekteerde hoeveelheid apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Skrapping is nie toegelaat vir land {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Ry # {0}: Bate {1} is reeds {2} @@ -3595,11 +3632,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,rekenmeester apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS sluitingsbewys bestaan alreeds vir {0} tussen datum {1} en {2} apps/erpnext/erpnext/config/help.py,Navigating,opgevolg +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Geen uitstaande fakture vereis herwaardasie van wisselkoerse nie DocType: Authorization Rule,Customer / Item Name,Kliënt / Item Naam apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nuwe reeksnommer kan nie pakhuis hê nie. Pakhuis moet ingestel word deur Voorraadinskrywing of Aankoop Ontvangst DocType: Issue,Via Customer Portal,Via Customer Portal DocType: Work Order Operation,Planned Start Time,Beplande aanvangstyd apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} is {2} +DocType: Service Level Priority,Service Level Priority,Diensvlakprioriteit 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" apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Deel Grootboek DocType: Journal Entry,Accounts Payable,Rekeninge betaalbaar @@ -3710,7 +3749,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Aflewering aan DocType: Bank Statement Transaction Settings Item,Bank Data,Bankdata apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Geskeduleerde Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Handhaaf Billing Ure en Werksure Dieselfde op die Tydskrif apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Baan lei deur die leidingsbron. DocType: Clinical Procedure,Nursing User,Verpleegkundige gebruiker DocType: Support Settings,Response Key List,Reaksie Sleutellys @@ -3877,6 +3915,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Werklike Aanvangstyd DocType: Antibiotic,Laboratory User,Laboratoriumgebruiker apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Aanlyn veilings +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioriteit {0} is herhaal. DocType: Fee Schedule,Fee Creation Status,Fee Creation Status apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Softwares apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Verkooporder tot Betaling @@ -3943,6 +3982,7 @@ DocType: Patient Encounter,In print,In druk apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Kon nie inligting vir {0} ophaal nie. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Faktureer geldeenheid moet gelyk wees aan óf die standaardmaatskappy se geldeenheid- of partyrekeningmunt 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 +DocType: Shift Type,Early Exit Consequence after,Vroeë afrit gevolg na apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Skep Openingsverkoops- en Aankoopfakture DocType: Disease,Treatment Period,Behandelingsperiode apps/erpnext/erpnext/config/settings.py,Setting up Email,E-pos opstel @@ -3960,7 +4000,6 @@ DocType: Employee Skill Map,Employee Skills,Werknemersvaardighede apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Studente naam: DocType: SMS Log,Sent On,Gestuur DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Verkoopsfaktuur -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Reaksie Tyd kan nie groter wees as resolusie tyd nie DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Vir Kursusgebaseerde Studentegroep, sal die Kursus vir elke Student van die ingeskrewe Kursusse in Programinskrywing bekragtig word." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Intra-staat Supplies DocType: Employee,Create User Permission,Skep gebruikertoestemming @@ -3999,6 +4038,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standaardkontrakvoorwaardes vir Verkope of Aankope. DocType: Sales Invoice,Customer PO Details,Kliënt PO Besonderhede apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pasiënt nie gevind nie +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Kies 'n verstekprioriteit. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Verwyder item indien koste nie van toepassing is op daardie item nie apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,'N Kliëntegroep bestaan met dieselfde naam. Verander asseblief die Kliënt se naam of verander die naam van die Kliëntegroep 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. @@ -4038,6 +4078,7 @@ DocType: Quality Goal,Quality Goal,Kwaliteit doelwit DocType: Support Settings,Support Portal,Ondersteuningsportaal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Einddatum van taak {0} kan nie minder wees nie as {1} verwagte begindatum {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Werknemer {0} is op verlof op {1} +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} DocType: Employee,Held On,Aangehou DocType: Healthcare Practitioner,Practitioner Schedules,Praktisynskedules DocType: Project Template Task,Begin On (Days),Begin op (Dae) @@ -4045,6 +4086,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Werkorder is {0} DocType: Inpatient Record,Admission Schedule Date,Toelatingskedule Datum apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Batewaarde aanpassing +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Merk bywoning gebaseer op 'Werknemer Checkin' vir Werknemers wat aan hierdie skof toegewys is. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Voorsienings aan ongeregistreerde persone apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Alle Werk DocType: Appointment Type,Appointment Type,Aanstellingstipe @@ -4158,7 +4200,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P 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: Plant Analysis,Laboratory Testing Datetime,Laboratorietoetsingstyd apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Die item {0} kan nie Batch hê nie -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Verkope Pyplyn per stadium apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Studentegroep Sterkte DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bankstaat Transaksieinskrywing DocType: Purchase Order,Get Items from Open Material Requests,Kry items van oop materiaalversoeke @@ -4240,7 +4281,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Wys Veroudering Warehouse-wyse DocType: Sales Invoice,Write Off Outstanding Amount,Skryf af Uitstaande bedrag DocType: Payroll Entry,Employee Details,Werknemersbesonderhede -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Begin Tyd kan nie groter wees as eindtyd vir {0}. DocType: Pricing Rule,Discount Amount,Korting Bedrag DocType: Healthcare Service Unit Type,Item Details,Itembesonderhede apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Duplikaat Belasting Verklaring van {0} vir tydperk {1} @@ -4292,7 +4332,7 @@ DocType: Global Defaults,Disable In Words,Deaktiveer in woorde DocType: Customer,CUST-.YYYY.-,Cust-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Netto salaris kan nie negatief wees nie apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Geen interaksies nie -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,verskuiwing +DocType: Attendance,Shift,verskuiwing apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Verwerking van Kaart van Rekeninge en Partye DocType: Stock Settings,Convert Item Description to Clean HTML,Omskep itembeskrywing om HTML skoon te maak apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alle Verskaffersgroepe @@ -4362,6 +4402,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Werknemer Aan DocType: Healthcare Service Unit,Parent Service Unit,Ouer Diens Eenheid DocType: Sales Invoice,Include Payment (POS),Sluit Betaling (POS) in apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Private ekwiteit +DocType: Shift Type,First Check-in and Last Check-out,Eerste Check-in en Laaste Check-out DocType: Landed Cost Item,Receipt Document,Kwitansie Dokument DocType: Supplier Scorecard Period,Supplier Scorecard Period,Verskaffer Scorecard Periode DocType: Employee Grade,Default Salary Structure,Standaard Salarisstruktuur @@ -4444,6 +4485,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Skep aankoopbestelling apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definieer begroting vir 'n finansiële jaar. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Rekeningtabel kan nie leeg wees nie. +DocType: Employee Checkin,Entry Grace Period Consequence,Inskrywing Grace Period Gevolg ,Payment Period Based On Invoice Date,Betalingsperiode gebaseer op faktuurdatum apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Installasiedatum kan nie voor afleweringsdatum vir Item {0} wees nie. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Skakel na Materiaal Versoek @@ -4452,6 +4494,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapped Data T apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Ry {0}: 'n Herbestellinginskrywing bestaan reeds vir hierdie pakhuis {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Datum DocType: Monthly Distribution,Distribution Name,Verspreidingsnaam +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Werkdag {0} is herhaal. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Groep na Nie-Groep apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Werk aan die gang. Dit kan 'n rukkie neem. DocType: Item,"Example: ABCD.##### @@ -4464,6 +4507,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Brandstof Aantal apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Voog 1 Mobiele Nr DocType: Invoice Discounting,Disbursed,uitbetaal +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Tyd na die einde van die skof waartydens u uitkyk vir bywoning oorweeg word. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Netto verandering in rekeninge betaalbaar apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Nie beskikbaar nie apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Deeltyds @@ -4477,7 +4521,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potensi apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Wys PDC in Print apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Verskaffer DocType: POS Profile User,POS Profile User,POS Profiel gebruiker -DocType: Student,Middle Name,Middelnaam DocType: Sales Person,Sales Person Name,Verkoop Persoon Naam DocType: Packing Slip,Gross Weight,Totale gewig DocType: Journal Entry,Bill No,Wetsontwerp Nr @@ -4486,7 +4529,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nuwe DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Diensvlakooreenkoms -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Kies asseblief Werknemer en Datum eerste apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Itemwaardasiekoers word herbereken na oorweging van die koste van die gelde kosprys DocType: Timesheet,Employee Detail,Werknemersbesonderhede DocType: Tally Migration,Vouchers,geskenkbewyse @@ -4521,7 +4563,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Diensvlakooreenk DocType: Additional Salary,Date on which this component is applied,Datum waarop hierdie komponent toegepas word apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Lys van beskikbare Aandeelhouers met folio nommers apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup Gateway rekeninge. -DocType: Service Level,Response Time Period,Reaksie Tyd Periode +DocType: Service Level Priority,Response Time Period,Reaksie Tyd Periode DocType: Purchase Invoice,Purchase Taxes and Charges,Koopbelasting en heffings DocType: Course Activity,Activity Date,Aktiwiteitsdatum apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Kies of voeg nuwe kliënt by @@ -4546,6 +4588,7 @@ DocType: Sales Person,Select company name first.,Kies die maatskappy se naam eer apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Finansiële jaar DocType: Sales Invoice Item,Deferred Revenue,Uitgestelde Inkomste apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Ten minste een van die verkope of koop moet gekies word +DocType: Shift Type,Working Hours Threshold for Half Day,Werksure Drempel vir Halfdag ,Item-wise Purchase History,Item-wyse Aankoop Geskiedenis apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Kan nie diensstopdatum vir item in ry {0} verander nie DocType: Production Plan,Include Subcontracted Items,Sluit onderaannemerte items in @@ -4578,6 +4621,7 @@ DocType: Journal Entry,Total Amount Currency,Totale Bedrag Geld DocType: BOM,Allow Same Item Multiple Times,Laat dieselfde item meervoudige tye toe apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Skep BOM DocType: Healthcare Practitioner,Charges,koste +DocType: Employee,Attendance and Leave Details,Bywoning en Verlofbesonderhede DocType: Student,Personal Details,Persoonlike inligting DocType: Sales Order,Billing and Delivery Status,Rekening- en afleweringsstatus apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Ry {0}: Vir verskaffer {0} E-pos adres is nodig om e-pos te stuur @@ -4629,7 +4673,6 @@ DocType: Bank Guarantee,Supplier,verskaffer apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Gee waarde tussen {0} en {1} DocType: Purchase Order,Order Confirmation Date,Bestel Bevestigingsdatum DocType: Delivery Trip,Calculate Estimated Arrival Times,Bereken die beraamde aankomstye -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Installeer asseblief die werknemersnaamstelsel in menslike hulpbronne> HR-instellings apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,verbruikbare DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Inskrywing begin datum @@ -4652,7 +4695,7 @@ DocType: Installation Note Item,Installation Note Item,Installasie Nota Item DocType: Journal Entry Account,Journal Entry Account,Tydskrifinskrywingsrekening apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variant apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Forum Aktiwiteit -DocType: Service Level,Resolution Time Period,Resolusie Tyd Periode +DocType: Service Level Priority,Resolution Time Period,Resolusie Tyd Periode DocType: Request for Quotation,Supplier Detail,Verskaffer Detail DocType: Project Task,View Task,Bekyk Taak DocType: Serial No,Purchase / Manufacture Details,Aankoop- / Vervaardigingsbesonderhede @@ -4719,6 +4762,7 @@ DocType: Sales Invoice,Commission Rate (%),Kommissie Koers (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Pakhuis kan slegs verander word via Voorraadinskrywing / Afleweringsnota / Aankoop Ontvangst DocType: Support Settings,Close Issue After Days,Beslote uitgawe na dae DocType: Payment Schedule,Payment Schedule,Betalingskedule +DocType: Shift Type,Enable Entry Grace Period,Aktiveer Inskrywingsperiode DocType: Patient Relation,Spouse,eggenoot DocType: Purchase Invoice,Reason For Putting On Hold,Rede vir die aanskakel DocType: Item Attribute,Increment,inkrement @@ -4857,6 +4901,7 @@ DocType: Authorization Rule,Customer or Item,Kliënt of Item DocType: Vehicle Log,Invoice Ref,Faktuur Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-vorm is nie van toepassing op faktuur nie: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Invoice Created +DocType: Shift Type,Early Exit Grace Period,Vroeguitgang Grace Period DocType: Patient Encounter,Review Details,Hersien Besonderhede apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Ry {0}: Ure waarde moet groter as nul wees. DocType: Account,Account Number,Rekening nommer @@ -4868,7 +4913,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Toepaslik indien die maatskappy SpA, SApA of SRL is" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Oorvleuelende toestande tussen: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Betaal en nie afgelewer nie -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Item Kode is verpligtend omdat Item nie outomaties genommer is nie DocType: GST HSN Code,HSN Code,HSN-kode DocType: GSTR 3B Report,September,September apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administratiewe uitgawes @@ -4904,6 +4948,8 @@ DocType: Travel Itinerary,Travel From,Reis Van apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP rekening DocType: SMS Log,Sender Name,Sender Naam DocType: Pricing Rule,Supplier Group,Verskaffersgroep +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Stel begin tyd en eindtyd vir \ Ondersteuningsdag {0} by indeks {1}. DocType: Employee,Date of Issue,Datum van uitreiking ,Requested Items To Be Transferred,Gevraagde items wat oorgedra moet word DocType: Employee,Contract End Date,Kontrak Einddatum @@ -4914,6 +4960,7 @@ DocType: Healthcare Service Unit,Vacant,vakante DocType: Opportunity,Sales Stage,Verkoopsfase DocType: Sales Order,In Words will be visible once you save the Sales Order.,In Woorde sal sigbaar wees sodra jy die verkoopsbestelling stoor. DocType: Item Reorder,Re-order Level,Herbestel vlak +DocType: Shift Type,Enable Auto Attendance,Aktiveer outomatiese bywoning apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,voorkeur ,Department Analytics,Departement Analytics DocType: Crop,Scientific Name,Wetenskaplike Naam @@ -4926,6 +4973,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} status is {2} DocType: Quiz Activity,Quiz Activity,Quiz-aktiwiteit apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} is nie in 'n geldige betaalstaat nie DocType: Timesheet,Billed,billed +apps/erpnext/erpnext/config/support.py,Issue Type.,Uitgawe Tipe. DocType: Restaurant Order Entry,Last Sales Invoice,Laaste Verkoopfaktuur DocType: Payment Terms Template,Payment Terms,Betalingsvoorwaardes apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Gereserveerde hoeveelheid: Hoeveelheid bestel te koop, maar nie afgelewer nie." @@ -5021,6 +5069,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,bate apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} het nie 'n gesondheidsorgpraktisynskedule nie. Voeg dit by in die Gesondheidsorgpraktisynmeester DocType: Vehicle,Chassis No,Chassisnr +DocType: Employee,Default Shift,Verstekverskuiwing apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Maatskappy Afkorting apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Boom van die materiaal DocType: Article,LMS User,LMS gebruiker @@ -5069,6 +5118,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Ouer Verkoopspersoon DocType: Student Group Creation Tool,Get Courses,Kry kursusse apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ry # {0}: Hoeveelheid moet 1 wees, aangesien item 'n vaste bate is. Gebruik asseblief aparte ry vir veelvuldige aantal." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Werksure onder waarvan Afwesig gemerk is. (Nul om uit te skakel) DocType: Customer Group,Only leaf nodes are allowed in transaction,Slegs blaar nodusse word in transaksie toegelaat DocType: Grant Application,Organization,organisasie DocType: Fee Category,Fee Category,Fee Kategorie @@ -5081,6 +5131,7 @@ DocType: Payment Order,PMO-,PMO- 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: Volunteer,Morning,oggend DocType: Quotation Item,Quotation Item,Kwotasie Item +apps/erpnext/erpnext/config/support.py,Issue Priority.,Uitgawe Prioriteit. DocType: Journal Entry,Credit Card Entry,Kredietkaartinskrywing apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tydsleuf oorgedra, die gleuf {0} tot {1} oorvleuel wat slot {2} tot {3}" DocType: Journal Entry Account,If Income or Expense,As Inkomste of Uitgawe @@ -5129,11 +5180,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Data invoer en instellings 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: Account,Expense Account,Uitgawe rekening +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Die tyd voor die verskuiwingstydsduur waartydens Werknemer-inskrywing vir bywoning oorweeg word. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Verhouding met Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Skep faktuur apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Betaling Versoek bestaan reeds {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Werknemer verlig op {0} moet gestel word as 'Links' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Betaal {0} {1} +DocType: Company,Sales Settings,Verkope instellings DocType: Sales Order Item,Produced Quantity,Geproduceerde Hoeveelheid apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Die aanvraag vir kwotasie kan verkry word deur op die volgende skakel te kliek DocType: Monthly Distribution,Name of the Monthly Distribution,Naam van die Maandelikse Verspreiding @@ -5212,6 +5265,7 @@ DocType: Company,Default Values,Verstekwaardes apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standaard belasting sjablonen vir verkoop en aankoop word gemaak. 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/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Debiet Vir rekening moet 'n Ontvangbare rekening wees +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Einddatum van Ooreenkoms kan nie minder wees as vandag nie. apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Stel asseblief rekening in pakhuis {0} of verstekvoorraadrekening in maatskappy {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Stel as standaard DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Die netto gewig van hierdie pakket. (bereken outomaties as som van netto gewig van items) @@ -5238,8 +5292,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,B apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Vervaldatums DocType: Shipping Rule,Shipping Rule Type,Versending Reël Tipe DocType: Job Offer,Accepted,aanvaar -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Skrap asseblief die Werknemer {0} \ om hierdie dokument te kanselleer" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,U het reeds geassesseer vir die assesseringskriteria (). apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Kies lotnommer apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Ouderdom (Dae) @@ -5266,6 +5318,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Kies jou domeine DocType: Agriculture Task,Task Name,Taaknaam 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Skrap asseblief die Werknemer {0} \ om hierdie dokument te kanselleer" ,Amount to Deliver,Bedrag om te lewer apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Maatskappy {0} bestaan nie apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Geen hangende materiaal versoeke gevind om te skakel vir die gegewe items. @@ -5314,6 +5368,7 @@ DocType: Program Enrollment,Enrolled courses,Ingeskrewe kursusse DocType: Lab Prescription,Test Code,Toets Kode DocType: Purchase Taxes and Charges,On Previous Row Total,Op vorige ry Totaal DocType: Student,Student Email Address,Student e-pos adres +,Delayed Item Report,Vertraagde Item Verslag DocType: Academic Term,Education,onderwys DocType: Supplier Quotation,Supplier Address,Verskaffer Adres DocType: Salary Detail,Do not include in total,Sluit nie in totaal in nie @@ -5321,7 +5376,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} bestaan nie DocType: Purchase Receipt Item,Rejected Quantity,Afgekeurde hoeveelheid DocType: Cashier Closing,To TIme,Om te keer -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Gespreksfaktor ({0} -> {1}) nie gevind vir item nie: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Daaglikse werkopsomminggroepgebruiker DocType: Fiscal Year Company,Fiscal Year Company,Fiskale Jaar Maatskappy apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternatiewe item mag nie dieselfde wees as die itemkode nie @@ -5373,6 +5427,7 @@ DocType: Program Fee,Program Fee,Programfooi DocType: Delivery Settings,Delay between Delivery Stops,Vertraag tussen afleweringstoppies DocType: Stock Settings,Freeze Stocks Older Than [Days],Vries Voorrade Ouer As [Dae] DocType: Promotional Scheme,Promotional Scheme Product Discount,Promosie skema produk afslag +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Uitgawe Prioriteit bestaan reeds DocType: Account,Asset Received But Not Billed,Bate ontvang maar nie gefaktureer nie DocType: POS Closing Voucher,Total Collected Amount,Totale Versamelde Bedrag DocType: Course,Default Grading Scale,Standaard Gradering Skaal @@ -5415,6 +5470,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Vervolgingsvoorwaardes apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Nie-Groep tot Groep DocType: Student Guardian,Mother,moeder +DocType: Issue,Service Level Agreement Fulfilled,Diensvlakooreenkoms Vervul DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Aftrekbelasting vir Onopgeëiste Werknemervoordele DocType: Travel Request,Travel Funding,Reisbefondsing DocType: Shipping Rule,Fixed,vaste @@ -5444,10 +5500,12 @@ DocType: Item,Warranty Period (in days),Waarborg tydperk (in dae) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Geen items gevind nie. DocType: Item Attribute,From Range,Van Reeks DocType: Clinical Procedure,Consumables,Consumables +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' en 'timestamp' word vereis. DocType: Purchase Taxes and Charges,Reference Row #,Verwysingsreeks # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Stel asseblief 'Bate Waardevermindering Koste Sentrum' in Maatskappy {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Ry # {0}: Betalingsdokument word benodig om die trekking te voltooi DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Klik op hierdie knoppie om jou verkoopsbeveldata van Amazon MWS te trek. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Werksure onder watter Halfdag gemerk is. (Nul om uit te skakel) ,Assessment Plan Status,Assesseringsplan Status apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Kies asseblief eers {0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Dien dit in om die Werknemers rekord te skep @@ -5518,6 +5576,7 @@ DocType: Quality Procedure,Parent Procedure,Ouerprosedure apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Stel oop apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Wissel filters DocType: Production Plan,Material Request Detail,Materiaal Versoek Detail +DocType: Shift Type,Process Attendance After,Proses Bywoning Na DocType: Material Request Item,Quantity and Warehouse,Hoeveelheid en pakhuis apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Gaan na Programme apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Ry # {0}: Duplikaatinskrywing in Verwysings {1} {2} @@ -5575,6 +5634,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Party inligting apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debiteure ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Tot op hede kan nie groter as werknemer se ontslagdatum nie +DocType: Shift Type,Enable Exit Grace Period,Aktiveer uittree-grasietydperk DocType: Expense Claim,Employees Email Id,Werknemers E-pos ID DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Werk prys vanaf Shopify na ERPNext Pryslys DocType: Healthcare Settings,Default Medical Code Standard,Standaard Mediese Kode Standaard @@ -5605,7 +5665,6 @@ DocType: Item Group,Item Group Name,Itemgroep Naam DocType: Budget,Applicable on Material Request,Van toepassing op materiaal versoek DocType: Support Settings,Search APIs,Soek API's DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Oorproduksie persentasie vir verkoopsbestelling -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,spesifikasies DocType: Purchase Invoice,Supplied Items,Voorsien Items DocType: Leave Control Panel,Select Employees,Kies Werknemers apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Kies rentekoersrekening in lening {0} @@ -5631,7 +5690,7 @@ DocType: Salary Slip,Deductions,aftrekkings ,Supplier-Wise Sales Analytics,Verskaffer-Wise Sales Analytics DocType: GSTR 3B Report,February,Februarie DocType: Appraisal,For Employee,Vir Werknemer -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Werklike Afleweringsdatum +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Werklike Afleweringsdatum DocType: Sales Partner,Sales Partner Name,Verkope Vennoot Naam DocType: GST HSN Code,Regional,plaaslike DocType: Lead,Lead is an Organization,Lood is 'n organisasie @@ -5669,6 +5728,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Aks DocType: Supplier Scorecard,Supplier Scorecard,Verskaffer Scorecard DocType: Travel Itinerary,Travel To,Reis na apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Puntbywoning +DocType: Shift Type,Determine Check-in and Check-out,Bepaal Check-in en Check-out DocType: POS Closing Voucher,Difference,verskil apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,klein DocType: Work Order Item,Work Order Item,Werk bestelling Item @@ -5702,6 +5762,7 @@ DocType: Sales Invoice,Shipping Address Name,Posadres apps/erpnext/erpnext/healthcare/setup.py,Drug,dwelm apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} is gesluit DocType: Patient,Medical History,Mediese geskiedenis +DocType: Expense Claim,Expense Taxes and Charges,Uitgawe Belasting en Heffings DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Aantal dae na faktuurdatum het verloop voordat u intekening of inskrywing vir inskrywing as onbetaalde kansellasie kanselleer apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Installasie Nota {0} is reeds ingedien DocType: Patient Relation,Family,familie @@ -5734,7 +5795,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,krag apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} eenhede van {1} benodig in {2} om hierdie transaksie te voltooi. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush grondstowwe van subkontrakte gebaseer op -DocType: Bank Guarantee,Customer,kliënt DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Indien geaktiveer, sal die vak Akademiese Termyn verpligtend wees in die Programinskrywingsinstrument." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Vir Batch-gebaseerde Studentegroep sal die Studente-batch vir elke Student van die Programinskrywing bekragtig word. DocType: Course,Topics,onderwerpe @@ -5814,6 +5874,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Hoofletters DocType: Warranty Claim,Service Address,Diens Adres DocType: Journal Entry,Remark,opmerking +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ry {0}: Hoeveelheid nie beskikbaar vir {4} in pakhuis {1} by die plasing van die inskrywing ({2} {3}) DocType: Patient Encounter,Encounter Time,Ontmoetyd DocType: Serial No,Invoice Details,Faktuur besonderhede 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" @@ -5894,6 +5955,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","& apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Sluiting (Opening + Totaal) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriteria Formule apps/erpnext/erpnext/config/support.py,Support Analytics,Ondersteun Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Bywoningsapparaat ID (Biometriese / RF-tag ID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Hersien en Aksie DocType: Account,"If the account is frozen, entries are allowed to restricted users.","As die rekening gevries is, is inskrywings toegelaat vir beperkte gebruikers." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Bedrag na waardevermindering @@ -5915,6 +5977,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Lening Terugbetaling DocType: Employee Education,Major/Optional Subjects,Hoofvakke / Opsionele Vakke DocType: Soil Texture,Silt,slik +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Verskaffer Adresse en Kontakte DocType: Bank Guarantee,Bank Guarantee Type,Bank Waarborg Tipe DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","As gedeaktiveer, sal die veld 'Afgeronde Totaal' nie sigbaar wees in enige transaksie nie" DocType: Pricing Rule,Min Amt,Min Amt @@ -5952,6 +6015,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Invoeging van faktuurskeppings-item DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Sluit POS-transaksies in +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Geen Werknemer gevind vir die gegewe werknemer veldwaarde. '()': () DocType: Payment Entry,Received Amount (Company Currency),Ontvangde Bedrag (Maatskappy Geld) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage is vol, het nie gestoor nie" DocType: Chapter Member,Chapter Member,Hooflid @@ -5984,6 +6048,7 @@ DocType: SMS Center,All Lead (Open),Alle Lood (Oop) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Geen studentegroepe geskep nie. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Dupliseer ry {0} met dieselfde {1} DocType: Employee,Salary Details,Salaris Besonderhede +DocType: Employee Checkin,Exit Grace Period Consequence,Uittree Grace Period Gevolg DocType: Bank Statement Transaction Invoice Item,Invoice,faktuur DocType: Special Test Items,Particulars,Besonderhede apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Stel asseblief die filter op grond van item of pakhuis @@ -6084,6 +6149,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Uit AMC DocType: Job Opening,"Job profile, qualifications required etc.","Werkprofiel, kwalifikasies benodig ens." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Stuur na staat +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Wil u die materiaalversoek indien DocType: Opportunity Item,Basic Rate,Basiese tarief DocType: Compensatory Leave Request,Work End Date,Werk Einddatum apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Versoek vir grondstowwe @@ -6268,6 +6334,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Waardevermindering Bedrag DocType: Sales Order Item,Gross Profit,Bruto wins DocType: Quality Inspection,Item Serial No,Item Serienommer DocType: Asset,Insurer,versekeraar +DocType: Employee Checkin,OUT,UIT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Koopbedrag DocType: Asset Maintenance Task,Certificate Required,Sertifikaat benodig DocType: Retention Bonus,Retention Bonus,Retensie Bonus @@ -6382,6 +6449,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Verskilbedrag (Maats DocType: Invoice Discounting,Sanctioned,beboet DocType: Course Enrollment,Course Enrollment,Kursusinskrywing DocType: Item,Supplier Items,Verskaffer Items +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Begin Tyd kan nie groter as of gelyk wees aan eindtyd \ vir {0}. DocType: Sales Order,Not Applicable,Nie van toepassing nie DocType: Support Search Source,Response Options,Reaksie Opsies apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} moet 'n waarde tussen 0 en 100 wees @@ -6467,7 +6536,6 @@ DocType: Travel Request,Costing,kos apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Vaste Bates DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Totale verdienste -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kliënt> Kliëntegroep> Territorium DocType: Share Balance,From No,Van No DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betalingsversoeningfaktuur DocType: Purchase Invoice,Taxes and Charges Added,Belasting en heffings bygevoeg @@ -6575,6 +6643,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignoreer prysreël apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Kos DocType: Lost Reason Detail,Lost Reason Detail,Verlore Rede Besonderhede +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Die volgende reeksnommers is geskep:
{0} DocType: Maintenance Visit,Customer Feedback,Klient terugvoering DocType: Serial No,Warranty / AMC Details,Waarborg / AMC Besonderhede DocType: Issue,Opening Time,Openingstyd @@ -6624,6 +6693,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Maatskappy se naam is nie dieselfde nie apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Werknemersbevordering kan nie voor die Bevorderingsdatum ingedien word nie apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nie toegelaat om voorraadtransaksies ouer as {0} by te werk nie. +DocType: Employee Checkin,Employee Checkin,Werknemer Checkin 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} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Skep kliënt kwotasies DocType: Buying Settings,Buying Settings,Koop instellings @@ -6645,6 +6715,7 @@ DocType: Job Card Time Log,Job Card Time Log,Werkkaart Tydlog DocType: Patient,Patient Demographics,Pasiënt Demografie DocType: Share Transfer,To Folio No,Na Folio No apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Kontantvloei uit bedrywighede +DocType: Employee Checkin,Log Type,Log Type DocType: Stock Settings,Allow Negative Stock,Laat negatiewe voorraad toe apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Geen van die items het enige verandering in hoeveelheid of waarde nie. DocType: Asset,Purchase Date,Aankoop datum @@ -6688,6 +6759,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Baie Hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Kies die aard van jou besigheid. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Kies asseblief maand en jaar +DocType: Service Level,Default Priority,Verstek Prioriteit DocType: Student Log,Student Log,Studentelog DocType: Shopping Cart Settings,Enable Checkout,Aktiveer Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Menslike hulpbronne @@ -6716,7 +6788,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Koppel Shopify met ERPNext DocType: Homepage Section Card,Subtitle,Subtitle DocType: Soil Texture,Loam,leem -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Verskaffer> Verskaffer Soort DocType: BOM,Scrap Material Cost(Company Currency),Skrootmateriaal Koste (Maatskappy Geld) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Afleweringsnotasie {0} moet nie ingedien word nie DocType: Task,Actual Start Date (via Time Sheet),Werklike Aanvangsdatum (via Tydblad) @@ -6772,6 +6843,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,dosis DocType: Cheque Print Template,Starting position from top edge,Beginposisie van boonste rand apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Aanstelling Tydsduur (mins) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Hierdie werknemer het reeds 'n logboek met dieselfde tydskrif. {0} DocType: Accounting Dimension,Disable,afskakel DocType: Email Digest,Purchase Orders to Receive,Aankooporders om te ontvang apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Produksies Bestellings kan nie opgewek word vir: @@ -6787,7 +6859,6 @@ DocType: Production Plan,Material Requests,Materiële Versoeke DocType: Buying Settings,Material Transferred for Subcontract,Materiaal oorgedra vir subkontrakteur DocType: Job Card,Timing Detail,Tydsberekening apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Vereis Aan -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Voer {0} van {1} in DocType: Job Offer Term,Job Offer Term,Werksbydrae DocType: SMS Center,All Contact,Alle Kontak DocType: Project Task,Project Task,Projektaak @@ -6838,7 +6909,6 @@ DocType: Student Log,Academic,akademiese 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 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Uit staat DocType: Leave Type,Maximum Continuous Days Applicable,Maksimum Deurlopende Dae Toepaslik -apps/erpnext/erpnext/config/support.py,Support Team.,Ondersteuningspan. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Voer asseblief die maatskappy se naam eerste in apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Suksesvol invoer DocType: Guardian,Alternate Number,Alternatiewe Nommer @@ -6930,6 +7000,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Ry # {0}: Item bygevoeg DocType: Student Admission,Eligibility and Details,Geskiktheid en besonderhede DocType: Staffing Plan,Staffing Plan Detail,Personeelplanbesonderhede +DocType: Shift Type,Late Entry Grace Period,Laat inskrywingsperiode DocType: Email Digest,Annual Income,Jaarlikse inkomste DocType: Journal Entry,Subscription Section,Subskripsie afdeling DocType: Salary Slip,Payment Days,Betalingsdae @@ -6980,6 +7051,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Rekening balans DocType: Asset Maintenance Log,Periodicity,periodisiteit apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Mediese rekord +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Log Type is nodig vir inskrywings wat in die skof val: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Uitvoering DocType: Item,Valuation Method,Waardasie metode apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} teen Verkoopsfaktuur {1} @@ -7064,6 +7136,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Geskatte koste per pos DocType: Loan Type,Loan Name,Lening Naam apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Stel verstek wyse van betaling DocType: Quality Goal,Revision,hersiening +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Die tyd voor die skof eindtyd wanneer u uitstappie so vroeg (in minute) oorweeg word. DocType: Healthcare Service Unit,Service Unit Type,Diens Eenheidstipe DocType: Purchase Invoice,Return Against Purchase Invoice,Keer terug teen aankoopfaktuur apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Genereer Geheime @@ -7218,12 +7291,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,skoonheidsmiddels DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Kontroleer dit as u die gebruiker wil dwing om 'n reeks te kies voordat u dit stoor. Daar sal geen standaard wees as u dit kontroleer nie. 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 in te stel en rekeningkundige inskrywings teen bevrore rekeninge te skep / te verander +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Item Kode> Itemgroep> Handelsmerk DocType: Expense Claim,Total Claimed Amount,Totale eisbedrag 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 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Klaar maak apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,U kan net hernu indien u lidmaatskap binne 30 dae verstryk apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Waarde moet tussen {0} en {1} wees. DocType: Quality Feedback,Parameters,Grense +DocType: Shift Type,Auto Attendance Settings,Outomatiese Bywoningsinstellings ,Sales Partner Transaction Summary,Verkope Vennoot Transaksie Opsomming DocType: Asset Maintenance,Maintenance Manager Name,Onderhoud Bestuurder Naam apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Dit is nodig om Itembesonderhede te gaan haal. @@ -7315,10 +7390,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Bevestig Toegepaste Reël DocType: Job Card Item,Job Card Item,Poskaart Item DocType: Homepage,Company Tagline for website homepage,Maatskappynaam vir webwerf tuisblad +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Stel reaksie tyd en resolusie vir prioriteit {0} by indeks {1}. DocType: Company,Round Off Cost Center,Rondom Koste Sentrum DocType: Supplier Scorecard Criteria,Criteria Weight,Kriteria Gewig DocType: Asset,Depreciation Schedules,Waardeverminderingskedules -DocType: Expense Claim Detail,Claim Amount,Eisbedrag DocType: Subscription,Discounts,afslag DocType: Shipping Rule,Shipping Rule Conditions,Posbusvoorwaardes DocType: Subscription,Cancelation Date,Kansellasie Datum @@ -7346,7 +7421,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Skep Leads apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Toon zero waardes DocType: Employee Onboarding,Employee Onboarding,Werknemer aan boord DocType: POS Closing Voucher,Period End Date,Periode Einddatum -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Verkoopsgeleenthede deur Bron DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Die eerste verlof goedkeur in die lys sal as die verstek verlof aanvaar word. DocType: POS Settings,POS Settings,Posinstellings apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Alle rekeninge @@ -7367,7 +7441,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ry # {0}: Die tarief moet dieselfde wees as {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-KPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Gesondheidsorg Diens Items -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Geen rekords gevind apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Veroudering Range 3 DocType: Vital Signs,Blood Pressure,Bloeddruk 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 @@ -7414,6 +7487,7 @@ DocType: Company,Existing Company,Bestaande Maatskappy apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,groepe apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,verdediging DocType: Item,Has Batch No,Het lotnommer +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Vertraagde Dae DocType: Lead,Person Name,Persoon Naam DocType: Item Variant,Item Variant,Item Variant DocType: Training Event Employee,Invited,genooi @@ -7435,7 +7509,7 @@ DocType: Purchase Order,To Receive and Bill,Om te ontvang en rekening apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Begin en einddatum nie in 'n geldige betaalstaat nie, kan nie {0} bereken nie." DocType: POS Profile,Only show Customer of these Customer Groups,Wys slegs die kliënt van hierdie kliëntegroepe apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Kies items om die faktuur te stoor -DocType: Service Level,Resolution Time,Resolusie Tyd +DocType: Service Level Priority,Resolution Time,Resolusie Tyd DocType: Grading Scale Interval,Grade Description,Graad Beskrywing DocType: Homepage Section,Cards,kaarte DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kwaliteit Vergadering Notules @@ -7462,6 +7536,7 @@ DocType: Project,Gross Margin %,Bruto Marge% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Bankstaatbalans soos per Algemene Grootboek apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Gesondheidsorg (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Default Warehouse om verkoopsbestelling en afleweringsnota te skep +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Reaksie Tyd vir {0} by indeks {1} kan nie groter wees as resolusie tyd nie. DocType: Opportunity,Customer / Lead Name,Kliënt / Lood Naam DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Onopgeëiste bedrag @@ -7507,7 +7582,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Partye en adresse invoer DocType: Item,List this Item in multiple groups on the website.,Lys hierdie item in verskeie groepe op die webwerf. DocType: Request for Quotation,Message for Supplier,Boodskap vir Verskaffer -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Kan nie verander nie {0} as Voorraadtransaksie vir Item {1} bestaan. DocType: Healthcare Practitioner,Phone (R),Telefoon (R) DocType: Maintenance Team Member,Team Member,Spanmaat DocType: Asset Category Account,Asset Category Account,Bate Kategorie Rekening diff --git a/erpnext/translations/am.csv b/erpnext/translations/am.csv index 199dde41b6..af1a6dc512 100644 --- a/erpnext/translations/am.csv +++ b/erpnext/translations/am.csv @@ -76,7 +76,7 @@ DocType: Academic Term,Term Start Date,የጊዜ መጀመሪያ ቀን apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,ቀጠሮ {0} እና የሽያጭ ደረሰኝ {1} ተሰርዟል DocType: Purchase Receipt,Vehicle Number,የተሽከርካሪ ቁጥር apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,የኢሜይል አድራሻዎ ... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,የነባሪ መጽሃፍ ገጾችን አካት +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,የነባሪ መጽሃፍ ገጾችን አካት DocType: Activity Cost,Activity Type,የእንቅስቃሴ አይነት DocType: Purchase Invoice,Get Advances Paid,ቅድሚያ ክፍያዎችን ያግኙ DocType: Company,Gain/Loss Account on Asset Disposal,በንብረት ማስወገጃ ገንዘብ ላይ / ንብረትን ማጣት @@ -221,7 +221,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,ምን ያደር DocType: Bank Reconciliation,Payment Entries,የክፍያ ምዝገባዎች DocType: Employee Education,Class / Percentage,ክፍል / መቶኛ ,Electronic Invoice Register,ኤሌክትሮኒካዊ ደረሰኝ ምዝገባ +DocType: Shift Type,The number of occurrence after which the consequence is executed.,ውጤቱ ከተፈጸመ በኋላ የሚከሰተው ክስተት ቁጥር. DocType: Sales Invoice,Is Return (Credit Note),ተመላሽ ነው (የብድር ማስታወሻ) +DocType: Price List,Price Not UOM Dependent,የዋጋ ተመን UOM ጥገኛ አይደለም DocType: Lab Test Sample,Lab Test Sample,የቤተ ሙከራ የሙከራ ናሙና DocType: Shopify Settings,status html,ሁኔታ html DocType: Fiscal Year,"For e.g. 2012, 2012-13","ምሳሌ 2012, 2012-13" @@ -322,6 +324,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,የምርት ፍ DocType: Salary Slip,Net Pay,የተጣራ ክፍያ apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,ጠቅላላ የተሞከረው ኤም DocType: Clinical Procedure,Consumables Invoice Separately,እቃዎች ደረሰኝ ለየብቻ +DocType: Shift Type,Working Hours Threshold for Absent,የስራ ሰዓቶች ለአቅራቢያ የቀረቡ DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.- .MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},በጀት በቡድን መለያ ውስጥ አይመደብም {0} DocType: Purchase Receipt Item,Rate and Amount,ደረጃ እና ምን ያህል መጠን @@ -377,7 +380,6 @@ DocType: Sales Invoice,Set Source Warehouse,የዝቅተኛ መደብር አዘ DocType: Healthcare Settings,Out Patient Settings,የታካሚ ትዕዛዞች ቅንብሮች DocType: Asset,Insurance End Date,የኢንሹራንስ መጨረሻ ቀን DocType: Bank Account,Branch Code,የቅርንጫፍ ኮድ -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,ለመመለስ ጊዜ አለው apps/erpnext/erpnext/public/js/conf.js,User Forum,የተጠቃሚ ፎረም DocType: Landed Cost Item,Landed Cost Item,በወደቁ የጉልበት ዋጋ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,ሻጩ እና ገዢው ተመሳሳይ መሆን አይችሉም @@ -594,6 +596,7 @@ DocType: Lead,Lead Owner,መሪ DocType: Share Transfer,Transfer,ዝውውር apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),ፈልግ ንጥል (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} ውጤት ተገዝቷል +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,ከዛሬ ጀምሮ ከዛሬ በላይ መሆን አይችልም DocType: Supplier,Supplier of Goods or Services.,የዕቃ ዕቃዎች ወይም አገልግሎቶች አቅራቢ. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,የአዲስ መለያ ስም. ማሳሰቢያ-እባክዎ ለደንበኞች እና አቅራቢዎች መለያ አይፍጠሩ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,የተማሪ ቡድን ወይም የኮርሱ ግዜ ግዴታ ነው @@ -876,7 +879,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,የነባር DocType: Skill,Skill Name,የብቃት ስም apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,የህትመት ሪፖርት ካርድ DocType: Soil Texture,Ternary Plot,Ternary Plot -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ትኬቶችን ይደግፉ DocType: Asset Category Account,Fixed Asset Account,ቋሚ የንብረት መለያ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,የቅርብ ጊዜ @@ -889,6 +891,7 @@ DocType: Delivery Trip,Distance UOM,የርቀት ዩሞ DocType: Accounting Dimension,Mandatory For Balance Sheet,የግዴታ መጣጥፍ ወረቀት DocType: Payment Entry,Total Allocated Amount,ጠቅላላ ድጐማ መጠን DocType: Sales Invoice,Get Advances Received,Advances received Received +DocType: Shift Type,Last Sync of Checkin,የመጨረሻው የማመሳሰል ማጣሪያ DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,የንጥል እሴት መጠን በቫል ውስጥ ተካትቷል apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -897,7 +900,9 @@ DocType: Subscription Plan,Subscription Plan,የምዝገባ ዕቅድ DocType: Student,Blood Group,የደም ክፍል apps/erpnext/erpnext/config/healthcare.py,Masters,ማስተሮች DocType: Crop,Crop Spacing UOM,UOM ከርክም አሰራጭ +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,ወደ ፍተሻው መመለሻ ጊዜ (ከደቂቃዎች በኋላ) ጊዜው እንደዘገየ ተደርጎ ከተወሰደ በኋላ. apps/erpnext/erpnext/templates/pages/home.html,Explore,አስስ +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,ምንም ያልተወከሉ ደረሰኞች አልተገኙም DocType: Promotional Scheme,Product Discount Slabs,የምርት ቅናሽ ቅጠሎች DocType: Hotel Room Package,Amenities,ምግቦች DocType: Lab Test Groups,Add Test,ሙከራ አክል @@ -995,6 +1000,7 @@ DocType: Attendance,Attendance Request,የአድራሻ ጥያቄ DocType: Item,Moving Average,አማካይ በመውሰድ ላይ DocType: Employee Attendance Tool,Unmarked Attendance,ምልክት የተደረገበት ተገኝነት DocType: Homepage Section,Number of Columns,የአምዶች ቁጥር +DocType: Issue Priority,Issue Priority,ቅድሚያ መስጠት DocType: Holiday List,Add Weekly Holidays,ሳምንታዊ በዓላትን አክል DocType: Shopify Log,Shopify Log,የምዝግብ ማስታወሻ ግዛ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,የደመወዝ ሠሌዳ ይፍጠሩ @@ -1003,6 +1009,7 @@ DocType: Job Offer Term,Value / Description,እሴት / መግለጫ DocType: Warranty Claim,Issue Date,የተለቀቀበት ቀን 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} ይምረጡ. ይህንን መስፈርት የሚያሟላ ነጠላ ባዶ ማግኘት አልተቻለም apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,ለቀሪዎች ሰራተኞች የደመወዝ ክፍያ ጉርብትን መፍጠር አይቻልም +DocType: Employee Checkin,Location / Device ID,አካባቢ / የመሣሪያ መታወቂያ DocType: Purchase Order,To Receive,መቀበል apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,ከመስመር ውጭ ሁነታ ላይ ነዎት. አውታረ መረብ እስኪያገኙ ድረስ ዳግም መጫን አይችሉም. DocType: Course Activity,Enrollment,ምዝገባ @@ -1011,7 +1018,6 @@ DocType: Lab Test Template,Lab Test Template,የሙከራ ፈተና ቅጽ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},ከፍተኛ: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,የኢ-ኢንቮይሮ መረጃ ይጎድላል apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,ምንም የተፈጥሮ ጥያቄ አልተፈጠረም -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,የእቃ ቁጥር> የንጥል ቡድን> ብራንድ DocType: Loan,Total Amount Paid,ጠቅላላ መጠን የተከፈለ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,ሁሉም እነዚህ ንጥሎች አስቀድሞ ክፍያ የተደረገባቸው ናቸው DocType: Training Event,Trainer Name,የአሰልጣኝ ስም @@ -1122,6 +1128,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},እባክዎን በእርግስቱ ውስጥ ያለ መሪ ስምን ይጥቀሱ {0} DocType: Employee,You can enter any date manually,ማንኛውንም ቀነ ገደብ እራስዎ ማስገባት ይችላሉ DocType: Stock Reconciliation Item,Stock Reconciliation Item,የክምችት ማስታረቂያ ንጥል +DocType: Shift Type,Early Exit Consequence,የቀድሞ መውጫ ውጤት DocType: Item Group,General Settings,አጠቃላይ ቅንብሮች apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,የሚከፈልበት ቀን ከመልቀቂያ / ማቅረቢያ ደረሰኝ ቀን በፊት ሊሆን አይችልም apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,ከማቅረብ በፊት የአመካኙን ስም ያስገቡ. @@ -1160,6 +1167,7 @@ DocType: Account,Auditor,ኦዲተር apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,የክፍያ ማረጋገጫ ,Available Stock for Packing Items,ለማሸጊያ እቃዎች የሚሆን ክምችት ይገኛል apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},እባክዎ ይህን ደረሰኝ {0} ከ C-Form {1} ያስወግዱት +DocType: Shift Type,Every Valid Check-in and Check-out,እያንዳንዱ ትክክለኛ ተመዝግበው እና ተመዝግበው ይውጡ DocType: Support Search Source,Query Route String,የፍለጋ መንገድ ሕብረቁምፊ DocType: Customer Feedback Template,Customer Feedback Template,የደንበኞች አስተያየት መለኪያ apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,ለቀጮች ወይም ደንበኞች ጠቅላላ ዝርዝር. @@ -1193,6 +1201,7 @@ DocType: Serial No,Under AMC,በ AMC ስር DocType: Authorization Control,Authorization Control,የፈቀዳ ቁጥጥር ,Daily Work Summary Replies,ዕለታዊ የትርጉም ማጠቃለያዎች apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},በፕሮጀክቱ ላይ እንዲተባበሩ ተጋብዘዋል: {0} +DocType: Issue,Response By Variance,ምላሽ በቫሪያር DocType: Item,Sales Details,የሽያጭ ዝርዝሮች apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,ደብዳቤዎች ለህትመት አብነቶች. DocType: Salary Detail,Tax on additional salary,ተጨማሪ ደመወዝ @@ -1316,6 +1325,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,የደን DocType: Project,Task Progress,ተግባር ተግባር DocType: Journal Entry,Opening Entry,የመክፈቻ መግቢያ DocType: Bank Guarantee,Charges Incurred,ክፍያዎች ወጥተዋል +DocType: Shift Type,Working Hours Calculation Based On,የሥራ ሰዓቶች መምርጫ በ ላይ DocType: Work Order,Material Transferred for Manufacturing,ወደ ማምረት የተሸጋገሩ ቁሳቁሶች DocType: Products Settings,Hide Variants,ተለዋዋጭዎችን ደብቅ DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,የአቅም ዕቅድ እና የጊዜ መከታተልን ያሰናክሉ @@ -1345,6 +1355,7 @@ DocType: Account,Depreciation,ትርፍ ዋጋ DocType: Guardian,Interests,ፍላጎቶች DocType: Purchase Receipt Item Supplied,Consumed Qty,የተጠቀሙት ብዛት DocType: Education Settings,Education Manager,የትምህርት ሥራ አስኪያጅ +DocType: Employee Checkin,Shift Actual Start,Shift Actual ጀምር DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,ከእጅ ባለሙያ የሥራ ሰዓቶች ውጪ የጊዜ እቅዶች. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},የታማኝነት ነጥቦች: {0} DocType: Healthcare Settings,Registration Message,የምዝገባ መልዕክት @@ -1369,9 +1380,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,ደረሰኝ ቀድሞውኑ ለሁሉም የክፍያ ሰዓቶች ተፈጥሯል DocType: Sales Partner,Contact Desc,የእውቂያ ዲኮር DocType: Purchase Invoice,Pricing Rules,የዋጋ አሰጣጥ ደንቦች +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","በንጥል {0} ላይ ያሉ አስቀድመው ግብይቶች ስለያዙ, የ {1} እሴት መለወጥ አይችሉም" DocType: Hub Tracked Item,Image List,የምስል ዝርዝር DocType: Item Variant Settings,Allow Rename Attribute Value,የባህሪ እሴት ዳግም ሰይም ፍቀድ -DocType: Price List,Price Not UOM Dependant,የዋጋ ተመን UOM ጥገኛ አይደለም apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),ሰዓት (በ mins ውስጥ) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,መሠረታዊ DocType: Loan,Interest Income Account,የወለድ ገቢ ሰነድ @@ -1381,6 +1392,7 @@ DocType: Employee,Employment Type,የቅጥር ዓይነት apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,POS የመረጥን ፕሮፋይል DocType: Support Settings,Get Latest Query,የቅርብ ጊዜ መጠይቆችን ያግኙ DocType: Employee Incentive,Employee Incentive,ሰራተኛ ማበረታቻ +DocType: Service Level,Priorities,ቅድሚያዎች apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,በመነሻ ገጽ ላይ ካርዶችን ወይም ብጁ ክፍሎችን ያክሉ DocType: Homepage,Hero Section Based On,በ Hero መነሻ ክፍል ላይ DocType: Project,Total Purchase Cost (via Purchase Invoice),አጠቃላይ የግዢ ዋጋ (በግዢ ደረሰኝ በኩል) @@ -1440,7 +1452,7 @@ DocType: Work Order,Manufacture against Material Request,ከቁሳዊ ጥያቄ DocType: Blanket Order Item,Ordered Quantity,የታዘዘ ብዜት apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ረድፍ # {0}: ውድቅ የተደረገው ንጥረ ነገር {1} ተቀባይነት ያላገኘ የውድድር መጋዘን ግዴታ ነው ,Received Items To Be Billed,እንዲከፈልባቸው የተቀበሉ ንጥሎች -DocType: Salary Slip Timesheet,Working Hours,የስራ ሰዓት +DocType: Attendance,Working Hours,የስራ ሰዓት apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,የክፍያ ሁኔታ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,የግዢ ትዕዛዞች በወቅቱ ተቀባይነት የላቸውም apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,በቆይታ ጊዜ ውስጥ @@ -1560,7 +1572,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,ስለአቅራቢዎ አስፈላጊ ህጋዊ መረጃ እና ሌላ አጠቃላይ መረጃ DocType: Item Default,Default Selling Cost Center,የነባሪ ዋጋ መሸጫ ዋጋ DocType: Sales Partner,Address & Contacts,አድራሻ እና እውቂያዎች -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,እባክዎ በአካባቢያዊ ቅንጅቶች በኩል የቁጥር ተከታታይ ቁጥሮች ያቀናብሩ> የስልክ ቁጥር DocType: Subscriber,Subscriber,ደንበኛ apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ቅጽ / ንጥል / {0}) አክሲዮን አልቋል apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,እባክዎ መጀመሪያ የልኡክ ጽሁፍ ቀንን ይምረጡ @@ -1571,7 +1582,7 @@ DocType: Project,% Complete Method,% የተሟላ ዘዴ DocType: Detected Disease,Tasks Created,ተግባራት ተፈጥረዋል apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,ነባሪ እቅር ({0}) ለዚህ ንጥል ወይም ለአብነትዎ ገባሪ መሆን አለበት apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,የኮሚሽል ተመን% -DocType: Service Level,Response Time,የምላሽ ጊዜ +DocType: Service Level Priority,Response Time,የምላሽ ጊዜ DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce ቅንጅቶች apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,መጠኑ አዎንታዊ መሆን አለበት DocType: Contract,CRM,CRM @@ -1588,7 +1599,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,የሆስፒታል ጉ DocType: Bank Statement Settings,Transaction Data Mapping,የግብይት ውሂብ ማዛመጃ apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,አንድ መሪ የግለሰቡን ስም ወይም የድርጅት ስም ያስፈልገዋል DocType: Student,Guardians,ሞግዚቶች -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,እባክዎ የመምህርውን ስም ስርዓትን በስርዓት> የትምህርት ቅንብሮች ያዋቅሩ apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ብራንድ ይምረጡ ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,መካከለኛ ገቢ DocType: Shipping Rule,Calculate Based On,መነሻ ላይ አስሉት @@ -1625,6 +1635,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ዒላማ ያዘጋ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},የተማሪ መገኘት መዝገብ {0} በተማሪው ላይ ይገኛል {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,የግብይት ቀን apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,የደንበኝነት ምዝገባን ተወው +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,የአገልግሎት ደረጃ ስምምነት {0} ማዘጋጀት አልተቻለም. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,የተጣራ ደመወዝ መጠን DocType: Account,Liability,ተጠያቂነት DocType: Employee,Bank A/C No.,ባንክ አ / ካ @@ -1713,7 +1724,6 @@ DocType: POS Profile,Allow Print Before Pay,ከመክፈያዎ በፊት ያት DocType: Production Plan,Select Items to Manufacture,የሚሠሩ ንጥሎችን መምረጥ DocType: Leave Application,Leave Approver Name,የአድራሻ ስም ተወው DocType: Shareholder,Shareholder,ባለአክስዮን -DocType: Issue,Agreement Status,የስምምነት ሁኔታ apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,ግብይቶችን ለመሸጥ ነባሪ ቅንብሮች. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,ለክፍያ ለተማሪው የሚያስፈልገውን የተማሪ ቅበላ የሚለውን እባክዎ ይምረጡ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOM ምረጥ @@ -1975,6 +1985,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,የገቢ መለያ apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,ሁሉም መጋዘኖች DocType: Contract,Signee Details,የዋና ዝርዝሮች +DocType: Shift Type,Allow check-out after shift end time (in minutes),ከማለቂያ ጊዜ በኋላ (ከደቂቃዎች በኋላ) ለመውጣት ይፍቀዱ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,ግዥ DocType: Item Group,Check this if you want to show in website,በድር ጣቢያ ውስጥ ማሳየት ከፈለጉ ይህንን ያረጋግጡ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,የፋይናንስ ዓመት {0} አልተገኘም @@ -2041,6 +2052,7 @@ DocType: Asset Finance Book,Depreciation Start Date,የዋጋ ቅነሳ መጀ DocType: Activity Cost,Billing Rate,የክፍያ መጠን apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},ማስጠንቀቂያ: ሌላ {0} # {1} በክምችት ማስገባት {2} ላይ ይኖራል apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,መስመሮችን ለመገመት እና ለማመቻቸት እባክዎ የ Google ካርታዎች ቅንብሮችን ያንቁ +DocType: Purchase Invoice Item,Page Break,ገጽ ዕረፍት DocType: Supplier Scorecard Criteria,Max Score,ከፍተኛ ውጤት apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,የምላሽ መጀመሪያ ቀን ከክፍያ ቀን በፊት ሊሆን አይችልም. DocType: Support Search Source,Support Search Source,የፍለጋ ምንጭ ድጋፍ @@ -2107,6 +2119,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,የጥራት ግብ ግ DocType: Employee Transfer,Employee Transfer,የሠራተኛ ማስተላለፍ ,Sales Funnel,የሽያጭ ቀዳዳ DocType: Agriculture Analysis Criteria,Water Analysis,የውሃ ትንተና +DocType: Shift Type,Begin check-in before shift start time (in minutes),የሰዓት ማስጀመሪያ ጊዜ (ተመዝግበው በደቂቃ) ውስጥ ተመዝግበው ይግቡ DocType: Accounts Settings,Accounts Frozen Upto,መለያዎች ወደ አተነፈቀ apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,ለማረም ምንም ነገር የለም. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","ክወናዎች {0} በስራ ሥልክ ቁጥር {1} ውስጥ ከሚገኙ የስራ ሰዓቶች በላይ ርዝመት አላቸው, ቀዶቹን ወደ ብዙ ክንዋኔዎች ይከፋፍሉ" @@ -2120,7 +2133,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,የ apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},የሽያጭ ቅደም ተከተል {0} {0} ነው apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),በክፍያ መዘግየት (ቀኖች) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,የዋጋ ቅነሳዎችን ይግለጹ +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,የደንበኛ PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,የተያዘው የመላኪያ ቀን ከሽያጭ ትእዛዝ ቀን በኋላ መሆን አለበት +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,የንጥሉ መጠን ዜሮ ሊሆን አይችልም apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,ልክ ያልሆነ ባህርይ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},እባክዎን ቦምብ በንጥል ላይ {0} ን ይምረጡ DocType: Bank Statement Transaction Invoice Item,Invoice Type,ደረሰኝ ዓይነት @@ -2130,6 +2145,7 @@ DocType: Maintenance Visit,Maintenance Date,የጥገና ቀን DocType: Volunteer,Afternoon,ከሰአት DocType: Vital Signs,Nutrition Values,የተመጣጠነ ምግብ እሴት DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),ትኩሳት (የሙቀት> 38.5 ° ሴ / 101.3 ° ፋ ወይም ዘላቂነት> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,እባክዎ የሰራተኛ ማመሳከሪያ ስርዓትን በሰዎች ሃብት> HR ቅንጅቶች ያዘጋጁ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC ተለዋዋጭ DocType: Project,Collect Progress,መሻሻል ይሰብስቡ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,ኃይል @@ -2180,6 +2196,7 @@ DocType: Setup Progress,Setup Progress,የማዋቀር ሂደት ,Ordered Items To Be Billed,የተገዙ ንጥሎች እንዲከፈልባቸው ይደረጋል DocType: Taxable Salary Slab,To Amount,መጠን DocType: Purchase Invoice,Is Return (Debit Note),ተመላሽ ይባላል (ዕዳ መግለጫ) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ደንበኛ> የሽያጭ ቡድን> ግዛት apps/erpnext/erpnext/config/desktop.py,Getting Started,መጀመር apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,አዋህደኝ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,የፊስካል አመት አንዴ ከተቀመጠ በኋላ የፊስካል ዓመትን መጀመሪያ ቀን እና የበጀት ዓመት መጨረሻ ቀን መለወጥ አይቻልም. @@ -2198,8 +2215,10 @@ DocType: Maintenance Schedule Detail,Actual Date,ትክክለኛ ቀን apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},የጥገና መጀመሪያ ቀን ለ "Serial No" {0} የመላኪያ ቀን apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,ረድፍ {0}: ልውውጥ አስገዳጅ ነው DocType: Purchase Invoice,Select Supplier Address,የአቅራቢ አድራሻን ይምረጡ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","የሚገኝ ያህል ቁጥር {0} ነው, {1} ያስፈልገዎታል" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,እባክዎ የኤ.ፒ.አይ. ተጠባባቂ ሚስጥር ያስገቡ DocType: Program Enrollment Fee,Program Enrollment Fee,ፕሮግራም የምዝገባ ክፍያ +DocType: Employee Checkin,Shift Actual End,ቅጽበታዊ የመግቢያ መጨረሻ DocType: Serial No,Warranty Expiry Date,የዋስትና ጊዜ ማብቂያ ቀን DocType: Hotel Room Pricing,Hotel Room Pricing,የሆቴል ዋጋ መወጣት apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","ውጫዊ ታክስ የሚደረጉ ቁሳቁሶች (ከዜሮ ደረጃዎች ውጭ, ደረጃውን የጠበቀ እና ነፃ መሆን)" @@ -2259,6 +2278,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,ንባብ 5 DocType: Shopping Cart Settings,Display Settings,ማሳያ ቅንብሮች apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,እባክዎን የተመነሱ የብዛቶች ብዛት ያዘጋጁ +DocType: Shift Type,Consequence after,ውጤቱ በኋላ apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,ምን እርዳታ ይፈልጋሉ? DocType: Journal Entry,Printing Settings,የማተም ቅንብሮች apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,ባንኮች @@ -2268,6 +2288,7 @@ DocType: Purchase Invoice Item,PR Detail,PR PR ዝርዝር apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,የማስከፈያ አድራሻ ልክ Shipping Line DocType: Account,Cash,ገንዘብ DocType: Employee,Leave Policy,መምሪያ ይተው +DocType: Shift Type,Consequence,ውጤት apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,የተማሪ አድራሻ DocType: GST Account,CESS Account,CESS መለያ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: የዋጋ ማዕከል ለ 'Profit and Loss' መለያ {2} ያስፈልጋል. እባክዎ ለድርጅቱ ነባሪ ዋጋ ማስተካከያ ያዘጋጁ. @@ -2332,6 +2353,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN ኮድ DocType: Period Closing Voucher,Period Closing Voucher,የዘመኑን ቫውቸር apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 ስም apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,እባክዎ የወጪ ሂሳብን ያስገቡ +DocType: Issue,Resolution By Variance,ጥራት በቫሪያር DocType: Employee,Resignation Letter Date,የመልቀቂያ ደብዳቤ ቀን DocType: Soil Texture,Sandy Clay,ሳንዲ ክሊይ DocType: Upload Attendance,Attendance To Date,በቀን መገኘት @@ -2343,6 +2365,7 @@ DocType: Crop,Produced Items,የተመረቱ ዕቃዎች apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',የማጽደቅ ሁኔታ «ማፅደቅ» ወይም «ውድቅ ተደርጓል» መሆን አለበት apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,አሁን ይመልከቱ DocType: Item Price,Valid Upto,ልክ እስከ +DocType: Employee Checkin,Skip Auto Attendance,በራስ ተገኝነት ይዝለሉ DocType: Payment Request,Transaction Currency,የግብይት ምንዛሬ DocType: Loan,Repayment Schedule,የክፍያ ቅድሚያ ክፍያ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,የናሙና ማቆየት (አክቲቭ) አክቲቭ ኢንተርናሽናል @@ -2414,6 +2437,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,የደመወዝ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS የመጋሪያ ደረሰኝ ታክስ apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,እርምጃ ተጀምሯል DocType: POS Profile,Applicable for Users,ለተጠቃሚዎች ተፈጻሚ የሚሆን +,Delayed Order Report,የዘገየ ትዕዛዝ ሪፖርት DocType: Training Event,Exam,ፈተና apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,ትክክል ያልሆነ የጄኔራል ሌተር አስነብዎች ቁጥር ተገኝቷል. በግብይቱ ውስጥ የተሳሳተ መለያ መርጠህ ሊሆን ይችላል. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,የሽያጭ የቧንቧ መስመር @@ -2428,10 +2452,10 @@ DocType: Account,Round Off,ዙሪያውን አቁሙ DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,ሁኔታዎች በሁሉም የተመረጡ ንጥረ ነገሮች ላይ ይተገበራሉ. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,አዋቅር DocType: Hotel Room,Capacity,ችሎታ +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,የተጫነ Qty apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,የባንክ {0} ንጥል {1} ተሰናክሏል. DocType: Hotel Room Reservation,Hotel Reservation User,የሆቴል መያዣ ተጠቃሚ -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,የስራ ቀን ሁለት ጊዜ ተደግሟል apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},የንጥሉ ቡድን በንጥል ጌታ ንጥል ላይ ለንጥል ነገር አልተጠቀሰም {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},የስም ስህተት: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,በ POS የመገለጫ ግዛት ያስፈልጋል @@ -2479,6 +2503,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,መርሐግብር ቀን DocType: Packing Slip,Package Weight Details,የጥቅል ክብደት ዝርዝሮች DocType: Job Applicant,Job Opening,የሥራ ክፍት +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,የመጨረሻው የታወቀ የተሳትፎ ምጣኔ የተሳካ. ሁሉንም ምዝግብ ማስታወሻዎች ሁሉም አካባቢዎች ከተመሳሰሉ እርግጠኛ ከሆኑ ብቻ ዳግም ያስጀምሩ. እርግጠኛ ካልሆኑ እባክዎ ይህንን አይለውጡ. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ትክክለኛ ወጭ apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,የንጥል ልዩነቶች ዘምነዋል DocType: Item,Batch Number Series,ቡት ቁጥር ተከታታይ @@ -2522,6 +2547,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,የማጣቀሻ ግዢ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,ግብዣዎችን ያግኙ DocType: Tally Migration,Is Day Book Data Imported,የቀን መጽሐፍ ውሂብ ከውጭ የመጣ ነው ,Sales Partners Commission,የሽያጭ አጋሮች ኮሚሽን +DocType: Shift Type,Enable Different Consequence for Early Exit,ለወጣቶች መውጣት የተለየ ውጤት ያንሱ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,ህጋዊ DocType: Loan Application,Required by Date,በቀን የሚያስፈልግ DocType: Quiz Result,Quiz Result,Quiz Result @@ -2581,7 +2607,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,የገን DocType: Pricing Rule,Pricing Rule,የዋጋ አሰጣጥ ደንብ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},የአማራጭ የእረፍት ቀን ለቀጣይ እረፍት አልተዘጋጀም {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,ተቀጣሪ ሰራተኛን ለማዘጋጀት እባክዎ የተቀጣሪ መዝገብ ውስጥ የተጠቃሚ መታወቂያ መስክ ያዘጋጁ -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,ለመወሰን ጊዜ DocType: Training Event,Training Event,የስልጠና ዝግጅት DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","በሰውነት ውስጥ መደበኛ የደም ግፊት ማረፊያ ወደ 120 mmHg ሲሊሲየም ሲሆን, 80 mmHg ዲያስቶሊክ, "120/80 ሚሜ ኤችጂ"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,ስርዓቱ ገደቡ ዜሮ ከሆነ ሁሉንም ግቤቶች ያመጣል. @@ -2624,6 +2649,7 @@ DocType: Woocommerce Settings,Enable Sync,ማመሳሰልን አንቃ DocType: Student Applicant,Approved,ጸድቋል apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},ከዕንደቱ በጀት ዓመት ውስጥ መሆን አለበት. ከዕለቱ = {0} አስመስለን apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,እባክዎ በግዢዎች ውስጥ የአቅራቢ ቡድን ያዘጋጁ. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} ልክ ያልኾነ የመገኘት ሁኔታ ነው. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,ጊዜያዊ የመክፈቻ መለያ DocType: Purchase Invoice,Cash/Bank Account,ገንዘብ / የባንክ ሂሳብ DocType: Quality Meeting Table,Quality Meeting Table,የጥራት የስብሰባ ሰንጠረዥ @@ -2659,6 +2685,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,የ MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","ምግብ, መጠጥ እና ትምባሆ" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,የኮርስ ቀመር DocType: Purchase Taxes and Charges,Item Wise Tax Detail,የንጥል እቃ ዝርዝር ዝርዝር +DocType: Shift Type,Attendance will be marked automatically only after this date.,ክትትል ከዚህ ቀን በኋላ ብቻ በራስ-ሰር ምልክት ይደረግበታል. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,ለ UIN holders የተሰጡ አቅርቦቶች apps/erpnext/erpnext/hooks.py,Request for Quotations,ለማብራሪያዎች ጥያቄ apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,አንዳንድ ምንዛሬ በመጠቀም ግቤቶች ከተለወጡ ሊቀየሩ ሊቀየር አይችልም @@ -2707,7 +2734,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,ንጥል ከዋኝ ነው apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,የጥራት ሂደት. DocType: Share Balance,No of Shares,የአክስቶች ቁጥር -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ረድፍ {0}: በመድረሻ ሰዓት ({2} {3}) ውስጥ {4} በገፍያ {0} ውስጥ {#} አይገኝም. DocType: Quality Action,Preventive,መከላከል DocType: Support Settings,Forum URL,መድረክ ዩ አር ኤል apps/erpnext/erpnext/config/hr.py,Employee and Attendance,ሰራተኛ እና ተገኝነት @@ -2929,7 +2955,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,የቅናሽ ዓይነ DocType: Hotel Settings,Default Taxes and Charges,ነባሪ ግብር እና ዋጋዎች apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,ይህ በአቅራቢው ግዥዎች ላይ የተመሠረተ ነው. ለዝርዝሮች ከታች ያለውን የጊዜ መስመር ይመልከቱ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},ከፍተኛ የደመወዝ መጠን {0} ከ {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,ለስምነቱ የመነሻ እና መጨረሻ ቀን አስገባ. DocType: Delivery Note Item,Against Sales Invoice,በክፍያ መጠየቂያ ደረሰኝ ላይ DocType: Loyalty Point Entry,Purchase Amount,የግዢ መጠን apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,የሽያጭ ትዕዛዝ እንዲደረግ የተደረገው እንደጠፋ መወሰን አይቻልም. @@ -2953,7 +2978,7 @@ DocType: Homepage,"URL for ""All Products""",URL ለ «ሁሉም ምርቶች» DocType: Lead,Organization Name,የድርጅት ስም apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,ለተጠራቀመው ከትክክለኛ እና ትክክለኛ እስከ መስኮች አስገዳጅ ናቸው apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},ረድፍ # {0}: ባዶ ቁጥር እንደ {1} {2} መሆን አለበት -DocType: Employee,Leave Details,ዝርዝሮችን ይተው +DocType: Employee Checkin,Shift Start,መቀየሪያ ጀምር apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,የ {0} ሒሳቦች ከመዘጋታቸው በፊት የለውጥ ግብይቶች DocType: Driver,Issuing Date,ቀንን በማቅረብ ላይ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,ጠያቂ @@ -2998,9 +3023,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,የገንዘብ ፍሰት ማካካሻ አብነት ዝርዝሮች apps/erpnext/erpnext/config/hr.py,Recruitment and Training,ምልመላ እና ስልጠና DocType: Drug Prescription,Interval UOM,የጊዜ ክፍተት UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,የእጅ ግዜ ቅንጅቶች ለራስ ተገኝነት apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,ከመገበያያ ምንዛሬ እና ወደ መለኪያው ተመሳሳይ ሊሆን አይችልም apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ፋርማሲቲካልስ DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,የእርዳታ ሰአቶች apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} ተሰርዟል ወይም ተዘግቷል apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,ረድፍ {0}: በደንበኛው የሚያገኙት ክፍያ ለኩባንያው መሆን አለበት apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),በ ቫውቸር (የተጠናከረ) ቡድን @@ -3109,6 +3136,7 @@ DocType: Asset Repair,Repair Status,የጥገና ሁኔታ DocType: Territory,Territory Manager,የመሬት አስተዳዳሪ DocType: Lab Test,Sample ID,የናሙና መታወቂያ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,ጋሪው ባዶ ነው +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,የትምህርት ክትትል በሰራተኞች ቼኮች ውስጥ ምልክት ተደርጎበታል apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,ቋሚ ንብረት {0} ገቢ መሆን አለበት ,Absent Student Report,ያልተገለጸ የተማሪ ሪፖርት apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,በአጠቃላይ ትርፍ ውስጥ የተካተተ @@ -3116,7 +3144,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,የተመዘገበ መጠን apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,እርምጃው ሊጠናቀቅ አልቻለም {0} {1} አልገባም DocType: Subscription,Trial Period End Date,የሙከራ ክፍለ ጊዜ መጨረሻ ቀን +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,በተመሳሳዩ ፈረቃ ወቅት እንደ ኖርዌይ እና ኦቲንግ ያሉ ግቤቶች DocType: BOM Update Tool,The new BOM after replacement,ከተተኪው በኋላ አዲስ ቦም +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,አቅራቢ> አቅራቢ አይነት apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,ንጥል 5 DocType: Employee,Passport Number,የፓስፖርት ቁጥር apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,ጊዜያዊ መክፈቻ @@ -3232,6 +3262,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,ቁልፍ ሪፖርቶች apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,ሊቀርበው የሚችል አቅራቢ ,Issued Items Against Work Order,ከስራ ትእዛዝ ጋር የተደረጉ ያልተከበሩ ዕቃዎች apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} ደረሰኝ በመፍጠር ላይ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,እባክዎ የመምህርውን ስም ስርዓትን በስርዓት> የትምህርት ቅንብሮች ያዋቅሩ DocType: Student,Joining Date,ቀን መቀላቀል apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,ጣቢያን በመጠየቅ ላይ DocType: Purchase Invoice,Against Expense Account,የወጪ ሂሣብ መጠቀምን @@ -3271,6 +3302,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,የሚመለከታቸው ክፍያዎች ,Point of Sale,የሽያጭ ቦታ DocType: Authorization Rule,Approving User (above authorized value),ተጠቃሚን ማጽደቅ (ከተፈቀደለት እሴት በላይ) +DocType: Service Level Agreement,Entity,አካል apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},መጠን {0} {1} ከ {2} ወደ {3} ተላልፏል apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},ደንበኛ {0} ለፕሮጀክት አልሆነም {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,ከፓርቲ ስም @@ -3316,6 +3348,7 @@ DocType: Asset,Opening Accumulated Depreciation,የተቆራረጠ ትርኢት DocType: Soil Texture,Sand Composition (%),የአሸካ ቅንብር (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,የቀን መጽሐፍ ውሂብ ያስመጡ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,እባክዎን በቅንብል> ቅንጅቶች> የስም ዝርዝር ስሞች በኩል ለ {0} የስም ቅጥያዎችን ያዘጋጁ DocType: Asset,Asset Owner Company,የንብረት ባለቤት ኩባንያ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,የወጪ ጥያቄን ለመጠየቅ የወጪ ማእከል ያስፈልጋል apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} ለክለ-ቢት እሴት {1} @@ -3373,7 +3406,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,የንብረት ባለቤት apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},መጋዘን {0} በክፍል {1} ውስጥ መጋዘን ግዴታ ነው DocType: Stock Entry,Total Additional Costs,ጠቅላላ ተጨማሪ ወጭዎች -DocType: Marketplace Settings,Last Sync On,የመጨረሻው አስምር በርቷል apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,እባክዎ ግብር እና ዋጋዎች ሰንጠረዥ ላይ ቢያንስ አንድ ረድፍ ያዘጋጁ DocType: Asset Maintenance Team,Maintenance Team Name,የጥገና ቡድን ስም apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,የወጪ ማዕከሎች ገበታ @@ -3389,12 +3421,12 @@ DocType: Sales Order Item,Work Order Qty,የሥራ ትዕዛዝ ብዛት DocType: Job Card,WIP Warehouse,WIP መጋዘን DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-yYYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},የተጠቃሚው መታወቂያ ለሠራተኛ አልተዋቀረም {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","የሚገኝ qty {0} ነው, {1} ያስፈልገዎታል" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,የተጠቃሚ {0} ተፈጥሯል DocType: Stock Settings,Item Naming By,ንጥል ነገር ስም በ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,ታዝዟል apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,ይህ የደንበኛ ቡድን ስብስብ ነው እና አርትዖት ሊደረግ አይችልም. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,የንብረት ጥያቄ {0} ተሰርዟል ወይም ቆሟል +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,በደንበኛው ተቀናሹ (የተመዝጋቢ መመዝገቢያ) ውስጥ የተመዘገቡበት ዓይነት DocType: Purchase Order Item Supplied,Supplied Qty,የተጫነ Qty DocType: Cash Flow Mapper,Cash Flow Mapper,የገንዘብ ፍሰት ማመልከቻ DocType: Soil Texture,Sand,አሸዋ @@ -3452,6 +3484,7 @@ DocType: Lab Test Groups,Add new line,አዲስ መስመር ያክሉ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,በቡድን የቡድን ሰንጠረዥ ውስጥ የተገኘ የንጥል ቡድን apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,ደመወዝ በስምምነት DocType: Supplier Scorecard,Weighting Function,የክብደት ተግባር +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,መስፈርት ቀመርን ለመገምገም ስህተት ,Lab Test Report,የቤተ ሙከራ ሙከራ ሪፖርት DocType: BOM,With Operations,ከትግበራዎች ጋር @@ -3465,6 +3498,7 @@ DocType: Expense Claim Account,Expense Claim Account,የወጪ ሂሳብ መጠ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ለጆርናሉ ምዝገባ ምንም ክፍያ አይኖርም apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ገባሪ ተማሪ ነው apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,የገቢ ማስገባት +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},የድርብ ተደጋጋሚነት: {0} የ {1} ወላጅ ወይም ልጅ ሊሆን አይችልም. DocType: Employee Onboarding,Activities,እንቅስቃሴዎች apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,አንድ መጋዘን በጣም ጥብቅ ነው ,Customer Credit Balance,የደንበኛ ብድር ሂሳብ @@ -3477,9 +3511,11 @@ DocType: Supplier Scorecard Period,Variables,ልዩነቶች apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,ለደንበኛው ብዙ ታማኝነት የሚባል ፕሮግራም ተገኝቷል. እባክዎ እራስዎ ይምረጡ. DocType: Patient,Medication,መድሃኒት apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,የታማኝነት ፕሮግራም የሚለውን ይምረጡ +DocType: Employee Checkin,Attendance Marked,ተገኝተው ምልክት ተደርጎበታል apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,ጥሬ ዕቃዎች DocType: Sales Order,Fully Billed,ሙሉ ክፍያ የተከፈለ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},እባክዎን የሆስፒታሉ ዋጋ በ {} ላይ ያስቀምጡ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,አንድ እንደ ቅድሚያ ቅድሚያ እንደ ነባሪ ብቻ ይምረጡ. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},እባክዎ ለ <Type> መለያ (Ledger) ለይተው ይወቁ / ይፈጠሩ - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,ጠቅላላ ድግምግሞሽ / ሂሳብ መጠን ልክ እንደ ተገናኝ የጆርናል ምዝገባ ጋር ተመሳሳይ መሆን አለበት DocType: Purchase Invoice Item,Is Fixed Asset,ቋሚ ንብረት ነው @@ -3500,6 +3536,7 @@ DocType: Purpose of Travel,Purpose of Travel,የጉዞ ዓላማ DocType: Healthcare Settings,Appointment Confirmation,የቀጠሮ ማረጋገጫ DocType: Shopping Cart Settings,Orders,ትዕዛዞች DocType: HR Settings,Retirement Age,የጡረታ ዕድሜ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,እባክዎ በአካባቢያዊ ቅንጅቶች በኩል የቁጥር ተከታታይ ቁጥሮች ያቀናብሩ> የስልክ ቁጥር apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,በግብታዊ የታቀደ መጠን apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},ስረዛ ለአገር አይፈቀድም {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},ረድፍ # {0}: ቋሚ ንብረት {1} አስቀድሞ {2} ነው @@ -3583,11 +3620,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,አካውንታንት apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},የ POS እቃ የማረጋገጫ ቫውቸር ተቀናሽ በ {0} እና በ {1} መካከል ባለው {2} apps/erpnext/erpnext/config/help.py,Navigating,በመዳሰስ ላይ +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,የትራንስፖርት ደረሰኞች የዝውውር ፍጥነት መለኪያ አያስፈልግም DocType: Authorization Rule,Customer / Item Name,የደንበኛ / የንጥል ስም apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,አዲሱ Serial No መጋዘን የለውም. መጋዘኑ በግብአት ዕቃ ግቤት ወይም የግዢ ደረሰኝ መቅረብ አለበት DocType: Issue,Via Customer Portal,በደንበኛ መግቢያ በኩል DocType: Work Order Operation,Planned Start Time,የታቀደ መጀመሪያ ሰዓት apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} {2} ነው +DocType: Service Level Priority,Service Level Priority,የአገልግሎት ደረጃ ቅድሚያ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,የተመዝጋቢዎች ብዛት ከዳግም ትርጉሞች ጠቅላላ መጠን መብለጥ የለበትም apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Ledger አጋራ DocType: Journal Entry,Accounts Payable,ሂሳቦች መክፈል @@ -3696,7 +3735,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,ማድረስ ወደ DocType: Bank Statement Transaction Settings Item,Bank Data,የባንክ መረጃ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,መርሃግብር የተያዘለት እስከ -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,የክፍያ አከፋፋይ ሰዓቶችን እና የስራ ሰዓቶችን በየጊዜ ማቆየት ይመዝገቡ apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,በ "ምንጭ" የሚመራ መሪዎችን ይከታተሉ. DocType: Clinical Procedure,Nursing User,የነርሶች ተጠቃሚ DocType: Support Settings,Response Key List,የምላሽ ቁልፍ ዝርዝር @@ -3862,6 +3900,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,ትክክለኛው ጅምር ሰዓት DocType: Antibiotic,Laboratory User,የላቦራቶሪ ተጠቃሚ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,የመስመር ላይ ጨረታዎች +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,ቅድሚያ የሚሰጠው {0} ተደግሟል. DocType: Fee Schedule,Fee Creation Status,የአገልግሎት ክፍያ ሁኔታ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,ሶፍትዌሮች apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ለክፍያ ማዘዝ @@ -3928,6 +3967,7 @@ DocType: Patient Encounter,In print,በኅትመት apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,ለ {0} መረጃ ማምጣት አልተቻለም. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,የማስከፈያ ምንዛሬ ከተለመደው የኩባንያው ምንዛሬ ወይም የፓርቲው የመገበያያ ገንዘብ ጋር እኩል መሆን አለበት apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,እባክዎን የዚህ ሽያጭ ሰው የሰራተኛ መታወቂያ ያስገቡ +DocType: Shift Type,Early Exit Consequence after,ቀደም ብሎ የሚደረግ መዘዝ apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,ክፍት የሽያጭ እና የግዢ ደረሰኞችን ይፍጠሩ DocType: Disease,Treatment Period,የሕክምና ጊዜ apps/erpnext/erpnext/config/settings.py,Setting up Email,ኢሜይልን ማቀናበር @@ -3945,7 +3985,6 @@ DocType: Employee Skill Map,Employee Skills,የሰራተኞች ችሎታ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,የተማሪው ስም: DocType: SMS Log,Sent On,ተልኳል DocType: Bank Statement Transaction Invoice Item,Sales Invoice,የሽያጭ ደረሰኝ -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,የምላሽ ጊዜ ከየክፍሉ ጊዜ በላይ ሊሆን አይችልም DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","ከክፍል የተመሰረተ የተማሪ ቡድን, ኮርሱ ከተመዘገቡ ኮርሶች ውስጥ በመደበኛ ትምህርት ቤት ምዝገባ ለያንዳንዱ ተማሪ ይረጋገጣል." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,በአገር ውስጥ መንግሥት አቅርቦቶች DocType: Employee,Create User Permission,የተጠቃሚ ፍቃድ ፍጠር @@ -3984,6 +4023,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,መደበኛ የሽያጭ ውል ለሽያጭ ወይም ለግዢ. DocType: Sales Invoice,Customer PO Details,የደንበኛ PO ዝርዝሮች apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,ታካሚ አልተገኘም +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,ቅድመ-ቅደም ተከተል ይምረጡ. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,ክፍያው ለዚያ ንጥል የማይተገበር ከሆነ ንጥሉን ያስወግዱ apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,የቡድኑ ቡድን ተመሳሳይ ስም ይኖረዋል እባክህ የደንበኛ ስም ቀይር ወይም የደንበኞችን ቡድን እንደገና ሰይም 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. @@ -4023,6 +4063,7 @@ DocType: Quality Goal,Quality Goal,ጥራት ግብ DocType: Support Settings,Support Portal,የድጋፍ መግቢያ apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},የተግባር መጨረሻ {0}{1} የሚጠበቀው የመጀመሪያ ቀን {2} ሊሆን አይችልም apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},ተቀጣሪ {0} በርቷል {1} ላይ +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},ይህ የአገልግሎት ደረጃ ስምምነት ለደንበኛ {0} የተወሰነ ነው DocType: Employee,Held On,ተይዟል DocType: Healthcare Practitioner,Practitioner Schedules,የልምድ መርሐ ግብሮች DocType: Project Template Task,Begin On (Days),ጀምር በ (ቀኖች) @@ -4030,6 +4071,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},የስራ ትዕዛዝ {0} DocType: Inpatient Record,Admission Schedule Date,የምዝገባ የጊዜ ሰሌዳ apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,የንብረት ማስተካከያ +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,ለዚህ ለውጥ የተመደቡት ተቀጣሪዎች ላይ በ 'ተቀጥሮ መቆጣጠሪያ' ላይ ተመስርተው መከታተል. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,እቃዎች ባልተመዘገቡት ግለሰቦች የተሰጡ አቅርቦቶች apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,ሁሉም ስራዎች DocType: Appointment Type,Appointment Type,የቀጠሮ አይነት @@ -4143,7 +4185,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),የጥቅሉ አጠቃላይ ክብደት. በአብዛኛው የተጣራ ክብደት + ጥቅል ክብደት. (ለማተም) DocType: Plant Analysis,Laboratory Testing Datetime,የላቦራቶሪ ሙከራ ጊዜ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,እቃው {0} ባች ሊኖረው አይችልም -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,የሽያጭ ቧንቧ መስመር በደረጃ apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,የተማሪዎች ቡድን ጥንካሬ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,የባንክ መግለጫ መግለጫ ግብይት DocType: Purchase Order,Get Items from Open Material Requests,ከእቃ ምድቦች ጥያቄዎችን ያግኙ @@ -4225,7 +4266,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,የእርጅና መገልገያ ቁሳቁሶችን አሳይ DocType: Sales Invoice,Write Off Outstanding Amount,ያልተከፈለ ገንዘብን ጻፍ DocType: Payroll Entry,Employee Details,የሰራተኛ ዝርዝሮች -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,የመጀመሪያ ጊዜ ከ {0} ማብቂያ ጊዜ በላይ መሆን አይችልም. DocType: Pricing Rule,Discount Amount,የቅናሽ መጠን DocType: Healthcare Service Unit Type,Item Details,የንጥል ዝርዝሮች apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js,From Delivery Note,ከማላከቻ ማስታወሻ @@ -4277,7 +4317,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-yYYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,የተጣራ ደሞዝ አሉታዊ ሊሆን አይችልም apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,የበስተጀርባዎች ብዛት 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/hr/doctype/employee/employee_dashboard.py,Shift,ቀይር +DocType: Attendance,Shift,ቀይር apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,የሂሳቦችን እና ፓርቲዎችን ያቀናብሩ DocType: Stock Settings,Convert Item Description to Clean HTML,የኤች ቲ ኤም ኤልን የንጥል መግለጫ ቀይር apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,ሁሉም አቅራቢ ድርጅቶች @@ -4348,6 +4388,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,ተቀጣሪ DocType: Healthcare Service Unit,Parent Service Unit,የወላጅ አገልግሎት ክፍል DocType: Sales Invoice,Include Payment (POS),ክፍያ አካት (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,የግል እሴት +DocType: Shift Type,First Check-in and Last Check-out,ለመጀመሪያ ጊዜ ተመዝግበው የሚገቡበት እና የመጨረሻ ቆጠራ DocType: Landed Cost Item,Receipt Document,ደረሰኝ ሰነድ DocType: Supplier Scorecard Period,Supplier Scorecard Period,የአገልግሎት አቅራቢ ካርድ ጊዜ DocType: Employee Grade,Default Salary Structure,መደበኛ የደመወዝ ስኬት @@ -4430,6 +4471,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,የግዢ ትዕዛዝ ፍጠር apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,ለአንድ የበጀት ዓመት በጀት አውጣ. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,የመለያዎች ሰንጠረዥ ባዶ ሊሆን አይችልም. +DocType: Employee Checkin,Entry Grace Period Consequence,የመግቢያ ጸጋ ግዥ ዘመን ,Payment Period Based On Invoice Date,በደረሰኝ ቀን ላይ ተመስርቶ የክፍያ ክፍለ ጊዜ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},የመጫኛ ቀን ለንጥል {0} የመላኪያ ቀን ከመድረሱ በፊት መሆን አይችልም apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,ወደ ቁሳዊ ጥያቄ አገናኝ @@ -4438,6 +4480,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,የተቀነ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},ረድፍ {0}: ዳግም ማስያዝ ግቤት በዚህ መጋዘን ውስጥ አስቀድሞም ይገኛል {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date DocType: Monthly Distribution,Distribution Name,የስርጭት ስም +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,የስራ ቀን {0} ተከስቷል. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,ቡድን ያልሆኑ ቡድኖች apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,በሂደት ላይ ያለ ዝማኔ. የተወሰነ ጊዜ ሊወስድ ይችላል. DocType: Item,"Example: ABCD.##### @@ -4450,6 +4493,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,የነዳጅ ብዛት apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile No DocType: Invoice Discounting,Disbursed,ወጡ +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,በቼክ ሒሳቡ ውስጥ ተገኝተው ለመከታተል የሚወሰዱበት የጊዜ ገደብ ከሰዓት በኋላ. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,የተጣራ ሂሳብ ለውጥ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,አይገኝም apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,የትርፍ ጊዜ @@ -4463,7 +4507,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,ለመ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,PDC ን በፋይል ውስጥ አሳይ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,አቅራቢን ግዛ DocType: POS Profile User,POS Profile User,POS የመገለጫ ተጠቃሚ -DocType: Student,Middle Name,የአባት ስም DocType: Sales Person,Sales Person Name,የሽያጭ ሰው ስም DocType: Packing Slip,Gross Weight,ጠቅላላ ክብደት DocType: Journal Entry,Bill No,ቢል ቁጥር @@ -4472,7 +4515,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,አ DocType: Vehicle Log,HR-VLOG-.YYYY.-,ሃ-ኤች-ቪሎግ-ያዮይሂ.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,የአገልግሎት ደረጃ ስምምነት -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,እባክዎን መጀመሪያ የቀጣሪ እና ቀን ይምረጡ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,የተቀረው የቫውቸር ዋጋ ከግምት በማስገባት የንጥል ዋጋ መገምገም ተሻሽሏል DocType: Timesheet,Employee Detail,የሠራተኛ ዝርዝር DocType: Tally Migration,Vouchers,ቫውቸር @@ -4507,7 +4549,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,የአገልግ DocType: Additional Salary,Date on which this component is applied,ይህ ክፍል የተተገበረበት ቀን apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,የሚገኙትን አክሲዮኖች በ folio ቁጥሮች ዝርዝር apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,የአግባቢ ፍኖት መለያዎችን ያዋቅሩ. -DocType: Service Level,Response Time Period,የምላሽ ጊዜ ጊዜ +DocType: Service Level Priority,Response Time Period,የምላሽ ጊዜ ጊዜ DocType: Purchase Invoice,Purchase Taxes and Charges,የግብር ግብሮችን እና ክፍያዎች ይግዙ DocType: Course Activity,Activity Date,የእንቅስቃሴ ቀን apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,አዲስ ደንበኛ ይምረጡ ወይም ያክሉ @@ -4532,6 +4574,7 @@ DocType: Sales Person,Select company name first.,መጀመሪያ የቡድን apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,የፋይናንስ ዓመት DocType: Sales Invoice Item,Deferred Revenue,የተዘገበው ገቢ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,ከመሸጠ / ከሻተኛው ውስጥ አንዱን መምረጥ አለበት +DocType: Shift Type,Working Hours Threshold for Half Day,የሥራ ሰዓታት የግማሽ ቀን ጣልቃገብነት ,Item-wise Purchase History,የንጥል-ሁኔታ ግዢ ታሪክ apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},በረድፍ {0} ውስጥ የንጥል አገልግሎት ማብቂያ ቀን መለወጥ አይቻልም DocType: Production Plan,Include Subcontracted Items,ንዐስ የተሠሩ ንጥሎችን አካትት @@ -4564,6 +4607,7 @@ DocType: Journal Entry,Total Amount Currency,የጠቅላላ ገንዘብ ምን DocType: BOM,Allow Same Item Multiple Times,ተመሳሳይ ንጥል ብዙ ጊዜ ፍቀድ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,ቦምብን ይፍጠሩ DocType: Healthcare Practitioner,Charges,ክፍያዎች +DocType: Employee,Attendance and Leave Details,የትምህርት ክትትል እና ዝርዝር ሁኔታዎችን ይተው DocType: Student,Personal Details,የግል መረጃ DocType: Sales Order,Billing and Delivery Status,የሂሳብ አከፋፈል እና አቅርቦት ሁኔታ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,ረድፍ {0}: ለሽያጭ {0} ኢሜይል ለመላክ የኢሜይል አድራሻ ያስፈልጋል @@ -4614,7 +4658,6 @@ DocType: Bank Guarantee,Supplier,አቅራቢ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},ግቤትን {0} እና {1} ያስገቡ DocType: Purchase Order,Order Confirmation Date,የትዕዛዝ ማረጋገጫ ቀን DocType: Delivery Trip,Calculate Estimated Arrival Times,የተገመተ የመድረስ ጊዜዎችን አስሉ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,እባክዎ የሰራተኛ ማመሳከሪያ ስርዓትን በሰዎች ሃብት> HR ቅንጅቶች ያዘጋጁ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,መጠቀሚያ DocType: Instructor,EDU-INS-.YYYY.-,ኢዲ-ኢንተስ-ዮናስ.- DocType: Subscription,Subscription Start Date,የደንበኝነት ምዝገባ ጅምር @@ -4636,7 +4679,7 @@ DocType: Installation Note Item,Installation Note Item,የአጫጫን ማስታ DocType: Journal Entry Account,Journal Entry Account,የጆርናል ምዝገባ መዝገብ apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,ተርጓሚ apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,የውይይት መድረክ -DocType: Service Level,Resolution Time Period,የምስል ሰዓት ጊዜ +DocType: Service Level Priority,Resolution Time Period,የምስል ሰዓት ጊዜ DocType: Request for Quotation,Supplier Detail,አቅራቢ ዝርዝር DocType: Project Task,View Task,ተግባር ይመልከቱ DocType: Serial No,Purchase / Manufacture Details,የግዢ / ምርት ዝርዝሮች @@ -4703,6 +4746,7 @@ DocType: Sales Invoice,Commission Rate (%),የኮሚሽል ተመን (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,መጋዘን ሊለወጥ የሚችሉት በስታቲስቲክስ መግቢያ / የመላኪያ ማስታወሻ / የግዢ ደረሰኝ ብቻ ነው DocType: Support Settings,Close Issue After Days,ከጥቂት ቀናት በኋላ ጉዳይን ይዝጉ DocType: Payment Schedule,Payment Schedule,የክፍያ ዕቅድ +DocType: Shift Type,Enable Entry Grace Period,የመግቢያ ጸጋ ግሪትን ያንቁ DocType: Patient Relation,Spouse,ሚስት DocType: Purchase Invoice,Reason For Putting On Hold,ተይዘው እንዲቀመጡ የሚያደርጉ ምክንያቶች DocType: Item Attribute,Increment,ጭማሪ @@ -4841,6 +4885,7 @@ DocType: Authorization Rule,Customer or Item,ደንበኛ ወይም ንጥል DocType: Vehicle Log,Invoice Ref,ደረሰኝ ማጣቀሻ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},የ C-ቅጽ በደረሰኝ ውስጥ አይተገበርም: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,ደረሰኝ ተፈጥሯል +DocType: Shift Type,Early Exit Grace Period,የቅድሚያ መውጫ የችሮታ ወቅት DocType: Patient Encounter,Review Details,የግምገማዎች ዝርዝር apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,ረድፍ {0}: የሰዓት ዋጋ ከዜሮ በላይ መሆን አለበት. DocType: Account,Account Number,የመለያ ቁጥር @@ -4852,7 +4897,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","ኩባንያው SpA, SApA ወይም SRL ከሆነ" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,በሚከተለው መካከል የተደባለቁ ሁኔታዎች: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,ይከፈላል እና አልተረፈም -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,ንጥሉ አይቀዘቅዝም ምክንያቱም ንጥሉ በራስሰር አይቆጠርም DocType: GST HSN Code,HSN Code,HSN ኮድ DocType: GSTR 3B Report,September,መስከረም apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,አስተዳደራዊ ወጪዎች @@ -4898,6 +4942,7 @@ DocType: Healthcare Service Unit,Vacant,ተከራይ DocType: Opportunity,Sales Stage,የሽያጭ ደረጃ DocType: Sales Order,In Words will be visible once you save the Sales Order.,የሽያጭ ትእዛዞቹን ካስቀመጡ በኋላ በቃላት ውስጥ ይታያሉ. DocType: Item Reorder,Re-order Level,ደረጃን እንደገና ትዕዛዝ +DocType: Shift Type,Enable Auto Attendance,በራስ ተገኝነት አንቃ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,ምርጫ ,Department Analytics,መምሪያ ትንታኔ DocType: Crop,Scientific Name,ሳይንሳዊ ስም @@ -4910,6 +4955,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} ሁኔታ {2} DocType: Quiz Activity,Quiz Activity,የጥያቄ እንቅስቃሴ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} በትክክለኛ የዊንበር ፊደል ውስጥ አይደለም DocType: Timesheet,Billed,ተከፈለ +apps/erpnext/erpnext/config/support.py,Issue Type.,የችግር አይነት. DocType: Restaurant Order Entry,Last Sales Invoice,የመጨረሻው የሽያጭ ደረሰኝ DocType: Payment Terms Template,Payment Terms,የክፍያ ውል apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",የተያዙ ቁጥሮች: ቁጥሩ ለሽያጭ ቀርቧል ነገር ግን አልደረሰም. @@ -5003,6 +5049,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,ንብረት apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} የጤና አጠባበቅ ዕቅድ ፕሮግራም የለውም. በጤና እንክብካቤ የህክምና ባለሙያ ጌታ ላይ አክለው DocType: Vehicle,Chassis No,ሻይስ ቁጥር +DocType: Employee,Default Shift,ነባሪ ሽግግር apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,የኩባንያ አህጽሮተ ቃል apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,ቁሳቁሶች የለውዝ ዛፍ DocType: Article,LMS User,የ LMS ተጠቃሚ @@ -5050,6 +5097,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-yYYYY.- DocType: Sales Person,Parent Sales Person,የወላጅ ሽያጭ ሰው DocType: Student Group Creation Tool,Get Courses,ኮርሶች ያግኙ apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ረድፍ # {0}: መጠኑ 1 መሆን አለበት, ምክንያቱም ንጥሉ ቋሚ ንብረት ነው. እባክዎን በተለያየ ረድፍ ለብዙ ጂዮዎች ይጠቀሙ." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),የስራ ሰዓቶች ከዚህ በታች ያልተጠቀሱ የስራ ሰዓቶች. (ለማሰናከል ዜሮ) DocType: Customer Group,Only leaf nodes are allowed in transaction,በግብይት ውስጥ ብቻ የወረቀት መጋጠጦች ይፈቀዳሉ DocType: Grant Application,Organization,ድርጅት DocType: Fee Category,Fee Category,የአገልግሎት ምድብ @@ -5062,6 +5110,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,እባክዎ ለዚህ የሥልጠና በዓል ያለዎትን ሁኔታ ያሻሽሉ DocType: Volunteer,Morning,ጠዋት DocType: Quotation Item,Quotation Item,የዝርዝር ንጥል +apps/erpnext/erpnext/config/support.py,Issue Priority.,ቅድሚያ መስጠት. DocType: Journal Entry,Credit Card Entry,የክሬዲት ካርድ መግቢያ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","የሰዓት ማስገቢያ ተዘሏል, ተንሸራታቹ {0} እስከ {1} የገባበት ቀዳዳ {2} ወደ {3} ይደግማል" DocType: Journal Entry Account,If Income or Expense,የገቢ ወይም ወጪ ከሆነ @@ -5109,11 +5158,13 @@ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Ca apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,ውሂብ አስመጣ እና ቅንጅቶች 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: Account,Expense Account,የወጪ ሂሳብ +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,የቀጣሪው ቼክ ተመዝግቦ የሚገኘበት ጊዜ ከመድረሱ በፊት ያለው ጊዜ. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,ከአሳዳጊ ጋር ያለው ግንኙነት 1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,ካርኒን ይፍጠሩ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},የክፍያ ጥያቄ አስቀድሞም ይገኛል {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',ተቀጥቶ በ {0} ላይ ተቆጠረ ተቀጣሪ 'ግራ' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},ይክፈሉ {0} {1} +DocType: Company,Sales Settings,የሽያጭ ቅንብሮች DocType: Sales Order Item,Produced Quantity,የተፈጨ ቁጥር apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,በሚቀጥለው አገናኝ ላይ የቁጥር ጥያቄን ማግኘት ይቻላል DocType: Monthly Distribution,Name of the Monthly Distribution,የወርሃዊ ስርጭት ስም @@ -5192,6 +5243,7 @@ DocType: Company,Default Values,ነባሪ እሴቶች apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,ለሽያጭ እና ለግዢ ነባሪ የግብር አብነቶች ተፈጥረዋል. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,ከክፍል ውጣ {0} ተሸካሚ ማስተላለፍ አይቻልም apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,የዕዳ ሂሳብ ወደ ተቀናሽ ሂሳብ መቀበል የሚቻል ነው +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/selling/page/point_of_sale/point_of_sale.js,Set as Default,እንደ ነባሪ አዘጋጅ DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),የዚህ ጥቅል የተጣራ ክብደት. (በንጥል የተጣራ የተጣራ ክብደት ድምር ይሰላል) apps/erpnext/erpnext/stock/doctype/item_variant_settings/item_variant_settings.py,Cannot set the field {0} for copying in variants,በተለዋጭ ውስጥ ለማዘጋጀት መስኩን {0} ማቀናበር አይቻልም @@ -5217,8 +5269,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,ጊዜያቸው ያልደረሱ ታች DocType: Shipping Rule,Shipping Rule Type,የመርከብ ደንብ ዓይነት DocType: Job Offer,Accepted,ተቀባይነት አግኝቷል -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","እባክህ ይህን ሰነድ ለመሰረዝ ሰራተኛውን {0} \ ሰርዝ" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,ለግምገማ መስፈርትዎ አስቀድመው ገምግመውታል {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,የቡድን ቁጥሮች ይምረጡ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),ዕድሜ (ቀኖች) @@ -5245,6 +5295,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,ጎራዎችዎን ይምረጡ DocType: Agriculture Task,Task Name,ተግባር ስም apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,ክምችት ምዝገባዎች ቀድሞ ለስራ ትእዛዝ ተከፍተዋል +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","እባክህ ይህን ሰነድ ለመሰረዝ ሰራተኛውን {0} \ ሰርዝ" ,Amount to Deliver,የሚያድሱበት መጠን apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,ኩባንያ {0} አይገኝም apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,ለተጠቀሱት ንጥሎች አገናኝ ለማድረግ በመጠባበቅ ላይ ያለ የይዘት ጥያቄ የለም. @@ -5293,6 +5345,7 @@ DocType: Program Enrollment,Enrolled courses,የተመዘገቡ ኮርሶች DocType: Lab Prescription,Test Code,የሙከራ ኮድ DocType: Purchase Taxes and Charges,On Previous Row Total,ባለፈው ረድፍ ጠቅላላ DocType: Student,Student Email Address,የተማሪ ኢሜይል አድራሻ +,Delayed Item Report,የዘገየው የንጥል ሪፖርት DocType: Academic Term,Education,ትምህርት DocType: Supplier Quotation,Supplier Address,የአቅራቢ አድራሻ DocType: Salary Detail,Do not include in total,በአጠቃላይ አያካትቱ @@ -5300,7 +5353,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} አይገኝም DocType: Purchase Receipt Item,Rejected Quantity,ውድቅ የተደረገ እ DocType: Cashier Closing,To TIme,ለ TIme -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: Daily Work Summary Group User,Daily Work Summary Group User,ዕለታዊ የጥናት ማጠቃለያ ቡድን ተጠቃሚ DocType: Fiscal Year Company,Fiscal Year Company,የፋይናንስ ዓመት ካምፓኒ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,ተለዋጭ ንጥል እንደ የንጥል ኮድ ተመሳሳይ መሆን የለበትም @@ -5352,6 +5404,7 @@ DocType: Program Fee,Program Fee,የፕሮግራም ክፍያ DocType: Delivery Settings,Delay between Delivery Stops,በማደል ማቆሚያዎች መካከል ያለው መዘግየት DocType: Stock Settings,Freeze Stocks Older Than [Days],[እለታዎች] የቆዩ እቃዎችን የቆሸሸ DocType: Promotional Scheme,Promotional Scheme Product Discount,የማስተዋወቂያ ዕቅድ የምርት ቅናሽ +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ቅድሚያ የሚሰጠው ጉዳይ አስቀድሞ አልዎት DocType: Account,Asset Received But Not Billed,እዳ የተቀበል ቢሆንም ግን አልተከፈለም DocType: POS Closing Voucher,Total Collected Amount,ጠቅላላ የተሰበሰበው መጠን DocType: Course,Default Grading Scale,ነባሪ የደረጃ ስሌት መለኪያ @@ -5394,6 +5447,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,የመሟላት ለውጦች apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,ከቡድን ያልሆኑ ቡድኖች DocType: Student Guardian,Mother,እናት +DocType: Issue,Service Level Agreement Fulfilled,የአገልግሎት ደረጃ ስምምነት ይጠናቀቃል DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,ያልተሰጠ ሰራተኛ ጥቅማጥቅሞችን ግብር ይቀንሳል DocType: Travel Request,Travel Funding,የጉዞ የገንዘብ ድጋፍ DocType: Shipping Rule,Fixed,ተጠግኗል @@ -5423,10 +5477,12 @@ DocType: Item,Warranty Period (in days),የዋስትና ጊዜ (በቀናት) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,ምንም ንጥሎች አልተገኙም. DocType: Item Attribute,From Range,ከርቀት DocType: Clinical Procedure,Consumables,ዕቃዎች +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' እና 'timestamp' የሚፈለጉ ናቸው. DocType: Purchase Taxes and Charges,Reference Row #,የማጣቀሻ ረድፍ # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},እባክዎን 'የንብረት አፈፃፀም ዋጋ ማዕከል' በኩባንያ ውስጥ ያቀናብሩ {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,ረድፍ # {0}: የባለጉዳይ ድርጊቱን ለማጠናቀቅ የክፍያ ሰነድ ያስፈልጋል DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,የእርስዎን የሽያጭ ትዕዛዝ ውሂብ ከአማዞን MWS ለመሳብ ይህን አዝራር ጠቅ ያድርጉ. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),የግማሽ ቀን ምልክት የተደረገበት የስራ ሰዓት. (ለማሰናከል ዜሮ) ,Assessment Plan Status,የግምገማ ዕቅድ ሁኔታ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,እባክዎ መጀመሪያ {0} ይምረጡ apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,የሰራተኛ መዝገብ ለመፍጠር ይህን ይላኩ @@ -5497,6 +5553,7 @@ DocType: Quality Procedure,Parent Procedure,የወላጅ አሠራር apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,ክፍት የሚሆን apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,ማጣሪያዎችን ቀያይር DocType: Production Plan,Material Request Detail,የጥራት ጥያቄ ዝርዝር +DocType: Shift Type,Process Attendance After,ሂደት ተሳታፊ በኋላ DocType: Material Request Item,Quantity and Warehouse,ብዛት እና መጋዘን apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,ወደ ፕሮግራሞች ሂድ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},ረድፍ # {0}: ማጣቀሻዎች {1} {2} አባዛ @@ -5554,6 +5611,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,የድግስ መረጃ apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debtors ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,እስከ ቀን ድረስ ከሰራተኞች የማስታቂያ ቀን በላይ ሊሆን አይችልም +DocType: Shift Type,Enable Exit Grace Period,መውጣት የ Grace ክፍለ ጊዜን አንቃ DocType: Expense Claim,Employees Email Id,የሠራተኞች የኢሜል መታወቂያ DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,የሻጭ ዋጋ ከሻርክፍ ወደ ኤአርፒኢዜል ዋጋ ዝርዝር DocType: Healthcare Settings,Default Medical Code Standard,ነባሪ የሕክምና ኮድ መደበኛ @@ -5584,7 +5642,6 @@ DocType: Item Group,Item Group Name,የንጥል ቡድን ስም DocType: Budget,Applicable on Material Request,በወሳኝ ጥያቄ ላይ ተ DocType: Support Settings,Search APIs,ኤፒአይ ፈልግ DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,የሽያጭ ምርት በመቶኛ ለሽያጭ ትእዛዝ -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,ዝርዝሮች DocType: Purchase Invoice,Supplied Items,የተዘጋጁ ዕቃዎች DocType: Leave Control Panel,Select Employees,ሰራተኞችን ይምረጡ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},በብድር ውስጥ የወለድ ገቢን ይምረጡ {0} @@ -5610,7 +5667,7 @@ DocType: Salary Slip,Deductions,ቅናሾች ,Supplier-Wise Sales Analytics,አቅራቢ-ጥሩ የሽያጭ ትንታኔዎች DocType: GSTR 3B Report,February,የካቲት DocType: Appraisal,For Employee,ለተቀጣሪ -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,ትክክለኛው የመላኪያ ቀን +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,ትክክለኛው የመላኪያ ቀን DocType: Sales Partner,Sales Partner Name,የሽያጭ አጋር ስም apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,የዝቅተኛ ዋጋ ረድፍ {0}: የአበሻ ማስወገጃ ቀን ልክ እንደ ያለፈበት ቀን ገብቷል DocType: GST HSN Code,Regional,ክልላዊ @@ -5649,6 +5706,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,የ DocType: Supplier Scorecard,Supplier Scorecard,የአገልግሎት አቅራቢ ካርድ DocType: Travel Itinerary,Travel To,ወደ ጉዞ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Mark Attendance +DocType: Shift Type,Determine Check-in and Check-out,ተመዝግበው ይግቡ እና ተመዝግበው ይውጡ DocType: POS Closing Voucher,Difference,ልዩነት apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,ትንሽ DocType: Work Order Item,Work Order Item,የስራ ቅደም ተከተል ንጥል @@ -5682,6 +5740,7 @@ DocType: Sales Invoice,Shipping Address Name,የመላኪያ አድራሻ ስም apps/erpnext/erpnext/healthcare/setup.py,Drug,መድሃኒት apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} ተዘግቷል DocType: Patient,Medical History,የህክምና ታሪክ +DocType: Expense Claim,Expense Taxes and Charges,ወጭ ግብር እና ክፍያዎች DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,የደንበኝነት ምዝገባን ከመሰረዝዎ ወይም ምዝገባውን እንደትከፈል ከመመዝገብዎ በፊት የክፍያ መጠየቂያ ቀን ካለፈ በኋላ ያሉት ቀናት apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,የማጠናቀቅ ማስታወሻ {0} አስቀድሞ ገብቷል DocType: Patient Relation,Family,ቤተሰብ @@ -5714,7 +5773,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,ጥንካሬ apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,ይህንን ግብይት ለማጠናቀቅ {0} የ {1} አሃዶች በ {2} ውስጥ ያስፈልጋሉ. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,የቢሮ ውለታ ተረፈ ምርቶች -DocType: Bank Guarantee,Customer,ደንበኛ DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",ከነቃ የፕሮግራም የምዝገባ መሳሪያ የግድ የአካዳሚክ ቃል ግዴታ ይሆናል. DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","ለ ጅት የተመሰረተ የተማሪ ቡድን, የተማሪ ቦት ለእያንዳንዱ ተማሪ ከፕሮግራሙ ምዝገባ ጋር የተረጋገጠ ይሆናል." DocType: Course,Topics,ርዕሶች @@ -5872,6 +5930,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),መዝጊያ (መከፈቻ + ጠቅላላ) DocType: Supplier Scorecard Criteria,Criteria Formula,የመስፈርት ቀመር apps/erpnext/erpnext/config/support.py,Support Analytics,ትንታኔዎችን ያግዙ +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),የመሳተፍ የመሳሪያ መታወቂያ (ባዮሜትሪክ / ኤም አር መለያ መታወቂያ) apps/erpnext/erpnext/config/quality_management.py,Review and Action,ግምገማ እና እርምጃ DocType: Account,"If the account is frozen, entries are allowed to restricted users.","መለያው በረዶ ከሆነ, ግቤቶች ለተገደቡ ተጠቃሚዎች ይፈቀዳሉ." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,ከአበበ ከዋለ በኋላ ያለው መጠን @@ -5893,6 +5952,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,ብድር ክፍያ DocType: Employee Education,Major/Optional Subjects,ዋና / አማራጭ ነክ ጉዳዮች DocType: Soil Texture,Silt,ዝለል +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,የአቅራቢዎች እና አድራሻዎች አቅራቢ DocType: Bank Guarantee,Bank Guarantee Type,የባንክ ዋስትና ቃል አይነት DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","ካሰናከሉ, «የተሸነለ ጠቅላላ» መስክ በማንኛውም ግብይት ውስጥ አይታይም" DocType: Pricing Rule,Min Amt,ደቂቃ አፐት @@ -5931,6 +5991,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,የደረሰኝ ቅሬታ ማቅረቢያ መሣሪያን መክፈት DocType: Soil Analysis,(Ca+Mg)/K,(ካም + ኤምግ) / ኬ DocType: Bank Reconciliation,Include POS Transactions,የ POS ሽግግሮችን አክል +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ለተሰጠው የሰራተኛው የመስክ እሴት ሰራተኛ ምንም አልተገኘም. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),የተቀበሉት መጠን (የኩባንያው የገንዘብ ምንዛሬ) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","የአካባቢው ማከማቻ ሙሉ ነው, አያድንም" DocType: Chapter Member,Chapter Member,የምዕራፍ አባል @@ -5963,6 +6024,7 @@ DocType: SMS Center,All Lead (Open),ሁሉም ሊመሩ (ክፈት) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,ምንም የተማሪ ቡድኖች አልተፈጠሩም. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},ተመሳሳይ ረድፍ {0} በተመሳሳይ {1} ላይ DocType: Employee,Salary Details,የደሞዝ ዝርዝሮች +DocType: Employee Checkin,Exit Grace Period Consequence,የ Grace Perit Consequence መውጣት DocType: Bank Statement Transaction Invoice Item,Invoice,ደረሰኝ DocType: Special Test Items,Particulars,ዝርዝሮች apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,እባክዎ በንጥል ወይም መጋዘን ላይ ተመስርተው ማጣሪያ ያዘጋጁ @@ -6063,6 +6125,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,ከ AMC ውጭ DocType: Job Opening,"Job profile, qualifications required etc.","የስራ ዝርዝር, አስፈላጊ መመዘኛዎች ወዘተ." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,ወደ ዋናው መርከብ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,ጥያቄውን ለማስረከብ ይፈልጋሉ? DocType: Opportunity Item,Basic Rate,መሠረታዊ ደረጃ DocType: Compensatory Leave Request,Work End Date,የስራ መጨረሻ ቀን apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,ጥሬ እቃዎች ጥያቄ @@ -6247,6 +6310,7 @@ DocType: Depreciation Schedule,Depreciation Amount,የዋጋ ቅናሽ መጠን DocType: Sales Order Item,Gross Profit,ጠቅላላ ትርፍ DocType: Quality Inspection,Item Serial No,የእቃ ዕቃ ዝርዝር ቁጥር DocType: Asset,Insurer,ኢንሹራንስ +DocType: Employee Checkin,OUT,ውጣ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,መጠን መግዛት DocType: Asset Maintenance Task,Certificate Required,የምስክር ወረቀት ያስፈልጋል DocType: Retention Bonus,Retention Bonus,የማቆየት ጉርሻ @@ -6359,6 +6423,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),ልዩነት መጠ DocType: Invoice Discounting,Sanctioned,ተገድሏል DocType: Course Enrollment,Course Enrollment,ኮርስ ምዝገባ DocType: Item,Supplier Items,የአቅራቢ ንጥሎች +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",የመጀመሪያ ጊዜ ከ <End> \ {0} በላይ ወይም እኩል ሊሆን አይችልም. DocType: Sales Order,Not Applicable,ተፈፃሚ የማይሆን DocType: Support Search Source,Response Options,የምላሽ አማራጮች apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} በ 0 እና 100 መካከል የሆነ እሴት መሆን አለበት @@ -6443,7 +6509,6 @@ DocType: Travel Request,Costing,ወጪ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,ቋሚ ንብረት DocType: Purchase Order,Ref SQ,Ref QQ DocType: Salary Structure,Total Earning,ጠቅላላ ገቢ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ደንበኛ> የሽያጭ ቡድን> ግዛት DocType: Share Balance,From No,ከ DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,የክፍያ ማስታረቅ ደረሰኝ DocType: Purchase Invoice,Taxes and Charges Added,ግብሮችን እና ክፍያዎች ተጨምረዋል @@ -6551,6 +6616,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,የዋጋ አሰጣጡን መመሪያ ችላ በል apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ምግብ DocType: Lost Reason Detail,Lost Reason Detail,የጠፋበት ምክንያት +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},የሚከተሉት ተከታታይ ቁጥሮች ተፈጠሩ.
{0} DocType: Maintenance Visit,Customer Feedback,የደንበኛ ግብረመልስ DocType: Serial No,Warranty / AMC Details,የዋስትና / AMC ዝርዝሮች DocType: Issue,Opening Time,የሚከፈትበት ጊዜ @@ -6599,6 +6665,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,የኩባንያ ስም ተመሳሳይ አይደለም apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,የሰራተኛ ማስተዋወቂያ ከፍ ከሚያደርጉበት ቀን በፊት ገቢ ሊደረግ አይችልም apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ከ {0} በፊት የቆዩ የግብይት ንግዶች ለማዘመን አይፈቀድም +DocType: Employee Checkin,Employee Checkin,Employee Checkin apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},የመጀመሪያ ቀን ለንጥል {0} የመጨረሻ ቀን ማብቂያ መሆን አለበት apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,የደንበኛ ዋጋዎችን ይፍጠሩ DocType: Buying Settings,Buying Settings,ቅንብሮችን መግዛት @@ -6620,6 +6687,7 @@ DocType: Job Card Time Log,Job Card Time Log,የስራ ካርድ የጊዜ ም DocType: Patient,Patient Demographics,የታካሚዎች ብዛት DocType: Share Transfer,To Folio No,ለ Folio ቁጥር apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ከብሮሮቶች የገንዘብ ምንጮች +DocType: Employee Checkin,Log Type,የምዝግብ ዓይነት DocType: Stock Settings,Allow Negative Stock,አሉታዊ መለኪያ ይፍቀዱ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,ማንኛቸውም ንጥሎች በብዛትና በጥቅም ላይ ምንም ለውጥ የለም. DocType: Asset,Purchase Date,የተገዛበት ቀን @@ -6664,6 +6732,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,እጅግ በጣም ከፍተኛ apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,የንግድዎን ባህሪ ይምረጡ. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,እባክዎ ወር እና ዓመት ይምረጡ +DocType: Service Level,Default Priority,ነባሪ ቅድሚያ DocType: Student Log,Student Log,የተማሪ መዝገብ DocType: Shopping Cart Settings,Enable Checkout,Checkout ያንቁ apps/erpnext/erpnext/config/settings.py,Human Resources,የሰው ሀይል አስተዳደር @@ -6692,7 +6761,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ከ ERPNext ጋር ግዢን ያገናኙ DocType: Homepage Section Card,Subtitle,ንኡስ ርእስ DocType: Soil Texture,Loam,ፈገግታ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,አቅራቢ> አቅራቢ አይነት DocType: BOM,Scrap Material Cost(Company Currency),የተረፈ ቁሳቁስ ወጪ (የኩባንያው የገንዘብ ምንዛሬ) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,የማድረስ የማሳወቂያ ማስታወሻ {0} መቅረብ የለበትም DocType: Task,Actual Start Date (via Time Sheet),ትክክለኛው የመጀመሪያ ቀን (በጊዜ ዝርዝር) @@ -6748,6 +6816,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,የመመገቢያ DocType: Cheque Print Template,Starting position from top edge,ከከጡ ጠርዝ አጀማመርን ጀምር apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),የቀጠሮ ጊዜ (ደቂቃ) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},ይህ ሰራተኛ ቀደም ብሎ በተመሳሳዩ የጊዜ ማህተም ጋር ምዝግብ አለው. {0} DocType: Accounting Dimension,Disable,አሰናክል DocType: Email Digest,Purchase Orders to Receive,ለመቀበል የግዢ ትዕዛዞች apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,የምርት ትዕዛዞችን ለሚከተሉት መንቀል አይችልም: @@ -6763,7 +6832,6 @@ DocType: Production Plan,Material Requests,የቁሳቁስ ጥያቄዎች DocType: Buying Settings,Material Transferred for Subcontract,ለንዐስ ኮንትራት ሽጥ DocType: Job Card,Timing Detail,የዝግጅት ዝርዝር apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,የሚፈለግበት በ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{0} የ {1} አስመጪ DocType: Job Offer Term,Job Offer Term,የሥራ ቅልጥፍ DocType: SMS Center,All Contact,ሁሉም እውቂያ DocType: Project Task,Project Task,ፕሮጀክት ተግባር @@ -6814,7 +6882,6 @@ DocType: Student Log,Academic,ትምህርታዊ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,ንጥል {0} ለ "Serial Nos" አልተዘጋጀም apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,ከስቴት DocType: Leave Type,Maximum Continuous Days Applicable,ከፍተኛው ቀጣይ ቀናት ሊተገበር ይችላል -apps/erpnext/erpnext/config/support.py,Support Team.,የድጋፍ ቡድን. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,እባክህ መጀመሪያ የኩባንያ ስም አስገባ apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,ማስመጣት ተሳክቷል DocType: Guardian,Alternate Number,ተለዋጭ ቁጥር @@ -6906,6 +6973,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,ረድፍ # {0}: ንጥል ታክሏል DocType: Student Admission,Eligibility and Details,ብቁነት እና ዝርዝሮች DocType: Staffing Plan,Staffing Plan Detail,የሰራተኛ እቅድ ዝርዝር +DocType: Shift Type,Late Entry Grace Period,Late Entry Grace Period DocType: Email Digest,Annual Income,አመታዊ ገቢ DocType: Journal Entry,Subscription Section,የምዝገባ ክፍል DocType: Salary Slip,Payment Days,የክፍያ ቀናቶች @@ -6955,6 +7023,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,የሂሳብ ሚዛን DocType: Asset Maintenance Log,Periodicity,ወቅታዊነት apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,የህክምና መዝገብ +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,በሱ ፈረሱ ለሚወጡት ፍተሻ የምዝግብ ወረቀት ያስፈልጋል. {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,አፈፃፀም DocType: Item,Valuation Method,የግምገማ ዘዴ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} ከሽያጭ ደረሰኝ {1} @@ -7039,6 +7108,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,በግምት በአን DocType: Loan Type,Loan Name,የብድር ስም apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ነባሪ የክፍያ ስልትን ያዘጋጁ DocType: Quality Goal,Revision,ክለሳ +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,የጉዞ ዘግይቶ ከመድረሱ በፊት ያለው ጊዜ እንደ መጀመሪያው (በደቂቃዎች) የሚታይበት ጊዜ. DocType: Healthcare Service Unit,Service Unit Type,የአገልግሎት አይ ጠቅላላ ምድብ DocType: Purchase Invoice,Return Against Purchase Invoice,በግዢ ደረሰኝ ላይ ይመልሱ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,ሚስጥራዊ አፍልቅ @@ -7194,12 +7264,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,ኮስሜቲክስ DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,ተጠቃሚውን ከማስቀመጥዎ በፊት ተከታታይን እንዲመርጥ ለማስገደድ ከፈለጉ ይህንን ያረጋግጡ. ይህንን ቢያረጋግጡ ምንም ነባሪ አይኖርም. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,በዚህ ተግባር ውስጥ ያሉ ተጠቃሚዎች የታሰሩ መለያዎችን እንዲያቀናብሩ እና በቀዝቃዛ መለያዎች የሂሳብ መለያዎች እንዲፈጥሩ / እንዲቀይሩ ተፈቅዶላቸዋል +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,የእቃ ቁጥር> የንጥል ቡድን> ብራንድ DocType: Expense Claim,Total Claimed Amount,አጠቃላይ የይገባኛል ጥያቄ መጠን 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} ቀናት ውስጥ የሰዓት ማስገቢያ ማግኘት አልተቻለም apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,ማጠራቀሚያ apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,አባልነትዎ በ 30 ቀናት ውስጥ የሚያልቅ ከሆነ ብቻ መታደስ የሚችሉት apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},እሴት በ {0} እና በ {1} መካከል መሆን አለበት DocType: Quality Feedback,Parameters,ልኬቶች +DocType: Shift Type,Auto Attendance Settings,የመኪና የመቆጣጠሪያ ቅንብሮች ,Sales Partner Transaction Summary,የሽያጭ ደንበኛ ግብይት ማጠቃለያ DocType: Asset Maintenance,Maintenance Manager Name,የጥገና አስተዳዳሪ ስም apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,የዝርዝር ዝርዝሮችን ለማግኘት አስፈላጊ ነው. @@ -7290,10 +7362,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,የተተገበረ ደንብ አረጋግጥ DocType: Job Card Item,Job Card Item,የስራ ካርድ ንጥል DocType: Homepage,Company Tagline for website homepage,የኩባንያ የመለያ መጻፊያ መስመር ለድር ጣቢያ ገፅ መነሻ ገጽ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,የእሴት ምላሽ እና የፍላጎት ቅድሚያ ለሚሰጥ {0} በ {{0}} መረጃ {{}} ያቀናብሩ. DocType: Company,Round Off Cost Center,ቅናሽ ዋጋ ወጪ ማዕከል DocType: Supplier Scorecard Criteria,Criteria Weight,መስፈርት ክብደት DocType: Asset,Depreciation Schedules,ትርፍ ትርዒት -DocType: Expense Claim Detail,Claim Amount,የይገባኛል መጠን DocType: Subscription,Discounts,ቅናሾች DocType: Shipping Rule,Shipping Rule Conditions,የማጓጓዣ ደንብ ሁኔታዎች DocType: Subscription,Cancelation Date,የተሻረበት ቀን @@ -7321,7 +7393,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,መርሆዎችን ፍ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,ዜሮ እሴቶችን አሳይ DocType: Employee Onboarding,Employee Onboarding,ተቀጣሪ ሰራተኛ DocType: POS Closing Voucher,Period End Date,የጊዜ ማብቂያ ቀን -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,የሽያጭ ዕድሎች በአስፈላጊነት DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,በዝርዝሩ ውስጥ የመጀመሪያ የመጠቆም ፀባይ እንደ ነባሪው ይልቀቁት. DocType: POS Settings,POS Settings,የ POS ቅንብሮች apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,ሁሉም መለያዎች @@ -7342,7 +7413,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ባን apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ረድፍ # {0}: ደረጃው እንደ {1} ነው: {2} ({3} / {4}) ነው DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-yYYYY.- DocType: Healthcare Settings,Healthcare Service Items,የጤና እንክብካቤ አገልግሎት እቃዎች -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,ምንም መዛግብት አልተገኙም apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,የዕድሜ መግፋት 3 DocType: Vital Signs,Blood Pressure,የደም ግፊት apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,ዒላማ በርቷል @@ -7389,6 +7459,7 @@ DocType: Company,Existing Company,ነባር ኩባንያ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ስብስቦች apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,መከላከያ DocType: Item,Has Batch No,ባች ቁጥር አለው +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,ቀናት ዘግይተዋል DocType: Lead,Person Name,የግል ስም DocType: Item Variant,Item Variant,የንጥል ልዩነት DocType: Training Event Employee,Invited,ተጋብዘዋል @@ -7409,7 +7480,7 @@ DocType: Purchase Order,To Receive and Bill,ለመቀበል እና ቢል apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",የመጀመሪያዎቹ እና የመጨረሻዎቹን ቀናት በሚሰራበት የደመወዝ ጊዜ ውስጥ አይደለም {0} ማስላት አይቻልም. DocType: POS Profile,Only show Customer of these Customer Groups,የእነዚህ የሽያጭ ቡድኖች ደንበኛን ብቻ ያሳዩ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ኢንቮይሱን ለማስቀመጥ ንጥሎችን ምረጥ -DocType: Service Level,Resolution Time,የምስል ሰዓት +DocType: Service Level Priority,Resolution Time,የምስል ሰዓት DocType: Grading Scale Interval,Grade Description,የደረጃ መግለጫ DocType: Homepage Section,Cards,ካርዶች DocType: Quality Meeting Minutes,Quality Meeting Minutes,የጥራት ስብሰባዎች ደቂቃዎች @@ -7436,6 +7507,7 @@ DocType: Project,Gross Margin %,ግዙፍ ኅዳግ % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,የባንክ የሂሳብ ሚዛን በጄኔራል ሌድጀር እንደተገለፀው apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),የጤና እንክብካቤ (ቤታ) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,ነባሪ መጋዘን የሽያጭ ትዕዛዝ እና የማድረስ ማስታወሻን ለመፍጠር +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,የ {0} በ {{0} መረጃ መለኪያ ጊዜ ከከፍታን አቋም በላይ ሊበልጥ አይችልም. DocType: Opportunity,Customer / Lead Name,ደንበኛ / መሪ ስም DocType: Student,EDU-STU-.YYYY.-,EDU-STU-yYYYY.- DocType: Expense Claim Advance,Unclaimed amount,የይገባኛል ጥያቄ ያልተነሳበት መጠን @@ -7481,7 +7553,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,ግቤቶችን እና አድራሻዎችን ማስመጣት DocType: Item,List this Item in multiple groups on the website.,ይህንን ንጥል በድርቡ ላይ በበርካታ ቡድኖች ውስጥ ይዘርዝሩ. DocType: Request for Quotation,Message for Supplier,ለአቅራቢ መልዕክት -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,{0} እንደ የሻጭ ግብይት በንጥል {1} እንዳለ መቀየር አይቻልም. DocType: Healthcare Practitioner,Phone (R),ስልክ (አር) DocType: Maintenance Team Member,Team Member,የቡድን አባል DocType: Asset Category Account,Asset Category Account,የንብረት ምድብ መለያ diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index b0628aebad..86b6f01486 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,تاريخ بدء المصطلح apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,تم إلغاء الموعد {0} وفاتورة المبيعات {1} DocType: Purchase Receipt,Vehicle Number,عدد المركبات apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,عنوان بريدك الإلكتروني... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,تضمين إدخالات دفتر افتراضي +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,تضمين إدخالات دفتر افتراضي DocType: Activity Cost,Activity Type,نوع النشاط DocType: Purchase Invoice,Get Advances Paid,الحصول على السلف المدفوعة DocType: Company,Gain/Loss Account on Asset Disposal,حساب الربح / الخسارة عند التخلص من الأصول @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,ماذا تعم DocType: Bank Reconciliation,Payment Entries,إدخالات الدفع DocType: Employee Education,Class / Percentage,الطبقة / النسبة المئوية ,Electronic Invoice Register,تسجيل الفاتورة الإلكترونية +DocType: Shift Type,The number of occurrence after which the consequence is executed.,عدد مرات الحدوث التي يتم بعدها تنفيذ النتيجة. DocType: Sales Invoice,Is Return (Credit Note),هو العائد (ملاحظة الائتمان) +DocType: Price List,Price Not UOM Dependent,السعر لا يعتمد على UOM DocType: Lab Test Sample,Lab Test Sample,عينة اختبار مختبر DocType: Shopify Settings,status html,الوضع أتش تي أم أل DocType: Fiscal Year,"For e.g. 2012, 2012-13",على سبيل المثال 2012 ، 2012-13 @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,بحث منتو DocType: Salary Slip,Net Pay,صافي الأجر apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,إجمالي الفاتورة Amt DocType: Clinical Procedure,Consumables Invoice Separately,مستهلكات الفاتورة بشكل منفصل +DocType: Shift Type,Working Hours Threshold for Absent,ساعات العمل عتبة الغياب DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},لا يمكن تخصيص الميزانية مقابل حساب المجموعة {0} DocType: Purchase Receipt Item,Rate and Amount,معدل ومبلغ @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,تعيين مستودع المصدر DocType: Healthcare Settings,Out Patient Settings,خارج إعدادات المريض DocType: Asset,Insurance End Date,تاريخ انتهاء التأمين DocType: Bank Account,Branch Code,رمز الفرع -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,وقت الاستجابة apps/erpnext/erpnext/public/js/conf.js,User Forum,منتدى المستخدم DocType: Landed Cost Item,Landed Cost Item,بند تكلفة الهبوط apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,البائع والمشتري لا يمكن أن يكون هو نفسه @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,المالك الرئيسي DocType: Share Transfer,Transfer,نقل apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),بحث عن عنصر (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} النتيجة المقدمة +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,من تاريخ لا يمكن أن يكون أكبر من إلى DocType: Supplier,Supplier of Goods or Services.,المورد من السلع أو الخدمات. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,اسم الحساب الجديد. ملاحظة: يرجى عدم إنشاء حسابات للعملاء والموردين apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,مجموعة الطلاب أو الجدول الدراسي إلزامي @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,قاعدة DocType: Skill,Skill Name,اسم المهارة apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,طباعة بطاقة تقرير DocType: Soil Texture,Ternary Plot,مؤامرة ثلاثية -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,تذاكر الدعم الفني DocType: Asset Category Account,Fixed Asset Account,حساب الأصول الثابتة apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,آخر @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,المسافة UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,إلزامي للميزانية العمومية DocType: Payment Entry,Total Allocated Amount,المبلغ الإجمالي المخصص DocType: Sales Invoice,Get Advances Received,الحصول على السلف المستلمة +DocType: Shift Type,Last Sync of Checkin,آخر مزامنة للفحص DocType: Student,B-,ب- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,البند ضريبة المبلغ المدرجة في القيمة apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,خطة الاشتراك DocType: Student,Blood Group,فصيلة الدم apps/erpnext/erpnext/config/healthcare.py,Masters,سادة DocType: Crop,Crop Spacing UOM,تباعد المحاصيل UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,الوقت بعد وقت بدء التحول عندما يُعتبر تسجيل الوصول متأخرًا (بالدقائق). apps/erpnext/erpnext/templates/pages/home.html,Explore,يكتشف +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,لم يتم العثور على فواتير معلقة apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} الوظائف الشاغرة و {1} ميزانية {2} المخطط لها بالفعل للشركات التابعة لـ {3}. \ يمكنك فقط التخطيط حتى {4} للوظائف الشاغرة والميزانية {5} وفقًا لخطة التوظيف {6} للشركة الأم {3}. DocType: Promotional Scheme,Product Discount Slabs,ألواح خصم المنتج @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,طلب الحضور DocType: Item,Moving Average,المتوسط المتحرك DocType: Employee Attendance Tool,Unmarked Attendance,الحضور غير المميز DocType: Homepage Section,Number of Columns,عدد الأعمدة +DocType: Issue Priority,Issue Priority,أولوية الإصدار DocType: Holiday List,Add Weekly Holidays,أضف عطلات أسبوعية DocType: Shopify Log,Shopify Log,سجل Shopify apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,إنشاء راتب الراتب @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,القيمة / الوصف DocType: Warranty Claim,Issue Date,تاريخ الاصدار 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}. يتعذر العثور على مجموعة واحدة تفي بهذا المطلب apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,لا يمكن إنشاء مكافأة الاحتفاظ للموظفين اليسار +DocType: Employee Checkin,Location / Device ID,الموقع / معرف الجهاز DocType: Purchase Order,To Receive,لاستقبال apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,أنت في وضع عدم الاتصال. لن تتمكن من إعادة التحميل حتى يكون لديك شبكة. DocType: Course Activity,Enrollment,تسجيل @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,قالب اختبار المعمل apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},الحد الأقصى: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,الفواتير الإلكترونية معلومات مفقودة apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,لم يتم إنشاء طلب مادة -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,كود الصنف> مجموعة الصنف> العلامة التجارية DocType: Loan,Total Amount Paid,المبلغ الإجمالي المدفوع apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,تم بالفعل تحرير كل هذه العناصر DocType: Training Event,Trainer Name,اسم المدرب @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},يرجى ذكر اسم العميل المتوقع في الرصاص {0} DocType: Employee,You can enter any date manually,يمكنك إدخال أي تاريخ يدويا DocType: Stock Reconciliation Item,Stock Reconciliation Item,الأسهم المصالحة البند +DocType: Shift Type,Early Exit Consequence,نتيجة الخروج المبكر DocType: Item Group,General Settings,الاعدادات العامة apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,لا يمكن أن يكون تاريخ الاستحقاق قبل تاريخ إرسال فاتورة المورد / apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,أدخل اسم المستفيد قبل التقديم. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,مدقق حسابات apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,تأكيد الدفعة ,Available Stock for Packing Items,الأسهم المتاحة لعناصر التعبئة apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},يرجى إزالة هذه الفاتورة {0} من نموذج C {1} +DocType: Shift Type,Every Valid Check-in and Check-out,كل صالح في الاختيار والمغادرة DocType: Support Search Source,Query Route String,سلسلة طريق الاستعلام DocType: Customer Feedback Template,Customer Feedback Template,قالب ملاحظات العملاء apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,ونقلت إلى العملاء أو العروض. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,السيطرة على إذن ,Daily Work Summary Replies,ملخص ملخص العمل اليومي apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},تمت دعوتك للتعاون في المشروع: {0} +DocType: Issue,Response By Variance,الرد بواسطة التباين DocType: Item,Sales Details,تفاصيل المبيعات apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,رؤوس الرسائل لقوالب الطباعة. DocType: Salary Detail,Tax on additional salary,ضريبة على الراتب الإضافي @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,عناو DocType: Project,Task Progress,تقدم المهمة DocType: Journal Entry,Opening Entry,فتح الدخول DocType: Bank Guarantee,Charges Incurred,الرسوم المتكبدة +DocType: Shift Type,Working Hours Calculation Based On,ساعات العمل حساب على أساس DocType: Work Order,Material Transferred for Manufacturing,نقل المواد للتصنيع DocType: Products Settings,Hide Variants,إخفاء المتغيرات DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,تعطيل تخطيط القدرات وتتبع الوقت @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,الاستهلاك DocType: Guardian,Interests,الإهتمامات DocType: Purchase Receipt Item Supplied,Consumed Qty,الكمية المستهلكة DocType: Education Settings,Education Manager,مدير التعليم +DocType: Employee Checkin,Shift Actual Start,التحول الفعلي البداية DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,تخطيط سجلات الوقت خارج ساعات عمل محطة العمل. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},نقاط الولاء: {0} DocType: Healthcare Settings,Registration Message,رسالة التسجيل @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,تم إنشاء الفاتورة بالفعل لجميع ساعات الفوترة DocType: Sales Partner,Contact Desc,الاتصال تنازلي DocType: Purchase Invoice,Pricing Rules,قواعد التسعير +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}",نظرًا لوجود معاملات حالية مقابل العنصر {0} ، لا يمكنك تغيير قيمة {1} DocType: Hub Tracked Item,Image List,قائمة الصور DocType: Item Variant Settings,Allow Rename Attribute Value,السماح بإعادة تسمية قيمة السمة -DocType: Price List,Price Not UOM Dependant,السعر لا يعتمد على UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),الوقت (بالدقائق) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,الأساسية DocType: Loan,Interest Income Account,حساب دخل الفوائد @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,نوع الوظيفة apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,حدد POS Profile DocType: Support Settings,Get Latest Query,الحصول على أحدث الاستعلام DocType: Employee Incentive,Employee Incentive,حافز الموظف +DocType: Service Level,Priorities,أولويات apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,إضافة بطاقات أو أقسام مخصصة على الصفحة الرئيسية DocType: Homepage,Hero Section Based On,قسم البطل على أساس DocType: Project,Total Purchase Cost (via Purchase Invoice),إجمالي تكلفة الشراء (عبر فاتورة الشراء) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,تصنيع ضد طلب DocType: Blanket Order Item,Ordered Quantity,الكمية المطلوبة apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},الصف # {0}: مستودع مرفوض إلزامي ضد العنصر المرفوض {1} ,Received Items To Be Billed,العناصر المستلمة المطلوب دفعها -DocType: Salary Slip Timesheet,Working Hours,ساعات العمل +DocType: Attendance,Working Hours,ساعات العمل apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,طريقة الدفع apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,بنود طلب الشراء غير المستلمة في الوقت المحدد apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,المدة بالأيام @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,معلومات قانونية ومعلومات عامة أخرى عن المورد الخاص بك DocType: Item Default,Default Selling Cost Center,مركز تكلفة البيع الافتراضي DocType: Sales Partner,Address & Contacts,العنوان وجهات الاتصال -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عبر الإعداد> سلسلة الترقيم DocType: Subscriber,Subscriber,مكتتب apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) غير متوفر apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,الرجاء تحديد تاريخ النشر أولاً @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,طريقة كاملة ٪ DocType: Detected Disease,Tasks Created,المهام التي تم إنشاؤها apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,يجب أن يكون BOM الافتراضي ({0}) نشطًا لهذا العنصر أو القالب الخاص به apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,نسبة العمولة ٪ -DocType: Service Level,Response Time,وقت الاستجابة +DocType: Service Level Priority,Response Time,وقت الاستجابة DocType: Woocommerce Settings,Woocommerce Settings,إعدادات Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,يجب أن تكون الكمية إيجابية DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,رسوم زيارة ال DocType: Bank Statement Settings,Transaction Data Mapping,تعيين بيانات المعاملات apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,يتطلب العميل المتوقع اسم شخص أو اسم مؤسسة DocType: Student,Guardians,أولياء الأمور -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,يرجى إعداد نظام تسمية المدرب في التعليم> إعدادات التعليم apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,اختر العلامة التجارية ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,الدخل المتوسط DocType: Shipping Rule,Calculate Based On,حساب بناء على @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ضع هدفا apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},سجل الحضور {0} موجود ضد الطالب {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,تاريخ المعاملة apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,إلغاء الاشتراك +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,لا يمكن تعيين اتفاقية مستوى الخدمة {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,صافي الراتب المبلغ DocType: Account,Liability,مسؤولية DocType: Employee,Bank A/C No.,رقم البنك @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,المادة الخام رمز البند apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,تم إرسال فاتورة الشراء {0} بالفعل DocType: Fees,Student Email,بريد الطالب -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},تكرار BOM: {0} لا يمكن أن يكون أصلًا أو تابعًا لـ {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,الحصول على عناصر من خدمات الرعاية الصحية apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,لم يتم تقديم إدخال الأسهم {0} DocType: Item Attribute Value,Item Attribute Value,قيمة سمة البند @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,السماح للطباعة قبل DocType: Production Plan,Select Items to Manufacture,حدد عناصر لتصنيعها DocType: Leave Application,Leave Approver Name,اترك اسم الموافقة DocType: Shareholder,Shareholder,المساهم -DocType: Issue,Agreement Status,حالة الاتفاق apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,الإعدادات الافتراضية لبيع المعاملات. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,يرجى اختيار قبول الطالب وهو إلزامي لمقدم الطلب الطالب المدفوع apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,اختر BOM @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,حساب الدخل apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,جميع المستودعات DocType: Contract,Signee Details,تفاصيل Signee +DocType: Shift Type,Allow check-out after shift end time (in minutes),السماح بتسجيل المغادرة بعد وقت انتهاء التحول (بالدقائق) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,تدبير DocType: Item Group,Check this if you want to show in website,تحقق هذا إذا كنت تريد أن تظهر في الموقع apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,السنة المالية {0} غير موجودة @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,تاريخ بدء الاست DocType: Activity Cost,Billing Rate,معدل الفواتير apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},تحذير: يوجد {0} # {1} آخر ضد إدخال المخزون {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,يرجى تمكين إعدادات خرائط Google لتقدير الطرق وتحسينها +DocType: Purchase Invoice Item,Page Break,فاصل صفحة DocType: Supplier Scorecard Criteria,Max Score,أقصى درجة apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,لا يمكن أن يكون تاريخ بدء السداد قبل تاريخ الصرف. DocType: Support Search Source,Support Search Source,دعم البحث المصدر @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,هدف جودة الهد DocType: Employee Transfer,Employee Transfer,نقل الموظف ,Sales Funnel,قمع المبيعات DocType: Agriculture Analysis Criteria,Water Analysis,تحليل المياه +DocType: Shift Type,Begin check-in before shift start time (in minutes),ابدأ تسجيل الوصول قبل وقت بدء التحول (بالدقائق) DocType: Accounts Settings,Accounts Frozen Upto,الحسابات المجمدة تصل apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,لا يوجد شيء للتحرير. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",العملية {0} أطول من أي ساعات عمل متاحة في محطة العمل {1} ، قسم العملية إلى عمليات متعددة @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,سي apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},أمر المبيعات {0} هو {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),التأخير في الدفع (أيام) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,أدخل تفاصيل الاستهلاك +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,PO العملاء apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,يجب أن يكون تاريخ التسليم المتوقع بعد تاريخ أمر المبيعات +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,كمية البند لا يمكن أن يكون صفرا apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,سمة غير صالحة apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},يرجى اختيار BOM مقابل العنصر {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,نوع الفاتورة @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,تاريخ الصيانة DocType: Volunteer,Afternoon,بعد الظهر DocType: Vital Signs,Nutrition Values,قيم التغذية DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),وجود الحمى (درجة حرارة> 38.5 درجة مئوية / 101.3 درجة فهرنهايت أو درجة حرارة ثابتة> 38 درجة مئوية / 100.4 درجة فهرنهايت) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,يرجى إعداد نظام تسمية الموظفين في الموارد البشرية> إعدادات الموارد البشرية apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,عكس مركز التجارة الدولية DocType: Project,Collect Progress,جمع التقدم apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,طاقة @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,تقدم الإعداد ,Ordered Items To Be Billed,العناصر المطلوبة لفواتير DocType: Taxable Salary Slab,To Amount,لكمية DocType: Purchase Invoice,Is Return (Debit Note),هو العودة (مذكرة الخصم) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,العملاء> مجموعة العملاء> الإقليم apps/erpnext/erpnext/config/desktop.py,Getting Started,ابدء apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,دمج apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,لا يمكن تغيير تاريخ بدء السنة المالية وتاريخ نهاية السنة المالية بمجرد حفظ السنة المالية. @@ -2216,8 +2232,10 @@ DocType: Maintenance Schedule Detail,Actual Date,التاريخ الفعلي apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},لا يمكن أن يكون تاريخ بدء الصيانة قبل تاريخ التسليم للمسلسل رقم {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,الصف {0}: سعر الصرف إلزامي DocType: Purchase Invoice,Select Supplier Address,اختر عنوان المورد +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}",الكمية المتاحة هي {0} ، تحتاج إلى {1} apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,الرجاء إدخال سر عميل API DocType: Program Enrollment Fee,Program Enrollment Fee,رسوم التسجيل في البرنامج +DocType: Employee Checkin,Shift Actual End,التحول نهاية الفعلية DocType: Serial No,Warranty Expiry Date,تاريخ انتهاء الضمان DocType: Hotel Room Pricing,Hotel Room Pricing,غرفة فندق التسعير apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted",اللوازم الخاضعة للضريبة إلى الخارج (بخلاف تصنيف الصفر ، لا يوجد تقييم ومعفى @@ -2277,6 +2295,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,قراءة 5 DocType: Shopping Cart Settings,Display Settings,اعدادات العرض apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,يرجى تحديد عدد الإهلاكات المحجوزة +DocType: Shift Type,Consequence after,النتيجة بعد apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,ما الذى تحتاج المساعدة به؟ DocType: Journal Entry,Printing Settings,إعدادات الطباعة apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,الخدمات المصرفية @@ -2286,6 +2305,7 @@ DocType: Purchase Invoice Item,PR Detail,تفاصيل العلاقات العا apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,عنوان الفواتير هو نفس عنوان الشحن DocType: Account,Cash,السيولة النقدية DocType: Employee,Leave Policy,ترك السياسة +DocType: Shift Type,Consequence,نتيجة apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,عنوان الطالب DocType: GST Account,CESS Account,حساب CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: مركز التكلفة مطلوب لحساب "الربح والخسارة" {2}. يرجى إعداد مركز تكلفة افتراضي للشركة. @@ -2350,6 +2370,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN Code DocType: Period Closing Voucher,Period Closing Voucher,قسيمة إغلاق الفترة apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,اسم الجارديان 2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,الرجاء إدخال حساب المصاريف +DocType: Issue,Resolution By Variance,القرار عن طريق التباين DocType: Employee,Resignation Letter Date,تاريخ خطاب الاستقالة DocType: Soil Texture,Sandy Clay,الصلصال الرملي DocType: Upload Attendance,Attendance To Date,الحضور حتى الآن @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,عرض الآن DocType: Item Price,Valid Upto,صالحة تصل apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},يجب أن تكون نوع المرجع المرجعي أحد {0} +DocType: Employee Checkin,Skip Auto Attendance,تخطي الحضور التلقائي DocType: Payment Request,Transaction Currency,عملة تداولية DocType: Loan,Repayment Schedule,جدول الدفع apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,إنشاء نموذج إدخال مخزون الاحتفاظ @@ -2433,6 +2455,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,تعيين هي DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS إغلاق ضرائب القسيمة apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,العمل مهيأ DocType: POS Profile,Applicable for Users,ينطبق على المستخدمين +,Delayed Order Report,تأخر تقرير الطلب DocType: Training Event,Exam,امتحان apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,تم العثور على عدد غير صحيح من إدخالات دفتر الأستاذ العام. ربما تكون قد اخترت حسابًا خاطئًا في المعاملة. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,مجرى البيع @@ -2447,10 +2470,11 @@ DocType: Account,Round Off,نهاية الجولة DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,سيتم تطبيق الشروط على جميع العناصر المختارة مجتمعة. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,تهيئة DocType: Hotel Room,Capacity,سعة +DocType: Employee Checkin,Shift End,التحول نهاية DocType: Installation Note Item,Installed Qty,الكمية المثبتة apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,الدُفعة {0} من العنصر {1} معطلة. DocType: Hotel Room Reservation,Hotel Reservation User,حجز فندق المستخدم -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,تم تكرار يوم العمل مرتين +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,اتفاقية مستوى الخدمة مع نوع الكيان {0} والكيان {1} موجودة بالفعل. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},مجموعة العناصر غير مذكورة في العنصر الرئيسي للعنصر {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},خطأ في الاسم: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,مطلوب إقليم في ملف POS @@ -2498,6 +2522,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,تاريخ الجدول الزمني DocType: Packing Slip,Package Weight Details,حزمة الوزن التفاصيل DocType: Job Applicant,Job Opening,فتح فرص العمل +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,آخر مزامنة ناجحة معروفة لفحص الموظف. أعد ضبط هذا فقط إذا كنت متأكدًا من مزامنة جميع السجلات من جميع المواقع. يرجى عدم تعديل هذا إذا كنت غير متأكد. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,التكلفة الفعلية apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),لا يمكن أن يكون إجمالي التقدم ({0}) مقابل الأمر {1} أكبر من الإجمالي الكلي ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,تم تحديث متغيرات العنصر @@ -2542,6 +2567,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,مرجع شراء إيص apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,الحصول على الدعوات DocType: Tally Migration,Is Day Book Data Imported,يتم استيراد بيانات دفتر اليوم ,Sales Partners Commission,مبيعات شركاء لجنة +DocType: Shift Type,Enable Different Consequence for Early Exit,تمكين عواقب مختلفة للخروج المبكر apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,قانوني DocType: Loan Application,Required by Date,مطلوب حسب التاريخ DocType: Quiz Result,Quiz Result,نتيجة مسابقة @@ -2601,7 +2627,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,السن DocType: Pricing Rule,Pricing Rule,قاعدة التسعير apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},قائمة عطلة اختيارية غير محددة لفترة الإجازة {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,يرجى تعيين حقل معرف المستخدم في سجل الموظف لتعيين دور الموظف -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,الوقت لحل DocType: Training Event,Training Event,حدث التدريب DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",ويبلغ ضغط الدم الطبيعي المريح عند البالغين حوالي 120 مم زئبقي الانقباضي ، و 80 مم زئبق انبساطي ، يختصر "120/80 مم زئبق" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,سيقوم النظام بجلب كل الإدخالات إذا كانت قيمة الحد صفرا. @@ -2645,6 +2670,7 @@ DocType: Woocommerce Settings,Enable Sync,تمكين المزامنة DocType: Student Applicant,Approved,وافق apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},من تاريخ يجب أن يكون في غضون السنة المالية. بافتراض من التاريخ = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,يرجى تعيين مجموعة الموردين في إعدادات الشراء. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} هي حالة حضور غير صالحة. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,فتح حساب مؤقت DocType: Purchase Invoice,Cash/Bank Account,النقد / الحساب المصرفي DocType: Quality Meeting Table,Quality Meeting Table,جدول اجتماع الجودة @@ -2680,6 +2706,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS مصادقة رمز apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco",الغذاء والمشروبات والتبغ apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,جدول دراسي DocType: Purchase Taxes and Charges,Item Wise Tax Detail,البند الحكمة التفاصيل الضريبية +DocType: Shift Type,Attendance will be marked automatically only after this date.,سيتم تمييز الحضور تلقائيًا بعد هذا التاريخ فقط. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,اللوازم المقدمة لحاملي UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,طلب عروض الأسعار apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,لا يمكن تغيير العملة بعد عمل إدخالات باستخدام بعض العملات الأخرى @@ -2728,7 +2755,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,هو البند من المحور apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,إجراءات الجودة. DocType: Share Balance,No of Shares,عدد الأسهم -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),الصف {0}: الكمية غير متوفرة لـ {4} في المستودع {1} في وقت نشر الإدخال ({2} {3}) DocType: Quality Action,Preventive,وقائي DocType: Support Settings,Forum URL,عنوان URL للمنتدى apps/erpnext/erpnext/config/hr.py,Employee and Attendance,الموظف والحضور @@ -2950,7 +2976,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,نوع الخصم DocType: Hotel Settings,Default Taxes and Charges,الضرائب والرسوم الافتراضية apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,ويستند هذا على المعاملات ضد هذا المورد. انظر الجدول الزمني أدناه للحصول على التفاصيل apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},أقصى مبلغ استحقاق للموظف {0} يتجاوز {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,أدخل تاريخ البدء والانتهاء للاتفاقية. DocType: Delivery Note Item,Against Sales Invoice,ضد فاتورة المبيعات DocType: Loyalty Point Entry,Purchase Amount,مبلغ الشراء apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,لا يمكن تعيين "Lost" أثناء إجراء "أمر المبيعات". @@ -2974,7 +2999,7 @@ DocType: Homepage,"URL for ""All Products""",عنوان URL لـ "جميع DocType: Lead,Organization Name,اسم المنظمة apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,صالحة من وحقول تصل صالحة إلزامية للتراكمية apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},الصف # {0}: الدفعة لا يجب أن تكون مماثلة لل {1} {2} -DocType: Employee,Leave Details,ترك التفاصيل +DocType: Employee Checkin,Shift Start,تحول البداية apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,يتم تجميد المعاملات المالية قبل {0} DocType: Driver,Issuing Date,تاريخ الإصدار apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,الطالب @@ -3019,9 +3044,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,تفاصيل قالب رسم التدفقات النقدية apps/erpnext/erpnext/config/hr.py,Recruitment and Training,التوظيف والتدريب DocType: Drug Prescription,Interval UOM,فاصل UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,إعدادات فترة السماح للحضور التلقائي apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,من العملة والعملة لا يمكن أن يكون هو نفسه apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,الصيدلة DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,ساعات الدعم apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} تم إلغاؤه أو إغلاقه apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,الصف {0}: الدفع مقابل العميل يجب أن يكون رصيدًا apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),مجموعة بواسطة قسيمة (الموحدة) @@ -3131,6 +3158,7 @@ DocType: Asset Repair,Repair Status,إصلاح الحالة DocType: Territory,Territory Manager,مدير الإقليم DocType: Lab Test,Sample ID,رقم تعريف العينة apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,السلة فارغة +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,تم وضع علامة على الحضور حسب تسجيل وصول الموظف apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,يجب تقديم الأصل {0} ,Absent Student Report,غائب تقرير الطالب apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,المدرجة في الربح الإجمالي @@ -3138,7 +3166,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,المبلغ الممول apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} لم يتم تقديمه لذلك لا يمكن إكمال الإجراء DocType: Subscription,Trial Period End Date,تاريخ انتهاء الفترة التجريبية +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,بالتناوب إدخالات مثل IN و OUT خلال نفس التحول DocType: BOM Update Tool,The new BOM after replacement,BOM الجديد بعد الاستبدال +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,مورد> نوع المورد apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,البند 5 DocType: Employee,Passport Number,رقم جواز السفر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,افتتاح مؤقت @@ -3254,6 +3284,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,التقارير الرئيس apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,المورد المحتمل ,Issued Items Against Work Order,البنود الصادرة ضد أمر العمل apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,إنشاء فاتورة {0} +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,يرجى إعداد نظام تسمية المدرب في التعليم> إعدادات التعليم DocType: Student,Joining Date,تاريخ الانضمام apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,طلب موقع DocType: Purchase Invoice,Against Expense Account,ضد حساب النفقات @@ -3293,6 +3324,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,الرسوم المطبقة ,Point of Sale,نقطة البيع DocType: Authorization Rule,Approving User (above authorized value),موافقة المستخدم (أعلى من القيمة المصرح بها) +DocType: Service Level Agreement,Entity,كيان apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},تم نقل المبلغ {0} {1} من {2} إلى {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},العميل {0} لا ينتمي إلى المشروع {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,من اسم الحزب @@ -3339,6 +3371,7 @@ DocType: Asset,Opening Accumulated Depreciation,افتتاح الاستهلاك DocType: Soil Texture,Sand Composition (%),تكوين الرمال (٪) DocType: Production Plan,MFG-PP-.YYYY.-,مبدعين-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,استيراد بيانات دفتر اليوم +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,يرجى تعيين سلسلة التسمية لـ {0} عبر الإعداد> الإعدادات> سلسلة التسمية DocType: Asset,Asset Owner Company,شركة مالك الأصول apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,مركز التكلفة مطلوب لحجز مطالبة حساب apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} رقم تسلسلي صالح للعنصر {1} @@ -3399,7 +3432,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,مالك الأصول apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},المستودع إلزامي للسهم العنصر {0} في الصف {1} DocType: Stock Entry,Total Additional Costs,مجموع التكاليف الإضافية -DocType: Marketplace Settings,Last Sync On,آخر مزامنة في apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,يرجى ضبط صف واحد على الأقل في جدول الضرائب والرسوم DocType: Asset Maintenance Team,Maintenance Team Name,اسم فريق الصيانة apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,الرسم البياني لمراكز التكلفة @@ -3415,12 +3447,12 @@ DocType: Sales Order Item,Work Order Qty,ترتيب العمل الكمية DocType: Job Card,WIP Warehouse,مستودع WIP DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},لم يتم تعيين معرف المستخدم للموظف {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}",الكمية المتاحة هي {0} ، تحتاج إلى {1} apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,تم إنشاء المستخدم {0} DocType: Stock Settings,Item Naming By,تسمية البند apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,أمر apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,هذه مجموعة عملاء جذرية ولا يمكن تحريرها. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,طلب المواد {0} تم إلغاؤه أو إيقافه +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,يعتمد بشكل صارم على نوع السجل في فحص الموظف DocType: Purchase Order Item Supplied,Supplied Qty,الكمية الموردة DocType: Cash Flow Mapper,Cash Flow Mapper,مخطط التدفق النقدي DocType: Soil Texture,Sand,رمل @@ -3479,6 +3511,7 @@ DocType: Lab Test Groups,Add new line,إضافة خط جديد apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,مجموعة عناصر مكررة موجودة في جدول مجموعة العناصر apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,الراتب السنوي DocType: Supplier Scorecard,Weighting Function,وظيفة الترجيح +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,خطأ في تقييم صيغة المعايير ,Lab Test Report,تقرير اختبار المعمل DocType: BOM,With Operations,مع العمليات @@ -3492,6 +3525,7 @@ DocType: Expense Claim Account,Expense Claim Account,حساب المطالبة apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,لا توجد مدفوعات متاحة لمجلة الدخول apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} طالب غير نشط apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,جعل دخول الأسهم +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},تكرار BOM: {0} لا يمكن أن يكون أصلًا أو تابعًا لـ {1} DocType: Employee Onboarding,Activities,أنشطة apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,أتلست مستودع واحد إلزامي ,Customer Credit Balance,رصيد ائتمان العميل @@ -3504,9 +3538,11 @@ DocType: Supplier Scorecard Period,Variables,المتغيرات apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,برنامج الولاء المتعدد الموجود للعميل. يرجى اختيار يدويا. DocType: Patient,Medication,أدوية apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,اختر برنامج الولاء +DocType: Employee Checkin,Attendance Marked,الحضور ملحوظ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,مواد أولية DocType: Sales Order,Fully Billed,فاتورة بالكامل apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},يرجى تحديد سعر الغرفة الفندقية على {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,حدد أولوية واحدة فقط كإعداد افتراضي. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},يرجى تحديد / إنشاء حساب (دفتر الأستاذ) للنوع - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,يجب أن يكون المبلغ الإجمالي للائتمان / الخصم مطابقًا لإدخال دفتر اليومية المرتبط DocType: Purchase Invoice Item,Is Fixed Asset,هو أصل ثابت @@ -3527,6 +3563,7 @@ DocType: Purpose of Travel,Purpose of Travel,الغرض من السفر DocType: Healthcare Settings,Appointment Confirmation,تأكيد الموعد DocType: Shopping Cart Settings,Orders,أوامر DocType: HR Settings,Retirement Age,سن التقاعد +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عبر الإعداد> سلسلة الترقيم apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,الكمية المتوقعة apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},الحذف غير مسموح به للبلد {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},الصف # {0}: الأصل {1} موجود بالفعل {2} @@ -3610,11 +3647,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,محاسب apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},توجد قسيمة الإغلاق لنقاط البيع في {0} بين التاريخ {1} و {2} apps/erpnext/erpnext/config/help.py,Navigating,التنقل +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,لا تتطلب الفواتير المستحقة إعادة تقييم سعر الصرف DocType: Authorization Rule,Customer / Item Name,اسم العميل / البند apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,لا يمكن أن يحتوي المسلسل الجديد على مستودع. يجب تعيين المستودع بواسطة "دخول الأسهم" أو "إيصال الشراء" DocType: Issue,Via Customer Portal,عبر بوابة العملاء DocType: Work Order Operation,Planned Start Time,وقت البدء المخطط apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} هو {2} +DocType: Service Level Priority,Service Level Priority,أولوية مستوى الخدمة apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,لا يمكن أن يكون عدد الإهلاكات المحجوزة أكبر من إجمالي عدد الإهلاكات apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,حصة ليدجر DocType: Journal Entry,Accounts Payable,حسابات قابلة للدفع @@ -3725,7 +3764,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,تسليم الى DocType: Bank Statement Transaction Settings Item,Bank Data,بيانات البنك apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,المجدولة تصل -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,الحفاظ على ساعات الفواتير وساعات العمل نفسه على الجدول الزمني apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,تتبع العروض حسب مصدر الرصاص. DocType: Clinical Procedure,Nursing User,تمريض المستخدم DocType: Support Settings,Response Key List,قائمة مفتاح الاستجابة @@ -3893,6 +3931,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,وقت البدء الفعلي DocType: Antibiotic,Laboratory User,مستخدم المختبر apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,مزادات على الانترنت +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,تم تكرار الأولوية {0}. DocType: Fee Schedule,Fee Creation Status,حالة إنشاء الرسوم apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,برامج apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ترتيب المبيعات للدفع @@ -3959,6 +3998,7 @@ DocType: Patient Encounter,In print,في الطباعة apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,لا يمكن استرجاع المعلومات لـ {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,يجب أن تكون عملة الفوترة مساوية لعملة الشركة الافتراضية أو عملة حساب الطرف apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,الرجاء إدخال رقم تعريف الموظف لهذا البائع +DocType: Shift Type,Early Exit Consequence after,نتيجة الخروج المبكر بعد apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,إنشاء فتح المبيعات وفواتير الشراء DocType: Disease,Treatment Period,فترة العلاج apps/erpnext/erpnext/config/settings.py,Setting up Email,إعداد البريد الإلكتروني @@ -3976,7 +4016,6 @@ DocType: Employee Skill Map,Employee Skills,مهارات الموظف apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,أسم الطالب: DocType: SMS Log,Sent On,أرسلت في DocType: Bank Statement Transaction Invoice Item,Sales Invoice,فاتورة المبيعات -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,لا يمكن أن يكون زمن الاستجابة أكبر من وقت القرار DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",بالنسبة لمجموعة الطلاب القائمة على الدورة التدريبية ، سيتم التحقق من صحة الدورة التدريبية لكل طالب من الدورات المسجلة في تسجيل البرنامج. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,اللوازم داخل الدولة DocType: Employee,Create User Permission,إنشاء إذن المستخدم @@ -4015,6 +4054,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,شروط العقد القياسية للمبيعات أو الشراء. DocType: Sales Invoice,Customer PO Details,تفاصيل العميل PO apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,المريض غير موجود +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,حدد أولوية افتراضية. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,أزل العنصر إذا كانت الرسوم غير قابلة للتطبيق على هذا العنصر apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,توجد مجموعة عملاء بنفس الاسم ، يرجى تغيير اسم العميل أو إعادة تسمية مجموعة العملاء 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. @@ -4054,6 +4094,7 @@ DocType: Quality Goal,Quality Goal,هدف الجودة DocType: Support Settings,Support Portal,بوابة الدعم apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},لا يمكن أن يكون تاريخ انتهاء المهمة {0} أقل من {1} تاريخ البدء المتوقع {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},الموظف {0} في إجازة يوم {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},اتفاقية مستوى الخدمة هذه تخص العميل {0} DocType: Employee,Held On,عقدت في DocType: Healthcare Practitioner,Practitioner Schedules,جداول ممارس DocType: Project Template Task,Begin On (Days),ابدأ (بالأيام) @@ -4061,6 +4102,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},أمر العمل كان {0} DocType: Inpatient Record,Admission Schedule Date,تاريخ جدول القبول apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,تعديل قيمة الأصول +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,حدد الحضور استنادًا إلى "فحص الموظف" للموظفين المعينين لهذا التحول. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,الإمدادات المقدمة إلى الأشخاص غير المسجلين apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,جميع الوظائف DocType: Appointment Type,Appointment Type,نوع الموعد @@ -4174,7 +4216,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),الوزن الإجمالي للحزمة. عادة الوزن الصافي + وزن مواد التعبئة والتغليف. (للطباعة) DocType: Plant Analysis,Laboratory Testing Datetime,اختبار المختبر apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,لا يمكن أن يحتوي العنصر {0} على دُفعات -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,خط أنابيب المبيعات حسب المرحلة apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,قوة مجموعة الطلاب DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,كشف المعاملات البنكية DocType: Purchase Order,Get Items from Open Material Requests,الحصول على عناصر من طلبات المواد المفتوحة @@ -4256,7 +4297,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,تظهر الشيخوخة مستودع الحكمة DocType: Sales Invoice,Write Off Outstanding Amount,شطب المبلغ المعلقة DocType: Payroll Entry,Employee Details,تفاصيل الموظف -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,لا يمكن أن يكون وقت البدء أكبر من وقت الانتهاء لـ {0}. DocType: Pricing Rule,Discount Amount,مقدار الخصم DocType: Healthcare Service Unit Type,Item Details,تفاصيل العنصر apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},إعلان ضريبي مكرر لـ {0} للفترة {1} @@ -4309,7 +4349,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,صافي الراتب لا يمكن أن يكون سلبيا apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,عدد التفاعلات 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/hr/doctype/employee/employee_dashboard.py,Shift,تحول +DocType: Attendance,Shift,تحول apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,معالجة الرسم البياني للحسابات والأطراف DocType: Stock Settings,Convert Item Description to Clean HTML,تحويل وصف العنصر لتنظيف HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,جميع مجموعات الموردين @@ -4380,6 +4420,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,الموظف DocType: Healthcare Service Unit,Parent Service Unit,وحدة خدمة الوالدين DocType: Sales Invoice,Include Payment (POS),تشمل الدفع (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,حقوق الملكية الخاصة +DocType: Shift Type,First Check-in and Last Check-out,تسجيل الوصول الأول وتسجيل المغادرة الأخير DocType: Landed Cost Item,Receipt Document,وثيقة استلام DocType: Supplier Scorecard Period,Supplier Scorecard Period,المورد سجل الأداء الفترة DocType: Employee Grade,Default Salary Structure,هيكل الراتب الافتراضي @@ -4462,6 +4503,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,إنشاء طلب شراء apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,تحديد الميزانية للسنة المالية. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,لا يمكن أن يكون جدول الحسابات فارغًا. +DocType: Employee Checkin,Entry Grace Period Consequence,دخول فترة سماح نتيجة ,Payment Period Based On Invoice Date,فترة الدفع بناءً على تاريخ الفاتورة apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},لا يمكن أن يكون تاريخ التثبيت قبل تاريخ التسليم للعنصر {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,رابط لطلب المواد @@ -4470,6 +4512,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,نوع الب apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},الصف {0}: إدخال Reorder موجود بالفعل لهذا المستودع {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,تاريخ الوثيقة DocType: Monthly Distribution,Distribution Name,اسم التوزيع +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,تم تكرار يوم العمل {0}. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,المجموعة إلى غير المجموعة apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,التحديث في التقدم. قد يستغرق بعض الوقت. DocType: Item,"Example: ABCD.##### @@ -4482,6 +4525,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,الكمية الوقود apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 رقم الجوال DocType: Invoice Discounting,Disbursed,صرف +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,الوقت بعد نهاية النوبة التي يتم خلالها تسجيل المغادرة للحضور. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,صافي التغير في الحسابات المستحقة الدفع apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,غير متوفر apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,دوام جزئى @@ -4495,7 +4539,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,الفر apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,إظهار PDC في الطباعة apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify المورد DocType: POS Profile User,POS Profile User,المستخدم الشخصي POS -DocType: Student,Middle Name,الاسم الوسطى DocType: Sales Person,Sales Person Name,اسم شخص المبيعات DocType: Packing Slip,Gross Weight,الوزن الإجمالي DocType: Journal Entry,Bill No,مشروع قانون لا @@ -4504,7 +4547,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,مو DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-مدونة فيديو-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,اتفاقية مستوى الخدمة -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,يرجى اختيار الموظف والتاريخ أولا apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,يتم إعادة حساب معدل تقييم البنود مع الأخذ في الاعتبار قيمة قسيمة تكلفة الهبوط DocType: Timesheet,Employee Detail,تفاصيل الموظف DocType: Tally Migration,Vouchers,قسائم @@ -4539,7 +4581,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,اتفاقية DocType: Additional Salary,Date on which this component is applied,تاريخ تطبيق هذا المكون apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,قائمة المساهمين المتاحين بأرقام مطوية apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,حسابات بوابة الإعداد. -DocType: Service Level,Response Time Period,زمن الاستجابة +DocType: Service Level Priority,Response Time Period,زمن الاستجابة DocType: Purchase Invoice,Purchase Taxes and Charges,شراء الضرائب والرسوم DocType: Course Activity,Activity Date,تاريخ النشاط apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,اختيار أو إضافة عميل جديد @@ -4564,6 +4606,7 @@ DocType: Sales Person,Select company name first.,اختر اسم الشركة أ apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,السنة المالية DocType: Sales Invoice Item,Deferred Revenue,الإيرادات المؤجلة apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,يجب تحديد أتلست واحد من البيع أو الشراء +DocType: Shift Type,Working Hours Threshold for Half Day,ساعات العمل عتبة لمدة نصف يوم ,Item-wise Purchase History,البند حكيمة تاريخ الشراء apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},لا يمكن تغيير تاريخ إيقاف الخدمة للعنصر في الصف {0} DocType: Production Plan,Include Subcontracted Items,تشمل البنود المتعاقد عليها من الباطن @@ -4596,6 +4639,7 @@ DocType: Journal Entry,Total Amount Currency,المبلغ الإجمالي ال DocType: BOM,Allow Same Item Multiple Times,السماح لنفس العنصر عدة مرات apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,إنشاء BOM DocType: Healthcare Practitioner,Charges,شحنة +DocType: Employee,Attendance and Leave Details,تفاصيل الحضور والإجازة DocType: Student,Personal Details,تفاصيل شخصية DocType: Sales Order,Billing and Delivery Status,الفواتير وحالة التسليم apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,الصف {0}: للمورد {0} عنوان البريد الإلكتروني مطلوب لإرسال البريد الإلكتروني @@ -4647,7 +4691,6 @@ DocType: Bank Guarantee,Supplier,المورد apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},أدخل القيمة betweeen {0} و {1} DocType: Purchase Order,Order Confirmation Date,تاريخ تأكيد الطلب DocType: Delivery Trip,Calculate Estimated Arrival Times,احسب أوقات الوصول المقدرة -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,يرجى إعداد نظام تسمية الموظفين في الموارد البشرية> إعدادات الموارد البشرية apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,مستهلكات DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,تاريخ بدء الاشتراك @@ -4670,7 +4713,7 @@ DocType: Installation Note Item,Installation Note Item,ملاحظة التثبي DocType: Journal Entry Account,Journal Entry Account,حساب دخول اليومية apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,مختلف apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,نشاط المنتدى -DocType: Service Level,Resolution Time Period,فترة القرار الوقت +DocType: Service Level Priority,Resolution Time Period,فترة القرار الوقت DocType: Request for Quotation,Supplier Detail,المورد التفاصيل DocType: Project Task,View Task,عرض المهمة DocType: Serial No,Purchase / Manufacture Details,شراء / تصنيع التفاصيل @@ -4737,6 +4780,7 @@ DocType: Sales Invoice,Commission Rate (%),نسبة العمولة (٪) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,لا يمكن تغيير المستودع إلا عن طريق إدخال / تسليم المخزون / إيصال الشراء DocType: Support Settings,Close Issue After Days,إغلاق العدد بعد أيام DocType: Payment Schedule,Payment Schedule,جدول الدفع +DocType: Shift Type,Enable Entry Grace Period,تمكين فترة السماح بالدخول DocType: Patient Relation,Spouse,الزوج DocType: Purchase Invoice,Reason For Putting On Hold,سبب التأجيل DocType: Item Attribute,Increment,زيادة راتب @@ -4876,6 +4920,7 @@ DocType: Authorization Rule,Customer or Item,العملاء أو البند DocType: Vehicle Log,Invoice Ref,المرجع الفاتورة apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},نموذج C لا ينطبق على الفاتورة: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,تم إنشاء الفاتورة +DocType: Shift Type,Early Exit Grace Period,الخروج المبكر فترة سماح DocType: Patient Encounter,Review Details,مراجعة التفاصيل apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,الصف {0}: يجب أن تكون قيمة الساعات أكبر من الصفر. DocType: Account,Account Number,رقم حساب @@ -4887,7 +4932,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL",قابل للتطبيق إذا كانت الشركة SpA أو SApA أو SRL apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,الظروف المتداخلة الموجودة بين: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,مدفوعة وغير المسلمة -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,رمز العنصر إلزامي لأنه لا يتم ترقيم العنصر تلقائيًا DocType: GST HSN Code,HSN Code,رمز HSN DocType: GSTR 3B Report,September,سبتمبر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,المصروفات الإدارية @@ -4923,6 +4967,8 @@ DocType: Travel Itinerary,Travel From,السفر من apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,حساب CWIP DocType: SMS Log,Sender Name,اسم المرسل DocType: Pricing Rule,Supplier Group,مجموعة الموردين +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",قم بتعيين وقت البدء ووقت الانتهاء لـ \ Support Day {0} في الفهرس {1}. DocType: Employee,Date of Issue,تاريخ المسألة ,Requested Items To Be Transferred,العناصر المطلوبة ليتم نقلها DocType: Employee,Contract End Date,تاريخ انتهاء العقد @@ -4933,6 +4979,7 @@ DocType: Healthcare Service Unit,Vacant,شاغر DocType: Opportunity,Sales Stage,مرحلة المبيعات DocType: Sales Order,In Words will be visible once you save the Sales Order.,في الكلمات سيكون مرئيًا بمجرد حفظ أمر المبيعات. DocType: Item Reorder,Re-order Level,إعادة ترتيب المستوى +DocType: Shift Type,Enable Auto Attendance,تمكين الحضور التلقائي apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,تفضيل ,Department Analytics,قسم التحليلات DocType: Crop,Scientific Name,الاسم العلمي @@ -4945,6 +4992,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} الحالة DocType: Quiz Activity,Quiz Activity,مسابقة النشاط apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} ليس في "جدول الرواتب" صالح DocType: Timesheet,Billed,فاتورة +apps/erpnext/erpnext/config/support.py,Issue Type.,نوع القضية. DocType: Restaurant Order Entry,Last Sales Invoice,فاتورة المبيعات الأخيرة DocType: Payment Terms Template,Payment Terms,شروط الدفع apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",الكمية المحجوزة: الكمية المطلوبة للبيع ، ولكن لم يتم تسليمها. @@ -5040,6 +5088,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,الأصول apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} لا يحتوي على جدول ممارسي الرعاية الصحية. إضافته في الرعاية الصحية ممارس ماجستير DocType: Vehicle,Chassis No,رقم الشاسيه +DocType: Employee,Default Shift,التحول الافتراضي apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,اختصار الشركة apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,شجرة المواد بيل DocType: Article,LMS User,LMS المستخدم @@ -5087,6 +5136,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,مندوب مبيعات الوالد DocType: Student Group Creation Tool,Get Courses,الحصول على الدورات apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",الصف # {0}: يجب أن تكون الكمية 1 ، حيث أن العنصر هو أصل ثابت. يرجى استخدام صف منفصل لكمية متعددة. +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),ساعات العمل أدناه التي يتم وضع علامة الغائب. (صفر لتعطيل) DocType: Customer Group,Only leaf nodes are allowed in transaction,العقد الورقية هي فقط المسموح بها في المعاملة DocType: Grant Application,Organization,منظمة DocType: Fee Category,Fee Category,فئة الرسوم @@ -5099,6 +5149,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,يرجى تحديث حالتك لهذا الحدث التدريبي DocType: Volunteer,Morning,صباح DocType: Quotation Item,Quotation Item,البند الاقتباس +apps/erpnext/erpnext/config/support.py,Issue Priority.,أولوية الإصدار. DocType: Journal Entry,Credit Card Entry,إدخال بطاقة الائتمان apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",تم تخطي الفاصل الزمني ، تداخل الفاصل الزمني {0} إلى {1} مع الخارجة من الفاصل الزمني {2} إلى {3} DocType: Journal Entry Account,If Income or Expense,إذا كان الدخل أو المصاريف @@ -5149,11 +5200,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,استيراد البيانات والإعدادات 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: Account,Expense Account,حساب المصاريف +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,الوقت الذي يسبق وقت بدء التحول الذي يتم خلاله فحص تسجيل الموظف للحضور. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,العلاقة مع الجارديان 1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,إنشاء فاتورة apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},طلب الدفع موجود بالفعل {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',يجب تعيين الموظف المرتاح على {0} على أنه "يسار" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},ادفع {0} {1} +DocType: Company,Sales Settings,إعدادات المبيعات DocType: Sales Order Item,Produced Quantity,الكمية المنتجة apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,يمكن الوصول إلى طلب الاقتباس من خلال النقر على الرابط التالي DocType: Monthly Distribution,Name of the Monthly Distribution,اسم التوزيع الشهري @@ -5232,6 +5285,7 @@ DocType: Company,Default Values,قيم افتراضية apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,يتم إنشاء قوالب الضريبة الافتراضية للمبيعات والشراء. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,لا يمكن إعادة إرسال نوع ترك {0} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,يجب أن يكون الحساب المدين "حساب المدينين" +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},يرجى ضبط الحساب في المستودع {0} أو حساب الجرد الافتراضي في الشركة {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,تعيين كافتراضي DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),الوزن الصافي لهذه الحزمة. (يتم حسابه تلقائيًا كمجموع الوزن الصافي للعناصر) @@ -5258,8 +5312,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,دفعات منتهية الصلاحية DocType: Shipping Rule,Shipping Rule Type,نوع الشحن القاعدة DocType: Job Offer,Accepted,وافقت -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","يرجى حذف الموظف {0} \ لإلغاء هذا المستند" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,لقد قمت بالفعل بتقييم معايير التقييم {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,حدد أرقام الدُفعات apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),العمر (أيام) @@ -5286,6 +5338,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,اختر المجالات الخاصة بك DocType: Agriculture Task,Task Name,اسم المهمة apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,الأسهم المدخلات التي تم إنشاؤها بالفعل لأمر العمل +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","يرجى حذف الموظف {0} \ لإلغاء هذا المستند" ,Amount to Deliver,مبلغ التسليم apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,الشركة {0} غير موجودة apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,لم يتم العثور على طلبات مواد معلقة لربط العناصر المحددة. @@ -5335,6 +5389,7 @@ DocType: Program Enrollment,Enrolled courses,الدورات المسجلة DocType: Lab Prescription,Test Code,كود الاختبار DocType: Purchase Taxes and Charges,On Previous Row Total,في الصف السابق المجموع DocType: Student,Student Email Address,عنوان البريد الإلكتروني للطالب +,Delayed Item Report,تأخر تقرير البند DocType: Academic Term,Education,التعليم DocType: Supplier Quotation,Supplier Address,عنوان المورد DocType: Salary Detail,Do not include in total,لا تدرج في المجموع @@ -5342,7 +5397,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} غير موجود DocType: Purchase Receipt Item,Rejected Quantity,الكمية المرفوضة DocType: Cashier Closing,To TIme,الى وقت -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: Daily Work Summary Group User,Daily Work Summary Group User,مستخدم مجموعة ملخص العمل اليومي DocType: Fiscal Year Company,Fiscal Year Company,شركة السنة المالية apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,يجب ألا يكون العنصر البديل هو نفسه رمز العنصر @@ -5394,6 +5448,7 @@ DocType: Program Fee,Program Fee,رسوم البرنامج DocType: Delivery Settings,Delay between Delivery Stops,التأخير بين توقف التسليم DocType: Stock Settings,Freeze Stocks Older Than [Days],تجميد الأسهم أقدم من [أيام] DocType: Promotional Scheme,Promotional Scheme Product Discount,خصم المنتج خطة ترويجية +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,أولوية الإصدار موجودة بالفعل DocType: Account,Asset Received But Not Billed,الأصول المتلقاة ولكن غير مسددة DocType: POS Closing Voucher,Total Collected Amount,إجمالي المبلغ المحصل DocType: Course,Default Grading Scale,مقياس التقدير الافتراضي @@ -5436,6 +5491,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,شروط الوفاء apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,غير مجموعة إلى مجموعة DocType: Student Guardian,Mother,أم +DocType: Issue,Service Level Agreement Fulfilled,اتفاقية مستوى الخدمة DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,خصم الضريبة على استحقاقات الموظفين غير المطالب بها DocType: Travel Request,Travel Funding,تمويل السفر DocType: Shipping Rule,Fixed,ثابت @@ -5465,10 +5521,12 @@ DocType: Item,Warranty Period (in days),فترة الضمان (بالأيام) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,لم يتم العثور على العناصر. DocType: Item Attribute,From Range,من المدى DocType: Clinical Procedure,Consumables,المواد الاستهلاكية +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,مطلوب "employee_field_value" و "الطابع الزمني". DocType: Purchase Taxes and Charges,Reference Row #,مرجع الصف # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},يرجى تعيين "مركز تكلفة استهلاك الأصول" في الشركة {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,الصف # {0}: مستند الدفع مطلوب لإكمال trasaction DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,انقر فوق هذا الزر لسحب بيانات "أمر المبيعات" من Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),ساعات العمل أدناه التي يتم وضع علامة نصف يوم. (صفر لتعطيل) ,Assessment Plan Status,حالة خطة التقييم apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,يرجى اختيار {0} أولاً apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,أرسل هذا لإنشاء سجل الموظف @@ -5539,6 +5597,7 @@ DocType: Quality Procedure,Parent Procedure,الإجراء الرئيسي apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,تعيين فتح apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,تبديل المرشحات DocType: Production Plan,Material Request Detail,طلب المواد التفاصيل +DocType: Shift Type,Process Attendance After,عملية الحضور بعد DocType: Material Request Item,Quantity and Warehouse,الكمية والمستودعات apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,الذهاب إلى البرامج apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},الصف # {0}: إدخال مكرر في المراجع {1} {2} @@ -5596,6 +5655,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,معلومات الحزب apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),المدينون ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,حتى الآن لا يمكن أن يكون أكبر من تاريخ تخفيف الموظف +DocType: Shift Type,Enable Exit Grace Period,تمكين الخروج فترة سماح DocType: Expense Claim,Employees Email Id,معرف البريد الإلكتروني للموظفين DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,تحديث السعر من Shopify إلى ERPNext قائمة الأسعار DocType: Healthcare Settings,Default Medical Code Standard,الرمز الطبي الافتراضي القياسي @@ -5626,7 +5686,6 @@ DocType: Item Group,Item Group Name,اسم مجموعة المادة DocType: Budget,Applicable on Material Request,ينطبق على طلب المواد DocType: Support Settings,Search APIs,بحث واجهات برمجة التطبيقات DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,نسبة الإنتاج الزائد لأمر المبيعات -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,مواصفات DocType: Purchase Invoice,Supplied Items,العناصر الموردة DocType: Leave Control Panel,Select Employees,حدد الموظفين apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},حدد حساب دخل الفوائد في القرض {0} @@ -5652,7 +5711,7 @@ DocType: Salary Slip,Deductions,الخصومات ,Supplier-Wise Sales Analytics,المورد الحكمة تحليلات المبيعات DocType: GSTR 3B Report,February,شهر فبراير DocType: Appraisal,For Employee,للموظف -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,تاريخ التسليم الفعلي +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,تاريخ التسليم الفعلي DocType: Sales Partner,Sales Partner Name,اسم شريك المبيعات apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,صف الإهلاك {0}: يتم إدخال تاريخ بدء الإهلاك كتاريخ سابق DocType: GST HSN Code,Regional,إقليمي @@ -5691,6 +5750,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,ف DocType: Supplier Scorecard,Supplier Scorecard,سجل أداء المورد DocType: Travel Itinerary,Travel To,يسافر إلى apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,مارك الحضور +DocType: Shift Type,Determine Check-in and Check-out,تحديد الوصول والمغادرة DocType: POS Closing Voucher,Difference,فرق apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,صغير DocType: Work Order Item,Work Order Item,ترتيب العمل البند @@ -5724,6 +5784,7 @@ DocType: Sales Invoice,Shipping Address Name,اسم الشحن العنوان apps/erpnext/erpnext/healthcare/setup.py,Drug,المخدرات apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} مغلق DocType: Patient,Medical History,تاريخ طبى +DocType: Expense Claim,Expense Taxes and Charges,مصاريف الضرائب والرسوم DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,عدد الأيام التي انقضت بعد تاريخ الفاتورة قبل إلغاء الاشتراك أو تعليم الاشتراك على أنه غير مدفوع apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,ملاحظة التثبيت {0} تم إرسالها بالفعل DocType: Patient Relation,Family,عائلة @@ -5756,7 +5817,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,قوة apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} وحدات {1} مطلوبة في {2} لإكمال هذه المعاملة. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,ارتجاعي المواد الخام من الباطن بناء على -DocType: Bank Guarantee,Customer,زبون DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",في حالة التمكين ، سيكون الحقل الأكاديمي إلزاميًا في أداة تسجيل البرنامج. DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",بالنسبة إلى مجموعة الطلاب القائمة على الدُفعات ، سيتم التحقق من "مجموعة الدُفعات" لكل طالب من "تسجيل البرنامج". DocType: Course,Topics,المواضيع @@ -5836,6 +5896,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,أعضاء الفصل DocType: Warranty Claim,Service Address,عنوان الخدمة DocType: Journal Entry,Remark,تعليق +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),الصف {0}: الكمية غير متوفرة {4} في المستودع {1} في وقت نشر الإدخال ({2} {3}) DocType: Patient Encounter,Encounter Time,لقاء الوقت DocType: Serial No,Invoice Details,تفاصيل الفاتورة apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",يمكن إجراء حسابات أخرى ضمن مجموعات ، ولكن يمكن إجراء إدخالات مقابل مجموعات غير @@ -5916,6 +5977,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",م apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),إغلاق (الافتتاح + المجموع) DocType: Supplier Scorecard Criteria,Criteria Formula,معايير الصيغة apps/erpnext/erpnext/config/support.py,Support Analytics,تحليلات الدعم +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),معرف جهاز الحضور (معرف بطاقة الهوية / RF) apps/erpnext/erpnext/config/quality_management.py,Review and Action,مراجعة والعمل DocType: Account,"If the account is frozen, entries are allowed to restricted users.",إذا تم تجميد الحساب ، يُسمح بإدخال قيود على المستخدمين المقيدين. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,المبلغ بعد الاستهلاك @@ -5937,6 +5999,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,سداد القروض DocType: Employee Education,Major/Optional Subjects,الموضوعات الرئيسية / الاختيارية DocType: Soil Texture,Silt,طمي +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,عناوين الموردين والاتصالات DocType: Bank Guarantee,Bank Guarantee Type,نوع الضمان البنكي DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",في حالة التعطيل ، لن يكون حقل "مجموع مدور" مرئيًا في أي معاملة DocType: Pricing Rule,Min Amt,مين امت @@ -5975,6 +6038,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,فتح عنصر أداة إنشاء الفاتورة DocType: Soil Analysis,(Ca+Mg)/K,(الكالسيوم والمغنيسيوم +) / K DocType: Bank Reconciliation,Include POS Transactions,تشمل معاملات نقاط البيع +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},لم يتم العثور على موظف لقيمة حقل الموظف المحدد. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),المبلغ المستلم (عملة الشركة) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",LocalStorage ممتلئ ، لم يحفظ DocType: Chapter Member,Chapter Member,عضو الفصل @@ -6007,6 +6071,7 @@ DocType: SMS Center,All Lead (Open),كل الرصاص (مفتوح) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,لم يتم إنشاء مجموعات طلاب. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},صف مكرر {0} بنفس {1} DocType: Employee,Salary Details,تفاصيل الراتب +DocType: Employee Checkin,Exit Grace Period Consequence,الخروج من فترة السماح DocType: Bank Statement Transaction Invoice Item,Invoice,فاتورة DocType: Special Test Items,Particulars,تفاصيل apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,يرجى ضبط عامل التصفية على أساس العنصر أو المستودع @@ -6108,6 +6173,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,خارج AMC DocType: Job Opening,"Job profile, qualifications required etc.",ملف الوظيفة والمؤهلات المطلوبة وما إلى ذلك apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,السفينة الى الدولة +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,هل ترغب في تقديم طلب المواد DocType: Opportunity Item,Basic Rate,المعدل الاساسي DocType: Compensatory Leave Request,Work End Date,تاريخ انتهاء العمل apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,طلب المواد الخام @@ -6293,6 +6359,7 @@ DocType: Depreciation Schedule,Depreciation Amount,قيمة الاستهلاك DocType: Sales Order Item,Gross Profit,اجمالي الربح DocType: Quality Inspection,Item Serial No,البند رقم المسلسل DocType: Asset,Insurer,شركة التأمين +DocType: Employee Checkin,OUT,خارج apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,شراء المبلغ DocType: Asset Maintenance Task,Certificate Required,الشهادة المطلوبة DocType: Retention Bonus,Retention Bonus,مكافأة الاحتفاظ @@ -6408,6 +6475,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),مبلغ الفرق DocType: Invoice Discounting,Sanctioned,تقرها DocType: Course Enrollment,Course Enrollment,تسجيل بالطبع DocType: Item,Supplier Items,عناصر المورد +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",لا يمكن أن يكون وقت البدء أكبر من أو يساوي End Time \ لـ {0}. DocType: Sales Order,Not Applicable,لايمكن تطبيقه DocType: Support Search Source,Response Options,خيارات الاستجابة apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} يجب أن تكون قيمة بين 0 و 100 @@ -6494,7 +6563,6 @@ DocType: Travel Request,Costing,تكلف apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,أصول ثابتة DocType: Purchase Order,Ref SQ,المرجع SQ DocType: Salary Structure,Total Earning,مجموع الأرباح -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,العملاء> مجموعة العملاء> الإقليم DocType: Share Balance,From No,من لا DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,فاتورة تسوية المدفوعات DocType: Purchase Invoice,Taxes and Charges Added,الضرائب والرسوم المضافة @@ -6602,6 +6670,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,تجاهل قاعدة التسعير apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,طعام DocType: Lost Reason Detail,Lost Reason Detail,تفاصيل السبب المفقود +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},تم إنشاء الأرقام التسلسلية التالية:
{0} DocType: Maintenance Visit,Customer Feedback,ملاحظات العملاء DocType: Serial No,Warranty / AMC Details,الضمان / تفاصيل AMC DocType: Issue,Opening Time,وقت مفتوح @@ -6651,6 +6720,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,اسم الشركة ليس نفسه apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,لا يمكن تقديم ترقية الموظف قبل تاريخ الترقية apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},غير مسموح بتحديث معاملات الأسهم الأقدم من {0} +DocType: Employee Checkin,Employee Checkin,فحص الموظف apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},يجب أن يكون تاريخ البدء أقل من تاريخ الانتهاء للعنصر {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,إنشاء عروض الأسعار للعملاء DocType: Buying Settings,Buying Settings,شراء الإعدادات @@ -6672,6 +6742,7 @@ DocType: Job Card Time Log,Job Card Time Log,سجل وقت بطاقة العمل DocType: Patient,Patient Demographics,التركيبة السكانية المريض DocType: Share Transfer,To Folio No,إلى رقم الورقة apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,التدفقات النقدية من العمليات +DocType: Employee Checkin,Log Type,نوع السجل DocType: Stock Settings,Allow Negative Stock,السماح للسهم السلبي apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,لا يوجد أي من العناصر أي تغيير في الكمية أو القيمة. DocType: Asset,Purchase Date,تاريخ الشراء @@ -6716,6 +6787,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,فرط جدا apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,حدد طبيعة عملك. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,يرجى اختيار الشهر والسنة +DocType: Service Level,Default Priority,الأولوية الافتراضية DocType: Student Log,Student Log,سجل الطالب DocType: Shopping Cart Settings,Enable Checkout,تمكين Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,الموارد البشرية @@ -6744,7 +6816,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ربط Shopify مع ERPNext DocType: Homepage Section Card,Subtitle,عنوان فرعي DocType: Soil Texture,Loam,طين -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,مورد> نوع المورد DocType: BOM,Scrap Material Cost(Company Currency),تكلفة المواد الخردة (عملة الشركة) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,يجب تسليم ملاحظة التسليم {0} DocType: Task,Actual Start Date (via Time Sheet),تاريخ البدء الفعلي (عبر ورقة الوقت) @@ -6800,6 +6871,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,جرعة DocType: Cheque Print Template,Starting position from top edge,موقف انطلاق من الحافة العلوية apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),مدة التعيين (بالدقائق) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},هذا الموظف لديه بالفعل سجل بنفس الطابع الزمني. {0} DocType: Accounting Dimension,Disable,تعطيل DocType: Email Digest,Purchase Orders to Receive,أوامر الشراء لتلقيها apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,لا يمكن رفع أوامر الإنتاج من أجل: @@ -6815,7 +6887,6 @@ DocType: Production Plan,Material Requests,طلبات المواد DocType: Buying Settings,Material Transferred for Subcontract,نقل المواد للعقد من الباطن DocType: Job Card,Timing Detail,توقيت التفاصيل apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,مطلوب في -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},استيراد {0} من {1} DocType: Job Offer Term,Job Offer Term,مدة عرض الوظيفة DocType: SMS Center,All Contact,كل الاتصال DocType: Project Task,Project Task,المشاريع المهمة @@ -6866,7 +6937,6 @@ DocType: Student Log,Academic,أكاديمي apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,لم يتم إعداد العنصر {0} للرقم التسلسلي. تحقق من عنصر العنصر الرئيسي apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,من الدولة DocType: Leave Type,Maximum Continuous Days Applicable,أقصى أيام متواصلة قابلة للتطبيق -apps/erpnext/erpnext/config/support.py,Support Team.,فريق الدعم. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,الرجاء إدخال اسم الشركة أولاً apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,استيراد ناجح DocType: Guardian,Alternate Number,عدد البديل @@ -6958,6 +7028,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,الصف # {0}: تمت إضافة العنصر DocType: Student Admission,Eligibility and Details,الأهلية والتفاصيل DocType: Staffing Plan,Staffing Plan Detail,تفاصيل خطة التوظيف +DocType: Shift Type,Late Entry Grace Period,فترة سماح الدخول المتأخرة DocType: Email Digest,Annual Income,الدخل السنوي DocType: Journal Entry,Subscription Section,قسم الاشتراك DocType: Salary Slip,Payment Days,أيام الدفع @@ -7008,6 +7079,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,رصيد الحساب DocType: Asset Maintenance Log,Periodicity,دورية apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,السجل الطبي +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,نوع السجل مطلوب لتسجيلات الوقوع في التحول: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,إعدام DocType: Item,Valuation Method,طريقة التقييم apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} مقابل فاتورة المبيعات {1} @@ -7092,6 +7164,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,التكلفة الم DocType: Loan Type,Loan Name,اسم القرض apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ضبط الوضع الافتراضي للدفع DocType: Quality Goal,Revision,مراجعة +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,الوقت الذي يسبق وقت نهاية التحول عندما يتم تسجيل المغادرة في وقت مبكر (بالدقائق). DocType: Healthcare Service Unit,Service Unit Type,نوع وحدة الخدمة DocType: Purchase Invoice,Return Against Purchase Invoice,العودة مقابل فاتورة الشراء apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,توليد سر @@ -7247,12 +7320,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,مستحضرات التجميل DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,حدد هذا إذا كنت تريد إجبار المستخدم على تحديد سلسلة قبل الحفظ. لن يكون هناك تقصير في حالة التحقق من ذلك. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,يُسمح للمستخدمين الذين يقومون بهذا الدور بتعيين حسابات مجمدة وإنشاء / تعديل إدخالات المحاسبة مقابل الحسابات المجمدة +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,كود الصنف> مجموعة الصنف> العلامة التجارية DocType: Expense Claim,Total Claimed Amount,إجمالي المبلغ المطالب به 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} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,تغليف apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,لا يمكنك التجديد إلا إذا انتهت عضويتك خلال 30 يومًا apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},يجب أن تكون القيمة بين {0} و {1} DocType: Quality Feedback,Parameters,المعلمات +DocType: Shift Type,Auto Attendance Settings,إعدادات الحضور التلقائي ,Sales Partner Transaction Summary,ملخص معاملات شريك المبيعات DocType: Asset Maintenance,Maintenance Manager Name,اسم مدير الصيانة apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,هناك حاجة لجلب تفاصيل البند. @@ -7344,10 +7419,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,التحقق من صحة القاعدة المطبقة DocType: Job Card Item,Job Card Item,بند بطاقة الوظيفة DocType: Homepage,Company Tagline for website homepage,شركة سطر الوصف لموقع الصفحة الرئيسية +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,اضبط وقت الاستجابة ودقة الأولوية {0} في الفهرس {1}. DocType: Company,Round Off Cost Center,جولة خارج مركز التكلفة DocType: Supplier Scorecard Criteria,Criteria Weight,معايير الوزن DocType: Asset,Depreciation Schedules,جداول الاستهلاك -DocType: Expense Claim Detail,Claim Amount,مبلغ المطالبة DocType: Subscription,Discounts,خصومات DocType: Shipping Rule,Shipping Rule Conditions,شروط الشحن القاعدة DocType: Subscription,Cancelation Date,تاريخ الإلغاء @@ -7375,7 +7450,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,إنشاء العرو apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,إظهار قيم الصفر DocType: Employee Onboarding,Employee Onboarding,موظف على متن الطائرة DocType: POS Closing Voucher,Period End Date,تاريخ انتهاء الفترة -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,فرص المبيعات حسب المصدر DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,سيتم تعيين "موافقة الإجازة" الأولى في القائمة على أنها "موافقة الإجازة" الافتراضية. DocType: POS Settings,POS Settings,إعدادات POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,جميع الحسابات @@ -7396,7 +7470,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,الب apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,الصف # {0}: يجب أن يكون السعر هو نفسه {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,عناصر خدمة الرعاية الصحية -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,لا توجد سجلات apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,الشيخوخة المدى 3 DocType: Vital Signs,Blood Pressure,ضغط الدم apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,الهدف في @@ -7443,6 +7516,7 @@ DocType: Company,Existing Company,الشركة الحالية apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,دفعات apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,دفاع DocType: Item,Has Batch No,لديه رقم الدفعة +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,الأيام المتأخرة DocType: Lead,Person Name,اسم الشخص DocType: Item Variant,Item Variant,متغير البند DocType: Training Event Employee,Invited,دعوة @@ -7464,7 +7538,7 @@ DocType: Purchase Order,To Receive and Bill,لتلقي وبيل apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",لا يمكن حساب تواريخ البدء والانتهاء في "جدول الرواتب" الصحيح ، {0}. DocType: POS Profile,Only show Customer of these Customer Groups,أظهر فقط عميل مجموعات العملاء هذه apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,حدد عناصر لحفظ الفاتورة -DocType: Service Level,Resolution Time,وفر الوقت +DocType: Service Level Priority,Resolution Time,وفر الوقت DocType: Grading Scale Interval,Grade Description,وصف الصف DocType: Homepage Section,Cards,بطاقات DocType: Quality Meeting Minutes,Quality Meeting Minutes,محضر اجتماع الجودة @@ -7491,6 +7565,7 @@ DocType: Project,Gross Margin %,هامش الربح الإجمالي ٪ apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,رصيد كشف الحساب حسب دفتر الأستاذ العام apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),الرعاية الصحية (تجريبي) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,المستودع الافتراضي لإنشاء أمر المبيعات ومذكرة التسليم +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,لا يمكن أن يكون زمن الاستجابة لـ {0} في الفهرس {1} أكبر من وقت الدقة. DocType: Opportunity,Customer / Lead Name,اسم العميل / الرصاص DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,المبلغ غير المطالب به @@ -7537,7 +7612,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,استيراد الأطراف والعناوين DocType: Item,List this Item in multiple groups on the website.,أدرج هذا العنصر في مجموعات متعددة على الموقع الإلكتروني. DocType: Request for Quotation,Message for Supplier,رسالة للمورد -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,لا يمكن تغيير {0} حيث توجد معاملة الأسهم للعنصر {1}. DocType: Healthcare Practitioner,Phone (R),الهاتف (ص) DocType: Maintenance Team Member,Team Member,أعضاء الفريق DocType: Asset Category Account,Asset Category Account,حساب فئة الأصول diff --git a/erpnext/translations/bg.csv b/erpnext/translations/bg.csv index 6ede7b4f91..82bb231a70 100644 --- a/erpnext/translations/bg.csv +++ b/erpnext/translations/bg.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Начална дата на срока apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Назначаването {0} и фактурата за продажби {1} са анулирани DocType: Purchase Receipt,Vehicle Number,Номер на превозното средство apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Вашата електронна поща... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Включване на записи по подразбиране в книгата +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Включване на записи по подразбиране в книгата DocType: Activity Cost,Activity Type,Тип дейност DocType: Purchase Invoice,Get Advances Paid,Вземи платени аванси DocType: Company,Gain/Loss Account on Asset Disposal,Сметка за печалба / загуба при обезвреждане на активи @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Какво пр DocType: Bank Reconciliation,Payment Entries,Платежни записи DocType: Employee Education,Class / Percentage,Клас / Процент ,Electronic Invoice Register,Регистър на електронните фактури +DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Номерът на събитието, след което последствието се изпълнява." DocType: Sales Invoice,Is Return (Credit Note),Възвръщаемост (кредитна бележка) +DocType: Price List,Price Not UOM Dependent,Цена Не UOM Зависими DocType: Lab Test Sample,Lab Test Sample,Лабораторна проба DocType: Shopify Settings,status html,състояние html DocType: Fiscal Year,"For e.g. 2012, 2012-13","За напр. 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Търсене DocType: Salary Slip,Net Pay,Нетно плащане apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Общо фактуриран Amt DocType: Clinical Procedure,Consumables Invoice Separately,Консумативи Фактурата отделно +DocType: Shift Type,Working Hours Threshold for Absent,Праг на работното време за липса DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Бюджетът не може да бъде зададен срещу профил в групата {0} DocType: Purchase Receipt Item,Rate and Amount,Тарифа и сума @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Задаване на склад з DocType: Healthcare Settings,Out Patient Settings,Настройки за пациента DocType: Asset,Insurance End Date,Крайна дата на застраховката DocType: Bank Account,Branch Code,Клон на клон -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Време за отговор apps/erpnext/erpnext/public/js/conf.js,User Forum,Потребителски форум DocType: Landed Cost Item,Landed Cost Item,Позиция за цената на сушата apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Продавачът и купувачът не могат да бъдат еднакви @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Водещ собственик DocType: Share Transfer,Transfer,прехвърляне apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Търсене на елемент (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Резултатът е изпратен +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,От дата не може да бъде по-голяма от тази към днешна дата DocType: Supplier,Supplier of Goods or Services.,Доставчик на стоки или услуги. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Име на новия профил. Забележка: Моля, не създавайте сметки за клиенти и доставчици" apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Учебната група или График на курса е задължително @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,База д DocType: Skill,Skill Name,Име на умението apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Отпечатайте отчетната карта DocType: Soil Texture,Ternary Plot,Ternary Парцел -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Билети за поддръжка DocType: Asset Category Account,Fixed Asset Account,Сметка с фиксирани активи apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Последен @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Разстояние UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Задължително за баланса DocType: Payment Entry,Total Allocated Amount,Общо разпределена сума DocType: Sales Invoice,Get Advances Received,Получете получени аванси +DocType: Shift Type,Last Sync of Checkin,Последна синхронизация на регистрацията DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,"Стойност на данъка, включена в стойността" apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,План за абонамент DocType: Student,Blood Group,Кръвна група apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Crop,Crop Spacing UOM,Изрязване на интервалите UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,"Времето след началото на смяна, когато регистрацията се счита за закъсняла (в минути)." apps/erpnext/erpnext/templates/pages/home.html,Explore,изследвам +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Не са намерени неизплатени фактури apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",Вече са планирани {0} свободни работни места и {1} бюджет за {2} за дъщерни дружества от {3}. Можете да планирате само за {4} свободни работни места и бюджет {5} според плана за персонал {6} за компанията-майка {3}. DocType: Promotional Scheme,Product Discount Slabs,Плочи с отстъпка за продукти @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Заявка за присъствие DocType: Item,Moving Average,Подвижна средна DocType: Employee Attendance Tool,Unmarked Attendance,Немаркирано присъствие DocType: Homepage Section,Number of Columns,Брой колони +DocType: Issue Priority,Issue Priority,Приоритет на издаване DocType: Holiday List,Add Weekly Holidays,Добавете седмични празници DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Създайте фиш за заплатите @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Стойност / описание DocType: Warranty Claim,Issue Date,Дата на издаване 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}. Не може да се намери отделен пакет, който отговаря на това изискване" apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Не може да се създаде бонус за задържане за останалите служители +DocType: Employee Checkin,Location / Device ID,ID на местоположението / устройството DocType: Purchase Order,To Receive,Получавам apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,"Вие сте в офлайн режим. Няма да можете да се презареждате, докато имате мрежа." DocType: Course Activity,Enrollment,записване @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Шаблон за лаборато apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Макс: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Липсва информация за електронното фактуриране apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Няма създадена заявка за материал -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на артикула> Група продукти> Марка DocType: Loan,Total Amount Paid,Общо изплатена сума apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Всички тези елементи вече са фактурирани DocType: Training Event,Trainer Name,Име на обучителя @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Моля, посочете водещото име в олово {0}" DocType: Employee,You can enter any date manually,Можете да въведете всяка дата ръчно DocType: Stock Reconciliation Item,Stock Reconciliation Item,Елемент за съгласуване на запасите +DocType: Shift Type,Early Exit Consequence,Последствие от ранен изход DocType: Item Group,General Settings,Основни настройки apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Срокът за плащане не може да бъде преди публикуването / датата на фактурата на доставчика apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Въведете името на Бенефициента преди подаване. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,одитор apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Потвърждение за плащане ,Available Stock for Packing Items,Налична складова наличност за опаковъчни артикули apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},"Моля, премахнете тази фактура {0} от C-Form {1}" +DocType: Shift Type,Every Valid Check-in and Check-out,Всяко валидно настаняване и напускане DocType: Support Search Source,Query Route String,Поредица от заявки за маршрут DocType: Customer Feedback Template,Customer Feedback Template,Шаблон за обратна връзка с клиенти apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Цитати за водещи или клиенти. @@ -1204,6 +1212,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Контрол за оторизация ,Daily Work Summary Replies,Обобщени отговори за ежедневната работа apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Поканени сте да сътрудничите по проекта: {0} +DocType: Issue,Response By Variance,Отговор чрез отклонение DocType: Item,Sales Details,Подробности за продажбите apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Големи букви за шаблони за печат. DocType: Salary Detail,Tax on additional salary,Данък върху допълнителната заплата @@ -1327,6 +1336,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Адре DocType: Project,Task Progress,Прогрес на задачата DocType: Journal Entry,Opening Entry,Отваряне на запис DocType: Bank Guarantee,Charges Incurred,Възникнали такси +DocType: Shift Type,Working Hours Calculation Based On,Изчисление на работното време въз основа на DocType: Work Order,Material Transferred for Manufacturing,Прехвърлен материал за производство DocType: Products Settings,Hide Variants,Скриване на варианти DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Деактивиране на планирането на капацитета и проследяването на времето @@ -1356,6 +1366,7 @@ DocType: Account,Depreciation,амортизация DocType: Guardian,Interests,Интереси DocType: Purchase Receipt Item Supplied,Consumed Qty,Консумирано количество DocType: Education Settings,Education Manager,Мениджър образование +DocType: Employee Checkin,Shift Actual Start,Превключване на действителния старт DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Планирайте времевите дневници извън работното време на работната станция. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Точки за лоялност: {0} DocType: Healthcare Settings,Registration Message,Съобщение за регистрация @@ -1380,9 +1391,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Фактурата вече е създадена за всички часове за фактуриране DocType: Sales Partner,Contact Desc,Contact Desc DocType: Purchase Invoice,Pricing Rules,Правила за ценообразуване +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Тъй като съществуват съществуващи транзакции срещу елемент {0}, не можете да промените стойността на {1}" DocType: Hub Tracked Item,Image List,Списък с изображения DocType: Item Variant Settings,Allow Rename Attribute Value,Разрешаване на преименуване на стойността на атрибута -DocType: Price List,Price Not UOM Dependant,Цена Не UOM Зависими apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Време (в минути) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Основен DocType: Loan,Interest Income Account,Сметка за доходи от лихви @@ -1392,6 +1403,7 @@ DocType: Employee,Employment Type,Тип на заетостта apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Изберете POS профил DocType: Support Settings,Get Latest Query,Вземете последната заявка DocType: Employee Incentive,Employee Incentive,Стимулиране на служителите +DocType: Service Level,Priorities,Приоритети apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Добавете карти или персонализирани раздели на началната страница DocType: Homepage,Hero Section Based On,Раздел Герой въз основа на DocType: Project,Total Purchase Cost (via Purchase Invoice),Обща цена на покупката (чрез фактура за покупка) @@ -1452,7 +1464,7 @@ DocType: Work Order,Manufacture against Material Request,Производств DocType: Blanket Order Item,Ordered Quantity,Поръчано количество apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ред # {0}: Отхвърления склад е задължителен срещу отхвърлен елемент {1} ,Received Items To Be Billed,Получени елементи за таксуване -DocType: Salary Slip Timesheet,Working Hours,Работни часове +DocType: Attendance,Working Hours,Работни часове apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Режим на плащане apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,"Елементи на поръчка за доставка, които не са получени навреме" apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Продължителност в дни @@ -1572,7 +1584,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,Законова информация и друга обща информация за Вашия доставчик DocType: Item Default,Default Selling Cost Center,По подразбиране продаващ разходен център DocType: Sales Partner,Address & Contacts,Адрес и контакти -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настройте номерационните серии за посещаемост чрез Настройка> Номерационни серии" DocType: Subscriber,Subscriber,абонат apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) няма наличност apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Моля, първо изберете Дата на осчетоводяване" @@ -1583,7 +1594,7 @@ DocType: Project,% Complete Method,% Завършен метод DocType: Detected Disease,Tasks Created,Създадени задачи apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Стандартната спецификация ({0}) трябва да е активна за този елемент или неговия шаблон apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Процент на Комисията% -DocType: Service Level,Response Time,Време за реакция +DocType: Service Level Priority,Response Time,Време за реакция DocType: Woocommerce Settings,Woocommerce Settings,Настройки за Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Количеството трябва да бъде положително DocType: Contract,CRM,CRM @@ -1600,7 +1611,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Разходи за бо DocType: Bank Statement Settings,Transaction Data Mapping,Съпоставяне на данни за транзакции apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Олово изисква или име на лице или име на организацията DocType: Student,Guardians,пазители -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Моля, настройте системата за именуване на инструктори в образованието> Настройки на образованието" apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Изберете марка ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Среден доход DocType: Shipping Rule,Calculate Based On,Изчислете въз основа на @@ -1637,6 +1647,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Задайте це apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Съществува запис за присъствие {0} срещу Студент {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Дата на сделката apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Отмяна на абонамента +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Споразумението за нивото на обслужване не можа да бъде зададено {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Размер на нетната заплата DocType: Account,Liability,отговорност DocType: Employee,Bank A/C No.,Банков A / C No. @@ -1702,7 +1713,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Код на суровината apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Фактура за покупка {0} вече е подадена DocType: Fees,Student Email,Студентски имейл -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Рекурсия на спецификацията: {0} не може да бъде родител или дете от {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Вземете артикули от здравни услуги apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Вписването на запас {0} не е подадено DocType: Item Attribute Value,Item Attribute Value,Стойност на атрибута на елемента @@ -1727,7 +1737,6 @@ DocType: POS Profile,Allow Print Before Pay,Разрешаване на печа DocType: Production Plan,Select Items to Manufacture,Изберете Елементи за производство DocType: Leave Application,Leave Approver Name,Напускане на името на одобрителя DocType: Shareholder,Shareholder,акционер -DocType: Issue,Agreement Status,Статус на споразумението apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Настройки по подразбиране за продажба на транзакции. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Моля изберете Студентски прием, който е задължителен за платения кандидат-студент" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Изберете BOM @@ -1990,6 +1999,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Сметка за доходи apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Всички складове DocType: Contract,Signee Details,Подробности за Signee +DocType: Shift Type,Allow check-out after shift end time (in minutes),Разрешаване на напускането след края на смяна (в минути) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Доставяне DocType: Item Group,Check this if you want to show in website,"Проверете това, ако искате да се показват в уебсайта" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Фискалната година {0} не е намерена @@ -2056,6 +2066,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Начална дата на DocType: Activity Cost,Billing Rate,Тарифа за таксуване apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Предупреждение: Друг {0} # {1} съществува срещу запис на запас {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,"Моля, активирайте настройките на Google Карти, за да оцените и оптимизирате маршрутите" +DocType: Purchase Invoice Item,Page Break,Разделител на страница DocType: Supplier Scorecard Criteria,Max Score,Максимален резултат apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Началната дата за изплащане не може да бъде преди датата на изплащане. DocType: Support Search Source,Support Search Source,Подкрепете източника на търсене @@ -2124,6 +2135,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Цел на целта з DocType: Employee Transfer,Employee Transfer,Трансфер на служители ,Sales Funnel,Фуния на продажбите DocType: Agriculture Analysis Criteria,Water Analysis,Анализ на водата +DocType: Shift Type,Begin check-in before shift start time (in minutes),Започнете регистрацията преди началото на смяна (в минути) DocType: Accounts Settings,Accounts Frozen Upto,"Сметки, замразени Upto" apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Няма какво да се редактира. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Операцията {0} по-дълга от всички налични работни часове на работната станция {1}, разбива операцията на няколко операции" @@ -2137,7 +2149,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Па apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Продажната поръчка {0} е {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Забавяне на плащането (дни) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Въведете подробности за амортизацията +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,PO на клиенти apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Очакваната дата на доставка трябва да е след датата на поръчката за продажба +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Количеството на елемента не може да бъде нула apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Невалиден атрибут apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},"Моля, изберете BOM срещу елемент {0}" DocType: Bank Statement Transaction Invoice Item,Invoice Type,Тип фактура @@ -2147,6 +2161,7 @@ DocType: Maintenance Visit,Maintenance Date,Дата на поддръжка DocType: Volunteer,Afternoon,следобед DocType: Vital Signs,Nutrition Values,Хранителни стойности DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Наличие на треска (температура> 38,5 ° C / 101,3 ° F или продължителна температура> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте системата за именуване на служители в човешките ресурси> Настройки за човешки ресурси" apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC обърната DocType: Project,Collect Progress,Събиране на напредъка apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Енергия @@ -2197,6 +2212,7 @@ DocType: Setup Progress,Setup Progress,Прогрес за настройка ,Ordered Items To Be Billed,Поръчани позиции за таксуване DocType: Taxable Salary Slab,To Amount,Към сума DocType: Purchase Invoice,Is Return (Debit Note),Е възвръщаемост (дебитна бележка) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Група клиенти> Територия apps/erpnext/erpnext/config/desktop.py,Getting Started,Приготвяме се да започнем apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,сливам apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,"Не може да се промени началната дата на фискалната година и крайната дата на фискалната година, след като фискалната година бъде запазена." @@ -2215,8 +2231,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Действителна дат apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Началната дата на поддръжката не може да бъде преди датата на доставка за сериен номер {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Ред {0}: Обменният курс е задължителен DocType: Purchase Invoice,Select Supplier Address,Изберете Адрес на доставчика +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Наличното количество е {0}, трябва {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,"Моля, въведете тайната за потребителските услуги на API" DocType: Program Enrollment Fee,Program Enrollment Fee,Такса за записване в програмата +DocType: Employee Checkin,Shift Actual End,Превключване на действителния край DocType: Serial No,Warranty Expiry Date,Срок на валидност на гаранцията DocType: Hotel Room Pricing,Hotel Room Pricing,Цени на хотелските стаи apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Външни облагаеми доставки (различни от нулеви, нулеви и освободени)" @@ -2276,6 +2294,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Четене 5 DocType: Shopping Cart Settings,Display Settings,Настройки на дисплея apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Моля, задайте брой резервирани амортизации" +DocType: Shift Type,Consequence after,Следствие след това apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,За какво ти е необходима помощ? DocType: Journal Entry,Printing Settings,Настройки за печат apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,банково дело @@ -2285,6 +2304,7 @@ DocType: Purchase Invoice Item,PR Detail,Подробности за PR apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Адресът за фактуриране е същият като адреса за доставка DocType: Account,Cash,Пари в брой DocType: Employee,Leave Policy,Оставете политика +DocType: Shift Type,Consequence,следствие apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Адрес на ученика DocType: GST Account,CESS Account,Профил в CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Разходен център се изисква за сметка „Печалба и загуба“ {2}. Моля, задайте по подразбиране Разходен център за Компанията." @@ -2349,6 +2369,7 @@ DocType: GST HSN Code,GST HSN Code,Код на GST HSN DocType: Period Closing Voucher,Period Closing Voucher,Ваучер за приключване на периода apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Име на Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,"Моля, въведете сметката за разходи" +DocType: Issue,Resolution By Variance,Разделителна способност по отклонение DocType: Employee,Resignation Letter Date,Дата на подаване на оставка DocType: Soil Texture,Sandy Clay,Санди Клей DocType: Upload Attendance,Attendance To Date,Дата на присъствие @@ -2361,6 +2382,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Преглед сега DocType: Item Price,Valid Upto,Валиден до момента apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Справочният Doctype трябва да е един от {0} +DocType: Employee Checkin,Skip Auto Attendance,Прескачане на автоматичното присъствие DocType: Payment Request,Transaction Currency,Валута на транзакцията DocType: Loan,Repayment Schedule,График на погасяване apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Създайте запис за запазване на образеца за запазване @@ -2432,6 +2454,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Определ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Такси за затваряне на ваучери за ПОС apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Действие е инициализирано DocType: POS Profile,Applicable for Users,Приложимо за потребители +,Delayed Order Report,Отчет за отложена поръчка DocType: Training Event,Exam,Изпит apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Неправилен брой намерени записи за Главна книга. Може да сте избрали грешна сметка в транзакцията. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Тръбопровод за продажби @@ -2446,10 +2469,11 @@ DocType: Account,Round Off,Закръглявам DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,"Условията ще се прилагат за всички избрани елементи, комбинирани." apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Конфигуриране DocType: Hotel Room,Capacity,Капацитет +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Инсталирано количество apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Партидата {0} от елемент {1} е деактивирана. DocType: Hotel Room Reservation,Hotel Reservation User,Потребител на хотелски резервации -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Работният ден е повторен два пъти +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Споразумението за нивото на услугата с тип обект {0} и елемент {1} вече съществува. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},"Група елементи, които не са споменати в главния елемент на артикул {0}" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Грешка в името: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Територията се изисква в профила на POS @@ -2497,6 +2521,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Дата на разписанието DocType: Packing Slip,Package Weight Details,Подробности за теглото на пакета DocType: Job Applicant,Job Opening,Откриване на работа +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Последна известна успешна синхронизация на проверка на служители. Нулирайте това само ако сте сигурни, че всички регистрационни файлове са синхронизирани от всички местоположения. Моля, не променяйте това, ако не сте сигурни." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Реална цена apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Общият аванс ({0}) срещу поръчка {1} не може да бъде по-голям от общия брой ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Варианти на артикула са актуализирани @@ -2541,6 +2566,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Референтна ра apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Вземи фактури DocType: Tally Migration,Is Day Book Data Imported,Данните за дневната книга са импортирани ,Sales Partners Commission,Комисия за търговски партньори +DocType: Shift Type,Enable Different Consequence for Early Exit,Активиране на различни последствия за ранен изход apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,правен DocType: Loan Application,Required by Date,Изисква се по дата DocType: Quiz Result,Quiz Result,Резултат от теста @@ -2600,7 +2626,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Фина DocType: Pricing Rule,Pricing Rule,Правило за ценообразуване apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Незадължителен списък за почивка не е зададен за периода на отпуск {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,"Моля, задайте полето за потребителски идентификатор в запис на служител, за да зададете роля на служител" -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Време за разрешаване DocType: Training Event,Training Event,Събитие за обучение DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Нормалното кръвно налягане в покой при възрастен е приблизително 120 mm Hg систолично и 80 mmHg диастолично, съкратено "120/80 mmHg"." DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Системата ще извлече всички записи, ако граничната стойност е нула." @@ -2644,6 +2669,7 @@ DocType: Woocommerce Settings,Enable Sync,Активиране на синхро DocType: Student Applicant,Approved,одобрен apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},"От дата трябва да бъде в рамките на фискалната година. Ако приемем, че от дата = {0}" apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,"Моля, задайте група доставчици в настройките за покупка." +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} е невалиден статус на присъствие. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Временна отваряща сметка DocType: Purchase Invoice,Cash/Bank Account,Парични средства / банкови сметки DocType: Quality Meeting Table,Quality Meeting Table,Таблица за качество на срещата @@ -2679,6 +2705,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Храни, напитки и тютюневи изделия" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,График на курса DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Елемент Wise Данъчен детайл +DocType: Shift Type,Attendance will be marked automatically only after this date.,Присъствието ще бъде маркирано автоматично само след тази дата. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Доставки на притежателите на UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Заявка за оферти apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Валутата не може да се променя след извършване на вписвания с друга валута @@ -2727,7 +2754,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Е елемент от Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Процедура за качество. DocType: Share Balance,No of Shares,Брой акции -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),"Ред {0}: Количество, което не е налице за {4} в склада {1} в момента на публикуване на записа ({2} {3})" DocType: Quality Action,Preventive,профилактичен DocType: Support Settings,Forum URL,URL адрес на форума apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Служител и присъствие @@ -2949,7 +2975,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Тип отстъпка DocType: Hotel Settings,Default Taxes and Charges,Такси и такси по подразбиране apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Това се основава на сделки срещу този доставчик. За подробности вижте графиката по-долу apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Максималният размер на ползата от служител {0} надхвърля {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Въведете начална и крайна дата за споразумението. DocType: Delivery Note Item,Against Sales Invoice,Срещу фактурата за продажби DocType: Loyalty Point Entry,Purchase Amount,Сума за покупка apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Не може да се зададе като изгубен като поръчка за продажба. @@ -2973,7 +2998,7 @@ DocType: Homepage,"URL for ""All Products""",URL адрес за „Всички DocType: Lead,Organization Name,Наименование на организацията apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Валидните от валидните полета за довършване са задължителни за кумулативното apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Ред # {0}: Партиден номер трябва да бъде същият като {1} {2} -DocType: Employee,Leave Details,Оставете подробности +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Борсовите транзакции преди {0} са замразени DocType: Driver,Issuing Date,Дата на издаване apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Заявител @@ -3018,9 +3043,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Детайли за шаблона за картографиране на паричния поток apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Набиране и обучение DocType: Drug Prescription,Interval UOM,Интервал UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Настройки за гратисен период за автоматично присъствие apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,От валута и от валута не може да бъде същото apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Фармацевтични DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Часове за поддръжка apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} е отменен или затворен apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Ред {0}: Авансът срещу Клиента трябва да бъде кредитен apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Групиране по ваучер (консолидиран) @@ -3130,6 +3157,7 @@ DocType: Asset Repair,Repair Status,Състояние на ремонта DocType: Territory,Territory Manager,Териториален мениджър DocType: Lab Test,Sample ID,Идентификатор на мостра apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Количката е празна +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Участието е отбелязано по заявка на служител apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Трябва да се подаде актив {0} ,Absent Student Report,Отсъствие на студентски доклад apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Включени в брутната печалба @@ -3137,7 +3165,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,Финансирана сума apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не е изпратен, така че действието не може да бъде завършено" DocType: Subscription,Trial Period End Date,Дата на приключване на пробния период +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Редуващи се записи като IN и OUT по време на същата смяна DocType: BOM Update Tool,The new BOM after replacement,Новата спецификация след подмяната +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Доставчик> Тип доставчик apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Точка 5 DocType: Employee,Passport Number,Номер на паспорт apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Временно отваряне @@ -3253,6 +3283,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Ключови доклади apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Възможен доставчик ,Issued Items Against Work Order,Издадени позиции срещу работна поръчка apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Създаване на {0} Фактура +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Моля, настройте системата за именуване на инструктори в образованието> Настройки за образование" DocType: Student,Joining Date,Дата на присъединяване apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Заявяващ сайт DocType: Purchase Invoice,Against Expense Account,Срещу разходна сметка @@ -3292,6 +3323,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Приложими такси ,Point of Sale,Точка на продажба DocType: Authorization Rule,Approving User (above authorized value),Одобряване на потребителя (над разрешената стойност) +DocType: Service Level Agreement,Entity,единица apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Сумата {0} {1} прехвърлена от {2} в {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Клиент {0} не принадлежи на проект {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,От името на партията @@ -3338,6 +3370,7 @@ DocType: Asset,Opening Accumulated Depreciation,Откриване на натр DocType: Soil Texture,Sand Composition (%),Състав на пясъка (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Данни за деня на импортиране +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Моля, задайте серия на имената за {0} чрез Настройка> Настройки> Серия на имената" DocType: Asset,Asset Owner Company,Дружество собственик на активи apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Разходен център се изисква за резервиране на претенция за разход apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} валидни серийни номера за елемент {1} @@ -3398,7 +3431,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Собственик на активи apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Складът е задължителен за съставката {0} в ред {1} DocType: Stock Entry,Total Additional Costs,Общо допълнителни разходи -DocType: Marketplace Settings,Last Sync On,Последно синхронизиране е включено apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,"Моля, задайте поне един ред в таблицата Данъци и такси" DocType: Asset Maintenance Team,Maintenance Team Name,Име на екипа за поддръжка apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Диаграма на разходни центрове @@ -3414,12 +3446,12 @@ DocType: Sales Order Item,Work Order Qty,Количество на работн DocType: Job Card,WIP Warehouse,WIP Warehouse DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Потребителският идентификатор не е зададен за служител {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","На разположение е {0}, трябва {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Създаден е потребител {0} DocType: Stock Settings,Item Naming By,Позициониране на елемент от apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,поръчан apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Това е основна група клиенти и не може да се редактира. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Заявката за материал {0} се отменя или спира +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Строго базиран на типа на регистрационния файл в Служебния чек DocType: Purchase Order Item Supplied,Supplied Qty,Доставян обем DocType: Cash Flow Mapper,Cash Flow Mapper,Картограф на паричните потоци DocType: Soil Texture,Sand,Пясък @@ -3478,6 +3510,7 @@ DocType: Lab Test Groups,Add new line,Добавете нов ред apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Групата дублирани елементи е намерена в таблицата на групата елементи apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Годишна заплата DocType: Supplier Scorecard,Weighting Function,Функция за претегляне +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Грешка при оценката на формулата за критерии ,Lab Test Report,Отчет за лабораторни тестове DocType: BOM,With Operations,С операции @@ -3491,6 +3524,7 @@ DocType: Expense Claim Account,Expense Claim Account,Сметка за пред apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Няма възможност за възстановяване на суми за влизане в дневника apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} е неактивен студент apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Направете влизане на склад +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Рекурсия на спецификацията: {0} не може да бъде родител или дете от {1} DocType: Employee Onboarding,Activities,дейности apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Поне един склад е задължителен ,Customer Credit Balance,Баланс на кредитните кредити @@ -3503,9 +3537,11 @@ DocType: Supplier Scorecard Period,Variables,Променливи apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,"Намерена е многократна програма за лоялност за клиента. Моля, изберете ръчно." DocType: Patient,Medication,лечение apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Изберете Програма за лоялност +DocType: Employee Checkin,Attendance Marked,Посещаемост apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Сурови материали DocType: Sales Order,Fully Billed,Напълно фактуриран apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Моля, задайте цена за хотелска стая на {}" +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Изберете само един приоритет като по подразбиране. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},"Моля, идентифицирайте / създайте профил (Ledger) за тип - {0}" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Общата кредитна / дебитна сума трябва да бъде същата като свързаното вписване в дневника DocType: Purchase Invoice Item,Is Fixed Asset,Е фиксиран актив @@ -3526,6 +3562,7 @@ DocType: Purpose of Travel,Purpose of Travel,Цел на пътуване DocType: Healthcare Settings,Appointment Confirmation,Потвърждение за среща DocType: Shopping Cart Settings,Orders,Поръчки DocType: HR Settings,Retirement Age,Пенсионна възраст +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настройте номерационните серии за посещаемост чрез Настройка> Номерационни серии" apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Прожектиран брой apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Изтриването не е разрешено за държава {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Ред # {0}: Актив {1} вече е {2} @@ -3609,11 +3646,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,касиер счетоводител apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Пореден период за ПОС затваряне на ваучера съществува за {0} между датата {1} и {2} apps/erpnext/erpnext/config/help.py,Navigating,Навигация +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Неизплатени фактури изискват преоценка на валутния курс DocType: Authorization Rule,Customer / Item Name,Име на клиент / артикул apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Нов сериен номер не може да има склад. Складът трябва да бъде зададен чрез влизане в склад или с получаване на покупка DocType: Issue,Via Customer Portal,Чрез клиентски портал DocType: Work Order Operation,Planned Start Time,Планирано начално време apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} е {2} +DocType: Service Level Priority,Service Level Priority,Приоритет на нивото на обслужване apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Броят на амортизациите не може да бъде по-голям от общия брой амортизации apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Споделете Ledger DocType: Journal Entry,Accounts Payable,Задължения по сметки @@ -3724,7 +3763,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Доставка до DocType: Bank Statement Transaction Settings Item,Bank Data,Банкови данни apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Планирано Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Поддържане на разплащателни часове и работни часове Също и в разписанието apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Водене на трасе от водещ източник. DocType: Clinical Procedure,Nursing User,Потребител на сестрински грижи DocType: Support Settings,Response Key List,Списък с ключови отговори @@ -3892,6 +3930,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Действително начално време DocType: Antibiotic,Laboratory User,Потребител на лабораторията apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Онлайн търгове +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Приоритетът {0} е повторен. DocType: Fee Schedule,Fee Creation Status,Създаване на такса apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Софтуеъри apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Поръчка към плащане @@ -3958,6 +3997,7 @@ DocType: Patient Encounter,In print,В печат apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Информацията за {0} не можа да бъде извлечена. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,"Валутата на фактуриране трябва да е равна или на валутата на фирмата по подразбиране, или на валутата на партидата на партията" apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,"Моля, въведете Id на служителя на този продавач" +DocType: Shift Type,Early Exit Consequence after,Последващо след ранно излизане apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Създаване на отварящи фактури за продажби и покупки DocType: Disease,Treatment Period,Период на лечение apps/erpnext/erpnext/config/settings.py,Setting up Email,Настройка на имейл @@ -3975,7 +4015,6 @@ DocType: Employee Skill Map,Employee Skills,Умения за служители apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Име на ученика: DocType: SMS Log,Sent On,Изпратено на DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Фактура -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Времето за отговор не може да бъде по-голямо от времето за разрешаване DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","За курсова група, курса ще бъде валидиран за всеки ученик от записаните курсове по участие в програмата." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Вътрешнодържавни доставки DocType: Employee,Create User Permission,Създаване на потребителско разрешение @@ -4014,6 +4053,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Стандартни договорни условия за продажба или покупка. DocType: Sales Invoice,Customer PO Details,Подробности за клиентските PO apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Пациентът не е намерен +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Изберете приоритет по подразбиране. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Премахнете елемента, ако таксите не са приложими за този елемент" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Съществува клиентска група със същото име, моля променете името на клиента или преименувайте групата клиенти" 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. @@ -4053,6 +4093,7 @@ DocType: Quality Goal,Quality Goal,Цел за качество DocType: Support Settings,Support Portal,Портал за поддръжка apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Крайната дата на задачата {0} не може да бъде по-малка от {1} очакваната начална дата {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Служител {0} е напуснал на {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Това споразумение за ниво на услугата е специфично за клиента {0} DocType: Employee,Held On,Проведена на DocType: Healthcare Practitioner,Practitioner Schedules,Разписания на практикуващия DocType: Project Template Task,Begin On (Days),Начало на (дни) @@ -4060,6 +4101,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Работната поръчка е {0} DocType: Inpatient Record,Admission Schedule Date,Дата на приемане apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Корекция на стойността на активите +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Отбележете посещаемостта на базата на „Проверка на служителите“ за служителите, назначени за тази промяна." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Доставки за нерегистрирани лица apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Всички работни места DocType: Appointment Type,Appointment Type,Тип на срещата @@ -4173,7 +4215,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Бруто тегло на опаковката. Обикновено нетно тегло + тегло на опаковъчния материал. (за печат) DocType: Plant Analysis,Laboratory Testing Datetime,Време за лабораторно изпитване apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Елементът {0} не може да има пакет -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Търговски тръбопровод по етап apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Сила на студентската група DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Въвеждане на транзакция в банковите извлечения DocType: Purchase Order,Get Items from Open Material Requests,Получаване на елементи от отворени заявки за материали @@ -4255,7 +4296,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Покажи стареенето на склад DocType: Sales Invoice,Write Off Outstanding Amount,Напишете неизплатена сума DocType: Payroll Entry,Employee Details,Данни за служителя -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Началното време не може да бъде по-голямо от Крайно време за {0}. DocType: Pricing Rule,Discount Amount,Стойност на намалението DocType: Healthcare Service Unit Type,Item Details,Подробности за елемента apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Дублирана данъчна декларация на {0} за период {1} @@ -4308,7 +4348,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Нетното възнаграждение не може да бъде отрицателно apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Брой на взаимодействията 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/hr/doctype/employee/employee_dashboard.py,Shift,изместване +DocType: Attendance,Shift,изместване apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Обработка на сметки и страни DocType: Stock Settings,Convert Item Description to Clean HTML,Конвертиране на Описание на елемент в Чисто HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Всички групи доставчици @@ -4379,6 +4419,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Дейнос DocType: Healthcare Service Unit,Parent Service Unit,Отдел „Родителски услуги“ DocType: Sales Invoice,Include Payment (POS),Включване на плащане (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Частен капитал +DocType: Shift Type,First Check-in and Last Check-out,Първа регистрация и последно напускане DocType: Landed Cost Item,Receipt Document,Документ за получаване DocType: Supplier Scorecard Period,Supplier Scorecard Period,Период на оценка на доставчика DocType: Employee Grade,Default Salary Structure,Структура на заплатите по подразбиране @@ -4461,6 +4502,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Създайте поръчка за доставка apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Определете бюджет за финансова година. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Таблицата на профилите не може да бъде празна. +DocType: Employee Checkin,Entry Grace Period Consequence,Следствие на гратисен период за влизане ,Payment Period Based On Invoice Date,Период на плащане въз основа на датата на фактурата apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Датата на инсталиране не може да бъде преди датата на доставка за елемент {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Връзка към заявката за материал @@ -4469,6 +4511,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Съпост apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Ред {0}: вече съществува запис за повторно подреждане за този склад {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Дата на документа DocType: Monthly Distribution,Distribution Name,Име на разпространението +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Работният ден {0} е повторен. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,"Група към група, която не е група" apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Актуализация в процес на изпълнение. Може да отнеме известно време. DocType: Item,"Example: ABCD.##### @@ -4481,6 +4524,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Количество гориво apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile No DocType: Invoice Discounting,Disbursed,Изплатени +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Време след края на смяната, по време на което се счита за посещение." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Нетна промяна в задълженията по сметки apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Не е наличен apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Непълен работен ден @@ -4494,7 +4538,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Поте apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Показване на PDC в печат apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify доставчик DocType: POS Profile User,POS Profile User,Потребителски профил на POS -DocType: Student,Middle Name,Презиме DocType: Sales Person,Sales Person Name,Име на продавача DocType: Packing Slip,Gross Weight,Брутно тегло DocType: Journal Entry,Bill No,Законопроект № @@ -4503,7 +4546,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Но DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-Vlog-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Споразумение за нивото на обслужване -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,"Моля, първо изберете Служител и Дата" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,"Коефициентът за оценка на позицията се преизчислява, като се има предвид стойността на ваучера за разход за земя" DocType: Timesheet,Employee Detail,Подробности за служителите DocType: Tally Migration,Vouchers,Ваучери @@ -4538,7 +4580,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Споразум DocType: Additional Salary,Date on which this component is applied,"Дата, на която се прилага този компонент" apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Списък на наличните акционери с номера на фолио apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Настройка на акаунти на шлюза. -DocType: Service Level,Response Time Period,Период на реакция +DocType: Service Level Priority,Response Time Period,Период на реакция DocType: Purchase Invoice,Purchase Taxes and Charges,Данъци и такси за покупка DocType: Course Activity,Activity Date,Дата на дейността apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Изберете или добавете нов клиент @@ -4563,6 +4605,7 @@ DocType: Sales Person,Select company name first.,Първо изберете и apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Финансова година DocType: Sales Invoice Item,Deferred Revenue,Отложени приходи apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Най-малко трябва да бъде избран един от Продажбите или Закупуването +DocType: Shift Type,Working Hours Threshold for Half Day,Праг на работното време за половин ден ,Item-wise Purchase History,История на покупката apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Датата за спиране на услугата за ред в ред {0} не може да се промени DocType: Production Plan,Include Subcontracted Items,Включете подизпълнители @@ -4595,6 +4638,7 @@ DocType: Journal Entry,Total Amount Currency,Обща валута на сума DocType: BOM,Allow Same Item Multiple Times,Разрешаване на един и същ елемент няколко пъти apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Създайте спецификация DocType: Healthcare Practitioner,Charges,Обвинения +DocType: Employee,Attendance and Leave Details,Присъствие и детайл DocType: Student,Personal Details,Лични данни DocType: Sales Order,Billing and Delivery Status,Състояние на фактуриране и доставка apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Ред {0}: За доставчика {0} Имейл адресът се изисква за изпращане на имейл @@ -4646,7 +4690,6 @@ DocType: Bank Guarantee,Supplier,доставчик apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Въведете стойност между {0} и {1} DocType: Purchase Order,Order Confirmation Date,Дата на потвърждение на поръчката DocType: Delivery Trip,Calculate Estimated Arrival Times,Изчислете прогнозните времена на пристигане -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте системата за именуване на служители в човешките ресурси> Настройки за човешки ресурси" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,консумативи DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Начална дата на абонамента @@ -4669,7 +4712,7 @@ DocType: Installation Note Item,Installation Note Item,Инструкция за DocType: Journal Entry Account,Journal Entry Account,Сметка за влизане в дневника apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,вариант apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Дейност на форума -DocType: Service Level,Resolution Time Period,Период на разделителна способност +DocType: Service Level Priority,Resolution Time Period,Период на разделителна способност DocType: Request for Quotation,Supplier Detail,Детайли на доставчика DocType: Project Task,View Task,Преглед на задача DocType: Serial No,Purchase / Manufacture Details,Детайли за покупка / производство @@ -4736,6 +4779,7 @@ DocType: Sales Invoice,Commission Rate (%),Процент на Комисият DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Складът може да се променя само чрез влизане / доставка на акции / разписка за покупка DocType: Support Settings,Close Issue After Days,Затваряне на проблема след дни DocType: Payment Schedule,Payment Schedule,Схема на плащане +DocType: Shift Type,Enable Entry Grace Period,Активиране на гратисния период за влизане DocType: Patient Relation,Spouse,Съпруг DocType: Purchase Invoice,Reason For Putting On Hold,Причина за задържане DocType: Item Attribute,Increment,увеличение @@ -4875,6 +4919,7 @@ DocType: Authorization Rule,Customer or Item,Клиент или артикул DocType: Vehicle Log,Invoice Ref,Фактура Реф apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-формулярът не е приложим за Фактура: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Създадена фактура +DocType: Shift Type,Early Exit Grace Period,Предсрочен гратисен период DocType: Patient Encounter,Review Details,Подробности за прегледа apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Ред {0}: Стойността на часовете трябва да бъде по-голяма от нула. DocType: Account,Account Number,Номер на сметка @@ -4886,7 +4931,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Приложимо, ако компанията е SpA, SApA или SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Намерени са припокриващи се условия между: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Платени и неизпратени -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Кодът на елемента е задължителен, защото елементът не е автоматично номериран" DocType: GST HSN Code,HSN Code,Код на HSN DocType: GSTR 3B Report,September,Септември apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Административни разходи @@ -4922,6 +4966,8 @@ DocType: Travel Itinerary,Travel From,Пътуване от apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Сметка CWIP DocType: SMS Log,Sender Name,Име на подателя DocType: Pricing Rule,Supplier Group,Група доставчици +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Задайте Начален час и Краен час за Ден на поддръжката {0} в индекс {1}. DocType: Employee,Date of Issue,Дата на издаване ,Requested Items To Be Transferred,Искани елементи за прехвърляне DocType: Employee,Contract End Date,Крайна дата на договора @@ -4932,6 +4978,7 @@ DocType: Healthcare Service Unit,Vacant,незает DocType: Opportunity,Sales Stage,Етап на продажби DocType: Sales Order,In Words will be visible once you save the Sales Order.,In Words ще се вижда след като запазите клиентската поръчка. DocType: Item Reorder,Re-order Level,Ниво на пренареждане +DocType: Shift Type,Enable Auto Attendance,Активиране на автоматичното присъствие apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Предпочитание ,Department Analytics,Отдел Анализ DocType: Crop,Scientific Name,Научно наименование @@ -4944,6 +4991,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},Състояниет DocType: Quiz Activity,Quiz Activity,Дейност на теста apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} не е в валиден период на заплащане DocType: Timesheet,Billed,таксува +apps/erpnext/erpnext/config/support.py,Issue Type.,Вид на проблема. DocType: Restaurant Order Entry,Last Sales Invoice,Последна фактура за продажби DocType: Payment Terms Template,Payment Terms,Условия за плащане apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Резервирано Количество: Поръчано за продажба, но не доставено." @@ -5038,6 +5086,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Актив apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} не разполага с график за практикуващия лекар. Добавете го в капитана на лекаря DocType: Vehicle,Chassis No,Шаси № +DocType: Employee,Default Shift,По подразбиране Shift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Съкращение на фирмата apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Дърво на материала DocType: Article,LMS User,LMS потребител @@ -5086,6 +5135,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Лице за продажба на родители DocType: Student Group Creation Tool,Get Courses,Вземи курсове apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ред # {0}: Количеството трябва да е 1, тъй като елементът е фиксиран актив. Моля, използвайте отделен ред за няколко броя." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Работно време, под което Absent е отбелязано. (Нула за деактивиране)" DocType: Customer Group,Only leaf nodes are allowed in transaction,В транзакцията са позволени само листови възли DocType: Grant Application,Organization,организация DocType: Fee Category,Fee Category,Категория на таксата @@ -5098,6 +5148,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,"Моля, актуализирайте състоянието си за това обучение" DocType: Volunteer,Morning,Сутрин DocType: Quotation Item,Quotation Item,Предмет на оферта +apps/erpnext/erpnext/config/support.py,Issue Priority.,Приоритет на издаване. DocType: Journal Entry,Credit Card Entry,Въвеждане на кредитна карта apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Времевият интервал е пропуснат, слотът {0} до {1} се припокрива с съществуващ слот {2} до {3}" DocType: Journal Entry Account,If Income or Expense,Ако доход или разход @@ -5148,11 +5199,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Импортиране на данни и настройки 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: Account,Expense Account,Сметка за разходи +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Времето преди началото на смяната, по време на което се смята, че служителят се регистрира за присъствие." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Връзка с Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Създайте фактура apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Заявката за плащане вече съществува {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Служителят, освободен от {0}, трябва да бъде зададен като „Ляво“" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Плащане {0} {1} +DocType: Company,Sales Settings,Настройки за продажби DocType: Sales Order Item,Produced Quantity,Произведено количество apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,"Заявката за оферта може да бъде получена, като кликнете върху следната връзка" DocType: Monthly Distribution,Name of the Monthly Distribution,Име на месечната дистрибуция @@ -5231,6 +5284,7 @@ DocType: Company,Default Values,Стойности по подразбиране apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Създават се шаблони за данъци по подразбиране за продажби и покупки. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Типът на напускане {0} не може да бъде прехвърлен apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Дебит За сметка трябва да бъде сметка за получаване +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},"Моля, задайте профил в Warehouse {0} или профила по подразбиране за рекламните места в компанията {1}" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Е активирана по подразбиране DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Нетното тегло на този пакет. (изчислява се автоматично като сума от нетното тегло на елементите) @@ -5257,8 +5311,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Изтеклите партиди DocType: Shipping Rule,Shipping Rule Type,Тип правило за доставка DocType: Job Offer,Accepted,Приемани -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Моля, изтрийте служителя {0} , за да отмените този документ" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Вече сте оценили критериите за оценка {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Изберете Пакетни номера apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Възраст (дни) @@ -5285,6 +5337,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Изберете домейните си DocType: Agriculture Task,Task Name,Име на задачата apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Запазени записи вече създадени за работна поръчка +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Моля, изтрийте служителя {0} , за да отмените този документ" ,Amount to Deliver,Сума за доставка apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Фирма {0} не съществува apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,"Не са намерени предстоящи заявки за материали, за да се свържат за дадените елементи." @@ -5334,6 +5388,7 @@ DocType: Program Enrollment,Enrolled courses,Записани курсове DocType: Lab Prescription,Test Code,Код за тестване DocType: Purchase Taxes and Charges,On Previous Row Total,На Общо предишен ред DocType: Student,Student Email Address,Имейл адрес на ученика +,Delayed Item Report,Отложен доклад за позиция DocType: Academic Term,Education,образование DocType: Supplier Quotation,Supplier Address,Адрес на доставчика DocType: Salary Detail,Do not include in total,Не включвайте общо @@ -5341,7 +5396,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} не съществува DocType: Purchase Receipt Item,Rejected Quantity,Отхвърлено количество DocType: Cashier Closing,To TIme,Към Времето -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: Daily Work Summary Group User,Daily Work Summary Group User,Ежедневен потребител на групата с резюме на работата DocType: Fiscal Year Company,Fiscal Year Company,Фискална година apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Алтернативният елемент не трябва да е същият като кода на артикула @@ -5393,6 +5447,7 @@ DocType: Program Fee,Program Fee,Такса за програмата DocType: Delivery Settings,Delay between Delivery Stops,Забавяне между спирането на доставката DocType: Stock Settings,Freeze Stocks Older Than [Days],"Замразяване на запаси, по-стари от [дни]" DocType: Promotional Scheme,Promotional Scheme Product Discount,Промоционална продуктова отстъпка +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Вече съществува приоритет за издаване DocType: Account,Asset Received But Not Billed,"Полученият актив, но не таксуван" DocType: POS Closing Voucher,Total Collected Amount,Общо събрана сума DocType: Course,Default Grading Scale,Стандартна скала за оценяване @@ -5435,6 +5490,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Условия за изпълнение apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Без група в група DocType: Student Guardian,Mother,майка +DocType: Issue,Service Level Agreement Fulfilled,Изпълнено е Споразумение за нивото на обслужване DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Приспадане на данък за неплатени обезщетения на служители DocType: Travel Request,Travel Funding,Финансиране на пътуванията DocType: Shipping Rule,Fixed,определен @@ -5464,10 +5520,12 @@ DocType: Item,Warranty Period (in days),Гаранционен период (в apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Няма намерени елементи. DocType: Item Attribute,From Range,От обхват DocType: Clinical Procedure,Consumables,Консумативи +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,"employee_field_value" и "timestamp" са задължителни. DocType: Purchase Taxes and Charges,Reference Row #,Референтен ред # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},"Моля, задайте „Център на разходите за амортизация на активите“ в Фирмата {0}" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Ред # {0}: Документът за плащане е необходим за завършване на транзакцията DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Кликнете върху този бутон, за да изтеглите данните си от поръчката за продажба от Amazon MWS." +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Работно време, под което се отбелязва половин ден. (Нула за деактивиране)" ,Assessment Plan Status,Статус на плана за оценка apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,"Моля, първо изберете {0}" apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Изпратете това, за да създадете запис на служител" @@ -5538,6 +5596,7 @@ DocType: Quality Procedure,Parent Procedure,Процедура за родите apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Задайте Отвори apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Превключване на филтрите DocType: Production Plan,Material Request Detail,Детайли за заявката на материала +DocType: Shift Type,Process Attendance After,Присъствие на процеса след DocType: Material Request Item,Quantity and Warehouse,Количество и склад apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Отидете в Програми apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Ред # {0}: дублиран запис в препратки {1} {2} @@ -5595,6 +5654,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Информация за парти apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Длъжници ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Към днешна дата не може да бъде по-голяма от датата на освобождаване на служителя +DocType: Shift Type,Enable Exit Grace Period,Активиране на изходния гратисен период DocType: Expense Claim,Employees Email Id,Идент. № на служителите DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Актуализиране на цената от Shopify To ERPNext ценова листа DocType: Healthcare Settings,Default Medical Code Standard,Стандарт за стандартния медицински код @@ -5625,7 +5685,6 @@ DocType: Item Group,Item Group Name,Име на групата елементи DocType: Budget,Applicable on Material Request,Прилага се при заявка за материал DocType: Support Settings,Search APIs,API за търсене DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Процент на свръхпроизводство за клиентска поръчка -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Спецификации DocType: Purchase Invoice,Supplied Items,Доставяни артикули DocType: Leave Control Panel,Select Employees,Изберете Служители apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Изберете сметка за доход от лихви в заем {0} @@ -5651,7 +5710,7 @@ DocType: Salary Slip,Deductions,Удръжки ,Supplier-Wise Sales Analytics,Анализ на продажбите в зависимост от доставчика DocType: GSTR 3B Report,February,февруари DocType: Appraisal,For Employee,За служител -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Действителна дата на доставка +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Действителна дата на доставка DocType: Sales Partner,Sales Partner Name,Име на търговски партньор apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Амортизационен ред {0}: Началната дата на амортизацията се въвежда като крайна дата DocType: GST HSN Code,Regional,областен @@ -5690,6 +5749,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,А DocType: Supplier Scorecard,Supplier Scorecard,Карта за оценка на доставчика DocType: Travel Itinerary,Travel To,Пътувам до apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Марк Присъствие +DocType: Shift Type,Determine Check-in and Check-out,Определете настаняването и напускането DocType: POS Closing Voucher,Difference,разлика apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,малък DocType: Work Order Item,Work Order Item,Елемент на работна поръчка @@ -5723,6 +5783,7 @@ DocType: Sales Invoice,Shipping Address Name,Име на адреса за до apps/erpnext/erpnext/healthcare/setup.py,Drug,Лекарство apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} е затворен DocType: Patient,Medical History,Медицинска история +DocType: Expense Claim,Expense Taxes and Charges,Разходи и такси DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Брой дни след изтичане на датата на фактуриране преди отмяна на абонамента за абонамент или като неплатено apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Бележка за инсталиране {0} вече е изпратена DocType: Patient Relation,Family,семейство @@ -5755,7 +5816,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,сила apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,"В {2} са необходими {0} единици от {1}, за да завършите тази транзакция." DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Сурови материали за подфункции въз основа на -DocType: Bank Guarantee,Customer,клиент DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ако е разрешено, полето Academic Term ще бъде задължително в инструмента за записване в програмата." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","За студентска група, базирана на партиди, студентската партида ще бъде валидирана за всеки ученик от програмата за записване." DocType: Course,Topics,Теми @@ -5835,6 +5895,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Членове на глава DocType: Warranty Claim,Service Address,Адрес на услугата DocType: Journal Entry,Remark,Забележка +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ред {0}: количеството не е налично за {4} в склада {1} в момента на публикуване на записа ({2} {3}) DocType: Patient Encounter,Encounter Time,Време за среща DocType: Serial No,Invoice Details,Подробности за фактурата apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Допълнителни профили могат да се правят в Групи, но записите могат да се правят срещу не-Групи" @@ -5915,6 +5976,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Затваряне (отваряне + общо) DocType: Supplier Scorecard Criteria,Criteria Formula,Формула на критериите apps/erpnext/erpnext/config/support.py,Support Analytics,Поддръжка на Google Анализ +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Идентификационен номер на устройството за присъствие (биометричен / RF идентификатор) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Преглед и действие DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ако сметката е замразена, записите са разрешени за ограничени потребители." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Сума след амортизация @@ -5936,6 +5998,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Погасяване на кредита DocType: Employee Education,Major/Optional Subjects,Основни / незадължителни теми DocType: Soil Texture,Silt,тиня +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Адреси и контакти на доставчика DocType: Bank Guarantee,Bank Guarantee Type,Тип банкова гаранция DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ако е забранено, полето "Закръглено общо" няма да се вижда при никаква транзакция" DocType: Pricing Rule,Min Amt,Мин Амт @@ -5974,6 +6037,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Откриване на елемент за създаване на фактура DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Включване на POS транзакции +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Не е намерен служител за дадената стойност на полето на служителя. "{}": {} DocType: Payment Entry,Received Amount (Company Currency),Получена сума (валута на фирмата) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage е пълен, не спаси" DocType: Chapter Member,Chapter Member,Член на глава @@ -6006,6 +6070,7 @@ DocType: SMS Center,All Lead (Open),Всички водещи (отворени) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Не са създадени Студентски групи. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Дублира се ред {0} със същия {1} DocType: Employee,Salary Details,Подробности за заплатите +DocType: Employee Checkin,Exit Grace Period Consequence,Изход от следствие на грациозния период DocType: Bank Statement Transaction Invoice Item,Invoice,фактура DocType: Special Test Items,Particulars,подробности apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Моля, задайте филтър въз основа на елемент или склад" @@ -6107,6 +6172,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Извън AMC DocType: Job Opening,"Job profile, qualifications required etc.","Професионален профил, необходима квалификация и др." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Корабно състояние +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Искате ли да подадете заявката за материал DocType: Opportunity Item,Basic Rate,Основен курс DocType: Compensatory Leave Request,Work End Date,Крайна дата на работа apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Заявка за суровини @@ -6292,6 +6358,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Амортизация Сум DocType: Sales Order Item,Gross Profit,Брутна печалба DocType: Quality Inspection,Item Serial No,Елемент Сериен № DocType: Asset,Insurer,застраховател +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Сума за покупка DocType: Asset Maintenance Task,Certificate Required,Изисква се сертификат DocType: Retention Bonus,Retention Bonus,Бонус за задържане @@ -6407,6 +6474,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Размер на р DocType: Invoice Discounting,Sanctioned,санкционирана DocType: Course Enrollment,Course Enrollment,Записване на курса DocType: Item,Supplier Items,Артикули на доставчика +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Началното време не може да бъде по-голямо или равно на Крайно време за {0}. DocType: Sales Order,Not Applicable,Не е приложимо DocType: Support Search Source,Response Options,Опции за отговор apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} трябва да бъде стойност между 0 и 100 @@ -6493,7 +6562,6 @@ DocType: Travel Request,Costing,Остойностяване apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Фиксирани активи DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Общо приходи -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Група клиенти> Територия DocType: Share Balance,From No,От Не DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Фактура за съгласуване на плащанията DocType: Purchase Invoice,Taxes and Charges Added,Добавени са данъци и такси @@ -6601,6 +6669,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Игнориране на ценообразуването apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Храна DocType: Lost Reason Detail,Lost Reason Detail,Подробности за изгубени причини +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Бяха създадени следните серийни номера:
{0} DocType: Maintenance Visit,Customer Feedback,Обратна връзка от клиента DocType: Serial No,Warranty / AMC Details,Подробности за гаранцията / AMC DocType: Issue,Opening Time,Време на отваряне @@ -6650,6 +6719,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Името на фирмата не е същото apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Промоцията за служители не може да бъде подадена преди датата на промоцията apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},"Не е разрешено да се актуализират стоковите транзакции, по-стари от {0}" +DocType: Employee Checkin,Employee Checkin,Служебна проверка apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Началната дата трябва да е по-малка от крайната дата за елемент {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Създайте котировки на клиенти DocType: Buying Settings,Buying Settings,Настройки за покупка @@ -6671,6 +6741,7 @@ DocType: Job Card Time Log,Job Card Time Log,Дневник на работна DocType: Patient,Patient Demographics,Демография на пациента DocType: Share Transfer,To Folio No,Към Фолио No apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Паричен поток от операции +DocType: Employee Checkin,Log Type,Тип на регистъра DocType: Stock Settings,Allow Negative Stock,Разрешаване на отрицателен запас apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Нито една от позициите няма промяна в количеството или стойността. DocType: Asset,Purchase Date,Дата на закупуване @@ -6715,6 +6786,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Много хипер apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Изберете естеството на бизнеса си. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,"Моля, изберете месец и година" +DocType: Service Level,Default Priority,Приоритет по подразбиране DocType: Student Log,Student Log,Студентски дневник DocType: Shopping Cart Settings,Enable Checkout,Активиране на Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Човешки ресурси @@ -6743,7 +6815,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Свържете Shopify с ERPNext DocType: Homepage Section Card,Subtitle,подзаглавие DocType: Soil Texture,Loam,глинеста почва -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Доставчик> Тип доставчик DocType: BOM,Scrap Material Cost(Company Currency),Цена на материал за скрап (валута на фирмата) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Бележка за доставка {0} не трябва да се изпраща DocType: Task,Actual Start Date (via Time Sheet),Действителна начална дата (чрез лист с данни) @@ -6799,6 +6870,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,дозиране DocType: Cheque Print Template,Starting position from top edge,Начална позиция от горния край apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Продължителност на срещата (мин.) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Този служител вече има регистър със същата дата. {0} DocType: Accounting Dimension,Disable,правя неспособен DocType: Email Digest,Purchase Orders to Receive,Поръчки за покупка за получаване apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Поръчки за продукти не могат да бъдат повдигнати за: @@ -6814,7 +6886,6 @@ DocType: Production Plan,Material Requests,Искания за материал DocType: Buying Settings,Material Transferred for Subcontract,Прехвърлен материал за подизпълнение DocType: Job Card,Timing Detail,Подробности за времето apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Задължително включено -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Импортиране на {0} от {1} DocType: Job Offer Term,Job Offer Term,Срок на предложението за работа DocType: SMS Center,All Contact,Всички контакти DocType: Project Task,Project Task,Задача на проекта @@ -6865,7 +6936,6 @@ DocType: Student Log,Academic,академичен apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Елемент {0} не е настроен за Серийни номера apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,От държавата DocType: Leave Type,Maximum Continuous Days Applicable,Приложими максимални продължителни дни -apps/erpnext/erpnext/config/support.py,Support Team.,Подкрепящ отбор. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,"Моля, първо въведете име на фирма" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Импортиране е успешно DocType: Guardian,Alternate Number,Алтернативен номер @@ -6957,6 +7027,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Ред # {0}: Елементът е добавен DocType: Student Admission,Eligibility and Details,Допустимост и подробности DocType: Staffing Plan,Staffing Plan Detail,Подробности за плана за персонала +DocType: Shift Type,Late Entry Grace Period,Оттегляне на гратисен период DocType: Email Digest,Annual Income,Годишен доход DocType: Journal Entry,Subscription Section,Секция Абонамент DocType: Salary Slip,Payment Days,Дни на плащане @@ -7007,6 +7078,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Салдо по сметка DocType: Asset Maintenance Log,Periodicity,периодичност apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Медицинска документация +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,"Типът на регистрационния файл се изисква за регистриране, което пада в смяна: {0}." apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Екзекуция DocType: Item,Valuation Method,Метод за оценка apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} срещу фактура за продажби {1} @@ -7091,6 +7163,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Прогнозна ц DocType: Loan Type,Loan Name,Име на заема apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Задайте стандартния начин на плащане DocType: Quality Goal,Revision,ревизия +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Времето преди края на смяната, когато проверката се счита за ранна (в минути)." DocType: Healthcare Service Unit,Service Unit Type,Тип единица за обслужване DocType: Purchase Invoice,Return Against Purchase Invoice,Връщане срещу фактура за покупка apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Генериране на тайна @@ -7246,12 +7319,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Козметични продукти DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Поставете отметка, ако искате да принудите потребителя да избере серия, преди да запази. Няма да има по подразбиране, ако проверите това." DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,На потребителите с тази роля е разрешено да задават замразени сметки и да създават / променят счетоводни записи срещу замразени сметки +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на артикула> Група продукти> Марка DocType: Expense Claim,Total Claimed Amount,Обща заявена сума 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} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Обобщавайки apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Можете да го подновите, само ако членството ви изтече в рамките на 30 дни" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Стойността трябва да е между {0} и {1} DocType: Quality Feedback,Parameters,Параметри +DocType: Shift Type,Auto Attendance Settings,Настройки за автоматично посещение ,Sales Partner Transaction Summary,Резюме на транзакциите на търговски партньори DocType: Asset Maintenance,Maintenance Manager Name,Име на мениджъра за поддръжка apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Необходимо е да изтеглите Детайли на елемента. @@ -7343,10 +7418,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Проверка на приложеното правило DocType: Job Card Item,Job Card Item,Позиция на служебната карта DocType: Homepage,Company Tagline for website homepage,Фирмен надпис за начална страница на уебсайта +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Задайте Време за отговор и Разделителна способност за Приоритет {0} в индекс {1}. DocType: Company,Round Off Cost Center,Център за закръглени разходи DocType: Supplier Scorecard Criteria,Criteria Weight,Тегло на критериите DocType: Asset,Depreciation Schedules,Амортизационни разписания -DocType: Expense Claim Detail,Claim Amount,Сума на иска DocType: Subscription,Discounts,Отстъпки DocType: Shipping Rule,Shipping Rule Conditions,Условия за правилата за изпращане DocType: Subscription,Cancelation Date,Дата на анулиране @@ -7374,7 +7449,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Създаване н apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Показване на нулеви стойности DocType: Employee Onboarding,Employee Onboarding,Служител на борда DocType: POS Closing Voucher,Period End Date,Дата на приключване на периода -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Възможности за продажба от Източник DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Първият одобрител на напускане в списъка ще бъде зададен като подразбиращо се одобрение за отпуск. DocType: POS Settings,POS Settings,POS настройки apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Всички профили @@ -7395,7 +7469,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ред # {0}: Скоростта трябва да бъде същата като {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Позиции за здравни услуги -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,не са намерени записи apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Диапазон на стареене 3 DocType: Vital Signs,Blood Pressure,Кръвно налягане apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Насочване на @@ -7442,6 +7515,7 @@ DocType: Company,Existing Company,Съществуваща компания apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Партиди apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,отбрана DocType: Item,Has Batch No,Има партида № +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Забавени дни DocType: Lead,Person Name,Име на човека DocType: Item Variant,Item Variant,Вариант на позицията DocType: Training Event Employee,Invited,Поканени @@ -7463,7 +7537,7 @@ DocType: Purchase Order,To Receive and Bill,За да получи и Бил apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Началната и крайната дата, които не са в валиден период на заплащане, не могат да изчислят {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Показвайте само клиенти на тези групи клиенти apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,"Изберете елементи, за да запазите фактурата" -DocType: Service Level,Resolution Time,Време на разделителна способност +DocType: Service Level Priority,Resolution Time,Време на разделителна способност DocType: Grading Scale Interval,Grade Description,Описание на класа DocType: Homepage Section,Cards,карти DocType: Quality Meeting Minutes,Quality Meeting Minutes,Протокол за качество на срещата @@ -7490,6 +7564,7 @@ DocType: Project,Gross Margin %,Брутна печалба % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Баланс по банкова сметка съгласно Главна книга apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Здравеопазване (бета) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,"По подразбиране, за да създадете поръчка за продажби и бележка за доставка" +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Времето за отговор за {0} при индекс {1} не може да бъде по-голямо от Времето за разрешаване. DocType: Opportunity,Customer / Lead Name,Потребителско / водещо име DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Непоискана сума @@ -7536,7 +7611,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Внасящи страни и адреси DocType: Item,List this Item in multiple groups on the website.,Избройте този елемент в няколко групи на уебсайта. DocType: Request for Quotation,Message for Supplier,Съобщение за доставчика -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,"Не може да се промени {0}, тъй като съществува стокова транзакция за елемент {1}." DocType: Healthcare Practitioner,Phone (R),Телефон (R) DocType: Maintenance Team Member,Team Member,Член на екипа DocType: Asset Category Account,Asset Category Account,Акаунт за категория активи diff --git a/erpnext/translations/bn.csv b/erpnext/translations/bn.csv index 8836a86c03..7213a04d05 100644 --- a/erpnext/translations/bn.csv +++ b/erpnext/translations/bn.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,মেয়াদ শুরু তার apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,নিয়োগ {0} এবং বিক্রয় চালান {1} বাতিল DocType: Purchase Receipt,Vehicle Number,যানবাহন নম্বর apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,আপনার ইমেইল ঠিকানা... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,ডিফল্ট বুক এন্ট্রি অন্তর্ভুক্ত করুন +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,ডিফল্ট বুক এন্ট্রি অন্তর্ভুক্ত করুন DocType: Activity Cost,Activity Type,কার্যকলাপ টাইপ DocType: Purchase Invoice,Get Advances Paid,অগ্রিম অর্থ প্রদান করুন DocType: Company,Gain/Loss Account on Asset Disposal,সম্পদ নিষ্পত্তি নিষ্পত্তি / লাভ অ্যাকাউন্ট @@ -222,7 +222,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,এটার ক DocType: Bank Reconciliation,Payment Entries,পেমেন্ট এন্ট্রি DocType: Employee Education,Class / Percentage,ক্লাস / শতাংশ ,Electronic Invoice Register,বৈদ্যুতিন চালান নিবন্ধন +DocType: Shift Type,The number of occurrence after which the consequence is executed.,ঘটনার সংখ্যা যার ফলে ফলাফল কার্যকর করা হয়। DocType: Sales Invoice,Is Return (Credit Note),রিটার্ন (ক্রেডিট নোট) +DocType: Price List,Price Not UOM Dependent,দাম UOM নির্ভরশীল নয় DocType: Lab Test Sample,Lab Test Sample,ল্যাব টেস্ট নমুনা DocType: Shopify Settings,status html,অবস্থা এইচটিএমএল DocType: Fiscal Year,"For e.g. 2012, 2012-13","উদাহরণস্বরূপ 2012, 2012-13" @@ -324,6 +326,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,পণ্য অ DocType: Salary Slip,Net Pay,নেট বেতন apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,মোট চালান এমটি DocType: Clinical Procedure,Consumables Invoice Separately,Consumables চালান পৃথকভাবে +DocType: Shift Type,Working Hours Threshold for Absent,অনুপস্থিত জন্য কাজের ঘন্টা থ্রেশহোল্ড DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM। apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},গ্রুপ অ্যাকাউন্টের বিরুদ্ধে বাজেট বরাদ্দ করা যাবে না {0} DocType: Purchase Receipt Item,Rate and Amount,হার এবং পরিমাণ @@ -379,7 +382,6 @@ DocType: Sales Invoice,Set Source Warehouse,উত্স গুদাম সে DocType: Healthcare Settings,Out Patient Settings,আউট রোগীর সেটিংস DocType: Asset,Insurance End Date,বীমা শেষ তারিখ DocType: Bank Account,Branch Code,শাখা কোড -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,প্রতিক্রিয়া সময় apps/erpnext/erpnext/public/js/conf.js,User Forum,ব্যবহারকারী ফোরাম DocType: Landed Cost Item,Landed Cost Item,ল্যান্ডেড খরচ আইটেম apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,বিক্রেতা এবং ক্রেতা একই হতে পারে না @@ -596,6 +598,7 @@ DocType: Lead,Lead Owner,লিড মালিক DocType: Share Transfer,Transfer,হস্তান্তর apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),আইটেম অনুসন্ধান করুন (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} ফলাফল জমা দেওয়া +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,তারিখ থেকে তারিখের চেয়ে বেশি হতে পারে না DocType: Supplier,Supplier of Goods or Services.,পণ্য বা সেবা সরবরাহকারী। apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,নতুন অ্যাকাউন্টের নাম। নোট: গ্রাহক এবং সরবরাহকারীদের জন্য অ্যাকাউন্ট তৈরি করবেন না দয়া করে apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,ছাত্র গ্রুপ বা কোর্স সময়সূচী বাধ্যতামূলক @@ -880,7 +883,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,সম্ভ DocType: Skill,Skill Name,দক্ষতা নাম apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,মুদ্রণ রিপোর্ট কার্ড DocType: Soil Texture,Ternary Plot,টার্নারি প্লট -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,সমর্থন টিকেট DocType: Asset Category Account,Fixed Asset Account,স্থায়ী সম্পদ অ্যাকাউন্ট apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,সর্বশেষ @@ -893,6 +895,7 @@ DocType: Delivery Trip,Distance UOM,দূরত্ব UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,ব্যালেন্স শীট জন্য বাধ্যতামূলক DocType: Payment Entry,Total Allocated Amount,মোট বরাদ্দ পরিমাণ DocType: Sales Invoice,Get Advances Received,অগ্রিম প্রাপ্তি পান +DocType: Shift Type,Last Sync of Checkin,চেকিন এর সর্বশেষ সিঙ্ক DocType: Student,B-,বি- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,আইটেম ট্যাক্স পরিমাণ মূল্য অন্তর্ভুক্ত apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -901,7 +904,9 @@ DocType: Subscription Plan,Subscription Plan,সাবস্ক্রিপশ DocType: Student,Blood Group,রক্তের গ্রুপ apps/erpnext/erpnext/config/healthcare.py,Masters,মাস্টার্স DocType: Crop,Crop Spacing UOM,ক্রপ স্পেসিং UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,শিফট শুরু হওয়ার সময় পরে চেক-ইন দেরী (মিনিটের মধ্যে) হিসাবে বিবেচিত হয়। apps/erpnext/erpnext/templates/pages/home.html,Explore,অন্বেষণ করা +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,কোন অসামান্য চালান পাওয়া যায় নি DocType: Promotional Scheme,Product Discount Slabs,পণ্য ডিসকাউন্ট স্ল্যাব DocType: Hotel Room Package,Amenities,সুযোগ-সুবিধা DocType: Lab Test Groups,Add Test,পরীক্ষা যোগ করুন @@ -1000,6 +1005,7 @@ DocType: Attendance,Attendance Request,উপস্থিতি অনুরো DocType: Item,Moving Average,চলন্ত গড় DocType: Employee Attendance Tool,Unmarked Attendance,অচিহ্নিত উপস্থিতি DocType: Homepage Section,Number of Columns,কলামের সংখ্যা +DocType: Issue Priority,Issue Priority,ইস্যু অগ্রাধিকার DocType: Holiday List,Add Weekly Holidays,সাপ্তাহিক ছুটির দিন যোগ করুন DocType: Shopify Log,Shopify Log,Shopify লগ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,বেতন স্লিপ তৈরি করুন @@ -1008,6 +1014,7 @@ DocType: Job Offer Term,Value / Description,মূল্য / বিবরণ DocType: Warranty Claim,Issue Date,প্রদানের তারিখ 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} জন্য একটি ব্যাচ নির্বাচন করুন। এই প্রয়োজন পূরণ করে যে একটি একক ব্যাচ খুঁজে পেতে অক্ষম apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,বাম কর্মচারীদের জন্য retention বোনাস তৈরি করতে পারবেন না +DocType: Employee Checkin,Location / Device ID,অবস্থান / ডিভাইস আইডি DocType: Purchase Order,To Receive,গ্রহণ করতে apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,আপনি অফলাইন মোডে আছেন। আপনি নেটওয়ার্ক আছে না হওয়া পর্যন্ত আপনি পুনরায় লোড করতে সক্ষম হবে না। DocType: Course Activity,Enrollment,নিয়োগ @@ -1016,7 +1023,6 @@ DocType: Lab Test Template,Lab Test Template,ল্যাব টেস্ট ট apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},সর্বোচ্চ: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ই চালান তথ্য অনুপস্থিত apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,কোন উপাদান অনুরোধ তৈরি -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,আইটেম কোড> আইটেম গ্রুপ> ব্র্যান্ড DocType: Loan,Total Amount Paid,প্রদত্ত মোট পরিমাণ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,এই সব আইটেম ইতিমধ্যে চালিত হয়েছে DocType: Training Event,Trainer Name,প্রশিক্ষক নাম @@ -1127,6 +1133,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},লিড মধ্যে লিড নাম উল্লেখ করুন {0} DocType: Employee,You can enter any date manually,আপনি নিজে কোন তারিখ প্রবেশ করতে পারেন DocType: Stock Reconciliation Item,Stock Reconciliation Item,স্টক পুনর্মিলন আইটেম +DocType: Shift Type,Early Exit Consequence,প্রারম্ভিক প্রস্থান ফলাফল DocType: Item Group,General Settings,সাধারণ সেটিংস apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,দরুন তারিখ পোস্টিং / সরবরাহকারী চালান তারিখের আগে হতে পারে না apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,জমা দেওয়ার আগে লাভবানকারীর নাম লিখুন। @@ -1164,6 +1171,7 @@ DocType: Account,Auditor,নিরীক্ষক apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,বিল প্রদানের সত্ততা ,Available Stock for Packing Items,প্যাকিং আইটেম জন্য উপলব্ধ স্টক apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},সি-ফর্ম {1} থেকে এই চালানটি {0} সরিয়ে দিন। +DocType: Shift Type,Every Valid Check-in and Check-out,প্রতিটি বৈধ চেক ইন এবং চেক আউট DocType: Support Search Source,Query Route String,প্রশ্ন রুট স্ট্রিং DocType: Customer Feedback Template,Customer Feedback Template,গ্রাহক প্রতিক্রিয়া টেমপ্লেট apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Leads বা গ্রাহকদের কোট। @@ -1198,6 +1206,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,অনুমোদন নিয়ন্ত্রণ ,Daily Work Summary Replies,দৈনিক কাজ সারাংশ উত্তর apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},আপনি প্রকল্পে সহযোগিতা করার জন্য আমন্ত্রিত হয়েছেন: {0} +DocType: Issue,Response By Variance,বৈকল্পিক দ্বারা প্রতিক্রিয়া DocType: Item,Sales Details,বিক্রয় বিবরণ apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,মুদ্রণ টেমপ্লেট জন্য পত্র শিরোনাম। DocType: Salary Detail,Tax on additional salary,অতিরিক্ত বেতন ট্যাক্স @@ -1321,6 +1330,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,গ্র DocType: Project,Task Progress,কাজ অগ্রগতি DocType: Journal Entry,Opening Entry,এন্ট্রি খোলা DocType: Bank Guarantee,Charges Incurred,চার্জ জড়িত +DocType: Shift Type,Working Hours Calculation Based On,কাজ ঘন্টা গণনা উপর ভিত্তি করে DocType: Work Order,Material Transferred for Manufacturing,উপাদান উত্পাদন জন্য স্থানান্তর DocType: Products Settings,Hide Variants,ভেরিয়েন্ট লুকান DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ক্যাপাসিটি পরিকল্পনা এবং সময় ট্র্যাকিং নিষ্ক্রিয় করুন @@ -1350,6 +1360,7 @@ DocType: Account,Depreciation,অবচয় DocType: Guardian,Interests,রুচি DocType: Purchase Receipt Item Supplied,Consumed Qty,খাওয়া Qty DocType: Education Settings,Education Manager,শিক্ষা ব্যবস্থাপক মো +DocType: Employee Checkin,Shift Actual Start,Shift প্রকৃত শুরু DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,ওয়ার্কস্টেশন কাজের ঘন্টা বাইরে প্ল্যান সময় লগ। apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},আনুগত্য পয়েন্ট: {0} DocType: Healthcare Settings,Registration Message,নিবন্ধন বার্তা @@ -1374,9 +1385,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,চালান সব বিলিং ঘন্টা জন্য ইতিমধ্যে তৈরি DocType: Sales Partner,Contact Desc,যোগাযোগ Desc DocType: Purchase Invoice,Pricing Rules,মূল্য নিয়ম +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}",আইটেম {0} এর বিরুদ্ধে বিদ্যমান লেনদেন হিসাবে আপনি {1} মান পরিবর্তন করতে পারবেন না DocType: Hub Tracked Item,Image List,চিত্র তালিকা DocType: Item Variant Settings,Allow Rename Attribute Value,বৈশিষ্ট্য মূল্য পুনঃনামকরণ অনুমতি দিন -DocType: Price List,Price Not UOM Dependant,দাম UOM নির্ভরশীল নয় apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),সময় (মিনিটের মধ্যে) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,মৌলিক DocType: Loan,Interest Income Account,সুদের আয় হিসাব @@ -1386,6 +1397,7 @@ DocType: Employee,Employment Type,কর্মসংস্থান প্রক apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,পিওএস প্রোফাইল নির্বাচন করুন DocType: Support Settings,Get Latest Query,সর্বশেষ প্রশ্ন পান DocType: Employee Incentive,Employee Incentive,কর্মচারী উদ্দীপক +DocType: Service Level,Priorities,অগ্রাধিকার apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,হোমপেজে কার্ড বা কাস্টম বিভাগ যোগ করুন DocType: Homepage,Hero Section Based On,উপর ভিত্তি করে হিরো বিভাগ DocType: Project,Total Purchase Cost (via Purchase Invoice),মোট ক্রয় খরচ (চালান ক্রয় মাধ্যমে) @@ -1446,7 +1458,7 @@ DocType: Work Order,Manufacture against Material Request,উপাদান অ DocType: Blanket Order Item,Ordered Quantity,আদেশ পরিমাণ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},সারি # {0}: প্রত্যাখ্যাত ওয়্যারহাউস প্রত্যাখ্যাত আইটেমের বিরুদ্ধে বাধ্যতামূলক {1} ,Received Items To Be Billed,বিল পরিশোধ করা আইটেম পেয়েছি -DocType: Salary Slip Timesheet,Working Hours,কর্মঘন্টা +DocType: Attendance,Working Hours,কর্মঘন্টা apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,পরিশোধের মাধ্যম apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,ক্রয় আদেশ আইটেম সময় প্রাপ্ত না apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,দিন সময়কাল @@ -1566,7 +1578,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,আপনার সরবরাহকারী সম্পর্কে বিধিবদ্ধ তথ্য এবং অন্যান্য সাধারণ তথ্য DocType: Item Default,Default Selling Cost Center,ডিফল্ট বিক্রয় খরচ কেন্দ্র DocType: Sales Partner,Address & Contacts,ঠিকানা এবং পরিচিতি -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,সেটআপের মাধ্যমে উপস্থিতি জন্য সংখ্যায়ন সিরিজ সেটআপ করুন> সংখ্যায়ন সিরিজ DocType: Subscriber,Subscriber,গ্রাহক apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ফর্ম / আইটেম / {0}) স্টক আউট হয় apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,প্রথমে পোস্টিং তারিখ নির্বাচন করুন @@ -1577,7 +1588,7 @@ DocType: Project,% Complete Method,% সম্পূর্ণ পদ্ধতি DocType: Detected Disease,Tasks Created,কাজ তৈরি করা হয়েছে apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,ডিফল্ট BOM ({0}) এই আইটেমটি বা এর টেমপ্লেটটির জন্য সক্রিয় থাকা আবশ্যক apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,কমিশন হার % -DocType: Service Level,Response Time,প্রতিক্রিয়া সময় +DocType: Service Level Priority,Response Time,প্রতিক্রিয়া সময় DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce সেটিংস apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,পরিমাণ ইতিবাচক হতে হবে DocType: Contract,CRM,সিআরএম @@ -1594,7 +1605,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,ইনশিপেন্ DocType: Bank Statement Settings,Transaction Data Mapping,লেনদেন ডেটা ম্যাপিং apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,লিডের জন্য একজন ব্যক্তির নাম বা সংস্থার নাম প্রয়োজন DocType: Student,Guardians,অভিভাবকরা -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,শিক্ষা> শিক্ষা সেটিংসে নির্দেশক নামকরণ সিস্টেম সেটআপ করুন apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ব্র্যান্ড নির্বাচন করুন ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,মধ্য আয় DocType: Shipping Rule,Calculate Based On,উপর ভিত্তি করে গণনা @@ -1631,6 +1641,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,একটি টা apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},ছাত্রের বিরুদ্ধে উপস্থিতি {0} বিদ্যমান {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,লেনদেন তারিখ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,সাবস্ক্রিপশন বাতিল করুন +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,পরিষেবা স্তর চুক্তি সেট করা যায়নি {0}। apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,নেট বেতন পরিমাণ DocType: Account,Liability,দায় DocType: Employee,Bank A/C No.,ব্যাংক এ / সি নং। @@ -1696,7 +1707,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,কাঁচা মাল আইটেম কোড apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,ক্রয় চালান {0} ইতিমধ্যে জমা দেওয়া হয়েছে DocType: Fees,Student Email,ছাত্র ইমেইল -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM পুনর্বিবেচনা: {0} পিতামাতার বা সন্তানের হতে পারে না {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,স্বাস্থ্যসেবা সেবা থেকে আইটেম পান apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,স্টক এন্ট্রি {0} জমা দেওয়া হয় না DocType: Item Attribute Value,Item Attribute Value,আইটেম বৈশিষ্ট্য মূল্য @@ -1721,7 +1731,6 @@ DocType: POS Profile,Allow Print Before Pay,পরিশোধ করার আ DocType: Production Plan,Select Items to Manufacture,উত্পাদন আইটেম নির্বাচন করুন DocType: Leave Application,Leave Approver Name,Approver নাম ছেড়ে দিন DocType: Shareholder,Shareholder,ভাগীদার -DocType: Issue,Agreement Status,চুক্তি স্থিতি apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,লেনদেন বিক্রি করার জন্য ডিফল্ট সেটিংস। apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,প্রদত্ত ছাত্র আবেদনকারীদের জন্য বাধ্যতামূলক যা ছাত্র ভর্তি নির্বাচন করুন apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOM নির্বাচন করুন @@ -1984,6 +1993,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,আয় অ্যাকাউন্ট apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,সব গুদাম DocType: Contract,Signee Details,সাইনি বিস্তারিত +DocType: Shift Type,Allow check-out after shift end time (in minutes),শিফট শেষ সময় (মিনিটের মধ্যে) চেক-আউট করার অনুমতি দিন apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,আসাদন DocType: Item Group,Check this if you want to show in website,আপনি ওয়েবসাইট প্রদর্শন করতে চান তাহলে এই চেক করুন apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,রাজস্ব বছর {0} পাওয়া যায় নি @@ -2050,6 +2060,7 @@ DocType: Asset Finance Book,Depreciation Start Date,অবচয় শুরু DocType: Activity Cost,Billing Rate,বিলিং রেট apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},সতর্কতা: আরেকটি {0} # {1} স্টক এন্ট্রিয়ের বিরুদ্ধে বিদ্যমান {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,অনুমান করুন এবং রাস্তা অনুকূলিত করার জন্য Google মানচিত্র সেটিংস সক্ষম করুন +DocType: Purchase Invoice Item,Page Break,পৃষ্ঠা বিরতি DocType: Supplier Scorecard Criteria,Max Score,সর্বোচ্চ স্কোর apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,পরিশোধের তারিখ শুরু হওয়ার তারিখের আগে হতে পারে না। DocType: Support Search Source,Support Search Source,সাপোর্ট অনুসন্ধান উত্স @@ -2117,6 +2128,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,গুণ লক্ষ্ DocType: Employee Transfer,Employee Transfer,কর্মচারী স্থানান্তর ,Sales Funnel,বিক্রয় ফানেল DocType: Agriculture Analysis Criteria,Water Analysis,জল বিশ্লেষণ +DocType: Shift Type,Begin check-in before shift start time (in minutes),শিফট শুরু সময় (মিনিটের মধ্যে) আগে চেক-ইন শুরু করুন DocType: Accounts Settings,Accounts Frozen Upto,অ্যাকাউন্ট জাগ্রত apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,সম্পাদনা করার কিছুই নেই। apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","ওয়ার্কস্টেশন {1} এর যে কোনও কার্যকরী ঘন্টা অপেক্ষা অপারেশন {0}, অপারেশনটি একাধিক ক্রিয়াকলাপগুলিতে ভেঙ্গে ফেলে" @@ -2130,7 +2142,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,ন apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},বিক্রয় আদেশ {0} হল {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),পেমেন্ট বিলম্বিত (দিন) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,অবচয় বিবরণ লিখুন +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,গ্রাহক পিও apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,প্রত্যাশিত ডেলিভারির তারিখ সেলস অর্ডার তারিখের পরে হওয়া উচিত +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,আইটেম পরিমাণ শূন্য হতে পারে না apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,অবৈধ বৈশিষ্ট্য apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},আইটেমের বিরুদ্ধে BOM নির্বাচন করুন {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,চালান প্রকার @@ -2140,6 +2154,7 @@ DocType: Maintenance Visit,Maintenance Date,রক্ষণাবেক্ষণ DocType: Volunteer,Afternoon,বিকেল DocType: Vital Signs,Nutrition Values,পুষ্টি মূল্য DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),জ্বরের উপস্থিতি (তাপমাত্রা> 38.5 ডিগ্রি সেলসিয়াস / 101.3 ডিগ্রি ফারেনহাইট বা স্থায়ী তাপমাত্রা> 38 ডিগ্রি সেলসিয়াস / 100.4 ডিগ্রি ফারেনহাইট) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,মানব সম্পদ> এইচআর সেটিংস মধ্যে কর্মচারী নামকরণ সিস্টেম সেটআপ করুন apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,আইটিসি বিপরীত DocType: Project,Collect Progress,অগ্রগতি সংগ্রহ করুন apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,শক্তি @@ -2190,6 +2205,7 @@ DocType: Setup Progress,Setup Progress,সেটআপ অগ্রগতি ,Ordered Items To Be Billed,অর্ডার করা আইটেম বিল করা হবে DocType: Taxable Salary Slab,To Amount,মূল্যে DocType: Purchase Invoice,Is Return (Debit Note),রিটার্ন (ডেবিট নোট) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গ্রুপ> অঞ্চল apps/erpnext/erpnext/config/desktop.py,Getting Started,শুরু হচ্ছে apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,মার্জ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,ফিস্সাল ইয়ারের সংরক্ষণের পরে ফিসক্যাল ইয়ার স্টার্ট ডেট এবং ফিসক্যাল ইয়ার শেষ তারিখ পরিবর্তন করতে পারবেন না। @@ -2208,8 +2224,10 @@ DocType: Maintenance Schedule Detail,Actual Date,সঠিক তারিখ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},রক্ষণাবেক্ষণ শুরু তারিখ সিরিয়াল নং {0} এর জন্য ডেলিভারি তারিখের আগে হতে পারে না apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,সারি {0}: বিনিময় হার বাধ্যতামূলক DocType: Purchase Invoice,Select Supplier Address,সরবরাহকারী ঠিকানা নির্বাচন করুন +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","উপলব্ধ পরিমাণ {0}, আপনার {1} প্রয়োজন" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,এপিআই কনজিউমার গোপন প্রবেশ করুন DocType: Program Enrollment Fee,Program Enrollment Fee,প্রোগ্রাম তালিকাভুক্তি ফি +DocType: Employee Checkin,Shift Actual End,Shift প্রকৃত শেষ DocType: Serial No,Warranty Expiry Date,পাটা মেয়াদ শেষ হওয়ার তারিখ DocType: Hotel Room Pricing,Hotel Room Pricing,হোটেল রুম মূল্য apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","বাহ্যিক করযোগ্য সরবরাহ (শূন্য রেটিং ছাড়া, নিল রেট এবং ছাড় দেওয়া হয়" @@ -2269,6 +2287,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,পড়া 5 DocType: Shopping Cart Settings,Display Settings,প্রদর্শন সেটিং apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,বুকিং অবমূল্যায়ন সংখ্যা সেট করুন +DocType: Shift Type,Consequence after,পরে ফলাফল apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,তোমার কোন ধরনের সাহায্য দরকার? DocType: Journal Entry,Printing Settings,মুদ্রণ সেটিংস apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,ব্যাংকিং @@ -2278,6 +2297,7 @@ DocType: Purchase Invoice Item,PR Detail,পিআর বিস্তারি apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,বিলিং ঠিকানা শিপিং ঠিকানা হিসাবে একই DocType: Account,Cash,নগদ DocType: Employee,Leave Policy,নীতি ছেড়ে দিন +DocType: Shift Type,Consequence,ফল apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,ছাত্র ঠিকানা DocType: GST Account,CESS Account,সিইএস অ্যাকাউন্ট apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: 'লাভ এবং ক্ষতি' অ্যাকাউন্টের জন্য খরচ কেন্দ্র প্রয়োজন {2}। কোম্পানির জন্য একটি ডিফল্ট খরচ কেন্দ্র সেট আপ করুন। @@ -2342,6 +2362,7 @@ DocType: GST HSN Code,GST HSN Code,জিএসটি এইচএসএন ক DocType: Period Closing Voucher,Period Closing Voucher,সময়কাল বন্ধ ভাউচার apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,গার্ডিয়ান 2 নাম apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,ব্যয় অ্যাকাউন্ট লিখুন দয়া করে +DocType: Issue,Resolution By Variance,ভেরিয়েন্স দ্বারা রেজল্যুশন DocType: Employee,Resignation Letter Date,পদত্যাগ চিঠি তারিখ DocType: Soil Texture,Sandy Clay,বালুকাময় ক্লে DocType: Upload Attendance,Attendance To Date,তারিখ উপস্থিতি @@ -2354,6 +2375,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,এখন দেখুন DocType: Item Price,Valid Upto,বৈধ পর্যন্ত apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},রেফারেন্স ডক্ট টাইপ এক হতে হবে {0} +DocType: Employee Checkin,Skip Auto Attendance,অটো Attendance এড়িয়ে যান DocType: Payment Request,Transaction Currency,লেনদেন মুদ্রা DocType: Loan,Repayment Schedule,ঋণ পরিশোধের সময়সূচি apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,নমুনা ধারণ স্টক এন্ট্রি তৈরি করুন @@ -2425,6 +2447,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,বেতন DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS বন্ধ ভাউচার ট্যাক্স apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,কর্ম শুরু DocType: POS Profile,Applicable for Users,ব্যবহারকারীদের জন্য প্রযোজ্য +,Delayed Order Report,বিলম্বিত আদেশ রিপোর্ট DocType: Training Event,Exam,পরীক্ষা apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,জেনারেল লেজার এন্ট্রি ভুল নম্বর পাওয়া গেছে। আপনি লেনদেনে একটি ভুল অ্যাকাউন্ট নির্বাচন হতে পারে। apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,বিক্রয় পাইপলাইন @@ -2439,10 +2462,11 @@ DocType: Account,Round Off,সুসম্পন্ন করা DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,শর্ত যৌথভাবে নির্বাচিত সমস্ত আইটেম প্রয়োগ করা হবে। apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,কনফিগার করুন DocType: Hotel Room,Capacity,ধারণক্ষমতা +DocType: Employee Checkin,Shift End,Shift শেষ DocType: Installation Note Item,Installed Qty,ইনস্টল করা Qty apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,আইটেম {1} এর ব্যাচ {0} নিষ্ক্রিয় করা হয়েছে। DocType: Hotel Room Reservation,Hotel Reservation User,হোটেল রিজার্ভেশন ব্যবহারকারী -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,কর্মদিবস দুবার পুনরাবৃত্তি করা হয়েছে +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,সংস্থার ধরন {0} এবং সংস্থার {1} সাথে পরিষেবা স্তর চুক্তি ইতিমধ্যে বিদ্যমান। apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},আইটেমের আইটেমটি আইটেম আইটেমের জন্য উল্লিখিত নয় {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},নাম ত্রুটি: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,অঞ্চল পিওএস প্রফাইল প্রয়োজন বোধ করা হয় @@ -2490,6 +2514,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,সময়সূচী তারিখ DocType: Packing Slip,Package Weight Details,প্যাকেজ ওজন বিবরণ DocType: Job Applicant,Job Opening,কাজের খোলা +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,কর্মচারী চেকিন শেষ পরিচিত সফল সিঙ্ক। যদি আপনি নিশ্চিত হন যে সমস্ত লগ সমস্ত অবস্থান থেকে সিঙ্ক করা হয় তবেই এটি পুনরায় সেট করুন। আপনি অনিশ্চিত যদি এই পরিবর্তন না দয়া করে। apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,প্রকৃত দাম apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),আদেশের বিরুদ্ধে মোট আগাম ({0}) {1} গ্র্যান্ড মোট ({2}) এর থেকে বেশি হতে পারে না apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,আইটেম বৈকল্পিক আপডেট @@ -2533,6 +2558,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,রেফারেন্ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Invocies পান DocType: Tally Migration,Is Day Book Data Imported,দিন বুক তথ্য আমদানি করা হয় ,Sales Partners Commission,বিক্রয় অংশীদার কমিশন +DocType: Shift Type,Enable Different Consequence for Early Exit,প্রারম্ভিক প্রস্থান করার জন্য বিভিন্ন ফলাফল সক্রিয় করুন apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,আইনগত DocType: Loan Application,Required by Date,তারিখ দ্বারা প্রয়োজন DocType: Quiz Result,Quiz Result,ক্যুইজ ফলাফল @@ -2592,7 +2618,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,আর্ DocType: Pricing Rule,Pricing Rule,মূল্য নিয়ম apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},ঐচ্ছিক হলিডে তালিকা ছুটির সময়ের জন্য সেট না {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,কর্মচারী ভূমিকা সেট করার জন্য একটি কর্মচারী রেকর্ড ব্যবহারকারীর আইডি ক্ষেত্র সেট করুন -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,সমাধান করার সময় DocType: Training Event,Training Event,প্রশিক্ষণ ইভেন্ট DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","প্রাপ্তবয়স্কদের মধ্যে স্বাভাবিক বিশ্রামের রক্ত চাপ প্রায় 120 মিমিগ্রাহী সিস্টোলিক এবং 80 মিমিগ্রাহী ডায়াস্টিকিক, সংক্ষিপ্তভাবে "120/80 মিমিগ্রাহ"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,সীমা মান শূন্য যদি সিস্টেম সব এন্ট্রি আনতে হবে। @@ -2636,6 +2661,7 @@ DocType: Woocommerce Settings,Enable Sync,সিঙ্ক সক্ষম কর DocType: Student Applicant,Approved,অনুমোদিত apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},তারিখ থেকে রাজস্ব বছরের মধ্যে হওয়া উচিত। তারিখ থেকে অনুমান = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,সেটিংস কেনা সরবরাহকারী গ্রুপ সেট করুন। +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} একটি অবৈধ উপস্থিতি অবস্থা। DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,অস্থায়ী খোলার অ্যাকাউন্ট DocType: Purchase Invoice,Cash/Bank Account,নগদ / ব্যাংক অ্যাকাউন্ট DocType: Quality Meeting Table,Quality Meeting Table,মানের সভা সারণী @@ -2671,6 +2697,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth টোকেন apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","খাদ্য, পানীয় ও তামাক" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,কোর্স সুচী DocType: Purchase Taxes and Charges,Item Wise Tax Detail,আইটেম বুদ্ধিমান ট্যাক্স বিস্তারিত +DocType: Shift Type,Attendance will be marked automatically only after this date.,উপস্থিতি এই তারিখের পরে স্বয়ংক্রিয়ভাবে চিহ্নিত করা হবে। apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,ইউআইএন ধারকদের তৈরি সরবরাহ apps/erpnext/erpnext/hooks.py,Request for Quotations,উদ্ধৃতি জন্য অনুরোধ apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,কারেন্সি কিছু অন্যান্য মুদ্রা ব্যবহার করে এন্ট্রি করার পরে পরিবর্তন করা যাবে না @@ -2719,7 +2746,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,হাব থেকে আইটেম apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,মানের প্রক্রিয়া। DocType: Share Balance,No of Shares,শেয়ারের কোন -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),সারি {0}: ভ্যারিয়েশে {4} জন্য {0} Qty টি উপলব্ধ নেই প্রবেশের সময় পোস্ট করার সময় ({2} {3}) DocType: Quality Action,Preventive,প্রতিষেধক DocType: Support Settings,Forum URL,ফোরাম ইউআরএল apps/erpnext/erpnext/config/hr.py,Employee and Attendance,কর্মচারী এবং উপস্থিতি @@ -2941,7 +2967,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,ছাড় প্র DocType: Hotel Settings,Default Taxes and Charges,ডিফল্ট ট্যাক্স এবং চার্জ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,এটি এই সরবরাহকারীর বিরুদ্ধে লেনদেনের উপর ভিত্তি করে। বিস্তারিত জানার জন্য নিচের সময়রেখা দেখুন apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},কর্মচারীর সর্বাধিক সুবিধা পরিমাণ {0} অতিক্রম করেছে {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,চুক্তির জন্য শুরু এবং শেষ তারিখ লিখুন। DocType: Delivery Note Item,Against Sales Invoice,বিক্রয় চালান বিরুদ্ধে DocType: Loyalty Point Entry,Purchase Amount,ক্রয় মূল apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,বিক্রয় আদেশ হিসাবে লস্ট হিসাবে সেট করা যাবে না। @@ -2965,7 +2990,7 @@ DocType: Homepage,"URL for ""All Products""","সমস্ত পণ্য& DocType: Lead,Organization Name,প্রতিষ্ঠানের নাম apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,থেকে বৈধ এবং ক্ষেত্র পর্যন্ত বৈধ ক্রমবর্ধমান জন্য বাধ্যতামূলক apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},সারি # {0}: ব্যাচ নং অবশ্যই {1} {2} -DocType: Employee,Leave Details,বিস্তারিত ত্যাগ +DocType: Employee Checkin,Shift Start,Shift শুরু করুন apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} আগে স্টক লেনদেন হিমায়িত হয় DocType: Driver,Issuing Date,বরাদ্দের তারিখ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Requestor @@ -3010,9 +3035,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ক্যাশ ফ্লো ম্যাপিং টেমপ্লেট বিবরণ apps/erpnext/erpnext/config/hr.py,Recruitment and Training,নিয়োগ এবং প্রশিক্ষণ DocType: Drug Prescription,Interval UOM,ব্যবধান UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,অটো উপস্থিতি জন্য গ্রেস সময়কাল সেটিংস apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,মুদ্রা থেকে মুদ্রা থেকে একই হতে পারে না apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ফার্মাসিউটিক্যালস DocType: Employee,HR-EMP-,এইচআর-EMP- +DocType: Service Level,Support Hours,সমর্থন ঘন্টা apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} বাতিল বা বন্ধ করা হয় apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,সারি {0}: গ্রাহকের বিরুদ্ধে অগ্রগতি অবশ্যই ক্রেডিট হতে হবে apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),ভাউচার গ্রুপ (সংহত) @@ -3122,6 +3149,7 @@ DocType: Asset Repair,Repair Status,মেরামত অবস্থা DocType: Territory,Territory Manager,আঞ্চলিক ব্যবস্থাপক DocType: Lab Test,Sample ID,নমুনা আইডি apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,কার্ট খালি +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,উপস্থিতি কর্মচারী চেক-ইন অনুযায়ী চিহ্নিত করা হয়েছে apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,সম্পদ {0} জমা দিতে হবে ,Absent Student Report,অনুপস্থিত ছাত্র রিপোর্ট apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,গ্রস লাভ অন্তর্ভুক্ত @@ -3129,7 +3157,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,তহবিল পরিমাণ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} জমা দেওয়া হয়নি তাই কর্মটি সম্পন্ন করা যাবে না DocType: Subscription,Trial Period End Date,ট্রায়াল সময়কাল শেষ তারিখ +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,একই শিফট সময় এবং আউট হিসাবে বিকল্প এন্ট্রি DocType: BOM Update Tool,The new BOM after replacement,প্রতিস্থাপন পরে নতুন BOM +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,আইটেম 5 DocType: Employee,Passport Number,পাসপোর্ট নম্বর apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,অস্থায়ী খোলার @@ -3244,6 +3274,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,মূল রিপোর্ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,সম্ভাব্য সরবরাহকারী ,Issued Items Against Work Order,কাজের আদেশ বিরুদ্ধে ইস্যু আইটেম apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} চালান তৈরি হচ্ছে +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,শিক্ষা> শিক্ষা সেটিংসে নির্দেশক নামকরণ সিস্টেম সেটআপ করুন DocType: Student,Joining Date,যোগদান তারিখ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,সাইট অনুরোধ DocType: Purchase Invoice,Against Expense Account,ব্যয় অ্যাকাউন্ট বিরুদ্ধে @@ -3282,6 +3313,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,প্রযোজ্য চার্জ ,Point of Sale,বিক্রয় বিন্দু DocType: Authorization Rule,Approving User (above authorized value),ব্যবহারকারী অনুমোদন (অনুমোদিত মান উপরে) +DocType: Service Level Agreement,Entity,সত্তা apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{0} {1} পরিমাণ {2} থেকে {3} স্থানান্তরিত apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},গ্রাহক {0} প্রকল্পের অন্তর্গত নয় {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,পার্টি নাম থেকে @@ -3328,6 +3360,7 @@ DocType: Asset,Opening Accumulated Depreciation,সংকলিত অবমূ DocType: Soil Texture,Sand Composition (%),বালি গঠন (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-পিপি-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,আমদানি দিন বুক তথ্য +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,সেটআপ> সেটিংস> নামকরণ সিরিজের মাধ্যমে {0} জন্য নামকরণ সিরিজ সেট করুন DocType: Asset,Asset Owner Company,সম্পদ মালিক কোম্পানি apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,খরচ কেন্দ্র একটি ব্যয় দাবি বই প্রয়োজন apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} আইটেমের জন্য বৈধ সিরিয়াল সংখ্যা {1} @@ -3388,7 +3421,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,সম্পদ মালিক apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},গুদাম স্টক আইটেম {0} জন্য বাধ্যতামূলক হয় {1} DocType: Stock Entry,Total Additional Costs,মোট অতিরিক্ত খরচ -DocType: Marketplace Settings,Last Sync On,শেষ সিঙ্ক অন apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,কর এবং চার্জ টেবিলে অন্তত একটি সারি সেট করুন DocType: Asset Maintenance Team,Maintenance Team Name,রক্ষণাবেক্ষণ টিম নাম apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,মূল্য কেন্দ্র চার্ট @@ -3404,12 +3436,12 @@ DocType: Sales Order Item,Work Order Qty,কাজ আদেশ Qty DocType: Job Card,WIP Warehouse,WIP গুদাম DocType: Payment Request,ACC-PRQ-.YYYY.-,দুদক-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},কর্মচারী জন্য ব্যবহারকারী আইডি সেট না {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","উপলব্ধ qty {0}, আপনার {1} প্রয়োজন" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,ব্যবহারকারী {0} তৈরি DocType: Stock Settings,Item Naming By,আইটেম নামকরণ দ্বারা apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,অর্ডার দেওয়া apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,এটি একটি রুট গ্রাহক গোষ্ঠী এবং সম্পাদনা করা যাবে না। apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,উপাদান অনুরোধ {0} বাতিল বা বন্ধ করা হয় +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,কঠোরভাবে কর্মচারী চেকইন লগ টাইপ উপর ভিত্তি করে DocType: Purchase Order Item Supplied,Supplied Qty,সরবরাহকৃত Qty DocType: Cash Flow Mapper,Cash Flow Mapper,ক্যাশ ফ্লো ম্যাপার DocType: Soil Texture,Sand,বালি @@ -3468,6 +3500,7 @@ DocType: Lab Test Groups,Add new line,নতুন লাইন যোগ কর apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,আইটেম গ্রুপ টেবিলের মধ্যে ডুপ্লিকেট আইটেম গ্রুপ পাওয়া যায় apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,বার্ষিক বেতন DocType: Supplier Scorecard,Weighting Function,ওজন ফাংশন +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,মানদণ্ড সূত্র মূল্যায়ন ত্রুটি ,Lab Test Report,ল্যাব টেস্ট রিপোর্ট DocType: BOM,With Operations,অপারেশন সঙ্গে @@ -3481,6 +3514,7 @@ DocType: Expense Claim Account,Expense Claim Account,দাবি অ্যা apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,জার্নাল এন্ট্রি জন্য উপলব্ধ কোন repayments apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} নিষ্ক্রিয় ছাত্র apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,স্টক এন্ট্রি করুন +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM পুনর্মিলন: {0} পিতামাতা বা শিশু হতে পারে না {1} DocType: Employee Onboarding,Activities,ক্রিয়াকলাপ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,অন্তত একটি গুদাম বাধ্যতামূলক ,Customer Credit Balance,গ্রাহক ক্রেডিট ব্যালেন্স @@ -3493,9 +3527,11 @@ DocType: Supplier Scorecard Period,Variables,ভেরিয়েবল apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,গ্রাহক জন্য পাওয়া একাধিক আনুগত্য প্রোগ্রাম। নিজে নির্বাচন করুন। DocType: Patient,Medication,চিকিত্সা apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,আনুগত্য প্রোগ্রাম নির্বাচন করুন +DocType: Employee Checkin,Attendance Marked,উপস্থিতি চিহ্নিত apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,কাচামাল DocType: Sales Order,Fully Billed,সম্পূর্ণ বিল apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},দয়া করে হোটেলের রুম রেটটি {}} সেট করুন +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ডিফল্ট হিসাবে শুধুমাত্র একটি অগ্রাধিকার নির্বাচন করুন। apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},দয়া করে টাইপের জন্য অ্যাকাউন্ট / লেজার তৈরি করুন - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,মোট ক্রেডিট / ডেবিট পরিমাণ সংযুক্ত জার্নাল এন্ট্রি হিসাবে একই হওয়া উচিত DocType: Purchase Invoice Item,Is Fixed Asset,স্থায়ী সম্পদ @@ -3516,6 +3552,7 @@ DocType: Purpose of Travel,Purpose of Travel,সপ্তাহের দিন DocType: Healthcare Settings,Appointment Confirmation,চাকুরি নির্দিষ্টকরন DocType: Shopping Cart Settings,Orders,অর্ডার DocType: HR Settings,Retirement Age,কর্ম - ত্যাগ বয়ম +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,সেটআপের মাধ্যমে উপস্থিতি জন্য সংখ্যায়ন সিরিজ সেটআপ করুন> সংখ্যায়ন সিরিজ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,প্রজেক্টেড Qty apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},দেশের জন্য {0} মুছে ফেলা অনুমোদিত নয় apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},সারি # {0}: সম্পদ {1} ইতিমধ্যে {2} @@ -3599,11 +3636,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,হিসাবরক্ষক apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},পিওএস ক্লোজিং ভাউচার অ্যাল্রেডে {0} তারিখ {1} এবং {2} এর মধ্যে বিদ্যমান। apps/erpnext/erpnext/config/help.py,Navigating,নেভিগেট +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,কোন অসামান্য চালান বিনিময় হার পুনর্মূল্যায়ন প্রয়োজন DocType: Authorization Rule,Customer / Item Name,গ্রাহক / আইটেম নাম apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,নতুন সিরিয়াল নেই গুদাম থাকতে পারে না। গুদাম স্টক এন্ট্রি বা ক্রয় প্রাপ্তি দ্বারা সেট করা আবশ্যক DocType: Issue,Via Customer Portal,গ্রাহক পোর্টালের মাধ্যমে DocType: Work Order Operation,Planned Start Time,পরিকল্পিত শুরু সময় apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} {2} +DocType: Service Level Priority,Service Level Priority,সেবা স্তর অগ্রাধিকার apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,বুক অবমাননা সংখ্যা সংখ্যা অবমূল্যায়ন মোট সংখ্যা বেশী হতে পারে না apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,শেয়ার লেজার DocType: Journal Entry,Accounts Payable,পরিশোধযোগ্য হিসাব @@ -3714,7 +3753,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,বিতরণ DocType: Bank Statement Transaction Settings Item,Bank Data,ব্যাংক তথ্য apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,নির্ধারিত পর্যন্ত -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,টাইমশীট একই সময়ে বিলিং ঘন্টা এবং কাজের ঘন্টা বজায় রাখা apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,ট্র্যাক লিড উত্স দ্বারা লিডস। DocType: Clinical Procedure,Nursing User,নার্সিং ব্যবহারকারী DocType: Support Settings,Response Key List,প্রতিক্রিয়া কী তালিকা @@ -3882,6 +3920,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,প্রকৃত স্টার্ট সময় DocType: Antibiotic,Laboratory User,ল্যাবরেটরি ব্যবহারকারী apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,অনলাইন নিলাম +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,অগ্রাধিকার {0} পুনরাবৃত্তি করা হয়েছে। DocType: Fee Schedule,Fee Creation Status,ফি সৃষ্টি অবস্থা apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,সফটওয়্যার apps/erpnext/erpnext/config/help.py,Sales Order to Payment,বিক্রয় অর্ডার পেমেন্ট @@ -3948,6 +3987,7 @@ DocType: Patient Encounter,In print,মুদ্রণ apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0} এর জন্য তথ্য পুনরুদ্ধার করা যায়নি। apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,বিলিং মুদ্রা ডিফল্ট কোম্পানির মুদ্রা বা পার্টি অ্যাকাউন্ট মুদ্রা সমান হতে হবে apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,এই বিক্রয় ব্যক্তির কর্মচারী আইডি লিখুন দয়া করে +DocType: Shift Type,Early Exit Consequence after,পরে প্রারম্ভিক প্রস্থান ফলাফল apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,খোলা বিক্রয় এবং ক্রয় চালান তৈরি করুন DocType: Disease,Treatment Period,চিকিত্সা সময়কাল apps/erpnext/erpnext/config/settings.py,Setting up Email,ইমেইল সেট আপ করা হচ্ছে @@ -3965,7 +4005,6 @@ DocType: Employee Skill Map,Employee Skills,কর্মচারী দক্ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,শিক্ষার্থীর নাম: DocType: SMS Log,Sent On,পাঠানো DocType: Bank Statement Transaction Invoice Item,Sales Invoice,বিক্রয় চালান -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,প্রতিক্রিয়া সময় রেজল্যুশন সময় চেয়ে বড় হতে পারে না DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","কোর্স ভিত্তিক শিক্ষার্থী গ্রুপের জন্য, কোর্সটি প্রোগ্রামের তালিকাভুক্তিতে নথিভুক্ত কোর্সের প্রত্যেক শিক্ষার্থীকে যাচাই করা হবে।" apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,অভ্যন্তরীণ রাজ্য সরবরাহ DocType: Employee,Create User Permission,ব্যবহারকারী অনুমতি তৈরি করুন @@ -4004,6 +4043,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,বিক্রয় বা ক্রয় জন্য স্ট্যান্ডার্ড চুক্তি পদ। DocType: Sales Invoice,Customer PO Details,গ্রাহক পিও বিস্তারিত apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,রোগীর পাওয়া যায় না +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,একটি ডিফল্ট অগ্রাধিকার নির্বাচন করুন। apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,আইটেমটি চার্জ প্রযোজ্য না হলে আইটেমটি সরান apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"একটি গ্রাহক গ্রুপ একই নামের সাথে বিদ্যমান, দয়া করে গ্রাহক নাম পরিবর্তন করুন অথবা গ্রাহক গোষ্ঠীর নামকরণ করুন" 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. @@ -4041,6 +4081,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),মোট ব্যয় DocType: Quality Goal,Quality Goal,মানের লক্ষ্য DocType: Support Settings,Support Portal,সমর্থন পোর্টাল apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},কর্মচারী {0} ছেড়ে চলে যাচ্ছে {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},এই পরিষেবা স্তর চুক্তি গ্রাহকের কাছে নির্দিষ্ট {0} DocType: Employee,Held On,অনুষ্ঠিত DocType: Healthcare Practitioner,Practitioner Schedules,অনুশীলনকারী সূচি DocType: Project Template Task,Begin On (Days),শুরু (দিন) @@ -4048,6 +4089,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},কাজ আদেশ হয়েছে {0} DocType: Inpatient Record,Admission Schedule Date,ভর্তির সময়সূচি তারিখ apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,সম্পদ মূল্য সমন্বয় +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,এই শিফটে নিয়োগকৃত কর্মচারীদের জন্য 'কর্মচারী চেকইন' ভিত্তিক মার্ক উপস্থিতি। apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,অনিবন্ধিত ব্যক্তিদের সরবরাহ করা apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,সব কাজ DocType: Appointment Type,Appointment Type,নিয়োগের ধরন @@ -4160,7 +4202,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),প্যাকেজের মোট ওজন। সাধারণত নেট ওজন + প্যাকেজিং উপাদান ওজন। (মুদ্রণের জন্য) DocType: Plant Analysis,Laboratory Testing Datetime,ল্যাবরেটরি টেস্টিং সময়কাল apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,আইটেম {0} ব্যাচ থাকতে পারে না -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,পর্যায় দ্বারা বিক্রয় পাইপলাইন apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,ছাত্র গ্রুপ শক্তি DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,ব্যাংক বিবৃতি লেনদেন এন্ট্রি DocType: Purchase Order,Get Items from Open Material Requests,ওপেন উপাদান অনুরোধ থেকে আইটেম পান @@ -4242,7 +4283,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Aging Warehouse- অনুযায়ী দেখান DocType: Sales Invoice,Write Off Outstanding Amount,অসামান্য পরিমাণে লিখুন DocType: Payroll Entry,Employee Details,কর্মচারী বিবরণ -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,আরম্ভের সময় {0} এর জন্য শেষ সময়ের চেয়ে বড় হতে পারে না। DocType: Pricing Rule,Discount Amount,হ্রাসকৃত মুল্য DocType: Healthcare Service Unit Type,Item Details,আইটেম বিবরণ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},সময়ের জন্য {0} নকল কর ঘোষণা {1} @@ -4295,7 +4335,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,নেট বেতন নেতিবাচক হতে পারে না apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,ইন্টারেকশন না 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/hr/doctype/employee/employee_dashboard.py,Shift,পরিবর্তন +DocType: Attendance,Shift,পরিবর্তন apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,অ্যাকাউন্ট এবং দলগুলোর প্রসেসিং চার্ট DocType: Stock Settings,Convert Item Description to Clean HTML,এইচটিএমএল পরিষ্কার করতে আইটেম বর্ণনা রূপান্তর করুন apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,সমস্ত সরবরাহকারী গ্রুপ @@ -4366,6 +4406,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,কর্ম DocType: Healthcare Service Unit,Parent Service Unit,অভিভাবক সেবা ইউনিট DocType: Sales Invoice,Include Payment (POS),পেমেন্ট অন্তর্ভুক্ত করুন (পিওএস) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,ব্যক্তিগত মালিকানা +DocType: Shift Type,First Check-in and Last Check-out,প্রথম চেক ইন এবং শেষ চেক আউট DocType: Landed Cost Item,Receipt Document,রসিদ ডকুমেন্ট DocType: Supplier Scorecard Period,Supplier Scorecard Period,সরবরাহকারী স্কোরকার্ড সময়কাল DocType: Employee Grade,Default Salary Structure,ডিফল্ট বেতন গঠন @@ -4448,6 +4489,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,ক্রয় আদেশ তৈরি করুন apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,একটি আর্থিক বছরের জন্য বাজেট নির্ধারণ করুন। apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,অ্যাকাউন্ট টেবিল ফাঁকা হতে পারে না। +DocType: Employee Checkin,Entry Grace Period Consequence,প্রবেশ গ্রেস সময়কাল ফলাফল ,Payment Period Based On Invoice Date,চালান তারিখ উপর ভিত্তি করে পেমেন্ট সময়কাল apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},ইনস্টলেশন তারিখ আইটেম {0} জন্য প্রসবের তারিখ হতে পারে না apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,উপাদান অনুরোধ লিংক @@ -4456,6 +4498,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,মানচ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},সারি {0}: এই গুদামের জন্য একটি পুনর্বিন্যাস এন্ট্রি ইতিমধ্যে বিদ্যমান {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ডক তারিখ DocType: Monthly Distribution,Distribution Name,বিতরণ নাম +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,কর্মদিবস {0} পুনরাবৃত্তি করা হয়েছে। apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,অ গ্রুপ গ্রুপ apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,অগ্রগতি আপডেট. এটি একটি সময় নিতে পারে। DocType: Item,"Example: ABCD.##### @@ -4468,6 +4511,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,জ্বালানি Qty apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,গার্ডিয়ান 1 মোবাইল নং DocType: Invoice Discounting,Disbursed,বিতরণ +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,শিফট শেষে সময় যা উপস্থিতি জন্য উপস্থিতি বিবেচনা করা হয়। apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,অ্যাকাউন্টে নেট পরিবর্তন Payable apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,পাওয়া যায় না apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,খন্ডকালীন @@ -4481,7 +4525,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,বি apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,প্রিন্ট পিডিসি দেখান apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify সরবরাহকারী DocType: POS Profile User,POS Profile User,পিওএস প্রোফাইল ব্যবহারকারী -DocType: Student,Middle Name,মধ্য নাম DocType: Sales Person,Sales Person Name,বিক্রয় ব্যক্তির নাম DocType: Packing Slip,Gross Weight,মোট ওজন DocType: Journal Entry,Bill No,বিল নং @@ -4490,7 +4533,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,ন DocType: Vehicle Log,HR-VLOG-.YYYY.-,এইচআর-vlog-.YYYY.- DocType: Student,A+,প্রথম সারির DocType: Issue,Service Level Agreement,পরিসেবা স্তরের চুক্তি -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,কর্মচারী এবং প্রথম তারিখ নির্বাচন করুন apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,ভূমি মূল্য ভাউচার পরিমাণ বিবেচনা করে আইটেম মূল্যায়ন হার পুনর্নির্মিত করা হয় DocType: Timesheet,Employee Detail,কর্মচারী বিস্তারিত DocType: Tally Migration,Vouchers,ভাউচার @@ -4525,7 +4567,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,পরিসে DocType: Additional Salary,Date on which this component is applied,এই উপাদানটি প্রয়োগ করা হয় তারিখ apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ফোলিও সংখ্যা সহ উপলব্ধ শেয়ারহোল্ডারদের তালিকা apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,সেটআপ গেটওয়ে অ্যাকাউন্ট। -DocType: Service Level,Response Time Period,প্রতিক্রিয়া সময়কাল +DocType: Service Level Priority,Response Time Period,প্রতিক্রিয়া সময়কাল DocType: Purchase Invoice,Purchase Taxes and Charges,ক্রয় এবং চার্জ DocType: Course Activity,Activity Date,কার্যকলাপ তারিখ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,নির্বাচন করুন অথবা নতুন গ্রাহক যোগ করুন @@ -4550,6 +4592,7 @@ DocType: Sales Person,Select company name first.,প্রথম কোম্প apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,আর্থিক বছর DocType: Sales Invoice Item,Deferred Revenue,বিলম্বিত রাজস্ব apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,অন্তত একটি বিক্রয় বা কেনা নির্বাচন করা আবশ্যক +DocType: Shift Type,Working Hours Threshold for Half Day,অর্ধ দিবসের জন্য কাজের ঘন্টা থ্রেশহোল্ড ,Item-wise Purchase History,আইটেম ভিত্তিক ক্রয় ইতিহাস apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},সারিতে আইটেমের জন্য পরিষেবা বন্ধের তারিখ পরিবর্তন করতে পারে না {0} DocType: Production Plan,Include Subcontracted Items,Subcontracted আইটেম অন্তর্ভুক্ত করুন @@ -4582,6 +4625,7 @@ DocType: Journal Entry,Total Amount Currency,মোট পরিমাণ মু DocType: BOM,Allow Same Item Multiple Times,একই আইটেম একাধিক টাইম অনুমতি দিন apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,বোম তৈরি করুন DocType: Healthcare Practitioner,Charges,চার্জ +DocType: Employee,Attendance and Leave Details,উপস্থিতি এবং ছেড়ে দিন DocType: Student,Personal Details,ব্যক্তিগত বিবরণ DocType: Sales Order,Billing and Delivery Status,বিলিং এবং ডেলিভারি অবস্থা apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,সারি {0}: সরবরাহকারীর জন্য {0} ইমেল ঠিকানা ইমেল পাঠানোর প্রয়োজন @@ -4633,7 +4677,6 @@ DocType: Bank Guarantee,Supplier,সরবরাহকারী apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},মূল্য betweeen {0} এবং {1} লিখুন DocType: Purchase Order,Order Confirmation Date,অর্ডার নিশ্চিতকরণ তারিখ DocType: Delivery Trip,Calculate Estimated Arrival Times,আনুমানিক আগমনের সময় গণনা -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,মানব সম্পদ> এইচআর সেটিংস মধ্যে কর্মচারী নামকরণ সিস্টেম সেটআপ করুন apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,consumable DocType: Instructor,EDU-INS-.YYYY.-,EDU তে-ইনগুলি-.YYYY.- DocType: Subscription,Subscription Start Date,সাবস্ক্রিপশন শুরু তারিখ @@ -4656,7 +4699,7 @@ DocType: Installation Note Item,Installation Note Item,ইনস্টলেশ DocType: Journal Entry Account,Journal Entry Account,জার্নাল এন্ট্রি অ্যাকাউন্ট apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,বৈকল্পিক apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,ফোরাম কার্যকলাপ -DocType: Service Level,Resolution Time Period,রেজোলিউশন সময়কাল +DocType: Service Level Priority,Resolution Time Period,রেজোলিউশন সময়কাল DocType: Request for Quotation,Supplier Detail,সরবরাহকারী বিস্তারিত DocType: Project Task,View Task,কার্য দেখুন DocType: Serial No,Purchase / Manufacture Details,ক্রয় / উত্পাদন বিবরণ @@ -4723,6 +4766,7 @@ DocType: Sales Invoice,Commission Rate (%),কমিশন হার (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,গুদাম শুধুমাত্র স্টক এন্ট্রি / ডেলিভারি নোট / ক্রয় প্রাপ্তির মাধ্যমে পরিবর্তন করা যেতে পারে DocType: Support Settings,Close Issue After Days,দিন পর সমস্যা বন্ধ করুন DocType: Payment Schedule,Payment Schedule,পেমেন্ট সময়সূচী +DocType: Shift Type,Enable Entry Grace Period,এন্ট্রি গ্রেস সময়কাল সক্রিয় করুন DocType: Patient Relation,Spouse,পত্নী DocType: Purchase Invoice,Reason For Putting On Hold,হোল্ড উপর রাখা জন্য কারণ DocType: Item Attribute,Increment,বৃদ্ধি @@ -4862,6 +4906,7 @@ DocType: Authorization Rule,Customer or Item,গ্রাহক বা আইট DocType: Vehicle Log,Invoice Ref,চালান রেফারেন্স apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},চালান জন্য সি-ফর্ম প্রযোজ্য নয়: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,চালান তৈরি +DocType: Shift Type,Early Exit Grace Period,প্রারম্ভিক প্রস্থান গ্রেস সময়কাল DocType: Patient Encounter,Review Details,পর্যালোচনা বিবরণ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,সারি {0}: ঘন্টা মান শূন্যের চেয়ে বড় হওয়া আবশ্যক। DocType: Account,Account Number,হিসাব নাম্বার @@ -4873,7 +4918,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","কোম্পানী স্পা, SAPA বা SRL প্রযোজ্য" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,ওভারল্যাপিং অবস্থার মধ্যে পাওয়া যায়: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,প্রদত্ত এবং বিতরণ করা হয় না -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,আইটেম কোড স্বয়ংক্রিয়ভাবে গণনা করা হয় না কারণ বাধ্যতামূলক DocType: GST HSN Code,HSN Code,এইচএসএন কোড DocType: GSTR 3B Report,September,সেপ্টেম্বর apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,প্রশাসনিক ব্যয় @@ -4909,6 +4953,8 @@ DocType: Travel Itinerary,Travel From,থেকে ভ্রমণ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP অ্যাকাউন্ট DocType: SMS Log,Sender Name,প্রেরক নাম DocType: Pricing Rule,Supplier Group,সরবরাহকারী গ্রুপ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",সূচী {1} এ \ সহায়তা দিবসের {0} জন্য স্টার্ট টাইম এবং শেষ সময় সেট করুন। DocType: Employee,Date of Issue,প্রদান এর তারিখ ,Requested Items To Be Transferred,স্থানান্তর করা অনুরোধ আইটেম DocType: Employee,Contract End Date,চুক্তি শেষ তারিখ @@ -4919,6 +4965,7 @@ DocType: Healthcare Service Unit,Vacant,খালি DocType: Opportunity,Sales Stage,বিক্রয় পর্যায় DocType: Sales Order,In Words will be visible once you save the Sales Order.,আপনি বিক্রয় আদেশ সংরক্ষণ একবার শব্দ প্রদর্শিত হবে। DocType: Item Reorder,Re-order Level,পুনর্বিন্যাস স্তর +DocType: Shift Type,Enable Auto Attendance,অটো উপস্থিতি সক্ষম করুন apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,পক্ষপাত ,Department Analytics,বিভাগ বিশ্লেষণ DocType: Crop,Scientific Name,বৈজ্ঞানিক নাম @@ -4931,6 +4978,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} স্ট্ DocType: Quiz Activity,Quiz Activity,ক্যুইজ কার্যকলাপ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} একটি বৈধ Payroll সময়সীমার মধ্যে নয় DocType: Timesheet,Billed,বিল +apps/erpnext/erpnext/config/support.py,Issue Type.,ইস্যু প্রকার। DocType: Restaurant Order Entry,Last Sales Invoice,শেষ বিক্রয় চালান DocType: Payment Terms Template,Payment Terms,পরিশোধের শর্ত apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","সংরক্ষিত Qty: পরিমাণ বিক্রয়ের জন্য আদেশ, কিন্তু বিতরণ না।" @@ -5026,6 +5074,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,অ্যাসেট apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} একটি স্বাস্থ্যসেবা অনুশীলনকারী সময়সূচী নেই। স্বাস্থ্যসেবা অনুশীলনকারী মাস্টার এটি যোগ করুন DocType: Vehicle,Chassis No,চেসিস নং +DocType: Employee,Default Shift,ডিফল্ট Shift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,কোম্পানী সংক্ষেপে apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,উপকরণ বিল গাছ DocType: Article,LMS User,এলএমএস ব্যবহারকারী @@ -5074,6 +5123,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,Edu-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,মূল বিক্রয় ব্যক্তি DocType: Student Group Creation Tool,Get Courses,কোর্স পান apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","সারি {{0}: Qty অবশ্যই 1 হতে হবে, কারণ আইটেমটি একটি স্থির সম্পদ। একাধিক qty জন্য পৃথক সারি ব্যবহার করুন।" +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),অনুপস্থিত চিহ্নিত করা হয় নিচের কাজ ঘন্টা। (জিরো নিষ্ক্রিয়) DocType: Customer Group,Only leaf nodes are allowed in transaction,শুধুমাত্র লিংক নোড লেনদেনের অনুমতি দেওয়া হয় DocType: Grant Application,Organization,সংগঠন DocType: Fee Category,Fee Category,ফি বিভাগ @@ -5086,6 +5136,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,এই প্রশিক্ষণ ইভেন্টের জন্য আপনার অবস্থা আপডেট করুন DocType: Volunteer,Morning,সকাল DocType: Quotation Item,Quotation Item,উদ্ধৃতি আইটেম +apps/erpnext/erpnext/config/support.py,Issue Priority.,ইস্যু অগ্রাধিকার। DocType: Journal Entry,Credit Card Entry,ক্রেডিট কার্ড এন্ট্রি apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","টাইম স্লট এড়িয়ে যাওয়া, {0} থেকে {1} স্লট {1} থেকে {3}" DocType: Journal Entry Account,If Income or Expense,আয় বা ব্যয় @@ -5136,11 +5187,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,তথ্য আমদানি এবং সেটিংস 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: Account,Expense Account,দামী হিসাব +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,স্থানান্তরের আগে সময়টি শুরু হওয়ার সময় কর্মচারী চেক-ইন উপস্থিতি জন্য বিবেচিত হয়। apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Guardian1 সঙ্গে সম্পর্ক apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,চালান তৈরি করুন apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},পেমেন্ট অনুরোধ ইতিমধ্যে বিদ্যমান {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',কর্মচারীটি {0} থেকে মুক্ত হওয়া আবশ্যক 'বামে' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},পে {0} {1} +DocType: Company,Sales Settings,বিক্রয় সেটিংস DocType: Sales Order Item,Produced Quantity,উত্পাদিত পরিমাণ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,উদ্ধৃতির জন্য অনুরোধটি নিম্নলিখিত লিঙ্কে ক্লিক করে অ্যাক্সেস করা যেতে পারে DocType: Monthly Distribution,Name of the Monthly Distribution,মাসিক বিতরণ নাম @@ -5219,6 +5272,7 @@ DocType: Company,Default Values,ডিফল্ট মান apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,বিক্রয় এবং ক্রয় জন্য ডিফল্ট ট্যাক্স টেমপ্লেট তৈরি করা হয়। apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,প্রকার {0} বহন করা যাবে না apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,অ্যাকাউন্টে ডেবিট একটি গ্রহণযোগ্য অ্যাকাউন্ট হতে হবে +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},দয়া করে গুদামে অ্যাকাউন্ট সেট করুন {0} অথবা কোম্পানির ডিফল্ট জায় অ্যাকাউন্ট {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,ডিফল্ট হিসাবে সেট করুন DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),এই প্যাকেজের নেট ওজন। (আইটেমের মোট ওজন সমষ্টি হিসাবে স্বয়ংক্রিয়ভাবে গণনা) @@ -5245,8 +5299,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,মেয়াদ শেষ হয়ে গেছে DocType: Shipping Rule,Shipping Rule Type,শিপিং নিয়ম প্রকার DocType: Job Offer,Accepted,গৃহীত -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","এই নথির বাতিল করতে দয়া করে {0} \ Employee মুছে দিন" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,আপনি ইতিমধ্যে মূল্যায়ন মানদণ্ডের জন্য মূল্যায়ন করেছেন {}। apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ব্যাচ নাম্বার নির্বাচন করুন apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),বয়স (দিন) @@ -5273,6 +5325,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,আপনার ডোমেইন নির্বাচন করুন DocType: Agriculture Task,Task Name,কাজের নাম apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,স্টক এন্ট্রি ইতিমধ্যে কাজের অর্ডার জন্য তৈরি +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","এই নথির বাতিল করতে দয়া করে {0} \ Employee মুছে দিন" ,Amount to Deliver,প্রদানের পরিমাণ apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,কোম্পানী {0} বিদ্যমান নেই apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,দেওয়া আইটেমের জন্য লিঙ্ক পাওয়া কোন মুলতুবি উপাদান অনুরোধ। @@ -5322,6 +5376,7 @@ DocType: Program Enrollment,Enrolled courses,তালিকাভুক্ত DocType: Lab Prescription,Test Code,টেস্ট কোড DocType: Purchase Taxes and Charges,On Previous Row Total,পূর্ববর্তী সারি মোট DocType: Student,Student Email Address,ছাত্র ইমেইল ঠিকানা +,Delayed Item Report,বিলম্বিত আইটেম রিপোর্ট DocType: Academic Term,Education,শিক্ষা DocType: Supplier Quotation,Supplier Address,সরবরাহকারী ঠিকানা DocType: Salary Detail,Do not include in total,মোট অন্তর্ভুক্ত করবেন না @@ -5329,7 +5384,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} বিদ্যমান নেই DocType: Purchase Receipt Item,Rejected Quantity,প্রত্যাখ্যাত পরিমাণ DocType: Cashier Closing,To TIme,সময় -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: Daily Work Summary Group User,Daily Work Summary Group User,দৈনিক কাজ সারসংক্ষেপ গ্রুপ ব্যবহারকারী DocType: Fiscal Year Company,Fiscal Year Company,রাজস্ব বছর কোম্পানি apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,বিকল্প আইটেম আইটেম কোড হিসাবে একই হতে হবে না @@ -5381,6 +5435,7 @@ DocType: Program Fee,Program Fee,প্রোগ্রাম ফি DocType: Delivery Settings,Delay between Delivery Stops,ডেলিভারি স্টপ মধ্যে বিলম্ব DocType: Stock Settings,Freeze Stocks Older Than [Days],বন্ধ স্টক পুরানো চেয়ে [দিন] DocType: Promotional Scheme,Promotional Scheme Product Discount,প্রোমোশনাল স্কিম পণ্য ডিসকাউন্ট +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ইস্যু অগ্রাধিকার ইতিমধ্যে বিদ্যমান DocType: Account,Asset Received But Not Billed,সম্পদ প্রাপ্ত কিন্তু বিল না DocType: POS Closing Voucher,Total Collected Amount,মোট সংগৃহীত পরিমাণ DocType: Course,Default Grading Scale,ডিফল্ট গ্রেডিং স্কেল @@ -5422,6 +5477,7 @@ DocType: C-Form,III,তৃতীয় DocType: Contract,Fulfilment Terms,পরিপূরক শর্তাবলী apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,গ্রুপ থেকে অ গ্রুপ DocType: Student Guardian,Mother,মা +DocType: Issue,Service Level Agreement Fulfilled,সেবা স্তর চুক্তি সম্পন্ন DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,দাবি না করা কর্মচারী বেনিফিট জন্য কর আদায় DocType: Travel Request,Travel Funding,ভ্রমণ তহবিল DocType: Shipping Rule,Fixed,স্থায়ী @@ -5451,10 +5507,12 @@ DocType: Item,Warranty Period (in days),পাটা সময়কাল (দ apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,কোন আইটেম খুঁজে পাওয়া যায় নি। DocType: Item Attribute,From Range,রেঞ্জ থেকে DocType: Clinical Procedure,Consumables,consumables +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' এবং 'টাইমস্ট্যাম্প' প্রয়োজন। DocType: Purchase Taxes and Charges,Reference Row #,রেফারেন্স সারি # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},অনুগ্রহ করে কোম্পানিতে 'অ্যাসেট ডেবিরিয়াস কস্ট সেন্টার' সেট করুন {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,সারি # {0}: পেমেন্ট নথিটি ট্র্যাজ্যাকশন সম্পূর্ণ করার প্রয়োজন DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,অ্যামাজন MWS থেকে আপনার বিক্রয় আদেশ তথ্য টানতে এই বাটনে ক্লিক করুন। +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),কাজের ঘন্টা যা নীচে অর্ধ দিবস চিহ্নিত করা হয়। (জিরো নিষ্ক্রিয়) ,Assessment Plan Status,মূল্যায়ন পরিকল্পনা স্থিতি apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,প্রথমে {0} নির্বাচন করুন apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,কর্মচারী রেকর্ড তৈরি করতে এই জমা দিন @@ -5525,6 +5583,7 @@ DocType: Quality Procedure,Parent Procedure,মূল পদ্ধতি apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,সেট খুলুন apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,ফিল্টার টগল করুন DocType: Production Plan,Material Request Detail,উপাদান অনুরোধ বিস্তারিত +DocType: Shift Type,Process Attendance After,প্রক্রিয়া উপস্থিতি পরে DocType: Material Request Item,Quantity and Warehouse,পরিমাণ এবং গুদাম apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,প্রোগ্রাম যান apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},সারি # {0}: রেফারেন্সে ডুপ্লিকেট এন্ট্রি {1} {2} @@ -5582,6 +5641,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,পার্টি তথ্য apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),ঋণদাতাদের ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,তারিখ থেকে কর্মচারীর relieving তারিখ বেশী হতে পারে না +DocType: Shift Type,Enable Exit Grace Period,প্রস্থান অনুগ্রহ করে প্রস্থান সক্রিয় করুন DocType: Expense Claim,Employees Email Id,কর্মচারী ইমেইল আইডি DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify থেকে ERPNext মূল্য তালিকা থেকে মূল্য আপডেট করুন DocType: Healthcare Settings,Default Medical Code Standard,ডিফল্ট মেডিকেল কোড স্ট্যান্ডার্ড @@ -5612,7 +5672,6 @@ DocType: Item Group,Item Group Name,আইটেম গ্রুপ নাম DocType: Budget,Applicable on Material Request,উপাদান অনুরোধ উপর প্রযোজ্য DocType: Support Settings,Search APIs,অনুসন্ধান APIs DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,বিক্রয় আদেশ জন্য overproduction শতকরা -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,বিশেষ উল্লেখ DocType: Purchase Invoice,Supplied Items,সরবরাহকৃত আইটেম DocType: Leave Control Panel,Select Employees,কর্মচারী নির্বাচন করুন apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},ঋণে সুদ আয় অ্যাকাউন্ট নির্বাচন করুন {0} @@ -5638,7 +5697,7 @@ DocType: Salary Slip,Deductions,কর্তন ,Supplier-Wise Sales Analytics,সরবরাহকারী-বুদ্ধিমান বিক্রয় বিশ্লেষণ DocType: GSTR 3B Report,February,ফেব্রুয়ারি DocType: Appraisal,For Employee,কর্মচারী জন্য -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,প্রকৃত ডেলিভারি তারিখ +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,প্রকৃত ডেলিভারি তারিখ DocType: Sales Partner,Sales Partner Name,বিক্রয় অংশীদার নাম apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,অবচয় সারি {0}: অবমূল্যায়ন শুরু তারিখটি আগের তারিখ হিসাবে প্রবেশ করা হয় DocType: GST HSN Code,Regional,আঞ্চলিক @@ -5677,6 +5736,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,এ DocType: Supplier Scorecard,Supplier Scorecard,সরবরাহকারী স্কোরকার্ড DocType: Travel Itinerary,Travel To,ভ্রমন করা apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,সাক্ষাত্কার চিহ্নিত করুন +DocType: Shift Type,Determine Check-in and Check-out,চেক ইন এবং চেক আউট নির্ধারণ করুন DocType: POS Closing Voucher,Difference,পার্থক্য apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,ছোট DocType: Work Order Item,Work Order Item,কাজ আদেশ আইটেম @@ -5710,6 +5770,7 @@ DocType: Sales Invoice,Shipping Address Name,শিপিং ঠিকানা apps/erpnext/erpnext/healthcare/setup.py,Drug,ঔষধ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} বন্ধ DocType: Patient,Medical History,চিকিৎসা ইতিহাস +DocType: Expense Claim,Expense Taxes and Charges,ব্যয় কর এবং চার্জ DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,সাবস্ক্রিপশন বাতিল বা সাবস্ক্রাইব হিসাবে অদ্যাবধি চিহ্নিত করার আগে চালান তারিখের দিন পেরিয়ে গেছে apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,ইনস্টলেশন নোট {0} ইতিমধ্যে জমা দেওয়া হয়েছে DocType: Patient Relation,Family,পরিবার @@ -5742,7 +5803,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,শক্তি apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} এই লেনদেন সম্পন্ন করতে {1} {1} এর ইউনিটগুলির প্রয়োজন। DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,উপর ভিত্তি করে subcontract এর ব্যাকফ্লাস কাঁচামাল -DocType: Bank Guarantee,Customer,ক্রেতা DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",যদি সক্রিয় থাকে তবে ক্ষেত্রের অ্যাকাডেমিক মেয়াদ প্রোগ্রাম এনট্রোলমেন্ট সরঞ্জামে বাধ্যতামূলক হবে। DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","ব্যাচ ভিত্তিক স্টুডেন্ট গ্রুপের জন্য, শিক্ষার্থী ব্যাচ প্রোগ্রামের তালিকা থেকে প্রতিটি ছাত্রের জন্য বৈধ হবে।" DocType: Course,Topics,টপিক @@ -5901,6 +5961,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),বন্ধ হচ্ছে (খোলা + মোট) DocType: Supplier Scorecard Criteria,Criteria Formula,মাপদণ্ড সূত্র apps/erpnext/erpnext/config/support.py,Support Analytics,সমর্থন অ্যানালিটিক্স +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),উপস্থিতি ডিভাইস আইডি (বায়োমেট্রিক / আরএফ ট্যাগ আইডি) apps/erpnext/erpnext/config/quality_management.py,Review and Action,পর্যালোচনা এবং কর্ম DocType: Account,"If the account is frozen, entries are allowed to restricted users.","অ্যাকাউন্টটি হিমায়িত হলে, এন্ট্রিগুলি সীমাবদ্ধ ব্যবহারকারীদের জন্য অনুমোদিত।" apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,অবমূল্যায়ন পরে পরিমাণ @@ -5922,6 +5983,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,ঋণ পরিশোধ DocType: Employee Education,Major/Optional Subjects,মেজর / ঐচ্ছিক বিষয় DocType: Soil Texture,Silt,পলি +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,সরবরাহকারী ঠিকানা এবং পরিচিতি DocType: Bank Guarantee,Bank Guarantee Type,ব্যাংক গ্যারান্টি টাইপ DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","নিষ্ক্রিয় করা হলে, 'গোলাকৃত মোট' ক্ষেত্রটি কোনও লেনদেনে দৃশ্যমান হবে না" DocType: Pricing Rule,Min Amt,মিনি এমটি @@ -5960,6 +6022,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,চালান সৃষ্টি টুল আইটেম খোলা DocType: Soil Analysis,(Ca+Mg)/K,(CA ম্যাগনেসিয়াম + +) / কে DocType: Bank Reconciliation,Include POS Transactions,POS লেনদেন অন্তর্ভুক্ত করুন +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},কোন কর্মচারী দেওয়া কর্মচারী ক্ষেত্র মান জন্য পাওয়া যায় নি। '{}': {} DocType: Payment Entry,Received Amount (Company Currency),পরিমাণ প্রাপ্তি (কোম্পানি মুদ্রা) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage পূর্ণ, সংরক্ষণ না" DocType: Chapter Member,Chapter Member,অধ্যায় সদস্য @@ -5992,6 +6055,7 @@ DocType: SMS Center,All Lead (Open),সমস্ত লিড (ওপেন) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,কোন ছাত্র গ্রুপ তৈরি। apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},অনুরূপ সারি {0} একই {1} DocType: Employee,Salary Details,বেতন বিবরণ +DocType: Employee Checkin,Exit Grace Period Consequence,গ্রেস সময়কাল প্রস্থান করুন DocType: Bank Statement Transaction Invoice Item,Invoice,চালান DocType: Special Test Items,Particulars,বিবরণ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,আইটেম বা গুদাম উপর ভিত্তি করে ফিল্টার সেট করুন @@ -6092,6 +6156,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,এএমসি আউট DocType: Job Opening,"Job profile, qualifications required etc.","চাকরির প্রোফাইল, যোগ্যতা ইত্যাদি।" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,রাজ্য জাহাজ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,আপনি উপাদান অনুরোধ জমা দিতে চান DocType: Opportunity Item,Basic Rate,বেসিক হার DocType: Compensatory Leave Request,Work End Date,কাজ শেষ তারিখ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,কাঁচামাল জন্য অনুরোধ @@ -6277,6 +6342,7 @@ DocType: Depreciation Schedule,Depreciation Amount,মূল্যবান প DocType: Sales Order Item,Gross Profit,পুরো লাভ DocType: Quality Inspection,Item Serial No,আইটেম সিরিয়াল নং DocType: Asset,Insurer,বিমা +DocType: Employee Checkin,OUT,আউট apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,পরিমাণ কেনা DocType: Asset Maintenance Task,Certificate Required,শংসাপত্র প্রয়োজন DocType: Retention Bonus,Retention Bonus,রিটেনশন বোনাস @@ -6392,6 +6458,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),পার্থক DocType: Invoice Discounting,Sanctioned,অনুমোদিত DocType: Course Enrollment,Course Enrollment,কোর্স তালিকাভুক্তি DocType: Item,Supplier Items,সরবরাহকারী আইটেম +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",{0} এর জন্য আরম্ভের সময় শেষ বারের চেয়ে বেশি বা সমান হতে পারে না। DocType: Sales Order,Not Applicable,প্রযোজ্য নয় DocType: Support Search Source,Response Options,প্রতিক্রিয়া বিকল্প apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} 0 এবং 100 এর মধ্যে একটি মান হওয়া উচিত @@ -6478,7 +6546,6 @@ DocType: Travel Request,Costing,খোয়াতে apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,স্থায়ী সম্পদ DocType: Purchase Order,Ref SQ,রেফারেন্স এসকিউ DocType: Salary Structure,Total Earning,মোট উপার্জন -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গ্রুপ> অঞ্চল DocType: Share Balance,From No,না থেকে DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,পেমেন্ট পুনর্মিলন চালান DocType: Purchase Invoice,Taxes and Charges Added,কর এবং চার্জ যোগ করা হয়েছে @@ -6586,6 +6653,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,মূল্য নিয়ম উপেক্ষা করুন apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,খাদ্য DocType: Lost Reason Detail,Lost Reason Detail,হারানো কারণ বিস্তারিত +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},নিম্নলিখিত ক্রমিক সংখ্যা তৈরি করা হয়েছে:
{0} DocType: Maintenance Visit,Customer Feedback,গ্রাহকের প্রতিক্রিয়া DocType: Serial No,Warranty / AMC Details,পাটা / এএমসি বিস্তারিত DocType: Issue,Opening Time,খোলার সময় @@ -6635,6 +6703,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,কোম্পানির নাম একই না apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,কর্মচারী প্রচার প্রচারের তারিখ আগে জমা দেওয়া যাবে না apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} এর চেয়ে পুরোনো স্টক লেনদেন আপডেট করার অনুমতি নেই +DocType: Employee Checkin,Employee Checkin,কর্মচারী চেকইন apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},আইটেমটির জন্য শেষ তারিখের চেয়ে কম হওয়া উচিত তারিখ {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,গ্রাহক কোট তৈরি করুন DocType: Buying Settings,Buying Settings,সেটিংস কেনা @@ -6655,6 +6724,7 @@ DocType: Job Card Time Log,Job Card Time Log,কাজের কার্ড স DocType: Patient,Patient Demographics,রোগীর ডেমোগ্রাফিক্স DocType: Share Transfer,To Folio No,Folio নং apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,অপারেশন থেকে ক্যাশ ফ্লো +DocType: Employee Checkin,Log Type,লগ টাইপ DocType: Stock Settings,Allow Negative Stock,ঋণাত্মক স্টক অনুমতি দিন apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,আইটেমের পরিমাণ বা মান কোন পরিবর্তন আছে। DocType: Asset,Purchase Date,ক্রয় তারিখ @@ -6699,6 +6769,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,খুব হাইপার apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,আপনার ব্যবসার প্রকৃতি নির্বাচন করুন। apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,মাস এবং বছর নির্বাচন করুন +DocType: Service Level,Default Priority,ডিফল্ট অগ্রাধিকার DocType: Student Log,Student Log,ছাত্র লগ DocType: Shopping Cart Settings,Enable Checkout,চেকআউট সক্রিয় করুন apps/erpnext/erpnext/config/settings.py,Human Resources,মানব সম্পদ @@ -6727,7 +6798,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext সঙ্গে Shopify সংযুক্ত করুন DocType: Homepage Section Card,Subtitle,বাড়তি নাম DocType: Soil Texture,Loam,দোআঁশ মাটি -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার DocType: BOM,Scrap Material Cost(Company Currency),স্ক্র্যাপ উপাদান খরচ (কোম্পানি মুদ্রা) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ডেলিভারি নোট {0} জমা দিতে হবে না DocType: Task,Actual Start Date (via Time Sheet),প্রকৃত সূচনা তারিখ (টাইম শীটের মাধ্যমে) @@ -6783,6 +6853,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,ডোজ DocType: Cheque Print Template,Starting position from top edge,শীর্ষ প্রান্ত থেকে শুরু অবস্থান apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),নিয়োগ সময়কাল (মিনিট) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},এই কর্মচারীর ইতিমধ্যে একই টাইমস্ট্যাম্পের সাথে একটি লগ আছে। {0} DocType: Accounting Dimension,Disable,অক্ষম DocType: Email Digest,Purchase Orders to Receive,অর্ডার অর্ডার ক্রয় apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,প্রোডাকশন অর্ডারের জন্য উত্থাপিত করা যাবে না: @@ -6798,7 +6869,6 @@ DocType: Production Plan,Material Requests,উপাদান অনুরোধ DocType: Buying Settings,Material Transferred for Subcontract,উপাদান subcontract জন্য স্থানান্তরিত DocType: Job Card,Timing Detail,সময় বিস্তারিত apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,প্রয়োজন -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{1} এর {0} আমদানি হচ্ছে DocType: Job Offer Term,Job Offer Term,কাজের অফার টার্ম DocType: SMS Center,All Contact,সব যোগাযোগ DocType: Project Task,Project Task,প্রকল্প টাস্ক @@ -6849,7 +6919,6 @@ DocType: Student Log,Academic,কেতাবি apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,আইটেম {0} সিরিয়াল নম্বর জন্য সেটআপ করা হয় না। আইটেম আইটেম চেক করুন apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,রাষ্ট্র থেকে DocType: Leave Type,Maximum Continuous Days Applicable,সর্বাধিক ক্রমাগত দিন প্রযোজ্য -apps/erpnext/erpnext/config/support.py,Support Team.,সহায়তা দল. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,প্রথম কোম্পানী নাম লিখুন দয়া করে apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,আমদানি সফল DocType: Guardian,Alternate Number,বিকল্প সংখ্যা @@ -6941,6 +7010,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,সারি # {0}: আইটেম যোগ করা হয়েছে DocType: Student Admission,Eligibility and Details,যোগ্যতা এবং বিবরণ DocType: Staffing Plan,Staffing Plan Detail,স্টাফিং পরিকল্পনা বিস্তারিত +DocType: Shift Type,Late Entry Grace Period,দেরী এন্ট্রি গ্রেস সময়কাল DocType: Email Digest,Annual Income,বার্ষিক আয় DocType: Journal Entry,Subscription Section,সাবস্ক্রিপশন বিভাগ DocType: Salary Slip,Payment Days,পেমেন্ট দিন @@ -6990,6 +7060,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,হিসাবের পরিমান DocType: Asset Maintenance Log,Periodicity,পর্যাবৃত্তি apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,মেডিকেল সংরক্ষণ +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,চেক-ইনগুলি শিফটে পতনের জন্য লগ প্রকার প্রয়োজন: {0}। apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,ফাঁসি DocType: Item,Valuation Method,মূল্যায়ন পদ্ধতি apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} বিক্রয় চালানের বিরুদ্ধে {1} @@ -7074,6 +7145,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,অবস্থান DocType: Loan Type,Loan Name,ঋণের নাম apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,পেমেন্ট ডিফল্ট মোড সেট করুন DocType: Quality Goal,Revision,সংস্করণ +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,শিফট শেষ সময় আগে চেকআউট যত তাড়াতাড়ি (মিনিট) বিবেচনা করা হয়। DocType: Healthcare Service Unit,Service Unit Type,সেবা ইউনিট প্রকার DocType: Purchase Invoice,Return Against Purchase Invoice,ক্রয় চালান বিরুদ্ধে ফেরত apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,সচেতন জেনারেট করুন @@ -7229,12 +7301,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,অঙ্গরাগ DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,আপনি সংরক্ষণ করার আগে ব্যবহারকারীকে সিরিজ নির্বাচন করতে বাধ্য করতে চাইলে এটি পরীক্ষা করুন। আপনি এই চেক যদি কোন ডিফল্ট থাকবে। DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,এই ভূমিকার ব্যবহারকারীদের হিমায়িত অ্যাকাউন্ট সেট করতে এবং হিমায়িত অ্যাকাউন্টগুলির বিরুদ্ধে অ্যাকাউন্টিং এন্ট্রি তৈরি / সংশোধন করার অনুমতি দেওয়া হয় +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,আইটেম কোড> আইটেম গ্রুপ> ব্র্যান্ড DocType: Expense Claim,Total Claimed Amount,মোট দাবি পরিমাণ 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} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,মোড়ক উম্মচন apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,আপনার সদস্যতা 30 দিনের মধ্যে মেয়াদ শেষ হয়ে গেলে আপনি কেবল নবায়ন করতে পারেন apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},মান {0} এবং {1} এর মধ্যে হতে হবে DocType: Quality Feedback,Parameters,পরামিতি +DocType: Shift Type,Auto Attendance Settings,অটো উপস্থিতি সেটিংস ,Sales Partner Transaction Summary,বিক্রয় অংশীদার লেনদেন সারসংক্ষেপ DocType: Asset Maintenance,Maintenance Manager Name,রক্ষণাবেক্ষণ ম্যানেজার নাম apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,আইটেম বিবরণ আনতে এটি প্রয়োজন। @@ -7326,10 +7400,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,প্রয়োগযোগ্য নিয়ম যাচাই করুন DocType: Job Card Item,Job Card Item,কাজের কার্ড আইটেম DocType: Homepage,Company Tagline for website homepage,ওয়েবসাইট হোমপেজে জন্য কোম্পানি ট্যাগলাইন +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,সূচক {0} এ অগ্রাধিকার {0} জন্য প্রতিক্রিয়া সময় এবং রেজোলিউশন সেট করুন। DocType: Company,Round Off Cost Center,রাউন্ড বন্ধ খরচ কেন্দ্র DocType: Supplier Scorecard Criteria,Criteria Weight,মানদণ্ড ওজন DocType: Asset,Depreciation Schedules,ঘাটতি সূচি -DocType: Expense Claim Detail,Claim Amount,দাবির পরিমান DocType: Subscription,Discounts,ডিসকাউন্ট DocType: Shipping Rule,Shipping Rule Conditions,শিপিং নিয়ম শর্তাবলী DocType: Subscription,Cancelation Date,বাতিল তারিখ @@ -7357,7 +7431,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,লিডস তৈর apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,শূন্য মান দেখান DocType: Employee Onboarding,Employee Onboarding,কর্মচারী অনবোর্ডিং DocType: POS Closing Voucher,Period End Date,মেয়াদ শেষ তারিখ -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,উত্স দ্বারা বিক্রয় সুযোগ DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,তালিকায় প্রথম অবকাশ অভিভাবক ডিফল্ট ছুটির অভিপ্রায় হিসাবে সেট করা হবে। DocType: POS Settings,POS Settings,পিওএস সেটিংস apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,সমস্ত অ্যাকাউন্ট @@ -7378,7 +7451,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ব্ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,সারি # {0}: হার অবশ্যই {1}: {2} ({3} / {4}) হিসাবে একই হতে হবে DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-সি পি আর-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,স্বাস্থ্যসেবা সেবা আইটেম -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,কোন রেকর্ড খুঁজে পাওয়া যায় নি apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,বয়স 3 DocType: Vital Signs,Blood Pressure,রক্তচাপ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,টার্গেট @@ -7422,6 +7494,7 @@ DocType: Company,Existing Company,বিদ্যমান কোম্পান apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ব্যাচ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,প্রতিরক্ষা DocType: Item,Has Batch No,ব্যাচ নেই +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,বিলম্বিত দিন DocType: Lead,Person Name,ব্যক্তির নাম DocType: Item Variant,Item Variant,আইটেম বৈকল্পিক DocType: Training Event Employee,Invited,আমন্ত্রিত @@ -7443,7 +7516,7 @@ DocType: Purchase Order,To Receive and Bill,গ্রহণ এবং বিল apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","একটি বৈধ Payroll সময়ের মধ্যে শুরু এবং শেষ তারিখগুলি, {0} গণনা করতে পারে না।" DocType: POS Profile,Only show Customer of these Customer Groups,শুধুমাত্র এই গ্রাহক গোষ্ঠীর গ্রাহক দেখান apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,চালান সংরক্ষণ আইটেম নির্বাচন করুন -DocType: Service Level,Resolution Time,রেজোলিউশন সময় +DocType: Service Level Priority,Resolution Time,রেজোলিউশন সময় DocType: Grading Scale Interval,Grade Description,গ্রেড বর্ণনা DocType: Homepage Section,Cards,তাস DocType: Quality Meeting Minutes,Quality Meeting Minutes,মানের সভা মিনিট @@ -7470,6 +7543,7 @@ DocType: Project,Gross Margin %,মোট মার্জিন% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,সাধারণ লেজারের মত ব্যাংক স্টেটমেন্ট ভারসাম্য apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),স্বাস্থ্যসেবা (বিটা) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,বিক্রয় আদেশ এবং ডেলিভারি নোট তৈরি করতে ডিফল্ট গুদাম +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,সূচক {0} এ প্রতিক্রিয়া সময় {1} রেজোলিউশন সময় থেকে বড় হতে পারে না। DocType: Opportunity,Customer / Lead Name,গ্রাহক / লিড নাম DocType: Student,EDU-STU-.YYYY.-,Edu-Stu-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,দাবিহীন পরিমাণ @@ -7516,7 +7590,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,দল এবং ঠিকানা আমদানি DocType: Item,List this Item in multiple groups on the website.,ওয়েবসাইটে একাধিক গ্রুপে এই আইটেমটি তালিকাভুক্ত করুন। DocType: Request for Quotation,Message for Supplier,সরবরাহকারী জন্য বার্তা -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,{0} আইটেমের জন্য স্টক লেনদেন হিসাবে {0} পরিবর্তন করতে পারা যায় না। DocType: Healthcare Practitioner,Phone (R),ফোন (আর) DocType: Maintenance Team Member,Team Member,দলের সদস্য DocType: Asset Category Account,Asset Category Account,সম্পদ বিভাগ অ্যাকাউন্ট diff --git a/erpnext/translations/bs.csv b/erpnext/translations/bs.csv index 4e010bfc38..1e2ca86bae 100644 --- a/erpnext/translations/bs.csv +++ b/erpnext/translations/bs.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Datum početka termina apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Sastanak {0} i faktura prodaje {1} otkazana DocType: Purchase Receipt,Vehicle Number,Broj vozila apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Tvoja e-mail adresa... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Uključi zadane unose u knjigu +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Uključi zadane unose u knjigu DocType: Activity Cost,Activity Type,Vrsta aktivnosti DocType: Purchase Invoice,Get Advances Paid,Get Advances Paid DocType: Company,Gain/Loss Account on Asset Disposal,Račun dobiti / gubitka na raspolaganju @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Šta radi? DocType: Bank Reconciliation,Payment Entries,Platni unosi DocType: Employee Education,Class / Percentage,Class / Percentage ,Electronic Invoice Register,Elektronski registar faktura +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Broj događaja nakon kojeg se izvršava posljedica. DocType: Sales Invoice,Is Return (Credit Note),Da li je povratak (kreditna napomena) +DocType: Price List,Price Not UOM Dependent,Price Not UOM Dependent DocType: Lab Test Sample,Lab Test Sample,Lab Test Sample DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Za npr. 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Pretraživanje p DocType: Salary Slip,Net Pay,Net Pay apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Ukupno fakturirano Amt DocType: Clinical Procedure,Consumables Invoice Separately,Potrošni materijal Faktura odvojeno +DocType: Shift Type,Working Hours Threshold for Absent,Prag radnog vremena za odsustvo DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Budžet ne može biti dodijeljen grupi računa {0} DocType: Purchase Receipt Item,Rate and Amount,Stopa i iznos @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Postavite skladište izvora DocType: Healthcare Settings,Out Patient Settings,Out Patient Settings DocType: Asset,Insurance End Date,Datum završetka osiguranja DocType: Bank Account,Branch Code,Branch Code -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Vreme za odgovor apps/erpnext/erpnext/public/js/conf.js,User Forum,Forum korisnika DocType: Landed Cost Item,Landed Cost Item,Stavka selene cijene 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 @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Vodeći vlasnik DocType: Share Transfer,Transfer,Transfer apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Stavka pretraživanja (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Rezultat je poslan +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Od datuma ne može biti veći od datuma Do DocType: Supplier,Supplier of Goods or Services.,Dobavljač robe ili usluga. 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 stvarate račune za kupce i dobavljače apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentska grupa ili raspored kursa je obavezan @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Baza potenci DocType: Skill,Skill Name,Ime veštine apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Print Report Card DocType: Soil Texture,Ternary Plot,Ternary Plot -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Podesite Naming Series za {0} preko Setup> Settings> Naming Series apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Support Tickets DocType: Asset Category Account,Fixed Asset Account,Račun fiksnih sredstava apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Najnoviji @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Udaljenost UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Obavezno za bilans stanja DocType: Payment Entry,Total Allocated Amount,Ukupni dodijeljeni iznos DocType: Sales Invoice,Get Advances Received,Dobili napredak +DocType: Shift Type,Last Sync of Checkin,Last Sync of Checkin DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Stavka Iznos poreza uključen u vrijednost apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Plan pretplate DocType: Student,Blood Group,Krvna grupa apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Crop,Crop Spacing UOM,Izrezivanje razmaka UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,"Vrijeme nakon početka smjene, kada se check-in smatra zakašnjenjem (u minutama)." apps/erpnext/erpnext/templates/pages/home.html,Explore,Istražiti +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nisu pronađene nepodmirene fakture DocType: Promotional Scheme,Product Discount Slabs,Ploče s popustima za proizvode DocType: Hotel Room Package,Amenities,Amenities DocType: Lab Test Groups,Add Test,Dodaj test @@ -1004,6 +1009,7 @@ DocType: Attendance,Attendance Request,Zahtev za prisustvovanje DocType: Item,Moving Average,Moving Average DocType: Employee Attendance Tool,Unmarked Attendance,Neoznačeno prisustvo DocType: Homepage Section,Number of Columns,Broj stupaca +DocType: Issue Priority,Issue Priority,Prioritet problema DocType: Holiday List,Add Weekly Holidays,Add Weekly Holidays DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Napravite ispis plata @@ -1012,6 +1018,7 @@ DocType: Job Offer Term,Value / Description,Vrijednost / opis DocType: Warranty Claim,Issue Date,Datum izdavanja 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 niti jedan paket koji ispunjava ovaj zahtjev apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Ne može se stvoriti bonus za zadržavanje za lijeve zaposlenike +DocType: Employee Checkin,Location / Device ID,Lokacija / ID uređaja DocType: Purchase Order,To Receive,Primiti apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Nalazite se u izvanmrežnom načinu rada. Nećete moći ponovo učitati sve dok ne dobijete mrežu. DocType: Course Activity,Enrollment,Upis @@ -1020,7 +1027,6 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informacije o elektronskom fakturiranju nedostaju apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nije napravljen nikakav zahtjev za materijal -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Šifra artikla> Item Group> Brand DocType: Loan,Total Amount Paid,Ukupno plaćeni iznos apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Sve ove stavke su već fakturirane DocType: Training Event,Trainer Name,Ime trenera @@ -1131,6 +1137,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Navedite ime olova u olovu {0} DocType: Employee,You can enter any date manually,Možete uneti bilo koji datum ručno DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stavka pomirenja zaliha +DocType: Shift Type,Early Exit Consequence,Ranija izlazna posljedica DocType: Item Group,General Settings,General Settings apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Datum dospijeća ne može biti prije knjiženja / datuma fakture dobavljača apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Unesite ime Korisnika prije podnošenja. @@ -1169,6 +1176,7 @@ DocType: Account,Auditor,Revizor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Potvrda plaćanja ,Available Stock for Packing Items,Raspoloživa zaliha za pakovanje apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Uklonite ovaj račun {0} iz C-obrasca {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Svaka validna prijava i odjava DocType: Support Search Source,Query Route String,Niz upita za rutu DocType: Customer Feedback Template,Customer Feedback Template,Obrazac za povratne informacije o klijentima apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Citati za vode ili klijente. @@ -1203,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Kontrola autorizacije ,Daily Work Summary Replies,Dnevni rad Sažetak odgovora apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Pozvani ste da sarađujete na projektu: {0} +DocType: Issue,Response By Variance,Response By Variance DocType: Item,Sales Details,Sales Details apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Letter Heads za predloške za ispis. DocType: Salary Detail,Tax on additional salary,Porez na dodatnu platu @@ -1326,6 +1335,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Adrese i DocType: Project,Task Progress,Task Progress DocType: Journal Entry,Opening Entry,Otvaranje unosa DocType: Bank Guarantee,Charges Incurred,Naplata troškova +DocType: Shift Type,Working Hours Calculation Based On,Kalkulacija radnih sati na osnovu DocType: Work Order,Material Transferred for Manufacturing,Preneseni materijal za proizvodnju DocType: Products Settings,Hide Variants,Sakrij varijante DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Onemogućite planiranje kapaciteta i praćenje vremena @@ -1355,6 +1365,7 @@ DocType: Account,Depreciation,Amortizacija DocType: Guardian,Interests,Interesi DocType: Purchase Receipt Item Supplied,Consumed Qty,Potrošena količina DocType: Education Settings,Education Manager,Education Manager +DocType: Employee Checkin,Shift Actual Start,Shift Actual Start DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planirajte dnevnike vremena izvan radnog vremena radne stanice. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Bodovi lojalnosti: {0} DocType: Healthcare Settings,Registration Message,Registration Message @@ -1379,9 +1390,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktura je već kreirana za sve obračunske sate DocType: Sales Partner,Contact Desc,Contact Desc DocType: Purchase Invoice,Pricing Rules,Pravila o cijenama +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Budući da postoje postojeće transakcije protiv stavke {0}, ne možete promijeniti vrijednost {1}" DocType: Hub Tracked Item,Image List,Lista slika DocType: Item Variant Settings,Allow Rename Attribute Value,Dopusti promjenu vrijednosti atributa -DocType: Price List,Price Not UOM Dependant,Price Not UOM Dependent apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Vrijeme (u min) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Basic DocType: Loan,Interest Income Account,Račun prihoda od kamata @@ -1391,6 +1402,7 @@ DocType: Employee,Employment Type,Tip zaposlenja apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Izaberite POS profil DocType: Support Settings,Get Latest Query,Nabavite najnoviji upit DocType: Employee Incentive,Employee Incentive,Podsticaj za zaposlene +DocType: Service Level,Priorities,Prioriteti apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Dodajte kartice ili prilagođene sekcije na početnu stranicu DocType: Homepage,Hero Section Based On,Hero Section Based On DocType: Project,Total Purchase Cost (via Purchase Invoice),Ukupni troškovi nabavke (putem fakture kupovine) @@ -1451,7 +1463,7 @@ DocType: Work Order,Manufacture against Material Request,Proizvodnja protiv zaht DocType: Blanket Order Item,Ordered Quantity,Naručena količina apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Red # {0}: Odbijena skladišta je obavezna za odbijenu stavku {1} ,Received Items To Be Billed,Primljene stavke za naplatu -DocType: Salary Slip Timesheet,Working Hours,Radni sati +DocType: Attendance,Working Hours,Radni sati apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Način plaćanja apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Stavke narudžbenice nisu primljene na vrijeme apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Trajanje u danima @@ -1571,7 +1583,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,P DocType: Supplier,Statutory info and other general information about your Supplier,Zakonske informacije i ostale opšte informacije o Vašem dobavljaču DocType: Item Default,Default Selling Cost Center,Default Selling Cost Center DocType: Sales Partner,Address & Contacts,Adresa i kontakti -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Postavite nizove brojeva za Prisustvo putem Podešavanja> Brojčane serije DocType: Subscriber,Subscriber,Pretplatnik apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) nema na skladištu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Prvo odaberite Datum knjiženja @@ -1582,7 +1593,7 @@ DocType: Project,% Complete Method,% Complete Metoda DocType: Detected Disease,Tasks Created,Tasks Created apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Zadana BOM ({0}) mora biti aktivna za ovu stavku ili njen predložak apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Stopa provizije% -DocType: Service Level,Response Time,Vrijeme odziva +DocType: Service Level Priority,Response Time,Vrijeme odziva DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Settings apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Količina mora biti pozitivna DocType: Contract,CRM,CRM @@ -1599,7 +1610,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Naknada u bolničkom pos DocType: Bank Statement Settings,Transaction Data Mapping,Mapiranje podataka o transakcijama apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Olovo zahtijeva ili ime osobe ili ime organizacije DocType: Student,Guardians,Čuvari -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Molimo vas da podesite Sistem za imenovanje instruktora u obrazovanju> Postavke obrazovanja apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Izaberite brend ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Middle Income DocType: Shipping Rule,Calculate Based On,Izračunajte na osnovu @@ -1636,6 +1646,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Postavite cilj apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Zapisnik o prisustvu {0} postoji protiv studenta {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Datum transakcije apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Otkaži pretplatu +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nije moguće postaviti sporazum o razini usluge {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Iznos neto zarade DocType: Account,Liability,Odgovornost DocType: Employee,Bank A/C No.,Bank A / C No. @@ -1701,7 +1712,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Šifra artikla sirovine apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Faktura kupovine {0} je već poslana DocType: Fees,Student Email,Student Email -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BUR rekurzija: {0} ne može biti roditelj ili dijete {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Nabavite artikle iz zdravstvenih usluga apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Unos dionica {0} nije dostavljen DocType: Item Attribute Value,Item Attribute Value,Vrijednost atributa stavke @@ -1726,7 +1736,6 @@ DocType: POS Profile,Allow Print Before Pay,Omogući štampanje pre plaćanja DocType: Production Plan,Select Items to Manufacture,Izaberite stavke za proizvodnju DocType: Leave Application,Leave Approver Name,Ostavite ime odobrenja DocType: Shareholder,Shareholder,Akcionar -DocType: Issue,Agreement Status,Status sporazuma apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Podrazumevane postavke za transakcije prodaje. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Molimo odaberite Prijem studenata koji je obavezan za plaćenog studenta apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Izaberite BOM @@ -1989,6 +1998,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Račun prihoda apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,All Warehouses DocType: Contract,Signee Details,Signee Details +DocType: Shift Type,Allow check-out after shift end time (in minutes),Omogući odjavu nakon završetka smjene (u minutima) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Nabavka DocType: Item Group,Check this if you want to show in website,Označite ovo ako želite prikazati na web stranici apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskalna godina {0} nije pronađena @@ -2055,6 +2065,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Datum početka amortizacije DocType: Activity Cost,Billing Rate,Stopa naplate apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Upozorenje: Još jedna {0} # {1} postoji protiv stavke zaliha {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Omogućite Google Maps Settings za procjenu i optimizaciju ruta +DocType: Purchase Invoice Item,Page Break,Page Break DocType: Supplier Scorecard Criteria,Max Score,Max Score apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Datum početka otplate ne može biti prije datuma isplate. DocType: Support Search Source,Support Search Source,Support Search Source @@ -2123,6 +2134,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Cilj cilja kvaliteta DocType: Employee Transfer,Employee Transfer,Transfer zaposlenih ,Sales Funnel,Prodajni tok DocType: Agriculture Analysis Criteria,Water Analysis,Analiza vode +DocType: Shift Type,Begin check-in before shift start time (in minutes),Započnite prijavu prije početka smjene (u minutama) DocType: Accounts Settings,Accounts Frozen Upto,Računi Frozen Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Nema ništa za uređivanje. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Rad {0} duži od bilo kojeg raspoloživog radnog vremena na radnoj stanici {1}, razbiti operaciju u više operacija" @@ -2136,7 +2148,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Nov apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Prodajni nalog {0} je {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Odlaganje plaćanja (Dani) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Unesite detalje amortizacije +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Korisnička PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Očekivani datum isporuke trebao bi biti nakon datuma prodajnog naloga +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Količina artikla ne može biti nula apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Nevažeći atribut apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Odaberite BOM protiv stavke {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tip fakture @@ -2146,6 +2160,7 @@ DocType: Maintenance Visit,Maintenance Date,Datum održavanja DocType: Volunteer,Afternoon,Popodne DocType: Vital Signs,Nutrition Values,Nutrition Values DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Prisustvo groznice (temp> 38,5 ° C / 101,3 ° F ili produžena temp> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite Sistem za imenovanje zaposlenika u ljudskim resursima> Postavke ljudskih resursa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Reversed DocType: Project,Collect Progress,Collect Progress apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energija @@ -2196,6 +2211,7 @@ DocType: Setup Progress,Setup Progress,Postavljanje napretka ,Ordered Items To Be Billed,Naređene stavke za naplatu DocType: Taxable Salary Slab,To Amount,To Amount DocType: Purchase Invoice,Is Return (Debit Note),Da li je povratak (zaduženje) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> Korisnička grupa> Teritorija apps/erpnext/erpnext/config/desktop.py,Getting Started,Počinjemo apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Spoji apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Nije moguće promijeniti datum početka fiskalne godine i datum završetka fiskalne godine nakon spremanja fiskalne godine. @@ -2214,8 +2230,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Stvarni datum apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Datum početka održavanja ne može biti prije datuma isporuke za serijski broj {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Red {0}: Tečaj je obavezan DocType: Purchase Invoice,Select Supplier Address,Izaberite adresu dobavljača +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Dostupna količina je {0}, trebate {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Unesite tajnu API potrošača DocType: Program Enrollment Fee,Program Enrollment Fee,Naknada za upis programa +DocType: Employee Checkin,Shift Actual End,Shift Actual End DocType: Serial No,Warranty Expiry Date,Datum isteka garancije DocType: Hotel Room Pricing,Hotel Room Pricing,Cijene hotelskih soba apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Spoljne oporezive isporuke (osim nultih, nultih i oslobođenih)" @@ -2275,6 +2293,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Čitanje 5 DocType: Shopping Cart Settings,Display Settings,Display Settings apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Postavite broj knjiženih amortizacija +DocType: Shift Type,Consequence after,Posledica posle apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Za šta ti treba pomoć? DocType: Journal Entry,Printing Settings,Printing Settings apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bankarstvo @@ -2284,6 +2303,7 @@ DocType: Purchase Invoice Item,PR Detail,PR Detail apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Adresa za naplatu je ista kao i adresa za dostavu DocType: Account,Cash,Gotovina DocType: Employee,Leave Policy,Leave Policy +DocType: Shift Type,Consequence,Posljedica apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Student Address DocType: GST Account,CESS Account,CESS nalog apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Centar troška je potreban za račun 'Profit i gubitak' {2}. Postavite podrazumevani centar troškova za kompaniju. @@ -2348,6 +2368,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN kod DocType: Period Closing Voucher,Period Closing Voucher,Period za zatvaranje vaučera apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Ime Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Unesite račun troška +DocType: Issue,Resolution By Variance,Rezolucija po varijansi DocType: Employee,Resignation Letter Date,Datum ostavke DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Prisustvo na datum @@ -2360,6 +2381,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Prikaži sada DocType: Item Price,Valid Upto,Valid Upto apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Reference Doctype mora biti jedna od {0} +DocType: Employee Checkin,Skip Auto Attendance,Preskoči Auto Attendance DocType: Payment Request,Transaction Currency,Valuta transakcije DocType: Loan,Repayment Schedule,Raspored otplate apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Napravite unos zaliha uzorka @@ -2431,6 +2453,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Raspodela struk DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Porez na vaučer za zatvaranje POS-a apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Postupak inicijalizovan DocType: POS Profile,Applicable for Users,Primjenjivo za korisnike +,Delayed Order Report,Izveštaj o odloženoj narudžbi DocType: Training Event,Exam,Ispit apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Neispravan broj pronađenih unosa glavne knjige. Možda ste u transakciji izabrali pogrešan račun. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Prodaja naftovoda @@ -2445,10 +2468,11 @@ DocType: Account,Round Off,Zaokružiti DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Uslovi će se primjenjivati na sve odabrane stavke zajedno. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Configure DocType: Hotel Room,Capacity,Kapacitet +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Installed Qty apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Paket {0} stavke {1} je onemogućen. DocType: Hotel Room Reservation,Hotel Reservation User,Korisnik rezervacije hotela -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Radni dan je ponovljen dva puta +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Ugovor o nivou usluge sa tipom entiteta {0} i entitetom {1} već postoji. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Grupa stavki koja nije navedena u glavnom stavku za stavku {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Greška imena: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Teritorija je obavezna u POS profilu @@ -2496,6 +2520,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Datum rasporeda DocType: Packing Slip,Package Weight Details,Detalji o težini paketa DocType: Job Applicant,Job Opening,Otvaranje posla +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Poslednja poznata uspješna sinkronizacija zaposlenika Checkin. Poništite ovo samo ako ste sigurni da su svi zapisi sinkronizirani sa svih lokacija. Molimo vas da ne menjate ovo ako niste sigurni. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Stvarna cijena apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Ukupni napredak ({0}) protiv narudžbe {1} ne može biti veći od ukupnog iznosa ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Stavka Varijante su ažurirane @@ -2540,6 +2565,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Referentni račun za kupo apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Get Invocies DocType: Tally Migration,Is Day Book Data Imported,Da li su podaci o dnevnoj knjizi uvezeni ,Sales Partners Commission,Sales Partners Commission +DocType: Shift Type,Enable Different Consequence for Early Exit,Omogući različite posledice za rani izlazak apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Legal DocType: Loan Application,Required by Date,Potrebno po datumu DocType: Quiz Result,Quiz Result,Rezultat kviza @@ -2599,7 +2625,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finansijs DocType: Pricing Rule,Pricing Rule,Pravilo o cenama apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Neobavezna lista praznika nije postavljena za period odlaska {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Postavite polje ID korisnika u zapis zaposlenika da biste postavili ulogu zaposlenika -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Vrijeme je za rješavanje DocType: Training Event,Training Event,Training Event DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normalan krvni pritisak kod odrastanja je oko 120 mmHg sistolički i 80 mmHg dijastolički, skraćeno "120/80 mmHg"." DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Sistem će dohvatiti sve unose ako je granična vrijednost nula. @@ -2643,6 +2668,7 @@ DocType: Woocommerce Settings,Enable Sync,Omogući sinhronizaciju DocType: Student Applicant,Approved,Odobreno apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Od datuma treba da bude u okviru fiskalne godine. Pretpostavljajući od datuma = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Podesite grupu dobavljača u postavkama kupovine. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} je nevažeći status prisutnosti. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Privremeni otvarajući račun DocType: Purchase Invoice,Cash/Bank Account,Novčani / bankovni račun DocType: Quality Meeting Table,Quality Meeting Table,Tabela kvaliteta sastanka @@ -2678,6 +2704,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Hrana, piće i duhan" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Raspored kursa DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Stavka Wise Tax Detail +DocType: Shift Type,Attendance will be marked automatically only after this date.,Prisustvo će biti automatski označeno tek nakon tog datuma. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Potrošnja za UIN nosioce apps/erpnext/erpnext/hooks.py,Request for Quotations,Zahtev za ponudu 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 unosa neke druge valute @@ -2726,7 +2753,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Je stavka iz čvorišta apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procedura kvaliteta. DocType: Share Balance,No of Shares,Broj dionica -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Red {0}: Količina nije dostupna za {4} u skladištu {1} u vrijeme objavljivanja unosa ({2} {3}) DocType: Quality Action,Preventive,Preventivno DocType: Support Settings,Forum URL,URL foruma apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Zaposleni i prisutni @@ -2948,7 +2974,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Tip popusta DocType: Hotel Settings,Default Taxes and Charges,Podrazumevani porezi i naknade apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Ovo se zasniva na transakcijama protiv ovog dobavljača. Za detalje pogledajte vremensku liniju ispod apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Maksimalni iznos naknade zaposlenika {0} premašuje {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Unesite datum početka i završetka ugovora. DocType: Delivery Note Item,Against Sales Invoice,Protiv fakture prodaje DocType: Loyalty Point Entry,Purchase Amount,Iznos kupovine apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Nije moguće postaviti kao Izgubljeno kao prodajni nalog. @@ -2972,7 +2997,7 @@ DocType: Homepage,"URL for ""All Products""",URL za "Svi proizvodi" DocType: Lead,Organization Name,Ime organizacije apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Važeća i valjana polja upto su obavezna za kumulativ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Red # {0}: Serijski broj mora biti isti kao i {1} {2} -DocType: Employee,Leave Details,Ostavite detalje +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Stock transakcije prije {0} su zamrznute DocType: Driver,Issuing Date,Datum izdavanja apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Requestor @@ -3017,9 +3042,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalji šablona mapiranja novčanog toka apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Zapošljavanje i obuka DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Podešavanja Grace perioda za automatsko pozivanje apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Iz valute i valute ne može biti isto apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Pharmaceuticals DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Sati podrške apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} je otkazan ili zatvoren apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Red {0}: avans protiv klijenta mora biti kredit apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grupisanje po vaučeru (Konsolidovano) @@ -3129,6 +3156,7 @@ DocType: Asset Repair,Repair Status,Status popravke DocType: Territory,Territory Manager,Upravnik teritorija DocType: Lab Test,Sample ID,Sample ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Košarica je prazna +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Pohađanje je označeno po prijavama za zaposlene apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Imovina {0} mora biti poslata ,Absent Student Report,Odsutni studentski izvještaj apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Uključeno u bruto profit @@ -3136,7 +3164,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,C DocType: Travel Request Costing,Funded Amount,Finansirani iznos apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nije poslata tako da se akcija ne može dovršiti DocType: Subscription,Trial Period End Date,Datum završetka probnog perioda +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Naizmjenični unosi kao IN i OUT tijekom iste smjene DocType: BOM Update Tool,The new BOM after replacement,Nova BOM nakon zamjene +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> Tip dobavljača apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Tačka 5 DocType: Employee,Passport Number,Broj pasoša apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Privremeno otvaranje @@ -3252,6 +3282,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Ključni izvještaji apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Mogući dobavljač ,Issued Items Against Work Order,Izdate stavke protiv radnog naloga apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Kreiranje {0} fakture +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Molimo vas da podesite Sistem za imenovanje instruktora u obrazovanju> Postavke obrazovanja DocType: Student,Joining Date,Datum pridruživanja apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Requesting Site DocType: Purchase Invoice,Against Expense Account,Protiv računa troškova @@ -3291,6 +3322,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Primjenjive naknade ,Point of Sale,Mjestu prodaje DocType: Authorization Rule,Approving User (above authorized value),Odobravanje korisnika (iznad ovlaštene vrijednosti) +DocType: Service Level Agreement,Entity,Entitet apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Iznos {0} {1} prenesen iz {2} u {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Korisnik {0} ne pripada projektu {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Od imena stranke @@ -3337,6 +3369,7 @@ DocType: Asset,Opening Accumulated Depreciation,Otvaranje akumulirane amortizaci DocType: Soil Texture,Sand Composition (%),Sastav pijeska (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Uvoz podataka o knjizi +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Podesite Naming Series za {0} preko Setup> Settings> Naming Series DocType: Asset,Asset Owner Company,Društvo vlasnika imovine apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Mjesto troška je potrebno za knjiženje troškova potraživanja apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} važeći serijski broj za stavku {1} @@ -3397,7 +3430,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Vlasnik imovine apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Skladište je obavezno za zalihu Stavka {0} u redu {1} DocType: Stock Entry,Total Additional Costs,Ukupni dodatni troškovi -DocType: Marketplace Settings,Last Sync On,Poslednja sinhronizacija uključena apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Postavite najmanje jedan red u tabeli Porezi i naknade DocType: Asset Maintenance Team,Maintenance Team Name,Ime tima za održavanje apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Grafikon centara troškova @@ -3413,12 +3445,12 @@ DocType: Sales Order Item,Work Order Qty,Količina radnih naloga DocType: Job Card,WIP Warehouse,WIP skladište DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ID korisnika nije postavljen za zaposlenika {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Dostupan broj je {0}, potrebno je {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Korisnik {0} je kreiran DocType: Stock Settings,Item Naming By,Item Naming By apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Naručeno apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Ovo je glavna korisnička grupa i ne može se uređivati. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Zahtjev za materijal {0} je otkazan ili zaustavljen +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strogo se zasniva na Log Type u Checking zaposlenika DocType: Purchase Order Item Supplied,Supplied Qty,Priložena količina DocType: Cash Flow Mapper,Cash Flow Mapper,Kartiranje novčanog toka DocType: Soil Texture,Sand,Sand @@ -3477,6 +3509,7 @@ DocType: Lab Test Groups,Add new line,Dodajte novu liniju apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Udvostručena grupa stavki pronađena u tablici grupe stavki apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Godišnja plata DocType: Supplier Scorecard,Weighting Function,Funkcija utega +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverzijski faktor ({0} -> {1}) nije pronađen za stavku: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Pogreška pri ocjeni formule kriterija ,Lab Test Report,Lab Test Report DocType: BOM,With Operations,Sa operacijama @@ -3490,6 +3523,7 @@ DocType: Expense Claim Account,Expense Claim Account,Račun troškova potraživa apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nema otplate za unos dnevnika apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} je neaktivan student apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Napravite unos zaliha +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BUR rekurzija: {0} ne može biti roditelj ili dijete {1} DocType: Employee Onboarding,Activities,Aktivnosti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Najmanje jedno skladište je obavezno ,Customer Credit Balance,Kreditni saldo kupca @@ -3502,9 +3536,11 @@ DocType: Supplier Scorecard Period,Variables,Varijable apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Pronašli smo više programa lojalnosti za klijenta. Odaberite ručno. DocType: Patient,Medication,Lijekovi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Izaberite Program lojalnosti +DocType: Employee Checkin,Attendance Marked,Obilježeno prisustvo apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Sirovine DocType: Sales Order,Fully Billed,Fully Billed apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Molimo vas da postavite cijenu za hotelsku sobu na {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Izaberite samo jedan prioritet kao podrazumevani. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Molimo identifikujte / kreirajte račun (knjiga) za tip - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Ukupni iznos kredita / zaduženja treba biti isti kao i unos u dnevnik DocType: Purchase Invoice Item,Is Fixed Asset,Is Fixed Asset @@ -3525,6 +3561,7 @@ DocType: Purpose of Travel,Purpose of Travel,Svrha putovanja DocType: Healthcare Settings,Appointment Confirmation,Potvrda o sastanku DocType: Shopping Cart Settings,Orders,Orders DocType: HR Settings,Retirement Age,Dob umirovljenja +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Postavite nizove brojeva za Prisustvo putem Podešavanja> Brojčane serije apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Projected Qty apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Brisanje nije dopušteno za zemlju {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Red # {0}: Imovina {1} je već {2} @@ -3608,11 +3645,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Računovođa apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Naknada za kupovinu POS-a postoji za {0} između datuma {1} i {2} apps/erpnext/erpnext/config/help.py,Navigating,Navigacija +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Nijedna otvorena faktura ne zahtijeva revalorizaciju tečaja DocType: Authorization Rule,Customer / Item Name,Naziv kupca / predmeta apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Novi serijski broj ne može imati skladište. Skladište mora biti postavljeno putem unosa zaliha ili kupovine DocType: Issue,Via Customer Portal,Preko korisničkog portala DocType: Work Order Operation,Planned Start Time,Planirano vrijeme početka apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} je {2} +DocType: Service Level Priority,Service Level Priority,Prioritet nivoa usluge apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Broj knjiženih amortizacija ne može biti veći od ukupnog broja amortizacije apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Podijeli Ledger DocType: Journal Entry,Accounts Payable,Dugovanja @@ -3723,7 +3762,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Dostava Za DocType: Bank Statement Transaction Settings Item,Bank Data,Bank Data apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Scheduled Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Održavajte sate za naplatu i radno vrijeme na listi apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Vodeći tragovi vodećeg izvora. DocType: Clinical Procedure,Nursing User,Nursing User DocType: Support Settings,Response Key List,Lista ključnih odgovora @@ -3891,6 +3929,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Stvarno vrijeme početka DocType: Antibiotic,Laboratory User,Korisnik laboratorija apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Online Auctions +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Ponovljen je prioritet {0}. DocType: Fee Schedule,Fee Creation Status,Status stvaranja naknade apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Softwares apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Prodajni nalog do plaćanja @@ -3957,6 +3996,7 @@ DocType: Patient Encounter,In print,In print apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Nije moguće dohvatiti informacije za {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Valuta za naplatu mora biti jednaka ili zadanoj valuti kompanije ili valuti stranaka računa apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Molimo vas da unesete ID zaposlenika ovog prodavača +DocType: Shift Type,Early Exit Consequence after,Rane izlaze nakon apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Napravite otvaranje faktura prodaje i kupovine DocType: Disease,Treatment Period,Period liječenja apps/erpnext/erpnext/config/settings.py,Setting up Email,Podešavanje e-pošte @@ -3974,7 +4014,6 @@ DocType: Employee Skill Map,Employee Skills,Employee Skills apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Ime studenta: DocType: SMS Log,Sent On,Sent On DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Faktura prodaje -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Vreme reakcije ne može biti veće od vremena rezolucije DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Za studentsku grupu zasnovanu na kursu, kurs će biti validiran za svakog studenta sa upisanih kurseva u upis u program." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Unutrašnja oprema DocType: Employee,Create User Permission,Kreiranje korisničke dozvole @@ -4013,6 +4052,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standardni uslovi ugovora za prodaju ili kupovinu. DocType: Sales Invoice,Customer PO Details,Detalji o korisničkom PO-u apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacijent nije pronađen +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Izaberite podrazumevani prioritet. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Uklonite stavku ako naplata nije primjenjiva na tu stavku apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Postoji korisnička grupa sa istim imenom, promijenite ime klijenta ili preimenujte korisničku grupu" 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. @@ -4052,6 +4092,7 @@ DocType: Quality Goal,Quality Goal,Cilj kvaliteta DocType: Support Settings,Support Portal,Portal za podršku apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Datum završetka zadatka {0} ne može biti manji od {1} očekivanog datuma početka {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Zaposleni {0} je na ostavi na {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Ovaj ugovor o nivou usluge je specifičan za klijenta {0} DocType: Employee,Held On,Održanoj DocType: Healthcare Practitioner,Practitioner Schedules,Raspored praktičara DocType: Project Template Task,Begin On (Days),Počni (dana) @@ -4059,6 +4100,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Radni nalog je bio {0} DocType: Inpatient Record,Admission Schedule Date,Datum upisa apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Podešavanje vrednosti imovine +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Označite prisustvo na osnovu 'Check-inja zaposlenika' za zaposlene koji su dodijeljeni ovoj smjeni. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Potrošni materijal za neregistrovana lica apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,All Jobs DocType: Appointment Type,Appointment Type,Tip sastanka @@ -4172,7 +4214,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P 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 + težina ambalaže. (za štampu) DocType: Plant Analysis,Laboratory Testing Datetime,Datetime test laboratorijskog testiranja apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Stavka {0} ne može imati paket -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Prodaja naftovoda po stadijima apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Snaga studentske grupe DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Unos transakcije bankovnog izvoda DocType: Purchase Order,Get Items from Open Material Requests,Nabavite stavke iz zahtjeva otvorenog materijala @@ -4254,7 +4295,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Show Aging Warehouse-wise DocType: Sales Invoice,Write Off Outstanding Amount,Ispisivanje izvanrednog iznosa DocType: Payroll Entry,Employee Details,Detalji o zaposlenima -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Vrijeme početka ne može biti veće od završnog vremena za {0}. DocType: Pricing Rule,Discount Amount,Iznos popusta DocType: Healthcare Service Unit Type,Item Details,Detalji detalja apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Duplicirana porezna deklaracija {0} za period {1} @@ -4307,7 +4347,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto plata ne može biti negativna apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Broj interakcija 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} na narudžbenicu narudžbe {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Shift +DocType: Attendance,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Obrada kontnog plana i strana DocType: Stock Settings,Convert Item Description to Clean HTML,Pretvori opis stavke u Clean HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Sve grupe dobavljača @@ -4378,6 +4418,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Djelatnost za DocType: Healthcare Service Unit,Parent Service Unit,Jedinica za podršku roditelja DocType: Sales Invoice,Include Payment (POS),Uključi plaćanje (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Private Equity +DocType: Shift Type,First Check-in and Last Check-out,Prva prijava i posljednja odjava DocType: Landed Cost Item,Receipt Document,Dokument o prijemu DocType: Supplier Scorecard Period,Supplier Scorecard Period,Period Scorecard dobavljača DocType: Employee Grade,Default Salary Structure,Default Salary Structure @@ -4460,6 +4501,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Napravite narudžbenicu apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definišite budžet za finansijsku godinu. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Tabela računa ne može biti prazna. +DocType: Employee Checkin,Entry Grace Period Consequence,Posledica ulaska u Grace period ,Payment Period Based On Invoice Date,Period plaćanja na osnovu datuma fakture apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Datum instalacije ne može biti prije datuma isporuke za stavku {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Veza na Zahtjev materijala @@ -4468,6 +4510,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapirani tip apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Red {0}: stavka za promjenu redoslijeda već postoji za ovo skladište {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Datum DocType: Monthly Distribution,Distribution Name,Naziv distribucije +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Radni dan {0} je ponovljen. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Grupa u grupi koja nije grupa apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Ažuriranje je u toku. Može potrajati. DocType: Item,"Example: ABCD.##### @@ -4480,6 +4523,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Količina goriva apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile No DocType: Invoice Discounting,Disbursed,Isplaceno +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Vrijeme nakon završetka smjene tijekom kojeg se smatra da je check-out prisutan. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Neto promjena na računima apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Nije dostupno apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Pola radnog vremena @@ -4493,7 +4537,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potencij apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Prikaži PDC u ispisu apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Supplier DocType: POS Profile User,POS Profile User,Korisnik POS profila -DocType: Student,Middle Name,Srednje ime DocType: Sales Person,Sales Person Name,Ime prodavača DocType: Packing Slip,Gross Weight,Bruto težina DocType: Journal Entry,Bill No,Bill No @@ -4502,7 +4545,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,New L DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- \ t DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Ugovor o nivou usluge -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Prvo odaberite zaposlenika i datum apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Stopa vrednovanja pozicije se preračunava uzimajući u obzir iznos vaučera za zemljišne troškove DocType: Timesheet,Employee Detail,Detalji o zaposlenima DocType: Tally Migration,Vouchers,Vaučeri @@ -4537,7 +4579,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Ugovor o nivou u DocType: Additional Salary,Date on which this component is applied,Datum na koji se primjenjuje ova komponenta apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Spisak dostupnih akcionara sa brojevima brojeva apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Podešavanje Gateway naloga. -DocType: Service Level,Response Time Period,Period odgovora +DocType: Service Level Priority,Response Time Period,Period odgovora DocType: Purchase Invoice,Purchase Taxes and Charges,Porezi i naknade za kupovinu DocType: Course Activity,Activity Date,Datum aktivnosti apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Izaberite ili dodajte novog kupca @@ -4562,6 +4604,7 @@ DocType: Sales Person,Select company name first.,Najprije odaberite naziv tvrtke apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Finansijska godina DocType: Sales Invoice Item,Deferred Revenue,Odloženi prihod apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,"U svakom slučaju, mora se odabrati jedna od prodaja ili kupovina" +DocType: Shift Type,Working Hours Threshold for Half Day,Prag rada za pola dana ,Item-wise Purchase History,Povijest nabavke apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Nije moguće promijeniti Service Stop Date za stavku u retku {0} DocType: Production Plan,Include Subcontracted Items,Uključite stavke podugovora @@ -4594,6 +4637,7 @@ DocType: Journal Entry,Total Amount Currency,Valuta ukupnog iznosa DocType: BOM,Allow Same Item Multiple Times,Dozvoli istu stavku više puta apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Napravite BOM DocType: Healthcare Practitioner,Charges,Charges +DocType: Employee,Attendance and Leave Details,Pohađanje i ostavljanje detalja DocType: Student,Personal Details,Lični podaci DocType: Sales Order,Billing and Delivery Status,Status naplate i isporuke apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Red {0}: Za dobavljača {0} Email adresa je potrebna za slanje e-pošte @@ -4645,7 +4689,6 @@ DocType: Bank Guarantee,Supplier,Dobavljač apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Unesite vrijednost između {0} i {1} DocType: Purchase Order,Order Confirmation Date,Datum potvrde narudžbe DocType: Delivery Trip,Calculate Estimated Arrival Times,Izračunajte procijenjeno vrijeme dolaska -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite Sistem za imenovanje zaposlenika u ljudskim resursima> Postavke ljudskih resursa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Potrošni DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Datum početka pretplate @@ -4668,7 +4711,7 @@ DocType: Installation Note Item,Installation Note Item,Napomena za instalaciju S DocType: Journal Entry Account,Journal Entry Account,Account Entry Account apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variant apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Forum Activity -DocType: Service Level,Resolution Time Period,Vremenski period rezolucije +DocType: Service Level Priority,Resolution Time Period,Vremenski period rezolucije DocType: Request for Quotation,Supplier Detail,Detalje dobavljača DocType: Project Task,View Task,Prikaži zadatak DocType: Serial No,Purchase / Manufacture Details,Detalji kupovine / proizvodnje @@ -4735,6 +4778,7 @@ DocType: Sales Invoice,Commission Rate (%),Stopa provizije (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Skladište se može mijenjati samo putem ulaska / isporuke dionica / potvrde o kupnji DocType: Support Settings,Close Issue After Days,Zatvori pitanje posle dana DocType: Payment Schedule,Payment Schedule,Raspored plaćanja +DocType: Shift Type,Enable Entry Grace Period,Omogući početni period ulaska DocType: Patient Relation,Spouse,Supružnik DocType: Purchase Invoice,Reason For Putting On Hold,Razlog za stavljanje na čekanje DocType: Item Attribute,Increment,Povećanje @@ -4874,6 +4918,7 @@ DocType: Authorization Rule,Customer or Item,Kupac ili artikl DocType: Vehicle Log,Invoice Ref,Račun Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-obrazac nije primjenjiv za fakturu: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Račun je izrađen +DocType: Shift Type,Early Exit Grace Period,Rani izlazak Grace Period DocType: Patient Encounter,Review Details,Detalji pregleda apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Red {0}: Vrijednost sata mora biti veća od nule. DocType: Account,Account Number,Broj računa @@ -4885,7 +4930,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Primjenjivo ako je tvrtka SpA, SApA ili SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Uslovi preklapanja pronađeni između: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Plaćeno i nije isporučeno -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Šifra artikla je obavezna jer stavka nije automatski numerisana DocType: GST HSN Code,HSN Code,HSN kod DocType: GSTR 3B Report,September,Septembar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administrativni troškovi @@ -4921,6 +4965,8 @@ DocType: Travel Itinerary,Travel From,Travel From apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP račun DocType: SMS Log,Sender Name,Ime pošiljatelja DocType: Pricing Rule,Supplier Group,Group dobavljača +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Postavite Početno vrijeme i Vrijeme završetka za Dan podrške {0} u indeksu {1}. DocType: Employee,Date of Issue,Datum izdavanja ,Requested Items To Be Transferred,Tražene stavke koje treba prenijeti DocType: Employee,Contract End Date,Datum završetka ugovora @@ -4931,6 +4977,7 @@ DocType: Healthcare Service Unit,Vacant,Vacant DocType: Opportunity,Sales Stage,Sales Stage DocType: Sales Order,In Words will be visible once you save the Sales Order.,In Words će biti vidljive kada sačuvate prodajni nalog. DocType: Item Reorder,Re-order Level,Nivo re-reda +DocType: Shift Type,Enable Auto Attendance,Omogući automatsko pozivanje apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Preference ,Department Analytics,Department Analytics DocType: Crop,Scientific Name,Naučno ime @@ -4943,6 +4990,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},Status {0} {1} je {2} DocType: Quiz Activity,Quiz Activity,Quiz Activity apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} nije u važećem periodu isplate DocType: Timesheet,Billed,Naplaćeno +apps/erpnext/erpnext/config/support.py,Issue Type.,Type Type. DocType: Restaurant Order Entry,Last Sales Invoice,Posljednja faktura prodaje DocType: Payment Terms Template,Payment Terms,Uslovi plaćanja apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Rezervirano Količina: Količina naručena za prodaju, ali ne isporučena." @@ -5038,6 +5086,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Asset apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} nema raspored zdravstvenih radnika. Dodajte ga u majstora zdravstvene prakse DocType: Vehicle,Chassis No,Chassis No +DocType: Employee,Default Shift,Default Shift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Skraćenica kompanije apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Drvo materijala DocType: Article,LMS User,LMS User @@ -5086,6 +5135,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- \ t DocType: Sales Person,Parent Sales Person,Matična prodajna osoba DocType: Student Group Creation Tool,Get Courses,Get Courses apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Red # {0}: Količina mora biti 1, jer je stavka fiksno sredstvo. Molimo koristite poseban red za višestruke količine." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Radno vrijeme ispod kojeg je Absent označen. (Nula do onemogućavanja) DocType: Customer Group,Only leaf nodes are allowed in transaction,Samo su čvorovi listova dozvoljeni u transakciji DocType: Grant Application,Organization,Organizacija DocType: Fee Category,Fee Category,Kategorija naknade @@ -5098,6 +5148,7 @@ DocType: Payment Order,PMO-,PMO- 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: Volunteer,Morning,Jutro DocType: Quotation Item,Quotation Item,Stavka ponude +apps/erpnext/erpnext/config/support.py,Issue Priority.,Prioritet problema. DocType: Journal Entry,Credit Card Entry,Unos kreditne kartice apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Vremenski razmak je preskočen, slot {0} do {1} preklapa postojeći slot {2} do {3}" DocType: Journal Entry Account,If Income or Expense,Ako je prihod ili trošak @@ -5148,11 +5199,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Uvoz podataka i postavke 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 označena opcija Auto Opt In, klijenti će se automatski povezati sa dotičnim programom lojalnosti (ušteda)" DocType: Account,Expense Account,Račun troškova +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Vreme pre početka smene, tokom kojeg se smatra da je zaposlenje Check-in za prisustvo." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Odnos sa Guardian-om1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Napravite fakturu 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/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Zaposleni oslobođen od {0} mora biti postavljen kao "Lijevo" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Plati {0} {1} +DocType: Company,Sales Settings,Postavke prodaje DocType: Sales Order Item,Produced Quantity,Proizvedena količina apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Zahtevu za ponudu možete pristupiti klikom na sledeći link DocType: Monthly Distribution,Name of the Monthly Distribution,Naziv mjesečne distribucije @@ -5231,6 +5284,7 @@ DocType: Company,Default Values,Default Values apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Kreirani su predlošci poreza za prodaju i kupnju. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Tip ostavljanja {0} se ne može prenositi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Zaduženje Račun mora biti račun potraživanja +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 nego danas. apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Postavite račun na skladištu {0} ili zadani račun inventara u tvrtki {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Podesi kao podrazumevano DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Neto težina ovog paketa. (izračunava se automatski kao zbir neto težine artikala) @@ -5257,8 +5311,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Istekle serije DocType: Shipping Rule,Shipping Rule Type,Vrsta pravila o isporuci DocType: Job Offer,Accepted,Prihvaćeno -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Izbrišite zaposlenika {0} da otkažete ovaj dokument" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Već ste procijenili kriterije procjene {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Izaberite Serijski brojevi apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Dob (Dani) @@ -5285,6 +5337,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Izaberite svoje domene DocType: Agriculture Task,Task Name,Naziv zadatka apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Stock Unosi već kreirani za radni nalog +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Izbrišite zaposlenika {0} da otkažete ovaj dokument" ,Amount to Deliver,Iznos za isporuku apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Kompanija {0} ne postoji apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Nije pronađen nijedan zahtjev za materijalom za povezivanje za date stavke. @@ -5334,6 +5388,7 @@ DocType: Program Enrollment,Enrolled courses,Upisani kursevi DocType: Lab Prescription,Test Code,Test Code DocType: Purchase Taxes and Charges,On Previous Row Total,On Previous Row Total DocType: Student,Student Email Address,Adresa e-pošte studenta +,Delayed Item Report,Odloženi izvještaj o stavkama DocType: Academic Term,Education,Obrazovanje DocType: Supplier Quotation,Supplier Address,Adresa dobavljača DocType: Salary Detail,Do not include in total,Ne uključujte ukupno @@ -5341,7 +5396,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ne postoji DocType: Purchase Receipt Item,Rejected Quantity,Odbijena količina DocType: Cashier Closing,To TIme,To TIme -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverzijski faktor ({0} -> {1}) nije pronađen za stavku: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Dnevni radni pregled grupe korisnika DocType: Fiscal Year Company,Fiscal Year Company,Fiskalna godina Kompanija apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternativna stavka ne smije biti ista kao kod stavke @@ -5393,6 +5447,7 @@ DocType: Program Fee,Program Fee,Naknada za program DocType: Delivery Settings,Delay between Delivery Stops,Kašnjenje između zaustavljanja isporuke DocType: Stock Settings,Freeze Stocks Older Than [Days],Zamrzavanje zaliha starije od [dana] DocType: Promotional Scheme,Promotional Scheme Product Discount,Promotivni proizvodni popust na proizvode +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Već postoji prioritet problema DocType: Account,Asset Received But Not Billed,"Primljeno sredstvo, ali nije naplaćeno" DocType: POS Closing Voucher,Total Collected Amount,Ukupan prikupljeni iznos DocType: Course,Default Grading Scale,Default Grading Scale @@ -5435,6 +5490,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Uslovi ispunjenja apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Ne-grupa u grupu DocType: Student Guardian,Mother,Majko +DocType: Issue,Service Level Agreement Fulfilled,Ispunjen ugovor o nivou usluge DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Porez na odbitak za neplaćene naknade zaposlenima DocType: Travel Request,Travel Funding,Putno finansiranje DocType: Shipping Rule,Fixed,Fiksno @@ -5464,10 +5520,12 @@ DocType: Item,Warranty Period (in days),Period garancije (u danima) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Nema pronađenih stavki. DocType: Item Attribute,From Range,From Range DocType: Clinical Procedure,Consumables,Potrošni materijal +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' i 'timestamp' su obavezni. DocType: Purchase Taxes and Charges,Reference Row #,Referentni redak # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Postavite 'Središte troškova amortizacije imovine' u kompaniji {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Red # {0}: Dokument za plaćanje je potreban da bi se dovršila transakcija DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Kliknite na ovo dugme da biste povukli podatke o prodajnom nalogu od Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Radno vrijeme ispod kojeg se obilježava pola dana. (Nula do onemogućavanja) ,Assessment Plan Status,Status plana procjene apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Prvo odaberite {0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Podnesite ovo da biste kreirali zapis zaposlenika @@ -5538,6 +5596,7 @@ DocType: Quality Procedure,Parent Procedure,Parent Procedure apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Postavi Otvori apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Toggle Filters DocType: Production Plan,Material Request Detail,Detail Material Request +DocType: Shift Type,Process Attendance After,Prisustvo procesa nakon DocType: Material Request Item,Quantity and Warehouse,Količina i skladište apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Idite na Programi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Red # {0}: Dvostruki unos u Reference {1} {2} @@ -5595,6 +5654,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Informacije o zabavi apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Dužnici ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Do danas ne može biti veći od datuma otpuštanja zaposlenog +DocType: Shift Type,Enable Exit Grace Period,Omogući Exit Grace Period DocType: Expense Claim,Employees Email Id,Id zaposlenika e-pošte DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Ažuriraj cenu iz Shopify u ERPNext cenovnik DocType: Healthcare Settings,Default Medical Code Standard,Default Medical Code Standard @@ -5625,7 +5685,6 @@ DocType: Item Group,Item Group Name,Naziv grupe stavke DocType: Budget,Applicable on Material Request,Primjenjivo na zahtjev za materijal DocType: Support Settings,Search APIs,API-ji za pretraživanje DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Postotak prekomjerne proizvodnje za prodajni nalog -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Specifikacije DocType: Purchase Invoice,Supplied Items,Priložene stavke DocType: Leave Control Panel,Select Employees,Izaberite Zaposleni apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Odaberite račun prihoda od kamata u zajmu {0} @@ -5651,7 +5710,7 @@ DocType: Salary Slip,Deductions,Odbijanja ,Supplier-Wise Sales Analytics,Analitika prodaje dobavljača DocType: GSTR 3B Report,February,februar DocType: Appraisal,For Employee,Za zaposlenika -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Stvarni datum isporuke +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Stvarni datum isporuke DocType: Sales Partner,Sales Partner Name,Ime partnera za prodaju apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Redosled amortizacije {0}: Početni datum amortizacije se unosi kao datum prethodnog datuma DocType: GST HSN Code,Regional,Regional @@ -5690,6 +5749,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Akc DocType: Supplier Scorecard,Supplier Scorecard,Supplier Scorecard DocType: Travel Itinerary,Travel To,Putovati u apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Mark Attendance +DocType: Shift Type,Determine Check-in and Check-out,Odredite prijavu i odjavu DocType: POS Closing Voucher,Difference,Razlika apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Mala DocType: Work Order Item,Work Order Item,Stavka radne narudžbe @@ -5723,6 +5783,7 @@ DocType: Sales Invoice,Shipping Address Name,Naziv adrese za isporuku apps/erpnext/erpnext/healthcare/setup.py,Drug,Lijek apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} je zatvoren DocType: Patient,Medical History,Medicinska istorija +DocType: Expense Claim,Expense Taxes and Charges,Troškovi poreza i naknada DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Broj dana nakon isteka datuma fakture prije otkazivanja pretplate ili označavanja pretplate kao neplaćene apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Napomena za instalaciju {0} je već poslana DocType: Patient Relation,Family,Porodica @@ -5755,7 +5816,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Snaga apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} jedinica {1} potrebne u {2} za dovršetak ove transakcije. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush sirovine na temelju podugovora -DocType: Bank Guarantee,Customer,Kupac DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ako je omogućeno, polje Academic Term će biti obavezno u alatu za upis programa." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Za studentsku grupu zasnovanu na šaržama, studentska grupa će biti validirana za svakog učenika iz programa za upis u program." DocType: Course,Topics,Teme @@ -5835,6 +5895,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Članovi poglavlja DocType: Warranty Claim,Service Address,Adresa servisa DocType: Journal Entry,Remark,Napomena +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Red {0}: količina nije dostupna za {4} u skladištu {1} u vrijeme objavljivanja unosa ({2} {3}) DocType: Patient Encounter,Encounter Time,Encounter Time DocType: Serial No,Invoice Details,Detalji fakture apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Dodatni računi mogu se vršiti u grupi, ali unosi se mogu vršiti protiv ne-grupa" @@ -5915,6 +5976,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","P apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Zatvaranje (otvaranje + ukupno) DocType: Supplier Scorecard Criteria,Criteria Formula,Formula kriterija apps/erpnext/erpnext/config/support.py,Support Analytics,Support Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID uređaja za prisustvo (Biometric / RF tag ID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Pregled i akcija DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ako je račun zamrznut, unosi su dozvoljeni ograničenim korisnicima." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Iznos nakon amortizacije @@ -5936,6 +5998,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Otplata kredita DocType: Employee Education,Major/Optional Subjects,Glavni / opcioni predmeti DocType: Soil Texture,Silt,Silt +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Adrese i kontakti dobavljača DocType: Bank Guarantee,Bank Guarantee Type,Vrsta bankarske garancije DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ako je onemogućeno, polje 'Zaokruženo ukupno' neće biti vidljivo u bilo kojoj transakciji" DocType: Pricing Rule,Min Amt,Min Amt @@ -5974,6 +6037,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Otvaranje stavke alata za kreiranje fakture DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Uključi POS transakcije +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nema zaposlenika za datu vrijednost polja zaposlenika. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Primljeni iznos (valuta kompanije) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage je pun, nije spasio" DocType: Chapter Member,Chapter Member,Član ogranka @@ -6006,6 +6070,7 @@ DocType: SMS Center,All Lead (Open),Sve vode (otvoreno) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Nije formirana nijedna studentska grupa. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Dvostruki red {0} sa istim {1} DocType: Employee,Salary Details,Detalji plata +DocType: Employee Checkin,Exit Grace Period Consequence,Izlazak iz posledice grejs perioda DocType: Bank Statement Transaction Invoice Item,Invoice,Faktura DocType: Special Test Items,Particulars,Posebni podaci apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Postavite filter na osnovu stavke ili skladišta @@ -6107,6 +6172,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Izvan AMC-a DocType: Job Opening,"Job profile, qualifications required etc.","Profil posla, potrebne kvalifikacije itd." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Ship to State +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Želite li podnijeti zahtjev za materijal DocType: Opportunity Item,Basic Rate,Basic Rate DocType: Compensatory Leave Request,Work End Date,Datum završetka posla apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Zahtjev za sirovine @@ -6292,6 +6358,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Amortizacija Iznos DocType: Sales Order Item,Gross Profit,Bruto dobit DocType: Quality Inspection,Item Serial No,Serijska br DocType: Asset,Insurer,Osiguravatelj +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Kupovni iznos DocType: Asset Maintenance Task,Certificate Required,Potreban certifikat DocType: Retention Bonus,Retention Bonus,Bonus za zadržavanje @@ -6406,6 +6473,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Iznos razlike (valut DocType: Invoice Discounting,Sanctioned,Sankcionirano DocType: Course Enrollment,Course Enrollment,Upis predmeta DocType: Item,Supplier Items,Artikli dobavljača +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Vrijeme početka ne može biti veće ili jednako vremenu završetka za {0}. DocType: Sales Order,Not Applicable,Nije primjenjivo DocType: Support Search Source,Response Options,Opcije odgovora apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} treba da bude vrednost između 0 i 100 @@ -6492,7 +6561,6 @@ DocType: Travel Request,Costing,Costing apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Fiksna sredstva DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Totalna zarada -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> Korisnička grupa> Teritorija DocType: Share Balance,From No,From No DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Račun poravnanja plaćanja DocType: Purchase Invoice,Taxes and Charges Added,Dodati porezi i naknade @@ -6600,6 +6668,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Zanemari pravilo o cenama apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Hrana DocType: Lost Reason Detail,Lost Reason Detail,Izgubljeni razlog Detalj +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Kreirani su sljedeći serijski brojevi:
{0} DocType: Maintenance Visit,Customer Feedback,Povratne informacije klijenta DocType: Serial No,Warranty / AMC Details,Detalji garancije / AMC-a DocType: Issue,Opening Time,Vreme otvaranja @@ -6649,6 +6718,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Ime kompanije nije isto apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Promocija zaposlenika ne može se podnijeti prije datuma promocije apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nije dozvoljeno ažurirati transakcije zalihama starije od {0} +DocType: Employee Checkin,Employee Checkin,Zaposleni Checkin apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Datum početka treba biti manji od datuma završetka za stavku {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Kreirajte ponude za kupce DocType: Buying Settings,Buying Settings,Buying Settings @@ -6670,6 +6740,7 @@ DocType: Job Card Time Log,Job Card Time Log,Dnevnik radnog vremena DocType: Patient,Patient Demographics,Patient Demographics DocType: Share Transfer,To Folio No,Za Folio No apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Novčani tok iz poslovanja +DocType: Employee Checkin,Log Type,Log Type DocType: Stock Settings,Allow Negative Stock,Dopusti negativnu zalihu apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Nijedna stavka nema nikakvu promjenu u količini ili vrijednosti. DocType: Asset,Purchase Date,Datum kupovine @@ -6714,6 +6785,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Very Hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Odaberite prirodu vašeg poslovanja. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Odaberite mjesec i godinu +DocType: Service Level,Default Priority,Default Priority DocType: Student Log,Student Log,Studentski dnevnik DocType: Shopping Cart Settings,Enable Checkout,Omogući Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Ljudski resursi @@ -6742,7 +6814,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Povežite Shopify sa ERPNext DocType: Homepage Section Card,Subtitle,Subtitle DocType: Soil Texture,Loam,Loam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> Tip dobavljača DocType: BOM,Scrap Material Cost(Company Currency),Trošak materijala za otpad (valuta kompanije) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Napomena za isporuku {0} ne smije biti poslana DocType: Task,Actual Start Date (via Time Sheet),Stvarni datum početka (putem vremenskog lista) @@ -6798,6 +6869,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Doziranje DocType: Cheque Print Template,Starting position from top edge,Početna pozicija od gornje ivice apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Trajanje sastanka (min) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Ovaj zaposlenik već ima dnevnik istog datuma. {0} DocType: Accounting Dimension,Disable,Onemogući DocType: Email Digest,Purchase Orders to Receive,Nalozi za kupovinu za primanje apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Porudžbine za proizvodnju se ne mogu podići za: @@ -6813,7 +6885,6 @@ DocType: Production Plan,Material Requests,Materijalni zahtjevi DocType: Buying Settings,Material Transferred for Subcontract,Preneseni materijal za podugovor DocType: Job Card,Timing Detail,Timing Detail apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Obavezno Uključeno -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Uvoz {0} od {1} DocType: Job Offer Term,Job Offer Term,Trajanje ponude za posao DocType: SMS Center,All Contact,Svi kontakti DocType: Project Task,Project Task,Zadatak projekta @@ -6864,7 +6935,6 @@ DocType: Student Log,Academic,Akademski apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Stavka {0} nije podešena za serijske brojeve apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,From State DocType: Leave Type,Maximum Continuous Days Applicable,Maksimalni broj neprekidnih dana koji se primjenjuje -apps/erpnext/erpnext/config/support.py,Support Team.,Tim za podršku. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Prvo unesite ime kompanije apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Import Successful DocType: Guardian,Alternate Number,Alternativni broj @@ -6956,6 +7026,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Red # {0}: stavka je dodata DocType: Student Admission,Eligibility and Details,Podobnost i detalji DocType: Staffing Plan,Staffing Plan Detail,Detalj plana osoblja +DocType: Shift Type,Late Entry Grace Period,Grejs period za kasni ulazak DocType: Email Digest,Annual Income,Godišnji prihod DocType: Journal Entry,Subscription Section,Sekcija za pretplatu DocType: Salary Slip,Payment Days,Dani plaćanja @@ -7006,6 +7077,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Stanje računa DocType: Asset Maintenance Log,Periodicity,Periodicity apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Medical Record +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Log-tip je potreban za check-inove koji padaju u smjeni: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Izvršenje DocType: Item,Valuation Method,Metoda vrednovanja apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} protiv fakture prodaje {1} @@ -7090,6 +7162,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Procijenjena cijena po DocType: Loan Type,Loan Name,Naziv zajma apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Postavite zadani način plaćanja DocType: Quality Goal,Revision,Revizija +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Vrijeme prije završetka smjene kada se check-out smatra ranim (u minutama). DocType: Healthcare Service Unit,Service Unit Type,Tip uslužne jedinice DocType: Purchase Invoice,Return Against Purchase Invoice,Povratak protiv fakture kupovine apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Generate Secret @@ -7245,12 +7318,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Kozmetika DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Označite ovo ako želite prisiliti korisnika da odabere seriju prije spremanja. Ako to označite, neće biti zadane postavke." 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 mogu postaviti zamrznute račune i kreirati / modificirati računovodstvene unose za zamrznute račune +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Šifra artikla> Item Group> Brand DocType: Expense Claim,Total Claimed Amount,Ukupni traženi iznos 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 vremenski termin u sljedećih {0} dana za rad {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Umotavanje apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Možete obnoviti samo ako vaše članstvo ističe u roku od 30 dana apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vrijednost mora biti između {0} i {1} DocType: Quality Feedback,Parameters,Parametri +DocType: Shift Type,Auto Attendance Settings,Auto Attendance Settings ,Sales Partner Transaction Summary,Sažetak transakcija prodajnog partnera DocType: Asset Maintenance,Maintenance Manager Name,Ime menadžera održavanja apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Potrebno je dohvatiti detalje stavke. @@ -7342,10 +7417,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Validate Applied Rule DocType: Job Card Item,Job Card Item,Stavka radne kartice DocType: Homepage,Company Tagline for website homepage,Kompanija Tagline za početnu stranicu web lokacije +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Postavite vrijeme odziva i razlučivost za prioritet {0} na indeksu {1}. DocType: Company,Round Off Cost Center,Okrugli centar troškova DocType: Supplier Scorecard Criteria,Criteria Weight,Težina kriterija DocType: Asset,Depreciation Schedules,Raspored amortizacije -DocType: Expense Claim Detail,Claim Amount,Iznos potraživanja DocType: Subscription,Discounts,Popusti DocType: Shipping Rule,Shipping Rule Conditions,Uslovi Pravila o otpremi DocType: Subscription,Cancelation Date,Datum otkazivanja @@ -7373,7 +7448,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Create Leads apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Prikaži nultu vrijednost DocType: Employee Onboarding,Employee Onboarding,Zaposleni Onboarding DocType: POS Closing Voucher,Period End Date,Datum završetka perioda -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Mogućnosti prodaje po izvorima DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Prvi odobreni dopust u listi će biti postavljen kao podrazumevani Leave Approver. DocType: POS Settings,POS Settings,POS Settings apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Svi računi @@ -7394,7 +7468,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Red # {0}: Stopa mora biti ista kao {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,FHP-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Stavke zdravstvene službe -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Nema pronađenih zapisa apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Raspon starenja 3 DocType: Vital Signs,Blood Pressure,Krvni pritisak 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 @@ -7441,6 +7514,7 @@ DocType: Company,Existing Company,Postojeća kompanija apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Serije apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Odbrana DocType: Item,Has Batch No,Batch No +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Delayed Days DocType: Lead,Person Name,Ime osobe DocType: Item Variant,Item Variant,Item Variant DocType: Training Event Employee,Invited,Pozvan @@ -7462,7 +7536,7 @@ DocType: Purchase Order,To Receive and Bill,Da primim i Bill apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Početni i završni datumi koji nisu u važećem obračunskom periodu, ne mogu izračunati {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Prikaži samo klijente ovih korisničkih grupa apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Izaberite stavke za čuvanje fakture -DocType: Service Level,Resolution Time,Resolution Time +DocType: Service Level Priority,Resolution Time,Resolution Time DocType: Grading Scale Interval,Grade Description,Opis razreda DocType: Homepage Section,Cards,Kartice DocType: Quality Meeting Minutes,Quality Meeting Minutes,Zapisnici o kvalitetu sastanka @@ -7489,6 +7563,7 @@ DocType: Project,Gross Margin %,Bruto marža% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Bilans bankovnog izvoda prema glavnoj knjizi apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Zdravstvena zaštita (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Default Warehouse za kreiranje prodajnog naloga i isporuke +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Vreme odgovora za {0} kod indeksa {1} ne može biti veće od vremena rezolucije. DocType: Opportunity,Customer / Lead Name,Ime klijenta / vode DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- \ t DocType: Expense Claim Advance,Unclaimed amount,Neuplaćeni iznos @@ -7535,7 +7610,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Uvozne strane i adrese DocType: Item,List this Item in multiple groups on the website.,Navedite ovu stavku u više grupa na web stranici. DocType: Request for Quotation,Message for Supplier,Poruka za dobavljača -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Nije moguće promijeniti {0} jer postoji transakcija dionica za stavku {1}. DocType: Healthcare Practitioner,Phone (R),Telefon (R) DocType: Maintenance Team Member,Team Member,Član tima DocType: Asset Category Account,Asset Category Account,Account Asset Category Account diff --git a/erpnext/translations/ca.csv b/erpnext/translations/ca.csv index a24e61bbef..a1cc871778 100644 --- a/erpnext/translations/ca.csv +++ b/erpnext/translations/ca.csv @@ -76,7 +76,7 @@ DocType: Academic Term,Term Start Date,Data d'inici del termini apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Cita {0} i factura de vendes {1} cancel·lades DocType: Purchase Receipt,Vehicle Number,Número de vehicle apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,La teva adreça de correu electrònic... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Inclou entrades de llibre predeterminades +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Inclou entrades de llibre predeterminades DocType: Activity Cost,Activity Type,Tipus d'activitat DocType: Purchase Invoice,Get Advances Paid,Obtén avanços pagats DocType: Company,Gain/Loss Account on Asset Disposal,Compte de guanys / pèrdues en l’eliminació d’actius @@ -222,7 +222,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Què fa? DocType: Bank Reconciliation,Payment Entries,Entrades de pagament DocType: Employee Education,Class / Percentage,Classe / Percentatge ,Electronic Invoice Register,Registre de factures electròniques +DocType: Shift Type,The number of occurrence after which the consequence is executed.,El nombre d’ocurrència després del qual s’executa la conseqüència. DocType: Sales Invoice,Is Return (Credit Note),Torna (nota de crèdit) +DocType: Price List,Price Not UOM Dependent,Preu no depenent de la UOM DocType: Lab Test Sample,Lab Test Sample,Mostra de prova de laboratori DocType: Shopify Settings,status html,estat html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Per exemple, 2012, 2012-13" @@ -324,6 +326,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Cerca de product DocType: Salary Slip,Net Pay,Pagament net apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Total de quantitats facturades DocType: Clinical Procedure,Consumables Invoice Separately,Factura consumible per separat +DocType: Shift Type,Working Hours Threshold for Absent,Horari llindar horari absent DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},No es pot assignar el pressupost al compte del grup {0} DocType: Purchase Receipt Item,Rate and Amount,Taxa i import @@ -379,7 +382,6 @@ DocType: Sales Invoice,Set Source Warehouse,Definiu el magatzem de fonts DocType: Healthcare Settings,Out Patient Settings,Sortir de la configuració del pacient DocType: Asset,Insurance End Date,Data de finalització de l’assegurança DocType: Bank Account,Branch Code,Codi de sucursal -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Temps per respondre apps/erpnext/erpnext/public/js/conf.js,User Forum,Fòrum d'usuaris DocType: Landed Cost Item,Landed Cost Item,Article sobre cost desembarcat 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 els mateixos @@ -597,6 +599,7 @@ DocType: Lead,Lead Owner,Propietari principal DocType: Share Transfer,Transfer,Transferència apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Element de cerca (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Resultat enviat +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,A partir de la data no pot ser superior a la data DocType: Supplier,Supplier of Goods or Services.,Proveïdor de béns o serveis. 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 compte nou. Nota: no creeu comptes per a clients i proveïdors apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,El grup d’estudiants o l’hora del curs són obligatoris @@ -882,7 +885,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Base de dade DocType: Skill,Skill Name,Nom d’habilitat apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Imprimeix el reportatge DocType: Soil Texture,Ternary Plot,Trama ternària -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configureu les sèries de noms per a {0} mitjançant la configuració> Configuració> Sèries de noms apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Entrades de suport DocType: Asset Category Account,Fixed Asset Account,Compte d'actius fix apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Últim @@ -895,6 +897,7 @@ DocType: Delivery Trip,Distance UOM,Distància UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligatori per al balanç DocType: Payment Entry,Total Allocated Amount,Import total assignat DocType: Sales Invoice,Get Advances Received,Obteniu avenços rebuts +DocType: Shift Type,Last Sync of Checkin,Última sincronització del registre DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Import de l’impost sobre l’element inclòs en el valor apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -903,7 +906,9 @@ DocType: Subscription Plan,Subscription Plan,Pla de subscripció DocType: Student,Blood Group,Grup sanguini apps/erpnext/erpnext/config/healthcare.py,Masters,Màsters DocType: Crop,Crop Spacing UOM,Espai de cultiu UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,El temps transcorregut el torn de l’hora d’inici de l’hora d’inici del registre d’entrada es considera que és tard (en minuts) apps/erpnext/erpnext/templates/pages/home.html,Explore,Explora +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,No s’han trobat factures pendents apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} places vacants i {1} pressupost per a {2} ja planificades per a empreses filials de {3}. Només es poden planificar fins a {4} places vacants i pressupost {5} segons el pla de personal {6} per a la societat matriu {3}. DocType: Promotional Scheme,Product Discount Slabs,Lloses de descompte de productes @@ -1005,6 +1010,7 @@ DocType: Attendance,Attendance Request,Sol·licitud d'assistència DocType: Item,Moving Average,Mitjana mòbil DocType: Employee Attendance Tool,Unmarked Attendance,Assistència sense marcar DocType: Homepage Section,Number of Columns,Nombre de columnes +DocType: Issue Priority,Issue Priority,Prioritat de l'emissió DocType: Holiday List,Add Weekly Holidays,Afegiu vacances setmanals DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Crea un desemborsament salarial @@ -1013,6 +1019,7 @@ DocType: Job Offer Term,Value / Description,Valor / descripció DocType: Warranty Claim,Issue Date,Data d'emissió 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 per a l'element {0}. No es pot trobar un sol lot que compleixi aquest requisit apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,No es pot crear el bo de retenció per a empleats abandonats +DocType: Employee Checkin,Location / Device ID,Ubicació / ID del dispositiu DocType: Purchase Order,To Receive,Rebre apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Esteu en mode fora de línia. No podreu tornar a carregar fins que no tingueu xarxa. DocType: Course Activity,Enrollment,Inscripció @@ -1021,7 +1028,6 @@ DocType: Lab Test Template,Lab Test Template,Plantilla de prova de laboratori apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Màxim: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Falta informació sobre la facturació electrònica apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,No s’ha creat cap sol·licitud de material -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codi d'ítem> Grup d'articles> Marca DocType: Loan,Total Amount Paid,Import total pagat apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Tots aquests articles ja s’han facturat DocType: Training Event,Trainer Name,Nom d'entrenador @@ -1132,6 +1138,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Si us plau, mencioneu el nom principal del plom {0}" DocType: Employee,You can enter any date manually,Podeu introduir qualsevol data manualment DocType: Stock Reconciliation Item,Stock Reconciliation Item,Article de reconciliació de valors +DocType: Shift Type,Early Exit Consequence,Conseqüència de la sortida anticipada DocType: Item Group,General Settings,Configuració general apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,La data de venciment no pot ser abans d’enviar / Data de la factura del proveïdor apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Introduïu el nom del beneficiari abans de presentar-vos. @@ -1170,6 +1177,7 @@ DocType: Account,Auditor,Auditor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Confirmació de pagament ,Available Stock for Packing Items,Estoc disponible per a articles d'embalatge apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Elimineu aquesta factura {0} de C-Form {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Cada registre d’entrada i sortida vàlid DocType: Support Search Source,Query Route String,Consulta la cadena de rutes DocType: Customer Feedback Template,Customer Feedback Template,Plantilla de comentaris del client apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Cotitzacions a clients o clients potencials. @@ -1204,6 +1212,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Control d'autorització ,Daily Work Summary Replies,Respostes diàries del treball de resum apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Has estat convidat a col·laborar en el projecte: {0} +DocType: Issue,Response By Variance,Resposta per variació DocType: Item,Sales Details,Detalls de vendes apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Capçals de lletres per a plantilles d'impressió. DocType: Salary Detail,Tax on additional salary,Impost sobre el salari addicional @@ -1327,6 +1336,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Adreces i DocType: Project,Task Progress,Progrés de la tasca DocType: Journal Entry,Opening Entry,Entrada d’obertura DocType: Bank Guarantee,Charges Incurred,Càrrecs incorreguts +DocType: Shift Type,Working Hours Calculation Based On,Càlcul d’hora de treball basat en DocType: Work Order,Material Transferred for Manufacturing,Material transferit per a fabricació DocType: Products Settings,Hide Variants,Amaga les variants DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Desactiva la planificació de la capacitat i el seguiment del temps @@ -1355,6 +1365,7 @@ DocType: Account,Depreciation,Amortització DocType: Guardian,Interests,Interessos DocType: Purchase Receipt Item Supplied,Consumed Qty,Quantitat consumida DocType: Education Settings,Education Manager,Responsable d'Educació +DocType: Employee Checkin,Shift Actual Start,Canvia l'inici actual DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planifiqueu els registres de temps fora de les hores de treball de les estacions de treball. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Punts de fidelitat: {0} DocType: Healthcare Settings,Registration Message,Missatge de registre @@ -1379,9 +1390,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Factura ja creada per a totes les hores de facturació DocType: Sales Partner,Contact Desc,Contacte Desc DocType: Purchase Invoice,Pricing Rules,Normes de preus +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Com hi ha transaccions existents amb l’ítem {0}, no podeu canviar el valor de {1}" DocType: Hub Tracked Item,Image List,Llista d’imatges DocType: Item Variant Settings,Allow Rename Attribute Value,Permet canviar el nom del valor d’atribut -DocType: Price List,Price Not UOM Dependant,Preu no depenent de la UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Temps (en minuts) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Bàsic DocType: Loan,Interest Income Account,Compte de renda d’interessos @@ -1391,6 +1402,7 @@ DocType: Employee,Employment Type,Tipus d'ocupació apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Seleccioneu el perfil de punt de venda DocType: Support Settings,Get Latest Query,Obtingui les últimes consultes DocType: Employee Incentive,Employee Incentive,Incentius per a empleats +DocType: Service Level,Priorities,Prioritats apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Afegiu targetes o seccions personalitzades a la pàgina d'inici DocType: Homepage,Hero Section Based On,Secció d’heroi basada en DocType: Project,Total Purchase Cost (via Purchase Invoice),Cost total de compra (mitjançant factura de compra) @@ -1451,7 +1463,7 @@ DocType: Work Order,Manufacture against Material Request,Fabricació contra sol DocType: Blanket Order Item,Ordered Quantity,Quantitat ordenada apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},La fila # {0}: el magatzem rebutjat és obligatori per a l’element rebutjat {1} ,Received Items To Be Billed,Articles rebuts per facturar -DocType: Salary Slip Timesheet,Working Hours,Hores laborals +DocType: Attendance,Working Hours,Hores laborals apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Mode de pagament apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Ordre de compra articles no rebuts a temps apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Durada en dies @@ -1571,7 +1583,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,N DocType: Supplier,Statutory info and other general information about your Supplier,Informació legal i altra informació general sobre el vostre proveïdor DocType: Item Default,Default Selling Cost Center,Centre de costos de venda predeterminat DocType: Sales Partner,Address & Contacts,Adreça i contactes -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Si us plau, configureu les sèries de numeració per assistència mitjançant la configuració> Sèries de numeració" DocType: Subscriber,Subscriber,Subscriptor apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) està fora de stock apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Seleccioneu la data de publicació primer @@ -1582,7 +1593,7 @@ DocType: Project,% Complete Method,% Mètode complet DocType: Detected Disease,Tasks Created,Tasques creades apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,La llista de materials per defecte ({0}) ha d'estar activa per a aquest ítem o la seva plantilla apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Taxa de comissió% -DocType: Service Level,Response Time,Temps de resposta +DocType: Service Level Priority,Response Time,Temps de resposta DocType: Woocommerce Settings,Woocommerce Settings,Configuració de Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,La quantitat ha de ser positiva DocType: Contract,CRM,CRM @@ -1599,7 +1610,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Taxa de visita hospitali DocType: Bank Statement Settings,Transaction Data Mapping,Mapatge de dades de transaccions apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Un plom requereix el nom d'una persona o el nom d'una organització DocType: Student,Guardians,Guardians -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configureu el sistema de nomenament d’instructor a l’educació> Configuració de l’educació apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Selecciona marca ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Ingressos mitjans DocType: Shipping Rule,Calculate Based On,Calcular la funció basada @@ -1636,6 +1646,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Establiu un objecti apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Hi ha un registre d’assistència {0} contra l’estudiant {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Data de transacció apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Cancel·la la subscripció +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,No s’ha pogut establir l’acord de nivell de servei {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Import net d’equipament DocType: Account,Liability,Responsabilitat DocType: Employee,Bank A/C No.,Banc A / C No. @@ -1701,7 +1712,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Codi del producte de matèria primera apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Ja s'ha enviat la factura de compra {0} DocType: Fees,Student Email,Correu electrònic d'estudiant -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Recursió BOM: {0} no pot ser pare o fill de {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Obteniu articles de serveis sanitaris apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,No s’envia l’ingrés de valors {0} DocType: Item Attribute Value,Item Attribute Value,Valor de l’atribut de l’article @@ -1726,7 +1736,6 @@ DocType: POS Profile,Allow Print Before Pay,Permet imprimir abans de pagar DocType: Production Plan,Select Items to Manufacture,Seleccioneu els elements a fabricar DocType: Leave Application,Leave Approver Name,Deixa el nom de l’aprovador DocType: Shareholder,Shareholder,Accionista -DocType: Issue,Agreement Status,Estat de l’acord apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Configuració predeterminada per a la venda d’operacions. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Seleccioneu l’admissió dels estudiants que és obligatòria per al sol·licitant estudiant pagat apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Seleccioneu la llista de materials @@ -1989,6 +1998,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Compte d’ingressos apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Tots els magatzems DocType: Contract,Signee Details,Detalls dels signants +DocType: Shift Type,Allow check-out after shift end time (in minutes),Permetre el registre de sortida després de l’hora de finalització del torn (en minuts) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Contractació DocType: Item Group,Check this if you want to show in website,Comproveu-ho si voleu mostrar-lo al lloc web apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,No s’ha trobat l’any fiscal {0} @@ -2055,6 +2065,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Data d'inici de l'am DocType: Activity Cost,Billing Rate,Tarifa de facturació apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Avís: hi ha un altre {0} # {1} contra l'entrada de material {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Activeu la configuració de Google Maps per estimar i optimitzar les rutes +DocType: Purchase Invoice Item,Page Break,Salt de pàgina DocType: Supplier Scorecard Criteria,Max Score,Puntuació màxima apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,La data d'inici del reemborsament no pot ser abans de la data del desemborsament. DocType: Support Search Source,Support Search Source,Suport a la font de cerca @@ -2123,6 +2134,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Objectiu de l'objecti DocType: Employee Transfer,Employee Transfer,Transferència d'empleats ,Sales Funnel,Embut de vendes DocType: Agriculture Analysis Criteria,Water Analysis,Anàlisi de l’aigua +DocType: Shift Type,Begin check-in before shift start time (in minutes),Comenceu el registre d’entrada abans de l’hora d’inici del torn (en minuts) DocType: Accounts Settings,Accounts Frozen Upto,Comptes Frozen Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,No hi ha res a editar. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","L’operació {0} és més llarga que les hores de treball disponibles a l’estació de treball {1}, desglossa l’operació en diverses operacions" @@ -2136,7 +2148,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,El c apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Ordre de venda {0} és {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Retard en el pagament (dies) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Introduïu els detalls de la depreciació +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,PO client apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,La data de lliurament esperada ha de ser posterior a la data de comanda de vendes +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,La quantitat d’article no pot ser zero apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Atribut no vàlid apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Seleccioneu BOM contra l’element {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipus de factura @@ -2146,6 +2160,7 @@ DocType: Maintenance Visit,Maintenance Date,Data de manteniment DocType: Volunteer,Afternoon,Tarda DocType: Vital Signs,Nutrition Values,Valors de nutrició DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Presència de febre (temperatura> 38,5 ° C / 101,3 ° F o temperatura sostinguda> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configureu el sistema de nomenament d'empleats en Recursos humans> Configuració de recursos humans apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,CIT invertit DocType: Project,Collect Progress,Recull el progrés apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energia @@ -2196,6 +2211,7 @@ DocType: Setup Progress,Setup Progress,Progrés de la configuració ,Ordered Items To Be Billed,Articles ordenats per ser facturats DocType: Taxable Salary Slab,To Amount,A Quantitat DocType: Purchase Invoice,Is Return (Debit Note),Torna (nota de dèbit) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clients> Territori apps/erpnext/erpnext/config/desktop.py,Getting Started,Començant apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Combinar apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,No es pot canviar la data de començament de l’any fiscal i la data d’acabament de l’exercici fiscal un cop s’ha desat l’exercici fiscal. @@ -2214,8 +2230,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Data real apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},La data d'inici del manteniment no pot ser abans de la data de lliurament del número de sèrie {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,La fila {0}: el tipus de canvi és obligatori DocType: Purchase Invoice,Select Supplier Address,Seleccioneu l'adreça del proveïdor +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","La quantitat disponible és {0}, necessiteu {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Introduïu API Secret Consumer DocType: Program Enrollment Fee,Program Enrollment Fee,Quota d'inscripció al programa +DocType: Employee Checkin,Shift Actual End,Canviar finalització actual DocType: Serial No,Warranty Expiry Date,Data de caducitat de la garantia DocType: Hotel Room Pricing,Hotel Room Pricing,Preu de les habitacions d’hotel apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Subministraments imposables a l'exterior (diferents de zero, qualificats i exempts de zero" @@ -2275,6 +2293,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Lectura 5 DocType: Shopping Cart Settings,Display Settings,Configuració de la pantalla apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Configureu el nombre d’amortitzacions reservades +DocType: Shift Type,Consequence after,Conseqüència després apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,En què necessites ajuda? DocType: Journal Entry,Printing Settings,Configuració d'impressió apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banca @@ -2284,6 +2303,7 @@ DocType: Purchase Invoice Item,PR Detail,Detall de PR apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,L’adreça de facturació és la mateixa que l’adreça d’enviament DocType: Account,Cash,Efectiu DocType: Employee,Leave Policy,Deixa la política +DocType: Shift Type,Consequence,Conseqüència apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Adreça de l'estudiant DocType: GST Account,CESS Account,Compte CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: es requereix un centre de costos per al compte "Benefici i pèrdua" {2}. Configureu un centre de cost per defecte per a l'empresa. @@ -2348,6 +2368,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN Code DocType: Period Closing Voucher,Period Closing Voucher,Val de tancament de període apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nom del Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Introduïu el compte de despeses +DocType: Issue,Resolution By Variance,Resolució per variació DocType: Employee,Resignation Letter Date,Data de carta de renúncia DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Assistència fins a la data @@ -2360,6 +2381,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Veure ara DocType: Item Price,Valid Upto,Actualització vàlida apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},El tipus de document de referència ha de ser un de {0} +DocType: Employee Checkin,Skip Auto Attendance,Saltar assistència automàtica DocType: Payment Request,Transaction Currency,Moneda de transacció DocType: Loan,Repayment Schedule,Calendari d’amortització apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Crea una entrada de reserva de mostra de mostra @@ -2431,6 +2453,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Tasca d’estru DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,TPV Tancant impostos sobre vals apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Acció inicialitzada DocType: POS Profile,Applicable for Users,Aplicable als usuaris +,Delayed Order Report,Informe de comanda retardada DocType: Training Event,Exam,Examen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,S'ha trobat un nombre incorrecte d’entrades del llibre major. És possible que hagueu seleccionat un compte incorrecte a la transacció. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Canals de vendes @@ -2445,10 +2468,11 @@ DocType: Account,Round Off,Arrodonir DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Les condicions s’aplicaran a tots els elements seleccionats combinats. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Configura DocType: Hotel Room,Capacity,Capacitat +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Quantitat instal·lada apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,El lot {0} de l’article {1} està desactivat. DocType: Hotel Room Reservation,Hotel Reservation User,Usuari de la reserva d’hotels -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,La jornada laboral s'ha repetit dues vegades +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Ja existeix un acord de nivell de servei amb el tipus d’entitat {0} i l’entitat {1}. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},El grup d’elements no esmentat al document principal de l’element {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Error de nom: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,El territori és necessari en el perfil del punt de venda @@ -2496,6 +2520,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Data del calendari DocType: Packing Slip,Package Weight Details,Detalls del pes del paquet DocType: Job Applicant,Job Opening,Oferta de treball +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Última sincronització amb èxit coneguda de la facturació dels empleats. Restableix-ho només si esteu segur que tots els registres es sincronitzen des de totes les ubicacions. No modifiqueu això si no esteu segurs. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Cost real apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),L’avanç total ({0}) contra l’Ordre {1} no pot ser superior al Gran Total ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,S'han actualitzat les variants dels elements @@ -2540,6 +2565,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Rebut de compra de refer apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Obteniu Invocies DocType: Tally Migration,Is Day Book Data Imported,És importada les dades del llibre de dia ,Sales Partners Commission,Comissió de socis comercials +DocType: Shift Type,Enable Different Consequence for Early Exit,Habiliteu la conseqüència diferent per a la sortida anticipada apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Legal DocType: Loan Application,Required by Date,Requerit per data DocType: Quiz Result,Quiz Result,Resultat del qüestionari @@ -2599,7 +2625,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Exercici DocType: Pricing Rule,Pricing Rule,Regla de preus 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 període de baixa {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Configureu el camp ID d’usuari en un registre de l’empleat per establir el paper de l’empleat -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Temps per resoldre DocType: Training Event,Training Event,Esdeveniment de formació DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","La pressió arterial normal en repòs en un adult és d'aproximadament 120 mmHg sistòlica i 80 mmHg diastòlica, abreujada "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,El sistema obtindrà totes les entrades si el valor límit és zero. @@ -2643,6 +2668,7 @@ DocType: Woocommerce Settings,Enable Sync,Habilita la sincronització DocType: Student Applicant,Approved,Aprovat 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 la data ha d’estar dins de l’exercici fiscal. Assumint la data = {0} 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. +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: Opening Invoice Creation Tool Item,Temporary Opening Account,Compte d'obertura temporal DocType: Purchase Invoice,Cash/Bank Account,Efectiu / compte bancari DocType: Quality Meeting Table,Quality Meeting Table,Taula de reunions de qualitat @@ -2678,6 +2704,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Aliments, begudes i tabac" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Horari de cursos DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Article Detall d’impostos savis +DocType: Shift Type,Attendance will be marked automatically only after this date.,L'assistència només es marcarà automàticament després d'aquesta data. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Subministraments realitzats als titulars de la UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Sol·licitud de pressupostos apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,La moneda no es pot canviar després de fer entrades amb una altra moneda @@ -2726,7 +2753,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,És un element del concentrador apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procediment de qualitat. DocType: Share Balance,No of Shares,Nombre d'accions -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Fila {0}: no hi ha cap quantitat disponible per a {4} al magatzem {1} en el moment de publicar l’entrada ({2} {3}) DocType: Quality Action,Preventive,Preventiu DocType: Support Settings,Forum URL,URL del fòrum apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Empleat i assistència @@ -2948,7 +2974,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Tipus de descompte DocType: Hotel Settings,Default Taxes and Charges,Impostos i càrrecs per defecte apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,"Es basa en transaccions amb aquest proveïdor. Per a més detalls, vegeu la línia de temps a continuació" apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},La quantitat màxima de beneficis de l’empleat {0} supera {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Introduïu la data d'inici i finalització del contracte. DocType: Delivery Note Item,Against Sales Invoice,Contra factura de vendes DocType: Loyalty Point Entry,Purchase Amount,Import de la compra apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,No es pot establir com a Perduda com a Ordre de venda. @@ -2972,7 +2997,7 @@ DocType: Homepage,"URL for ""All Products""",URL de "Tots els productes&quo DocType: Lead,Organization Name,Nom de l'organització apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Els camps vàlids de fins i tot vàlids són obligatoris per al valor acumulat apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Línia # {0}: Lots no ha de ser el mateix que {1} {2} -DocType: Employee,Leave Details,Deixa els detalls +DocType: Employee Checkin,Shift Start,Majúscula apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Les transaccions de valors abans de {0} estan congelades DocType: Driver,Issuing Date,Data de publicació apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Sol·licitant @@ -3017,9 +3042,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalls de plantilla de mapeig de flux de caixa apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Contractació i formació DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Configuració del període de gràcia per assistència automàtica apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,De divisa i moneda no pot ser el mateix apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmàcia DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Horari de suport apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} es cancel·la o es tanca apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,La fila {0}: l’avanç contra el client ha de ser crèdit apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Agrupa per bo (consolidat) @@ -3129,6 +3156,7 @@ DocType: Asset Repair,Repair Status,Estat de la reparació DocType: Territory,Territory Manager,Gestor de territoris DocType: Lab Test,Sample ID,Identificació de la mostra apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,La cistella està buida +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 registres d'entrada dels empleats apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,L’actiu {0} s’ha de presentar ,Absent Student Report,Informe absent de l’estudiant 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 @@ -3136,7 +3164,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,L DocType: Travel Request Costing,Funded Amount,Import finançat apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} no s’ha enviat de manera que l’acció no s’hagi pogut completar DocType: Subscription,Trial Period End Date,Data de finalització del període de prova +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Alternar entrades com IN i OUT durant el mateix canvi DocType: BOM Update Tool,The new BOM after replacement,El nou BOM després de la seva substitució +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Tema 5 DocType: Employee,Passport Number,Número de passaport apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Obertura temporal @@ -3252,6 +3282,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Informes clau apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Possible proveïdor ,Issued Items Against Work Order,Articles emesos contra ordre de treball apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Creació de {0} factura +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Configureu el sistema de nomenament d’instructor a l’educació> Configuració de l’educació DocType: Student,Joining Date,Data d'adhesió apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Lloc de sol·licitud DocType: Purchase Invoice,Against Expense Account,Contingut de despeses @@ -3291,6 +3322,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Tarifes aplicables ,Point of Sale,Punt de venda DocType: Authorization Rule,Approving User (above authorized value),Usuari aprovat (per sobre del valor autoritzat) +DocType: Service Level Agreement,Entity,Entitat apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Import {0} {1} transferit de {2} a {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},El client {0} no pertany al projecte {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Del nom de la festa @@ -3337,6 +3369,7 @@ DocType: Asset,Opening Accumulated Depreciation,Obertura d’amortització acumu DocType: Soil Texture,Sand Composition (%),Composició de sorra (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Dades del llibre d’importació +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configureu les sèries de noms per a {0} a través de la configuració> Configuració> Sèries de noms DocType: Asset,Asset Owner Company,Empresa propietària d’actius apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,El centre de costos és necessari per reservar una reclamació de despesa apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} números de sèrie vàlids per a l’element {1} @@ -3397,7 +3430,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Propietari d’actius apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},El magatzem és obligatori per a la partida d’estoc {0} de la fila {1} DocType: Stock Entry,Total Additional Costs,Costos addicionals totals -DocType: Marketplace Settings,Last Sync On,Última sincronització activada apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,"Si us plau, establiu com a mínim una fila a la taula Impostos i càrrecs" DocType: Asset Maintenance Team,Maintenance Team Name,Nom de l'equip de manteniment apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Gràfic de centres de costos @@ -3413,12 +3445,12 @@ DocType: Sales Order Item,Work Order Qty,Quantitat de treball de comanda DocType: Job Card,WIP Warehouse,Magatzem WIP DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},L'identificador d'usuari no està definit per a empleat {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","La quantitat disponible és {0}, necessiteu {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,L’usuari {0} ha estat creat DocType: Stock Settings,Item Naming By,Element que nomena per apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Ordenat apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Aquest és un grup de clients arrel i no es pot editar. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,La sol·licitud de material {0} es cancel·la o s'atura +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Basat estrictament en el tipus de registre a Checkin dels empleats DocType: Purchase Order Item Supplied,Supplied Qty,Quantitat subministrada DocType: Cash Flow Mapper,Cash Flow Mapper,Mapeador de fluxos d’efectiu DocType: Soil Texture,Sand,Sorra @@ -3477,6 +3509,7 @@ DocType: Lab Test Groups,Add new line,Afegeix una nova línia apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,S'ha trobat el grup d’articles duplicat a la taula de grups d’articles apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Sou anual DocType: Supplier Scorecard,Weighting Function,Funció de ponderació +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}) que no s’ha trobat per a l’article: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Error en avaluar la fórmula de criteris ,Lab Test Report,Informe de prova de laboratori DocType: BOM,With Operations,Amb operacions @@ -3490,6 +3523,7 @@ DocType: Expense Claim Account,Expense Claim Account,Compte de reclamació de de apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,No hi ha pagaments disponibles per a l'entrada de diari apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} és un estudiant inactiu apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Feu una entrada en accions +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Recursió BOM: {0} no pot ser pare o fill de {1} DocType: Employee Onboarding,Activities,Activitats apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Almenys un magatzem és obligatori ,Customer Credit Balance,Saldo de crèdit de clients @@ -3502,9 +3536,11 @@ DocType: Supplier Scorecard Period,Variables,Les variables apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Programa de fidelització múltiple per al client. Seleccioneu manualment. DocType: Patient,Medication,Medicació apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Seleccioneu el programa de fidelització +DocType: Employee Checkin,Attendance Marked,Assistència marcada apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Matèries primeres DocType: Sales Order,Fully Billed,Totalment facturat apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Si us plau, establiu la tarifa de l'habitació de l'hotel al {}" +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Seleccioneu només una prioritat com a predeterminada. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identifiqueu / creeu un compte (registre) per al tipus - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,El nombre total de crèdit / dèbit ha de ser el mateix que l’entrada de diari enllaçada DocType: Purchase Invoice Item,Is Fixed Asset,És un bé fix @@ -3525,6 +3561,7 @@ DocType: Purpose of Travel,Purpose of Travel,Propòsit del viatge DocType: Healthcare Settings,Appointment Confirmation,Confirmació de cites DocType: Shopping Cart Settings,Orders,Comandes DocType: HR Settings,Retirement Age,Edat de jubilació +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Si us plau, configureu les sèries de numeració per assistència mitjançant la configuració> Sèries de numeració" apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Quantitat projectada apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},No es permet la supressió per al país {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Fila # {0}: l’actiu {1} ja és {2} @@ -3608,11 +3645,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Comptador apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},El Toll de tancament de POS existeix per a {0} entre la data {1} i {2} apps/erpnext/erpnext/config/help.py,Navigating,Navegació +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Les factures pendents no requereixen una revaloració del tipus de canvi DocType: Authorization Rule,Customer / Item Name,Nom del client / element apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,No s’ha de tenir un magatzem nou. El magatzem ha d'estar establert per l'entrada de valors o el rebut de compra DocType: Issue,Via Customer Portal,A través del portal de clients DocType: Work Order Operation,Planned Start Time,Hora d'inici planificada apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} és {2} +DocType: Service Level Priority,Service Level Priority,Prioritat del nivell de servei apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Nombre d’amortitzacions reservades no pot ser superior al nombre total d’amortitzacions apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Compartir llibre major DocType: Journal Entry,Accounts Payable,Comptes a pagar @@ -3723,7 +3762,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Lliurament a DocType: Bank Statement Transaction Settings Item,Bank Data,Dades bancàries apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Actualització programada -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Manteniu les hores de facturació i les hores de treball mateix en el full de temps apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Pista d’orientació per font de plom. DocType: Clinical Procedure,Nursing User,Usuari d'Infermeria DocType: Support Settings,Response Key List,Llista de claus de resposta @@ -3891,6 +3929,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Hora d'inici real DocType: Antibiotic,Laboratory User,Usuari de laboratori apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Subhastes en línia +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,S'ha repetit la prioritat {0}. DocType: Fee Schedule,Fee Creation Status,Estat de creació de comissions apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Programari apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Comanda de venda a pagament @@ -3957,6 +3996,7 @@ DocType: Patient Encounter,In print,Imprès apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,No s’ha pogut recuperar la informació de {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,La moneda de facturació ha de ser igual a la moneda de la companyia per defecte o a la moneda del compte de partit apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Introduïu l’identificador de l’empleat d’aquesta persona comercial +DocType: Shift Type,Early Exit Consequence after,Després de sortir de la conseqüència apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Creeu factures d'obertura i de compra DocType: Disease,Treatment Period,Període de tractament apps/erpnext/erpnext/config/settings.py,Setting up Email,Configuració del correu electrònic @@ -3974,7 +4014,6 @@ DocType: Employee Skill Map,Employee Skills,Habilitats dels empleats apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Nom de l'estudiant: DocType: SMS Log,Sent On,Enviada DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Factura de vendes -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,El temps de resposta no pot ser superior al temps de resolució DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Per al grup d'estudiants basats en cursos, el curs serà validat per a cada estudiant dels cursos matriculats en matrícula." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Subministraments intraestatals DocType: Employee,Create User Permission,Crear permisos d'usuari @@ -4013,6 +4052,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Termes contractuals estàndard per a vendes o compra. DocType: Sales Invoice,Customer PO Details,Detalls de client del client apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,No s'ha trobat el pacient +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Seleccioneu una prioritat per defecte. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Elimineu l’element si les càrregues no s’apliquen a l’article apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Hi ha un grup de clients amb el mateix nom si us plau canvieu el nom del client o canvieu el nom del grup de clients 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. @@ -4052,6 +4092,7 @@ DocType: Quality Goal,Quality Goal,Objectiu de qualitat DocType: Support Settings,Support Portal,Portal de suport apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},La data de finalització de la tasca {0} no pot ser inferior a {1} data d'inici prevista {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},L'empleat {0} està en Deixar a {1} +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} DocType: Employee,Held On,S'ha acabat DocType: Healthcare Practitioner,Practitioner Schedules,Horaris de practicants DocType: Project Template Task,Begin On (Days),Comenceu (dies) @@ -4059,6 +4100,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},L’ordre de treball ha estat {0} DocType: Inpatient Record,Admission Schedule Date,Data del calendari d’admissió apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Ajust de valors d’actius +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Marqueu l’assistència basant-vos en l’enviament de l’empleat per a empleats assignats a aquest torn. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Subministraments realitzats a persones no registrades apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Tots els treballs DocType: Appointment Type,Appointment Type,Tipus de cita @@ -4172,7 +4214,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),El pes total del paquet. Normalment pes net i pes del material d’embalatge. (per imprimir) DocType: Plant Analysis,Laboratory Testing Datetime,Datetime de proves de laboratori apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,L’element {0} no pot tenir Lots -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Canals de vendes per etapa apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Força del grup d'estudiants DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Entrada de transaccions de declaració bancària DocType: Purchase Order,Get Items from Open Material Requests,Obteniu elements de sol·licituds de material obert @@ -4254,7 +4295,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Mostra el magatzem envelliment DocType: Sales Invoice,Write Off Outstanding Amount,Escriviu la quantitat pendent excepcional DocType: Payroll Entry,Employee Details,Detalls dels empleats -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,L’hora d’inici no pot ser superior a l’hora de finalització de {0}. DocType: Pricing Rule,Discount Amount,Import de descompte DocType: Healthcare Service Unit Type,Item Details,Detalls de l’element apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Declaració de l'impost duplicada de {0} per al període {1} @@ -4307,7 +4347,7 @@ DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,El salari net no pot ser negatiu apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Nombre d'interaccions 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} # ítem {1} no es pot transferir més de {2} que l’ordre de compra {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Canviar +DocType: Attendance,Shift,Canviar apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Gràfic de processament de comptes i partits DocType: Stock Settings,Convert Item Description to Clean HTML,Convertiu la descripció de l'element a HTML net apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Tots els grups de proveïdors @@ -4378,6 +4418,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Activitat d DocType: Healthcare Service Unit,Parent Service Unit,Unitat de servei de pares DocType: Sales Invoice,Include Payment (POS),Inclou pagament (TPV) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Capital privat +DocType: Shift Type,First Check-in and Last Check-out,Primer registre i registre de sortida DocType: Landed Cost Item,Receipt Document,Document de recepció DocType: Supplier Scorecard Period,Supplier Scorecard Period,Període del quadre de comandament dels proveïdors DocType: Employee Grade,Default Salary Structure,Estructura del salari predeterminada @@ -4460,6 +4501,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Crea una comanda de compra apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definiu el pressupost per a un exercici. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,La taula de comptes no pot estar en blanc. +DocType: Employee Checkin,Entry Grace Period Consequence,Entrada Grace Period Conseqüence ,Payment Period Based On Invoice Date,Període de pagament basat en la data de facturació apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},La data d’instal·lació no pot ser abans de la data de lliurament de l’element {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Enllaç a la sol·licitud de material @@ -4468,6 +4510,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Tipus de dade apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Fila {0}: ja existeix una entrada de reordenació per a aquest magatzem {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data de documentació DocType: Monthly Distribution,Distribution Name,Nom de distribució +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,La jornada laboral {0} s'ha repetit. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Agrupeu-vos a persones que no pertanyen a grups apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Actualització en curs. Pot trigar una estona. DocType: Item,"Example: ABCD.##### @@ -4480,6 +4523,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Quantitat de combustible apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile No DocType: Invoice Discounting,Disbursed,Desemborsat +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 considera la sortida per a assistència. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Canvi net de comptes a cobrar apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,No disponible apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Temps parcial @@ -4493,7 +4537,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Possible apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Mostra PDC a Print apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Supplier DocType: POS Profile User,POS Profile User,Usuari de perfil de PDI -DocType: Student,Middle Name,Segon nom DocType: Sales Person,Sales Person Name,Nom de la persona de vendes DocType: Packing Slip,Gross Weight,Pes brut DocType: Journal Entry,Bill No,Projecte de llei núm @@ -4502,7 +4545,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nova DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Acord de nivell de servei -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Seleccioneu primer l’empleat i la data apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,La taxa de valoració de l’article es recalcula tenint en compte l’import del val de cost d’aterratge DocType: Timesheet,Employee Detail,Detall dels empleats DocType: Tally Migration,Vouchers,Vouchers @@ -4537,7 +4579,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Acord de nivell DocType: Additional Salary,Date on which this component is applied,Data en què s'aplica aquest component apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Llista d’accionistes disponibles amb números de folio apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Configuració dels comptes de passarel·la. -DocType: Service Level,Response Time Period,Període de temps de resposta +DocType: Service Level Priority,Response Time Period,Període de temps de resposta DocType: Purchase Invoice,Purchase Taxes and Charges,Compreu impostos i càrrecs DocType: Course Activity,Activity Date,Activitat Data apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Seleccioneu o afegiu un client nou @@ -4562,6 +4604,7 @@ DocType: Sales Person,Select company name first.,Seleccioneu primer el nom de l& apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Any financer DocType: Sales Invoice Item,Deferred Revenue,Ingressos diferits apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,"Almenys, cal seleccionar un dels productes de venda o de compra" +DocType: Shift Type,Working Hours Threshold for Half Day,Llindar de les hores de treball per a mig dia ,Item-wise Purchase History,Historial de compres d’un article apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},No es pot canviar la data de parada del servei de l’element de la fila {0} DocType: Production Plan,Include Subcontracted Items,Inclou elements subcontractats @@ -4594,6 +4637,7 @@ DocType: Journal Entry,Total Amount Currency,Quantitat total de moneda DocType: BOM,Allow Same Item Multiple Times,Permeten múltiples vegades el mateix element apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Crea BOM DocType: Healthcare Practitioner,Charges,Càrregues +DocType: Employee,Attendance and Leave Details,Assistència i detalls de sortida DocType: Student,Personal Details,Detalls personals DocType: Sales Order,Billing and Delivery Status,Estat de facturació i lliurament apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Fila {0}: per al proveïdor es requereix {0} l’adreça de correu electrònic per enviar correu electrònic @@ -4645,7 +4689,6 @@ DocType: Bank Guarantee,Supplier,Proveïdor apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Introduïu el valor entre {0} i {1} DocType: Purchase Order,Order Confirmation Date,Data de confirmació de la comanda DocType: Delivery Trip,Calculate Estimated Arrival Times,Calcula els temps d’arribada estimats -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configureu el sistema de nomenament d'empleats en Recursos humans> Configuració de recursos humans apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumibles DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.AAAA.- DocType: Subscription,Subscription Start Date,Data d'inici de la subscripció @@ -4668,7 +4711,7 @@ DocType: Installation Note Item,Installation Note Item,Nota sobre la instal·lac DocType: Journal Entry Account,Journal Entry Account,Compte d’entrada de diari apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variant apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Activitat del fòrum -DocType: Service Level,Resolution Time Period,Període de temps de resolució +DocType: Service Level Priority,Resolution Time Period,Període de temps de resolució DocType: Request for Quotation,Supplier Detail,Detall del proveïdor DocType: Project Task,View Task,Veure la tasca DocType: Serial No,Purchase / Manufacture Details,Detalls de compra / fabricació @@ -4735,6 +4778,7 @@ DocType: Sales Invoice,Commission Rate (%),Tarifa de la comissió (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,El magatzem només es pot canviar a través d’inerta de participació / nota de lliurament / rebut de compra DocType: Support Settings,Close Issue After Days,Tanca l'emissió després de dies DocType: Payment Schedule,Payment Schedule,Pla de pagament +DocType: Shift Type,Enable Entry Grace Period,Habilita el període de gràcia d’entrada DocType: Patient Relation,Spouse,Cònjuge DocType: Purchase Invoice,Reason For Putting On Hold,Motiu per posar en espera DocType: Item Attribute,Increment,Increment @@ -4874,6 +4918,7 @@ DocType: Authorization Rule,Customer or Item,Client o article DocType: Vehicle Log,Invoice Ref,Factura Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},El formulari C no és aplicable a la factura: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Factura creada +DocType: Shift Type,Early Exit Grace Period,Període de gràcia de sortida anticipada DocType: Patient Encounter,Review Details,Reviseu els detalls apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Fila {0}: el valor de les hores ha de ser superior a zero. DocType: Account,Account Number,Número de compte @@ -4885,7 +4930,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned 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" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Condicions superposades que es troben entre: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Pagat i no lliurat -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,El codi d'ítem és obligatori perquè l'element no està numerat automàticament DocType: GST HSN Code,HSN Code,Codi HSN DocType: GSTR 3B Report,September,Setembre apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Despeses administratives @@ -4921,6 +4965,8 @@ DocType: Travel Itinerary,Travel From,Viatge des de apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Compte CWIP DocType: SMS Log,Sender Name,Nom del remitent DocType: Pricing Rule,Supplier Group,Grup de proveïdors +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Definiu l’hora de sortida i l’hora de finalització del dia de suport {0} a l’índex {1}. DocType: Employee,Date of Issue,Data d'emissió ,Requested Items To Be Transferred,Els elements sol·licitats a transferir DocType: Employee,Contract End Date,Data de finalització del contracte @@ -4931,6 +4977,7 @@ DocType: Healthcare Service Unit,Vacant,Vacant DocType: Opportunity,Sales Stage,Etapa de vendes DocType: Sales Order,In Words will be visible once you save the Sales Order.,En paraules serà visible una vegada que hàgiu desat l’ordre de venda. DocType: Item Reorder,Re-order Level,Reordena el nivell +DocType: Shift Type,Enable Auto Attendance,Activa l'assistència automàtica apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Preferència ,Department Analytics,Departament d'Analítica DocType: Crop,Scientific Name,Nom científic @@ -4943,6 +4990,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} estat és {2} DocType: Quiz Activity,Quiz Activity,Activitat del qüestionari apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} no es troba en un període de nòmina vàlid DocType: Timesheet,Billed,Facturat +apps/erpnext/erpnext/config/support.py,Issue Type.,Tipus d'emissió. DocType: Restaurant Order Entry,Last Sales Invoice,Factura de les últimes vendes DocType: Payment Terms Template,Payment Terms,Condicions de pagament apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Quantitat reservada: quantitat ordenada per a la venda, però no enviada." @@ -5038,6 +5086,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Actiu apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} no té un calendari de professional de la salut. Afegeix-lo al mestre del professional de la salut DocType: Vehicle,Chassis No,Xassís núm +DocType: Employee,Default Shift,Canvi per defecte apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Sigles d’empreses apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Arbre de la factura de materials DocType: Article,LMS User,Usuari LMS @@ -5086,6 +5135,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Persona de venda de pares DocType: Student Group Creation Tool,Get Courses,Obteniu cursos apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Fila # {0}: la quantitat ha de ser 1, ja que l’ítem és un actiu fix. Utilitzeu una fila separada per a quantitat múltiple." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Hores de treball per sota de les quals es marca l’absència. (Zero per desactivar) DocType: Customer Group,Only leaf nodes are allowed in transaction,Només es permeten els nodes de fulla en la transacció DocType: Grant Application,Organization,Organització DocType: Fee Category,Fee Category,Categoria de tarifes @@ -5098,6 +5148,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Actualitzeu el vostre estat per a aquest esdeveniment de formació DocType: Volunteer,Morning,Matí DocType: Quotation Item,Quotation Item,Article de cotització +apps/erpnext/erpnext/config/support.py,Issue Priority.,Prioritat de l'emissió. DocType: Journal Entry,Credit Card Entry,Entrada de targeta de crèdit apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","S'ha omès la franja horària, la ranura {0} a {1} se superposa a la ranura {2} existent a {3}" DocType: Journal Entry Account,If Income or Expense,Si són ingressos o despeses @@ -5148,11 +5199,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Importació i configuració de dades 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 es marca l'opció Auto Opció, els clients es vincularan automàticament amb el programa de fidelització corresponent (en desar)" DocType: Account,Expense Account,Compte de despeses +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,El temps abans de l’hora d’inici del torn durant la qual es considera que l’hora d’inici del registre d’empleats és freqüent. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Relació amb Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Crear factura apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},La sol·licitud de pagament ja existeix {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',L'empleat rellevat a {0} s'ha de configurar com a 'Esquerra' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Paga {0} {1} +DocType: Company,Sales Settings,Configuració de vendes DocType: Sales Order Item,Produced Quantity,Quantitat produïda apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Es pot accedir a la sol·licitud d’oferta fent clic a l’enllaç següent DocType: Monthly Distribution,Name of the Monthly Distribution,Nom de la distribució mensual @@ -5231,6 +5284,7 @@ DocType: Company,Default Values,Valors predeterminats apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Es creen plantilles d’impostos per defecte per a vendes i compres. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,El tipus de sortida {0} no es pot reenviar apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,El compte de dèbit ha de ser un compte de cobrament +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 l’actual. apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},"Si us plau, establiu el compte a Magatzem {0} o el compte d’inventari per defecte a la companyia {1}" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Establir com a defecte DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),El pes net d’aquest paquet. (calculat automàticament com a suma del pes net dels articles) @@ -5257,8 +5311,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,G apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Lots finalitzats DocType: Shipping Rule,Shipping Rule Type,Tipus de regla d'enviament DocType: Job Offer,Accepted,Acceptat -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Elimineu l’empleat {0} per cancel·lar aquest document" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Ja heu avaluat els criteris d’avaluació {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Seleccioneu els números de lot apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Edat (dies) @@ -5285,6 +5337,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Seleccioneu els vostres dominis DocType: Agriculture Task,Task Name,Nom de la tasca apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Entrades d'estoc ja creades per a l'Ordre de Treball +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Elimineu l’empleat {0} per cancel·lar aquest document" ,Amount to Deliver,Import a lliurar apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,La companyia {0} no existeix apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,No s’han trobat sol·licituds de material pendents que enllacin els elements indicats. @@ -5334,6 +5388,7 @@ DocType: Program Enrollment,Enrolled courses,Cursos inscrits DocType: Lab Prescription,Test Code,Codi de prova DocType: Purchase Taxes and Charges,On Previous Row Total,A la fila anterior Total DocType: Student,Student Email Address,Adreça de correu electrònic de l'estudiant +,Delayed Item Report,Informe d'ítem retardat DocType: Academic Term,Education,Educació DocType: Supplier Quotation,Supplier Address,Adreça del proveïdor DocType: Salary Detail,Do not include in total,No inclogueu en total @@ -5341,7 +5396,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} no existeix DocType: Purchase Receipt Item,Rejected Quantity,Quantitat rebutjada DocType: Cashier Closing,To TIme,Al temps -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}) que no s’ha trobat per a l’article: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Resum de treball diari Usuari del grup DocType: Fiscal Year Company,Fiscal Year Company,Empresa de l’exercici fiscal apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,L’element alternatiu no ha de ser el mateix que el codi de l’article @@ -5393,6 +5447,7 @@ DocType: Program Fee,Program Fee,Quota del programa DocType: Delivery Settings,Delay between Delivery Stops,Retard entre parades de lliurament DocType: Stock Settings,Freeze Stocks Older Than [Days],Congelació d’estades de més de [dies] DocType: Promotional Scheme,Promotional Scheme Product Discount,Esquema de productes de descompte promocional +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,La prioritat del problema ja existeix DocType: Account,Asset Received But Not Billed,Actiu rebut però no facturat DocType: POS Closing Voucher,Total Collected Amount,Import total recaptat DocType: Course,Default Grading Scale,Escala de qualificació per defecte @@ -5435,6 +5490,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Termes de compliment apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Sense grup a grup DocType: Student Guardian,Mother,Mare +DocType: Issue,Service Level Agreement Fulfilled,Acord de nivell de servei realitzat DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Deduïu impostos sobre beneficis per als empleats no reclamats DocType: Travel Request,Travel Funding,Finançament de viatges DocType: Shipping Rule,Fixed,S'ha corregit @@ -5464,10 +5520,12 @@ DocType: Item,Warranty Period (in days),Període de garantia (en dies) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,No s’ha trobat cap element. DocType: Item Attribute,From Range,Del rang DocType: Clinical Procedure,Consumables,Consumibles +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,Es requereixen "employee_field_value" i "timestamp". DocType: Purchase Taxes and Charges,Reference Row #,Fila de referència apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Configureu "Centre de cost d’amortització d’actius" a la companyia {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Fila # {0}: es necessita un document de pagament per completar la transmissió DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Feu clic en aquest botó per treure les dades de la vostra comanda de venda d’Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Hores de treball per sota de les quals es marca el mig dia (Zero per desactivar) ,Assessment Plan Status,Estat del pla d’avaluació apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Seleccioneu {0} primer apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Envieu-ho per crear el registre de l’empleat @@ -5538,6 +5596,7 @@ DocType: Quality Procedure,Parent Procedure,Procediment principal apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Establir obert apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Canviar els filtres DocType: Production Plan,Material Request Detail,Detall de sol·licitud de material +DocType: Shift Type,Process Attendance After,Procés d'assistència després DocType: Material Request Item,Quantity and Warehouse,Quantitat i magatzem apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Aneu a Programes apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Fila # {0}: entrada duplicada a les referències {1} {2} @@ -5595,6 +5654,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Informació del partit apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Deutors ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Fins ara no es pot superar la data de l'alliberament de l'empleat +DocType: Shift Type,Enable Exit Grace Period,Activa el període de sortida de gràcia DocType: Expense Claim,Employees Email Id,Identificador de correu electrònic dels empleats DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Actualització del preu de la llista de preus de Shopify To ERPNext DocType: Healthcare Settings,Default Medical Code Standard,Norma per defecte del codi mèdic @@ -5625,7 +5685,6 @@ DocType: Item Group,Item Group Name,Nom del grup d'elements DocType: Budget,Applicable on Material Request,Aplicable a la sol·licitud de material DocType: Support Settings,Search APIs,Cerca de les API DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Percentatge de sobreproducció per ordre de venda -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Especificacions DocType: Purchase Invoice,Supplied Items,Articles subministrats DocType: Leave Control Panel,Select Employees,Seleccioneu Empleats apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Seleccioneu el compte d'ingressos d'interès en préstec {0} @@ -5651,7 +5710,7 @@ DocType: Salary Slip,Deductions,Deduccions ,Supplier-Wise Sales Analytics,Anàlisi de vendes sàvia del proveïdor DocType: GSTR 3B Report,February,Febrer DocType: Appraisal,For Employee,Per a empleats -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Data de lliurament real +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Data de lliurament real DocType: Sales Partner,Sales Partner Name,Nom del soci de vendes apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Línia d’amortització {0}: la data d’inici de l’amortització s’introdueix com a data passada DocType: GST HSN Code,Regional,Regional @@ -5690,6 +5749,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Fac DocType: Supplier Scorecard,Supplier Scorecard,Quadre de comandament del proveïdor DocType: Travel Itinerary,Travel To,Viatjar a apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Marcar l'assistència +DocType: Shift Type,Determine Check-in and Check-out,Determineu l’entrada i el registre de sortida DocType: POS Closing Voucher,Difference,Diferència apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Petit DocType: Work Order Item,Work Order Item,Article de comanda de treball @@ -5723,6 +5783,7 @@ DocType: Sales Invoice,Shipping Address Name,Nom de l'adreça d'enviamen apps/erpnext/erpnext/healthcare/setup.py,Drug,Medicament apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} està tancat DocType: Patient,Medical History,Historial mèdic +DocType: Expense Claim,Expense Taxes and Charges,Impostos i despeses de despeses DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Nombre de dies posteriors a la data de la factura abans de cancel·lar la subscripció o marcar la subscripció com a impagats 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 enviat DocType: Patient Relation,Family,Família @@ -5755,7 +5816,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Força apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} unitats de {1} necessiten a {2} per completar aquesta transacció. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Inflamació de matèries primeres de subcontractació basades en -DocType: Bank Guarantee,Customer,Client DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Si està habilitat, el camp Termini acadèmic serà obligatori a l'eina d'inscripció al programa." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Per al grup d'estudiants basat en lots, el lot d'estudiants serà validat per a cada estudiant de la matrícula del programa." DocType: Course,Topics,Temes @@ -5835,6 +5895,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Membres del capítol DocType: Warranty Claim,Service Address,Adreça del servei DocType: Journal Entry,Remark,Observació +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Fila {0}: la quantitat no disponible per a {4} al magatzem {1} en el moment de publicar l’entrada ({2} {3}) DocType: Patient Encounter,Encounter Time,Temps de trobada DocType: Serial No,Invoice Details,Detalls de la factura apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Es poden fer comptes addicionals sota Grups, però les entrades es poden fer en contra dels no-Grups" @@ -5915,6 +5976,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","U apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Tancament (obertura + total) DocType: Supplier Scorecard Criteria,Criteria Formula,Fórmula de criteris apps/erpnext/erpnext/config/support.py,Support Analytics,Suport a Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Identificador de dispositiu d'assistència (identificador biomètric / etiqueta RF) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Revisió i acció DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Si el compte està bloquejat, les entrades es permeten als usuaris restringits." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Import després d’amortització @@ -5936,6 +5998,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Amortització de préstecs DocType: Employee Education,Major/Optional Subjects,Assignatures majors / opcionals DocType: Soil Texture,Silt,Silt +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Adreces i contactes dels proveïdors DocType: Bank Guarantee,Bank Guarantee Type,Tipus de garantia bancària DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Si es desactiva, el camp "Total arrodonit" no serà visible en cap transacció" DocType: Pricing Rule,Min Amt,Min Amt @@ -5974,6 +6037,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Obertura de l’element de l’eina de creació de factures DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Inclou transaccions de TPV +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},No s’ha trobat cap empleat per al valor del camp de l’empleat donat. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Import rebut (moneda de l’empresa) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage està ple, no ha desat" DocType: Chapter Member,Chapter Member,Capítol membre @@ -6006,6 +6070,7 @@ DocType: SMS Center,All Lead (Open),Tot el plom (obert) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,No s’ha creat cap grup d’estudiants. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Duplicar la fila {0} amb el mateix {1} DocType: Employee,Salary Details,Detalls de salari +DocType: Employee Checkin,Exit Grace Period Consequence,Surt de la conseqüència del període de gràcia DocType: Bank Statement Transaction Invoice Item,Invoice,Factura DocType: Special Test Items,Particulars,Particulars apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Configureu el filtre segons l’element o el magatzem @@ -6107,6 +6172,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Fora d'AMC DocType: Job Opening,"Job profile, qualifications required etc.","Perfil de treball, qualificacions requerides, etc." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Envia a l'Estat +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Voleu enviar la sol·licitud de material DocType: Opportunity Item,Basic Rate,Tarifa bàsica DocType: Compensatory Leave Request,Work End Date,Data de finalització del treball apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Sol·licitud de matèries primeres @@ -6292,6 +6358,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Import d’amortització DocType: Sales Order Item,Gross Profit,Benefici brut DocType: Quality Inspection,Item Serial No,Número de sèrie de l'article DocType: Asset,Insurer,Asseguradora +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Compra d’import DocType: Asset Maintenance Task,Certificate Required,Certificat necessari DocType: Retention Bonus,Retention Bonus,Bonificació de retenció @@ -6407,6 +6474,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Quantitat de diferè DocType: Invoice Discounting,Sanctioned,Sancionat DocType: Course Enrollment,Course Enrollment,Inscripció al curs DocType: Item,Supplier Items,Elements del proveïdor +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",L’hora d’inici no pot ser igual o superior a l’hora de finalització de {0}. DocType: Sales Order,Not Applicable,No aplicable DocType: Support Search Source,Response Options,Opcions de resposta apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} hauria de tenir un valor entre 0 i 100 @@ -6491,7 +6560,6 @@ DocType: Travel Request,Costing,Costos apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Actius fixos DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Guanys totals -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clients> Territori DocType: Share Balance,From No,Des del núm DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Factura de reconciliació de pagaments DocType: Purchase Invoice,Taxes and Charges Added,Impostos i despeses afegits @@ -6599,6 +6667,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignora la regla de preus apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Aliments DocType: Lost Reason Detail,Lost Reason Detail,Detall de la raó perduda +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Es van crear els següents números de sèrie:
{0} DocType: Maintenance Visit,Customer Feedback,Comentaris dels clients DocType: Serial No,Warranty / AMC Details,Detalls de la garantia / AMC DocType: Issue,Opening Time,Horari d'obertura @@ -6648,6 +6717,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,El nom de l'empresa no és el mateix apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,La promoció dels empleats no es pot enviar abans de la data de promoció apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},No es permet actualitzar les transaccions de valors més grans que {0} +DocType: Employee Checkin,Employee Checkin,Facturació dels empleats 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 inferior a la data de finalització de l'element {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Creeu pressupostos de clients DocType: Buying Settings,Buying Settings,Configuració de la compra @@ -6669,6 +6739,7 @@ DocType: Job Card Time Log,Job Card Time Log,Registre del temps de la targeta de DocType: Patient,Patient Demographics,Demografia del pacient DocType: Share Transfer,To Folio No,A Folio núm apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Flux de caixa procedent d’operacions +DocType: Employee Checkin,Log Type,Tipus de registre DocType: Stock Settings,Allow Negative Stock,Permet estoc negatiu apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Cap dels ítems té cap canvi en quantitat o valor. DocType: Asset,Purchase Date,Data de compra @@ -6713,6 +6784,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Molt hiper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Seleccioneu la naturalesa del vostre negoci. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Seleccioneu el mes i l’any +DocType: Service Level,Default Priority,Prioritat per defecte DocType: Student Log,Student Log,Registre d'estudiants DocType: Shopping Cart Settings,Enable Checkout,Activa la comprovació apps/erpnext/erpnext/config/settings.py,Human Resources,Recursos humans @@ -6741,7 +6813,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Connect Shopify amb ERPNext DocType: Homepage Section Card,Subtitle,Subtítol DocType: Soil Texture,Loam,Loam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor DocType: BOM,Scrap Material Cost(Company Currency),Cost del material de ferralla (moneda de la companyia) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,No s’ha d’enviar la nota de lliurament {0} DocType: Task,Actual Start Date (via Time Sheet),Data d'inici real (a través del full de temps) @@ -6797,6 +6868,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosi DocType: Cheque Print Template,Starting position from top edge,Posició inicial des de la vora superior apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Durada de la cita (minuts) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Aquest empleat ja té un registre amb la mateixa marca horària. {0} DocType: Accounting Dimension,Disable,Inhabilitar DocType: Email Digest,Purchase Orders to Receive,Ordres de compra per rebre apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Produccions Les comandes no es poden recopilar per: @@ -6812,7 +6884,6 @@ DocType: Production Plan,Material Requests,Sol·licituds de material DocType: Buying Settings,Material Transferred for Subcontract,Material transferit per subcontractació DocType: Job Card,Timing Detail,Detall de sincronització apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Obligatori activat -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Importació de {0} de {1} DocType: Job Offer Term,Job Offer Term,Termini de l’oferta de feina DocType: SMS Center,All Contact,Tots els contactes DocType: Project Task,Project Task,Tasca del projecte @@ -6863,7 +6934,6 @@ DocType: Student Log,Academic,Acadèmic apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,L’element {0} no s’ha configurat per als números de sèrie. Check Item master apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,De l'Estat DocType: Leave Type,Maximum Continuous Days Applicable,Dies màxims continus aplicables -apps/erpnext/erpnext/config/support.py,Support Team.,Equip de suport. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Introduïu primer el nom de l’empresa apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Importa amb èxit DocType: Guardian,Alternate Number,Número alternatiu @@ -6955,6 +7025,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Fila # {0}: article afegit DocType: Student Admission,Eligibility and Details,Elegibilitat i detalls DocType: Staffing Plan,Staffing Plan Detail,Detall del pla de personal +DocType: Shift Type,Late Entry Grace Period,Període de presentació tardà DocType: Email Digest,Annual Income,Renda anual DocType: Journal Entry,Subscription Section,Secció de subscripció DocType: Salary Slip,Payment Days,Dies de pagament @@ -7005,6 +7076,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Saldo del compte DocType: Asset Maintenance Log,Periodicity,Periodicitat apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Registre mèdic +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,El tipus de registre és necessari per a les revisions que cauen al torn: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Execució DocType: Item,Valuation Method,Mètode de valoració apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} contra la factura de vendes {1} @@ -7089,6 +7161,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Cost estimat per posic DocType: Loan Type,Loan Name,Nom del préstec apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Estableix el mode de pagament predeterminat DocType: Quality Goal,Revision,Revisió +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,El temps abans del torn finalitza l’hora en què es considera la sortida abans (en minuts). DocType: Healthcare Service Unit,Service Unit Type,Tipus d'unitat de servei DocType: Purchase Invoice,Return Against Purchase Invoice,Devolució contra la factura de compra apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Genera el secret @@ -7244,12 +7317,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Cosmètics DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Marqueu-ho si voleu forçar l’usuari a seleccionar una sèrie abans de desar. No hi haurà cap defecte si comproveu això. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Els usuaris amb aquesta funció poden establir comptes congelats i crear / modificar entrades comptables contra comptes congelats +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codi d'ítem> Grup d'articles> Marca DocType: Expense Claim,Total Claimed Amount,Import total reclamat apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},No s’ha pogut trobar la ranura de temps als {0} dies següents per a l’operació {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Ajustament apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Només es pot renovar si la seva subscripció expira dins dels 30 dies apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},El valor ha de ser entre {0} i {1} DocType: Quality Feedback,Parameters,Paràmetres +DocType: Shift Type,Auto Attendance Settings,Paràmetres d’assistència automàtica ,Sales Partner Transaction Summary,Resum de la transacció de soci de vendes DocType: Asset Maintenance,Maintenance Manager Name,Nom del gestor de manteniment apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,És necessari per obtenir detalls de l’element. @@ -7341,10 +7416,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Valideu la regla aplicada DocType: Job Card Item,Job Card Item,Element de la targeta de treball DocType: Homepage,Company Tagline for website homepage,Tagline d'empresa per a la pàgina web del lloc web +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Definiu el temps de resposta i la resolució per a la prioritat {0} a l’índex {1}. DocType: Company,Round Off Cost Center,Centre de cost reduït DocType: Supplier Scorecard Criteria,Criteria Weight,Criteris Pes DocType: Asset,Depreciation Schedules,Calendaris d’amortització -DocType: Expense Claim Detail,Claim Amount,Quantitat de reclamació DocType: Subscription,Discounts,Descomptes DocType: Shipping Rule,Shipping Rule Conditions,Condicions de la norma d’enviament DocType: Subscription,Cancelation Date,Data de cancel·lació @@ -7372,7 +7447,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Crea Leads apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Mostra valors zero DocType: Employee Onboarding,Employee Onboarding,Empleat onboarding DocType: POS Closing Voucher,Period End Date,Data de finalització del període -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Oportunitats de venda per font DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,El primer deixar l’aprovador de la llista s’ha establert com a valoració Deixa l’autorització. DocType: POS Settings,POS Settings,Configuració del TPV apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Tots els comptes @@ -7393,7 +7467,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Deatil apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Fila # {0}: la tarifa ha de ser la mateixa que {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Articles del servei sanitari -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,No s’ha trobat cap registre apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Gamma d’envelliment 3 DocType: Vital Signs,Blood Pressure,Pressió sanguínea 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 @@ -7440,6 +7513,7 @@ DocType: Company,Existing Company,Empresa existent apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Lots apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Defensa DocType: Item,Has Batch No,Té lot núm +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Dies retardats DocType: Lead,Person Name,Nom de la persona DocType: Item Variant,Item Variant,Variant de l'element DocType: Training Event Employee,Invited,Invitat @@ -7461,7 +7535,7 @@ DocType: Purchase Order,To Receive and Bill,Per rebre i facturar apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Les dates d'inici i de finalització no es troben en un període de nòmina vàlid, no es pot calcular {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Mostra només al client d'aquests grups de clients apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Seleccioneu els elements per desar la factura -DocType: Service Level,Resolution Time,Temps de resolució +DocType: Service Level Priority,Resolution Time,Temps de resolució DocType: Grading Scale Interval,Grade Description,Descripció de qualificacions DocType: Homepage Section,Cards,Targetes DocType: Quality Meeting Minutes,Quality Meeting Minutes,Actes de reunions de qualitat @@ -7488,6 +7562,7 @@ DocType: Project,Gross Margin %,El marge brut % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Balanç de declaració bancària segons el llibre major apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Assistència sanitària (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Magatzem per defecte a per crear una ordre de venda i una nota de lliurament +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,El temps de resposta de {0} a l’índex {1} no pot ser superior al temps de resolució. DocType: Opportunity,Customer / Lead Name,Nom del client / líder DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Import no reclamat @@ -7534,7 +7609,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importació de parts i adreces DocType: Item,List this Item in multiple groups on the website.,Enumereu aquest article en diversos grups del lloc web. DocType: Request for Quotation,Message for Supplier,Missatge per al proveïdor -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,No es pot canviar {0} a mesura que existeixi la transacció de valors de l’element {1}. DocType: Healthcare Practitioner,Phone (R),Telèfon (R) DocType: Maintenance Team Member,Team Member,Membre de l'equip DocType: Asset Category Account,Asset Category Account,Compte de la categoria d’actius diff --git a/erpnext/translations/cs.csv b/erpnext/translations/cs.csv index 31e3d649df..9c4426bec7 100644 --- a/erpnext/translations/cs.csv +++ b/erpnext/translations/cs.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Termín Datum zahájení apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Schůzka {0} a prodejní faktura {1} byla zrušena DocType: Purchase Receipt,Vehicle Number,Číslo vozidla apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Vaše emailová adresa... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Zahrnout výchozí položky knihy +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Zahrnout výchozí položky knihy DocType: Activity Cost,Activity Type,Aktivní typ DocType: Purchase Invoice,Get Advances Paid,Zaplacené zálohy DocType: Company,Gain/Loss Account on Asset Disposal,Zisk / ztráta z prodeje aktiv @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Co to dělá? DocType: Bank Reconciliation,Payment Entries,Platební položky DocType: Employee Education,Class / Percentage,Třída / Procenta ,Electronic Invoice Register,Elektronický registr faktur +DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Počet výskytů, po kterých je důsledek proveden." DocType: Sales Invoice,Is Return (Credit Note),Is Return (Credit Note) +DocType: Price List,Price Not UOM Dependent,Cena není závislá na UOM DocType: Lab Test Sample,Lab Test Sample,Vzorek laboratorního testu DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Pro např. 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Vyhledávání p DocType: Salary Slip,Net Pay,Čistá mzda apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Celkový fakturovaný Amt DocType: Clinical Procedure,Consumables Invoice Separately,Fakturace spotřebního materiálu odděleně +DocType: Shift Type,Working Hours Threshold for Absent,Prahová hodnota pracovní doby pro nepřítomnost DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Rozpočet nelze přiřadit k účtu skupiny {0} DocType: Purchase Receipt Item,Rate and Amount,Sazba a částka @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Nastavit zdrojový sklad DocType: Healthcare Settings,Out Patient Settings,Out Patient Settings DocType: Asset,Insurance End Date,Datum ukončení pojištění DocType: Bank Account,Branch Code,Kód pobočky -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Čas reagovat apps/erpnext/erpnext/public/js/conf.js,User Forum,Uživatelské fórum DocType: Landed Cost Item,Landed Cost Item,Položka nákladových nákladů 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í @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Vedoucí vlastník DocType: Share Transfer,Transfer,Převod apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Vyhledávací položka (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Výsledek odeslán +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Od data nemůže být větší než k dnešnímu dni DocType: Supplier,Supplier of Goods or Services.,Dodavatel zboží nebo služeb. 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: Nevytvářejte účty pro zákazníky a dodavatele apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentská skupina nebo rozvrh kurzu je povinný @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Databáze po DocType: Skill,Skill Name,Jméno dovednosti apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Tisk sestavy DocType: Soil Texture,Ternary Plot,Ternární pozemek -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte položku Řada jmen pro {0} přes Nastavení> Nastavení> Řada názvů apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Podpora Vstupenky DocType: Asset Category Account,Fixed Asset Account,Účet stálých aktiv apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Nejnovější @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Vzdálenost UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Povinné Pro rozvahu DocType: Payment Entry,Total Allocated Amount,Celková přidělená částka DocType: Sales Invoice,Get Advances Received,Získané zálohy +DocType: Shift Type,Last Sync of Checkin,Poslední synchronizace služby Checkin DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Položka Daňová částka zahrnuta v hodnotě apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Plán předplatného DocType: Student,Blood Group,Krevní skupina apps/erpnext/erpnext/config/healthcare.py,Masters,Mistři DocType: Crop,Crop Spacing UOM,Mezera oříznutí UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,"Čas po zahájení startu, kdy je check-in považován za pozdní (v minutách)." apps/erpnext/erpnext/templates/pages/home.html,Explore,Prozkoumat +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nebyly nalezeny žádné zbývající faktury DocType: Promotional Scheme,Product Discount Slabs,Desky slev na výrobky DocType: Hotel Room Package,Amenities,Vybavení DocType: Lab Test Groups,Add Test,Přidat test @@ -1004,6 +1009,7 @@ DocType: Attendance,Attendance Request,Žádost o účast DocType: Item,Moving Average,Pohyblivý průměr DocType: Employee Attendance Tool,Unmarked Attendance,Neoznačená účast DocType: Homepage Section,Number of Columns,Počet sloupců +DocType: Issue Priority,Issue Priority,Priorita problému DocType: Holiday List,Add Weekly Holidays,Přidat týdenní svátky DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Vytvořit platový skluz @@ -1012,6 +1018,7 @@ DocType: Job Offer Term,Value / Description,Hodnota / Popis DocType: Warranty Claim,Issue Date,Datum vydá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,"Vyberte dávku pro položku {0}. Nelze najít jednu dávku, která splňuje tento požadavek" apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Nelze vytvořit retenční bonus pro levé zaměstnance +DocType: Employee Checkin,Location / Device ID,Umístění / ID zařízení DocType: Purchase Order,To Receive,Obdržet apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,"Nacházíte se v režimu offline. Nebudete moci znovu načíst, dokud nebudete mít síť." DocType: Course Activity,Enrollment,Zápis @@ -1020,7 +1027,6 @@ DocType: Lab Test Template,Lab Test Template,Lab Test šablony apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Chybí informace o elektronické fakturaci apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nebyl vytvořen žádný požadavek na materiál -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položek> Značka DocType: Loan,Total Amount Paid,Celková částka zaplacena 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 DocType: Training Event,Trainer Name,Jméno trenéra @@ -1131,6 +1137,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Uveďte prosím úvodní jméno ve vedení {0} DocType: Employee,You can enter any date manually,Můžete zadat libovolné datum ručně DocType: Stock Reconciliation Item,Stock Reconciliation Item,Položka odsouhlasení zásob +DocType: Shift Type,Early Exit Consequence,Důsledek předčasného ukončení DocType: Item Group,General Settings,Obecné nastavení apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Datum splatnosti nesmí být před účtováním / datem faktury dodavatele apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Před odesláním zadejte jméno příjemce. @@ -1169,6 +1176,7 @@ DocType: Account,Auditor,Auditor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Potvrzení platby ,Available Stock for Packing Items,Dostupný sklad pro položky balení apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Odstraňte prosím tuto fakturu {0} z formuláře C {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Každé platné přihlášení a odhlášení DocType: Support Search Source,Query Route String,Řetězec dotazu dotazu DocType: Customer Feedback Template,Customer Feedback Template,Šablona zpětné vazby od zákazníků apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Citáty vedoucí nebo zákazníky. @@ -1203,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Řízení autorizace ,Daily Work Summary Replies,Odpovědi na denní práci apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Byli jste pozváni ke spolupráci na projektu: {0} +DocType: Issue,Response By Variance,Odezva Odchylka DocType: Item,Sales Details,Podrobnosti o prodeji apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Dopis hlavy pro tiskové šablony. DocType: Salary Detail,Tax on additional salary,Daň z příplatku @@ -1326,6 +1335,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Zákaznic DocType: Project,Task Progress,Průběh úkolů DocType: Journal Entry,Opening Entry,Otevření vstupu DocType: Bank Guarantee,Charges Incurred,Vznikly poplatky +DocType: Shift Type,Working Hours Calculation Based On,Výpočet pracovních hodin založený na DocType: Work Order,Material Transferred for Manufacturing,Materiál převedený na výrobu DocType: Products Settings,Hide Variants,Skrýt varianty DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Zakázat plánování kapacity a sledování času @@ -1355,6 +1365,7 @@ DocType: Account,Depreciation,Amortizace DocType: Guardian,Interests,Zájmy DocType: Purchase Receipt Item Supplied,Consumed Qty,Spotřebované množství DocType: Education Settings,Education Manager,Manažer vzdělávání +DocType: Employee Checkin,Shift Actual Start,Shift Skutečný start DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Plánujte protokoly mimo pracovní hodiny pracovní stanice. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Věrnostní body: {0} DocType: Healthcare Settings,Registration Message,Registrační zpráva @@ -1379,9 +1390,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktura již byla vytvořena pro všechny fakturační hodiny DocType: Sales Partner,Contact Desc,Kontaktní formulář DocType: Purchase Invoice,Pricing Rules,Cenová pravidla +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}",Vzhledem k existenci transakcí proti položce {0} nelze hodnotu {1} změnit. DocType: Hub Tracked Item,Image List,Seznam obrázků DocType: Item Variant Settings,Allow Rename Attribute Value,Povolit hodnotu Přejmenovat atribut -DocType: Price List,Price Not UOM Dependant,Cena není závislá na UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Čas (v minutách) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Základní DocType: Loan,Interest Income Account,Účet úrokových výnosů @@ -1391,6 +1402,7 @@ DocType: Employee,Employment Type,Typ zaměstnání apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Zvolte POS profil DocType: Support Settings,Get Latest Query,Získejte nejnovější dotaz DocType: Employee Incentive,Employee Incentive,Motivace zaměstnanců +DocType: Service Level,Priorities,Priority apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Přidání karet nebo vlastních sekcí na domovské stránce DocType: Homepage,Hero Section Based On,Hero sekce založená na DocType: Project,Total Purchase Cost (via Purchase Invoice),Celková nákupní cena (prostřednictvím nákupní faktury) @@ -1451,7 +1463,7 @@ DocType: Work Order,Manufacture against Material Request,Výroba proti požadavk DocType: Blanket Order Item,Ordered Quantity,Objednané množství apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Řádek # {0}: Zamítnutý sklad je povinný proti odmítnuté položce {1} ,Received Items To Be Billed,"Přijaté položky, které mají být účtovány" -DocType: Salary Slip Timesheet,Working Hours,Pracovní doba +DocType: Attendance,Working Hours,Pracovní doba apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Platební režim apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Položky objednávky nebyly včas doručeny apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Doba trvání ve dnech @@ -1571,7 +1583,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,P DocType: Supplier,Statutory info and other general information about your Supplier,Statutární informace a další obecné informace o dodavateli DocType: Item Default,Default Selling Cost Center,Středisko výchozích prodejních nákladů DocType: Sales Partner,Address & Contacts,Adresa a kontakty -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavte prosím číslovací řadu pro Docházku pomocí Nastavení> Číslovací řada DocType: Subscriber,Subscriber,Odběratel apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) není skladem apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Nejdříve vyberte Datum účtování @@ -1582,7 +1593,7 @@ DocType: Project,% Complete Method,Kompletní metoda DocType: Detected Disease,Tasks Created,Úlohy byly vytvořeny apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Pro tuto položku nebo její šablonu musí být aktivní výchozí rozpiska ({0}) apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Sazba Komise -DocType: Service Level,Response Time,Doba odezvy +DocType: Service Level Priority,Response Time,Doba odezvy DocType: Woocommerce Settings,Woocommerce Settings,Nastavení Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Množství musí být kladné DocType: Contract,CRM,CRM @@ -1599,7 +1610,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Poplatek za hospitalizac DocType: Bank Statement Settings,Transaction Data Mapping,Mapování transakčních dat apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Vedení vyžaduje jméno osoby nebo jméno organizace DocType: Student,Guardians,Strážci -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavte prosím instruktorský systém pojmenování ve výuce> Nastavení vzdělávání apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Vybrat značku ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Střední příjem DocType: Shipping Rule,Calculate Based On,Vypočítat na základě @@ -1636,6 +1646,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Nastavte cíl apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Záznam o docházce {0} existuje proti studentovi {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Datum transakce apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Zrušit předplatné +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nelze nastavit dohodu o úrovni služeb {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Čistá částka mzdy DocType: Account,Liability,Odpovědnost DocType: Employee,Bank A/C No.,Bankovní číslo A / C @@ -1701,7 +1712,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Kód položky suroviny apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Faktura nákupu {0} je již odeslána DocType: Fees,Student Email,E-mail studenta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Rekurze kusovníku: {0} nemůže být rodičem nebo dítětem {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Získejte položky ze zdravotnických služeb apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Položka vstupu {0} není odeslána DocType: Item Attribute Value,Item Attribute Value,Hodnota atributu položky @@ -1726,7 +1736,6 @@ DocType: POS Profile,Allow Print Before Pay,Povolit tisk před zaplacením DocType: Production Plan,Select Items to Manufacture,Vyberte položky k výrobě DocType: Leave Application,Leave Approver Name,Opustit jméno schvalovatele DocType: Shareholder,Shareholder,Akcionář -DocType: Issue,Agreement Status,Stav dohody apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Výchozí nastavení pro prodejní transakce. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Vyberte prosím studentský vstup, který je povinný pro zaplaceného studenta" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Vyberte kusovník @@ -1989,6 +1998,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Účet příjmů apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Všechny sklady DocType: Contract,Signee Details,Podrobnosti o signee +DocType: Shift Type,Allow check-out after shift end time (in minutes),Povolit odhlášení po ukončení řazení (v minutách) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Procurement DocType: Item Group,Check this if you want to show in website,"Zaškrtněte toto, pokud chcete zobrazit na webu" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskální rok {0} nebyl nalezen @@ -2055,6 +2065,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Datum zahájení odpisován DocType: Activity Cost,Billing Rate,Fakturační kurz apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Upozornění: Další {0} # {1} existuje proti položce {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,"Chcete-li odhadnout a optimalizovat trasy, povolte nastavení Map Google" +DocType: Purchase Invoice Item,Page Break,Přerušení stránky DocType: Supplier Scorecard Criteria,Max Score,Maximální skóre apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Datum začátku splácení nemůže být před datem výplaty. DocType: Support Search Source,Support Search Source,Zdroj vyhledávání podpory @@ -2121,6 +2132,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Cíl Cíle kvality DocType: Employee Transfer,Employee Transfer,Převod zaměstnanců ,Sales Funnel,Prodejní nálevka DocType: Agriculture Analysis Criteria,Water Analysis,Analýza vody +DocType: Shift Type,Begin check-in before shift start time (in minutes),Zahájit odbavení před zahájením směny (v minutách) DocType: Accounts Settings,Accounts Frozen Upto,Účty Zmrazené nahoru apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Není co editovat. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",Operace {0} delší než jakákoli dostupná pracovní doba v pracovní stanici {1} rozdělte operaci do více operací @@ -2134,7 +2146,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Hoto apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Zakázka odběratele {0} je {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Zpoždění platby (dny) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Zadejte podrobnosti o odpisech +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Zákaznické PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Očekávaný termín dodání by měl být po datu objednávky odběratele +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Množství položky nesmí být nulové apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Neplatný atribut apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Vyberte položku BOM proti položce {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Typ faktury @@ -2144,6 +2158,7 @@ DocType: Maintenance Visit,Maintenance Date,Datum údržby DocType: Volunteer,Afternoon,Odpoledne DocType: Vital Signs,Nutrition Values,Hodnoty výživy DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Přítomnost horečky (teplota> 38,5 ° C / 101,3 ° F nebo trvalá teplota> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Nastavení systému pojmenování zaměstnanců v nastavení lidských zdrojů> Nastavení HR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Reversed DocType: Project,Collect Progress,Sbírejte průběh apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energie @@ -2194,6 +2209,7 @@ DocType: Setup Progress,Setup Progress,Nastavení Pokrok ,Ordered Items To Be Billed,Objednané položky k vyúčtování DocType: Taxable Salary Slab,To Amount,Částka DocType: Purchase Invoice,Is Return (Debit Note),Is Return (Debet Note) +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/config/desktop.py,Getting Started,Začínáme apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Spojit apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Nelze změnit datum zahájení fiskálního roku a datum ukončení fiskálního roku po uložení fiskálního roku. @@ -2212,8 +2228,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Aktuální datum apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Datum zahájení údržby nemůže být před datem dodání pro sériové číslo {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Řádek {0}: Kurz je povinný DocType: Purchase Invoice,Select Supplier Address,Vyberte adresu dodavatele +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Dostupné množství je {0}, které potřebujete {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Zadejte prosím tajné rozhraní API pro spotřebitele DocType: Program Enrollment Fee,Program Enrollment Fee,Poplatek za zápis programu +DocType: Employee Checkin,Shift Actual End,Shift Skutečný konec DocType: Serial No,Warranty Expiry Date,Datum vypršení záruky DocType: Hotel Room Pricing,Hotel Room Pricing,Ceny hotelových pokojů apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Zdanitelné dodávky (jiné než nulové, s nulovým ratingem a osvobozené od daně)" @@ -2273,6 +2291,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Čtení 5 DocType: Shopping Cart Settings,Display Settings,Nastavení obrazovky apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Nastavte počet odpisů rezervovaných +DocType: Shift Type,Consequence after,Následek po apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,S čím potřebuješ pomoci? DocType: Journal Entry,Printing Settings,Nastavení tisku apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bankovnictví @@ -2282,6 +2301,7 @@ DocType: Purchase Invoice Item,PR Detail,PR Detail apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Fakturační adresa je stejná jako adresa pro odesílání DocType: Account,Cash,Hotovost DocType: Employee,Leave Policy,Opustit politiku +DocType: Shift Type,Consequence,Následek apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Adresa studenta DocType: GST Account,CESS Account,Účet CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Nákladové středisko je vyžadováno pro účet 'Zisk a ztráta' {2}. Nastavte prosím pro společnost výchozí výrobní středisko. @@ -2344,6 +2364,7 @@ DocType: GST HSN Code,GST HSN Code,Kód GST HSN DocType: Period Closing Voucher,Period Closing Voucher,Poukaz na uzavření období apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Název Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Zadejte prosím účet výdajů +DocType: Issue,Resolution By Variance,Rozlišení DocType: Employee,Resignation Letter Date,Datum odstoupení DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Doposud @@ -2356,6 +2377,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Zobrazit nyní DocType: Item Price,Valid Upto,Platné Nahoru apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Odkaz Doctype musí být jeden z {0} +DocType: Employee Checkin,Skip Auto Attendance,Přeskočit automatickou účast DocType: Payment Request,Transaction Currency,Měna transakce DocType: Loan,Repayment Schedule,Splátkový kalendář apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Vytvořte položku skladu vzorku @@ -2427,6 +2449,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Přiřazení mz DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Daňové uzávěrky POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Akce Inicializováno DocType: POS Profile,Applicable for Users,Platí pro uživatele +,Delayed Order Report,Zpráva o zpožděném příkazu DocType: Training Event,Exam,Zkouška apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Byl nalezen nesprávný počet položek hlavní knihy. Možná jste v transakci vybrali nesprávný účet. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Prodejní potrubí @@ -2441,10 +2464,11 @@ DocType: Account,Round Off,Zaokrouhlit DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Podmínky budou aplikovány na všechny vybrané položky. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Konfigurovat DocType: Hotel Room,Capacity,Kapacita +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Instalované množství 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. DocType: Hotel Room Reservation,Hotel Reservation User,Uživatel rezervačního systému -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Pracovní den byl opakován dvakrát +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Smlouva o úrovni služby s typem entity {0} a entitou {1} již existuje. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Skupina položek neuvedená v hlavní položce položky pro položku {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Chyba názvu: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Území je vyžadováno v POS profilu @@ -2492,6 +2516,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Plán Datum DocType: Packing Slip,Package Weight Details,Podrobnosti o hmotnosti balení DocType: Job Applicant,Job Opening,Zahájení práce +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Poslední známá úspěšná synchronizace zaměstnanců Checkin. Obnovit pouze tehdy, pokud jste si jisti, že všechny protokoly jsou synchronizovány ze všech míst. Prosím, neupravujte to, pokud si nejste jisti." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Aktuální cena apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Celková záloha ({0}) proti objednávce {1} nemůže být větší než celkový součet ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Varianty položek aktualizovány @@ -2536,6 +2561,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Referenční doklad o ná apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Získejte Faktury DocType: Tally Migration,Is Day Book Data Imported,Je importována data denní knihy ,Sales Partners Commission,Komise obchodních partnerů +DocType: Shift Type,Enable Different Consequence for Early Exit,Povolit různé důsledky pro předčasné ukončení apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Právní DocType: Loan Application,Required by Date,Požadováno podle data DocType: Quiz Result,Quiz Result,Výsledek kvízu @@ -2595,7 +2621,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finančn DocType: Pricing Rule,Pricing Rule,Pravidlo cen apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Volitelný seznam dovolené není nastaven na dobu dovolené {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Nastavte ID uživatele pole v záznamu zaměstnance nastavit zaměstnance role -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Čas k vyřešení DocType: Training Event,Training Event,Tréninková akce DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normální klidový krevní tlak u dospělých je přibližně 120 mmHg systolický a 80 mmHg diastolický, zkráceně "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Pokud je mezní hodnota nulová, systém načte všechny položky." @@ -2639,6 +2664,7 @@ DocType: Woocommerce Settings,Enable Sync,Povolit synchronizaci DocType: Student Applicant,Approved,Schválený apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Od data by mělo být v rámci fiskálního roku. Za předpokladu od data = {0} 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. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} je neplatný stav docházky. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Dočasné otevírání účtu DocType: Purchase Invoice,Cash/Bank Account,Hotovostní / bankovní účet DocType: Quality Meeting Table,Quality Meeting Table,Tabulka kvality setkání @@ -2674,6 +2700,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Potraviny, nápoje a tabák" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Rozvrh kurzu DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detail položky Moudrá daň +DocType: Shift Type,Attendance will be marked automatically only after this date.,Docházka bude automaticky označena až po tomto datu. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Dodávky do držáků UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Žádost o nabídky 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ěna po zadávání pomocí jiné měny @@ -2722,7 +2749,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Je položka z rozbočovače apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Postup kvality. DocType: Share Balance,No of Shares,Počet akcií -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Řádek {0}: Počet není k dispozici pro {4} ve skladu {1} v době odeslání záznamu ({2} {3}) DocType: Quality Action,Preventive,Preventivní DocType: Support Settings,Forum URL,Adresa URL fóra apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Zaměstnanec a docházka @@ -2944,7 +2970,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Typ slevy DocType: Hotel Settings,Default Taxes and Charges,Standardní daně a poplatky apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,To je založeno na transakcích s tímto dodavatelem. Podrobnosti naleznete v níže uvedené časové ose apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Maximální výše příspěvku zaměstnance {0} přesahuje {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Zadejte datum začátku a konce smlouvy. DocType: Delivery Note Item,Against Sales Invoice,Proti prodejní faktuře DocType: Loyalty Point Entry,Purchase Amount,Částka nákupu apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Nelze nastavit jako ztracený jako zakázka odběratele. @@ -2968,7 +2993,7 @@ DocType: Homepage,"URL for ""All Products""",Adresa URL pro všechny produkty DocType: Lead,Organization Name,Název organizace apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Platné od a platné upto pole jsou pro kumulativní povinné apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Řádek # {0}: Číslo šarže musí být stejné jako {1} {2} -DocType: Employee,Leave Details,Podrobnosti nechte +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Transakce akcií před {0} jsou zmrazeny DocType: Driver,Issuing Date,Datum vydání apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Žadatel @@ -3013,9 +3038,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Podrobnosti šablony mapování peněžních toků apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Nábor a školení DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Nastavení doby odezvy pro automatickou účast apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Od měny a do měny nemůže být stejné apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Léčiva DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Hodiny podpory apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} je zrušeno nebo zavřeno apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Řádek {0}: Záloha proti zákazníkovi musí být kreditem apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Seskupit podle kupónu (Konsolidováno) @@ -3125,6 +3152,7 @@ DocType: Asset Repair,Repair Status,Stav opravy DocType: Territory,Territory Manager,oblastní manažer DocType: Lab Test,Sample ID,ID vzorku apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Košík je prázdný +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Docházka byla označena jako přihlášení ke službě zaměstnancům apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Musí být odeslána aktiva {0} ,Absent Student Report,Absent Student Report apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Zahrnuto v hrubém zisku @@ -3132,7 +3160,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,C DocType: Travel Request Costing,Funded Amount,Financovaná částka apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nebylo odesláno, takže akci nelze dokončit" DocType: Subscription,Trial Period End Date,Datum ukončení zkušebního období +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Střídání položek jako IN a OUT během stejné směny DocType: BOM Update Tool,The new BOM after replacement,Nový kusovník po výměně +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodavatel> Typ dodavatele apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Bod 5 DocType: Employee,Passport Number,Číslo pasu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Dočasné otevření @@ -3248,6 +3278,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Klíčové zprávy apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Možný dodavatel ,Issued Items Against Work Order,Vydané položky proti pracovnímu příkazu apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Vytvoření faktury {0} +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavte prosím instruktorský systém pojmenování ve výuce> Nastavení vzdělávání DocType: Student,Joining Date,Datum připojení apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Žádající stránky DocType: Purchase Invoice,Against Expense Account,Proti účtu výdajů @@ -3287,6 +3318,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Platné poplatky ,Point of Sale,Místě prodeje DocType: Authorization Rule,Approving User (above authorized value),Schválení uživatele (nad autorizovanou hodnotou) +DocType: Service Level Agreement,Entity,Subjekt apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Částka {0} {1} byla převedena z {2} na {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Zákazník {0} nepatří do projektu {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Z názvu strany @@ -3333,6 +3365,7 @@ DocType: Asset,Opening Accumulated Depreciation,Otevření akumulovaných odpis DocType: Soil Texture,Sand Composition (%),Složení písku (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importovat data denní knihy +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte položku Řada jmen pro {0} přes Nastavení> Nastavení> Řada názvů DocType: Asset,Asset Owner Company,Majitel společnosti apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Nákladové středisko je povinno si rezervovat nárok na náklady apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} platná sériová čísla pro položku {1} @@ -3393,7 +3426,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Vlastník aktiv apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Sklad je povinný pro sklad Položka {0} v řádku {1} DocType: Stock Entry,Total Additional Costs,Celkové dodatečné náklady -DocType: Marketplace Settings,Last Sync On,Poslední synchronizace zapnuta apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Nastavte alespoň jeden řádek v tabulce Daně a poplatky DocType: Asset Maintenance Team,Maintenance Team Name,Název týmu údržby apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Graf nákladových středisek @@ -3409,12 +3441,12 @@ DocType: Sales Order Item,Work Order Qty,Počet pracovních objednávek DocType: Job Card,WIP Warehouse,WIP Warehouse DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ID uživatele není nastaveno pro zaměstnance {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Dostupné množství je {0}, které potřebujete {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Uživatel {0} byl vytvořen DocType: Stock Settings,Item Naming By,Pojmenování položky podle apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Objednáno apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Toto je skupina uživatelů root a nelze ji upravovat. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Požadavek na materiál {0} je zrušen nebo zastaven +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Striktně na základě typu protokolu v zaměstnanci Checkin DocType: Purchase Order Item Supplied,Supplied Qty,Dodávané množství DocType: Cash Flow Mapper,Cash Flow Mapper,Mapovač peněžních toků DocType: Soil Texture,Sand,Písek @@ -3473,6 +3505,7 @@ DocType: Lab Test Groups,Add new line,Přidat nový řádek apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Duplicitní skupina položek nalezená v tabulce skupin položek apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Roční plat DocType: Supplier Scorecard,Weighting Function,Funkce vážení +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverze UOM ({0} -> {1}) nebyl nalezen pro položku: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Chyba při vyhodnocení vzorce kritérií ,Lab Test Report,Laboratorní protokol DocType: BOM,With Operations,S operacemi @@ -3486,6 +3519,7 @@ DocType: Expense Claim Account,Expense Claim Account,Účet reklamace výdajů apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Pro zápis do deníku nejsou k dispozici žádné splátky apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} je neaktivní student apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Vstup do skladu +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Rekurze kusovníku: {0} nemůže být rodičem nebo dítětem {1} DocType: Employee Onboarding,Activities,Aktivity apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Minimálně jeden sklad je povinný ,Customer Credit Balance,Zůstatek kreditu zákazníka @@ -3498,9 +3532,11 @@ DocType: Supplier Scorecard Period,Variables,Proměnné apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Věrnostní program nalezený pro zákazníka. Vyberte prosím ručně. DocType: Patient,Medication,Léky apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Vyberte Věrnostní program +DocType: Employee Checkin,Attendance Marked,Docházka je označena apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Suroviny DocType: Sales Order,Fully Billed,Plně účtováno apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Nastavte prosím cenu hotelového pokoje na {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Vyberte pouze jednu prioritu jako výchozí. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identifikujte / vytvořte účet (Ledger) pro typ - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Celková částka úvěru / debetu by měla být stejná jako položka vloženého deníku DocType: Purchase Invoice Item,Is Fixed Asset,Je pevná aktiva @@ -3521,6 +3557,7 @@ DocType: Purpose of Travel,Purpose of Travel,Účel cesty DocType: Healthcare Settings,Appointment Confirmation,Potvrzení schůzky DocType: Shopping Cart Settings,Orders,Objednávky DocType: HR Settings,Retirement Age,Duchodovy vek +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavte prosím číslovací řadu pro Docházku pomocí Nastavení> Číslovací řada apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Promítané množství apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Smazání není pro zemi {0} povoleno apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Řádek # {0}: Hodnota {1} je již {2} @@ -3604,11 +3641,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Účetní apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Platební poukaz POS alreday existuje pro {0} mezi datem {1} a {2} apps/erpnext/erpnext/config/help.py,Navigating,Navigace +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Žádné zbývající faktury nevyžadují přecenění směnného kurzu DocType: Authorization Rule,Customer / Item Name,Název zákazníka / položky apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nové sériové číslo nemůže mít sklad. Sklad musí být nastaven skladovým vstupem nebo nákupním dokladem DocType: Issue,Via Customer Portal,Přes Zákaznický portál DocType: Work Order Operation,Planned Start Time,Plánovaný čas spuštění apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} je {2} +DocType: Service Level Priority,Service Level Priority,Priorita úrovně služby apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Počet účtovaných odpisů nesmí být větší než celkový počet odpisů apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Knihovna akcií DocType: Journal Entry,Accounts Payable,Závazky @@ -3718,7 +3757,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Doručit DocType: Bank Statement Transaction Settings Item,Bank Data,Bankovní data apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Naplánováno Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Udržujte fakturační hodiny a pracovní hodiny stejné na časovém rozvrhu apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Vedení stopy podle zdroje olova. DocType: Clinical Procedure,Nursing User,Ošetřovatelský uživatel DocType: Support Settings,Response Key List,Seznam klíčových odpovědí @@ -3886,6 +3924,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Skutečný čas spuštění DocType: Antibiotic,Laboratory User,Uživatel laboratoře apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Online aukce +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Priorita {0} byla opakována. DocType: Fee Schedule,Fee Creation Status,Stav vytvoření poplatku apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Software apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Objednávka odběratele k platbě @@ -3952,6 +3991,7 @@ DocType: Patient Encounter,In print,V tisku apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Nelze načíst informace pro {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Fakturační měna se musí rovnat výchozí měně společnosti nebo měně účtu strany apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Zadejte ID zaměstnance této prodejní osoby +DocType: Shift Type,Early Exit Consequence after,Důsledek předčasného ukončení po apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Vytvořit otevírací prodej a nákupní faktury DocType: Disease,Treatment Period,Období léčby apps/erpnext/erpnext/config/settings.py,Setting up Email,Nastavení e-mailu @@ -3969,7 +4009,6 @@ DocType: Employee Skill Map,Employee Skills,Zaměstnanecké dovednosti apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Jméno studenta: DocType: SMS Log,Sent On,Odesláno DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Prodejní faktura -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Doba odezvy nemůže být větší než doba rozlišení DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Pro studentskou skupinu založenou na kurzu bude kurz validován pro každého studenta ze zapsaných předmětů v programu. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Dodávky uvnitř státu DocType: Employee,Create User Permission,Vytvořit oprávnění uživatele @@ -4008,6 +4047,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standardní smluvní podmínky prodeje nebo nákupu. DocType: Sales Invoice,Customer PO Details,Podrobnosti o objednávce zákazníka apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacient nebyl nalezen +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Vyberte výchozí prioritu. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Odstraňte položku, pokud se na tuto položku nevztahují poplatky" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Skupina zákazníků existuje se stejným jménem, prosím, změňte jméno zákazníka nebo přejmenujte skupinu zákazníků" 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. @@ -4047,6 +4087,7 @@ DocType: Quality Goal,Quality Goal,Cíl kvality DocType: Support Settings,Support Portal,Portál podpory apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Datum ukončení úlohy {0} nemůže být kratší než {1} očekávané datum zahájení {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Zaměstnanec {0} je na dovolené {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Tato dohoda o úrovni služeb je specifická pro zákazníka {0} DocType: Employee,Held On,Zapnuto DocType: Healthcare Practitioner,Practitioner Schedules,Plány praktikujících DocType: Project Template Task,Begin On (Days),Začátek dne (dny) @@ -4054,6 +4095,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Pracovní příkaz byl {0} DocType: Inpatient Record,Admission Schedule Date,Termín přijetí Datum apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Úprava hodnoty aktiv +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Označit účast na základě 'Zaměstnance Checkin' pro zaměstnance přiřazené k této směně. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Dodávky pro neregistrované osoby apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Všechny práce DocType: Appointment Type,Appointment Type,Typ schůzky @@ -4167,7 +4209,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Hrubá hmotnost balení. Obvykle čistá hmotnost + hmotnost obalového materiálu. (pro tisk) DocType: Plant Analysis,Laboratory Testing Datetime,Laboratorní testování datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Položka {0} nemůže mít dávku -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Prodejní potrubí podle etapy apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Síla studentské skupiny DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Zadání transakce výpisu z účtu DocType: Purchase Order,Get Items from Open Material Requests,Získejte položky z otevřených požadavků na materiál @@ -4249,7 +4290,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Zobrazit Aging Warehouse-moudrý DocType: Sales Invoice,Write Off Outstanding Amount,Odepsání nezaplacené částky DocType: Payroll Entry,Employee Details,Podrobnosti o zaměstnancích -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Čas spuštění nemůže být větší než Konec pro {0}. DocType: Pricing Rule,Discount Amount,Výše slevy DocType: Healthcare Service Unit Type,Item Details,Podrobnosti o položce apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Duplicitní daňové prohlášení {0} pro období {1} @@ -4302,7 +4342,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Čistá mzda nemůže být záporná apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Počet interakcí 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} nemůže být převedena více než {2} proti objednávce {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Posun +DocType: Attendance,Shift,Posun apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Zpracování účtové osnovy a smluvních stran DocType: Stock Settings,Convert Item Description to Clean HTML,Převést Popis položky na Vyčistit HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Všechny skupiny dodavatelů @@ -4373,6 +4413,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Činnost zam DocType: Healthcare Service Unit,Parent Service Unit,Jednotka rodičovské služby DocType: Sales Invoice,Include Payment (POS),Zahrnout platbu (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Private Equity +DocType: Shift Type,First Check-in and Last Check-out,První přihlášení a poslední odhlášení DocType: Landed Cost Item,Receipt Document,Dokument příjmu DocType: Supplier Scorecard Period,Supplier Scorecard Period,Období hodnocení dodavatelů DocType: Employee Grade,Default Salary Structure,Výchozí mzdová struktura @@ -4455,6 +4496,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Vytvořit objednávku apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definujte rozpočet na rozpočtový rok. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Tabulka účtů nemůže být prázdná. +DocType: Employee Checkin,Entry Grace Period Consequence,Důsledek doby vstupu vstupů ,Payment Period Based On Invoice Date,Doba splatnosti založená na datu faktury apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Datum instalace nemůže být před datem dodání položky {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Odkaz na žádost o materiál @@ -4463,6 +4505,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Typ mapovaný apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Řádek {0}: Pro tento sklad již existuje položka Uspořádání {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Datum dokumentu DocType: Monthly Distribution,Distribution Name,Název distribuce +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Pracovní den {0} byl opakován. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,"Skupina do skupiny, která není členem skupiny" apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Aktualizace probíhá. Může to chvíli trvat. DocType: Item,"Example: ABCD.##### @@ -4475,6 +4518,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Množství paliva apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile Ne DocType: Invoice Discounting,Disbursed,Vyplaceno +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Čas po ukončení směny, během něhož je pro odbavení uvažováno o odjezdu." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Čistá změna závazků apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Není dostupný apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Poloviční úvazek @@ -4488,7 +4532,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potenci apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Zobrazit PDC v tisku apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Dodavatel DocType: POS Profile User,POS Profile User,Uživatel profilu POS -DocType: Student,Middle Name,Prostřední jméno DocType: Sales Person,Sales Person Name,Jméno prodejní osoby DocType: Packing Slip,Gross Weight,Celková hmotnost DocType: Journal Entry,Bill No,Bill č @@ -4497,7 +4540,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nové DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Smlouva o úrovni služeb -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Nejdříve vyberte zaměstnance a datum apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Míra ocenění položky se přepočítává s ohledem na částku kupónového nákladu DocType: Timesheet,Employee Detail,Detail zaměstnance DocType: Tally Migration,Vouchers,Poukazy @@ -4532,7 +4574,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Smlouva o úrovn DocType: Additional Salary,Date on which this component is applied,Datum uplatnění této složky apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Seznam dostupných akcionářů s čísly folio apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Nastavení účtů brány. -DocType: Service Level,Response Time Period,Doba odezvy +DocType: Service Level Priority,Response Time Period,Doba odezvy DocType: Purchase Invoice,Purchase Taxes and Charges,Nákupní daně a poplatky DocType: Course Activity,Activity Date,Datum aktivity apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Vyberte nebo přidejte nového zákazníka @@ -4557,6 +4599,7 @@ DocType: Sales Person,Select company name first.,Nejdříve vyberte název spole apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Finanční rok DocType: Sales Invoice Item,Deferred Revenue,Odložené příjmy apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Aspoň jeden z prodejních nebo nákupních musí být vybrán +DocType: Shift Type,Working Hours Threshold for Half Day,Prahová hodnota pracovní doby pro půl dne ,Item-wise Purchase History,Historie nákupu apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Nelze změnit datum zastavení služby pro položku v řádku {0} DocType: Production Plan,Include Subcontracted Items,Zahrnout subdodávky @@ -4589,6 +4632,7 @@ DocType: Journal Entry,Total Amount Currency,Celková měna částky DocType: BOM,Allow Same Item Multiple Times,Povolit vícenásobné opakování stejné položky apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Vytvořit kusovník DocType: Healthcare Practitioner,Charges,Poplatky +DocType: Employee,Attendance and Leave Details,Podrobnosti o docházce a dovolené DocType: Student,Personal Details,Osobní údaje DocType: Sales Order,Billing and Delivery Status,Stav fakturace a dodání apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Řádek {0}: Pro odeslání e-mailu je nutné zadat adresu {0} @@ -4640,7 +4684,6 @@ DocType: Bank Guarantee,Supplier,Dodavatel apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Zadejte hodnotu betweeen {0} a {1} DocType: Purchase Order,Order Confirmation Date,Datum potvrzení objednávky DocType: Delivery Trip,Calculate Estimated Arrival Times,Vypočítat odhadované časy příjezdu -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Nastavení systému pojmenování zaměstnanců v nastavení lidských zdrojů> Nastavení HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Spotřební materiál DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Datum zahájení odběru @@ -4663,7 +4706,7 @@ DocType: Installation Note Item,Installation Note Item,Instalace Poznámka Polo DocType: Journal Entry Account,Journal Entry Account,Účet pro zápis do deníku apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Varianta apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Činnost fóra -DocType: Service Level,Resolution Time Period,Časové období rozlišení +DocType: Service Level Priority,Resolution Time Period,Časové období rozlišení DocType: Request for Quotation,Supplier Detail,Detail dodavatele DocType: Project Task,View Task,Zobrazit úkol DocType: Serial No,Purchase / Manufacture Details,Podrobnosti o nákupu / výrobě @@ -4730,6 +4773,7 @@ DocType: Sales Invoice,Commission Rate (%),Sazba Komise (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Sklad lze změnit pouze prostřednictvím skladu / dodacího listu / nákupního dokladu DocType: Support Settings,Close Issue After Days,Zavřete problém po dnech DocType: Payment Schedule,Payment Schedule,Platební kalendář +DocType: Shift Type,Enable Entry Grace Period,Povolit období zadávání vstupů DocType: Patient Relation,Spouse,Manželka DocType: Purchase Invoice,Reason For Putting On Hold,Důvod pro pozastavení DocType: Item Attribute,Increment,Přírůstek @@ -4869,6 +4913,7 @@ DocType: Authorization Rule,Customer or Item,Zákazník nebo položka DocType: Vehicle Log,Invoice Ref,Faktura Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Formulář C neplatí pro fakturu: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Faktura byla vytvořena +DocType: Shift Type,Early Exit Grace Period,Časné ukončení Grace DocType: Patient Encounter,Review Details,Podrobnosti o kontrole apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Řádek {0}: Hodnota hodin musí být větší než nula. DocType: Account,Account Number,Číslo účtu @@ -4880,7 +4925,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned 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" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Překrývající se podmínky nalezené mezi: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Placené a nedoručené -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Kód položky je povinný, protože položka není automaticky číslována" DocType: GST HSN Code,HSN Code,Kód HSN DocType: GSTR 3B Report,September,září apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Správní náklady @@ -4916,6 +4960,8 @@ DocType: Travel Itinerary,Travel From,Cestovat z apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Účet CWIP DocType: SMS Log,Sender Name,Jméno odesílatele DocType: Pricing Rule,Supplier Group,Dodavatelská skupina +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Nastavte počáteční čas a čas ukončení pro {0} v indexu {1}. DocType: Employee,Date of Issue,Datum vydání ,Requested Items To Be Transferred,"Požadované položky, které mají být převedeny" DocType: Employee,Contract End Date,Datum ukončení smlouvy @@ -4926,6 +4972,7 @@ DocType: Healthcare Service Unit,Vacant,Volný DocType: Opportunity,Sales Stage,Prodejní fáze DocType: Sales Order,In Words will be visible once you save the Sales Order.,V aplikaci Words se zobrazí po uložení objednávky odběratele. DocType: Item Reorder,Re-order Level,Re-order Level +DocType: Shift Type,Enable Auto Attendance,Povolit automatickou účast apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Přednost ,Department Analytics,Oddělení Analytics DocType: Crop,Scientific Name,Odborný název @@ -4938,6 +4985,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} status je {2} DocType: Quiz Activity,Quiz Activity,Kvízová aktivita apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} není v platném období mezd DocType: Timesheet,Billed,Fakturováno +apps/erpnext/erpnext/config/support.py,Issue Type.,Typ problému. DocType: Restaurant Order Entry,Last Sales Invoice,Poslední prodejní faktura DocType: Payment Terms Template,Payment Terms,Platební podmínky apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Rezervováno Množství: Množství objednané k prodeji, ale nedodáno." @@ -5033,6 +5081,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Aktivum apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} nemá plán zdravotnické praxe. Přidejte ji do programu Master of Healthcare Practitioner DocType: Vehicle,Chassis No,Podvozek č +DocType: Employee,Default Shift,Výchozí posun apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Zkratka společnosti apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Strom kusovníku DocType: Article,LMS User,Uživatel LMS @@ -5081,6 +5130,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Rodičovská prodejní osoba DocType: Student Group Creation Tool,Get Courses,Získejte kurzy apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Řádek # {0}: Množství musí být 1, protože položka je fixní aktivum. Použijte samostatný řádek pro více qty." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Pracovní doba, pod kterou je značka Absent označena. (Zakázat vynulování)" DocType: Customer Group,Only leaf nodes are allowed in transaction,V transakci jsou povoleny pouze uzly listů DocType: Grant Application,Organization,Organizace DocType: Fee Category,Fee Category,Kategorie poplatků @@ -5093,6 +5143,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Aktualizujte svůj stav pro tuto školení DocType: Volunteer,Morning,Ráno DocType: Quotation Item,Quotation Item,Položka nabídky +apps/erpnext/erpnext/config/support.py,Issue Priority.,Priorita problému. DocType: Journal Entry,Credit Card Entry,Vstup kreditní karty apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Přeskočení časového slotu, slot {0} až {1} překrývá existující slot {2} až {3}" DocType: Journal Entry Account,If Income or Expense,Pokud jsou příjmy nebo náklady @@ -5143,11 +5194,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Import a nastavení dat 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 Automaticky zapnout, budou zákazníci automaticky spojeni s příslušným věrnostním programem (při uložení)" DocType: Account,Expense Account,Účet výdajů +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Doba před začátkem směny, během které je pro účast na pracovišti zvažována registrace." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Vztah s Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Vytvořit fakturu apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Žádost o platbu již existuje {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Zaměstnanec uvolněný na {0} musí být nastaven jako "levý" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Platit {0} {1} +DocType: Company,Sales Settings,Nastavení prodeje DocType: Sales Order Item,Produced Quantity,Vyrobené množství apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,K žádosti o cenovou nabídku se dostanete kliknutím na následující odkaz DocType: Monthly Distribution,Name of the Monthly Distribution,Název měsíční distribuce @@ -5226,6 +5279,7 @@ DocType: Company,Default Values,Výchozí hodnoty apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Jsou vytvořeny výchozí šablony daně pro prodej a nákup. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Opustit typ {0} nelze přenášet apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Debetní účet musí být účet Pohledávky +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í smlouvy nesmí být menší než dnes. apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Nastavte účet ve skladu {0} nebo výchozí účet inventáře ve společnosti {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Nastavit jako výchozí DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Čistá hmotnost tohoto balení. (vypočteno automaticky jako součet čisté hmotnosti položek) @@ -5252,8 +5306,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Zaniklé dávky DocType: Shipping Rule,Shipping Rule Type,Typ pravidla přepravy DocType: Job Offer,Accepted,Přijato -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, vymažte prosím {0} zaměstnance" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Už jste posuzovali hodnotící kritéria {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Vyberte Čísla šarží apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Věk (dny) @@ -5280,6 +5332,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Vyberte domény DocType: Agriculture Task,Task Name,Název úlohy apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Skladové položky již vytvořené pro pracovní příkaz +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, vymažte prosím {0} zaměstnance" ,Amount to Deliver,Částka k dodání apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Společnost {0} neexistuje apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,"Nebyly nalezeny žádné nevyřízené požadavky na materiál, které by odkazovaly na dané položky." @@ -5329,6 +5383,7 @@ DocType: Program Enrollment,Enrolled courses,Zapsané kurzy DocType: Lab Prescription,Test Code,Testovací kód DocType: Purchase Taxes and Charges,On Previous Row Total,Na předchozí řádek celkem DocType: Student,Student Email Address,E-mailová adresa studenta +,Delayed Item Report,Zpráva o zpožděné položce DocType: Academic Term,Education,Vzdělání DocType: Supplier Quotation,Supplier Address,Adresa dodavatele DocType: Salary Detail,Do not include in total,Nezahrnujte celkem @@ -5336,7 +5391,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} neexistuje DocType: Purchase Receipt Item,Rejected Quantity,Odmítnuté množství DocType: Cashier Closing,To TIme,Chcete-li -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor konverze UOM ({0} -> {1}) nebyl nalezen pro položku: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Uživatel skupiny pro denní práci DocType: Fiscal Year Company,Fiscal Year Company,Společnost fiskálního roku apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternativní položka nesmí být stejná jako kód položky @@ -5388,6 +5442,7 @@ DocType: Program Fee,Program Fee,Poplatek za program DocType: Delivery Settings,Delay between Delivery Stops,Prodleva mezi zastaveními doručení DocType: Stock Settings,Freeze Stocks Older Than [Days],Zmrazení zásob starších než [dny] DocType: Promotional Scheme,Promotional Scheme Product Discount,Sleva na propagační program +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Problematika priority již existuje DocType: Account,Asset Received But Not Billed,"Aktiva přijata, ale neúčtována" DocType: POS Closing Voucher,Total Collected Amount,Celková částka inkasa DocType: Course,Default Grading Scale,Výchozí stupnice třídění @@ -5430,6 +5485,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Splnění podmínek apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,"Skupina, která není členem skupiny" DocType: Student Guardian,Mother,Matka +DocType: Issue,Service Level Agreement Fulfilled,Dohoda o úrovni služeb splněna DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Odpočet daně pro nevyžádané zaměstnanecké výhody DocType: Travel Request,Travel Funding,Cestovní financování DocType: Shipping Rule,Fixed,Pevný @@ -5459,10 +5515,12 @@ DocType: Item,Warranty Period (in days),Záruční doba (ve dnech) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Žádné předměty nenalezeny. DocType: Item Attribute,From Range,Z dosahu DocType: Clinical Procedure,Consumables,Spotřební materiál +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,jsou požadovány hodnoty „employee_field_value“ a „timestamp“. DocType: Purchase Taxes and Charges,Reference Row #,Řádek reference # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Nastavte ve společnosti {0} „Centrum pro odpisy nákladů“ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Řádek # {0}: K dokončení transakce je vyžadován platební doklad DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Kliknutím na toto tlačítko vytáhnete data prodejní objednávky z Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Pracovní doba, pod kterou je označen polodenní den. (Zakázat vynulování)" ,Assessment Plan Status,Stav plánu hodnocení apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Nejprve vyberte {0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Odeslat toto vytvořit záznam zaměstnance @@ -5533,6 +5591,7 @@ DocType: Quality Procedure,Parent Procedure,Postup rodičů apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Nastavit Otevřít apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Přepnout filtry DocType: Production Plan,Material Request Detail,Podrobnosti o požadavku na materiál +DocType: Shift Type,Process Attendance After,Proces Docházka Po DocType: Material Request Item,Quantity and Warehouse,Množství a sklad apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Přejděte na položku Programy apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Řádek # {0}: Duplicitní položka v Referencích {1} {2} @@ -5590,6 +5649,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Informace o straně apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Dlužníci ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,"K dnešnímu dni nemůže být větší než datum, kdy se zaměstnanec uvolní" +DocType: Shift Type,Enable Exit Grace Period,Povolit období ukončení Grace DocType: Expense Claim,Employees Email Id,Id zaměstnance Zaměstnanci DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Aktualizace ceny z Shopify do ERPNext Ceník DocType: Healthcare Settings,Default Medical Code Standard,Standardní standard zdravotnického kódu @@ -5620,7 +5680,6 @@ DocType: Item Group,Item Group Name,Název skupiny položek DocType: Budget,Applicable on Material Request,Platí pro materiálové požadavky DocType: Support Settings,Search APIs,Vyhledávací rozhraní API DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Procento nadprodukce Pro zakázku odběratele -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Specifikace DocType: Purchase Invoice,Supplied Items,Dodávané položky DocType: Leave Control Panel,Select Employees,Vyberte zaměstnance apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Vyberte úrokový výnos v úvěru {0} @@ -5646,7 +5705,7 @@ DocType: Salary Slip,Deductions,Srážky ,Supplier-Wise Sales Analytics,Analytika prodejních dodavatelů DocType: GSTR 3B Report,February,Únor DocType: Appraisal,For Employee,Pro zaměstnance -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Aktuální datum dodání +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Aktuální datum dodání DocType: Sales Partner,Sales Partner Name,Jméno obchodního partnera apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Řádek odpisu {0}: Datum odpisu odpisu se zadává jako datum DocType: GST HSN Code,Regional,Regionální @@ -5685,6 +5744,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Fak DocType: Supplier Scorecard,Supplier Scorecard,Karta hodnocení dodavatelů DocType: Travel Itinerary,Travel To,Cestovat do apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Označit Účast +DocType: Shift Type,Determine Check-in and Check-out,Určete check-in a check-out DocType: POS Closing Voucher,Difference,Rozdíl apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Malý DocType: Work Order Item,Work Order Item,Položka objednávky zakázky @@ -5718,6 +5778,7 @@ DocType: Sales Invoice,Shipping Address Name,Název dodací adresy apps/erpnext/erpnext/healthcare/setup.py,Drug,Lék apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} je zavřeno DocType: Patient,Medical History,Zdravotní historie +DocType: Expense Claim,Expense Taxes and Charges,Náklady a poplatky DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Počet dnů po uplynutí data faktury před zrušením předplatného nebo označení předplatného jako nezaplaceného 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: Patient Relation,Family,Rodina @@ -5750,7 +5811,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Síla apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} jednotek {1} potřebných v {2} k dokončení této transakce. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush Surové materiály Subcontract založené na -DocType: Bank Guarantee,Customer,Zákazník DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Pokud je tato možnost povolena, pole Akademický termín bude povinné v nástroji pro zápis do programu." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Pro skupinu studentů založenou na dávkách bude studentská dávka validována pro každého studenta ze zápisu do programu. DocType: Course,Topics,Témata @@ -5830,6 +5890,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Členové kapitoly DocType: Warranty Claim,Service Address,Adresa služby DocType: Journal Entry,Remark,Poznámka +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Řádek {0}: Množství není k dispozici pro {4} ve skladu {1} v době odeslání záznamu ({2} {3}) DocType: Patient Encounter,Encounter Time,Čas setkání DocType: Serial No,Invoice Details,Detaily faktury 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 provedeny v rámci skupin, ale záznamy mohou být provedeny proti skupinám" @@ -5910,6 +5971,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","P apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Uzavření (otevření + celkem) DocType: Supplier Scorecard Criteria,Criteria Formula,Kritérium vzorec apps/erpnext/erpnext/config/support.py,Support Analytics,Podpora Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID docházkového zařízení (ID biometrické / RF značky) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Recenze a akce DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Pokud je účet zmrazen, jsou položky vyhrazeny omezeným uživatelům." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Částka po odpisu @@ -5931,6 +5993,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Splácení úvěru DocType: Employee Education,Major/Optional Subjects,Hlavní / volitelné předměty DocType: Soil Texture,Silt,Silt +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Adresy dodavatelů a kontakty DocType: Bank Guarantee,Bank Guarantee Type,Typ bankovní záruky DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Pokud je zakázáno, pole Zaoblený součet nebude v žádné transakci viditelné" DocType: Pricing Rule,Min Amt,Min Amt @@ -5969,6 +6032,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Otevření položky Vytvoření faktury DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Zahrnout transakce POS +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Žádný zaměstnanec nalezl pro danou hodnotu pole zaměstnance. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Přijatá částka (měna společnosti) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage je plná, neuložila" DocType: Chapter Member,Chapter Member,Člen kapitoly @@ -6001,6 +6065,7 @@ DocType: SMS Center,All Lead (Open),Všechna vedení (otevřená) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Nebyly vytvořeny žádné studentské skupiny. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Duplikovat řádek {0} se stejným {1} DocType: Employee,Salary Details,Podrobnosti o platu +DocType: Employee Checkin,Exit Grace Period Consequence,Ukončení následku Grace Perioda DocType: Bank Statement Transaction Invoice Item,Invoice,Faktura DocType: Special Test Items,Particulars,Údaje apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Nastavte filtr na základě položky nebo skladu @@ -6102,6 +6167,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Z AMC DocType: Job Opening,"Job profile, qualifications required etc.","Profil práce, požadované kvalifikace atd." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Stát lodí +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Chcete odeslat žádost o materiál DocType: Opportunity Item,Basic Rate,Základní sazba DocType: Compensatory Leave Request,Work End Date,Datum ukončení práce apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Požadavek na suroviny @@ -6287,6 +6353,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Částka odpisů DocType: Sales Order Item,Gross Profit,Hrubý zisk DocType: Quality Inspection,Item Serial No,Položka Sériové číslo DocType: Asset,Insurer,Pojistitel +DocType: Employee Checkin,OUT,VEN apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Nákup částka DocType: Asset Maintenance Task,Certificate Required,Požadovaný certifikát DocType: Retention Bonus,Retention Bonus,Retenční bonus @@ -6402,6 +6469,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Částka rozdílu (m DocType: Invoice Discounting,Sanctioned,Schváleno DocType: Course Enrollment,Course Enrollment,Zápis kurzu DocType: Item,Supplier Items,Položky dodavatele +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Čas spuštění nemůže být větší než nebo roven koncovému času {0}. DocType: Sales Order,Not Applicable,Nelze použít DocType: Support Search Source,Response Options,Možnosti odpovědi apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} by měla být hodnota mezi 0 a 100 @@ -6488,7 +6557,6 @@ DocType: Travel Request,Costing,Kalkulace apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Dlouhodobý majetek DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Celkový zisk -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníků> Území DocType: Share Balance,From No,Od č DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Faktura pro odsouhlasení platby DocType: Purchase Invoice,Taxes and Charges Added,Přidané daně a poplatky @@ -6596,6 +6664,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignorovat pravidlo určování cen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Jídlo DocType: Lost Reason Detail,Lost Reason Detail,Detail ztraceného důvodu +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Byla vytvořena následující sériová čísla:
{0} DocType: Maintenance Visit,Customer Feedback,Zákaznická zpětná vazba DocType: Serial No,Warranty / AMC Details,Podrobnosti o záruce / AMC DocType: Issue,Opening Time,Otevírací doba @@ -6645,6 +6714,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Název společnosti není stejný apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Propagaci zaměstnance nelze podat před datem propagace apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Není povoleno aktualizovat akciové transakce starší než {0} +DocType: Employee Checkin,Employee Checkin,Zaměstnanec Checkin 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ělo být menší než datum ukončení položky {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Vytvořit zákaznické nabídky DocType: Buying Settings,Buying Settings,Nastavení nákupu @@ -6666,6 +6736,7 @@ DocType: Job Card Time Log,Job Card Time Log,Časový záznam pracovní karty DocType: Patient,Patient Demographics,Demografie pacientů DocType: Share Transfer,To Folio No,Na Folio Ne apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Peněžní toky z operací +DocType: Employee Checkin,Log Type,Typ protokolu DocType: Stock Settings,Allow Negative Stock,Povolit zápornou zásobu apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Žádná z položek nemá žádnou změnu v množství nebo hodnotě. DocType: Asset,Purchase Date,Datum nákupu @@ -6710,6 +6781,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Velmi hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Vyberte si charakter svého podnikání. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Vyberte měsíc a rok +DocType: Service Level,Default Priority,Výchozí priorita DocType: Student Log,Student Log,Záznam studenta DocType: Shopping Cart Settings,Enable Checkout,Povolit službu Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Lidské zdroje @@ -6738,7 +6810,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Připojit Shopify s ERPNext DocType: Homepage Section Card,Subtitle,Podtitul DocType: Soil Texture,Loam,Hlína -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodavatel> Typ dodavatele DocType: BOM,Scrap Material Cost(Company Currency),Cena materiálu šrotu (měna společnosti) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Poznámka k doručení {0} nesmí být odeslána DocType: Task,Actual Start Date (via Time Sheet),Skutečné datum zahájení (přes časový výkaz) @@ -6794,6 +6865,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dávkování DocType: Cheque Print Template,Starting position from top edge,Výchozí pozice od horního okraje apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Trvání schůzky (min) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Tento zaměstnanec již má protokol se stejným časovým razítkem. {0} DocType: Accounting Dimension,Disable,Zakázat DocType: Email Digest,Purchase Orders to Receive,Objednávky obdržíte apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Výrobní objednávky nelze získat pro: @@ -6809,7 +6881,6 @@ DocType: Production Plan,Material Requests,Požadavky na materiál DocType: Buying Settings,Material Transferred for Subcontract,Materiál převedený na subdodávky DocType: Job Card,Timing Detail,Detail načasování apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Požadováno Zapnuto -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Import {0} z {1} DocType: Job Offer Term,Job Offer Term,Pracovní nabídka Termín DocType: SMS Center,All Contact,Všechny kontakty DocType: Project Task,Project Task,Projektový úkol @@ -6860,7 +6931,6 @@ DocType: Student Log,Academic,Akademický 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í nastavena pro sériová čísla apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Ze státu DocType: Leave Type,Maximum Continuous Days Applicable,Maximální použitelné dny -apps/erpnext/erpnext/config/support.py,Support Team.,Tým podpory. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Nejdříve zadejte název společnosti apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Import byl úspěšný DocType: Guardian,Alternate Number,Alternativní číslo @@ -6952,6 +7022,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Řádek # {0}: Přidána položka DocType: Student Admission,Eligibility and Details,Způsobilost a podrobnosti DocType: Staffing Plan,Staffing Plan Detail,Detail personálního plánu +DocType: Shift Type,Late Entry Grace Period,Zpoždění vstupu DocType: Email Digest,Annual Income,Roční příjem DocType: Journal Entry,Subscription Section,Odběrová sekce DocType: Salary Slip,Payment Days,Platební dny @@ -7002,6 +7073,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Zůstatek na účtu DocType: Asset Maintenance Log,Periodicity,Periodicita apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Zdravotní záznam +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Typ protokolu je vyžadován pro check-iny spadající do směny: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Provedení DocType: Item,Valuation Method,Metoda oceňování apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} proti prodejní faktuře {1} @@ -7086,6 +7158,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Odhadovaná cena za po DocType: Loan Type,Loan Name,Název úvěru apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Nastavit výchozí režim platby DocType: Quality Goal,Revision,Revize +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Čas před ukončením směny, kdy je check-out považován za časný (v minutách)." DocType: Healthcare Service Unit,Service Unit Type,Typ servisní jednotky DocType: Purchase Invoice,Return Against Purchase Invoice,Return Against Purchase Invoice apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Generovat tajemství @@ -7241,12 +7314,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Kosmetika DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Zaškrtněte toto, pokud chcete, aby uživatel před uložením vybral řadu. Pokud toto zkontrolujete, nebude žádná výchozí hodnota." 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í mohou nastavit zmrazené účty a vytvářet / upravovat účetní položky proti zmrazeným účtům +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položek> Značka DocType: Expense Claim,Total Claimed Amount,Celková částka nárokované částky 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ý slot v následujících {0} dnech pro operaci {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Balení apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Obnovit lze pouze v případě, že vaše členství vyprší do 30 dnů" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Hodnota musí být mezi {0} a {1} DocType: Quality Feedback,Parameters,Parametry +DocType: Shift Type,Auto Attendance Settings,Nastavení automatické účasti ,Sales Partner Transaction Summary,Shrnutí transakce obchodního partnera DocType: Asset Maintenance,Maintenance Manager Name,Název správce údržby apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Je nutné načíst podrobnosti položky. @@ -7338,10 +7413,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Ověřit platné pravidlo DocType: Job Card Item,Job Card Item,Položka pracovní karty DocType: Homepage,Company Tagline for website homepage,Společnost Tagline pro domovskou stránku webu +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Nastavte dobu odezvy a rozlišení pro prioritu {0} v indexu {1}. DocType: Company,Round Off Cost Center,Nákladové středisko DocType: Supplier Scorecard Criteria,Criteria Weight,Kritéria Hmotnost DocType: Asset,Depreciation Schedules,Odpisy -DocType: Expense Claim Detail,Claim Amount,Částka nároku DocType: Subscription,Discounts,Slevy DocType: Shipping Rule,Shipping Rule Conditions,Podmínky přepravního pravidla DocType: Subscription,Cancelation Date,Datum zrušení @@ -7369,7 +7444,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Vytvořit potenciáln apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Zobrazit nulové hodnoty DocType: Employee Onboarding,Employee Onboarding,Zaměstnanec Onboarding DocType: POS Closing Voucher,Period End Date,Datum ukončení období -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Prodejní příležitosti podle zdroje DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,První Nechat schvalovatele v seznamu bude nastaven jako výchozí Leave Approver. DocType: POS Settings,POS Settings,Nastavení POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Všechny účty @@ -7390,7 +7464,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Řádek # {0}: Rychlost musí být stejná jako {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Položky zdravotnické služby -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Nenalezeny žádné záznamy apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Rozsah stárnutí 3 DocType: Vital Signs,Blood Pressure,Krevní tlak 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 Zapnuto @@ -7437,6 +7510,7 @@ DocType: Company,Existing Company,Stávající společnost apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Dávky apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Obrana DocType: Item,Has Batch No,Má dávku č +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Zpožděné dny DocType: Lead,Person Name,Jméno osoby DocType: Item Variant,Item Variant,Varianta položky DocType: Training Event Employee,Invited,Pozván @@ -7458,7 +7532,7 @@ DocType: Purchase Order,To Receive and Bill,Přijmout a Bill apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Počáteční a koncová data nejsou v platném Období mezd, nelze vypočítat {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Zákazníkům zobrazujte pouze tyto Zákaznické skupiny apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Vyberte položky pro uložení faktury -DocType: Service Level,Resolution Time,Čas rozlišení +DocType: Service Level Priority,Resolution Time,Čas rozlišení DocType: Grading Scale Interval,Grade Description,Popis třídy DocType: Homepage Section,Cards,Karty DocType: Quality Meeting Minutes,Quality Meeting Minutes,Zápis o kvalitě jednání @@ -7485,6 +7559,7 @@ DocType: Project,Gross Margin %,Hrubá marže% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Stav bankovního výpisu podle hlavní knihy apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Zdravotní péče (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Výchozí sklad pro vytvoření zakázky odběratele a dodacího listu +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Doba odezvy pro {0} v indexu {1} nemůže být vyšší než Resolution Time. DocType: Opportunity,Customer / Lead Name,Jméno zákazníka DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Nežádaná částka @@ -7531,7 +7606,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Dovážející strany a adresy DocType: Item,List this Item in multiple groups on the website.,Seznam této položky ve více skupinách na webu. DocType: Request for Quotation,Message for Supplier,Zpráva pro dodavatele -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,"{0} nelze změnit, protože existuje transakce pro položku {1}." DocType: Healthcare Practitioner,Phone (R),Telefon (R) DocType: Maintenance Team Member,Team Member,Člen týmu DocType: Asset Category Account,Asset Category Account,Účet kategorie aktiv diff --git a/erpnext/translations/da.csv b/erpnext/translations/da.csv index fc31dee1ce..72d01e7ec0 100644 --- a/erpnext/translations/da.csv +++ b/erpnext/translations/da.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Termens startdato apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Udnævnelse {0} og salgsfaktura {1} annulleret DocType: Purchase Receipt,Vehicle Number,Køretøjsnummer apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Din email adresse... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Inkluder standard bogindlæg +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Inkluder standard bogindlæg DocType: Activity Cost,Activity Type,Aktivitetstype DocType: Purchase Invoice,Get Advances Paid,Få forskud betalt DocType: Company,Gain/Loss Account on Asset Disposal,Gain / Loss konto på bortskaffelse af aktiver @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Hvad gør den? DocType: Bank Reconciliation,Payment Entries,Betalingsindlæg DocType: Employee Education,Class / Percentage,Klasse / Procentdel ,Electronic Invoice Register,Elektronisk Faktura Register +DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Antallet af forekomster, hvorefter konsekvensen udføres." DocType: Sales Invoice,Is Return (Credit Note),Er retur (kredit notat) +DocType: Price List,Price Not UOM Dependent,Pris Ikke UOM Afhængig DocType: Lab Test Sample,Lab Test Sample,Lab Test prøve DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","For eksempel 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Produktsøgning DocType: Salary Slip,Net Pay,Net betaling apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Samlet Faktureret Amt DocType: Clinical Procedure,Consumables Invoice Separately,Forbrugsvarer Faktura Separat +DocType: Shift Type,Working Hours Threshold for Absent,Arbejdstidsgrænse for fravær DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Budgettet kan ikke tildeles mod gruppekonto {0} DocType: Purchase Receipt Item,Rate and Amount,Pris og beløb @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Indstil Source Warehouse DocType: Healthcare Settings,Out Patient Settings,Ud patientindstillinger DocType: Asset,Insurance End Date,Forsikrings Slutdato DocType: Bank Account,Branch Code,Branchkode -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Tid til at svare apps/erpnext/erpnext/public/js/conf.js,User Forum,Brugerforum DocType: Landed Cost Item,Landed Cost Item,Landed Cost Item 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 @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Lead Owner DocType: Share Transfer,Transfer,Overførsel apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Søgeobjekt (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Resultat indsendt +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Fra dato kan ikke være større end endtil dato DocType: Supplier,Supplier of Goods or Services.,Leverandør af varer eller tjenesteydelser. 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: Opret ikke konti til kunder og leverandører apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentgruppe eller kursusplan er obligatorisk @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database ove DocType: Skill,Skill Name,Færdighedsnavn apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Udskriv rapportkort DocType: Soil Texture,Ternary Plot,Ternary Plot -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Indstil navngivningsserien for {0} via Setup> Settings> Naming Series apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Support Billetter DocType: Asset Category Account,Fixed Asset Account,Fixed Asset Account apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Seneste @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Afstand UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligatorisk for balancen DocType: Payment Entry,Total Allocated Amount,Samlet tildelt beløb DocType: Sales Invoice,Get Advances Received,Få fremskridt modtaget +DocType: Shift Type,Last Sync of Checkin,Sidste synkronisering af Checkin DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Vare Skattebeløb Inkluderet i Værdi apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Abonnementsplan DocType: Student,Blood Group,Blood Group apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Crop,Crop Spacing UOM,Beskær afstanden UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,"Tiden efter skiftens starttidspunkt, når check-in betragtes som sent (i minutter)." apps/erpnext/erpnext/templates/pages/home.html,Explore,Udforske +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Ingen udestående fakturaer fundet apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.","{0} ledige stillinger og {1} budget for {2}, der allerede er planlagt til datterselskaber af {3}. \ Du kan kun planlægge op til {4} ledige stillinger og og budget {5} i henhold til personaleplan {6} for moderselskabet {3}." DocType: Promotional Scheme,Product Discount Slabs,Produkt Discount Plader @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Deltagelse anmodning DocType: Item,Moving Average,Flytende gennemsnit DocType: Employee Attendance Tool,Unmarked Attendance,Unmarked Attendance DocType: Homepage Section,Number of Columns,Antal kolonner +DocType: Issue Priority,Issue Priority,Issue Priority DocType: Holiday List,Add Weekly Holidays,Tilføj ugentlige helligdage DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Opret Salary Slip @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Værdi / Beskrivelse DocType: Warranty Claim,Issue Date,Udstedelsesdato 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 Batch for Item {0}. Kunne ikke finde en enkelt batch, der opfylder dette krav" apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Kan ikke oprette tilbageholdelsesbonus for venstre medarbejdere +DocType: Employee Checkin,Location / Device ID,Placering / enheds-id DocType: Purchase Order,To Receive,At modtage apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,"Du er i offline-tilstand. Du kan ikke genindlæse, før du har netværk." DocType: Course Activity,Enrollment,Tilmelding @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-fakturering oplysninger mangler apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Ingen væsentlig forespørgsel oprettet -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varenummer> Varegruppe> Mærke DocType: Loan,Total Amount Paid,Samlede beløb betalt apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Alle disse elementer er allerede faktureret DocType: Training Event,Trainer Name,Træner navn @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Angiv Lead Name in Lead {0} DocType: Employee,You can enter any date manually,Du kan indtaste en dato manuelt DocType: Stock Reconciliation Item,Stock Reconciliation Item,Lagerafstemningspost +DocType: Shift Type,Early Exit Consequence,Tidlig udgangseffekt DocType: Item Group,General Settings,Generelle indstillinger apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Forfaldsdato kan ikke være før bogføring / leverandør faktura dato apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,"Indtast modtagerens navn, inden du sender det." @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,revisor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Betalingsbekræftelse ,Available Stock for Packing Items,Tilgængelig lager til pakningsartikler apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Fjern venligst denne faktura {0} fra C-Form {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Hver gyldig check-in og check-out DocType: Support Search Source,Query Route String,Query Route String DocType: Customer Feedback Template,Customer Feedback Template,Kundefejlskabelon apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Citater til ledere eller kunder. @@ -1204,6 +1212,7 @@ DocType: Serial No,Under AMC,Under AMC DocType: Authorization Control,Authorization Control,Autorisationskontrol ,Daily Work Summary Replies,Daglige Arbejdsoversigt Svar apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Du er blevet inviteret til at samarbejde om projektet: {0} +DocType: Issue,Response By Variance,Response By Variance DocType: Item,Sales Details,Salgsoplysninger apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Brevhoveder til udskriftsskabeloner. DocType: Salary Detail,Tax on additional salary,Skat på ekstra løn @@ -1327,6 +1336,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Kundeadre DocType: Project,Task Progress,Opgavefremskridt DocType: Journal Entry,Opening Entry,Åbning Entry DocType: Bank Guarantee,Charges Incurred,Afgifter opkrævet +DocType: Shift Type,Working Hours Calculation Based On,Arbejdstimer Beregning Baseret På DocType: Work Order,Material Transferred for Manufacturing,Materiale overført til fremstilling DocType: Products Settings,Hide Variants,Skjul varianter DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Deaktiver kapacitetsplanlægning og tidssporing @@ -1356,6 +1366,7 @@ DocType: Account,Depreciation,Afskrivninger DocType: Guardian,Interests,Interesser DocType: Purchase Receipt Item Supplied,Consumed Qty,Forbrugt antal DocType: Education Settings,Education Manager,Uddannelsesleder +DocType: Employee Checkin,Shift Actual Start,Skift Aktuel Start DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planlæg tidslogger uden for arbejdsstationen Arbejdstimer. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Loyalitetspoint: {0} DocType: Healthcare Settings,Registration Message,Registreringsmeddelelse @@ -1380,9 +1391,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktura er allerede oprettet for alle faktureringstimer DocType: Sales Partner,Contact Desc,Kontakt Desc DocType: Purchase Invoice,Pricing Rules,Prissætningsregler +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Da der er eksisterende transaktioner mod vare {0}, kan du ikke ændre værdien af {1}" DocType: Hub Tracked Item,Image List,Billedliste DocType: Item Variant Settings,Allow Rename Attribute Value,Tillad omdøbe attributværdi -DocType: Price List,Price Not UOM Dependant,Pris Ikke UOM Afhængig apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Tid (i minutter) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Grundlæggende DocType: Loan,Interest Income Account,Renteindtægtskonto @@ -1392,6 +1403,7 @@ DocType: Employee,Employment Type,ansættelsestype apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Vælg POS-profil DocType: Support Settings,Get Latest Query,Få seneste forespørgsel DocType: Employee Incentive,Employee Incentive,Medarbejderincitamenter +DocType: Service Level,Priorities,prioriteter apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Tilføj kort eller brugerdefinerede afsnit på hjemmesiden DocType: Homepage,Hero Section Based On,Heltafsnit Baseret på DocType: Project,Total Purchase Cost (via Purchase Invoice),Samlet købspris (via købsfaktura) @@ -1452,7 +1464,7 @@ DocType: Work Order,Manufacture against Material Request,Fremstilling imod mater DocType: Blanket Order Item,Ordered Quantity,Bestilt Mængde apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Række nr. {0}: Afvist lager er obligatorisk mod afvist post {1} ,Received Items To Be Billed,"Modtagne poster, der skal faktureres" -DocType: Salary Slip Timesheet,Working Hours,Arbejdstimer +DocType: Attendance,Working Hours,Arbejdstimer apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Betalingsmodus apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Indkøbsordre Varer ikke modtaget i tide apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Varighed i dage @@ -1572,7 +1584,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Lovpligtig information og anden generel information om din leverandør DocType: Item Default,Default Selling Cost Center,Standard salgspriscenter DocType: Sales Partner,Address & Contacts,Adresse og kontakter -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Venligst opsæt nummereringsserien for Tilstedeværelse via Opsætning> Nummereringsserie DocType: Subscriber,Subscriber,abonnent apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) er udsolgt apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Vælg venligst Indsendelsesdato først @@ -1583,7 +1594,7 @@ DocType: Project,% Complete Method,% Komplet metode DocType: Detected Disease,Tasks Created,Opgaver oprettet apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) skal være aktiv for dette element eller dets skabelon apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Kommissionens sats% -DocType: Service Level,Response Time,Responstid +DocType: Service Level Priority,Response Time,Responstid DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Indstillinger apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Mængden skal være positiv DocType: Contract,CRM,CRM @@ -1600,7 +1611,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Inpatientbesøgsgebyr DocType: Bank Statement Settings,Transaction Data Mapping,Transaktionsdata Kortlægning apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,En bly kræver enten en persons navn eller en organisations navn DocType: Student,Guardians,Guardians -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vær venlig at installere Instruktør Navngivningssystem i Uddannelse> Uddannelsesindstillinger apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Vælg mærke ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Mellemindkomst DocType: Shipping Rule,Calculate Based On,Beregn Baseret På @@ -1637,6 +1647,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Indstil et mål apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Tilstedeværelseskort {0} findes mod Student {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Dato for transaktion apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Annuller abonnement +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Kunne ikke indstille Service Level Agreement {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Netto lønbeløb DocType: Account,Liability,Ansvar DocType: Employee,Bank A/C No.,Bank A / C nr. @@ -1702,7 +1713,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Råmateriale varekode apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Købsfaktura {0} er allerede indsendt DocType: Fees,Student Email,Student Email -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM-rekursion: {0} kan ikke være forælder eller barn på {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Få artikler fra sundhedsydelser apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Lagerindgang {0} er ikke indsendt DocType: Item Attribute Value,Item Attribute Value,Vareattributværdi @@ -1727,7 +1737,6 @@ DocType: POS Profile,Allow Print Before Pay,Tillad Print før betaling DocType: Production Plan,Select Items to Manufacture,Vælg varer til fremstilling DocType: Leave Application,Leave Approver Name,Forlad godkendelsesnavn DocType: Shareholder,Shareholder,Aktionær -DocType: Issue,Agreement Status,Aftale Status apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Standardindstillinger for salgstransaktioner. 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 kandidatansøger" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Vælg BOM @@ -1990,6 +1999,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Indkomstkonto apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Alle varehuse DocType: Contract,Signee Details,Signee Detaljer +DocType: Shift Type,Allow check-out after shift end time (in minutes),Tillad udtjekning efter skift sluttid (i minutter) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,indkøb DocType: Item Group,Check this if you want to show in website,Tjek dette hvis du vil vise på hjemmesiden apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiscal Year {0} ikke fundet @@ -2056,6 +2066,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Afskrivning Startdato DocType: Activity Cost,Billing Rate,Faktureringsfrekvens apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Advarsel: En anden {0} # {1} eksisterer mod lagerindtastning {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Aktivér Google Maps Indstillinger til at estimere og optimere ruter +DocType: Purchase Invoice Item,Page Break,Sideskift DocType: Supplier Scorecard Criteria,Max Score,Max score apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Tilbagebetaling Startdato kan ikke være før Udbetalingsdato. DocType: Support Search Source,Support Search Source,Support Search Source @@ -2124,6 +2135,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Kvalitetsmål DocType: Employee Transfer,Employee Transfer,Medarbejderoverførsel ,Sales Funnel,Salgstragle DocType: Agriculture Analysis Criteria,Water Analysis,Vandanalyse +DocType: Shift Type,Begin check-in before shift start time (in minutes),Begynd check-in før skift starttid (i minutter) DocType: Accounts Settings,Accounts Frozen Upto,Konti Frozen Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Der er ikke noget at redigere. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Drift {0} længere end nogen ledig arbejdstid i arbejdsstationen {1}, nedbryd operationen til flere operationer" @@ -2137,7 +2149,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Kont apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Salgsordre {0} er {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Forsinkelse i betaling (dage) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Indtast afskrivningsoplysninger +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Kunde PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Forventet Leveringsdato skal være efter salgsordre +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Varemængden kan ikke være nul apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Ugyldig attribut apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Vælg venligst BOM mod punkt {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Faktura Type @@ -2147,6 +2161,7 @@ DocType: Maintenance Visit,Maintenance Date,Vedligeholdelsesdato DocType: Volunteer,Afternoon,Eftermiddag DocType: Vital Signs,Nutrition Values,Ernæringsværdier DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Tilstedeværelse af feber (temp> 38,5 ° C eller vedvarende temp> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Opsæt venligst medarbejdernavnesystem i menneskelige ressourcer> HR-indstillinger apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Reversed DocType: Project,Collect Progress,Indsamle fremskridt apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energi @@ -2197,6 +2212,7 @@ DocType: Setup Progress,Setup Progress,Setup Progress ,Ordered Items To Be Billed,"Bestilte varer, der skal faktureres" DocType: Taxable Salary Slab,To Amount,Til beløb DocType: Purchase Invoice,Is Return (Debit Note),Er retur (debit note) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium apps/erpnext/erpnext/config/desktop.py,Getting Started,Kom i gang apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Fusionere apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,"Kan ikke ændre Regnskabsårets startdato og Regnskabsårets slutdato, når Regnskabsåret er gemt." @@ -2215,8 +2231,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Faktisk dato apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Vedligeholdelses startdato kan ikke være før leveringsdato for serienummer {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Række {0}: Valutakursen er obligatorisk DocType: Purchase Invoice,Select Supplier Address,Vælg leverandøradresse +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Tilgængelig mængde er {0}, du har brug for {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Indtast venligst API Consumer Secret DocType: Program Enrollment Fee,Program Enrollment Fee,Programindskrivningsgebyr +DocType: Employee Checkin,Shift Actual End,Skift Aktuel Afslutning DocType: Serial No,Warranty Expiry Date,Udløbsdato for garanti DocType: Hotel Room Pricing,Hotel Room Pricing,Hotel værelsespriser apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Udadvendt skattepligtige leverancer (bortset fra nulkvalificeret, nul ratede og fritaget" @@ -2276,6 +2294,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Læsning 5 DocType: Shopping Cart Settings,Display Settings,Skærmindstillinger apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Indtast venligst antal afskrivninger, der er bogført" +DocType: Shift Type,Consequence after,Konsekvens efter apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Hvad har du brug for hjælp til? DocType: Journal Entry,Printing Settings,Udskrivningsindstillinger apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banking @@ -2285,6 +2304,7 @@ DocType: Purchase Invoice Item,PR Detail,PR Detail apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Faktureringsadresse er ens som forsendelsesadresse DocType: Account,Cash,Kontanter DocType: Employee,Leave Policy,Forlad politik +DocType: Shift Type,Consequence,Følge apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Studentadresse DocType: GST Account,CESS Account,CESS-konto apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Omkostningscenter er påkrævet for 'Profit and Loss'-konto {2}. Opret venligst et standardkostningscenter for virksomheden. @@ -2349,6 +2369,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN-kode DocType: Period Closing Voucher,Period Closing Voucher,Periodeafslutningsbevis apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Navn apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Indtast Udgiftskonto +DocType: Issue,Resolution By Variance,Opløsning ved variation DocType: Employee,Resignation Letter Date,Afgangsbrev Dato DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Tilstedeværelse til dato @@ -2361,6 +2382,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Se nu DocType: Item Price,Valid Upto,Gyldig Upto apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Reference Doktypen skal være en af {0} +DocType: Employee Checkin,Skip Auto Attendance,Spring automatisk tilstedeværelse DocType: Payment Request,Transaction Currency,Transaktionsvaluta DocType: Loan,Repayment Schedule,Tilbagebetalingsplan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Opret prøvepræmie lagerinput @@ -2432,6 +2454,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Salary Structur DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Skatter apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Handling initialiseret DocType: POS Profile,Applicable for Users,Gælder for brugere +,Delayed Order Report,Forsinket bestillingsrapport DocType: Training Event,Exam,Eksamen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Forkert antal hovedbogsnumre fundet. Du har muligvis valgt en forkert konto i transaktionen. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Salgsledning @@ -2446,10 +2469,11 @@ DocType: Account,Round Off,Afrunde DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Betingelserne vil blive anvendt på alle de valgte elementer kombineret. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Konfigurer DocType: Hotel Room,Capacity,Kapacitet +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Installeret antal apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} i vare {1} er deaktiveret. DocType: Hotel Room Reservation,Hotel Reservation User,Hotel Reservation Bruger -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Arbejdsdagen er blevet gentaget to gange +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Service Level Agreement med Entity Type {0} og Entity {1} eksisterer allerede. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},"Varegruppe, der ikke er nævnt i varemester for punkt {0}" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Navnefejl: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Territory er påkrævet i POS Profile @@ -2497,6 +2521,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Planlægningsdato DocType: Packing Slip,Package Weight Details,Pakkevægtens detaljer DocType: Job Applicant,Job Opening,Ledig stilling +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Sidste kendte vellykket synkronisering af medarbejderkontrol. Nulstil kun dette, hvis du er sikker på, at alle logfiler synkroniseres fra alle placeringer. Vær venlig at ændre dette, hvis du ikke er sikker." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Faktisk omkostninger apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Samlet forskud ({0}) mod ordre {1} kan ikke være større end Grand Total ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Varevarianter opdateret @@ -2541,6 +2566,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Reference købskvittering apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Få invokationer DocType: Tally Migration,Is Day Book Data Imported,Er data fra dagbog importeret ,Sales Partners Commission,Sales Partners Commission +DocType: Shift Type,Enable Different Consequence for Early Exit,Aktivér forskellige konsekvenser for tidlig afgang apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,gyldige DocType: Loan Application,Required by Date,Påkrævet efter dato DocType: Quiz Result,Quiz Result,Quiz Resultat @@ -2600,7 +2626,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finans / DocType: Pricing Rule,Pricing Rule,Prissætning regel 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}" apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Angiv bruger-id-feltet i en medarbejderpost for at indstille medarbejderrolle -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Tid til at løse DocType: Training Event,Training Event,Træningsarrangement DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normal hvilende blodtryk hos en voksen er ca. 120 mmHg systolisk og 80 mmHg diastolisk, forkortet "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Systemet henter alle indgange, hvis grænseværdien er nul." @@ -2644,6 +2669,7 @@ DocType: Woocommerce Settings,Enable Sync,Aktivér synkronisering DocType: Student Applicant,Approved,godkendt apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Fra Dato skal være inden for Skatteåret. Forudsat fra dato = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Indstil leverandørgruppe i indkøbsindstillinger. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} er en ugyldig deltagelsesstatus. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Midlertidig åbningskonto DocType: Purchase Invoice,Cash/Bank Account,Kontant / bankkonto DocType: Quality Meeting Table,Quality Meeting Table,Kvalitetsmødetabel @@ -2679,6 +2705,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Mad, drikkevarer og tobak" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kursusplan DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Varebeskrivelse +DocType: Shift Type,Attendance will be marked automatically only after this date.,Deltagelse vil kun blive markeret automatisk efter denne dato. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Forsyninger til UIN indehavere apps/erpnext/erpnext/hooks.py,Request for Quotations,Anmodning om tilbud apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,"Valuta kan ikke ændres, når du har foretaget poster med en anden valuta" @@ -2727,7 +2754,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Er vare fra nav apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kvalitetsprocedure. DocType: Share Balance,No of Shares,Antal aktier -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Række {0}: Antal ikke tilgængelig for {4} i lager {1} ved bogføringstidspunktet for indgangen ({2} {3}) DocType: Quality Action,Preventive,Forebyggende DocType: Support Settings,Forum URL,Forum-URL apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Medarbejder og deltagelse @@ -2949,7 +2975,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Rabat Type DocType: Hotel Settings,Default Taxes and Charges,Standardskatter og afgifter apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Dette er baseret på transaktioner mod denne leverandør. Se tidslinjen nedenfor for detaljer apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Maksimal ydelsesbeløb for medarbejderen {0} overstiger {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Indtast start og slutdato for aftalen. DocType: Delivery Note Item,Against Sales Invoice,Mod salgsfaktura DocType: Loyalty Point Entry,Purchase Amount,Købsbeløb apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Kan ikke indstilles som tabt som salgsordre er lavet. @@ -2973,7 +2998,7 @@ DocType: Homepage,"URL for ""All Products""",URL for "Alle produkter" DocType: Lead,Organization Name,Organisationens navn apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Gyldig fra og gyldig op til felter er obligatoriske for den kumulative apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Batch nr skal være det samme som {1} {2} -DocType: Employee,Leave Details,Forlad Detaljer +DocType: Employee Checkin,Shift Start,Skift start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Aktietransaktioner inden {0} er frosset DocType: Driver,Issuing Date,Udstedelsesdato apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Anmoders @@ -3018,9 +3043,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Cash Flow Mapping Template Detaljer apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Rekruttering og træning DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Indstillinger for grace period for automatisk deltagelse apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Fra valuta og til valuta kan ikke være ens apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Lægemidler DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Support timer apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} annulleres eller lukkes apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Række {0}: Advance mod kunden skal være kredit apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Gruppe efter Voucher (konsolideret) @@ -3130,6 +3157,7 @@ DocType: Asset Repair,Repair Status,Reparation Status DocType: Territory,Territory Manager,Territory Manager DocType: Lab Test,Sample ID,Prøve ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Indkøbskurven er tom +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Deltagelse er blevet markeret som pr. Medarbejderinsjekk apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Aktivet {0} skal indsendes ,Absent Student Report,Afhængig Studentrapport apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Inkluderet i bruttoresultat @@ -3137,7 +3165,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,P DocType: Travel Request Costing,Funded Amount,Finansieret beløb apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} er ikke indsendt, så handlingen kan ikke gennemføres" DocType: Subscription,Trial Period End Date,Prøveperiode Slutdato +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Alternerende indtastninger som IN og OUT under samme skift DocType: BOM Update Tool,The new BOM after replacement,Den nye BOM efter udskiftning +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandør Type apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Punkt 5 DocType: Employee,Passport Number,Pasnummer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Midlertidig åbning @@ -3253,6 +3283,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Nøglerapporter apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Mulig leverandør ,Issued Items Against Work Order,Udstedte varer mod arbejdsordre apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Oprettelse af {0} faktura +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vær venlig at installere Instruktør Navngivningssystem i Uddannelse> Uddannelsesindstillinger DocType: Student,Joining Date,Tilmeldingsdato apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Anmodning om websted DocType: Purchase Invoice,Against Expense Account,Mod bekostning konto @@ -3292,6 +3323,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Gældende gebyrer ,Point of Sale,Salgsstedet DocType: Authorization Rule,Approving User (above authorized value),Godkendelse af bruger (over autoriseret værdi) +DocType: Service Level Agreement,Entity,Enhed apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Beløb {0} {1} overført fra {2} til {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Kunden {0} hører ikke til projektet {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Fra Party Name @@ -3338,6 +3370,7 @@ DocType: Asset,Opening Accumulated Depreciation,Åbning akkumuleret afskrivning DocType: Soil Texture,Sand Composition (%),Sandkomposition (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Import dagbogsdata +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Indstil navngivningsserien for {0} via Setup> Settings> Naming Series DocType: Asset,Asset Owner Company,Asset Owner Company apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Omkostningerne er påkrævet for at bestille en udgiftskrav apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} gyldige serienummer for vare {1} @@ -3398,7 +3431,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Aktiv ejer apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Lager er obligatorisk for lager vare {0} i række {1} DocType: Stock Entry,Total Additional Costs,Samlede ekstra omkostninger -DocType: Marketplace Settings,Last Sync On,Sidste synkronisering apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Indstil mindst en række i skat og afgifter tabel DocType: Asset Maintenance Team,Maintenance Team Name,Vedligeholdelsesnavn apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Diagram over omkostningscentre @@ -3414,12 +3446,12 @@ DocType: Sales Order Item,Work Order Qty,Arbejdsordre Antal DocType: Job Card,WIP Warehouse,WIP Warehouse DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Bruger-id er ikke indstillet til Medarbejder {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Tilgængelig antal er {0}, du har brug for {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Bruger {0} oprettet DocType: Stock Settings,Item Naming By,Vare navn ved apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,bestilt apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Dette er en root kundegruppe og kan ikke redigeres. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materialeanmodning {0} annulleres eller stoppes +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strenkt baseret på Log Type i Medarbejder Checkin DocType: Purchase Order Item Supplied,Supplied Qty,Leveres Antal DocType: Cash Flow Mapper,Cash Flow Mapper,Cash Flow Mapper DocType: Soil Texture,Sand,Sand @@ -3478,6 +3510,7 @@ DocType: Lab Test Groups,Add new line,Tilføj ny linje apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Duplikér elementgruppe fundet i elementgruppen tabellen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Årlig løn DocType: Supplier Scorecard,Weighting Function,Vægtningsfunktion +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Konverteringsfaktor ({0} -> {1}) blev ikke fundet for elementet: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Fejl ved evaluering af kriterieformlen ,Lab Test Report,Lab Test Report DocType: BOM,With Operations,Med Operations @@ -3491,6 +3524,7 @@ DocType: Expense Claim Account,Expense Claim Account,Expense Claim Account apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Ingen tilbagebetalinger til rådighed for Journal Entry apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} er inaktiv studerende apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Lav lagerregistrering +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM rekursion: {0} kan ikke være forælder eller barn på {1} DocType: Employee Onboarding,Activities,Aktiviteter apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast et lager er obligatorisk ,Customer Credit Balance,Kreditorkredit @@ -3503,9 +3537,11 @@ DocType: Supplier Scorecard Period,Variables,Variable 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: Patient,Medication,Medicin apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Vælg Loyalitetsprogram +DocType: Employee Checkin,Attendance Marked,Tilstedeværelse Markeret apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Råmateriale DocType: Sales Order,Fully Billed,Fuldt billet apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Venligst indstil Hotel værelsespris på {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Vælg kun en prioritet som standard. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Venligst identificer / opret konto (Ledger) for type - {0} 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 den tilknyttede tidsskriftindgang DocType: Purchase Invoice Item,Is Fixed Asset,Er fast ejendom @@ -3526,6 +3562,7 @@ DocType: Purpose of Travel,Purpose of Travel,Formålet med rejser DocType: Healthcare Settings,Appointment Confirmation,Aftalebekræftelse DocType: Shopping Cart Settings,Orders,ordrer DocType: HR Settings,Retirement Age,Pensionsalder +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Venligst opsæt nummereringsserien for Tilstedeværelse via Opsætning> Nummereringsserie apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Projiceret antal apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Sletning er ikke tilladt for land {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Række # {0}: aktiv {1} er allerede {2} @@ -3609,11 +3646,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Revisor apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Closing Voucher eksisterer alligevel for {0} mellem dato {1} og {2} apps/erpnext/erpnext/config/help.py,Navigating,Navigation +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Ingen udestående fakturaer kræver omregning af valutakurserne DocType: Authorization Rule,Customer / Item Name,Navn på kunde / varenummer apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nyt serienummer kan ikke have lager. Lager skal indstilles ved lageropgørelse eller købskvittering DocType: Issue,Via Customer Portal,Via kundeportalen DocType: Work Order Operation,Planned Start Time,Planlagt starttid apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} er {2} +DocType: Service Level Priority,Service Level Priority,Serviceniveau prioritet apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,"Antal afskrivninger, der bogføres, kan ikke være større end det samlede antal afskrivninger" apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Del Ledger DocType: Journal Entry,Accounts Payable,Betalingspligtige @@ -3724,7 +3763,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Levering til DocType: Bank Statement Transaction Settings Item,Bank Data,Bankdata apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planlagt Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Vedligeholde faktureringstid og arbejdstid samme på tidsskema apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Sporledninger af blykilde. DocType: Clinical Procedure,Nursing User,Sygeplejerske bruger DocType: Support Settings,Response Key List,Response Key List @@ -3892,6 +3930,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Faktisk starttid DocType: Antibiotic,Laboratory User,Laboratoriebruger apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Online auktioner +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioritet {0} er blevet gentaget. DocType: Fee Schedule,Fee Creation Status,Fee Creation Status apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Softwares apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Salgsordre til betaling @@ -3958,6 +3997,7 @@ DocType: Patient Encounter,In print,I print apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Kunne ikke hente oplysninger for {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Faktureringsvaluta skal være lig med enten standardfirmaets valuta eller part konto konto valuta apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Indtast venligst medarbejder-id for denne sælger +DocType: Shift Type,Early Exit Consequence after,Tidlig udgangseffekt efter apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Opret åbne salgs- og købsfakturaer DocType: Disease,Treatment Period,Behandlingsperiode apps/erpnext/erpnext/config/settings.py,Setting up Email,Opsætning af e-mail @@ -3975,7 +4015,6 @@ DocType: Employee Skill Map,Employee Skills,Medarbejderfærdigheder apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Elevnavn: DocType: SMS Log,Sent On,Sendt på DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Salgsfaktura -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Response Time kan ikke være større end Resolution Time DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",For kursusbaseret studentegruppe vil kurset blive valideret for hver elev fra de tilmeldte kurser i programtilmelding. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Intra-State Supplies DocType: Employee,Create User Permission,Opret brugertilladelse @@ -4014,6 +4053,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standard kontraktvilkår for salg eller køb. DocType: Sales Invoice,Customer PO Details,Kunde PO Detaljer apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Patient ikke fundet +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Vælg en standardprioritet. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Fjern element, hvis gebyrer ikke er gældende for den pågældende vare" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"En kundegruppe eksisterer med samme navn, skal du ændre kundens navn eller omdøbe kundegruppen" 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. @@ -4053,6 +4093,7 @@ DocType: Quality Goal,Quality Goal,Kvalitetsmål DocType: Support Settings,Support Portal,Support Portal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Slutdatoen for opgaven {0} kan ikke være mindre end {1} forventet startdato {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Medarbejder {0} er på ferie på {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Denne serviceniveauaftale er specifik for kunden {0} DocType: Employee,Held On,Holdt fast DocType: Healthcare Practitioner,Practitioner Schedules,Practitioner Schedules DocType: Project Template Task,Begin On (Days),Begynd den (dage) @@ -4060,6 +4101,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Arbejdsordre har været {0} DocType: Inpatient Record,Admission Schedule Date,Adgangskalender Dato apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Asset Value Adjustment +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Markere tilstedeværelse baseret på 'Employee Checkin' for medarbejdere tildelt dette skifte. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Forsyninger til uregistrerede personer apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Alle job DocType: Appointment Type,Appointment Type,Udnævnelsestype @@ -4173,7 +4215,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Pakkenes bruttovægt. Normalt nettovægt + emballagemateriale vægt. (til print) DocType: Plant Analysis,Laboratory Testing Datetime,Laboratorietestning Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Varen {0} kan ikke have Batch -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Salgsledning efter trin apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Studentgruppens styrke DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bankregnskab Transaktion DocType: Purchase Order,Get Items from Open Material Requests,Få varer fra åbne materialeanmodninger @@ -4255,7 +4296,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Vis Aging Warehouse-wise DocType: Sales Invoice,Write Off Outstanding Amount,Skriv ud Udestående beløb DocType: Payroll Entry,Employee Details,Medarbejderdetaljer -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Starttidspunktet kan ikke være større end sluttid for {0}. DocType: Pricing Rule,Discount Amount,Rabatbeløb DocType: Healthcare Service Unit Type,Item Details,Elementdetaljer apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Duplicate Tax Declaration af {0} for periode {1} @@ -4308,7 +4348,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Netto løn kan ikke være negativ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Ingen af interaktioner 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/hr/doctype/employee/employee_dashboard.py,Shift,Flytte +DocType: Attendance,Shift,Flytte apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Behandling af kontoplan og parter DocType: Stock Settings,Convert Item Description to Clean HTML,Konverter varebeskrivelse for at rydde HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alle leverandørgrupper @@ -4379,6 +4419,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Medarbejder O DocType: Healthcare Service Unit,Parent Service Unit,Moderselskab DocType: Sales Invoice,Include Payment (POS),Inkluder betaling (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Kapitalfond +DocType: Shift Type,First Check-in and Last Check-out,Første check-in og sidste check-out DocType: Landed Cost Item,Receipt Document,Kvitteringsdokument DocType: Supplier Scorecard Period,Supplier Scorecard Period,Leverandør Scorecard Periode DocType: Employee Grade,Default Salary Structure,Standard lønstruktur @@ -4461,6 +4502,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Opret indkøbsordre apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definer budget for et regnskabsår. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Kontobordet kan ikke være tomt. +DocType: Employee Checkin,Entry Grace Period Consequence,Indtræden Grace Period Konsekvens ,Payment Period Based On Invoice Date,Betalingsperiode baseret på faktura dato apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Installationsdato kan ikke være før leveringsdato for punkt {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Link til materialeanmodning @@ -4469,6 +4511,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapped Data T apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Række {0}: Der findes allerede en genbestilling for dette lager {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dok Dato DocType: Monthly Distribution,Distribution Name,Distributionsnavn +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Arbejdsdag {0} er blevet gentaget. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Gruppe til ikke-koncern apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Opdatering i gang. Det kan tage et stykke tid. DocType: Item,"Example: ABCD.##### @@ -4481,6 +4524,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Antal brændstof apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobilnr DocType: Invoice Discounting,Disbursed,udbetalt +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Tid efter afslutningen af skiftet i løbet af hvilket check-out anses for deltagelse. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,"Netto ændring i konti, der skal betales" apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Ikke tilgængelig apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Deltid @@ -4494,7 +4538,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potentie apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Vis PDC i Print apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Leverandør DocType: POS Profile User,POS Profile User,POS profil bruger -DocType: Student,Middle Name,Mellemnavn DocType: Sales Person,Sales Person Name,Salg Personnavn DocType: Packing Slip,Gross Weight,Bruttovægt DocType: Journal Entry,Bill No,Bill nr @@ -4503,7 +4546,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Ny pl DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-vlog-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Service Level Agreement -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Vælg venligst medarbejder og dato først apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Varevalueringskursen genberegnes i betragtning af det landede kostprisbeløb DocType: Timesheet,Employee Detail,Medarbejderdetaljer DocType: Tally Migration,Vouchers,Beviserne @@ -4538,7 +4580,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Service Level Ag DocType: Additional Salary,Date on which this component is applied,"Dato, hvor denne komponent anvendes" apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Liste over tilgængelige aktionærer med folio numre apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup Gateway-konti. -DocType: Service Level,Response Time Period,Response Time Periode +DocType: Service Level Priority,Response Time Period,Response Time Periode DocType: Purchase Invoice,Purchase Taxes and Charges,Køb skatter og afgifter DocType: Course Activity,Activity Date,Aktivitetsdato apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Vælg eller tilføj ny kunde @@ -4563,6 +4605,7 @@ DocType: Sales Person,Select company name first.,Vælg firmaets navn først. apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Finansielt år DocType: Sales Invoice Item,Deferred Revenue,Udskudte indtægter apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,I det mindste en af Sælg eller Køb skal vælges +DocType: Shift Type,Working Hours Threshold for Half Day,Arbejdstidstærskel for halv dag ,Item-wise Purchase History,Item-wise købshistorik apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Kan ikke ændre Service Stop Date for element i række {0} DocType: Production Plan,Include Subcontracted Items,Inkluder underleverancer @@ -4595,6 +4638,7 @@ DocType: Journal Entry,Total Amount Currency,Samlet beløbsmængde DocType: BOM,Allow Same Item Multiple Times,Tillad samme vare flere gange apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Opret BOM DocType: Healthcare Practitioner,Charges,Afgifter +DocType: Employee,Attendance and Leave Details,Tilstedeværelse og efterladselsdetaljer DocType: Student,Personal Details,Personlige detaljer DocType: Sales Order,Billing and Delivery Status,Fakturerings- og leveringsstatus apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Række {0}: For leverandør {0} Emailadresse er påkrævet for at sende e-mail @@ -4646,7 +4690,6 @@ DocType: Bank Guarantee,Supplier,Leverandør apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Indtast værdi mellem {0} og {1} DocType: Purchase Order,Order Confirmation Date,Ordrebekræftelsesdato DocType: Delivery Trip,Calculate Estimated Arrival Times,Beregn Anslåede ankomsttider -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Opsæt venligst medarbejdernavnesystem i menneskelige ressourcer> HR-indstillinger apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,forbrugsmateriale DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Abonnements startdato @@ -4668,7 +4711,7 @@ DocType: Installation Note Item,Installation Note Item,Installation Note Item DocType: Journal Entry Account,Journal Entry Account,Journal entry-konto apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variant apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Forumaktivitet -DocType: Service Level,Resolution Time Period,Opløsningstidsperiode +DocType: Service Level Priority,Resolution Time Period,Opløsningstidsperiode DocType: Request for Quotation,Supplier Detail,Leverandør Detail DocType: Project Task,View Task,Se opgave DocType: Serial No,Purchase / Manufacture Details,Køb / Produktion Detaljer @@ -4735,6 +4778,7 @@ DocType: Sales Invoice,Commission Rate (%),Kommissionens sats (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Lageret kan kun ændres via lagerindtastning / leveringsnota / købskvittering DocType: Support Settings,Close Issue After Days,Luk udgave efter dage DocType: Payment Schedule,Payment Schedule,Betalingsplan +DocType: Shift Type,Enable Entry Grace Period,Aktivér adgangsperiode DocType: Patient Relation,Spouse,Ægtefælle DocType: Purchase Invoice,Reason For Putting On Hold,Årsag til at sætte på hold DocType: Item Attribute,Increment,Forøgelse @@ -4874,6 +4918,7 @@ DocType: Authorization Rule,Customer or Item,Kunde eller vare DocType: Vehicle Log,Invoice Ref,Faktura Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-formularen gælder ikke for faktura: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Faktura er oprettet +DocType: Shift Type,Early Exit Grace Period,Early Exit Grace Period DocType: Patient Encounter,Review Details,Gennemgå detaljer apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Række {0}: Timer værdi skal være større end nul. DocType: Account,Account Number,Kontonummer @@ -4885,7 +4930,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned 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" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Overlappende forhold fundet mellem: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Betalt og ikke leveret -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Varekoden er obligatorisk, fordi varen ikke automatisk nummereres" DocType: GST HSN Code,HSN Code,HSN kode DocType: GSTR 3B Report,September,september apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administrative udgifter @@ -4921,6 +4965,8 @@ DocType: Travel Itinerary,Travel From,Rejse fra apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP-konto DocType: SMS Log,Sender Name,Afsender navn DocType: Pricing Rule,Supplier Group,Leverandørgruppe +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Indstil starttid og sluttid for \ support dag {0} i indeks {1}. DocType: Employee,Date of Issue,Udstedelsesdato ,Requested Items To Be Transferred,"Forespurgte emner, der skal overføres" DocType: Employee,Contract End Date,Kontraktens slutdato @@ -4931,6 +4977,7 @@ DocType: Healthcare Service Unit,Vacant,Ledig DocType: Opportunity,Sales Stage,Salgstrin DocType: Sales Order,In Words will be visible once you save the Sales Order.,"I Ord bliver du synlig, når du har gemt salgsordren." DocType: Item Reorder,Re-order Level,Re-order Level +DocType: Shift Type,Enable Auto Attendance,Aktivér automatisk deltagelse apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Preference ,Department Analytics,Afdeling Analytics DocType: Crop,Scientific Name,Videnskabeligt navn @@ -4943,6 +4990,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} status er {2} DocType: Quiz Activity,Quiz Activity,Quiz Aktivitet apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} er ikke i en gyldig lønseddel DocType: Timesheet,Billed,billed +apps/erpnext/erpnext/config/support.py,Issue Type.,Udstedelsestype. DocType: Restaurant Order Entry,Last Sales Invoice,Sidste salgsfaktura DocType: Payment Terms Template,Payment Terms,Betalingsbetingelser apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Reserveret antal: Antal bestilt til salg, men ikke leveret." @@ -5038,6 +5086,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Asset apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} har ikke en Healthcare Practitioner Schedule. Tilføj det i Healthcare Practitioner master DocType: Vehicle,Chassis No,Chassis nr +DocType: Employee,Default Shift,Standardskift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Virksomhedsforkortelse apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Træ af materiale DocType: Article,LMS User,LMS Bruger @@ -5086,6 +5135,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Moderselskab DocType: Student Group Creation Tool,Get Courses,Få kurser apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Række nr. {0}: Antal skal være 1, da varen er et fast aktiv. Brug venligst separat række til flere antal." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Arbejdstider under hvilke Fravær er markeret. (Nul for at deaktivere) DocType: Customer Group,Only leaf nodes are allowed in transaction,Kun blade noder er tilladt i transaktionen DocType: Grant Application,Organization,Organisation DocType: Fee Category,Fee Category,Gebyr kategori @@ -5098,6 +5148,7 @@ DocType: Payment Order,PMO-,PMO- 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: Volunteer,Morning,Morgen DocType: Quotation Item,Quotation Item,Citat +apps/erpnext/erpnext/config/support.py,Issue Priority.,Issue Priority. DocType: Journal Entry,Credit Card Entry,Kreditkort indtastning apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tidspausen overspring, spalten {0} til {1} overlapper ekspansionen slot {2} til {3}" DocType: Journal Entry Account,If Income or Expense,Hvis indkomst eller udgift @@ -5148,11 +5199,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Dataimport og indstillinger 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: Account,Expense Account,Udgiftskonto +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Tiden før skiftens starttidspunkt, hvor medarbejderins Check-in anses for deltagelse." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Forholdet med Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Opret faktura apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Betalingsforespørgsel eksisterer allerede {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Medarbejder lettet på {0} skal indstilles som 'Venstre' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Betal {0} {1} +DocType: Company,Sales Settings,Salg Indstillinger DocType: Sales Order Item,Produced Quantity,Produceret mængde apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Anmodningen om tilbud er tilgængelig ved at klikke på følgende link DocType: Monthly Distribution,Name of the Monthly Distribution,Navn på den månedlige distribution @@ -5231,6 +5284,7 @@ DocType: Company,Default Values,Standardværdier apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standard skat skabeloner til salg og køb oprettes. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Forladetype {0} kan ikke videreføres apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Debit til konto skal være en tilgodehavende konto +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Slutdato for aftale kan ikke være mindre end i dag. apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Indstil konto i lager {0} eller standard lagerkonto i firma {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Indstillet som standard DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettovægten af denne pakke. (beregnes automatisk som summen af nettovægten af varer) @@ -5257,8 +5311,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Udløbet Batcher DocType: Shipping Rule,Shipping Rule Type,Forsendelsesregel Type DocType: Job Offer,Accepted,Accepteret -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Fjern venligst medarbejderen {0} \ for at annullere dette dokument" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Du har allerede vurderet for bedømmelseskriterierne {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Vælg batchnumre apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Alder (dage) @@ -5285,6 +5337,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Vælg dine domæner DocType: Agriculture Task,Task Name,Opgavenavn apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,"Lagerindtægter, der allerede er oprettet til Arbejdsordre" +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Fjern venligst medarbejderen {0} \ for at annullere dette dokument" ,Amount to Deliver,"Beløb, der skal leveres" apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Virksomheden {0} eksisterer ikke apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Ingen afventer materialeanmodninger fundet for at linke for de givne varer. @@ -5334,6 +5388,7 @@ DocType: Program Enrollment,Enrolled courses,Indskrevne kurser DocType: Lab Prescription,Test Code,Testkode DocType: Purchase Taxes and Charges,On Previous Row Total,På forrige række i alt DocType: Student,Student Email Address,Student Email Adresse +,Delayed Item Report,Forsinket varerapport DocType: Academic Term,Education,Uddannelse DocType: Supplier Quotation,Supplier Address,Leverandøradresse DocType: Salary Detail,Do not include in total,Inkluder ikke i alt @@ -5341,7 +5396,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} eksisterer ikke DocType: Purchase Receipt Item,Rejected Quantity,Afvist mængde DocType: Cashier Closing,To TIme,Til tiden -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Konverteringsfaktor ({0} -> {1}) blev ikke fundet for elementet: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Daglig Arbejdsopsummering Gruppe Bruger DocType: Fiscal Year Company,Fiscal Year Company,Fiscal Year Company apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternativt element må ikke være det samme som varekode @@ -5393,6 +5447,7 @@ DocType: Program Fee,Program Fee,Programgebyr DocType: Delivery Settings,Delay between Delivery Stops,Forsinkelse mellem Leveringsstop DocType: Stock Settings,Freeze Stocks Older Than [Days],Frys Aktier Ældre end [Dage] DocType: Promotional Scheme,Promotional Scheme Product Discount,Salgsfremmende ordning produkt rabat +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Problemer prioriteres allerede DocType: Account,Asset Received But Not Billed,Asset modtaget men ikke faktureret DocType: POS Closing Voucher,Total Collected Amount,Samlet samlet beløb DocType: Course,Default Grading Scale,Standardgraderingsskala @@ -5435,6 +5490,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Opfyldelsesbetingelser apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Ikke-gruppe til gruppe DocType: Student Guardian,Mother,Mor +DocType: Issue,Service Level Agreement Fulfilled,Service Level Agreement Opfyldt DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Fradragsafgift for uopkrævede medarbejderfordele DocType: Travel Request,Travel Funding,Rejsefinansiering DocType: Shipping Rule,Fixed,Fast @@ -5464,10 +5520,12 @@ DocType: Item,Warranty Period (in days),Garantiperiode (i dage) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Ingen emner fundet. DocType: Item Attribute,From Range,Fra rækkevidde DocType: Clinical Procedure,Consumables,Forbrugsstoffer +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' og 'timestamp' er påkrævet. DocType: Purchase Taxes and Charges,Reference Row #,Reference Row # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Indtast venligst 'Asset Depreciation Cost Center' i Firma {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Række nr. {0}: Betalingsdokument er påkrævet for at afslutte trasactionen DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Klik på denne knap for at trække dine salgsordre data fra Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Arbejdstid under hvilken halvdag er markeret. (Nul for at deaktivere) ,Assessment Plan Status,Evalueringsplan Status apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Vælg venligst {0} først apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Indsend dette for at oprette medarbejderposten @@ -5538,6 +5596,7 @@ DocType: Quality Procedure,Parent Procedure,Forældelsesprocedure apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Indstil Åbn apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Skift filtre DocType: Production Plan,Material Request Detail,Materialeforespørgselsdetaljer +DocType: Shift Type,Process Attendance After,Procesbesøg efter DocType: Material Request Item,Quantity and Warehouse,Mængde og lager apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Gå til Programmer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: Duplicate entry i Referencer {1} {2} @@ -5595,6 +5654,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Party Information apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debitorer ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Til dato kan ikke større end medarbejderens lindrende dato +DocType: Shift Type,Enable Exit Grace Period,Aktivér Exit Grace Period DocType: Expense Claim,Employees Email Id,Medarbejdere E-mail-id DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Opdater pris fra Shopify til ERPNæste prisliste DocType: Healthcare Settings,Default Medical Code Standard,Standard Medical Code Standard @@ -5625,7 +5685,6 @@ DocType: Item Group,Item Group Name,Navn på varegruppe DocType: Budget,Applicable on Material Request,Gælder for materialeanmodning DocType: Support Settings,Search APIs,Søg API'er DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Overproduktionsprocent for salgsordre -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,specifikationer DocType: Purchase Invoice,Supplied Items,Leverede varer DocType: Leave Control Panel,Select Employees,Vælg medarbejdere apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Vælg renteindtægter konto i lån {0} @@ -5651,7 +5710,7 @@ DocType: Salary Slip,Deductions,Fradrag ,Supplier-Wise Sales Analytics,Leverandør-Wise Sales Analytics DocType: GSTR 3B Report,February,februar DocType: Appraisal,For Employee,For medarbejder -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Faktisk Leveringsdato +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Faktisk Leveringsdato DocType: Sales Partner,Sales Partner Name,Salgspartnernavn apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Afskrivningsrække {0}: Afskrivning Startdato er indtastet som tidligere dato DocType: GST HSN Code,Regional,Regional @@ -5690,6 +5749,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Pun DocType: Supplier Scorecard,Supplier Scorecard,Leverandør Scorecard DocType: Travel Itinerary,Travel To,Rejse til apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Mark Attendance +DocType: Shift Type,Determine Check-in and Check-out,Bestem Check-in og Check-out DocType: POS Closing Voucher,Difference,Forskel apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Lille DocType: Work Order Item,Work Order Item,Arbejdsordre @@ -5723,6 +5783,7 @@ DocType: Sales Invoice,Shipping Address Name,Afsenderadresse Navn apps/erpnext/erpnext/healthcare/setup.py,Drug,medicin apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} er lukket DocType: Patient,Medical History,Medicinsk historie +DocType: Expense Claim,Expense Taxes and Charges,Udgifter Skatter og afgifter DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,"Antal dage efter fakturadato er udløbet, før annullering af abonnement eller mærkningsabonnement er ubetalt" apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Installation Note {0} er allerede indsendt DocType: Patient Relation,Family,Familie @@ -5755,7 +5816,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Styrke apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} enheder af {1} der kræves i {2} for at fuldføre denne transaktion. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush råmaterialer af underentreprise baseret på -DocType: Bank Guarantee,Customer,Kunde DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Hvis aktiveret, vil feltet Academic Term være obligatorisk i programmet tilmelding." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",For Batch-baserede Studentegruppe bliver Student Batch Valideret for hver Student fra Programindskrivningen. DocType: Course,Topics,Emner @@ -5835,6 +5895,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Kapitel Medlemmer DocType: Warranty Claim,Service Address,Serviceadresse DocType: Journal Entry,Remark,Bemærkning +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Række {0}: Mængden er ikke tilgængelig for {4} i varehus {1} ved bogføringstidspunktet for indgangen ({2} {3}) DocType: Patient Encounter,Encounter Time,Encounter Time DocType: Serial No,Invoice Details,Faktura detaljer apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Yderligere konti kan foretages under Grupper, men der kan indføres indgange mod ikke-grupper" @@ -5915,6 +5976,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","E apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Lukning (Åbning + I alt) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterier Formel apps/erpnext/erpnext/config/support.py,Support Analytics,Support Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Attendance Device ID (Biometrisk / RF tag ID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Gennemgang og handling DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Hvis kontoen er indefrosset, er det tilladt at begrænse brugere." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Beløb efter afskrivninger @@ -5936,6 +5998,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Lån tilbagebetaling DocType: Employee Education,Major/Optional Subjects,Store / Valgfag DocType: Soil Texture,Silt,silt +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Leverandøradresser og kontakter DocType: Bank Guarantee,Bank Guarantee Type,Bankgaranti Type DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Hvis deaktiveres, vil feltet 'Afrundet totalt' ikke være synligt i en transaktion" DocType: Pricing Rule,Min Amt,Min Amt @@ -5974,6 +6037,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Åbning af fakturaoprettelsesværktøj DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Inkluder POS-transaktioner +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ingen medarbejder fundet for den givne medarbejders feltværdi. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Modtaget beløb (Company Valuta) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage er fuld, ikke gemt" DocType: Chapter Member,Chapter Member,Kapitel Medlem @@ -6006,6 +6070,7 @@ DocType: SMS Center,All Lead (Open),Alle led (åben) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Ingen Student Grupper oprettet. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Duplikér række {0} med samme {1} DocType: Employee,Salary Details,Løn Detaljer +DocType: Employee Checkin,Exit Grace Period Consequence,Afslut Grace Period Konsekvens DocType: Bank Statement Transaction Invoice Item,Invoice,Faktura DocType: Special Test Items,Particulars,Oplysninger apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Indstil venligst filter baseret på vare eller lager @@ -6107,6 +6172,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Ud af AMC DocType: Job Opening,"Job profile, qualifications required etc.","Job profil, kvalifikationer kræves mv." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Skib til stat +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Ønsker du at indsende materialebegæringen DocType: Opportunity Item,Basic Rate,Grundfrekvens DocType: Compensatory Leave Request,Work End Date,Arbejdets slutdato apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Anmodning om råmaterialer @@ -6292,6 +6358,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Afskrivningsbeløb DocType: Sales Order Item,Gross Profit,Bruttoresultat DocType: Quality Inspection,Item Serial No,Vare serienummer DocType: Asset,Insurer,Forsikringsgiver +DocType: Employee Checkin,OUT,UD apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Købsbeløb DocType: Asset Maintenance Task,Certificate Required,Certifikat er påkrævet DocType: Retention Bonus,Retention Bonus,Retention Bonus @@ -6407,6 +6474,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Forskelbeløb (Firma DocType: Invoice Discounting,Sanctioned,sanktioneret DocType: Course Enrollment,Course Enrollment,Kursusmelding DocType: Item,Supplier Items,Leverandør Varer +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Starttidspunktet kan ikke være større end eller lig med sluttid \ for {0}. DocType: Sales Order,Not Applicable,Ikke anvendelig DocType: Support Search Source,Response Options,Svarindstillinger apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} skal være en værdi mellem 0 og 100 @@ -6493,7 +6562,6 @@ DocType: Travel Request,Costing,koster apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Faste aktiver DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Samlet indtjening -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium DocType: Share Balance,From No,Fra nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betalingsafstemning faktura DocType: Purchase Invoice,Taxes and Charges Added,Skatter og afgifter tilføjet @@ -6601,6 +6669,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignorer prissætningsregel apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Mad DocType: Lost Reason Detail,Lost Reason Detail,Mistet årsag detaljer +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Følgende serienumre blev oprettet:
{0} DocType: Maintenance Visit,Customer Feedback,Kunde feedback DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detaljer DocType: Issue,Opening Time,Åbningstid @@ -6650,6 +6719,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Virksomhedens navn er ikke det samme apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Medarbejderfremme kan ikke indsendes før Kampagnedato apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ikke tilladt at opdatere lager transaktioner ældre end {0} +DocType: Employee Checkin,Employee Checkin,Medarbejdercheck apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Startdatoen skal være mindre end slutdato for punkt {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Opret kunde citater DocType: Buying Settings,Buying Settings,Købsindstillinger @@ -6671,6 +6741,7 @@ DocType: Job Card Time Log,Job Card Time Log,Jobkort tidslog DocType: Patient,Patient Demographics,Patient Demografi DocType: Share Transfer,To Folio No,Til Folio nr apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Pengestrøm fra driften +DocType: Employee Checkin,Log Type,Log Type DocType: Stock Settings,Allow Negative Stock,Tillad negativ lager apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Ingen af elementerne har nogen ændring i mængde eller værdi. DocType: Asset,Purchase Date,Købsdato @@ -6715,6 +6786,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Meget Hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Vælg arten af din virksomhed. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Vælg venligst måned og år +DocType: Service Level,Default Priority,Standardprioritet DocType: Student Log,Student Log,Student Log DocType: Shopping Cart Settings,Enable Checkout,Aktivér Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Menneskelige ressourcer @@ -6743,7 +6815,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Tilslut Shopify med ERPNext DocType: Homepage Section Card,Subtitle,Undertekst DocType: Soil Texture,Loam,lerjord -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandør Type DocType: BOM,Scrap Material Cost(Company Currency),Skrotmateriale omkostninger (Company Valuta) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Leveringsnotat {0} må ikke indsendes DocType: Task,Actual Start Date (via Time Sheet),Faktisk startdato (via tidsskrift) @@ -6799,6 +6870,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosis DocType: Cheque Print Template,Starting position from top edge,Startposition fra øverste kant apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Aftale Varighed (minutter) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Denne medarbejder har allerede en logfil med samme tidsstempel. {0} DocType: Accounting Dimension,Disable,Deaktiver DocType: Email Digest,Purchase Orders to Receive,Indkøbsordrer til modtagelse apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Produktioner Ordrer kan ikke rejses for: @@ -6814,7 +6886,6 @@ DocType: Production Plan,Material Requests,Materialeanmodninger DocType: Buying Settings,Material Transferred for Subcontract,Materialet overført til underentreprise DocType: Job Card,Timing Detail,Timing Detail apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Påkrævet På -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Importerer {0} af {1} DocType: Job Offer Term,Job Offer Term,Jobtilbudsperiode DocType: SMS Center,All Contact,Alle kontaktpersoner DocType: Project Task,Project Task,Projektopgave @@ -6865,7 +6936,6 @@ DocType: Student Log,Academic,Akademisk 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 konfigureret til serienummer. Kontroller elementmasteren apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Fra stat DocType: Leave Type,Maximum Continuous Days Applicable,Maksimale kontinuerlige dage gældende -apps/erpnext/erpnext/config/support.py,Support Team.,Støttegruppe. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Indtast venligst firmaets navn først apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Import Succesfuld DocType: Guardian,Alternate Number,Alternativt nummer @@ -6957,6 +7027,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Række # {0}: Element tilføjet DocType: Student Admission,Eligibility and Details,Støtteberettigelse og detaljer DocType: Staffing Plan,Staffing Plan Detail,Bemandingsplandetaljer +DocType: Shift Type,Late Entry Grace Period,Late Ence Grace Period DocType: Email Digest,Annual Income,Årlige indkomst DocType: Journal Entry,Subscription Section,Abonnementsafdeling DocType: Salary Slip,Payment Days,Betalingsdage @@ -7007,6 +7078,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Kontosaldo DocType: Asset Maintenance Log,Periodicity,hyppighed apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Medicinsk post +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,"Log type er påkrævet for check-ins, der falder i skiftet: {0}." apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Udførelse DocType: Item,Valuation Method,Værdiansættelsesmetode apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} imod salgsfaktura {1} @@ -7091,6 +7163,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Anslået pris pr. Posi DocType: Loan Type,Loan Name,Lånnavn apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Indstil standard betalingsform DocType: Quality Goal,Revision,Revision +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Tiden før skiftetidspunktet, når check-out betragtes som tidligt (i minutter)." DocType: Healthcare Service Unit,Service Unit Type,Service Unit Type DocType: Purchase Invoice,Return Against Purchase Invoice,Retur mod købsfaktura apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Generer hemmelighed @@ -7246,12 +7319,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Kosmetik DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Tjek dette, hvis du vil tvinge brugeren til at vælge en serie, før du gemmer. Der vil ikke være nogen standard, hvis du tjekker dette." 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 har lov til at indstille frosne konti og oprette / ændre regnskabsposter mod frosne konti +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varenummer> Varegruppe> Mærke DocType: Expense Claim,Total Claimed Amount,Samlet krævet beløb 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 for Operation {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Afslutter apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Du kan kun forny, hvis dit medlemskab udløber inden for 30 dage" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Værdien skal være mellem {0} og {1} DocType: Quality Feedback,Parameters,Parametre +DocType: Shift Type,Auto Attendance Settings,Indstillinger for automatisk deltagelse ,Sales Partner Transaction Summary,Salgspartner Transaktionsoversigt DocType: Asset Maintenance,Maintenance Manager Name,Maintenance Manager Navn apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Det er nødvendigt at hente varedetaljer. @@ -7343,10 +7418,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Valider Anvendt regel DocType: Job Card Item,Job Card Item,Jobkort vare DocType: Homepage,Company Tagline for website homepage,Firmagrænse for hjemmesidenes hjemmeside +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Indstil svarstid og opløsning for prioritet {0} ved indeks {1}. DocType: Company,Round Off Cost Center,Round Off Cost Center DocType: Supplier Scorecard Criteria,Criteria Weight,Kriterier Vægt DocType: Asset,Depreciation Schedules,Afskrivningsplaner -DocType: Expense Claim Detail,Claim Amount,Claimsbeløb DocType: Subscription,Discounts,Rabatter DocType: Shipping Rule,Shipping Rule Conditions,Forsendelsesregler DocType: Subscription,Cancelation Date,Annulleringsdato @@ -7374,7 +7449,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Opret Leads apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Vis nulværdier DocType: Employee Onboarding,Employee Onboarding,Medarbejder Onboarding DocType: POS Closing Voucher,Period End Date,Periode Slutdato -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Salgsmuligheder ved kilde DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Den første tilladelse til tilladelse i listen vil blive indstillet som standardladningsgodkendelse. DocType: POS Settings,POS Settings,POS-indstillinger apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Alle konti @@ -7395,7 +7469,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Rate skal være den samme som {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Sundhedsydelser -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Ingen resultater fundet apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Aging Range 3 DocType: Vital Signs,Blood Pressure,Blodtryk 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 mod @@ -7442,6 +7515,7 @@ DocType: Company,Existing Company,Eksisterende selskab apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,partier apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Forsvar DocType: Item,Has Batch No,Har parti nr +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Forsinkede dage DocType: Lead,Person Name,Personnavn DocType: Item Variant,Item Variant,Varevariant DocType: Training Event Employee,Invited,inviteret @@ -7463,7 +7537,7 @@ DocType: Purchase Order,To Receive and Bill,At modtage og regning apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start og slut dato ikke i en gyldig lønseddel, kan ikke beregne {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Vis kun kunden af disse kundegrupper apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Vælg elementer for at gemme fakturaen -DocType: Service Level,Resolution Time,Opløsningstid +DocType: Service Level Priority,Resolution Time,Opløsningstid DocType: Grading Scale Interval,Grade Description,Grade Beskrivelse DocType: Homepage Section,Cards,Kort DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kvalitetsmøder @@ -7490,6 +7564,7 @@ DocType: Project,Gross Margin %,Bruttomargin% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Bankoversigt saldo som pr. Hovedbog apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Sundhedspleje (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Standardlager til at oprette salgsordre og leveringsnotat +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Svarstid for {0} ved indeks {1} kan ikke være større end opløsningstid. DocType: Opportunity,Customer / Lead Name,Kunde- / Ledernavn DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Uopkrævet beløb @@ -7536,7 +7611,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Import af parter og adresser DocType: Item,List this Item in multiple groups on the website.,Skriv denne vare i flere grupper på hjemmesiden. DocType: Request for Quotation,Message for Supplier,Meddelelse til leverandør -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Kan ikke ændre {0} som lagertransaktion for vare {1} eksisterer. DocType: Healthcare Practitioner,Phone (R),Telefon (R) DocType: Maintenance Team Member,Team Member,Medarbejder DocType: Asset Category Account,Asset Category Account,Asset Category Account diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index 0b7485ae14..7db432c7ed 100644 --- a/erpnext/translations/de.csv +++ b/erpnext/translations/de.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Laufzeitbeginn apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Termin {0} und Verkaufsrechnung {1} storniert DocType: Purchase Receipt,Vehicle Number,Fahrzeugnummer apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Deine Emailadresse... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Standardbucheinträge einschließen +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Standardbucheinträge einschließen DocType: Activity Cost,Activity Type,Aktivitätsart DocType: Purchase Invoice,Get Advances Paid,Erhalten Sie bezahlte Vorschüsse DocType: Company,Gain/Loss Account on Asset Disposal,Gewinn- / Verlustkonto bei der Veräußerung von Vermögenswerten @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Was tut es? DocType: Bank Reconciliation,Payment Entries,Zahlungseingaben DocType: Employee Education,Class / Percentage,Klasse / Prozentsatz ,Electronic Invoice Register,Elektronisches Rechnungsregister +DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Die Anzahl der Vorkommen, nach denen die Konsequenz ausgeführt wird." DocType: Sales Invoice,Is Return (Credit Note),Ist Rückgabe (Gutschrift) +DocType: Price List,Price Not UOM Dependent,Preis nicht UOM abhängig DocType: Lab Test Sample,Lab Test Sample,Labortestmuster DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Für zB 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Produkt Suche DocType: Salary Slip,Net Pay,Nettogehalt apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Gesamtbetrag der Rechnungsstellung DocType: Clinical Procedure,Consumables Invoice Separately,Verbrauchsmaterialrechnung separat +DocType: Shift Type,Working Hours Threshold for Absent,Arbeitszeitschwelle für Abwesenheit DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Budget kann nicht für Gruppenkonto {0} zugewiesen werden DocType: Purchase Receipt Item,Rate and Amount,Kurs und Betrag @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Legen Sie das Quell-Warehouse fest DocType: Healthcare Settings,Out Patient Settings,Out Patient Settings DocType: Asset,Insurance End Date,Enddatum der Versicherung DocType: Bank Account,Branch Code,Branchencode -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Zeit zu antworten apps/erpnext/erpnext/public/js/conf.js,User Forum,Benutzerforum DocType: Landed Cost Item,Landed Cost Item,Landed Cost Item 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 gleich sein @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Hauptinhaber DocType: Share Transfer,Transfer,Transfer apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Artikel suchen (Strg + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Ergebnis übermittelt +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Ab Datum kann nicht größer als Bis Datum sein DocType: Supplier,Supplier of Goods or Services.,Lieferant von Waren oder Dienstleistungen. 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 erstellen Sie keine Konten für Kunden und Lieferanten apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentengruppe oder Kursplan ist obligatorisch @@ -881,7 +884,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Datenbank po DocType: Skill,Skill Name,Name der Fertigkeit apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Bericht drucken DocType: Soil Texture,Ternary Plot,Ternäre Handlung -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Support-Tickets DocType: Asset Category Account,Fixed Asset Account,Anlagekonto apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Neueste @@ -894,6 +896,7 @@ DocType: Delivery Trip,Distance UOM,Entfernung UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligatorisch für Bilanz DocType: Payment Entry,Total Allocated Amount,Zugewiesener Gesamtbetrag DocType: Sales Invoice,Get Advances Received,Erhalten Sie erhaltene Vorschüsse +DocType: Shift Type,Last Sync of Checkin,Letzte Synchronisierung des Eincheckens DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Artikel Steuerbetrag im Wert enthalten apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -902,7 +905,9 @@ DocType: Subscription Plan,Subscription Plan,Abo-Plan DocType: Student,Blood Group,Blutgruppe apps/erpnext/erpnext/config/healthcare.py,Masters,Meister DocType: Crop,Crop Spacing UOM,Zuschnittabstand UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,"Die Zeit nach dem Schichtstart, zu der der Check-in als verspätet gilt (in Minuten)." apps/erpnext/erpnext/templates/pages/home.html,Explore,Erkunden +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Keine offenen Rechnungen gefunden apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} Stellenangebote und {1} Budget für {2} sind bereits für Tochterunternehmen von {3} geplant. \ Sie können nur bis zu {4} freie Stellen und ein Budget {5} gemäß Belegschaftsplan {6} für die Muttergesellschaft {3} einplanen. DocType: Promotional Scheme,Product Discount Slabs,Produktrabattplatten @@ -1004,6 +1009,7 @@ DocType: Attendance,Attendance Request,Teilnahmeantrag DocType: Item,Moving Average,Gleitender Durchschnitt DocType: Employee Attendance Tool,Unmarked Attendance,Nicht gekennzeichnete Teilnahme DocType: Homepage Section,Number of Columns,Anzahl der Spalten +DocType: Issue Priority,Issue Priority,Ausgabepriorität DocType: Holiday List,Add Weekly Holidays,Wöchentliche Feiertage hinzufügen DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Gehaltsabrechnung erstellen @@ -1012,6 +1018,7 @@ DocType: Job Offer Term,Value / Description,Wert / Beschreibung DocType: Warranty Claim,Issue Date,Ausgabedatum 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 Stapel für Artikel {0}. Es konnte keine einzelne Charge gefunden werden, die diese Anforderung erfüllt" apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Für verbliebene Mitarbeiter kann kein Aufbewahrungsbonus erstellt werden +DocType: Employee Checkin,Location / Device ID,Standort / Geräte-ID DocType: Purchase Order,To Receive,Bekommen apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,"Sie befinden sich im Offline-Modus. Sie können nicht neu laden, bis Sie über ein Netzwerk verfügen." DocType: Course Activity,Enrollment,Anmeldung @@ -1020,7 +1027,6 @@ DocType: Lab Test Template,Lab Test Template,Labortest-Vorlage apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Fehlende E-Invoicing-Informationen apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Es wurde keine Materialanforderung erstellt -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgruppe> Marke DocType: Loan,Total Amount Paid,Gezahlte Gesamtsumme apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Alle diese Artikel wurden bereits in Rechnung gestellt DocType: Training Event,Trainer Name,Trainer Name @@ -1131,6 +1137,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Bitte erwähnen Sie den Lead-Namen in Lead {0}. DocType: Employee,You can enter any date manually,Sie können jedes Datum manuell eingeben DocType: Stock Reconciliation Item,Stock Reconciliation Item,Bestandsabgleichsposten +DocType: Shift Type,Early Exit Consequence,Early-Exit-Konsequenz DocType: Item Group,General Settings,Allgemeine Einstellungen apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Das Fälligkeitsdatum darf nicht vor dem Datum der Buchung / Lieferantenrechnung liegen apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Geben Sie vor dem Absenden den Namen des Begünstigten ein. @@ -1169,6 +1176,7 @@ DocType: Account,Auditor,Auditor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Zahlungsbestätigung ,Available Stock for Packing Items,Lagerbestand für Verpackungsartikel apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Bitte entfernen Sie diese Rechnung {0} aus dem C-Formular {1}. +DocType: Shift Type,Every Valid Check-in and Check-out,Jeder gültige Check-in und Check-out DocType: Support Search Source,Query Route String,Abfrage Route String DocType: Customer Feedback Template,Customer Feedback Template,Vorlage für Kundenfeedback apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Angebote für Leads oder Kunden. @@ -1203,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Berechtigungskontrolle ,Daily Work Summary Replies,Tägliche Antworten auf die Arbeitszusammenfassung apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},"Sie wurden eingeladen, an dem Projekt mitzuarbeiten: {0}" +DocType: Issue,Response By Variance,Reaktion nach Abweichung DocType: Item,Sales Details,Verkaufsdetails apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Briefköpfe für Druckvorlagen. DocType: Salary Detail,Tax on additional salary,Steuer auf zusätzliches Gehalt @@ -1326,6 +1335,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Kundenadr DocType: Project,Task Progress,Aufgabenfortschritt DocType: Journal Entry,Opening Entry,Eröffnungseintrag DocType: Bank Guarantee,Charges Incurred,Entstandene Gebühren +DocType: Shift Type,Working Hours Calculation Based On,Arbeitszeitberechnung basierend auf DocType: Work Order,Material Transferred for Manufacturing,Material für die Herstellung übertragen DocType: Products Settings,Hide Variants,Varianten ausblenden DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Kapazitätsplanung und Zeiterfassung deaktivieren @@ -1355,6 +1365,7 @@ DocType: Account,Depreciation,Abschreibung DocType: Guardian,Interests,Interessen DocType: Purchase Receipt Item Supplied,Consumed Qty,Verbrauchte Menge DocType: Education Settings,Education Manager,Bildungsmanager +DocType: Employee Checkin,Shift Actual Start,Tatsächlichen Start verschieben DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planen Sie Zeitprotokolle außerhalb der Arbeitsstunden der Workstation. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Treuepunkte: {0} DocType: Healthcare Settings,Registration Message,Registrierungsnachricht @@ -1379,9 +1390,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Rechnung bereits für alle Rechnungsstunden erstellt DocType: Sales Partner,Contact Desc,Wenden Sie sich an Desc DocType: Purchase Invoice,Pricing Rules,Preisregeln +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Da für Artikel {0} bereits Transaktionen vorhanden sind, können Sie den Wert von {1} nicht ändern." DocType: Hub Tracked Item,Image List,Bildliste DocType: Item Variant Settings,Allow Rename Attribute Value,"Zulassen, Attributwert umzubenennen" -DocType: Price List,Price Not UOM Dependant,Preis nicht UOM abhängig apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Zeit (in Minuten) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Basic DocType: Loan,Interest Income Account,Zinsertragskonto @@ -1391,6 +1402,7 @@ DocType: Employee,Employment Type,Beschäftigungsverhältnis apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Wählen Sie POS-Profil DocType: Support Settings,Get Latest Query,Letzte Abfrage abrufen DocType: Employee Incentive,Employee Incentive,Mitarbeiter-Incentive +DocType: Service Level,Priorities,Prioritäten apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Fügen Sie Karten oder benutzerdefinierte Bereiche auf der Startseite hinzu DocType: Homepage,Hero Section Based On,Helden-Sektion basierend auf DocType: Project,Total Purchase Cost (via Purchase Invoice),Gesamtkaufkosten (über Kaufrechnung) @@ -1451,7 +1463,7 @@ DocType: Work Order,Manufacture against Material Request,Fertigung gegen Materia DocType: Blanket Order Item,Ordered Quantity,Bestellte Menge apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Zeile # {0}: Abgelehntes Lager ist für abgelehnte Artikel {1} obligatorisch. ,Received Items To Be Billed,"Erhaltene Gegenstände, die in Rechnung gestellt werden müssen" -DocType: Salary Slip Timesheet,Working Hours,Arbeitszeit +DocType: Attendance,Working Hours,Arbeitszeit apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Zahlungsart apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Bestellartikel nicht rechtzeitig erhalten apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Dauer in Tagen @@ -1571,7 +1583,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Gesetzliche Informationen und sonstige allgemeine Informationen zu Ihrem Lieferanten DocType: Item Default,Default Selling Cost Center,Standardverkaufskostenstelle DocType: Sales Partner,Address & Contacts,Adresse und Kontakte -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: Subscriber,Subscriber,Teilnehmer apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) ist nicht vorrätig apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Bitte wählen Sie zuerst das Buchungsdatum aus @@ -1582,7 +1593,7 @@ DocType: Project,% Complete Method,% Complete-Methode DocType: Detected Disease,Tasks Created,Aufgaben erstellt apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Die Standardstückliste ({0}) muss für diesen Artikel oder seine Vorlage aktiv sein apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Provisionssatz% -DocType: Service Level,Response Time,Reaktionszeit +DocType: Service Level Priority,Response Time,Reaktionszeit DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce-Einstellungen apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Die Menge muss positiv sein DocType: Contract,CRM,CRM @@ -1599,7 +1610,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Kosten für stationäre DocType: Bank Statement Settings,Transaction Data Mapping,Transaktionsdaten-Mapping apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Ein Lead benötigt entweder den Namen einer Person oder den Namen einer Organisation DocType: Student,Guardians,Wächter -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/public/js/stock_analytics.js,Select Brand...,Marke auswählen ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Mittleres Einkommen DocType: Shipping Rule,Calculate Based On,Berechnen Sie basierend auf @@ -1636,6 +1646,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Ziel setzen apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Anwesenheitsliste {0} für Schüler {1} vorhanden apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Datum der Transaktion apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Abonnement kündigen +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Service Level Agreement {0} konnte nicht festgelegt werden. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Nettogehaltsbetrag DocType: Account,Liability,Haftung DocType: Employee,Bank A/C No.,Bank A / C Nr. @@ -1700,7 +1711,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Artikelcode für Rohmaterial apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Kaufrechnung {0} wurde bereits übermittelt DocType: Fees,Student Email,Schüler-E-Mail -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Stücklistenrekursion: {0} kann nicht über- oder untergeordnet zu {2} sein apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Holen Sie sich Artikel von Healthcare Services apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Bestandsaufnahme {0} wird nicht übermittelt DocType: Item Attribute Value,Item Attribute Value,Artikelattributwert @@ -1725,7 +1735,6 @@ DocType: POS Profile,Allow Print Before Pay,Druck vor Bezahlung zulassen DocType: Production Plan,Select Items to Manufacture,Wählen Sie die herzustellenden Artikel DocType: Leave Application,Leave Approver Name,Übernehmen Sie den Namen des Genehmigenden DocType: Shareholder,Shareholder,Aktionär -DocType: Issue,Agreement Status,Vertragsstatus apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Standardeinstellungen für den Verkauf von Transaktionen. 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 die für den bezahlten Studienbewerber obligatorische Studienzulassung apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Wählen Sie Stückliste @@ -1988,6 +1997,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Einkommenskonto apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Alle Lagerhäuser DocType: Contract,Signee Details,Angaben zum Unterzeichner +DocType: Shift Type,Allow check-out after shift end time (in minutes),Auschecken nach Schichtende erlauben (in Minuten) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Beschaffung DocType: Item Group,Check this if you want to show in website,"Aktivieren Sie dieses Kontrollkästchen, wenn Sie auf der Website anzeigen möchten" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Geschäftsjahr {0} nicht gefunden @@ -2054,6 +2064,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Startdatum der Abschreibung DocType: Activity Cost,Billing Rate,Abrechnungsrate apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Warnung: Es gibt eine weitere {0} # {1} für den Lagereintrag {2}. apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,"Aktivieren Sie die Google Maps-Einstellungen, um Routen zu schätzen und zu optimieren" +DocType: Purchase Invoice Item,Page Break,Seitenumbruch DocType: Supplier Scorecard Criteria,Max Score,Maximale Punktzahl apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Das Rückzahlungsbeginndatum kann nicht vor dem Auszahlungstag liegen. DocType: Support Search Source,Support Search Source,Support-Suchquelle @@ -2122,6 +2133,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Qualitätsziel Ziel DocType: Employee Transfer,Employee Transfer,Mitarbeitertransfer ,Sales Funnel,Verkaufstrichter DocType: Agriculture Analysis Criteria,Water Analysis,Wasseranalyse +DocType: Shift Type,Begin check-in before shift start time (in minutes),Beginnen Sie den Check-in vor Schichtbeginn (in Minuten) DocType: Accounts Settings,Accounts Frozen Upto,Konten eingefroren bis apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Es gibt nichts zu bearbeiten. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",Der Vorgang {0} ist länger als die auf der Arbeitsstation {1} verfügbaren Arbeitsstunden und unterteilt den Vorgang in mehrere Vorgänge @@ -2135,7 +2147,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Das apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Kundenauftrag {0} ist {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Zahlungsverzug (Tage) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Geben Sie die Abschreibungsdetails ein +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Kunden-Bestellung apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Das voraussichtliche Lieferdatum sollte nach dem Datum des Kundenauftrags liegen +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Artikelmenge kann nicht Null sein apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Ungültiges Attribut apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Bitte wählen Sie Stückliste gegen Position {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Rechnungsart @@ -2145,6 +2159,7 @@ DocType: Maintenance Visit,Maintenance Date,Wartungsdatum DocType: Volunteer,Afternoon,Nachmittag DocType: Vital Signs,Nutrition Values,Nährwerte DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Vorliegen von Fieber (Temperatur> 38,5 ° C oder anhaltende Temperatur> 38 ° C)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Richten Sie das Employee Naming System unter Human Resource> HR Settings ein apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC rückgängig gemacht DocType: Project,Collect Progress,Sammle Fortschritt apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energie @@ -2195,6 +2210,7 @@ DocType: Setup Progress,Setup Progress,Einrichtungsfortschritt ,Ordered Items To Be Billed,Zu fakturierende bestellte Artikel DocType: Taxable Salary Slab,To Amount,Zum Betrag DocType: Purchase Invoice,Is Return (Debit Note),Ist Rückgabe (Lastschrift) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundengruppe> Gebiet apps/erpnext/erpnext/config/desktop.py,Getting Started,Fertig machen apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Verschmelzen apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Das Startdatum des Geschäftsjahres und das Enddatum des Geschäftsjahres können nach dem Speichern des Geschäftsjahres nicht mehr geändert werden. @@ -2213,8 +2229,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Tatsächliches Datum apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Wartungsbeginn kann nicht vor dem Liefertermin für Seriennummer {0} liegen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Zeile {0}: Wechselkurs ist obligatorisch DocType: Purchase Invoice,Select Supplier Address,Wählen Sie die Lieferantenadresse +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}",Die verfügbare Menge ist {0}. Sie benötigen {1}. apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Bitte geben Sie API Consumer Secret ein DocType: Program Enrollment Fee,Program Enrollment Fee,Programm Einschreibegebühr +DocType: Employee Checkin,Shift Actual End,Tatsächliches Ende verschieben DocType: Serial No,Warranty Expiry Date,Ablaufdatum der Garantie DocType: Hotel Room Pricing,Hotel Room Pricing,Hotelzimmerpreise apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Steuerpflichtige Lieferungen im Ausland (andere als null, null und befreit)" @@ -2274,6 +2292,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Lesen 5 DocType: Shopping Cart Settings,Display Settings,Bildschirmeinstellungen apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Bitte geben Sie die Anzahl der gebuchten Abschreibungen an +DocType: Shift Type,Consequence after,Folge danach apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Womit brauchst du Hilfe? DocType: Journal Entry,Printing Settings,Druckeinstellungen apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banking @@ -2283,6 +2302,7 @@ DocType: Purchase Invoice Item,PR Detail,PR-Detail apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Rechnungsadresse stimmt mit Versandadresse überein DocType: Account,Cash,Kasse DocType: Employee,Leave Policy,Richtlinie verlassen +DocType: Shift Type,Consequence,Folge apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Studentenadresse DocType: GST Account,CESS Account,CESS-Konto apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Für das Konto "Gewinn und Verlust" ist eine Kostenstelle erforderlich {2}. Bitte richten Sie eine Standardkostenstelle für das Unternehmen ein. @@ -2347,6 +2367,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN-Code DocType: Period Closing Voucher,Period Closing Voucher,Periodenabschlussbeleg apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Name apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Bitte Spesenabrechnung eingeben +DocType: Issue,Resolution By Variance,Auflösung durch Varianz DocType: Employee,Resignation Letter Date,Kündigungsschreiben Datum DocType: Soil Texture,Sandy Clay,Sandiger Lehm DocType: Upload Attendance,Attendance To Date,Anwesenheit bis heute @@ -2359,6 +2380,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Jetzt ansehen DocType: Item Price,Valid Upto,Gültig bis apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referenz-Doctype muss einer von {0} sein +DocType: Employee Checkin,Skip Auto Attendance,Automatische Teilnahme überspringen DocType: Payment Request,Transaction Currency,Transaktionswährung DocType: Loan,Repayment Schedule,Rückzahlungsplan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Legen Sie einen Muster-Retention-Stock-Eintrag an @@ -2430,6 +2452,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Gehaltsstruktur DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Taxes apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Aktion initialisiert DocType: POS Profile,Applicable for Users,Anwendbar für Benutzer +,Delayed Order Report,Bericht über verspätete Bestellung DocType: Training Event,Exam,Prüfung apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Falsche Anzahl gefundener Hauptbucheinträge. Möglicherweise haben Sie in der Transaktion ein falsches Konto ausgewählt. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Vertriebspipeline @@ -2444,10 +2467,11 @@ DocType: Account,Round Off,Abrunden DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Die Bedingungen werden auf alle ausgewählten Elemente zusammen angewendet. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Konfigurieren DocType: Hotel Room,Capacity,Kapazität +DocType: Employee Checkin,Shift End,Schichtende DocType: Installation Note Item,Installed Qty,Installierte Menge apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Der Stapel {0} von Artikel {1} ist deaktiviert. DocType: Hotel Room Reservation,Hotel Reservation User,Benutzer der Hotelreservierung -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Arbeitstag wurde zweimal wiederholt +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Service Level Agreement mit Entitätstyp {0} und Entität {1} ist bereits vorhanden. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Artikelgruppe für Artikel {0} im Artikelstamm nicht erwähnt apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Namensfehler: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Im POS-Profil ist ein Gebiet erforderlich @@ -2495,6 +2519,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Planen Sie Datum DocType: Packing Slip,Package Weight Details,Angaben zum Paketgewicht DocType: Job Applicant,Job Opening,Stellenangebote +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Letzte bekannte erfolgreiche Synchronisierung des Eincheckens von Mitarbeitern. Setzen Sie dies nur zurück, wenn Sie sicher sind, dass alle Protokolle von allen Speicherorten synchronisiert wurden. Bitte ändern Sie dies nicht, wenn Sie sich nicht sicher sind." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Tatsächliche Kosten apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Der Gesamtvorschuss ({0}) gegen Auftrag {1} kann nicht größer sein als der Gesamtsumme ({2}). apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Artikelvarianten aktualisiert @@ -2539,6 +2564,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Referenz Kaufbeleg apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Erhalten Sie Invocies DocType: Tally Migration,Is Day Book Data Imported,Werden Tagebuchdaten importiert? ,Sales Partners Commission,Vertriebspartnerkommission +DocType: Shift Type,Enable Different Consequence for Early Exit,Unterschiedliche Konsequenzen für vorzeitiges Beenden aktivieren apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Legal DocType: Loan Application,Required by Date,Erforderlich bis Datum DocType: Quiz Result,Quiz Result,Quiz-Ergebnis @@ -2598,7 +2624,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Geschäft DocType: Pricing Rule,Pricing Rule,Preisregel apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Optionale Feiertagsliste für Urlaubszeitraum {0} nicht festgelegt apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,"Legen Sie das Feld Benutzer-ID in einem Mitarbeiterdatensatz fest, um die Mitarbeiterrolle festzulegen" -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Zeit zu lösen DocType: Training Event,Training Event,Schulungsveranstaltung DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Der normale Ruheblutdruck bei Erwachsenen beträgt ungefähr 120 mmHg systolisch und 80 mmHg diastolisch, abgekürzt "120/80 mmHg"." DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Das System ruft alle Einträge ab, wenn der Grenzwert Null ist." @@ -2642,6 +2667,7 @@ DocType: Woocommerce Settings,Enable Sync,Synchronisierung aktivieren DocType: Student Applicant,Approved,Genehmigt apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Ab Datum sollte innerhalb des Geschäftsjahres liegen. Angenommen ab Datum = {0} 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 Einkaufseinstellungen fest. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} ist ein ungültiger Anwesenheitsstatus. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Temporäres Eröffnungskonto DocType: Purchase Invoice,Cash/Bank Account,Bargeld / Bankkonto DocType: Quality Meeting Table,Quality Meeting Table,Qualität Besprechungstisch @@ -2677,6 +2703,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS-Authentifizierungstoken apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Lebensmittel, Getränke und Tabak" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Stundenplan DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Einzelteil-kluges Steuerdetail +DocType: Shift Type,Attendance will be marked automatically only after this date.,Die Teilnahme wird erst nach diesem Datum automatisch markiert. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Lieferungen an UIN-Inhaber apps/erpnext/erpnext/hooks.py,Request for Quotations,Angebotsanfrage apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Die Währung kann nach Eingabe einer anderen Währung nicht geändert werden @@ -2725,7 +2752,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Ist Gegenstand von Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Qualitätsverfahren. DocType: Share Balance,No of Shares,Anzahl der Anteile -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Zeile {0}: Menge nicht verfügbar für {4} in Lager {1} zum Buchungszeitpunkt des Eintrags ({2} {3}) DocType: Quality Action,Preventive,Präventiv DocType: Support Settings,Forum URL,Forum URL apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Mitarbeiter und Anwesenheit @@ -2947,7 +2973,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Rabattart DocType: Hotel Settings,Default Taxes and Charges,Standardsteuern und -gebühren apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Dies basiert auf Transaktionen gegen diesen Lieferanten. Einzelheiten finden Sie in der Zeitleiste unten apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Der maximale Leistungsbetrag des Mitarbeiters {0} überschreitet {1}. -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Geben Sie das Start- und Enddatum für die Vereinbarung ein. DocType: Delivery Note Item,Against Sales Invoice,Gegen Verkaufsrechnung DocType: Loyalty Point Entry,Purchase Amount,Gesamtbetrag des Einkaufs apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,"Kann nicht als "Verloren" festgelegt werden, da ein Kundenauftrag erstellt wurde." @@ -2971,7 +2996,7 @@ DocType: Homepage,"URL for ""All Products""",URL für "Alle Produkte" DocType: Lead,Organization Name,Name der Organisation 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/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Zeile # {0}: Batch-Nr. Muss mit {1} {2} identisch sein -DocType: Employee,Leave Details,Details hinterlassen +DocType: Employee Checkin,Shift Start,Schichtstart apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Aktiengeschäfte vor {0} werden eingefroren DocType: Driver,Issuing Date,Ausstellungsdatum apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Anforderer @@ -3016,9 +3041,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Cash Flow Mapping-Vorlagendetails apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Rekrutierung und Schulung DocType: Drug Prescription,Interval UOM,Intervall UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Grace Period-Einstellungen für die automatische Teilnahme apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Von Währung und Bis Währung dürfen nicht identisch sein apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Pharmazeutika DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Support-Stunden apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} wurde storniert oder geschlossen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Zeile {0}: Der Vorschuss gegen den Kunden muss gutgeschrieben sein apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Group by Voucher (konsolidiert) @@ -3128,6 +3155,7 @@ DocType: Asset Repair,Repair Status,Reparaturstatus DocType: Territory,Territory Manager,Gebietsmanager DocType: Lab Test,Sample ID,Proben ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Einkaufswagen ist leer +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 apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Asset {0} muss eingereicht werden ,Absent Student Report,Bericht über abwesende Schüler apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Im Bruttogewinn enthalten @@ -3135,7 +3163,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,P DocType: Travel Request Costing,Funded Amount,Finanzierungsbetrag apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} wurde nicht übermittelt, sodass die Aktion nicht abgeschlossen werden kann" DocType: Subscription,Trial Period End Date,Enddatum des Testzeitraums +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Wechselnde Eingaben wie IN und OUT während derselben Schicht DocType: BOM Update Tool,The new BOM after replacement,Die neue Stückliste nach dem Austausch +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Lieferant> Lieferantentyp apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Punkt 5 DocType: Employee,Passport Number,Ausweisnummer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Vorübergehende Eröffnung @@ -3251,6 +3281,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Wichtige Berichte apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Möglicher Lieferant ,Issued Items Against Work Order,Ausgegebene Artikel gegen Fertigungsauftrag apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} Rechnung erstellen +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: Student,Joining Date,Beitrittsdatum apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Anfordernde Site DocType: Purchase Invoice,Against Expense Account,Gegen Spesenabrechnung @@ -3290,6 +3321,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Anwendbare Gebühren ,Point of Sale,Kasse DocType: Authorization Rule,Approving User (above authorized value),Genehmigender Benutzer (über dem autorisierten Wert) +DocType: Service Level Agreement,Entity,Entität apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Betrag {0} {1} von {2} auf {3} übertragen apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Kunde {0} gehört nicht zum Projekt {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Vom Party-Namen @@ -3336,6 +3368,7 @@ DocType: Asset,Opening Accumulated Depreciation,Eröffnung der kumulierten Absch DocType: Soil Texture,Sand Composition (%),Sandzusammensetzung (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Tagesbuchdaten importieren +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stellen Sie die Benennungsserie für {0} über Setup> Einstellungen> Benennungsserie ein DocType: Asset,Asset Owner Company,Asset Owner Company apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Für die Buchung einer Spesenabrechnung ist eine Kostenstelle erforderlich apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} gültige Seriennummern für Artikel {1} @@ -3396,7 +3429,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Asset-Besitzer apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Lager ist obligatorisch für Lagerartikel {0} in Reihe {1} DocType: Stock Entry,Total Additional Costs,Zusätzliche Gesamtkosten -DocType: Marketplace Settings,Last Sync On,Letzte Synchronisierung Ein 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 Team,Maintenance Team Name,Name des Wartungsteams apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Diagramm der Kostenstellen @@ -3412,12 +3444,12 @@ DocType: Sales Order Item,Work Order Qty,Fertigungsauftrag Menge DocType: Job Card,WIP Warehouse,WIP-Lager DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Benutzer-ID für Mitarbeiter {0} nicht festgelegt -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}",Die verfügbare Menge ist {0}. Sie benötigen {1}. apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Benutzer {0} wurde erstellt DocType: Stock Settings,Item Naming By,Item Naming By apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Bestellt apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Dies ist eine Stammkundengruppe und kann nicht bearbeitet werden. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materialanforderung {0} wurde abgebrochen oder gestoppt +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Streng basierend auf dem Protokolltyp beim Einchecken von Mitarbeitern DocType: Purchase Order Item Supplied,Supplied Qty,Mitgelieferte Menge DocType: Cash Flow Mapper,Cash Flow Mapper,Cash Flow Mapper DocType: Soil Texture,Sand,Sand @@ -3476,6 +3508,7 @@ DocType: Lab Test Groups,Add new line,Neue Zeile hinzufügen apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Doppelte Artikelgruppe in der Artikelgruppentabelle gefunden apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Jahresgehalt DocType: Supplier Scorecard,Weighting Function,Gewichtungsfunktion +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Fehler beim Auswerten der Kriterienformel ,Lab Test Report,Labortestbericht DocType: BOM,With Operations,Mit Operationen @@ -3489,6 +3522,7 @@ DocType: Expense Claim Account,Expense Claim Account,Spesenabrechnungskonto apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Keine Rückzahlungen für Journaleintrag verfügbar apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ist inaktiver Schüler apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Bestandserfassung vornehmen +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Stücklistenrekursion: {0} kann nicht über- oder untergeordnet zu {1} sein DocType: Employee Onboarding,Activities,Aktivitäten apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Mindestens ein Lager ist obligatorisch ,Customer Credit Balance,Kundenguthaben @@ -3501,9 +3535,11 @@ DocType: Supplier Scorecard Period,Variables,Variablen apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Mehrfach-Treueprogramm für den Kunden gefunden. Bitte manuell auswählen. DocType: Patient,Medication,Medikation apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Wählen Sie Treueprogramm +DocType: Employee Checkin,Attendance Marked,Teilnahme markiert apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Rohes Material DocType: Sales Order,Fully Billed,Vollständig in Rechnung gestellt apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Bitte setzen Sie den Hotelzimmerpreis auf {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Wählen Sie nur eine Priorität als Standard aus. apps/erpnext/erpnext/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} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Der gesamte Kredit- / Debitbetrag sollte mit dem verknüpften Journaleintrag übereinstimmen DocType: Purchase Invoice Item,Is Fixed Asset,Ist Anlagevermögen @@ -3524,6 +3560,7 @@ DocType: Purpose of Travel,Purpose of Travel,Zweck der Reise DocType: Healthcare Settings,Appointment Confirmation,Terminbestätigung DocType: Shopping Cart Settings,Orders,Aufträge DocType: HR Settings,Retirement Age,Rentenalter +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/stock/page/stock_balance/stock_balance.js,Projected Qty,Projizierte Menge apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Das Löschen ist für das Land {0} nicht zulässig. apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Zeile # {0}: Asset {1} ist bereits {2} @@ -3607,11 +3644,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Buchhalter apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Zwischen dem Datum {1} und {2} ist bereits ein POS-Abschlussbeleg für {0} vorhanden. apps/erpnext/erpnext/config/help.py,Navigating,Navigation +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Keine ausstehenden Rechnungen erfordern eine Neubewertung des Wechselkurses DocType: Authorization Rule,Customer / Item Name,Name des Kunden / Artikels apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Neue Seriennummer kann kein Lager haben. Das Lager muss durch Bestandserfassung oder Kaufbeleg festgelegt werden DocType: Issue,Via Customer Portal,Über das Kundenportal DocType: Work Order Operation,Planned Start Time,Geplante Startzeit apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} ist {2} +DocType: Service Level Priority,Service Level Priority,Service Level Priorität apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Die Anzahl der gebuchten Abschreibungen darf die Gesamtanzahl der Abschreibungen nicht überschreiten apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Aktienbuch DocType: Journal Entry,Accounts Payable,Abbrechnungsverbindlichkeiten @@ -3722,7 +3761,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Lieferung nach DocType: Bank Statement Transaction Settings Item,Bank Data,Bankdaten apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Geplant bis -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Abrechnungs- und Arbeitszeiten in der Arbeitszeittabelle beibehalten apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Verfolgen Sie Leads nach Lead-Quelle. DocType: Clinical Procedure,Nursing User,Stillender Benutzer DocType: Support Settings,Response Key List,Liste der Antwortschlüssel @@ -3890,6 +3928,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Tatsächliche Startzeit DocType: Antibiotic,Laboratory User,Laborbenutzer apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Online-Auktionen +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Die Priorität {0} wurde wiederholt. DocType: Fee Schedule,Fee Creation Status,Status der Gebührenerstellung apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Software apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Kundenauftrag zur Zahlung @@ -3956,6 +3995,7 @@ DocType: Patient Encounter,In print,Im Druck apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Informationen für {0} konnten nicht abgerufen werden. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Die Rechnungswährung muss entweder der Währung des Standardunternehmens oder der Währung des Partykontos entsprechen apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Bitte geben Sie die Mitarbeiter-ID dieses Verkäufers ein +DocType: Shift Type,Early Exit Consequence after,Early Exit Consequence nach apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Erstellen Sie Eingangsverkaufs- und Einkaufsrechnungen DocType: Disease,Treatment Period,Behandlungszeitraum apps/erpnext/erpnext/config/settings.py,Setting up Email,E-Mail einrichten @@ -3973,7 +4013,6 @@ DocType: Employee Skill Map,Employee Skills,Mitarbeiterfähigkeiten apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Name des Studenten: DocType: SMS Log,Sent On,Gesendet am DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Verkaufsrechnung -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Die Reaktionszeit kann nicht länger als die Auflösungszeit sein DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Für kursbasierte Studentengruppen wird der Kurs für jeden Studenten aus den eingeschriebenen Kursen für die Programmeinschreibung validiert. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Innerstaatliche Lieferungen DocType: Employee,Create User Permission,Benutzerberechtigung erstellen @@ -4012,6 +4051,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standardvertragsbedingungen für Verkauf oder Einkauf. DocType: Sales Invoice,Customer PO Details,Kundenauftragsdetails apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Patient nicht gefunden +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Wählen Sie eine Standardpriorität. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Artikel entfernen, wenn für diesen Artikel keine Gebühren anfallen" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Es gibt eine Kundengruppe mit demselben Namen. Bitte ändern Sie den Kundennamen oder benennen Sie die Kundengruppe um 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. @@ -4051,6 +4091,7 @@ DocType: Quality Goal,Quality Goal,Qualitätsziel DocType: Support Settings,Support Portal,Support-Portal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Das Enddatum von Aufgabe {0} darf nicht unter dem {1} erwarteten Startdatum {2} liegen. apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Mitarbeiter {0} ist beurlaubt am {1} +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}. DocType: Employee,Held On,Angehalten DocType: Healthcare Practitioner,Practitioner Schedules,Praktizierende Termine DocType: Project Template Task,Begin On (Days),Beginn an (Tage) @@ -4058,6 +4099,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Fertigungsauftrag war {0} DocType: Inpatient Record,Admission Schedule Date,Zulassungszeitplan Datum apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Wertberichtigung von Vermögenswerten +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." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Lieferungen an nicht registrierte Personen apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Alle Jobs DocType: Appointment Type,Appointment Type,Terminart @@ -4171,7 +4213,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Das Bruttogewicht des Pakets. Normalerweise Nettogewicht + Verpackungsmaterialgewicht. (zum Ausdrucken) DocType: Plant Analysis,Laboratory Testing Datetime,Labortests Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Der Artikel {0} kann keinen Stapel haben -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Vertriebspipeline nach Phase apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Schülergruppenstärke DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Kontoauszug Transaktionserfassung DocType: Purchase Order,Get Items from Open Material Requests,Abrufen von Elementen aus offenen Materialanforderungen @@ -4253,7 +4294,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Show Aging Warehouse-weise DocType: Sales Invoice,Write Off Outstanding Amount,Ausstehender Betrag abschreiben DocType: Payroll Entry,Employee Details,Mitarbeiterdetails -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Die Startzeit darf für {0} nicht größer als die Endzeit sein. DocType: Pricing Rule,Discount Amount,Rabattbetrag DocType: Healthcare Service Unit Type,Item Details,Artikeldetails apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Doppelte Steuererklärung von {0} für Zeitraum {1} @@ -4306,7 +4346,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettolohn kann nicht negativ sein apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Anzahl der Interaktionen 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/hr/doctype/employee/employee_dashboard.py,Shift,Verschiebung +DocType: Attendance,Shift,Verschiebung apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Verarbeiten des Kontenplans und der Parteien DocType: Stock Settings,Convert Item Description to Clean HTML,Artikelbeschreibung in sauberes HTML konvertieren apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alle Lieferantengruppen @@ -4377,6 +4417,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Onboarding-Ak DocType: Healthcare Service Unit,Parent Service Unit,Eltern-Service-Einheit DocType: Sales Invoice,Include Payment (POS),Zahlung einschließen (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Private Equity +DocType: Shift Type,First Check-in and Last Check-out,Erster Check-in und letzter Check-out DocType: Landed Cost Item,Receipt Document,Belegdokument DocType: Supplier Scorecard Period,Supplier Scorecard Period,Zeitraum der Lieferanten-Scorecard DocType: Employee Grade,Default Salary Structure,Standardgehalt Struktur @@ -4459,6 +4500,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Bestellung anlegen apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Budget für ein Geschäftsjahr festlegen. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Die Kontentabelle darf nicht leer sein. +DocType: Employee Checkin,Entry Grace Period Consequence,Konsequenz der Meldefrist ,Payment Period Based On Invoice Date,Zahlungszeitraum basierend auf dem Rechnungsdatum apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Installationsdatum darf nicht vor Lieferdatum für Artikel {0} liegen apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Link zur Materialanfrage @@ -4467,6 +4509,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Zugeordneter apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Zeile {0}: Für dieses Lager ist bereits ein Nachbestellungseintrag vorhanden. {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date DocType: Monthly Distribution,Distribution Name,Verteilungsname +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Arbeitstag {0} wurde wiederholt. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Gruppe zu Nicht-Gruppe apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Aktualisierung läuft. Es könnte eine Weile dauern. DocType: Item,"Example: ABCD.##### @@ -4479,6 +4522,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Kraftstoffmenge apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile Nr DocType: Invoice Discounting,Disbursed,Ausbezahlt +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/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Nettoveränderung der Verbindlichkeiten aus Lieferungen und Leistungen apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Nicht verfügbar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Teilzeit @@ -4492,7 +4536,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Möglich apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,PDC im Druck anzeigen apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Lieferant DocType: POS Profile User,POS Profile User,POS-Profilbenutzer -DocType: Student,Middle Name,Zweiter Vorname DocType: Sales Person,Sales Person Name,Name des Verkäufers DocType: Packing Slip,Gross Weight,Bruttogewicht DocType: Journal Entry,Bill No,Rechnung Nr @@ -4501,7 +4544,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Neuer DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Service Level Agreement -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Bitte wählen Sie zuerst Mitarbeiter und Datum apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Der Artikelbewertungskurs wird unter Berücksichtigung des Betrags des Gutscheins für gelandete Kosten neu berechnet DocType: Timesheet,Employee Detail,Mitarbeiterdetail DocType: Tally Migration,Vouchers,Gutscheine @@ -4536,7 +4578,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Service Level Ag DocType: Additional Salary,Date on which this component is applied,"Datum, an dem diese Komponente angewendet wird" apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Liste der verfügbaren Aktionäre mit Folionummern apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Richten Sie die Gateway-Konten ein. -DocType: Service Level,Response Time Period,Reaktionszeit +DocType: Service Level Priority,Response Time Period,Reaktionszeit DocType: Purchase Invoice,Purchase Taxes and Charges,Steuern und Gebühren kaufen DocType: Course Activity,Activity Date,Aktivitätsdatum apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Neuen Kunden auswählen oder hinzufügen @@ -4561,6 +4603,7 @@ DocType: Sales Person,Select company name first.,Wählen Sie zuerst den Firmenna apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Geschäftsjahr DocType: Sales Invoice Item,Deferred Revenue,Aufgeschobene Einnahmen apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Es muss mindestens eine der Optionen Verkaufen oder Kaufen ausgewählt sein +DocType: Shift Type,Working Hours Threshold for Half Day,Arbeitszeitschwelle für halben Tag ,Item-wise Purchase History,Artikelweise Kaufhistorie apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Das Service-Stopp-Datum für das Element in Zeile {0} kann nicht geändert werden. DocType: Production Plan,Include Subcontracted Items,Unterauftragsgegenstände einbeziehen @@ -4593,6 +4636,7 @@ DocType: Journal Entry,Total Amount Currency,Gesamtbetrag Währung DocType: BOM,Allow Same Item Multiple Times,Gleiches Element mehrmals zulassen apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Stückliste anlegen DocType: Healthcare Practitioner,Charges,Gebühren +DocType: Employee,Attendance and Leave Details,Anwesenheits- und Urlaubsdetails DocType: Student,Personal Details,Persönliche Details DocType: Sales Order,Billing and Delivery Status,Rechnungs- und Lieferstatus apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,"Zeile {0}: Für den Lieferanten {0} ist eine E-Mail-Adresse erforderlich, um eine E-Mail zu senden" @@ -4644,7 +4688,6 @@ DocType: Bank Guarantee,Supplier,Lieferant apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Wert zwischen {0} und {1} eingeben DocType: Purchase Order,Order Confirmation Date,Auftragsbestätigungsdatum DocType: Delivery Trip,Calculate Estimated Arrival Times,Berechnen Sie die voraussichtliche Ankunftszeit -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Richten Sie das Employee Naming System unter Human Resource> HR Settings ein apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Verbrauchbar DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Startdatum des Abonnements @@ -4667,7 +4710,7 @@ DocType: Installation Note Item,Installation Note Item,Installationshinweis Punk DocType: Journal Entry Account,Journal Entry Account,Journaleintragskonto apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variante apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Forum Aktivität -DocType: Service Level,Resolution Time Period,Auflösungszeitraum +DocType: Service Level Priority,Resolution Time Period,Auflösungszeitraum DocType: Request for Quotation,Supplier Detail,Lieferantendetail DocType: Project Task,View Task,Aufgabe anzeigen DocType: Serial No,Purchase / Manufacture Details,Kauf- / Herstellerdetails @@ -4734,6 +4777,7 @@ DocType: Sales Invoice,Commission Rate (%),Provisionssatz (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Das Lager kann nur über Bestandsbuchung / Lieferschein / Kaufbeleg geändert werden DocType: Support Settings,Close Issue After Days,Problem nach Tagen schließen DocType: Payment Schedule,Payment Schedule,Zahlungsplan +DocType: Shift Type,Enable Entry Grace Period,Aktivieren Sie die Anmeldefrist DocType: Patient Relation,Spouse,Ehepartner DocType: Purchase Invoice,Reason For Putting On Hold,Grund für das Zurückstellen DocType: Item Attribute,Increment,Zuwachs @@ -4873,6 +4917,7 @@ DocType: Authorization Rule,Customer or Item,Kunde oder Artikel DocType: Vehicle Log,Invoice Ref,Rechnungsreferenz apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-Formular gilt nicht für Rechnung: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Rechnung erstellt +DocType: Shift Type,Early Exit Grace Period,Early Exit Grace Period DocType: Patient Encounter,Review Details,Details überprüfen apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Zeile {0}: Stundenwert muss größer als Null sein. DocType: Account,Account Number,Kontonummer @@ -4884,7 +4929,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned 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" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Überlappende Bedingungen zwischen: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Bezahlt und nicht geliefert -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Der Artikelcode ist obligatorisch, da der Artikel nicht automatisch nummeriert wird" DocType: GST HSN Code,HSN Code,HSN-Code DocType: GSTR 3B Report,September,September apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Verwaltungsaufwendungen @@ -4920,6 +4964,8 @@ DocType: Travel Itinerary,Travel From,Reisen von apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP-Konto DocType: SMS Log,Sender Name,Absender DocType: Pricing Rule,Supplier Group,Lieferantengruppe +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Legen Sie die Start- und Endzeit für den \ Support-Tag {0} unter dem Index {1} fest. DocType: Employee,Date of Issue,Ausgabedatum ,Requested Items To Be Transferred,Angeforderte zu übertragende Elemente DocType: Employee,Contract End Date,Vertragsende @@ -4930,6 +4976,7 @@ DocType: Healthcare Service Unit,Vacant,Unbesetzt DocType: Opportunity,Sales Stage,Verkaufsphase DocType: Sales Order,In Words will be visible once you save the Sales Order.,"In Words wird angezeigt, sobald Sie den Kundenauftrag speichern." DocType: Item Reorder,Re-order Level,Level nachbestellen +DocType: Shift Type,Enable Auto Attendance,Automatische Teilnahme aktivieren apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Präferenz ,Department Analytics,Abteilung Analytik DocType: Crop,Scientific Name,Wissenschaftlicher Name @@ -4942,6 +4989,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} Status ist {2 DocType: Quiz Activity,Quiz Activity,Quiz-Aktivität apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} befindet sich nicht in einem gültigen Abrechnungszeitraum DocType: Timesheet,Billed,In Rechnung gestellt +apps/erpnext/erpnext/config/support.py,Issue Type.,Problemtyp. DocType: Restaurant Order Entry,Last Sales Invoice,Letzte Verkaufsrechnung DocType: Payment Terms Template,Payment Terms,Zahlungsbedingungen apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Reservierte Menge: Zum Verkauf bestellte, aber nicht gelieferte Menge." @@ -5037,6 +5085,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Vermögenswert apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} hat keinen Terminplan für Ärzte. Fügen Sie es in Healthcare Practitioner master hinzu DocType: Vehicle,Chassis No,Fahrwerksnummer +DocType: Employee,Default Shift,Standardverschiebung apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Abkürzung der Firma apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Baum der Stückliste DocType: Article,LMS User,LMS-Benutzer @@ -5085,6 +5134,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Übergeordneter Verkäufer DocType: Student Group Creation Tool,Get Courses,Kurse erhalten apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Zeile # {0}: Menge muss 1 sein, da der Artikel ein Anlagevermögen ist. Bitte verwenden Sie eine separate Zeile für mehrere Mengen." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Arbeitszeit, unter der Abwesend markiert ist. (Null zu deaktivieren)" DocType: Customer Group,Only leaf nodes are allowed in transaction,In der Transaktion sind nur Blattknoten zulässig DocType: Grant Application,Organization,Organisation DocType: Fee Category,Fee Category,Gebührenkategorie @@ -5097,6 +5147,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Bitte aktualisieren Sie Ihren Status für diese Schulungsveranstaltung DocType: Volunteer,Morning,Morgen DocType: Quotation Item,Quotation Item,Angebotsposition +apps/erpnext/erpnext/config/support.py,Issue Priority.,Ausgabepriorität. DocType: Journal Entry,Credit Card Entry,Kreditkarteneintrag apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Das Zeitfenster wurde übersprungen, und das Zeitfenster {0} bis {1} überschneidet sich mit dem vorhandenen Zeitfenster {2} bis {3}." DocType: Journal Entry Account,If Income or Expense,Ob Einnahmen oder Ausgaben @@ -5147,11 +5198,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Datenimport und Einstellungen 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 Auto Opt In aktiviert ist, werden die Kunden automatisch mit dem betreffenden Treueprogramm verknüpft (beim Speichern)." DocType: Account,Expense Account,Aufwandskonto +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Die Zeit vor dem Schichtbeginn, in der der Mitarbeiter-Check-in für die Anwesenheit berücksichtigt wird." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Beziehung mit Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Rechnung erstellen apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Zahlungsanforderung ist bereits vorhanden {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Mitarbeiter, der auf {0} entlassen wurde, muss als "Links" festgelegt werden" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},{0} {1} bezahlen +DocType: Company,Sales Settings,Verkaufseinstellungen DocType: Sales Order Item,Produced Quantity,Produzierte Menge apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Auf die Angebotsanfrage kann durch Klicken auf den folgenden Link zugegriffen werden DocType: Monthly Distribution,Name of the Monthly Distribution,Name der monatlichen Verteilung @@ -5230,6 +5283,7 @@ DocType: Company,Default Values,Standardwerte apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standardsteuervorlagen für Verkauf und Einkauf werden erstellt. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Der Urlaubstyp {0} kann nicht weitergeleitet werden apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Debit To-Konto muss ein Debitorenkonto sein +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Bitte legen Sie Konto in Lager {0} oder Standard-Inventarkonto in Firma {1} fest. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Als Standard einstellen DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Das Nettogewicht dieses Pakets. (automatisch berechnet als Summe des Nettogewichts der Artikel) @@ -5256,8 +5310,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Abgelaufene Chargen DocType: Shipping Rule,Shipping Rule Type,Versandregel Typ DocType: Job Offer,Accepted,Akzeptiert -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 abzubrechen" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Sie haben bereits für die Bewertungskriterien {} bewertet. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Wählen Sie Chargennummern apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Alter (Tage) @@ -5284,6 +5336,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Wählen Sie Ihre Domains aus DocType: Agriculture Task,Task Name,Aufgabennname apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Für den Fertigungsauftrag bereits erstellte Bestandsbuchungen +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" ,Amount to Deliver,Menge zu liefern apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Firma {0} existiert nicht apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Für die angegebenen Artikel wurden keine ausstehenden Materialanforderungen zum Verknüpfen gefunden. @@ -5333,6 +5387,7 @@ DocType: Program Enrollment,Enrolled courses,Eingeschriebene Kurse DocType: Lab Prescription,Test Code,Code testen DocType: Purchase Taxes and Charges,On Previous Row Total,In der vorherigen Zeile insgesamt DocType: Student,Student Email Address,E-Mail-Adresse des Schülers +,Delayed Item Report,Bericht über verzögerte Artikel DocType: Academic Term,Education,Bildung DocType: Supplier Quotation,Supplier Address,Lieferantenadresse DocType: Salary Detail,Do not include in total,Nicht insgesamt einbeziehen @@ -5340,7 +5395,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} existiert nicht DocType: Purchase Receipt Item,Rejected Quantity,Abgelehnte Menge DocType: Cashier Closing,To TIme,Zur Zeit -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: Daily Work Summary Group User,Daily Work Summary Group User,Tägliche Arbeitszusammenfassung Gruppenbenutzer DocType: Fiscal Year Company,Fiscal Year Company,Geschäftsjahr Unternehmen apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Der alternative Artikel darf nicht mit dem Artikelcode identisch sein @@ -5392,6 +5446,7 @@ DocType: Program Fee,Program Fee,Programmgebühr DocType: Delivery Settings,Delay between Delivery Stops,Verzögerung zwischen Lieferstopps DocType: Stock Settings,Freeze Stocks Older Than [Days],"Lagerbestände einfrieren, die älter als [Tage] sind" DocType: Promotional Scheme,Promotional Scheme Product Discount,Aktionsprogramm Produktrabatt +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Die Ausgabepriorität ist bereits vorhanden DocType: Account,Asset Received But Not Billed,"Erhaltener, aber nicht in Rechnung gestellter Vermögenswert" DocType: POS Closing Voucher,Total Collected Amount,Gesammelte Gesamtmenge DocType: Course,Default Grading Scale,Standard-Bewertungsskala @@ -5434,6 +5489,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Erfüllungsbedingungen apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Nicht-Gruppe zu Gruppe DocType: Student Guardian,Mother,Mutter +DocType: Issue,Service Level Agreement Fulfilled,Service Level Agreement erfüllt DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Steuern auf nicht beanspruchte Leistungen an Arbeitnehmer abziehen DocType: Travel Request,Travel Funding,Reisefinanzierung DocType: Shipping Rule,Fixed,Fest @@ -5463,10 +5519,12 @@ DocType: Item,Warranty Period (in days),Garantiezeit (in Tagen) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Keine Elemente gefunden. DocType: Item Attribute,From Range,Aus Reichweite DocType: Clinical Procedure,Consumables,Verbrauchsmaterial +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' und 'timestamp' sind erforderlich. DocType: Purchase Taxes and Charges,Reference Row #,Referenzzeile # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Bitte setzen Sie die 'Kostenstelle für die Abschreibung von Vermögenswerten' in Firma {0}. apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,"Zeile # {0}: Der Zahlungsbeleg ist erforderlich, um die Transaktion abzuschließen" DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Klicken Sie auf diese Schaltfläche, um Ihre Kundenauftragsdaten von Amazon MWS abzurufen." +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)" ,Assessment Plan Status,Status des Bewertungsplans apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Bitte wählen Sie zuerst {0} aus apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Senden Sie dies, um den Mitarbeiterdatensatz zu erstellen" @@ -5537,6 +5595,7 @@ DocType: Quality Procedure,Parent Procedure,Übergeordnetes Verfahren apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Set öffnen apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Filter umschalten DocType: Production Plan,Material Request Detail,Detail der Materialanfrage +DocType: Shift Type,Process Attendance After,Anwesenheit verarbeiten nach DocType: Material Request Item,Quantity and Warehouse,Menge und Lager apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Gehen Sie zu Programme apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Zeile # {0}: Doppelter Eintrag in Referenzen {1} {2} @@ -5594,6 +5653,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Party Informationen apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Schuldner ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Bis dato darf das Entlassungsdatum des Mitarbeiters nicht überschritten werden +DocType: Shift Type,Enable Exit Grace Period,Aktiviere Exit Grace Period DocType: Expense Claim,Employees Email Id,Mitarbeiter E-Mail-ID DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Preis von Shopify auf ERPNext-Preisliste aktualisieren DocType: Healthcare Settings,Default Medical Code Standard,Medizinischer Standard @@ -5624,7 +5684,6 @@ DocType: Item Group,Item Group Name,Artikelgruppenname DocType: Budget,Applicable on Material Request,Anwendbar auf Materialanfrage DocType: Support Settings,Search APIs,Such-APIs DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Überproduktionsprozentsatz für Kundenauftrag -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Spezifikationen DocType: Purchase Invoice,Supplied Items,Mitgelieferte Artikel DocType: Leave Control Panel,Select Employees,Wählen Sie Mitarbeiter apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Zinsertragskonto im Darlehen auswählen {0} @@ -5650,7 +5709,7 @@ DocType: Salary Slip,Deductions,Abzüge ,Supplier-Wise Sales Analytics,Supplier-Wise Sales Analytics DocType: GSTR 3B Report,February,Februar DocType: Appraisal,For Employee,Für Mitarbeiter -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Tatsächliches Lieferdatum +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Tatsächliches Lieferdatum DocType: Sales Partner,Sales Partner Name,Name des Vertriebspartners apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Abschreibungszeile {0}: Das Abschreibungsstartdatum wird als vergangenes Datum eingegeben DocType: GST HSN Code,Regional,Regional @@ -5689,6 +5748,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Ver DocType: Supplier Scorecard,Supplier Scorecard,Lieferanten-Scorecard DocType: Travel Itinerary,Travel To,Reisen nach apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Anwesenheit markieren +DocType: Shift Type,Determine Check-in and Check-out,Check-in und Check-out festlegen DocType: POS Closing Voucher,Difference,Unterschied apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Klein DocType: Work Order Item,Work Order Item,Fertigungsauftragsposition @@ -5722,6 +5782,7 @@ DocType: Sales Invoice,Shipping Address Name,Lieferadresse Name apps/erpnext/erpnext/healthcare/setup.py,Drug,Droge apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} ist geschlossen DocType: Patient,Medical History,Krankengeschichte +DocType: Expense Claim,Expense Taxes and Charges,Steuern und Gebühren DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,"Anzahl der Tage nach Ablauf des Rechnungsdatums, bevor das Abonnement gekündigt oder als nicht bezahlt markiert wird" apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Installationshinweis {0} wurde bereits gesendet DocType: Patient Relation,Family,Familie @@ -5754,7 +5815,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Stärke apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,"{0} Einheiten von {1} werden in {2} benötigt, um diese Transaktion abzuschließen." DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Rückmeldung der Rohstoffe des Lohnbearbeiters auf der Basis von -DocType: Bank Guarantee,Customer,Kunde DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Wenn aktiviert, ist das Feld Akademischer Begriff im Programmeinschreibungs-Tool obligatorisch." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Für die stapelbasierte Studentengruppe wird der Studentenstapel für jeden Studenten aus der Programmeinschreibung validiert. DocType: Course,Topics,Themen @@ -5834,6 +5894,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Kapitel Mitglieder DocType: Warranty Claim,Service Address,Serviceadresse DocType: Journal Entry,Remark,Anmerkung +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Zeile {0}: Menge für {4} in Lager {1} zum Buchungszeitpunkt des Eintrags nicht verfügbar ({2} {3}) DocType: Patient Encounter,Encounter Time,Begegnungszeit DocType: Serial No,Invoice Details,Rechnungs-Details 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 erstellt werden, Einträge können jedoch auch für Nicht-Gruppen vorgenommen werden" @@ -5914,6 +5975,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","E apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Abschluss (Eröffnung + Summe) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterienformel apps/erpnext/erpnext/config/support.py,Support Analytics,Support Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Anwesenheitsgeräte-ID (biometrische / RF-Tag-ID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Überprüfung und Aktion DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Wenn das Konto gesperrt ist, dürfen nur eingeschränkte Benutzer teilnehmen." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Betrag nach Abschreibung @@ -5935,6 +5997,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Kreditrückzahlung DocType: Employee Education,Major/Optional Subjects,Hauptfächer / Wahlfächer DocType: Soil Texture,Silt,Versanden +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Lieferantenadressen und Kontakte DocType: Bank Guarantee,Bank Guarantee Type,Art der Bankgarantie DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Wenn diese Option deaktiviert ist, wird das Feld "Summe gerundet" in keiner Transaktion angezeigt" DocType: Pricing Rule,Min Amt,Min Amt @@ -5973,6 +6036,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Rechnungserstellungstool öffnen DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,POS-Transaktionen einschließen +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Für den angegebenen Mitarbeiterfeldwert wurde kein Mitarbeiter gefunden. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Erhaltener Betrag (Firmenwährung) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage ist voll, nicht gespeichert" DocType: Chapter Member,Chapter Member,Chapter Member @@ -6005,6 +6069,7 @@ DocType: SMS Center,All Lead (Open),Alle führen (offen) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Es wurden keine Studentengruppen erstellt. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Doppelte Zeile {0} mit derselben {1} DocType: Employee,Salary Details,Gehaltsangaben +DocType: Employee Checkin,Exit Grace Period Consequence,Grace Period Consequence beenden DocType: Bank Statement Transaction Invoice Item,Invoice,Rechnung DocType: Special Test Items,Particulars,Einzelheiten apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Bitte Filter basierend auf Artikel oder Lager einstellen @@ -6106,6 +6171,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Aus AMC DocType: Job Opening,"Job profile, qualifications required etc.","Berufsbild, erforderliche Qualifikationen usw." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Schiff nach Staat +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Möchten Sie die Materialanfrage einreichen? DocType: Opportunity Item,Basic Rate,Grundrate DocType: Compensatory Leave Request,Work End Date,Arbeitsende-Datum apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Anfrage für Rohstoffe @@ -6291,6 +6357,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Abschreibungsbetrag DocType: Sales Order Item,Gross Profit,Bruttoertrag DocType: Quality Inspection,Item Serial No,Artikel Seriennr DocType: Asset,Insurer,Versicherer +DocType: Employee Checkin,OUT,AUS apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Kaufbetrag DocType: Asset Maintenance Task,Certificate Required,Zertifikat erforderlich DocType: Retention Bonus,Retention Bonus,Retention Bonus @@ -6406,6 +6473,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Differenzbetrag (Fir DocType: Invoice Discounting,Sanctioned,Sanktioniert DocType: Course Enrollment,Course Enrollment,Kursanmeldung DocType: Item,Supplier Items,Lieferantenartikel +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Die Startzeit darf für {0} nicht größer oder gleich der Endzeit \ sein. DocType: Sales Order,Not Applicable,Unzutreffend DocType: Support Search Source,Response Options,Antwortoptionen apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} sollte ein Wert zwischen 0 und 100 sein @@ -6492,7 +6561,6 @@ DocType: Travel Request,Costing,Kalkulation apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Anlagevermögen DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Gesamtverdienst -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundengruppe> Gebiet DocType: Share Balance,From No,Ab Nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Zahlungsabgleichsrechnung DocType: Purchase Invoice,Taxes and Charges Added,Steuern und Gebühren hinzugefügt @@ -6600,6 +6668,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Preisregel ignorieren apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Essen DocType: Lost Reason Detail,Lost Reason Detail,Verlorene Begründung Detail +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Die folgenden Seriennummern wurden erstellt:
{0} DocType: Maintenance Visit,Customer Feedback,Kundenbewertung DocType: Serial No,Warranty / AMC Details,Garantie- / AMC-Details DocType: Issue,Opening Time,Öffnungszeit @@ -6649,6 +6718,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Firmenname nicht gleich apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Mitarbeiterbeförderung kann nicht vor dem Beförderungsdatum eingereicht werden apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},"Nicht erlaubt, Lagertransaktionen zu aktualisieren, die älter als {0} sind" +DocType: Employee Checkin,Employee Checkin,Mitarbeiter einchecken apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Das Startdatum sollte unter dem Enddatum für Artikel {0} liegen. apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Erstellen Sie Kundenangebote DocType: Buying Settings,Buying Settings,Einstellungen kaufen @@ -6670,6 +6740,7 @@ DocType: Job Card Time Log,Job Card Time Log,Jobkarten-Zeitprotokoll DocType: Patient,Patient Demographics,Patientendemographie DocType: Share Transfer,To Folio No,Zum Folio Nr apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Cashflow aus laufender Geschäftstätigkeit +DocType: Employee Checkin,Log Type,Protokolltyp DocType: Stock Settings,Allow Negative Stock,Negativen Bestand zulassen apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Keiner der Artikel hat irgendeine Änderung in Menge oder Wert. DocType: Asset,Purchase Date,Kaufdatum @@ -6714,6 +6785,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Sehr Hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Wählen Sie die Art Ihres Geschäfts aus. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Bitte wählen Sie Monat und Jahr +DocType: Service Level,Default Priority,Standardpriorität DocType: Student Log,Student Log,Schülerprotokoll DocType: Shopping Cart Settings,Enable Checkout,Kasse aktivieren apps/erpnext/erpnext/config/settings.py,Human Resources,Humanressourcen @@ -6742,7 +6814,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Verbinden Sie Shopify mit ERPNext DocType: Homepage Section Card,Subtitle,Untertitel DocType: Soil Texture,Loam,Lehm -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Lieferant> Lieferantentyp DocType: BOM,Scrap Material Cost(Company Currency),Ausschussmaterialkosten (Firmenwährung) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Lieferschein {0} darf nicht eingereicht werden DocType: Task,Actual Start Date (via Time Sheet),Tatsächliches Startdatum (über Arbeitszeitblatt) @@ -6798,6 +6869,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosierung DocType: Cheque Print Template,Starting position from top edge,Ausgangsposition von der Oberkante apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Termindauer (Minuten) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Dieser Mitarbeiter hat bereits ein Protokoll mit demselben Zeitstempel. {0} DocType: Accounting Dimension,Disable,Deaktivieren DocType: Email Digest,Purchase Orders to Receive,Bestellungen zu erhalten apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Produktionen Aufträge können nicht erhoben werden für: @@ -6813,7 +6885,6 @@ DocType: Production Plan,Material Requests,Materialanfragen DocType: Buying Settings,Material Transferred for Subcontract,Material für Lohnbearbeiter übergeben DocType: Job Card,Timing Detail,Timing-Detail apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Erforderlich am -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{0} von {1} wird importiert DocType: Job Offer Term,Job Offer Term,Laufzeit des Stellenangebots DocType: SMS Center,All Contact,Alle Kontakte DocType: Project Task,Project Task,Projektaufgabe @@ -6864,7 +6935,6 @@ DocType: Student Log,Academic,Akademisch 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 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Vom Staat DocType: Leave Type,Maximum Continuous Days Applicable,Maximal anwendbare ununterbrochene Tage -apps/erpnext/erpnext/config/support.py,Support Team.,Support-team. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Bitte geben Sie zuerst den Firmennamen ein apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Import erfolgreich DocType: Guardian,Alternate Number,Alternative Nummer @@ -6956,6 +7026,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Zeile # {0}: Element hinzugefügt DocType: Student Admission,Eligibility and Details,Teilnahmeberechtigung und Details DocType: Staffing Plan,Staffing Plan Detail,Besetzungsplan Detail +DocType: Shift Type,Late Entry Grace Period,Nachfrist DocType: Email Digest,Annual Income,Jährliches Einkommen DocType: Journal Entry,Subscription Section,Abo-Bereich DocType: Salary Slip,Payment Days,Zahlungstage @@ -7006,6 +7077,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Kontostand DocType: Asset Maintenance Log,Periodicity,Periodizität apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Krankenakte +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Der Protokolltyp ist für Eincheckvorgänge in der Schicht erforderlich: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Ausführung DocType: Item,Valuation Method,Bewertungsmethode apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} gegen Verkaufsrechnung {1} @@ -7090,6 +7162,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Geschätzte Kosten pro DocType: Loan Type,Loan Name,Darlehensname apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Standardzahlungsmodus einstellen DocType: Quality Goal,Revision,Revision +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Die Zeit vor dem Schichtende, zu der der Check-out als früh angesehen wird (in Minuten)." DocType: Healthcare Service Unit,Service Unit Type,Typ der Wartungseinheit DocType: Purchase Invoice,Return Against Purchase Invoice,Gegen Rechnung zurücksenden apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Geheimnis generieren @@ -7245,12 +7318,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Kosmetika DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Aktivieren Sie dieses Kontrollkästchen, wenn Sie den Benutzer zwingen möchten, vor dem Speichern eine Serie auszuwählen. Wenn Sie dies aktivieren, wird es keine Standardeinstellung geben." 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 können gesperrte Konten festlegen und Konteneinträge für gesperrte Konten erstellen / ändern +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgruppe> Marke DocType: Expense Claim,Total Claimed Amount,Total Claimed Amount apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Zeitfenster in den nächsten {0} Tagen für Vorgang {1} nicht gefunden apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Einpacken apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Sie können nur erneuern, wenn Ihre Mitgliedschaft innerhalb von 30 Tagen abläuft" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Wert muss zwischen {0} und {1} liegen DocType: Quality Feedback,Parameters,Parameter +DocType: Shift Type,Auto Attendance Settings,Einstellungen für die automatische Teilnahme ,Sales Partner Transaction Summary,Sales Partner Transaction Summary DocType: Asset Maintenance,Maintenance Manager Name,Name des Wartungsmanagers apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,"Es wird benötigt, um Artikeldetails abzurufen." @@ -7342,10 +7417,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Angewandte Regel validieren DocType: Job Card Item,Job Card Item,Jobkartenelement DocType: Homepage,Company Tagline for website homepage,Firmen-Slogan für die Homepage der Website +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Stellen Sie die Reaktionszeit und die Auflösung für die Priorität {0} auf den Index {1} ein. DocType: Company,Round Off Cost Center,Kostenstelle abrunden DocType: Supplier Scorecard Criteria,Criteria Weight,Kriterien Gewicht DocType: Asset,Depreciation Schedules,Abschreibungspläne -DocType: Expense Claim Detail,Claim Amount,Anspruchsbetrag DocType: Subscription,Discounts,Rabatte DocType: Shipping Rule,Shipping Rule Conditions,Versandbedingungen DocType: Subscription,Cancelation Date,Stornierungsdatum @@ -7373,7 +7448,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Leads erstellen apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Nullwerte anzeigen DocType: Employee Onboarding,Employee Onboarding,Mitarbeiter-Onboarding DocType: POS Closing Voucher,Period End Date,Enddatum des Zeitraums -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Verkaufschancen nach Quelle DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Der erste Urlaubsgenehmiger in der Liste wird als Standard-Urlaubsgenehmiger festgelegt. DocType: POS Settings,POS Settings,POS-Einstellungen apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Alle Konten @@ -7394,7 +7468,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Zeile # {0}: Die Rate muss mit {1}: {2} ({3} / {4}) übereinstimmen. DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLK-HLK-JJJJ.- DocType: Healthcare Settings,Healthcare Service Items,Serviceartikel für das Gesundheitswesen -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Keine Aufzeichnungen gefunden apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Alterungsbereich 3 DocType: Vital Signs,Blood Pressure,Blutdruck 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 Ein @@ -7441,6 +7514,7 @@ DocType: Company,Existing Company,Bestehende Firma apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Chargen apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Verteidigung DocType: Item,Has Batch No,Hat Charge Nr +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Verzögerte Tage DocType: Lead,Person Name,Name der Person DocType: Item Variant,Item Variant,Artikelvariante DocType: Training Event Employee,Invited,Eingeladen @@ -7462,7 +7536,7 @@ DocType: Purchase Order,To Receive and Bill,Empfangen und abrechnen apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start- und Enddatum liegen nicht in einer gültigen Abrechnungsperiode, {0} kann nicht berechnet werden." DocType: POS Profile,Only show Customer of these Customer Groups,Nur Kunden dieser Kundengruppen anzeigen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,"Wählen Sie Elemente aus, um die Rechnung zu speichern" -DocType: Service Level,Resolution Time,Lösungszeit +DocType: Service Level Priority,Resolution Time,Lösungszeit DocType: Grading Scale Interval,Grade Description,Sortenbeschreibung DocType: Homepage Section,Cards,Karten DocType: Quality Meeting Minutes,Quality Meeting Minutes,Qualitätssitzungsprotokoll @@ -7489,6 +7563,7 @@ DocType: Project,Gross Margin %,Bruttomarge% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Kontoauszugssaldo gemäß Hauptbuch apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Gesundheitswesen (Beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Standardlager zum Anlegen von Kundenauftrag und Lieferschein +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Die Antwortzeit für {0} am Index {1} darf nicht länger als die Auflösungszeit sein. DocType: Opportunity,Customer / Lead Name,Name des Kunden / Interessenten DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Nicht beanspruchter Betrag @@ -7535,7 +7610,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Parteien und Adressen importieren DocType: Item,List this Item in multiple groups on the website.,Listen Sie diesen Artikel in mehreren Gruppen auf der Website. DocType: Request for Quotation,Message for Supplier,Nachricht für Lieferanten -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,"{0} kann nicht geändert werden, da Lagertransaktion für Artikel {1} vorhanden ist." DocType: Healthcare Practitioner,Phone (R),Telefon (R) DocType: Maintenance Team Member,Team Member,Teammitglied DocType: Asset Category Account,Asset Category Account,Anlagenkategorie-Konto diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv index 583602ee0b..ed3744ad7c 100644 --- a/erpnext/translations/el.csv +++ b/erpnext/translations/el.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Ημερομηνία αρχικής έν apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Το ραντεβού {0} και το Τιμολόγιο Πωλήσεων {1} ακυρώθηκαν DocType: Purchase Receipt,Vehicle Number,Αριθμός οχήματος apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Η ηλεκτρονική σου διεύθυνση... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Συμπεριλάβετε τις προεπιλεγμένες καταχωρίσεις βιβλίων +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Συμπεριλάβετε τις προεπιλεγμένες καταχωρίσεις βιβλίων DocType: Activity Cost,Activity Type,Είδος δραστηριότητας DocType: Purchase Invoice,Get Advances Paid,Πληρωμή προπληρωμών DocType: Company,Gain/Loss Account on Asset Disposal,Λογαριασμός κερδών / ζημιών για τη διάθεση περιουσιακών στοιχείων @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Τι κάνει? DocType: Bank Reconciliation,Payment Entries,Καταχωρήσεις πληρωμών DocType: Employee Education,Class / Percentage,Κατηγορία / Ποσοστό ,Electronic Invoice Register,Ηλεκτρονικό μητρώο τιμολογίων +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Ο αριθμός εμφάνισης μετά τον οποίο εκτελείται η συνέπεια. DocType: Sales Invoice,Is Return (Credit Note),Επιστροφή (Πιστωτική Σημείωση) +DocType: Price List,Price Not UOM Dependent,Τιμή δεν εξαρτάται από UOM DocType: Lab Test Sample,Lab Test Sample,Δοκιμαστικό δείγμα εργαστηρίου DocType: Shopify Settings,status html,κατάσταση html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Για παράδειγμα 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Αναζήτησ DocType: Salary Slip,Net Pay,Καθαρές αποδοχές apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Συνολικό τιμολογημένο ποσό DocType: Clinical Procedure,Consumables Invoice Separately,Αναλώσιμα Τιμολόγιο Ξεχωριστά +DocType: Shift Type,Working Hours Threshold for Absent,Όριο ωρών εργασίας για απουσία DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Ο προϋπολογισμός δεν μπορεί να ανατεθεί έναντι του λογαριασμού ομάδας {0} DocType: Purchase Receipt Item,Rate and Amount,Ποσοστό και Ποσό @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Ορίστε την αποθήκη DocType: Healthcare Settings,Out Patient Settings,Out Ρυθμίσεις ασθενούς DocType: Asset,Insurance End Date,Ημερομηνία λήξης ασφάλισης DocType: Bank Account,Branch Code,Κωδικός υποκαταστήματος -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Ώρα να απαντήσω apps/erpnext/erpnext/public/js/conf.js,User Forum,Φόρουμ χρηστών DocType: Landed Cost Item,Landed Cost Item,Στοιχείο Landed Cost apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Ο πωλητής και ο αγοραστής δεν μπορούν να είναι οι ίδιοι @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Κύριος ιδιοκτήτης DocType: Share Transfer,Transfer,ΜΕΤΑΦΟΡΑ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Στοιχείο αναζήτησης (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Αποτέλεσμα υποβολής +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,"Από την ημερομηνία δεν μπορεί να είναι μεγαλύτερη από ό, τι από Μέχρι σήμερα" DocType: Supplier,Supplier of Goods or Services.,Προμηθευτής αγαθών ή υπηρεσιών. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Όνομα νέου λογαριασμού. Σημείωση: Μην δημιουργείτε λογαριασμούς για πελάτες και προμηθευτές apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Το πρόγραμμα σπουδών ή το πρόγραμμα σπουδών είναι υποχρεωτικό @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Βάση δ DocType: Skill,Skill Name,Όνομα δεξιοτήτων apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Εκτύπωση καρτών αναφοράς DocType: Soil Texture,Ternary Plot,Τρισδιάστατο οικόπεδο -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Υποστήριξη εισιτηρίων DocType: Asset Category Account,Fixed Asset Account,Λογαριασμός Σταθερού Ενεργητικού apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Αργότερο @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Απόσταση UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Υποχρεωτικό για ισολογισμό DocType: Payment Entry,Total Allocated Amount,Συνολικό κατανεμόμενο ποσό DocType: Sales Invoice,Get Advances Received,Λάβετε προπληρωμές +DocType: Shift Type,Last Sync of Checkin,Τελευταίο συγχρονισμό του Checkin DocType: Student,B-,ΣΙ- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Το ποσό του ποσού ΦΠΑ περιλαμβάνεται στην αξία apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Σχέδιο εγγραφής DocType: Student,Blood Group,Ομάδα αίματος apps/erpnext/erpnext/config/healthcare.py,Masters,Δάσκαλοι DocType: Crop,Crop Spacing UOM,Διευκόλυνση διαχωρισμού UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,"Ο χρόνος μετά την ώρα έναρξης της αλλαγής ταχυτήτων, όταν ο check-in θεωρείται καθυστερημένος (σε λεπτά)." apps/erpnext/erpnext/templates/pages/home.html,Explore,Εξερευνώ +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Δεν βρέθηκαν εκκρεμή τιμολόγια apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",Οι {0} κενές θέσεις και ο {1} προϋπολογισμός για {2} έχουν ήδη προγραμματιστεί για θυγατρικές εταιρείες {3}. \ Μπορείτε να προγραμματίσετε μόνο για {4} κενές θέσεις και προϋπολογισμό {5} σύμφωνα με το σχέδιο προσωπικού {6} για τη μητρική εταιρεία {3}. DocType: Promotional Scheme,Product Discount Slabs,Φύλλα έκπτωσης προϊόντων @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Αίτηση Συμμετοχής DocType: Item,Moving Average,Κινητό μέσο DocType: Employee Attendance Tool,Unmarked Attendance,Μη επισημασμένη συμμετοχή DocType: Homepage Section,Number of Columns,Αριθμός στηλών +DocType: Issue Priority,Issue Priority,Προτεραιότητα έκδοσης DocType: Holiday List,Add Weekly Holidays,Προσθέστε Εβδομαδιαίες Διακοπές DocType: Shopify Log,Shopify Log,Κατάστημα καταγραφής apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Δημιουργία Υπολογισμού μισθοδοσίας @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Τιμή / Περιγραφή DocType: Warranty Claim,Issue Date,Ημερομηνία έκδοσης 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}. Δεν είναι δυνατή η εύρεση μιας ενιαίας παρτίδας που να πληροί αυτή την απαίτηση apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Δεν είναι δυνατή η δημιουργία μπόνους διατήρησης για τους αριστερούς υπαλλήλους +DocType: Employee Checkin,Location / Device ID,Αναγνωριστικό τοποθεσίας / συσκευής DocType: Purchase Order,To Receive,Να λάβω apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Βρίσκεστε σε λειτουργία χωρίς σύνδεση. Δεν θα μπορείτε να φορτώσετε ξανά μέχρι να έχετε δίκτυο. DocType: Course Activity,Enrollment,Εγγραφή @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Πρότυπο δοκιμής ερ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Στοιχεία ηλεκτρονικής τιμολόγησης που λείπουν apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Δεν δημιουργήθηκε κανένα υλικό υλικό -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα DocType: Loan,Total Amount Paid,Συνολικό ποσό που καταβλήθηκε apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Όλα αυτά τα στοιχεία έχουν ήδη τιμολογηθεί DocType: Training Event,Trainer Name,Όνομα εκπαιδευτή @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Παρακαλείστε να αναφέρετε το ονοματεπώνυμο Lead {0} DocType: Employee,You can enter any date manually,Μπορείτε να καταχωρίσετε οποιαδήποτε ημερομηνία χειροκίνητα DocType: Stock Reconciliation Item,Stock Reconciliation Item,Στοιχείο συμφωνίας συμφερόντων +DocType: Shift Type,Early Exit Consequence,Πρόωρη Εξόδου DocType: Item Group,General Settings,Γενικές Ρυθμίσεις apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Η ημερομηνία λήξης δεν μπορεί να είναι πριν από την ημερομηνία αποστολής / προμηθευτή τιμολογίου apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Καταχωρίστε το όνομα του Δικαιούχου πριν από την υποβολή. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,Ελεγκτής apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Επιβεβαίωση πληρωμής ,Available Stock for Packing Items,Διαθέσιμο απόθεμα για είδη συσκευασίας apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Καταργήστε αυτό το τιμολόγιο {0} από τη φόρμα C {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Κάθε έγκυρο check-in και check-out DocType: Support Search Source,Query Route String,Αναζήτηση συμβολοσειράς διαδρομής DocType: Customer Feedback Template,Customer Feedback Template,Πρότυπο σχολίων πελατών apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Προσφορές σε πελάτες ή πελάτες. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Έλεγχος εξουσιοδότησης ,Daily Work Summary Replies,Ημερήσια σύνοψη εργασιών Απαντήσεις apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Έχετε προσκληθεί να συνεργαστείτε στο έργο: {0} +DocType: Issue,Response By Variance,Απάντηση με Απόκλιση DocType: Item,Sales Details,Λεπτομέρειες πωλήσεων apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Κεφαλίδες επιστολών για πρότυπα εκτύπωσης. DocType: Salary Detail,Tax on additional salary,Φόρος επί του πρόσθετου μισθού @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Διευ DocType: Project,Task Progress,Πρόοδος εργασιών DocType: Journal Entry,Opening Entry,Άνοιγμα εγγραφής DocType: Bank Guarantee,Charges Incurred,Οι χρεώσεις προέκυψαν +DocType: Shift Type,Working Hours Calculation Based On,Υπολογισμός Ώρας Λειτουργίας με βάση DocType: Work Order,Material Transferred for Manufacturing,Μεταφερόμενο υλικό για μεταποίηση DocType: Products Settings,Hide Variants,Απόκρυψη παραλλαγών DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Απενεργοποιήστε τον προγραμματισμό χωρητικότητας και την παρακολούθηση χρόνου @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,Υποτίμηση DocType: Guardian,Interests,Τα ενδιαφέροντα DocType: Purchase Receipt Item Supplied,Consumed Qty,Καταναλωμένη ποσότητα DocType: Education Settings,Education Manager,Διευθυντής Εκπαίδευσης +DocType: Employee Checkin,Shift Actual Start,Μετακίνηση πραγματικής εκκίνησης DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Προγραμματίστε τα αρχεία χρόνου εκτός των ωρών εργασίας του σταθμού εργασίας. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Πόντοι πίστης: {0} DocType: Healthcare Settings,Registration Message,Μήνυμα εγγραφής @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Τα τιμολόγια που έχουν ήδη δημιουργηθεί για όλες τις ώρες χρέωσης DocType: Sales Partner,Contact Desc,Επικοινωνία Desc DocType: Purchase Invoice,Pricing Rules,Κανόνες τιμολόγησης +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Δεδομένου ότι υπάρχουν υπάρχουσες συναλλαγές έναντι του στοιχείου {0}, δεν μπορείτε να αλλάξετε την τιμή του {1}" DocType: Hub Tracked Item,Image List,Λίστα εικόνων DocType: Item Variant Settings,Allow Rename Attribute Value,Επιτρέψτε τη μετονομασία της τιμής του χαρακτηριστικού -DocType: Price List,Price Not UOM Dependant,Τιμή δεν εξαρτάται από UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Χρόνος (σε λεπτά) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Βασικός DocType: Loan,Interest Income Account,Λογαριασμός Εισοδήματος Τόκων @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,Είδος Απασχόλησης apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Επιλέξτε POS Profile DocType: Support Settings,Get Latest Query,Λάβετε το τελευταίο ερώτημα DocType: Employee Incentive,Employee Incentive,Κίνητρο εργαζομένων +DocType: Service Level,Priorities,Προτεραιότητες apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Προσθέστε κάρτες ή προσαρμοσμένες ενότητες στην αρχική σελίδα DocType: Homepage,Hero Section Based On,Τμήμα ήρωας βασισμένο σε DocType: Project,Total Purchase Cost (via Purchase Invoice),Συνολικό κόστος αγοράς (μέσω τιμολογίου αγοράς) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,Κατασκευή κα DocType: Blanket Order Item,Ordered Quantity,Παραγγελθείσα ποσότητα apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Σειρά # {0}: Η απόρριψη αποθήκης είναι υποχρεωτική έναντι του απορριφθέντος στοιχείου {1} ,Received Items To Be Billed,Τα ληφθέντα στοιχεία που χρεώνονται -DocType: Salary Slip Timesheet,Working Hours,Ωρες εργασίας +DocType: Attendance,Working Hours,Ωρες εργασίας apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Τρόπος πληρωμής apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Στοιχεία παραγγελίας που δεν έχουν ληφθεί εγκαίρως apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Διάρκεια σε ημέρες @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,Κανονιστικές πληροφορίες και άλλες γενικές πληροφορίες σχετικά με τον προμηθευτή σας DocType: Item Default,Default Selling Cost Center,Προεπιλεγμένο κέντρο κόστους πώλησης DocType: Sales Partner,Address & Contacts,Διεύθυνση & Επαφές -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης DocType: Subscriber,Subscriber,Συνδρομητής apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Φόρμα / Θέμα / {0}) είναι εκτός αποθέματος apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Παρακαλούμε επιλέξτε Ημερομηνία πρώτης δημοσίευσης @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,% Πλήρης μέθοδος DocType: Detected Disease,Tasks Created,Δημιουργήθηκαν εργασίες apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Το προεπιλεγμένο BOM ({0}) πρέπει να είναι ενεργό για αυτό το στοιχείο ή το πρότυπο του apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Επιτροπή Ποσοστό% -DocType: Service Level,Response Time,Χρόνος απόκρισης +DocType: Service Level Priority,Response Time,Χρόνος απόκρισης DocType: Woocommerce Settings,Woocommerce Settings,Ρυθμίσεις Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Η ποσότητα πρέπει να είναι θετική DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Χρέωση για επ DocType: Bank Statement Settings,Transaction Data Mapping,Χαρτογράφηση δεδομένων συναλλαγών apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Ο μόλυβδος απαιτεί το όνομα ενός ατόμου ή το όνομα ενός οργανισμού DocType: Student,Guardians,Κηδεμόνες -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση> Ρυθμίσεις Εκπαίδευσης apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Επιλογή Μάρκα ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Μεσαιο εισοδημα DocType: Shipping Rule,Calculate Based On,Υπολογισμός βασισμένος σε @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Ορίστε ένα apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Η εγγραφή συμμετοχής {0} υπάρχει εναντίον του Student {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Ημερομηνία συναλλαγής apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Ακύρωση συνδρομής +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Δεν ήταν δυνατή η ρύθμιση της συμφωνίας επιπέδου υπηρεσιών {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Καθαρό ποσό μισθού DocType: Account,Liability,Ευθύνη DocType: Employee,Bank A/C No.,Τράπεζα A / C Αρ. @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Κωδικός είδους πρώτης ύλης apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Το τιμολόγιο αγοράς {0} έχει ήδη υποβληθεί DocType: Fees,Student Email,Φοιτητικό ηλεκτρονικό ταχυδρομείο -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Επαναλήψεις BOM: {0} δεν μπορεί να είναι γονέας ή παιδί {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Λάβετε στοιχεία από Υπηρεσίες Υγείας apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Η καταχώρηση αποθεμάτων {0} δεν έχει υποβληθεί DocType: Item Attribute Value,Item Attribute Value,Τιμή ιδιότητας στοιχείου @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,Να επιτρέπεται η εκ DocType: Production Plan,Select Items to Manufacture,Επιλέξτε τα στοιχεία που θα κατασκευαστούν DocType: Leave Application,Leave Approver Name,Αφήστε το όνομα του χρήστη DocType: Shareholder,Shareholder,Μέτοχος -DocType: Issue,Agreement Status,Κατάσταση Συμφωνίας apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Προεπιλεγμένες ρυθμίσεις για την πώληση συναλλαγών. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Επιλέξτε φοιτητική εισαγωγή, η οποία είναι υποχρεωτική για τον αιτηθέντα φοιτητή" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Επιλέξτε BOM @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Λογαριασμός Εισοδήματος apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Όλες οι Αποθήκες DocType: Contract,Signee Details,Signee Λεπτομέρειες +DocType: Shift Type,Allow check-out after shift end time (in minutes),Επιτρέψτε το check out μετά τη λήξη της μετατόπισης (σε λεπτά) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Προμήθεια DocType: Item Group,Check this if you want to show in website,Ελέγξτε αν θέλετε να εμφανίζεται στον ιστότοπο apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Το οικονομικό έτος {0} δεν βρέθηκε @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Ημερομηνία ένα DocType: Activity Cost,Billing Rate,Ποσοστό χρέωσης apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Προειδοποίηση: Υπάρχει άλλη {0} # {1} κατά της εισαγωγής στο απόθεμα {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Ενεργοποιήστε τις Ρυθμίσεις του Google Maps για να εκτιμήσετε και να βελτιστοποιήσετε τις διαδρομές +DocType: Purchase Invoice Item,Page Break,Διάλειμμα σελίδας DocType: Supplier Scorecard Criteria,Max Score,Μέγιστη βαθμολογία apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Η Ημερομηνία έναρξης αποπληρωμής δεν μπορεί να γίνει πριν από την Ημερομηνία Εκταμίευσης. DocType: Support Search Source,Support Search Source,Υποστήριξη πηγής αναζήτησης @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Στόχος στόχου DocType: Employee Transfer,Employee Transfer,Μεταφορά εργαζομένων ,Sales Funnel,Χωνί πωλήσεων DocType: Agriculture Analysis Criteria,Water Analysis,Ανάλυση Νερού +DocType: Shift Type,Begin check-in before shift start time (in minutes),Ξεκινήστε το check-in πριν από την ώρα έναρξης της αλλαγής ταχυτήτων (σε λεπτά) DocType: Accounts Settings,Accounts Frozen Upto,Λογαριασμοί Κατεψυγμένο μέχρι apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Δεν υπάρχει τίποτα για επεξεργασία. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Λειτουργία {0} μεγαλύτερη από οποιαδήποτε διαθέσιμη ώρα εργασίας στο σταθμό εργασίας {1}, καταργήστε τη λειτουργία σε πολλαπλές λειτουργίες" @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Ο apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Η εντολή πωλήσεων {0} είναι {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Καθυστέρηση πληρωμής (Ημέρες) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Καταχωρίστε τις λεπτομέρειες απόσβεσης +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,PO πελάτη apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Η αναμενόμενη ημερομηνία παράδοσης πρέπει να είναι μετά την ημερομηνία παραγγελίας +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Η ποσότητα του στοιχείου δεν μπορεί να είναι μηδέν apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Μη έγκυρο χαρακτηριστικό apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Παρακαλούμε επιλέξτε BOM έναντι στοιχείου {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Τύπος τιμολογίου @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,Ημερομηνία Συντήρη DocType: Volunteer,Afternoon,Απόγευμα DocType: Vital Signs,Nutrition Values,Τιμές Διατροφής DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Παρουσία πυρετού (θερμοκρασία> 38,5 ° C / 101,3 ° F ή διατηρούμενη θερμοκρασία> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Αντιστροφή DocType: Project,Collect Progress,Συλλέξτε την πρόοδο apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Ενέργεια @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,Πρόοδος εγκατάστασης ,Ordered Items To Be Billed,Στοιχεία που παραγγέλλονται για χρέωση DocType: Taxable Salary Slab,To Amount,Στο ποσό DocType: Purchase Invoice,Is Return (Debit Note),Επιστροφή (χρεωστική σημείωση) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια apps/erpnext/erpnext/config/desktop.py,Getting Started,Ξεκινώντας apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Συγχώνευση apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Δεν είναι δυνατή η αλλαγή της Ημερομηνίας Έναρξης Φορολογικού Έτους και της Ημερομηνία Λήξης του Φορολογικού Έτους μόλις αποθηκευτεί το Φορολογικό Έτος. @@ -2216,8 +2232,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Πραγματική ημερο apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Η ημερομηνία έναρξης συντήρησης δεν μπορεί να είναι πριν από την ημερομηνία παράδοσης για τον σειριακό αριθμό {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Γραμμή {0}: Η συναλλαγματική ισοτιμία είναι υποχρεωτική DocType: Purchase Invoice,Select Supplier Address,Επιλέξτε διεύθυνση προμηθευτή +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Η διαθέσιμη ποσότητα είναι {0}, χρειάζεστε {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Εισαγάγετε το μυστικό του καταναλωτή API DocType: Program Enrollment Fee,Program Enrollment Fee,Πρόγραμμα εγγραφής στο πρόγραμμα +DocType: Employee Checkin,Shift Actual End,Shift Actual End DocType: Serial No,Warranty Expiry Date,Ημερομηνία λήξης της εγγύησης DocType: Hotel Room Pricing,Hotel Room Pricing,Τιμολόγηση δωματίου στο ξενοδοχείο apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Φορολογητέες προμήθειες (εκτός μηδενικού, μηδενικού και απαλλασσομένου)" @@ -2277,6 +2295,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Ανάγνωση 5 DocType: Shopping Cart Settings,Display Settings,Ρυθμίσεις οθόνης apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Ορίστε τον αριθμό των αποσβέσεων που έχετε κρατήσει +DocType: Shift Type,Consequence after,Συνέπεια μετά apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Σε τι χρειάζεσαι βοήθεια? DocType: Journal Entry,Printing Settings,Ρυθμίσεις εκτύπωσης apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,ΤΡΑΠΕΖΙΚΕΣ ΕΡΓΑΣΙΕΣ @@ -2286,6 +2305,7 @@ DocType: Purchase Invoice Item,PR Detail,Λεπτομέρεια PR apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Η διεύθυνση χρέωσης είναι ίδια με τη διεύθυνση αποστολής DocType: Account,Cash,Μετρητά DocType: Employee,Leave Policy,Αφήστε την πολιτική +DocType: Shift Type,Consequence,Συνέπεια apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Διεύθυνση σπουδαστών DocType: GST Account,CESS Account,Λογαριασμός CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Απαιτείται το Κέντρο κόστους για λογαριασμό "Κέρδη και απώλειες" {2}. Ορίστε ένα προεπιλεγμένο Κέντρο κόστους για την Εταιρεία. @@ -2350,6 +2370,7 @@ DocType: GST HSN Code,GST HSN Code,Κωδικός HSN του GST DocType: Period Closing Voucher,Period Closing Voucher,Κουπόνι κλεισίματος περιόδου apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Όνομα Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Εισαγάγετε Λογαριασμό Εξόδων +DocType: Issue,Resolution By Variance,Ψήφισμα Με Απόκλιση DocType: Employee,Resignation Letter Date,Ημερομηνία επιστολής παραίτησης DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Συμμετοχή στην ημερομηνία @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Προβολή τώρα DocType: Item Price,Valid Upto,Ισχύει μέχρι apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Το Doctype αναφοράς πρέπει να είναι ένα από τα {0} +DocType: Employee Checkin,Skip Auto Attendance,Παράλειψη αυτόματης παρακολούθησης DocType: Payment Request,Transaction Currency,Νόμισμα συναλλαγής DocType: Loan,Repayment Schedule,Πρόγραμμα αποπληρωμής apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Δημιουργία καταχώρησης παρακαταθήκης δείγματος @@ -2433,6 +2455,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Αντιστο DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Φόροι από το κουπόνι κλεισίματος POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Ενέργεια Αρχικοποιήθηκε DocType: POS Profile,Applicable for Users,Ισχύει για χρήστες +,Delayed Order Report,Αναφορά καθυστερημένης παραγγελίας DocType: Training Event,Exam,Εξέταση apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Εμφανίστηκε εσφαλμένος αριθμός εγγραφών γενικής εφημερίδας. Μπορεί να έχετε επιλέξει λάθος λογαριασμό στη συναλλαγή. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Πωλήσεις αγωγών @@ -2447,10 +2470,11 @@ DocType: Account,Round Off,Γύρισε εκτός λειτουργίας DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Οι συνθήκες θα εφαρμοστούν σε όλα τα επιλεγμένα στοιχεία μαζί. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Διαμορφώστε DocType: Hotel Room,Capacity,Χωρητικότητα +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Εγκατεστημένη ποσότητα apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Η παρτίδα {0} του στοιχείου {1} είναι απενεργοποιημένη. DocType: Hotel Room Reservation,Hotel Reservation User,Χρήστης κράτησης ξενοδοχείων -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Η εργάσιμη μέρα έχει επαναληφθεί δύο φορές +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Συμφωνία επιπέδου υπηρεσίας με τον τύπο οντότητας {0} και την οντότητα {1} υπάρχει ήδη. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Ομάδα στοιχείων που δεν αναφέρεται στην κύρια μονάδα στοιχείου για το στοιχείο {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Σφάλμα ονόματος: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Το έδαφος απαιτείται στο POS Profile @@ -2498,6 +2522,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Ημερομηνία προγραμματισμού DocType: Packing Slip,Package Weight Details,Λεπτομέρειες βάρους συσκευασίας DocType: Job Applicant,Job Opening,Άνοιγμα εργασίας +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Τελευταία Γνωστή Επιτυχής Συγχρονισμός Έργου Checkin. Επαναφέρετε αυτήν τη ρύθμιση μόνο εάν είστε βέβαιοι ότι όλα τα αρχεία καταγραφής συγχρονίζονται από όλες τις τοποθεσίες. Μην τροποποιείτε αυτό εάν δεν είστε σίγουροι. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Πραγματικό κόστος apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Η συνολική πρόοδος ({0}) έναντι της Παραγγελίας {1} δεν μπορεί να είναι μεγαλύτερη από το συνολικό ποσό ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Οι παραλλαγές στοιχείων ενημερώθηκαν @@ -2542,6 +2567,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Αναφορά παραλ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Λάβετε Τιμωρίες DocType: Tally Migration,Is Day Book Data Imported,Εισάγονται δεδομένα βιβλίου ημέρας ,Sales Partners Commission,Επιτροπή Συνεργατών Πωλήσεων +DocType: Shift Type,Enable Different Consequence for Early Exit,Ενεργοποιήστε διαφορετικές συνέπειες για την έγκαιρη έξοδο apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Νομικός DocType: Loan Application,Required by Date,Απαιτείται από την ημερομηνία DocType: Quiz Result,Quiz Result,Quiz Αποτέλεσμα @@ -2601,7 +2627,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Οικο DocType: Pricing Rule,Pricing Rule,Κανόνας τιμολόγησης apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Η προαιρετική Λίστα διακοπών δεν έχει οριστεί για περίοδο άδειας {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Ορίστε το πεδίο User ID σε μια εγγραφή υπαλλήλου για να ορίσετε τον ρόλο του υπαλλήλου -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Ώρα για επίλυση DocType: Training Event,Training Event,Εκπαιδευτικό συμβάν DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Η φυσιολογική πίεση αίματος σε έναν ενήλικα είναι περίπου 120 mmHg συστολική και 80 mmHg διαστολική, συντομογραφία "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Το σύστημα θα ανακτήσει όλες τις καταχωρήσεις εάν η οριακή τιμή είναι μηδενική. @@ -2645,6 +2670,7 @@ DocType: Woocommerce Settings,Enable Sync,Ενεργοποίηση συγχρο DocType: Student Applicant,Approved,Εγκρίθηκε apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Από την ημερομηνία θα πρέπει να είναι εντός του Φορολογικού Έτους. Υποθέτοντας από την ημερομηνία = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Ορίστε την ομάδα προμηθευτών στις ρυθμίσεις αγοράς. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} είναι άκυρη Κατάσταση Συμμετοχής. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Προσωρινός λογαριασμός έναρξης DocType: Purchase Invoice,Cash/Bank Account,Λογαριασμός μετρητών / τραπεζών DocType: Quality Meeting Table,Quality Meeting Table,Πίνακας ποιότητας συναντήσεων @@ -2680,6 +2706,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Τρόφιμα, Ποτά & Καπνός" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Πρόγραμμα μαθημάτων DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Στοιχείο Wise Tax Details +DocType: Shift Type,Attendance will be marked automatically only after this date.,Η συμμετοχή θα επισημαίνεται αυτόματα μόνο μετά από αυτή την ημερομηνία. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Προμήθειες που γίνονται στους κατόχους UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Αίτηση υποβολής προσφορών apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Το νόμισμα δεν μπορεί να αλλάξει μετά την πραγματοποίηση εγγραφών χρησιμοποιώντας κάποιο άλλο νόμισμα @@ -2728,7 +2755,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Είναι στοιχείο από τον κεντρικό υπολογιστή apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Διαδικασία ποιότητας. DocType: Share Balance,No of Shares,Αριθμός μετοχών -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Σειρά {0}: Η ποσότητα δεν είναι διαθέσιμη για {4} στην αποθήκη {1} κατά το χρόνο απόσπασης της καταχώρισης ({2} {3}) DocType: Quality Action,Preventive,Προληπτικός DocType: Support Settings,Forum URL,Διεύθυνση URL φόρουμ apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Υπάλληλος και Συμμετοχή @@ -2950,7 +2976,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Τύπος έκπτωσ DocType: Hotel Settings,Default Taxes and Charges,Προκαθορισμένοι φόροι και χρεώσεις apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,"Αυτό βασίζεται σε συναλλαγές κατά αυτού του Προμηθευτή. Για λεπτομέρειες, δείτε την παρακάτω χρονολογική σειρά" apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Το μέγιστο ποσό παροχών του υπαλλήλου {0} υπερβαίνει το {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Εισαγάγετε την ημερομηνία έναρξης και λήξης της συμφωνίας. DocType: Delivery Note Item,Against Sales Invoice,Ενάντια στο τιμολόγιο πωλήσεων DocType: Loyalty Point Entry,Purchase Amount,Ποσό αγοράς apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Δεν μπορεί να οριστεί ως Απώλεια ως εντολή πωλήσεων. @@ -2974,7 +2999,7 @@ DocType: Homepage,"URL for ""All Products""",URL για "Όλα τα προ DocType: Lead,Organization Name,Όνομα Οργανισμού apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Ισχύει από και ισχύει για τα πεδία είναι υποχρεωτικά για το σωρευτικό apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Γραμμή # {0}: Ο αριθμός παρτίδας δεν πρέπει να είναι ίδιος με τον αριθμό {1} {2} -DocType: Employee,Leave Details,Αφήστε τα στοιχεία +DocType: Employee Checkin,Shift Start,Μετακίνηση εκκίνησης apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Οι συναλλαγές μετοχών πριν από το {0} είναι κατεψυγμένες DocType: Driver,Issuing Date,Ημερομηνία έκδοσης apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Αιτών @@ -3019,9 +3044,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Λεπτομέρειες προτύπου χαρτογράφησης ταμειακών ροών apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Προσλήψεις και κατάρτιση DocType: Drug Prescription,Interval UOM,Διαστήματα UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Ρυθμίσεις περιόδου χάριτος για αυτόματη συμμετοχή apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Από το νόμισμα και το νόμισμα δεν μπορεί να είναι το ίδιο apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Φαρμακευτικά προϊόντα DocType: Employee,HR-EMP-,HR-ΕΜΡ- +DocType: Service Level,Support Hours,Ώρες Υποστήριξης apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} ακυρώνεται ή κλείνει apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Σειρά {0}: Η προσφορά έναντι του Πελάτη πρέπει να είναι πιστωτική apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Ομάδα με κουπόνι (Ενοποιημένο) @@ -3131,6 +3158,7 @@ DocType: Asset Repair,Repair Status,Κατάσταση επισκευής DocType: Territory,Territory Manager,Διευθυντής περιοχής DocType: Lab Test,Sample ID,Αναγνωριστικό δείγματος apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Το καλάθι είναι κενό +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Η συμμετοχή έχει επισημανθεί ως check-in υπαλλήλων apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Το στοιχείο {0} πρέπει να υποβληθεί ,Absent Student Report,Απουσία αναφοράς σπουδαστών apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Περιλαμβάνεται στο Ακαθάριστο Κέρδος @@ -3138,7 +3166,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,Χρηματοδοτούμενο ποσό apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} δεν έχει υποβληθεί, οπότε η ενέργεια δεν μπορεί να ολοκληρωθεί" DocType: Subscription,Trial Period End Date,Ημερομηνία λήξης της δοκιμαστικής περιόδου +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Εναλλασσόμενες καταχωρήσεις ως IN και OUT κατά την ίδια μετατόπιση DocType: BOM Update Tool,The new BOM after replacement,Το νέο BOM μετά την αντικατάσταση +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Σημείο 5 DocType: Employee,Passport Number,Αριθμός διαβατηρίου apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Προσωρινό άνοιγμα @@ -3254,6 +3284,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Αναφορές κλειδι apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Πιθανός προμηθευτής ,Issued Items Against Work Order,Εκδίδονται αντικείμενα κατά της εντολής εργασίας apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Δημιουργία τιμολογίου {0} +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση> Ρυθμίσεις Εκπαίδευσης DocType: Student,Joining Date,Ημερομηνία σύνδεσης apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Αιτούσα τοποθεσία DocType: Purchase Invoice,Against Expense Account,Λογαριασμός εξόδων @@ -3293,6 +3324,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Ισχύουσες χρεώσεις ,Point of Sale,Σημείο πώλησης DocType: Authorization Rule,Approving User (above authorized value),Έγκριση χρήστη (πάνω από την εγκεκριμένη τιμή) +DocType: Service Level Agreement,Entity,Οντότητα apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Το ποσό {0} {1} μεταφέρθηκε από {2} σε {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Ο πελάτης {0} δεν ανήκει στο πρόγραμμα {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Από το Όνομα του Κόμματος @@ -3339,6 +3371,7 @@ DocType: Asset,Opening Accumulated Depreciation,Άνοιγμα συσσωρευ DocType: Soil Texture,Sand Composition (%),Σύνθεση άμμου (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Εισαγωγή δεδομένων βιβλίου ημέρας +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ορίστε την Ονοματοδοσία για {0} μέσω του Setup> Settings> Naming Series DocType: Asset,Asset Owner Company,Εταιρεία ιδιοκτήτη περιουσιακών στοιχείων apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Το κέντρο κόστους απαιτείται για την κράτηση αίτησης εξόδου apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} έγκυρος σειριακός αριθμός για το στοιχείο {1} @@ -3399,7 +3432,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Ιδιοκτήτης περιουσιακών στοιχείων apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Η αποθήκη είναι υποχρεωτική για το απόθεμα Στοιχείο {0} στη σειρά {1} DocType: Stock Entry,Total Additional Costs,Συνολικά πρόσθετα έξοδα -DocType: Marketplace Settings,Last Sync On,Ο τελευταίος συγχρονισμός είναι ενεργοποιημένος apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Ρυθμίστε τουλάχιστον μία σειρά στον Πίνακα φόρων και χρεώσεων DocType: Asset Maintenance Team,Maintenance Team Name,Όνομα ομάδας συντήρησης apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Διάγραμμα Κέντρων Κόστους @@ -3415,12 +3447,12 @@ DocType: Sales Order Item,Work Order Qty,Ποσότητα παραγγελίας DocType: Job Card,WIP Warehouse,WIP Αποθήκη DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Το αναγνωριστικό χρήστη δεν έχει οριστεί για τον υπάλληλο {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Οι διαθέσιμες ποσότητες είναι {0}, χρειάζεστε {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Ο χρήστης {0} δημιουργήθηκε DocType: Stock Settings,Item Naming By,Ονομασία στοιχείου από apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Διέταξε apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Αυτή είναι μια ριζική ομάδα πελατών και δεν μπορεί να επεξεργαστεί. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Το αίτημα υλικού {0} ακυρώνεται ή διακόπτεται +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Βασίζεται αυστηρά στον τύπο καταγραφής στο Έλεγχος Εργαζομένων DocType: Purchase Order Item Supplied,Supplied Qty,Παρεχόμενες ποσότητες DocType: Cash Flow Mapper,Cash Flow Mapper,Χάρτης χαρτονομισμάτων DocType: Soil Texture,Sand,Αμμος @@ -3479,6 +3511,7 @@ DocType: Lab Test Groups,Add new line,Προσθέστε νέα γραμμή apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Διπλή ομάδα αντικειμένων που βρέθηκε στον πίνακα ομάδας στοιχείων apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Ετήσιος μισθός DocType: Supplier Scorecard,Weighting Function,Λειτουργία ζύγισης +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Σφάλμα κατά την αξιολόγηση του τύπου κριτηρίων ,Lab Test Report,Αναφορά δοκιμών εργαστηρίου DocType: BOM,With Operations,Με λειτουργίες @@ -3492,6 +3525,7 @@ DocType: Expense Claim Account,Expense Claim Account,Λογαριασμός Αξ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Δεν υπάρχουν διαθέσιμες επιστροφές για την καταχώριση εισερχομένων apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} είναι ανενεργός φοιτητής apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Κάντε καταχώρηση αποθέματος +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Bum recursion: {0} δεν μπορεί να είναι γονέας ή παιδί {1} DocType: Employee Onboarding,Activities,Δραστηριότητες apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Τουλάχιστον μία αποθήκη είναι υποχρεωτική ,Customer Credit Balance,Πιστωτικό υπόλοιπο πελατών @@ -3504,9 +3538,11 @@ DocType: Supplier Scorecard Period,Variables,Μεταβλητές apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Πολλαπλό πρόγραμμα αφοσίωσης που βρέθηκε για τον Πελάτη. Επιλέξτε μη αυτόματα. DocType: Patient,Medication,φαρμακευτική αγωγή apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Επιλέξτε πρόγραμμα αφοσίωσης +DocType: Employee Checkin,Attendance Marked,Συμμετοχή Επισημαίνεται apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Πρώτες ύλες DocType: Sales Order,Fully Billed,Πλήρως χρεωμένο apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Παρακαλείστε να ορίσετε την τιμή δωματίου στην {{ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Επιλέξτε μόνο μία προτεραιότητα ως προεπιλογή. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Προσδιορίστε / δημιουργήστε λογαριασμό (Ledger) για τον τύπο - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Το συνολικό ποσό πίστωσης / χρέωσης θα πρέπει να είναι ίδιο με το συνδεδεμένο εισερχόμενο ημερολογίου DocType: Purchase Invoice Item,Is Fixed Asset,Είναι πάγια περιουσιακά στοιχεία @@ -3527,6 +3563,7 @@ DocType: Purpose of Travel,Purpose of Travel,Σκοπός του ταξιδιο DocType: Healthcare Settings,Appointment Confirmation,Επιβεβαίωση συνάντησης DocType: Shopping Cart Settings,Orders,Παραγγελίες DocType: HR Settings,Retirement Age,Ηλικία συνταξιοδότησης +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Προβλεπόμενος αριθμός apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Η διαγραφή δεν επιτρέπεται για τη χώρα {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Σειρά # {0}: Το στοιχείο {1} είναι ήδη {2} @@ -3610,11 +3647,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Λογιστής apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Το κουπόνι έκλειψης POS alreday υπάρχει για {0} μεταξύ ημερομηνίας {1} και {2} apps/erpnext/erpnext/config/help.py,Navigating,Πλοήγηση +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Δεν υπάρχουν εκκρεμή τιμολόγια που απαιτούν αναπροσαρμογή της ισοτιμίας DocType: Authorization Rule,Customer / Item Name,Όνομα πελάτη / στοιχείου apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Ο νέος σειριακός αριθμός δεν μπορεί να έχει αποθήκη. Η αποθήκη πρέπει να οριστεί με την καταχώρηση στο Χρηματιστήριο ή την Παραλαβή Αγοράς DocType: Issue,Via Customer Portal,Μέσω της πύλης πελατών DocType: Work Order Operation,Planned Start Time,Προγραμματισμένη ώρα έναρξης apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} είναι {2} +DocType: Service Level Priority,Service Level Priority,Προτεραιότητα επιπέδου υπηρεσιών apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Ο αριθμός των αποσβέσεων που κρατήθηκαν δεν μπορεί να είναι μεγαλύτερος από τον συνολικό αριθμό των αποσβέσεων apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Λογαριασμός μετοχών DocType: Journal Entry,Accounts Payable,Πληρωτέοι λογαριασμοί @@ -3725,7 +3764,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Παράδοση σε DocType: Bank Statement Transaction Settings Item,Bank Data,Στοιχεία τράπεζας apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Προγραμματισμένη μέχρι -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Διατηρήστε τις ώρες χρέωσης και τις ώρες εργασίας ίδιες με το φύλλο εργασίας apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Το κομμάτι οδηγεί από την κύρια πηγή. DocType: Clinical Procedure,Nursing User,Χρήστης νοσηλευτικής DocType: Support Settings,Response Key List,Λίστα κλειδιών απάντησης @@ -3893,6 +3931,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Πραγματικός χρόνος έναρξης DocType: Antibiotic,Laboratory User,Εργαστηριακός χρήστης apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Online δημοπρασίες +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Η προτεραιότητα {0} έχει επαναληφθεί. DocType: Fee Schedule,Fee Creation Status,Κατάσταση δημιουργίας τέλους apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Λογισμικά apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Εντολή πωλήσεων προς πληρωμή @@ -3959,6 +3998,7 @@ DocType: Patient Encounter,In print,Σε εκτύπωση apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Δεν ήταν δυνατή η ανάκτηση πληροφοριών για το {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Το νόμισμα χρέωσης πρέπει να είναι ίσο με το νόμισμα της προεπιλεγμένης εταιρείας ή το νόμισμα του λογαριασμού μέρους apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Εισαγάγετε το αναγνωριστικό υπαλλήλου αυτού του πωλητή +DocType: Shift Type,Early Exit Consequence after,Πρόωρη έξοδος μετά από apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Δημιουργία αρχικών τιμολογίων πωλήσεων και αγορών DocType: Disease,Treatment Period,Περίοδος θεραπείας apps/erpnext/erpnext/config/settings.py,Setting up Email,Ρύθμιση ηλεκτρονικού ταχυδρομείου @@ -3976,7 +4016,6 @@ DocType: Employee Skill Map,Employee Skills,Εργασιακές δεξιότη apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Ονομα μαθητή: DocType: SMS Log,Sent On,Στάλθηκε στις DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Τιμολόγιο πωλήσεων -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Ο χρόνος απόκρισης δεν μπορεί να είναι μεγαλύτερος από τον Χρόνο ανάλυσης DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Για την Ομάδα μαθητών με βάση τα μαθήματα, το μάθημα θα επικυρωθεί για κάθε φοιτητή από τα εγγεγραμμένα μαθήματα στην εγγραφή του προγράμματος." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Ενδοκράτους DocType: Employee,Create User Permission,Δημιουργία άδειας χρήστη @@ -4015,6 +4054,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Τυποποιημένοι συμβατικοί όροι για πωλήσεις ή αγορές. DocType: Sales Invoice,Customer PO Details,Στοιχεία PO Πελατών apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Ο ασθενής δεν βρέθηκε +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Επιλέξτε μια προεπιλεγμένη προτεραιότητα. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Κατάργηση στοιχείου εάν δεν ισχύουν χρεώσεις σε αυτό το στοιχείο apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Μια ομάδα πελατών υπάρχει με το ίδιο όνομα, αλλάξτε το όνομα του πελάτη ή μετονομάστε την ομάδα πελατών" 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. @@ -4054,6 +4094,7 @@ DocType: Quality Goal,Quality Goal,Στόχος ποιότητας DocType: Support Settings,Support Portal,Υποστήριξη πύλης apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Η ημερομηνία λήξης της εργασίας {0} δεν μπορεί να είναι μικρότερη από την {1} αναμενόμενη ημερομηνία έναρξης {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Ο υπάλληλος {0} είναι ανοιχτός στο {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Αυτή η συμφωνία επιπέδου υπηρεσιών είναι συγκεκριμένη για τον πελάτη {0} DocType: Employee,Held On,Που πραγματοποιήθηκε στις DocType: Healthcare Practitioner,Practitioner Schedules,Πρόγραμμα πρακτικής DocType: Project Template Task,Begin On (Days),Έναρξη στις (ημέρες) @@ -4061,6 +4102,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Η εντολή εργασίας ήταν {0} DocType: Inpatient Record,Admission Schedule Date,Ημερομηνία προγραμματισμού εισδοχής apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Προσαρμογή αξίας περιουσιακού στοιχείου +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Σημειώστε συμμετοχή με βάση το 'Έλεγχος Εργαζομένων' για Εργαζόμενους που έχουν ανατεθεί σε αυτή τη βάρδια. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Προμήθειες που καταβάλλονται σε μη εγγεγραμμένα άτομα apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Όλες οι εργασίες DocType: Appointment Type,Appointment Type,Τύπος συνάντησης @@ -4174,7 +4216,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Το συνολικό βάρος της συσκευασίας. Συνήθως καθαρό βάρος + βάρος υλικού συσκευασίας. (για εκτύπωση) DocType: Plant Analysis,Laboratory Testing Datetime,Εργαστηριακός έλεγχος apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Το στοιχείο {0} δεν μπορεί να έχει Παρτίδα -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Πωλήσεις αγωγών ανά στάδιο apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Δύναμη ομάδας σπουδαστών DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Καταχώρηση συναλλαγής τραπεζικής δήλωσης DocType: Purchase Order,Get Items from Open Material Requests,Λάβετε στοιχεία από ανοιχτά αιτήματα υλικού @@ -4256,7 +4297,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Εμφάνιση Γήρανση αποθήκη DocType: Sales Invoice,Write Off Outstanding Amount,Αποσβέση του εξερχόμενου ποσού DocType: Payroll Entry,Employee Details,Λεπτομέρειες εργαζομένων -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Η ώρα έναρξης δεν μπορεί να είναι μεγαλύτερη από την ώρα λήξης για {0}. DocType: Pricing Rule,Discount Amount,Ποσό έκπτωσης DocType: Healthcare Service Unit Type,Item Details,Στοιχεία στοιχείου apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Διπλή Δήλωση Φορολογίας {0} για την περίοδο {1} @@ -4309,7 +4349,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Η καθαρή αμοιβή δεν μπορεί να είναι αρνητική apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Αριθ. Αλληλεπιδράσεων 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/hr/doctype/employee/employee_dashboard.py,Shift,Βάρδια +DocType: Attendance,Shift,Βάρδια apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Επεξεργασία Λογαριασμών και Συμβαλλόμενων Μερών DocType: Stock Settings,Convert Item Description to Clean HTML,Μετατρέψτε την περιγραφή στοιχείου για να καθαρίσετε το HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Όλες οι ομάδες προμηθευτών @@ -4380,6 +4420,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Δραστη DocType: Healthcare Service Unit,Parent Service Unit,Μονάδα μητρικής υπηρεσίας DocType: Sales Invoice,Include Payment (POS),Συμπεριλάβετε Πληρωμή (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Ιδιωτικό Equity +DocType: Shift Type,First Check-in and Last Check-out,Πρώτο check-in και τελευταίο check-out DocType: Landed Cost Item,Receipt Document,Έγγραφο παραλαβής DocType: Supplier Scorecard Period,Supplier Scorecard Period,Περίοδος Scorecard Προμηθευτή DocType: Employee Grade,Default Salary Structure,Προκαθορισμένη δομή μισθοδοσίας @@ -4462,6 +4503,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Δημιουργία εντολής αγοράς apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Ορίστε τον προϋπολογισμό για ένα οικονομικό έτος. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Ο πίνακας λογαριασμών δεν μπορεί να είναι κενός. +DocType: Employee Checkin,Entry Grace Period Consequence,Εισαγωγή περίοδος χάριτος συνέπεια ,Payment Period Based On Invoice Date,Περίοδος πληρωμής με βάση την ημερομηνία του τιμολογίου apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Η ημερομηνία εγκατάστασης δεν μπορεί να είναι πριν από την ημερομηνία παράδοσης για το στοιχείο {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Σύνδεσμος προς την αίτηση υλικού @@ -4470,6 +4512,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Χαρτογ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Σειρά {0}: Υπάρχει ήδη μια καταχώρηση αναδιάταξης για αυτήν την αποθήκη {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Ημερομηνία εγγράφου DocType: Monthly Distribution,Distribution Name,Όνομα διανομής +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Η εργασία {0} επαναλήφθηκε. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Ομάδα προς μη ομάδα apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Αναβάθμιση σε εξέλιξη. Μπορεί να πάρει λίγο χρόνο. DocType: Item,"Example: ABCD.##### @@ -4482,6 +4525,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Ποσότητα καυσίμου apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile No DocType: Invoice Discounting,Disbursed,Εκταμιεύτηκε +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Ώρα μετά το τέλος της βάρδιας κατά την οποία το check-out θεωρείται για συμμετοχή. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Καθαρή μεταβολή στους πληρωτέους λογαριασμούς apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Μη διαθέσιμος apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Μερικής απασχόλησης @@ -4495,7 +4539,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Πιθα apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Εμφάνιση του PDC στην εκτύπωση apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Εξαγορά προμηθευτή DocType: POS Profile User,POS Profile User,Χρήστης προφίλ POS -DocType: Student,Middle Name,Μεσαίο όνομα DocType: Sales Person,Sales Person Name,Όνομα ατόμου πωλήσεων DocType: Packing Slip,Gross Weight,Μεικτό βάρος DocType: Journal Entry,Bill No,Αριθ. Λογαριασμού @@ -4504,7 +4547,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Νέ DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Συμφωνία σε επίπεδο υπηρεσιών -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Επιλέξτε πρώτα τον υπάλληλο και την ημερομηνία apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Ο συντελεστής αποτίμησης του στοιχείου υπολογίζεται εκ νέου λαμβάνοντας υπόψη το ποσό του κουπονιού κόστους εκφόρτωσης DocType: Timesheet,Employee Detail,Λεπτομέρειες εργαζομένων DocType: Tally Migration,Vouchers,Κουπόνια @@ -4539,7 +4581,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Συμφωνία DocType: Additional Salary,Date on which this component is applied,Ημερομηνία κατά την οποία εφαρμόζεται αυτό το στοιχείο apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Κατάλογος διαθέσιμων Μετόχων με αριθμούς folio apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Δημιουργία λογαριασμών πύλης. -DocType: Service Level,Response Time Period,Περίοδος απόκρισης +DocType: Service Level Priority,Response Time Period,Περίοδος απόκρισης DocType: Purchase Invoice,Purchase Taxes and Charges,Φόροι αγοράς και χρεώσεις DocType: Course Activity,Activity Date,Ημερομηνία δραστηριότητας apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Επιλέξτε ή προσθέστε νέο πελάτη @@ -4564,6 +4606,7 @@ DocType: Sales Person,Select company name first.,Επιλέξτε πρώτα τ apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Οικονομικό έτος DocType: Sales Invoice Item,Deferred Revenue,Αναβαλλόμενα έσοδα apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Πρέπει να επιλεγεί τουλάχιστον μία από τις πωλήσεις ή την αγορά +DocType: Shift Type,Working Hours Threshold for Half Day,Όριο ωρών εργασίας για μισή μέρα ,Item-wise Purchase History,Ιστορικό αγορών βάσει στοιχείων apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Δεν είναι δυνατή η αλλαγή της ημερομηνίας λήξης υπηρεσίας για στοιχείο στη σειρά {0} DocType: Production Plan,Include Subcontracted Items,Συμπεριλάβετε αντικείμενα με υπεργολαβία @@ -4596,6 +4639,7 @@ DocType: Journal Entry,Total Amount Currency,Συνολικό Ποσό Νόμι DocType: BOM,Allow Same Item Multiple Times,Επιτρέψτε στο ίδιο στοιχείο πολλαπλούς χρόνους apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Δημιουργία BOM DocType: Healthcare Practitioner,Charges,Ταρίφα +DocType: Employee,Attendance and Leave Details,Συμμετοχή και Αφήστε τις λεπτομέρειες DocType: Student,Personal Details,Προσωπικές λεπτομέρειες DocType: Sales Order,Billing and Delivery Status,Κατάσταση χρέωσης και παράδοσης apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Σειρά {0}: Για τον προμηθευτή {0} διεύθυνση ηλεκτρονικού ταχυδρομείου απαιτείται για την αποστολή μηνυμάτων ηλεκτρονικού ταχυδρομείου @@ -4647,7 +4691,6 @@ DocType: Bank Guarantee,Supplier,Προμηθευτής apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Εισαγάγετε αξία μεταξύ {0} και {1} DocType: Purchase Order,Order Confirmation Date,Ημερομηνία επιβεβαίωσης παραγγελίας DocType: Delivery Trip,Calculate Estimated Arrival Times,Υπολογίστε τους εκτιμώμενους χρόνους άφιξης -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Καταναλώσιμος DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Ημερομηνία Έναρξης Συνδρομής @@ -4670,7 +4713,7 @@ DocType: Installation Note Item,Installation Note Item,Σημείωση εγκα DocType: Journal Entry Account,Journal Entry Account,Λογαριασμός εισόδου στο ημερολόγιο apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Παραλαγή apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Δραστηριότητα Forum -DocType: Service Level,Resolution Time Period,Χρονική περίοδος ανάλυσης +DocType: Service Level Priority,Resolution Time Period,Χρονική περίοδος ανάλυσης DocType: Request for Quotation,Supplier Detail,Λεπτομέρεια προμηθευτή DocType: Project Task,View Task,Προβολή εργασίας DocType: Serial No,Purchase / Manufacture Details,Λεπτομέρειες αγοράς / κατασκευής @@ -4737,6 +4780,7 @@ DocType: Sales Invoice,Commission Rate (%),Ποσοστό της Επιτροπ DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Η αποθήκη μπορεί να αλλάξει μόνο μέσω του Παραστατικού Εισαγωγής / Παραλαβής / Παραλαβής Αγοράς DocType: Support Settings,Close Issue After Days,Κλείσιμο τεύχος μετά από ημέρες DocType: Payment Schedule,Payment Schedule,ΠΡΟΓΡΑΜΜΑ ΠΛΗΡΩΜΩΝ +DocType: Shift Type,Enable Entry Grace Period,Ενεργοποίηση περιόδου χάριτος εισόδου DocType: Patient Relation,Spouse,Σύζυγος DocType: Purchase Invoice,Reason For Putting On Hold,Λόγος για την αναμονή DocType: Item Attribute,Increment,Αύξηση @@ -4876,6 +4920,7 @@ DocType: Authorization Rule,Customer or Item,Πελάτη ή στοιχείο DocType: Vehicle Log,Invoice Ref,Τιμολόγιο Αναφ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Η φόρμα C δεν ισχύει για το Τιμολόγιο: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Δημιουργήθηκε τιμολόγιο +DocType: Shift Type,Early Exit Grace Period,Πρώτη περίοδος χάριτος εξόδου DocType: Patient Encounter,Review Details,Λεπτομέρειες αναθεώρησης apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Σειρά {0}: Η τιμή των ωρών πρέπει να είναι μεγαλύτερη από μηδέν. DocType: Account,Account Number,Αριθμός λογαριασμού @@ -4887,7 +4932,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Ισχύει εάν η εταιρεία είναι SpA, SApA ή SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Οι επικαλυπτόμενες συνθήκες βρέθηκαν μεταξύ: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Πληρωμή και μη παράδοση -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Ο κωδικός στοιχείου είναι υποχρεωτικός, επειδή το στοιχείο δεν αριθμείται αυτόματα" DocType: GST HSN Code,HSN Code,Κωδικός HSN DocType: GSTR 3B Report,September,Σεπτέμβριος apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Εξοδα διοικητικής λειτουργίας @@ -4923,6 +4967,8 @@ DocType: Travel Itinerary,Travel From,Ταξιδέψτε από apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Λογαριασμός CWIP DocType: SMS Log,Sender Name,Ονομα αποστολέα DocType: Pricing Rule,Supplier Group,Ομάδα προμηθευτών +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Ρυθμίστε την ώρα έναρξης και την ώρα λήξης για \ Ημέρα υποστήριξης {0} στο ευρετήριο {1}. DocType: Employee,Date of Issue,Ημερομηνία έκδοσης ,Requested Items To Be Transferred,Τα ζητούμενα στοιχεία που πρέπει να μεταφερθούν DocType: Employee,Contract End Date,Ημερομηνία λήξης της σύμβασης @@ -4933,6 +4979,7 @@ DocType: Healthcare Service Unit,Vacant,Κενός DocType: Opportunity,Sales Stage,Στάδιο πωλήσεων DocType: Sales Order,In Words will be visible once you save the Sales Order.,Οι λέξεις θα είναι ορατές μόλις αποθηκεύσετε την εντολή πωλήσεων. DocType: Item Reorder,Re-order Level,Επανατοποθετήστε το επίπεδο +DocType: Shift Type,Enable Auto Attendance,Ενεργοποίηση αυτόματης παρακολούθησης apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Προτίμηση ,Department Analytics,Τμήμα Analytics DocType: Crop,Scientific Name,Επιστημονικό όνομα @@ -4945,6 +4992,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},Η κατάσταση DocType: Quiz Activity,Quiz Activity,Δραστηριότητα κουίζ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,Το {0} δεν είναι σε έγκυρη περίοδο μισθοδοσίας DocType: Timesheet,Billed,Χρεώνεται +apps/erpnext/erpnext/config/support.py,Issue Type.,Τύπος έκδοσης. DocType: Restaurant Order Entry,Last Sales Invoice,Τελευταίο τιμολόγιο πωλήσεων DocType: Payment Terms Template,Payment Terms,Οροι πληρωμής apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Δεσμευμένο Ποσότητα: Ποσότητα που παραγγέλθηκε για πώληση, αλλά δεν παραδόθηκε." @@ -5040,6 +5088,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Περιουσιακό στοιχείο apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,Το {0} δεν διαθέτει Πρόγραμμα Παροχής Ιατροφαρμακευτικής περίθαλψης. Προσθέστε το στο Master of Healthcare Practitioner DocType: Vehicle,Chassis No,Αριθμός πλαισίου +DocType: Employee,Default Shift,Προεπιλεγμένη μετατόπιση apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Σύντμηση εταιρείας apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Δέντρο του καταλόγου των υλικών DocType: Article,LMS User,Χρήστης LMS @@ -5088,6 +5137,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Γονικό άτομο πωλήσεων DocType: Student Group Creation Tool,Get Courses,Πάρτε Μαθήματα apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Γραμμή # {0}: Η ποσότητα πρέπει να είναι 1, καθώς το στοιχείο είναι ένα πάγιο στοιχείο. Παρακαλούμε χρησιμοποιήστε ξεχωριστή σειρά για πολλαπλές ποσότητες." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Ώρες εργασίας κάτω από τις οποίες σημειώνεται η απουσία. (Μηδέν για απενεργοποίηση) DocType: Customer Group,Only leaf nodes are allowed in transaction,Μόνο οι κόμβοι φύλλων επιτρέπονται στη συναλλαγή DocType: Grant Application,Organization,Οργάνωση DocType: Fee Category,Fee Category,Κατηγορία κατηγοριών @@ -5100,6 +5150,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Ενημερώστε την κατάστασή σας για αυτό το εκπαιδευτικό γεγονός DocType: Volunteer,Morning,Πρωί DocType: Quotation Item,Quotation Item,Στοιχείο προσφοράς +apps/erpnext/erpnext/config/support.py,Issue Priority.,Προτεραιότητα έκδοσης. DocType: Journal Entry,Credit Card Entry,Εισαγωγή Πιστωτικής Κάρτας apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Η χρονική θέση ξεπεράστηκε, η υποδοχή {0} έως {1} επικαλύπτει την υπάρχουσα υποδοχή {2} έως {3}" DocType: Journal Entry Account,If Income or Expense,Αν εισόδημα ή δαπάνη @@ -5150,11 +5201,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Εισαγωγή δεδομένων και ρυθμίσεις 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: Account,Expense Account,Λογαριασμός εξόδών +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Ο χρόνος πριν από την ώρα έναρξης της αλλαγής ταχυτήτων κατά τη διάρκεια της οποίας εξετάζεται η συμμετοχή του υπαλλήλου για συμμετοχή. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Σχέση με τον Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Δημιουργία τιμολογίου apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Η αίτηση πληρωμής υπάρχει ήδη {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Ο υπάλληλος που ανακουφίστηκε στο {0} πρέπει να οριστεί ως "αριστερά" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Πληρώστε {0} {1} +DocType: Company,Sales Settings,Ρυθμίσεις πωλήσεων DocType: Sales Order Item,Produced Quantity,Παραγόμενη ποσότητα apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Μπορείτε να έχετε πρόσβαση στην αίτηση για προσφορά κάνοντας κλικ στον παρακάτω σύνδεσμο DocType: Monthly Distribution,Name of the Monthly Distribution,Όνομα μηνιαίας διανομής @@ -5233,6 +5286,7 @@ DocType: Company,Default Values,Προεπιλεγμένες τιμές apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Προεπιλεγμένα πρότυπα φόρου για τις πωλήσεις και την αγορά δημιουργούνται. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Ο τύπος άδειας {0} δεν μπορεί να μεταφερθεί apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Χρεωστικός λογαριασμός πρέπει να είναι λογαριασμός απαιτήσεων +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Ορίστε τον λογαριασμό στην αποθήκη {0} ή τον προεπιλεγμένο λογαριασμό αποθέματος στην εταιρεία {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Ορίσετε ως προεπιλογή DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Το καθαρό βάρος αυτού του πακέτου. (που υπολογίζεται αυτόματα ως άθροισμα του καθαρού βάρους των ειδών) @@ -5259,8 +5313,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Έληξε παρτίδες DocType: Shipping Rule,Shipping Rule Type,Τύπος κανόνα αποστολής DocType: Job Offer,Accepted,Αποδεκτό -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Διαγράψτε τον υπάλληλο {0} \ για να ακυρώσετε αυτό το έγγραφο" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Έχετε ήδη αξιολογήσει τα κριτήρια αξιολόγησης {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Επιλέξτε αριθμούς παρτίδας apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Ηλικία (ημέρες) @@ -5287,6 +5339,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Επιλέξτε τους τομείς σας DocType: Agriculture Task,Task Name,Ονομα εργασίας apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Καταχωρήσεις αποθέματος που έχουν ήδη δημιουργηθεί για παραγγελία εργασίας +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Διαγράψτε τον υπάλληλο {0} \ για να ακυρώσετε αυτό το έγγραφο" ,Amount to Deliver,Ποσό προς παράδοση apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Η εταιρεία {0} δεν υπάρχει apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Δεν εκκρεμούσαν αιτήσεις υλικού που βρέθηκαν να συνδέονται για τα συγκεκριμένα στοιχεία. @@ -5336,6 +5390,7 @@ DocType: Program Enrollment,Enrolled courses,Εγγραφές μαθημάτων DocType: Lab Prescription,Test Code,Κωδικός δοκιμής DocType: Purchase Taxes and Charges,On Previous Row Total,Στο προηγούμενο σύνολο γραμμών DocType: Student,Student Email Address,Διεύθυνση ηλεκτρονικού ταχυδρομείου σπουδαστών +,Delayed Item Report,Αναφορά καθυστερημένου στοιχείου DocType: Academic Term,Education,Εκπαίδευση DocType: Supplier Quotation,Supplier Address,Διεύθυνση προμηθευτή DocType: Salary Detail,Do not include in total,Μην συμπεριλάβετε συνολικά @@ -5343,7 +5398,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} δεν υπάρχει DocType: Purchase Receipt Item,Rejected Quantity,Απόρριψη ποσότητας DocType: Cashier Closing,To TIme,Για το TIme -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: Daily Work Summary Group User,Daily Work Summary Group User,Καθημερινός χρήστης ομάδας σύνοψης εργασίας DocType: Fiscal Year Company,Fiscal Year Company,Εταιρεία οικονομικών ετών apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Το εναλλακτικό στοιχείο δεν πρέπει να είναι ίδιο με τον κωδικό είδους @@ -5395,6 +5449,7 @@ DocType: Program Fee,Program Fee,Προμήθεια προγράμματος DocType: Delivery Settings,Delay between Delivery Stops,Καθυστέρηση μεταξύ των σταθμών παράδοσης DocType: Stock Settings,Freeze Stocks Older Than [Days],Παγώστε τα αποθέματα παλαιότερα από [ημέρες] DocType: Promotional Scheme,Promotional Scheme Product Discount,Προγράμματα προώθησης προϊόντων Έκπτωση προϊόντος +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Η προτεραιότητα ζήτησης υπάρχει ήδη DocType: Account,Asset Received But Not Billed,Ενεργητικό που λαμβάνεται αλλά δεν χρεώνεται DocType: POS Closing Voucher,Total Collected Amount,Συνολικό ποσό που έχει συγκεντρωθεί DocType: Course,Default Grading Scale,Προεπιλεγμένη κλίμακα ταξινόμησης @@ -5437,6 +5492,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Όροι εκπλήρωσης apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Ομάδα εκτός Ομάδας DocType: Student Guardian,Mother,Μητέρα +DocType: Issue,Service Level Agreement Fulfilled,Συμφωνία επιπέδου υπηρεσιών που εκπληρώθηκε DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Αποκτήστε φόρο για μη ζητηθέντα οφέλη εργαζομένων DocType: Travel Request,Travel Funding,Ταξιδιωτική χρηματοδότηση DocType: Shipping Rule,Fixed,Σταθερός @@ -5466,10 +5522,12 @@ DocType: Item,Warranty Period (in days),Περίοδος εγγύησης (σε apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Δεν βρέθηκαν αντικείμενα. DocType: Item Attribute,From Range,Από την περιοχή DocType: Clinical Procedure,Consumables,Αναλώσιμα +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' και 'timestamp' απαιτείται. DocType: Purchase Taxes and Charges,Reference Row #,Γραμμή αναφοράς # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Ορίστε το Κέντρο κόστους απομείωσης περιουσιακών στοιχείων στην εταιρεία {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Γραμμή # {0}: Απαιτείται το έγγραφο πληρωμής για την ολοκλήρωση της συναλλαγής DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Κάντε κλικ σε αυτό το κουμπί για να τραβήξετε τα στοιχεία της Παραγγελίας Πωλήσεων από το Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Οι ώρες εργασίας κάτω από τις οποίες σημειώνεται η Μισή Ημέρα. (Μηδέν για απενεργοποίηση) ,Assessment Plan Status,Κατάσταση προγράμματος αξιολόγησης apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Επιλέξτε πρώτα {0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Υποβάλετε αυτό το αρχείο για να δημιουργήσετε την εγγραφή του υπαλλήλου @@ -5540,6 +5598,7 @@ DocType: Quality Procedure,Parent Procedure,Διαδικασία γονέων apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Ορίστε Άνοιγμα apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Εναλλαγή φίλτρων DocType: Production Plan,Material Request Detail,Λεπτομέρειες αιτήματος υλικού +DocType: Shift Type,Process Attendance After,Διαδικασία παρακολούθησης μετά DocType: Material Request Item,Quantity and Warehouse,Ποσότητα και αποθήκη apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Μεταβείτε στα Προγράμματα apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Σειρά # {0}: Διπλότυπη καταχώρηση στις Αναφορές {1} {2} @@ -5597,6 +5656,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Πληροφορίες για τα κόμματα apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Χρεώστες ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Μέχρι σήμερα δεν μπορεί να είναι μεγαλύτερη από την ημερομηνία ανακούφισης των εργαζομένων +DocType: Shift Type,Enable Exit Grace Period,Ενεργοποίηση περιόδου εξόδου χάριτος DocType: Expense Claim,Employees Email Id,Κωδ DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Ενημέρωση τιμής από το Shopify έως το ERPNext Τιμοκατάλογος DocType: Healthcare Settings,Default Medical Code Standard,Προεπιλεγμένος πρότυπος ιατρικός κώδικας @@ -5627,7 +5687,6 @@ DocType: Item Group,Item Group Name,Όνομα ομάδας στοιχείων DocType: Budget,Applicable on Material Request,Ισχύει για Αίτηση υλικού DocType: Support Settings,Search APIs,API αναζήτησης DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Ποσοστό υπερπαραγωγής για εντολή πωλήσεων -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,ΠΡΟΔΙΑΓΡΑΦΕΣ DocType: Purchase Invoice,Supplied Items,Παροχή αντικειμένων DocType: Leave Control Panel,Select Employees,Επιλέξτε Υπάλληλοι apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Επιλέξτε το λογαριασμό εσόδων από τόκους στο δάνειο {0} @@ -5653,7 +5712,7 @@ DocType: Salary Slip,Deductions,Κρατήσεις ,Supplier-Wise Sales Analytics,Προμηθευτής-Wise Analytics Sales DocType: GSTR 3B Report,February,Φεβρουάριος DocType: Appraisal,For Employee,Για τον υπάλληλο -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Πραγματική ημερομηνία παράδοσης +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Πραγματική ημερομηνία παράδοσης DocType: Sales Partner,Sales Partner Name,Όνομα συνεργάτη πωλήσεων apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Γραμμή απόσβεσης {0}: Η ημερομηνία έναρξης απόσβεσης καταχωρείται ως ημερομηνία λήξης DocType: GST HSN Code,Regional,Περιφερειακό @@ -5692,6 +5751,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Τ DocType: Supplier Scorecard,Supplier Scorecard,Βαθμολογία προμηθευτή DocType: Travel Itinerary,Travel To,Ταξιδεύω στο apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Μαρτυρία Συμμετοχής +DocType: Shift Type,Determine Check-in and Check-out,Προσδιορίστε το Check-in και Check-out DocType: POS Closing Voucher,Difference,Διαφορά apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Μικρό DocType: Work Order Item,Work Order Item,Στοιχείο Παραγγελίας Εργασίας @@ -5725,6 +5785,7 @@ DocType: Sales Invoice,Shipping Address Name,Όνομα διεύθυνσης α apps/erpnext/erpnext/healthcare/setup.py,Drug,Φάρμακο apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} είναι κλειστό DocType: Patient,Medical History,Ιατρικό ιστορικό +DocType: Expense Claim,Expense Taxes and Charges,Φόροι και χρεώσεις εξόδων DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Ο αριθμός ημερών μετά την παρέλευση της ημερομηνίας λήξης του τιμολογίου πριν την ακύρωση της συνδρομής ή της εγγραφής της εγγραφής ως μη καταβληθείσας apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Η σημείωση εγκατάστασης {0} έχει ήδη υποβληθεί DocType: Patient Relation,Family,Οικογένεια @@ -5757,7 +5818,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Δύναμη apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} μονάδες {1} που χρειάζονται στο {2} για να ολοκληρωθεί αυτή η συναλλαγή. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush Πρώτες ύλες της υπεργολαβίας με βάση -DocType: Bank Guarantee,Customer,Πελάτης DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Αν είναι ενεργοποιημένη, ο τομέας Ακαδημαϊκός όρος θα είναι υποχρεωτικός στο εργαλείο εγγραφής προγραμμάτων." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Για την Ομάδα Φοιτητών με Βάση Δεδομένων, η Παρτίδα Φοιτητών θα επικυρωθεί για κάθε Φοιτητή από την Εγγραφή του Προγράμματος." DocType: Course,Topics,Θέματα @@ -5837,6 +5897,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Κεφάλαιο Μέλη DocType: Warranty Claim,Service Address,Διεύθυνση υπηρεσίας DocType: Journal Entry,Remark,Παρατήρηση +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Σειρά {0}: Η ποσότητα δεν είναι διαθέσιμη για {4} στην αποθήκη {1} κατά την ώρα αποστολής της καταχώρισης ({2} {3}) DocType: Patient Encounter,Encounter Time,Ώρα συνάντησης DocType: Serial No,Invoice Details,Λεπτομέρειες τιμολογίου apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Μπορούν να γίνουν και άλλοι λογαριασμοί κάτω από τους Ομάδες, αλλά μπορούν να γίνουν καταχωρίσεις σε μη Ομάδες" @@ -5917,6 +5978,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Κλείσιμο (Άνοιγμα + Σύνολο) DocType: Supplier Scorecard Criteria,Criteria Formula,Κριτήρια Φόρμουλα apps/erpnext/erpnext/config/support.py,Support Analytics,Υποστήριξη Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Αναγνωριστικό συσκευής παρακολούθησης (αναγνωριστικό βιομετρικής ετικέτας / RF) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Ανασκόπηση και δράση DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Εάν ο λογαριασμός είναι παγωμένος, οι καταχωρήσεις επιτρέπονται σε περιορισμένους χρήστες." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Ποσό μετά από αποσβέσεις @@ -5938,6 +6000,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Αποπληρωμή δανείου DocType: Employee Education,Major/Optional Subjects,Κύρια / Προαιρετικά Θέματα DocType: Soil Texture,Silt,Λάσπη +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Διευθύνσεις προμηθευτών και επαφές DocType: Bank Guarantee,Bank Guarantee Type,Είδος τραπεζικής εγγύησης DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Εάν απενεργοποιηθεί, το πεδίο "Στρογγυλεμένο Σύνολο" δεν θα είναι ορατό σε καμία συναλλαγή" DocType: Pricing Rule,Min Amt,Min Amt @@ -5976,6 +6039,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Άνοιγμα στοιχείου εργαλείου δημιουργίας τιμολογίου DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / Κ DocType: Bank Reconciliation,Include POS Transactions,Συμπεριλάβετε τις συναλλαγές POS +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Κανένας υπάλληλος δεν βρέθηκε για την δεδομένη αξία τομέα των εργαζομένων. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Ποσό που ελήφθη (νόμισμα της εταιρείας) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Το LocalStorage είναι πλήρες, δεν το έσωσε" DocType: Chapter Member,Chapter Member,Μέλος του κεφαλαίου @@ -6008,6 +6072,7 @@ DocType: SMS Center,All Lead (Open),Όλα τα μόλυβδο (ανοικτά) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Δεν δημιουργήθηκαν ομάδες σπουδαστών. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Διπλή σειρά {0} με ίδια {1} DocType: Employee,Salary Details,Λεπτομέρειες μισθοδοσίας +DocType: Employee Checkin,Exit Grace Period Consequence,Περίοδος περιόδου χάριτος εξόδου DocType: Bank Statement Transaction Invoice Item,Invoice,Τιμολόγιο DocType: Special Test Items,Particulars,Λεπτομέρειες apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Ρυθμίστε το φίλτρο βάσει στοιχείου ή αποθήκης @@ -6109,6 +6174,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Από το AMC DocType: Job Opening,"Job profile, qualifications required etc.","Προφίλ εργασίας, απαιτούμενα προσόντα κ.λπ." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Πλοίο προς κράτος +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Θέλετε να υποβάλετε το αίτημα υλικού DocType: Opportunity Item,Basic Rate,Βασική τιμή DocType: Compensatory Leave Request,Work End Date,Ημερομηνία λήξης εργασίας apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Αίτηση για Πρώτες Ύλες @@ -6294,6 +6360,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Ποσό αποσβέσεων DocType: Sales Order Item,Gross Profit,Μικτό κέρδος DocType: Quality Inspection,Item Serial No,Στοιχείο Σειριακός αριθμός DocType: Asset,Insurer,Ασφαλιστικός φορέας +DocType: Employee Checkin,OUT,ΕΞΩ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Ποσό αγοράς DocType: Asset Maintenance Task,Certificate Required,Απαιτείται πιστοποιητικό DocType: Retention Bonus,Retention Bonus,Μπόνους διατήρησης @@ -6409,6 +6476,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Ποσό Διαφο DocType: Invoice Discounting,Sanctioned,Καθιερωμένος DocType: Course Enrollment,Course Enrollment,Εγγραφή μαθήματος DocType: Item,Supplier Items,Στοιχεία προμηθευτή +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Η ώρα έναρξης δεν μπορεί να είναι μεγαλύτερη ή ίση με την ώρα λήξης \ για {0}. DocType: Sales Order,Not Applicable,Δεν εφαρμόζεται DocType: Support Search Source,Response Options,Επιλογές απόκρισης apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} θα πρέπει να είναι μια τιμή μεταξύ 0 και 100 @@ -6495,7 +6564,6 @@ DocType: Travel Request,Costing,Κοστολόγηση apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Πάγιο ενεργητικό DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Συνολικά κέρδη -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια DocType: Share Balance,From No,Από τον αριθμό DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Τιμολόγιο Συμφιλίωσης Πληρωμών DocType: Purchase Invoice,Taxes and Charges Added,Φόροι και χρεώσεις προστέθηκαν @@ -6603,6 +6671,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Αγνόηση του κανόνα τιμολόγησης apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Φαγητό DocType: Lost Reason Detail,Lost Reason Detail,Χαμένος Λεπτομέρεια Λόγου +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Οι ακόλουθοι σειριακοί αριθμοί δημιουργήθηκαν:
{0} DocType: Maintenance Visit,Customer Feedback,Σχόλια Πελατών DocType: Serial No,Warranty / AMC Details,Λεπτομέρειες εγγύησης / AMC DocType: Issue,Opening Time,Ωρα ανοιγματος @@ -6652,6 +6721,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Το όνομα της εταιρείας δεν είναι το ίδιο apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Η Προώθηση Προσωπικού δεν μπορεί να υποβληθεί πριν από την Ημερομηνία Προβολής apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Δεν επιτρέπεται η ενημέρωση συναλλαγών αποθεμάτων μεγαλύτερων από {0} +DocType: Employee Checkin,Employee Checkin,Έλεγχος προσωπικού apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Η ημερομηνία έναρξης θα πρέπει να είναι μικρότερη από την ημερομηνία λήξης για το στοιχείο {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Δημιουργήστε προσφορές πελατών DocType: Buying Settings,Buying Settings,Ρυθμίσεις αγοράς @@ -6673,6 +6743,7 @@ DocType: Job Card Time Log,Job Card Time Log,Κάρτα χρόνου εργασ DocType: Patient,Patient Demographics,Δημογραφικά στοιχεία ασθενών DocType: Share Transfer,To Folio No,Στο No Folio apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Ταμειακή ροή από πράξεις +DocType: Employee Checkin,Log Type,Τύπος αρχείου καταγραφής DocType: Stock Settings,Allow Negative Stock,Επιτρέψτε το αρνητικό απόθεμα apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Κανένα από τα στοιχεία δεν έχει καμία αλλαγή στην ποσότητα ή την αξία. DocType: Asset,Purchase Date,Ημερομηνία αγοράς @@ -6717,6 +6788,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Πολύ Hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Επιλέξτε τη φύση της επιχείρησής σας. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Επιλέξτε μήνα και έτος +DocType: Service Level,Default Priority,Προεπιλεγμένη προτεραιότητα DocType: Student Log,Student Log,Εγγραφή μαθητών DocType: Shopping Cart Settings,Enable Checkout,Ενεργοποίηση Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Ανθρώπινο δυναμικό @@ -6745,7 +6817,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Συνδέστε το Shopify με το ERPNext DocType: Homepage Section Card,Subtitle,Υπότιτλος DocType: Soil Texture,Loam,Παχύ χώμα -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή DocType: BOM,Scrap Material Cost(Company Currency),Κόστος παλαιοσιδήρου (νόμισμα εταιρείας) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Δεν πρέπει να υποβληθεί η παραλαβή {0} DocType: Task,Actual Start Date (via Time Sheet),Ημερομηνία πραγματικής έναρξης (μέσω του φύλλου εργασίας) @@ -6801,6 +6872,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Δοσολογία DocType: Cheque Print Template,Starting position from top edge,Θέση εκκίνησης από την πάνω άκρη apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Διάρκεια Συνάντησης (λεπτά) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Αυτός ο υπάλληλος έχει ήδη ένα αρχείο καταγραφής με την ίδια χρονική σήμανση. {0} DocType: Accounting Dimension,Disable,Καθιστώ ανίκανο DocType: Email Digest,Purchase Orders to Receive,Παραγγελίες αγοράς για λήψη apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Οι παραγγελίες παραγωγής δεν μπορούν να δημιουργηθούν για: @@ -6816,7 +6888,6 @@ DocType: Production Plan,Material Requests,Αιτήματα υλικού DocType: Buying Settings,Material Transferred for Subcontract,Μεταφερόμενο υλικό για υπεργολαβία DocType: Job Card,Timing Detail,Λεπτομέρειες συγχρονισμού apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Απαιτείται ενεργοποιημένη -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Εισαγωγή {0} από {1} DocType: Job Offer Term,Job Offer Term,Περίοδος προσφοράς εργασίας DocType: SMS Center,All Contact,Όλες οι επαφές DocType: Project Task,Project Task,Εργασία έργου @@ -6867,7 +6938,6 @@ DocType: Student Log,Academic,Ακαδημαϊκός apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Το στοιχείο {0} δεν έχει ρυθμιστεί για τους σειριακούς αριθμούς apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Από το κράτος DocType: Leave Type,Maximum Continuous Days Applicable,Ισχύουν οι μέγιστες συνεχείς ημέρες -apps/erpnext/erpnext/config/support.py,Support Team.,Ομάδα υποστήριξης. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Εισαγάγετε πρώτα το όνομα της εταιρείας apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Εισαγωγή επιτυχής DocType: Guardian,Alternate Number,Αναπληρωματικός αριθμός @@ -6959,6 +7029,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Σειρά # {0}: Προστέθηκε στοιχείο DocType: Student Admission,Eligibility and Details,Επιλεξιμότητα και Λεπτομέρειες DocType: Staffing Plan,Staffing Plan Detail,Λεπτομέρειες σχεδίου προσωπικού +DocType: Shift Type,Late Entry Grace Period,Ύστερη περίοδος χάριτος εισόδου DocType: Email Digest,Annual Income,Ετήσιο εισόδημα DocType: Journal Entry,Subscription Section,Τμήμα συνδρομής DocType: Salary Slip,Payment Days,Ημέρες πληρωμής @@ -7009,6 +7080,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Υπόλοιπο λογαριασμού DocType: Asset Maintenance Log,Periodicity,Περιοδικότης apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Ιατρικό αρχείο +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Απαιτείται τύπος καταγραφής για τα check-in που εμπίπτουν στην αλλαγή: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Εκτέλεση DocType: Item,Valuation Method,Μέθοδος αποτίμησης apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} έναντι Τιμολογίου Πωλήσεων {1} @@ -7093,6 +7165,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Εκτιμώμενο DocType: Loan Type,Loan Name,Όνομα δανείου apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Ορίστε την προεπιλεγμένη μέθοδο πληρωμής DocType: Quality Goal,Revision,Αναθεώρηση +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Ο χρόνος πριν από τη λήξη της διαδρομής όταν το check-out θεωρείται νωρίς (σε λεπτά). DocType: Healthcare Service Unit,Service Unit Type,Τύπος μονάδας υπηρεσίας DocType: Purchase Invoice,Return Against Purchase Invoice,Επιστροφή κατά του τιμολογίου αγοράς apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Δημιουργία μυστικού @@ -7248,12 +7321,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Καλλυντικά DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Ελέγξτε αν θέλετε να αναγκάσετε τον χρήστη να επιλέξει μια σειρά πριν από την αποθήκευση. Δεν θα υπάρξει προεπιλογή αν το κάνετε αυτό. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Οι χρήστες με αυτόν τον ρόλο επιτρέπεται να ορίσουν δεσμευμένους λογαριασμούς και να δημιουργήσουν / τροποποιήσουν τις καταχωρήσεις λογιστικής έναντι των δεσμευμένων λογαριασμών +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα DocType: Expense Claim,Total Claimed Amount,Συνολικό Ποσό Απαιτήσεων 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} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Τυλίγοντας apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Μπορείτε να το ανανεώσετε μόνο αν λήξει η ιδιότητά σας εντός 30 ημερών apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Η τιμή πρέπει να είναι μεταξύ {0} και {1} DocType: Quality Feedback,Parameters,Παράμετροι +DocType: Shift Type,Auto Attendance Settings,Ρυθμίσεις αυτόματης παρακολούθησης ,Sales Partner Transaction Summary,Περίληψη συναλλαγών συνεργάτη πωλήσεων DocType: Asset Maintenance,Maintenance Manager Name,Όνομα διαχειριστή συντήρησης apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Απαιτείται η λήψη στοιχείων στοιχείου. @@ -7345,10 +7420,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Επικύρωση του εφαρμοσμένου κανόνα DocType: Job Card Item,Job Card Item,Στοιχείο κάρτας εργασίας DocType: Homepage,Company Tagline for website homepage,Γραμμή Εταιρείας για την αρχική σελίδα του ιστότοπου +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Ορίστε το χρόνο απόκρισης και την ανάλυση για την προτεραιότητα {0} στο ευρετήριο {1}. DocType: Company,Round Off Cost Center,Γύρω από το κέντρο κόστους DocType: Supplier Scorecard Criteria,Criteria Weight,Κριτήρια Βάρος DocType: Asset,Depreciation Schedules,Προγράμματα αποσβέσεων -DocType: Expense Claim Detail,Claim Amount,Ποσό απαιτήσεων DocType: Subscription,Discounts,Εκπτώσεις DocType: Shipping Rule,Shipping Rule Conditions,Προϋποθέσεις Κανονισμού αποστολής DocType: Subscription,Cancelation Date,Ημερομηνία ακύρωσης @@ -7376,7 +7451,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Δημιουργία L apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Εμφάνιση μηδενικών τιμών DocType: Employee Onboarding,Employee Onboarding,Υπάλληλος επιβίβασης DocType: POS Closing Voucher,Period End Date,Ημερομηνία λήξης περιόδου -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Ευκαιρίες πωλήσεων ανά πηγή DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Η πρώτη προσέγγιση προσέγγισης αδείας στη λίστα θα οριστεί ως η προεπιλεγμένη άδεια προσέγγισης αδείας. DocType: POS Settings,POS Settings,Ρυθμίσεις POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Όλοι οι λογαριασμοί @@ -7397,7 +7471,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Τρά apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Σειρά # {0}: Η τιμή πρέπει να είναι ίδια με {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Στοιχεία Υπηρεσίας Υγείας -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Δεν βρέθηκαν καταγραφές apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Εύρος γήρανσης 3 DocType: Vital Signs,Blood Pressure,Πίεση αίματος apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Στοχεύστε @@ -7444,6 +7517,7 @@ DocType: Company,Existing Company,Υπάρχουσα εταιρεία apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Παρτίδες apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Αμυνα DocType: Item,Has Batch No,Έχει παρτίδα αριθ +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Καθυστερημένες ημέρες DocType: Lead,Person Name,Όνομα ατόμου DocType: Item Variant,Item Variant,Παραλλαγή στοιχείου DocType: Training Event Employee,Invited,Καλεσμένος @@ -7465,7 +7539,7 @@ DocType: Purchase Order,To Receive and Bill,Για να λάβετε και να apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Οι ημερομηνίες έναρξης και λήξης που δεν ισχύουν σε μια έγκυρη περίοδο μισθοδοσίας, δεν μπορούν να υπολογίσουν το {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Να εμφανίζεται μόνο ο Πελάτης αυτών των Ομάδων Πελατών apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Επιλέξτε στοιχεία για να αποθηκεύσετε το τιμολόγιο -DocType: Service Level,Resolution Time,Χρόνος ανάλυσης +DocType: Service Level Priority,Resolution Time,Χρόνος ανάλυσης DocType: Grading Scale Interval,Grade Description,Βαθμός Περιγραφή DocType: Homepage Section,Cards,Καρτέλλες DocType: Quality Meeting Minutes,Quality Meeting Minutes,Πρακτικά πρακτικά συνάντησης @@ -7492,6 +7566,7 @@ DocType: Project,Gross Margin %,Μικτό περιθώριο κέρδους % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Ισοζύγιο Τραπεζικής Κατάστασης σύμφωνα με το Γενικό Λογιστήριο apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Υγειονομική περίθαλψη (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Προεπιλεγμένη αποθήκη για να δημιουργήσετε μια παραγγελία πώλησης και μια παραλαβή +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Ο χρόνος απόκρισης για {0} στο ευρετήριο {1} δεν μπορεί να είναι μεγαλύτερος από τον Χρόνο ανάλυσης. DocType: Opportunity,Customer / Lead Name,Πελάτης / Επικεφαλής όνομα DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Ανεπιθύμητο ποσό @@ -7538,7 +7613,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Εισαγωγή μερών και διευθύνσεων DocType: Item,List this Item in multiple groups on the website.,Καταχωρίστε αυτό το στοιχείο σε πολλές ομάδες στον ιστότοπο. DocType: Request for Quotation,Message for Supplier,Μήνυμα για τον προμηθευτή -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Δεν είναι δυνατή η αλλαγή του στοιχείου {0} καθώς υπάρχει συναλλαγή στο Χρηματιστήριο για το στοιχείο {1}. DocType: Healthcare Practitioner,Phone (R),Τηλέφωνο (R) DocType: Maintenance Team Member,Team Member,Μέλος της ομάδας DocType: Asset Category Account,Asset Category Account,Λογαριασμός κατηγορίας περιουσιακών στοιχείων diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv index eceab13a33..712fdab200 100644 --- a/erpnext/translations/es.csv +++ b/erpnext/translations/es.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Fecha de inicio del término apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Cita {0} y factura de ventas {1} cancelada DocType: Purchase Receipt,Vehicle Number,Número de vehículo apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Tu correo electrónico... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Incluir entradas de libros predeterminadas +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Incluir entradas de libros predeterminadas DocType: Activity Cost,Activity Type,Tipo de actividad DocType: Purchase Invoice,Get Advances Paid,Obtener Avances Pagados DocType: Company,Gain/Loss Account on Asset Disposal,Cuenta de ganancias / pérdidas en la disposición de activos @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,¿Qué hace? DocType: Bank Reconciliation,Payment Entries,Entradas de pago DocType: Employee Education,Class / Percentage,Clase / Porcentaje ,Electronic Invoice Register,Registro de factura electrónica +DocType: Shift Type,The number of occurrence after which the consequence is executed.,El número de ocurrencia después de la cual se ejecuta la consecuencia. DocType: Sales Invoice,Is Return (Credit Note),Es Retorno (Nota De Crédito) +DocType: Price List,Price Not UOM Dependent,Precio no dependiente de la UOM DocType: Lab Test Sample,Lab Test Sample,Muestra de prueba de laboratorio DocType: Shopify Settings,status html,estado html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Por ejemplo, 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Búsqueda de Pro DocType: Salary Slip,Net Pay,Salario neto apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Cantidad Total Facturada DocType: Clinical Procedure,Consumables Invoice Separately,Factura de consumibles por separado +DocType: Shift Type,Working Hours Threshold for Absent,Umbral de horas de trabajo para ausente DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},El presupuesto no se puede asignar a la cuenta de grupo {0} DocType: Purchase Receipt Item,Rate and Amount,Tarifa y Cantidad @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Establecer fuente de almacén DocType: Healthcare Settings,Out Patient Settings,Fuera de la configuración del paciente DocType: Asset,Insurance End Date,Fecha de finalización del seguro DocType: Bank Account,Branch Code,Código de sucursal -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Tiempo para responder apps/erpnext/erpnext/public/js/conf.js,User Forum,Foro de usuarios DocType: Landed Cost Item,Landed Cost Item,Artículo de coste de aterrizaje 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 los mismos. @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Propietario principal DocType: Share Transfer,Transfer,Transferir apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Buscar elemento (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Resultado enviado +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Desde fecha no puede ser mayor que Hasta fecha DocType: Supplier,Supplier of Goods or Services.,Proveedor de Bienes o Servicios. 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 cree cuentas para clientes y proveedores." apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,El grupo de estudiantes o el horario del curso es obligatorio @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Base de dato DocType: Skill,Skill Name,nombre de la habilidad apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Imprimir la tarjeta de informe DocType: Soil Texture,Ternary Plot,Parcela ternaria -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configure la serie de nombres para {0} a través de Configuración> Configuración> Series de nombres apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Entradas de apoyo DocType: Asset Category Account,Fixed Asset Account,Cuenta de Activos Fijos apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Último @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Distancia UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligatorio para el balance DocType: Payment Entry,Total Allocated Amount,Cantidad total asignada DocType: Sales Invoice,Get Advances Received,Obtener los anticipos recibidos +DocType: Shift Type,Last Sync of Checkin,Última sincronización de registro DocType: Student,B-,SEGUNDO- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Artículo Cantidad de impuestos incluida en el valor apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Plan de suscripción DocType: Student,Blood Group,Grupo sanguíneo apps/erpnext/erpnext/config/healthcare.py,Masters,Maestros DocType: Crop,Crop Spacing UOM,Espaciado de cultivos UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,El tiempo después de la hora de inicio del turno cuando el check-in se considera tarde (en minutos). apps/erpnext/erpnext/templates/pages/home.html,Explore,Explorar +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,No se han encontrado facturas pendientes. apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",Las vacantes de {0} y el presupuesto de {1} para {2} ya se planificaron para las compañías subsidiarias de {3}. \ Solo puede planificar hasta {4} vacantes y un presupuesto {5} según el plan de personal {6} para la empresa matriz {3}. DocType: Promotional Scheme,Product Discount Slabs,Descuento de producto losas @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Solicitud de asistencia DocType: Item,Moving Average,Media móvil DocType: Employee Attendance Tool,Unmarked Attendance,Asistencia sin marcar DocType: Homepage Section,Number of Columns,Número de columnas +DocType: Issue Priority,Issue Priority,Prioridad de emisión DocType: Holiday List,Add Weekly Holidays,Añadir vacaciones semanales DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Crear un Salario @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Valor / Descripción DocType: Warranty Claim,Issue Date,Fecha de asunto 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,Por favor seleccione un lote para el artículo {0}. No se puede encontrar un solo lote que cumpla con este requisito apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,No se puede crear un bono de retención para los empleados de la izquierda +DocType: Employee Checkin,Location / Device ID,Ubicación / ID del dispositivo DocType: Purchase Order,To Receive,Para recibir apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Estás en modo fuera de línea. No podrás recargar hasta que tengas red. DocType: Course Activity,Enrollment,Inscripción @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Plantilla de prueba de laboratorio apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Falta información de facturación electrónica apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,No se ha creado ninguna solicitud de material. -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código del artículo> Grupo de artículos> Marca DocType: Loan,Total Amount Paid,Cantidad total pagada apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Todos estos artículos ya han sido facturados. DocType: Training Event,Trainer Name,Nombre del entrenador @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Por favor, mencione el nombre principal en plomo {0}" DocType: Employee,You can enter any date manually,Puedes ingresar cualquier fecha manualmente DocType: Stock Reconciliation Item,Stock Reconciliation Item,Artículo de Reconciliación +DocType: Shift Type,Early Exit Consequence,Consecuencia de salida temprana DocType: Item Group,General Settings,Configuración general apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,La fecha de vencimiento no puede ser anterior a la fecha de contabilización / factura del proveedor apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Ingrese el nombre del Beneficiario antes de enviarlo. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,Auditor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Confirmación de pago ,Available Stock for Packing Items,Stock disponible para artículos de embalaje apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},"Por favor, elimine esta factura {0} de C-Form {1}" +DocType: Shift Type,Every Valid Check-in and Check-out,Cada entrada y salida válidas DocType: Support Search Source,Query Route String,Cadena de ruta de consulta DocType: Customer Feedback Template,Customer Feedback Template,Plantilla de comentarios del cliente apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Cotizaciones a clientes potenciales o clientes. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Control de autorizaciones ,Daily Work Summary Replies,Respuestas de resumen de trabajo diario apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Te han invitado a colaborar en el proyecto: {0} +DocType: Issue,Response By Variance,Respuesta por variación DocType: Item,Sales Details,Detalles de ventas apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Cabezales de letras para plantillas de impresión. DocType: Salary Detail,Tax on additional salary,Impuesto sobre el salario adicional @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Direccion DocType: Project,Task Progress,Progreso de la tarea DocType: Journal Entry,Opening Entry,Entrada de apertura DocType: Bank Guarantee,Charges Incurred,Cargos incurridos +DocType: Shift Type,Working Hours Calculation Based On,Cálculo de horas de trabajo basado en DocType: Work Order,Material Transferred for Manufacturing,Material transferido para la fabricación DocType: Products Settings,Hide Variants,Ocultar variantes DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Deshabilitar la planificación de la capacidad y el seguimiento del tiempo @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,Depreciación DocType: Guardian,Interests,Intereses DocType: Purchase Receipt Item Supplied,Consumed Qty,Cantidad consumida DocType: Education Settings,Education Manager,Gerente de educacion +DocType: Employee Checkin,Shift Actual Start,Shift Actual Start DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planifique los registros de tiempo fuera de las horas de trabajo de la estación de trabajo. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Puntos de fidelidad: {0} DocType: Healthcare Settings,Registration Message,Mensaje de registro @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Factura ya creada para todas las horas de facturación. DocType: Sales Partner,Contact Desc,Contactar Desc DocType: Purchase Invoice,Pricing Rules,Reglas de precios +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Como hay transacciones existentes contra el artículo {0}, no puede cambiar el valor de {1}" DocType: Hub Tracked Item,Image List,Lista de imágenes DocType: Item Variant Settings,Allow Rename Attribute Value,Permitir Renombrar Valor de Atributo -DocType: Price List,Price Not UOM Dependant,Precio no dependiente de la UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Tiempo (en minutos) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,BASIC DocType: Loan,Interest Income Account,Cuenta de ingresos por intereses @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,Tipo de empleo apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Seleccione Perfil POS DocType: Support Settings,Get Latest Query,Obtener la última consulta DocType: Employee Incentive,Employee Incentive,Incentivo para empleados +DocType: Service Level,Priorities,Prioridades apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Añadir tarjetas o secciones personalizadas en la página de inicio DocType: Homepage,Hero Section Based On,Sección de héroe basada en DocType: Project,Total Purchase Cost (via Purchase Invoice),Costo de compra total (a través de la factura de compra) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,Fabricación contra sol DocType: Blanket Order Item,Ordered Quantity,Cantidad ordenada apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila # {0}: el almacén rechazado es obligatorio contra el artículo rechazado {1} ,Received Items To Be Billed,Artículos recibidos para ser facturados -DocType: Salary Slip Timesheet,Working Hours,Horas laborales +DocType: Attendance,Working Hours,Horas laborales apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Modo de pago apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Artículos de orden de compra no recibidos a tiempo apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Duración en Días @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Información legal y otra información general sobre su Proveedor DocType: Item Default,Default Selling Cost Center,Centro de coste de venta predeterminado DocType: Sales Partner,Address & Contacts,Dirección y Contactos -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configure las series de numeración para Asistencia a través de Configuración> Series de numeración DocType: Subscriber,Subscriber,Abonado apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Formulario / Artículo / {0}) está agotado apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Por favor, seleccione la fecha de publicación primero" @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,Método% completado DocType: Detected Disease,Tasks Created,Tareas creadas apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,La lista de materiales predeterminada ({0}) debe estar activa para este elemento o su plantilla apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Porcentaje de comision % -DocType: Service Level,Response Time,Tiempo de respuesta +DocType: Service Level Priority,Response Time,Tiempo de respuesta DocType: Woocommerce Settings,Woocommerce Settings,Configuraciones de Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,La cantidad debe ser positiva DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Cargo por visita de paci DocType: Bank Statement Settings,Transaction Data Mapping,Mapeo de datos de transacción apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Un líder requiere el nombre de una persona o el nombre de una organización DocType: Student,Guardians,Guardianes -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/public/js/stock_analytics.js,Select Brand...,Seleccione la marca ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Ingreso medio DocType: Shipping Rule,Calculate Based On,Calcular basado en @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Establece un objeti apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},El registro de asistencia {0} existe contra el estudiante {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Fecha de Transacción apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Cancelar suscripción +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,No se pudo establecer el acuerdo de nivel de servicio {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Cantidad Salarial Neta DocType: Account,Liability,Responsabilidad DocType: Employee,Bank A/C No.,Banco A / C No. @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Código de artículo de materia prima apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,La factura de compra {0} ya está enviada DocType: Fees,Student Email,Email del estudiante -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Recursión de la lista de materiales: {0} no puede ser padre o hijo de {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Obtener artículos de los servicios de salud apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,La entrada de stock {0} no se ha enviado DocType: Item Attribute Value,Item Attribute Value,Valor del atributo del artículo @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,Permitir imprimir antes de pagar DocType: Production Plan,Select Items to Manufacture,Seleccione los artículos para la fabricación DocType: Leave Application,Leave Approver Name,Dejar el nombre del aprobador DocType: Shareholder,Shareholder,Accionista -DocType: Issue,Agreement Status,Estado del Acuerdo apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Ajustes predeterminados para la venta de transacciones. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Por favor, seleccione la admisión de estudiantes que es obligatoria para el estudiante pagado solicitante" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Seleccione BOM @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Cuenta de ingresos apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Todos los almacenes DocType: Contract,Signee Details,Detalles del Signatario +DocType: Shift Type,Allow check-out after shift end time (in minutes),Permitir el check-out después de la hora de finalización del turno (en minutos) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Obtención DocType: Item Group,Check this if you want to show in website,Marque esto si desea mostrar en el sitio web apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Año fiscal {0} no encontrado @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Fecha de inicio de la deprec DocType: Activity Cost,Billing Rate,Tarifa de facturación apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Advertencia: existe otro {0} # {1} contra la entrada de stock {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Habilita la configuración de Google Maps para estimar y optimizar rutas +DocType: Purchase Invoice Item,Page Break,Salto de página DocType: Supplier Scorecard Criteria,Max Score,Maximo puntaje apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,La fecha de inicio del reembolso no puede ser anterior a la fecha de desembolso. DocType: Support Search Source,Support Search Source,Fuente de búsqueda de soporte @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Objetivo de calidad objet DocType: Employee Transfer,Employee Transfer,Transferencia de empleados ,Sales Funnel,Embudo de ventas DocType: Agriculture Analysis Criteria,Water Analysis,Analisis de agua +DocType: Shift Type,Begin check-in before shift start time (in minutes),Comenzar el registro antes de la hora de inicio del turno (en minutos) DocType: Accounts Settings,Accounts Frozen Upto,Cuentas congeladas hasta apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,No hay nada que editar. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","La operación {0} más larga que cualquier horario de trabajo disponible en la estación de trabajo {1}, divide la operación en múltiples operaciones" @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,La c apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},La orden de venta {0} es {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Retraso en el pago (Días) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Ingrese los detalles de la depreciación +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Cliente PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,La fecha de entrega prevista debe ser posterior a la fecha de la orden de venta +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Cantidad de artículos no puede ser cero apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Atributo no válido apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},"Por favor, seleccione BOM contra el artículo {0}" DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipo de factura @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,Fecha de mantenimiento DocType: Volunteer,Afternoon,Tarde DocType: Vital Signs,Nutrition Values,Valores nutricionales DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),Presencia de fiebre (temperatura> 38.5 ° C / 101.3 ° F o temperatura sostenida> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configure el Sistema de nombres de empleados en Recursos humanos> Configuración de recursos humanos apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC invertido DocType: Project,Collect Progress,Recoger el progreso apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energía @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,Progreso de la configuración ,Ordered Items To Be Billed,Artículos ordenados para ser facturados DocType: Taxable Salary Slab,To Amount,Al monto DocType: Purchase Invoice,Is Return (Debit Note),Es Retorno (Nota De Débito) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio apps/erpnext/erpnext/config/desktop.py,Getting Started,Empezando apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Unir apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,No se puede cambiar la fecha de inicio del año fiscal y la fecha de finalización del año fiscal una vez que se guarda el año fiscal. @@ -2216,8 +2232,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Fecha actual apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},La fecha de inicio del mantenimiento no puede ser anterior a la fecha de entrega para el número de serie {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Fila {0}: el tipo de cambio es obligatorio DocType: Purchase Invoice,Select Supplier Address,Seleccione la dirección del proveedor +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","La cantidad disponible es {0}, necesita {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Por favor ingrese API Consumer Secret DocType: Program Enrollment Fee,Program Enrollment Fee,Cuota de inscripción del programa +DocType: Employee Checkin,Shift Actual End,Desplazar fin real DocType: Serial No,Warranty Expiry Date,Fecha de vencimiento de la garantía DocType: Hotel Room Pricing,Hotel Room Pricing,Precio de la habitación del hotel apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Suministros imponibles al exterior (distintos de cero, cero y exentos)" @@ -2277,6 +2295,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Lectura 5 DocType: Shopping Cart Settings,Display Settings,Configuraciones de pantalla apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Por favor, establezca Número de Depreciaciones Reservadas" +DocType: Shift Type,Consequence after,Consecuencia despues apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Con qué necesitas ayuda? DocType: Journal Entry,Printing Settings,Ajustes de impresión apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bancario @@ -2286,6 +2305,7 @@ DocType: Purchase Invoice Item,PR Detail,Detalle de relaciones públicas apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Dirección de facturación es la misma que la dirección de envío DocType: Account,Cash,Efectivo DocType: Employee,Leave Policy,Política de dejar +DocType: Shift Type,Consequence,Consecuencia apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Dirección del estudiante DocType: GST Account,CESS Account,Cuenta CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: el Centro de costos es necesario para la cuenta de 'Pérdidas y Ganancias' {2}. Configure un centro de costos predeterminado para la compañía. @@ -2350,6 +2370,7 @@ DocType: GST HSN Code,GST HSN Code,Código GST HSN DocType: Period Closing Voucher,Period Closing Voucher,Bono de cierre de período apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nombre Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Por favor ingrese la cuenta de gastos +DocType: Issue,Resolution By Variance,Resolución por variación DocType: Employee,Resignation Letter Date,Fecha de la carta de renuncia DocType: Soil Texture,Sandy Clay,Arcilla arenosa DocType: Upload Attendance,Attendance To Date,Asistencia a la fecha @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Ver ahora DocType: Item Price,Valid Upto,Válida hasta apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},El Doctype de referencia debe ser uno de {0} +DocType: Employee Checkin,Skip Auto Attendance,Omitir asistencia automática DocType: Payment Request,Transaction Currency,Moneda de transacción DocType: Loan,Repayment Schedule,Horario de reembolso apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Crear entrada de stock de retención de muestra @@ -2433,6 +2455,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Asignación de DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Impuestos de Vales de Cierre de POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Acción inicializada DocType: POS Profile,Applicable for Users,Aplicable para usuarios +,Delayed Order Report,Informe de pedido retrasado DocType: Training Event,Exam,Examen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Se ha encontrado un número incorrecto de entradas del libro mayor. Es posible que haya seleccionado una cuenta incorrecta en la transacción. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Flujo de ventas @@ -2447,10 +2470,11 @@ DocType: Account,Round Off,Redondear DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Las condiciones se aplicarán en todos los elementos seleccionados combinados. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Configurar DocType: Hotel Room,Capacity,Capacidad +DocType: Employee Checkin,Shift End,Cambio de fin DocType: Installation Note Item,Installed Qty,Cantidad instalada apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,El lote {0} del artículo {1} está deshabilitado. DocType: Hotel Room Reservation,Hotel Reservation User,Usuario de reserva de hotel -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,La jornada laboral se ha repetido dos veces. +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,El acuerdo de nivel de servicio con el tipo de entidad {0} y la entidad {1} ya existe. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Grupo de artículos no mencionado en el artículo maestro para el artículo {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Error de nombre: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Se requiere territorio en el perfil de POS @@ -2498,6 +2522,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Fecha de programacion DocType: Packing Slip,Package Weight Details,Detalles del peso del paquete DocType: Job Applicant,Job Opening,Apertura de trabajo +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Última sincronización exitosa conocida del registro de empleados. Restablece esto solo si estás seguro de que todos los registros están sincronizados desde todas las ubicaciones. Por favor, no modifiques esto si no estás seguro." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Costo real apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),El avance total ({0}) contra la orden {1} no puede ser mayor que el total general ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Variantes de artículo actualizadas @@ -2542,6 +2567,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Recibo de compra de refer apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Obtener invocies DocType: Tally Migration,Is Day Book Data Imported,Se importan los datos del libro de día ,Sales Partners Commission,Comisión de Socios de Ventas +DocType: Shift Type,Enable Different Consequence for Early Exit,Habilitar diferentes consecuencias para la salida temprana apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Legal DocType: Loan Application,Required by Date,Requerido por Fecha DocType: Quiz Result,Quiz Result,Resultado de la prueba @@ -2601,7 +2627,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Ejercicio DocType: Pricing Rule,Pricing Rule,Regla de precios 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} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Configure el campo ID de usuario en un registro de empleado para establecer el rol de empleado -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Tiempo para resolver DocType: Training Event,Training Event,Evento de entrenamiento DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","La presión arterial normal en reposo en un adulto es aproximadamente 120 mmHg sistólica, y 80 mmHg diastólica, abreviada "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,El sistema buscará todas las entradas si el valor límite es cero. @@ -2645,6 +2670,7 @@ DocType: Woocommerce Settings,Enable Sync,Habilitar sincronización DocType: Student Applicant,Approved,Aprobado 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 la fecha debe estar dentro del año fiscal. Suponiendo desde la fecha = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,"Por favor, establezca el grupo de proveedores en la configuración de compra." +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} es un estado de asistencia no válido. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Cuenta de apertura temporal DocType: Purchase Invoice,Cash/Bank Account,Efectivo / cuenta bancaria DocType: Quality Meeting Table,Quality Meeting Table,Mesa de reuniones de calidad @@ -2680,6 +2706,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Alimentos, bebidas y tabaco" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Calendario de cursos DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Artículo Sabio detalle de impuestos +DocType: Shift Type,Attendance will be marked automatically only after this date.,La asistencia se marcará automáticamente solo después de esta fecha. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Suministros hechos a titulares de UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Solicitud de cotizaciones apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,La moneda no se puede cambiar después de realizar entradas con otra moneda @@ -2728,7 +2755,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Es un artículo de Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procedimiento de calidad. DocType: Share Balance,No of Shares,No de Acciones -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Fila {0}: Cantidad no disponible para {4} en el almacén {1} en el momento de publicación de la entrada ({2} {3}) DocType: Quality Action,Preventive,Preventivo DocType: Support Settings,Forum URL,URL del foro apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Empleado y asistencia @@ -2950,7 +2976,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Tipo de descuento DocType: Hotel Settings,Default Taxes and Charges,Impuestos y cargos predeterminados apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Esto se basa en transacciones contra este Proveedor. Ver la línea de tiempo a continuación para más detalles apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},La cantidad máxima de beneficio del empleado {0} excede de {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Introduzca la fecha de inicio y finalización del acuerdo. DocType: Delivery Note Item,Against Sales Invoice,Contra factura de ventas DocType: Loyalty Point Entry,Purchase Amount,Monto de la compra apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,No se puede establecer como Perdida ya que se realiza un pedido de venta @@ -2974,7 +2999,7 @@ DocType: Homepage,"URL for ""All Products""",URL para "Todos los productos& DocType: Lead,Organization Name,Nombre de la Organización 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 hasta válidos son obligatorios para el acumulado apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Fila # {0}: el Lote No debe ser igual que {1} {2} -DocType: Employee,Leave Details,Dejar detalles +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Las transacciones de acciones antes de {0} se congelan DocType: Driver,Issuing Date,Fecha de emisión apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Solicitante @@ -3019,9 +3044,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalles de la plantilla de asignación de flujo de efectivo apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Reclutamiento y Capacitación DocType: Drug Prescription,Interval UOM,Intervalo UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Configuración del período de gracia para la asistencia automática apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Desde moneda y hasta moneda no puede ser igual apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Productos farmacéuticos DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Horas de apoyo apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} está cancelado o cerrado apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Fila {0}: Avance contra el cliente debe ser crédito apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grupo por Vale (Consolidado) @@ -3131,6 +3158,7 @@ DocType: Asset Repair,Repair Status,Estado de reparación DocType: Territory,Territory Manager,gerente territorial DocType: Lab Test,Sample ID,ejemplo de identificacion apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,El carrito esta vacío +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. apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,El activo {0} debe ser enviado ,Absent Student Report,Informe del estudiante ausente 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 @@ -3138,7 +3166,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,L DocType: Travel Request Costing,Funded Amount,Cantidad financiada apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} no se ha enviado, por lo que no se puede completar la acción" DocType: Subscription,Trial Period End Date,Fecha de finalización del período de prueba +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Entradas alternas como IN y OUT durante el mismo turno DocType: BOM Update Tool,The new BOM after replacement,La nueva lista de materiales después de la sustitución +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveedor> Tipo de proveedor apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Ítem 5 DocType: Employee,Passport Number,Número de pasaporte apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Apertura temporal @@ -3254,6 +3284,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Informes clave apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Posible proveedor ,Issued Items Against Work Order,Artículos emitidos contra orden de trabajo apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Creando {0} Factura +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: Student,Joining Date,Dia de ingreso apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Sitio de solicitud DocType: Purchase Invoice,Against Expense Account,Contra Cuenta de Gastos @@ -3293,6 +3324,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Cargos aplicables ,Point of Sale,Punto de venta DocType: Authorization Rule,Approving User (above authorized value),Usuario Aprobado (por encima del valor autorizado) +DocType: Service Level Agreement,Entity,Entidad apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Cantidad {0} {1} transferida de {2} a {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},El cliente {0} no pertenece al proyecto {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Nombre de la fiesta @@ -3339,6 +3371,7 @@ DocType: Asset,Opening Accumulated Depreciation,Depreciación acumulada de apert DocType: Soil Texture,Sand Composition (%),Composición de la arena (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importar datos del libro del día +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Configure la serie de nombres para {0} a través de Configuración> Configuración> Series de nombres DocType: Asset,Asset Owner Company,Empresa propietaria del activo apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Se requiere centro de costo para reservar un reclamo de gastos apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} números de serie válidos para el artículo {1} @@ -3399,7 +3432,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Propietario del activo apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},El almacén es obligatorio para el artículo de stock {0} en la fila {1} DocType: Stock Entry,Total Additional Costs,Costos Adicionales Totales -DocType: Marketplace Settings,Last Sync On,Última sincronización en apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,"Por favor, establezca al menos una fila en la Tabla de Impuestos y Cargos" DocType: Asset Maintenance Team,Maintenance Team Name,Nombre del equipo de mantenimiento apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Cuadro de Centros de Coste @@ -3415,12 +3447,12 @@ DocType: Sales Order Item,Work Order Qty,Cantidad de orden de trabajo DocType: Job Card,WIP Warehouse,Almacén WIP DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ID de usuario no establecida para el empleado {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","La cantidad disponible es {0}, necesita {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Usuario {0} creado DocType: Stock Settings,Item Naming By,Nombre del artículo por apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Ordenado apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Este es un grupo de clientes raíz y no se puede editar. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,La solicitud de material {0} se cancela o se detiene +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Estrictamente basado en el tipo de registro en el registro de empleados DocType: Purchase Order Item Supplied,Supplied Qty,Cantidad suministrada DocType: Cash Flow Mapper,Cash Flow Mapper,Asignador de flujo de efectivo DocType: Soil Texture,Sand,Arena @@ -3479,6 +3511,7 @@ DocType: Lab Test Groups,Add new line,Añadir nueva linea apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Grupo de elementos duplicados encontrado en la tabla de grupos de artículos apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Salario anual DocType: Supplier Scorecard,Weighting Function,Función de ponderació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} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Error al evaluar la fórmula de criterios ,Lab Test Report,Informe de prueba de laboratorio DocType: BOM,With Operations,Con operaciones @@ -3492,6 +3525,7 @@ DocType: Expense Claim Account,Expense Claim Account,Cuenta de gastos apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,No hay reembolsos disponibles para la entrada de diario apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} es un estudiante inactivo apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Hacer entrada de stock +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Recursión de la lista de materiales: {0} no puede ser padre o hijo de {1} DocType: Employee Onboarding,Activities,Ocupaciones apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Por lo menos una bodega es obligatoria. ,Customer Credit Balance,Saldo de crédito del cliente @@ -3504,9 +3538,11 @@ DocType: Supplier Scorecard Period,Variables,Variables apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,"Programa de lealtad múltiple encontrado para el cliente. Por favor, seleccione manualmente." DocType: Patient,Medication,Medicación apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Seleccione el programa de lealtad +DocType: Employee Checkin,Attendance Marked,Asistencia marcada apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Materias primas DocType: Sales Order,Fully Billed,Completamente facturado apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Por favor, establezca la tarifa de habitación de hotel en {}" +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Seleccione solo una prioridad como predeterminada. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Por favor identifique / cree una cuenta (libro mayor) para el tipo - {0} 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 igual a la entrada de diario vinculada DocType: Purchase Invoice Item,Is Fixed Asset,Es activo fijo @@ -3527,6 +3563,7 @@ DocType: Purpose of Travel,Purpose of Travel,Propósito de viaje DocType: Healthcare Settings,Appointment Confirmation,Confirmación de la cita DocType: Shopping Cart Settings,Orders,Pedidos DocType: HR Settings,Retirement Age,Edad de retiro +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configure las series de numeración para Asistencia a través de Configuración> Series de numeración apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Cantidad proyectada apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},La eliminación no está permitida para el país {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Fila # {0}: El activo {1} ya está {2} @@ -3610,11 +3647,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Contador apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},El cupón de cierre de POS ya existe para {0} entre la fecha {1} y {2} apps/erpnext/erpnext/config/help.py,Navigating,Navegando +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Ninguna factura pendiente requiere revalorización del tipo de cambio. DocType: Authorization Rule,Customer / Item Name,Cliente / Nombre del artículo apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,El nuevo número de serie no puede tener Almacén. El almacén debe ser establecido por Entrada de inventario o Recibo de compra DocType: Issue,Via Customer Portal,A través del Portal del Cliente DocType: Work Order Operation,Planned Start Time,Hora de inicio planificada apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} es {2} +DocType: Service Level Priority,Service Level Priority,Prioridad de nivel de servicio apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,El número de depreciaciones registradas no puede ser mayor que el número total de depreciaciones apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Compartir libro mayor DocType: Journal Entry,Accounts Payable,Cuentas por pagar @@ -3725,7 +3764,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Entregar a DocType: Bank Statement Transaction Settings Item,Bank Data,Datos bancarios apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Programado hasta -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Mantenga las horas de facturación y las horas de trabajo iguales en la hoja de horas apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Seguimiento de pistas por fuente de plomo. DocType: Clinical Procedure,Nursing User,Usuario de enfermería DocType: Support Settings,Response Key List,Lista de claves de respuesta @@ -3893,6 +3931,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Hora de inicio real DocType: Antibiotic,Laboratory User,Usuario de laboratorio apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Subastas en línea +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,La prioridad {0} se ha repetido. DocType: Fee Schedule,Fee Creation Status,Estado de creación de tarifa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Softwares apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Pedido de venta a pago @@ -3959,6 +3998,7 @@ DocType: Patient Encounter,In print,En la impresión apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,No se pudo recuperar la información de {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,La moneda de facturación debe ser igual a la moneda de la empresa predeterminada o la moneda de la cuenta de la parte apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Por favor ingrese la identificación del empleado de este vendedor +DocType: Shift Type,Early Exit Consequence after,Consecuencia temprana de salida después apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Crear apertura de ventas y facturas de compra DocType: Disease,Treatment Period,Periodo de tratamiento apps/erpnext/erpnext/config/settings.py,Setting up Email,Configuración de correo electrónico @@ -3976,7 +4016,6 @@ DocType: Employee Skill Map,Employee Skills,Habilidades del empleado apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Nombre del estudiante: DocType: SMS Log,Sent On,Enviado DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Factura de venta -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,El tiempo de respuesta no puede ser mayor que el tiempo de resolución DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Para el grupo de estudiantes basado en el curso, el curso se validará para cada estudiante de los cursos inscritos en la inscripción del programa." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Suministros intraestatales DocType: Employee,Create User Permission,Crear permiso de usuario @@ -4015,6 +4054,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Términos de contrato estándar para ventas o compras. DocType: Sales Invoice,Customer PO Details,Detalles del pedido del cliente apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Paciente no encontrado +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Seleccione una prioridad predeterminada. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Eliminar artículo si los cargos no son aplicables a ese artículo apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Existe un grupo de clientes con el mismo nombre, cambie el nombre del cliente o cambie el nombre del grupo de clientes" 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. @@ -4054,6 +4094,7 @@ DocType: Quality Goal,Quality Goal,Objetivo de calidad DocType: Support Settings,Support Portal,Portal de soporte apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},La fecha de finalización de la tarea {0} no puede ser menor que {1} fecha de inicio esperada {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},El empleado {0} está en licencia en {1} +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} DocType: Employee,Held On,Celebrada el DocType: Healthcare Practitioner,Practitioner Schedules,Horarios de practicante DocType: Project Template Task,Begin On (Days),Comenzar en (Días) @@ -4061,6 +4102,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},La orden de trabajo ha sido {0} DocType: Inpatient Record,Admission Schedule Date,Fecha de Admisión apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Ajuste del valor del activo +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Marque la asistencia según el 'Registro de empleados' para los empleados asignados a este turno. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Suministros hechos a personas no registradas apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Todos los trabajos DocType: Appointment Type,Appointment Type,Tipo de cita @@ -4174,7 +4216,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),El peso bruto del paquete. Generalmente peso neto + peso del material de embalaje. (para imprimir) DocType: Plant Analysis,Laboratory Testing Datetime,Pruebas de laboratorio de hora apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,El artículo {0} no puede tener lote -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Pipeline de ventas por etapa apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Fuerza del grupo de estudiantes DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Entrada de transacciones del extracto bancario DocType: Purchase Order,Get Items from Open Material Requests,Obtener artículos de solicitudes de material abierto @@ -4256,7 +4297,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Mostrar envejecimiento en el almacén DocType: Sales Invoice,Write Off Outstanding Amount,Anotar la cantidad pendiente DocType: Payroll Entry,Employee Details,Detalles sobre empleados -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,La hora de inicio no puede ser mayor que la hora de finalización para {0}. DocType: Pricing Rule,Discount Amount,Importe de descuento DocType: Healthcare Service Unit Type,Item Details,detalles del artículo apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Declaración fiscal duplicada de {0} para el período {1} @@ -4309,7 +4349,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,La paga neta no puede ser negativa apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,No de interacciones 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} # Artículo {1} no se puede transferir más de {2} a la orden de compra {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Cambio +DocType: Attendance,Shift,Cambio apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Tramitación del Plan de Cuentas y Partes DocType: Stock Settings,Convert Item Description to Clean HTML,Convertir la descripción del artículo a HTML limpio apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Todos los grupos de proveedores @@ -4380,6 +4420,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Actividad de DocType: Healthcare Service Unit,Parent Service Unit,Unidad de Servicio para Padres DocType: Sales Invoice,Include Payment (POS),Incluir pago (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Capital privado +DocType: Shift Type,First Check-in and Last Check-out,Primer check-in y último check-out DocType: Landed Cost Item,Receipt Document,Documento de recibo DocType: Supplier Scorecard Period,Supplier Scorecard Period,Período de puntuación del proveedor DocType: Employee Grade,Default Salary Structure,Estructura salarial por defecto @@ -4462,6 +4503,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Crear orden de compra apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definir presupuesto para un ejercicio. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,La tabla de cuentas no puede estar en blanco. +DocType: Employee Checkin,Entry Grace Period Consequence,Ingreso Período de gracia Consecuencia ,Payment Period Based On Invoice Date,Período de pago basado en la fecha de la factura apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},La fecha de instalación no puede ser anterior a la fecha de entrega del artículo {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Enlace a la solicitud de material @@ -4470,6 +4512,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Tipo de datos apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Fila {0}: ya existe una entrada de pedido para este almacén {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date DocType: Monthly Distribution,Distribution Name,Nombre de la distribución +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,La jornada laboral {0} se ha repetido. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Grupo a no grupo apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Actualización en progreso. Podría tomar un tiempo. DocType: Item,"Example: ABCD.##### @@ -4482,6 +4525,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Cantidad de combustible apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile No DocType: Invoice Discounting,Disbursed,Desembolsado +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 el registro de salida se considera para la asistencia. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Cambio neto en cuentas por pagar apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,No disponible apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Medio tiempo @@ -4495,7 +4539,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Posibles apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Mostrar PDC en Imprimir apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Proveedor Shopify DocType: POS Profile User,POS Profile User,Usuario de perfil POS -DocType: Student,Middle Name,Segundo nombre DocType: Sales Person,Sales Person Name,Nombre de la persona de ventas DocType: Packing Slip,Gross Weight,Peso bruto DocType: Journal Entry,Bill No,Proyecto de ley no @@ -4504,7 +4547,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nueva DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Acuerdo de nivel de servicio -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,"Por favor, seleccione empleado y fecha primero" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,La tasa de valuación de artículos se recalcula considerando el monto del comprobante de costo de envío DocType: Timesheet,Employee Detail,Detalle del empleado DocType: Tally Migration,Vouchers,Vales @@ -4539,7 +4581,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Acuerdo de nivel DocType: Additional Salary,Date on which this component is applied,Fecha en que se aplica este componente apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Lista de Accionistas disponibles con números de folio apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Configurar cuentas de Gateway. -DocType: Service Level,Response Time Period,Periodo de tiempo de respuesta +DocType: Service Level Priority,Response Time Period,Periodo de tiempo de respuesta DocType: Purchase Invoice,Purchase Taxes and Charges,Impuestos y Cargos de Compra DocType: Course Activity,Activity Date,Fecha de actividad apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Seleccione o agregue nuevo cliente @@ -4564,6 +4606,7 @@ DocType: Sales Person,Select company name first.,Seleccione el nombre de la empr apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Año financiero DocType: Sales Invoice Item,Deferred Revenue,Ingresos diferidos apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Al menos uno de los de venta o compra debe ser seleccionado +DocType: Shift Type,Working Hours Threshold for Half Day,Umbral de horas de trabajo para medio día ,Item-wise Purchase History,Historial de compra de artículos sabios apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},No se puede cambiar la Fecha de finalización del servicio para el elemento en la fila {0} DocType: Production Plan,Include Subcontracted Items,Incluir artículos subcontratados @@ -4596,6 +4639,7 @@ DocType: Journal Entry,Total Amount Currency,Moneda total de la cantidad DocType: BOM,Allow Same Item Multiple Times,Permitir el mismo artículo varias veces apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Crear lista de materiales DocType: Healthcare Practitioner,Charges,Los cargos +DocType: Employee,Attendance and Leave Details,Detalles de Asistencia y Licencia DocType: Student,Personal Details,Detalles personales DocType: Sales Order,Billing and Delivery Status,Estado de facturación y entrega apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Fila {0}: Para el proveedor {0} La dirección de correo electrónico se requiere para enviar correo electrónico @@ -4647,7 +4691,6 @@ DocType: Bank Guarantee,Supplier,Proveedor apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Ingrese el valor entre {0} y {1} DocType: Purchase Order,Order Confirmation Date,Fecha de confirmación del pedido DocType: Delivery Trip,Calculate Estimated Arrival Times,Calcular los tiempos de llegada estimados -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configure el Sistema de nombres de empleados en Recursos humanos> Configuración de recursos humanos apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumible DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Fecha de inicio de la suscripción @@ -4670,7 +4713,7 @@ DocType: Installation Note Item,Installation Note Item,Artículo de nota de inst DocType: Journal Entry Account,Journal Entry Account,Cuenta de entrada de diario apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variante apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Actividad del foro -DocType: Service Level,Resolution Time Period,Periodo de tiempo de resolución +DocType: Service Level Priority,Resolution Time Period,Periodo de tiempo de resolución DocType: Request for Quotation,Supplier Detail,Detalle del proveedor DocType: Project Task,View Task,Ver tarea DocType: Serial No,Purchase / Manufacture Details,Detalles de compra / fabricación @@ -4737,6 +4780,7 @@ DocType: Sales Invoice,Commission Rate (%),Porcentaje de comision (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,El almacén solo se puede cambiar a través de Entrada de stock / Nota de entrega / Recibo de compra DocType: Support Settings,Close Issue After Days,Cerrar problema después de días DocType: Payment Schedule,Payment Schedule,Calendario de pago +DocType: Shift Type,Enable Entry Grace Period,Habilitar período de gracia de entrada DocType: Patient Relation,Spouse,Esposa DocType: Purchase Invoice,Reason For Putting On Hold,Razón para poner en espera DocType: Item Attribute,Increment,Incremento @@ -4876,6 +4920,7 @@ DocType: Authorization Rule,Customer or Item,Cliente o artículo DocType: Vehicle Log,Invoice Ref,Factura Ref. apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},El formulario C no es aplicable para la factura: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Factura creada +DocType: Shift Type,Early Exit Grace Period,Período de gracia de salida temprana DocType: Patient Encounter,Review Details,Detalles de la revisión apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Fila {0}: El valor de las horas debe ser mayor que cero. DocType: Account,Account Number,Número de cuenta @@ -4887,7 +4932,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned 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" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Condiciones superpuestas encontradas entre: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Pagado y no entregado -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,El código del artículo es obligatorio porque el artículo no se numera automáticamente DocType: GST HSN Code,HSN Code,Código HSN DocType: GSTR 3B Report,September,septiembre apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Gastos administrativos @@ -4923,6 +4967,8 @@ DocType: Travel Itinerary,Travel From,Viajar desde apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Cuenta CWIP DocType: SMS Log,Sender Name,Nombre del remitente DocType: Pricing Rule,Supplier Group,Grupo de proveedores +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Establezca la hora de inicio y la hora de finalización del día de asistencia técnica {0} en el índice {1}. DocType: Employee,Date of Issue,Fecha de emisión ,Requested Items To Be Transferred,Artículos solicitados para ser transferidos DocType: Employee,Contract End Date,Fecha de finalización del contrato @@ -4933,6 +4979,7 @@ DocType: Healthcare Service Unit,Vacant,Vacante DocType: Opportunity,Sales Stage,Etapa de ventas DocType: Sales Order,In Words will be visible once you save the Sales Order.,En Palabras estará visible una vez que guarde el Pedido de venta. DocType: Item Reorder,Re-order Level,Reordenar nivel +DocType: Shift Type,Enable Auto Attendance,Habilitar asistencia automática apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Preferencia ,Department Analytics,Departamento de Analítica DocType: Crop,Scientific Name,Nombre científico @@ -4945,6 +4992,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} estado es {2} DocType: Quiz Activity,Quiz Activity,Actividad de prueba apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} no está en un período de nómina válido DocType: Timesheet,Billed,Facturado +apps/erpnext/erpnext/config/support.py,Issue Type.,Tipo de problema. DocType: Restaurant Order Entry,Last Sales Invoice,Factura de ultima venta DocType: Payment Terms Template,Payment Terms,Términos de pago apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Cantidad reservada: Cantidad pedida para la venta, pero no entregada." @@ -5040,6 +5088,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Activo apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} no tiene un horario para profesionales de la salud. Añádelo en el maestro de la salud. DocType: Vehicle,Chassis No,Chasis no +DocType: Employee,Default Shift,Cambio predeterminado apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Abreviatura de la empresa apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Árbol de la lista de materiales DocType: Article,LMS User,Usuario LMS @@ -5088,6 +5137,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Persona de ventas para padres DocType: Student Group Creation Tool,Get Courses,Obtener cursos apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Fila # {0}: la cantidad debe ser 1, ya que el artículo es un activo fijo. Por favor, use la fila separada para cantidad múltiple." +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) DocType: Customer Group,Only leaf nodes are allowed in transaction,Solo se permiten nodos de hoja en la transacción. DocType: Grant Application,Organization,Organización DocType: Fee Category,Fee Category,Categoría de tarifa @@ -5100,6 +5150,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Por favor actualice su estado para este evento de entrenamiento DocType: Volunteer,Morning,Mañana DocType: Quotation Item,Quotation Item,Artículo de cotización +apps/erpnext/erpnext/config/support.py,Issue Priority.,Prioridad de emisión. DocType: Journal Entry,Credit Card Entry,Entrada de tarjeta de crédito apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Ranura de tiempo omitida, la ranura {0} a {1} se superpone a la ranura existente {2} a {3}" DocType: Journal Entry Account,If Income or Expense,Si Ingresos o Gastos @@ -5150,11 +5201,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Importación y configuración de datos 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 se marca Auto Opt In, los clientes se vincularán automáticamente con el Programa de lealtad en cuestión (al guardar)" DocType: Account,Expense Account,Cuenta de gastos +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,El tiempo antes de la hora de inicio del turno durante el cual el Registro de empleados se considera para la asistencia. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Relación con Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Crear factura apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},La solicitud de pago ya existe {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',El empleado relevado en {0} debe configurarse como 'Izquierda' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Pagar {0} {1} +DocType: Company,Sales Settings,Ajustes de ventas DocType: Sales Order Item,Produced Quantity,Cantidad producida apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Se puede acceder a la solicitud de cotización haciendo clic en el siguiente enlace. DocType: Monthly Distribution,Name of the Monthly Distribution,Nombre de la Distribución Mensual @@ -5233,6 +5286,7 @@ DocType: Company,Default Values,Valores predeterminados apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Se crean plantillas de impuestos predeterminadas para ventas y compras. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,El tipo de licencia {0} no puede ser transferido apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,La cuenta de débito debe ser una cuenta por cobrar +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 contrato no puede ser inferior a la de hoy. apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Configure la cuenta en el almacén {0} o la cuenta de inventario predeterminada en la empresa {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Establecer por defecto DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),El peso neto de este paquete. (calculado automáticamente como la suma del peso neto de los artículos) @@ -5259,8 +5313,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,G apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Lotes caducados DocType: Shipping Rule,Shipping Rule Type,Tipo de regla de envío DocType: Job Offer,Accepted,Aceptado -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Por favor borre el empleado {0} \ para cancelar este documento" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Ya has evaluado los criterios de evaluación {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Seleccionar números de lote apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Edad (Días) @@ -5287,6 +5339,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Seleccione sus dominios DocType: Agriculture Task,Task Name,Nombre de la tarea apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Entradas de stock ya creadas para Orden de trabajo +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Por favor borre el empleado {0} \ para cancelar este documento" ,Amount to Deliver,Cantidad a entregar apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,La empresa {0} no existe apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,No se encontraron solicitudes de material pendientes de vincular para los artículos dados. @@ -5336,6 +5390,7 @@ DocType: Program Enrollment,Enrolled courses,Cursos matriculados DocType: Lab Prescription,Test Code,Código de prueba DocType: Purchase Taxes and Charges,On Previous Row Total,En la fila anterior Total DocType: Student,Student Email Address,Dirección de correo electrónico del estudiante +,Delayed Item Report,Informe de artículo retrasado DocType: Academic Term,Education,Educación DocType: Supplier Quotation,Supplier Address,Dirección del proveedor DocType: Salary Detail,Do not include in total,No incluir en total. @@ -5343,7 +5398,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} no existe DocType: Purchase Receipt Item,Rejected Quantity,Cantidad Rechazada DocType: Cashier Closing,To TIme,A tiempo -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: Daily Work Summary Group User,Daily Work Summary Group User,Resumen de trabajo diario Grupo de usuarios DocType: Fiscal Year Company,Fiscal Year Company,Empresa del año fiscal apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,El artículo alternativo no debe ser el mismo que el código del artículo @@ -5395,6 +5449,7 @@ DocType: Program Fee,Program Fee,Tarifa del programa DocType: Delivery Settings,Delay between Delivery Stops,Retraso entre paradas de entrega DocType: Stock Settings,Freeze Stocks Older Than [Days],Congelar acciones más antiguas que [días] DocType: Promotional Scheme,Promotional Scheme Product Discount,Esquema promocional de descuento de producto +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,La prioridad de emisión ya existe DocType: Account,Asset Received But Not Billed,Activo recibido pero no facturado DocType: POS Closing Voucher,Total Collected Amount,Cantidad total recaudada DocType: Course,Default Grading Scale,Escala de calificación predeterminada @@ -5437,6 +5492,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Términos de cumplimiento apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,No Grupo a Grupo DocType: Student Guardian,Mother,Madre +DocType: Issue,Service Level Agreement Fulfilled,Acuerdo de nivel de servicio cumplido DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Impuesto de deducción para beneficios de empleados no reclamados DocType: Travel Request,Travel Funding,Financiación de viajes DocType: Shipping Rule,Fixed,Fijo @@ -5466,10 +5522,12 @@ DocType: Item,Warranty Period (in days),Periodo de garantía (en días) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,No se encontraron artículos. DocType: Item Attribute,From Range,De rango DocType: Clinical Procedure,Consumables,Consumibles +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,Se requieren 'employee_field_value' y 'timestamp'. DocType: Purchase Taxes and Charges,Reference Row #,Fila de referencia # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Establezca 'Centro de costo de depreciación de activos' en la compañía {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Fila # {0}: Se requiere el documento de pago para completar la transacción DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Haga clic en este botón para extraer los datos de su orden de venta de Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Horas de trabajo por debajo de las cuales se marca el medio día. (Cero para deshabilitar) ,Assessment Plan Status,Estado del plan de evaluación apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Por favor seleccione {0} primero apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Presentar esto para crear el registro de empleado @@ -5540,6 +5598,7 @@ DocType: Quality Procedure,Parent Procedure,Procedimiento de Padres apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Conjunto abierto apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Alternar filtros DocType: Production Plan,Material Request Detail,Detalle de solicitud de material +DocType: Shift Type,Process Attendance After,Proceso de asistencia despues DocType: Material Request Item,Quantity and Warehouse,Cantidad y almacén apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Ir a programas apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Fila # {0}: entrada duplicada en las referencias {1} {2} @@ -5597,6 +5656,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Información del partido apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Deudores ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Hasta la fecha no puede ser mayor que la fecha de relevo del empleado. +DocType: Shift Type,Enable Exit Grace Period,Habilitar el período de gracia de salida DocType: Expense Claim,Employees Email Id,Identificación del correo electrónico de los empleados DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Precio de actualización de Shopify a la lista de precios de ERPNext DocType: Healthcare Settings,Default Medical Code Standard,Estándar de código médico predeterminado @@ -5627,7 +5687,6 @@ DocType: Item Group,Item Group Name,Nombre del grupo de artículos DocType: Budget,Applicable on Material Request,Aplicable a solicitud de material DocType: Support Settings,Search APIs,APIs de búsqueda DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Porcentaje de sobreproducción para pedido de cliente -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Presupuesto DocType: Purchase Invoice,Supplied Items,Artículos suministrados DocType: Leave Control Panel,Select Employees,Seleccione empleados apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Seleccionar cuenta de ingresos por intereses en préstamo {0} @@ -5653,7 +5712,7 @@ DocType: Salary Slip,Deductions,Deducciones ,Supplier-Wise Sales Analytics,Analista de ventas sabio proveedor DocType: GSTR 3B Report,February,febrero DocType: Appraisal,For Employee,Para empleado -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Fecha de entrega real +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Fecha de entrega real DocType: Sales Partner,Sales Partner Name,Nombre del socio de ventas apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Fila de depreciación {0}: La fecha de inicio de la depreciación se ingresa como fecha pasada DocType: GST HSN Code,Regional,Regional @@ -5692,6 +5751,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Fac DocType: Supplier Scorecard,Supplier Scorecard,Tarjeta de puntuación del proveedor DocType: Travel Itinerary,Travel To,Viajar a apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Marca asistencia +DocType: Shift Type,Determine Check-in and Check-out,Determinar el check-in y check-out DocType: POS Closing Voucher,Difference,Diferencia apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Pequeña DocType: Work Order Item,Work Order Item,Artículo de orden de trabajo @@ -5725,6 +5785,7 @@ DocType: Sales Invoice,Shipping Address Name,Nombre de dirección de envío apps/erpnext/erpnext/healthcare/setup.py,Drug,Fármaco apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} está cerrado DocType: Patient,Medical History,Historial médico +DocType: Expense Claim,Expense Taxes and Charges,Gastos e Impuestos DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Número de días después de que haya transcurrido la fecha de la factura antes de cancelar la suscripción o marcar la suscripción como no pagada apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Nota de instalación {0} ya ha sido enviada DocType: Patient Relation,Family,Familia @@ -5757,7 +5818,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Fuerza apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} unidades de {1} necesarias en {2} para completar esta transacción. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush Raw Materials of Subcontract Based On -DocType: Bank Guarantee,Customer,Cliente DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Si está habilitado, el Término Académico será obligatorio en la Herramienta de Inscripción del Programa." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Para el grupo de estudiantes basado en lotes, el lote de estudiantes se validará para cada estudiante de la inscripción del programa." DocType: Course,Topics,Los temas @@ -5837,6 +5897,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Miembros del Capítulo DocType: Warranty Claim,Service Address,Dirección de Servicio DocType: Journal Entry,Remark,Observación +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Fila {0}: Cantidad no disponible para {4} en el almacén {1} en el momento de publicación de la entrada ({2} {3}) DocType: Patient Encounter,Encounter Time,Tiempo de encuentro DocType: Serial No,Invoice Details,Detalles de la factura apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Se pueden hacer cuentas adicionales en Grupos, pero se pueden hacer entradas contra grupos que no son Grupos." @@ -5917,6 +5978,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","U apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Cierre (Apertura + Total) DocType: Supplier Scorecard Criteria,Criteria Formula,Fórmula de Criterios apps/erpnext/erpnext/config/support.py,Support Analytics,Analítica de soporte +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Identificación del dispositivo de asistencia (identificación de etiqueta biométrica / RF) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Revisión y Acción DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Si la cuenta está congelada, se permiten entradas a usuarios restringidos." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Importe después de la depreciación @@ -5938,6 +6000,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Pago de prestamo DocType: Employee Education,Major/Optional Subjects,Temas principales / opcionales DocType: Soil Texture,Silt,Limo +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Direcciones y contactos de proveedores DocType: Bank Guarantee,Bank Guarantee Type,Tipo de garantía bancaria DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Si está deshabilitado, el campo 'Total redondeado' no será visible en ninguna transacción" DocType: Pricing Rule,Min Amt,Min Amt @@ -5976,6 +6039,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Apertura de elemento de herramienta de creación de facturas DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Incluir transacciones POS +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ningún empleado encontrado para el valor de campo del empleado dado. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Cantidad recibida (moneda de la empresa) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Almacenamiento local está lleno, no se guardó" DocType: Chapter Member,Chapter Member,Miembro del Capítulo @@ -6008,6 +6072,7 @@ DocType: SMS Center,All Lead (Open),All Lead (Abierto) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,No se crearon grupos de estudiantes. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Duplicar fila {0} con el mismo {1} DocType: Employee,Salary Details,Detalles de salario +DocType: Employee Checkin,Exit Grace Period Consequence,Consecuencia del período de gracia de salida DocType: Bank Statement Transaction Invoice Item,Invoice,Factura DocType: Special Test Items,Particulars,Informe detallado apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Por favor, establece el filtro basado en el artículo o almacén" @@ -6109,6 +6174,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Fuera de AMC DocType: Job Opening,"Job profile, qualifications required etc.","Perfil de trabajo, calificaciones requeridas etc." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Enviar a estado +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,¿Quieres enviar la solicitud de material? DocType: Opportunity Item,Basic Rate,Tasa básica DocType: Compensatory Leave Request,Work End Date,Fecha de finalización del trabajo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Solicitud de materias primas @@ -6294,6 +6360,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Importe de la depreciación DocType: Sales Order Item,Gross Profit,Beneficio bruto DocType: Quality Inspection,Item Serial No,Número de serie del artículo DocType: Asset,Insurer,Asegurador +DocType: Employee Checkin,OUT,AFUERA apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Cantidad de compra DocType: Asset Maintenance Task,Certificate Required,Certificado requerido DocType: Retention Bonus,Retention Bonus,Bonificación de Retención @@ -6409,6 +6476,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Importe de la difere DocType: Invoice Discounting,Sanctioned,Sancionada DocType: Course Enrollment,Course Enrollment,Inscripción al curso DocType: Item,Supplier Items,Artículos del proveedor +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",La hora de inicio no puede ser mayor o igual que la hora de finalización \ para {0}. DocType: Sales Order,Not Applicable,No aplica DocType: Support Search Source,Response Options,Opciones de respuesta apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} debe ser un valor entre 0 y 100 @@ -6495,7 +6564,6 @@ DocType: Travel Request,Costing,Costeo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Activos fijos DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Ganancia total -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio DocType: Share Balance,From No,De no DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Factura de Reconciliación de Pagos DocType: Purchase Invoice,Taxes and Charges Added,Impuestos y cargos añadidos @@ -6603,6 +6671,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignorar regla de precios apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Comida DocType: Lost Reason Detail,Lost Reason Detail,Detalle de la razón perdida +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Se crearon los siguientes números de serie:
{0} DocType: Maintenance Visit,Customer Feedback,Comentarios de los clientes DocType: Serial No,Warranty / AMC Details,Detalles de la garantía / AMC DocType: Issue,Opening Time,Hora de apertura @@ -6652,6 +6721,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,El nombre de la empresa no es el mismo apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,La promoción del empleado no se puede enviar antes de la fecha de la promoción apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},No permitido actualizar transacciones de stock anteriores a {0} +DocType: Employee Checkin,Employee Checkin,Registro de empleados 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 del artículo {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Crear cotizaciones de clientes DocType: Buying Settings,Buying Settings,Configuraciones de compra @@ -6673,6 +6743,7 @@ DocType: Job Card Time Log,Job Card Time Log,Registro de tiempo de tarjeta de tr DocType: Patient,Patient Demographics,Datos demográficos del paciente DocType: Share Transfer,To Folio No,Al folio no apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Flujo de efectivo de operaciones +DocType: Employee Checkin,Log Type,Tipo de registro DocType: Stock Settings,Allow Negative Stock,Permitir acciones negativas apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Ninguno de los artículos tiene ningún cambio en cantidad o valor. DocType: Asset,Purchase Date,Fecha de compra @@ -6717,6 +6788,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Muy hiper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Seleccione la naturaleza de su negocio. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Por favor seleccione mes y año +DocType: Service Level,Default Priority,Prioridad predeterminada DocType: Student Log,Student Log,Registro de estudiante DocType: Shopping Cart Settings,Enable Checkout,Habilitar Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Recursos humanos @@ -6745,7 +6817,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Conecta Shopify con ERPNext DocType: Homepage Section Card,Subtitle,Subtitular DocType: Soil Texture,Loam,Marga -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveedor> Tipo de proveedor DocType: BOM,Scrap Material Cost(Company Currency),Costo del material de desecho (moneda de la empresa) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Nota de entrega {0} no debe ser enviada DocType: Task,Actual Start Date (via Time Sheet),Fecha de inicio real (a través de la hoja de tiempo) @@ -6801,6 +6872,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosificación DocType: Cheque Print Template,Starting position from top edge,Posición inicial desde el borde superior. apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Duración de la cita (minutos) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Este empleado ya tiene un registro con la misma marca de tiempo. {0} DocType: Accounting Dimension,Disable,Inhabilitar DocType: Email Digest,Purchase Orders to Receive,Órdenes de compra para recibir apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Las órdenes de producción no pueden ser levantadas para: @@ -6816,7 +6888,6 @@ DocType: Production Plan,Material Requests,Solicitudes de material DocType: Buying Settings,Material Transferred for Subcontract,Material transferido para el subcontrato DocType: Job Card,Timing Detail,Detalle de tiempo apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Requerido en -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Importando {0} de {1} DocType: Job Offer Term,Job Offer Term,Plazo de oferta de trabajo DocType: SMS Center,All Contact,Todo Contacto DocType: Project Task,Project Task,Tarea de proyecto @@ -6867,7 +6938,6 @@ DocType: Student Log,Academic,Académico apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,El artículo {0} no está configurado para los números de serie. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Del estado DocType: Leave Type,Maximum Continuous Days Applicable,Días Continuos Máximos Aplicables -apps/erpnext/erpnext/config/support.py,Support Team.,Equipo de apoyo. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Por favor ingrese primero el nombre de la compañía apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Importación exitosa DocType: Guardian,Alternate Number,Número Alternativo @@ -6959,6 +7029,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Fila # {0}: Artículo agregado DocType: Student Admission,Eligibility and Details,Elegibilidad y detalles DocType: Staffing Plan,Staffing Plan Detail,Detalle del plan de personal +DocType: Shift Type,Late Entry Grace Period,Período de gracia de entrada tardía DocType: Email Digest,Annual Income,Ingresos anuales DocType: Journal Entry,Subscription Section,Seccion de suscripcion DocType: Salary Slip,Payment Days,Días de pago @@ -7009,6 +7080,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Saldo de la cuenta DocType: Asset Maintenance Log,Periodicity,Periodicidad apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Historial médico +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Se requiere el tipo de registro para los registros que caen en el turno: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Ejecución DocType: Item,Valuation Method,Método de valoración apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} contra factura de ventas {1} @@ -7093,6 +7165,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Costo estimado por pos DocType: Loan Type,Loan Name,Nombre del prestamo apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Establecer el modo de pago predeterminado DocType: Quality Goal,Revision,Revisión +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,El tiempo antes de la hora de finalización del turno cuando se considera el check-out como temprano (en minutos). DocType: Healthcare Service Unit,Service Unit Type,Tipo de unidad de servicio DocType: Purchase Invoice,Return Against Purchase Invoice,Devolución Contra Factura De Compra apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Generar secreto @@ -7248,12 +7321,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Productos cosméticos DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Marque esto si desea forzar al usuario a seleccionar una serie antes de guardar. No habrá defecto si marca esto. 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 configurar cuentas congeladas y crear / modificar registros contables contra cuentas congeladas +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código del artículo> Grupo de artículos> Marca DocType: Expense Claim,Total Claimed Amount,Cantidad total reclamada apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},No se puede encontrar el intervalo de tiempo en los próximos {0} días para la Operación {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Terminando apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Solo puede renovar si su membresía expira dentro de los 30 días apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},El valor debe estar entre {0} y {1} DocType: Quality Feedback,Parameters,Parámetros +DocType: Shift Type,Auto Attendance Settings,Ajustes de asistencia automática ,Sales Partner Transaction Summary,Resumen de transacciones del socio de ventas DocType: Asset Maintenance,Maintenance Manager Name,Nombre del gerente de mantenimiento apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Es necesario para obtener detalles del artículo. @@ -7345,10 +7420,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Validar la regla aplicada DocType: Job Card Item,Job Card Item,Ficha de trabajo DocType: Homepage,Company Tagline for website homepage,Lema de la empresa para la página web +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Establezca el tiempo de respuesta y la resolución para la prioridad {0} en el índice {1}. DocType: Company,Round Off Cost Center,Centro de coste de redondeo DocType: Supplier Scorecard Criteria,Criteria Weight,Criterio de peso DocType: Asset,Depreciation Schedules,Horarios de depreciación -DocType: Expense Claim Detail,Claim Amount,Reclamar cantidad DocType: Subscription,Discounts,Descuentos DocType: Shipping Rule,Shipping Rule Conditions,Condiciones de la regla de envío DocType: Subscription,Cancelation Date,Fecha de cancelación @@ -7376,7 +7451,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Crear clientes potenci apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Mostrar valores cero DocType: Employee Onboarding,Employee Onboarding,Embarque de empleados DocType: POS Closing Voucher,Period End Date,Fecha de finalización del período -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Oportunidades de ventas por fuente DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,El primer Leave Approver en la lista se establecerá como el valor predeterminado de Leave Approver. DocType: POS Settings,POS Settings,Configuraciones POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Todas las cuentas @@ -7397,7 +7471,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Deatil apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Fila # {0}: la tasa debe ser la misma que {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Artículos de servicios de salud -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,No se encontrarón archivos apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Rango de envejecimiento 3 DocType: Vital Signs,Blood Pressure,Presión sanguínea 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 @@ -7444,6 +7517,7 @@ DocType: Company,Existing Company,Empresa existente apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Lotes apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Defensa DocType: Item,Has Batch No,Tiene lote no +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Días retrasados DocType: Lead,Person Name,Nombre de la persona DocType: Item Variant,Item Variant,Variante de artículo DocType: Training Event Employee,Invited,Invitado @@ -7465,7 +7539,7 @@ DocType: Purchase Order,To Receive and Bill,Recibir y Bill apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Las fechas de inicio y finalización no están en un período de nómina válido, no se puede calcular {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Mostrar solo al cliente de estos grupos de clientes apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Seleccionar artículos para guardar la factura -DocType: Service Level,Resolution Time,Tiempo de resolucion +DocType: Service Level Priority,Resolution Time,Tiempo de resolucion DocType: Grading Scale Interval,Grade Description,Descripción del grado DocType: Homepage Section,Cards,Tarjetas DocType: Quality Meeting Minutes,Quality Meeting Minutes,Minutos de reuniones de calidad @@ -7492,6 +7566,7 @@ DocType: Project,Gross Margin %,Margen bruto % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Saldo del extracto bancario según el libro mayor apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Salud (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Almacén predeterminado para crear pedido de cliente y nota de entrega +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,El tiempo de respuesta para {0} en el índice {1} no puede ser mayor que el tiempo de resolución. DocType: Opportunity,Customer / Lead Name,Nombre del cliente / cliente potencial DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Cantidad no reclamada @@ -7538,7 +7613,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importando Partes y Direcciones DocType: Item,List this Item in multiple groups on the website.,Enumere este artículo en varios grupos en el sitio web. DocType: Request for Quotation,Message for Supplier,Mensaje para el proveedor -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,No se puede cambiar {0} porque existe una transacción de stock para el artículo {1}. DocType: Healthcare Practitioner,Phone (R),Teléfono (R) DocType: Maintenance Team Member,Team Member,Miembro del equipo DocType: Asset Category Account,Asset Category Account,Cuenta de Categoría de Activos diff --git a/erpnext/translations/et.csv b/erpnext/translations/et.csv index bcf9800f53..759ac64154 100644 --- a/erpnext/translations/et.csv +++ b/erpnext/translations/et.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Tähtaja alguskuupäev apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Kohtumine {0} ja müügiarve {1} tühistati DocType: Purchase Receipt,Vehicle Number,Sõiduki number apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Sinu emaili aadress... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Lisage vaikimisi kirjed +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Lisage vaikimisi kirjed DocType: Activity Cost,Activity Type,Aktiivsuse tüüp DocType: Purchase Invoice,Get Advances Paid,Saada ettemaksed DocType: Company,Gain/Loss Account on Asset Disposal,Kasumi / kahjumi konto vara käsutuses @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Mida see teeb? DocType: Bank Reconciliation,Payment Entries,Makse kirjed DocType: Employee Education,Class / Percentage,Klass / protsent ,Electronic Invoice Register,Elektroonilise arve register +DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Sündmuste arv, mille järel tagajärjed täidetakse." DocType: Sales Invoice,Is Return (Credit Note),Kas tagastamine (krediidi märkus) +DocType: Price List,Price Not UOM Dependent,Hind ei ole UOM sõltuv DocType: Lab Test Sample,Lab Test Sample,Lab-testi proov DocType: Shopify Settings,status html,olek html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Näiteks 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Tooteotsing DocType: Salary Slip,Net Pay,Netomaks apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Arve kogusumma kokku DocType: Clinical Procedure,Consumables Invoice Separately,Kulumaterjalide arve eraldi +DocType: Shift Type,Working Hours Threshold for Absent,Puudub tööaeg DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Eelarvet ei saa määrata grupikonto {0} vastu DocType: Purchase Receipt Item,Rate and Amount,Hind ja summa @@ -379,7 +382,6 @@ DocType: Sales Invoice,Set Source Warehouse,Määra lähtekood DocType: Healthcare Settings,Out Patient Settings,Väljas patsiendi sätted DocType: Asset,Insurance End Date,Kindlustuse lõppkuupäev DocType: Bank Account,Branch Code,Filiaali kood -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Vastamise aeg apps/erpnext/erpnext/public/js/conf.js,User Forum,Kasutajafoorum DocType: Landed Cost Item,Landed Cost Item,Landed Cost Item 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 samad @@ -597,6 +599,7 @@ DocType: Lead,Lead Owner,Peamine omanik DocType: Share Transfer,Transfer,Ülekanne apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Otsingu üksus (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Tulemus esitatakse +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Alates kuupäevast ei tohi olla suurem kui siiani DocType: Supplier,Supplier of Goods or Services.,Kaupade või teenuste tarnija. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Uue konto nimi. Märkus. Ärge looge klientidele ja tarnijatele kontosid apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Üliõpilaste rühm või kursuste ajakava on kohustuslik @@ -879,7 +882,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Potentsiaals DocType: Skill,Skill Name,Oskuse nimi apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Trüki aruande kaart DocType: Soil Texture,Ternary Plot,Ternary Plot -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Palun seadistage Naming Series {0} seadistuseks> Seadistused> Nimetamise seeria apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Tugipiletid DocType: Asset Category Account,Fixed Asset Account,Fikseeritud varade konto apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Viimati @@ -892,6 +894,7 @@ DocType: Delivery Trip,Distance UOM,Kaugus UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Kohustuslik bilansi jaoks DocType: Payment Entry,Total Allocated Amount,Kokku eraldatud summa DocType: Sales Invoice,Get Advances Received,Saage ettemakseid +DocType: Shift Type,Last Sync of Checkin,Checkini viimane sünkroonimine DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Väärtusena sisalduv maksusumma apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -900,7 +903,9 @@ DocType: Subscription Plan,Subscription Plan,Tellimiskava DocType: Student,Blood Group,Veregrupp apps/erpnext/erpnext/config/healthcare.py,Masters,Meistrid DocType: Crop,Crop Spacing UOM,Kärbi vahe UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Vahetamise algusaja möödumise aeg pärast sisseregistreerimist loetakse hiljaks (minutites). apps/erpnext/erpnext/templates/pages/home.html,Explore,Avasta +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Ühtegi tasumata arvet ei leitud apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} vabade töökohtade ja {1} eelarve {2} jaoks on juba planeeritud {3} tütarettevõtetele. Emaettevõtte {3} jaoks on võimalik ette näha ainult kuni {4} vabade töökohtade ja eelarve {5} personali plaani {6} kohta. DocType: Promotional Scheme,Product Discount Slabs,Toote allahindlusplaadid @@ -1002,6 +1007,7 @@ DocType: Attendance,Attendance Request,Osavõtutaotlus DocType: Item,Moving Average,Liikuv keskmine DocType: Employee Attendance Tool,Unmarked Attendance,Märkimata kohalolek DocType: Homepage Section,Number of Columns,Veerude arv +DocType: Issue Priority,Issue Priority,Probleemi prioriteet DocType: Holiday List,Add Weekly Holidays,Lisage iganädalased puhkused DocType: Shopify Log,Shopify Log,Shopify Logi apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Loo palgatõend @@ -1010,6 +1016,7 @@ DocType: Job Offer Term,Value / Description,Väärtus / kirjeldus DocType: Warranty Claim,Issue Date,Väljaandmise kuupäev 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,"Valige üksus {0}. Ei ole võimalik leida ühte partiid, mis vastab sellele nõudele" apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Vasakule töötajale ei saa luua säilitamisboonust +DocType: Employee Checkin,Location / Device ID,Asukoha / seadme ID DocType: Purchase Order,To Receive,Saama apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,"Olete vallasrežiimis. Te ei saa uuesti laadida enne, kui teil on võrk." DocType: Course Activity,Enrollment,Registreerimine @@ -1018,7 +1025,6 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maksimaalne: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-arvete teave puudub apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Materiaalset taotlust ei loodud -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Üksuse kood> Punktirühm> Bränd DocType: Loan,Total Amount Paid,Tasutud kogusumma apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Kõik need esemed on juba arvestatud DocType: Training Event,Trainer Name,Treeneri nimi @@ -1128,6 +1134,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Palun mainige plii nime Lead {0} DocType: Employee,You can enter any date manually,Iga kuupäeva saate sisestada käsitsi DocType: Stock Reconciliation Item,Stock Reconciliation Item,Varude ühitamise punkt +DocType: Shift Type,Early Exit Consequence,Varajase väljumise tagajärg DocType: Item Group,General Settings,üldised seaded apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Tähtaeg ei tohi olla enne postitamist / tarnija arve kuupäeva apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Sisestage saaja nimi enne saatmist. @@ -1166,6 +1173,7 @@ DocType: Account,Auditor,Audiitor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Maksekinnitus ,Available Stock for Packing Items,Pakkimisobjektide saadaval olev varu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Palun eemaldage see arve {0} C-vormist {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Iga kehtiv registreerimine ja väljaregistreerimine DocType: Support Search Source,Query Route String,Päringu marsruudi string DocType: Customer Feedback Template,Customer Feedback Template,Kliendi tagasiside mall apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Tsitaadid juhtidele või klientidele. @@ -1200,6 +1208,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Autoriseerimiskontroll ,Daily Work Summary Replies,Vastused igapäevasele tööle apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Teid on kutsutud projektis koostööd tegema: {0} +DocType: Issue,Response By Variance,Vastus variandile DocType: Item,Sales Details,Müügiandmed apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Trükimallide tähed. DocType: Salary Detail,Tax on additional salary,Täiendava palga maks @@ -1323,6 +1332,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Kliendi a DocType: Project,Task Progress,Ülesande edenemine DocType: Journal Entry,Opening Entry,Avamise kirje DocType: Bank Guarantee,Charges Incurred,Maksud on tekkinud +DocType: Shift Type,Working Hours Calculation Based On,Töötundide arvutamine põhineb DocType: Work Order,Material Transferred for Manufacturing,Tootmisele üle kantud materjal DocType: Products Settings,Hide Variants,Peida variandid DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Keela võimsuse planeerimine ja aja jälgimine @@ -1352,6 +1362,7 @@ DocType: Account,Depreciation,Kulum DocType: Guardian,Interests,Huvid DocType: Purchase Receipt Item Supplied,Consumed Qty,Tarbitud kogus DocType: Education Settings,Education Manager,Haridusjuht +DocType: Employee Checkin,Shift Actual Start,Shift Actual Start DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planeerige aja logisid väljaspool tööjaama töötunde. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Lojaalsuspunktid: {0} DocType: Healthcare Settings,Registration Message,Registreerimissõnum @@ -1376,9 +1387,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Arve on juba loodud kõigi arveldustundide jaoks DocType: Sales Partner,Contact Desc,Kontakt Desc DocType: Purchase Invoice,Pricing Rules,Hinnakujunduse reeglid +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Kuna üksuse {0} vastu on olemasolevaid tehinguid, ei saa te {1} väärtust muuta" DocType: Hub Tracked Item,Image List,Pildiloend DocType: Item Variant Settings,Allow Rename Attribute Value,Luba atribuudi väärtuse ümbernimetamine -DocType: Price List,Price Not UOM Dependant,Hind ei ole UOM sõltuv apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Aeg (minutites) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Põhiline DocType: Loan,Interest Income Account,Intressitulu konto @@ -1388,6 +1399,7 @@ DocType: Employee,Employment Type,Tööhõive tüüp apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Valige POS profiil DocType: Support Settings,Get Latest Query,Hankige uusim päring DocType: Employee Incentive,Employee Incentive,Töötajate stiimul +DocType: Service Level,Priorities,Prioriteedid apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Lisage avalehele kaarte või kohandatud sektsioone DocType: Homepage,Hero Section Based On,Hero jaotis põhineb DocType: Project,Total Purchase Cost (via Purchase Invoice),Ostumaksumus kokku (ostuarvega) @@ -1447,7 +1459,7 @@ DocType: Work Order,Manufacture against Material Request,Tootmine materjalitaotl DocType: Blanket Order Item,Ordered Quantity,Tellitud kogus apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rida # {0}: tagasilükatud ladu on kohustusliku {1} tagasi lükatud ,Received Items To Be Billed,"Saadud kirjed, mida tuleb arveldada" -DocType: Salary Slip Timesheet,Working Hours,Töötunnid +DocType: Attendance,Working Hours,Töötunnid apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Makseviis apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,"Ostutellimuse objektid, mida ei laekunud õigeaegselt" apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Kestus päevades @@ -1567,7 +1579,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,H DocType: Supplier,Statutory info and other general information about your Supplier,Kohustuslik teave ja muu üldine teave teie tarnija kohta DocType: Item Default,Default Selling Cost Center,Vaikemüügikulu keskus DocType: Sales Partner,Address & Contacts,Aadress ja kontaktid -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Palun seadistage nummerdamise seeria osalemiseks seadistamise> Nummerdamise seeria kaudu DocType: Subscriber,Subscriber,Abonent apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# vorm / üksus / {0}) on laos apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Valige kõigepealt postitamise kuupäev @@ -1578,7 +1589,7 @@ DocType: Project,% Complete Method,% Täielik meetod DocType: Detected Disease,Tasks Created,Loodud ülesanded apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Vaikimisi BOM ({0}) peab selle elemendi või selle malli jaoks olema aktiivne apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Komisjoni määr% -DocType: Service Level,Response Time,Reaktsiooniaeg +DocType: Service Level Priority,Response Time,Reaktsiooniaeg DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce seaded apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Kogus peab olema positiivne DocType: Contract,CRM,CRM @@ -1595,7 +1606,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Statsionaalse külastuse DocType: Bank Statement Settings,Transaction Data Mapping,Tehingute andmete kaardistamine apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Plii vajab kas isiku nime või organisatsiooni nime DocType: Student,Guardians,Valvurid -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Palun seadistage õpetaja nimetamise süsteem hariduses> hariduse seaded apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Valige bränd ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Keskmine sissetulek DocType: Shipping Rule,Calculate Based On,Arvuta põhjal @@ -1632,6 +1642,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Määra sihtmärk apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Õpilase {1} vastu on kohaloleku kirje {0} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Tehingu kuupäev apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Tühista tellimus +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Teenustaseme kokkulepet {0} ei õnnestunud määrata. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Netopalga summa DocType: Account,Liability,Vastutus DocType: Employee,Bank A/C No.,Panga A / C number @@ -1697,7 +1708,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Toormaterjali kood apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Ostutarve {0} on juba esitatud DocType: Fees,Student Email,Õpilaste e-post -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM rekursioon: {0} ei saa olla {2} vanem või laps apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Hangi tervishoiuteenuste üksused apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Varude kirjet {0} ei esitata DocType: Item Attribute Value,Item Attribute Value,Üksuse atribuudi väärtus @@ -1722,7 +1732,6 @@ DocType: POS Profile,Allow Print Before Pay,Luba printimine enne maksmist DocType: Production Plan,Select Items to Manufacture,Valige üksused tootmiseks DocType: Leave Application,Leave Approver Name,Jäta kinnitaja nimi DocType: Shareholder,Shareholder,Aktsionär -DocType: Issue,Agreement Status,Lepingu staatus apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Tehingute müügi vaikesätted. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Palun valige õpilase sissepääs, mis on tasuline üliõpilase taotleja jaoks kohustuslik" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Valige BOM @@ -1983,6 +1992,7 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Punkt 4 DocType: Account,Income Account,Tulukonto apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Kõik laod DocType: Contract,Signee Details,Signee üksikasjad +DocType: Shift Type,Allow check-out after shift end time (in minutes),Luba väljaregistreerimine pärast vahetuse lõppu (minutites) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Hanked DocType: Item Group,Check this if you want to show in website,"Kontrollige seda, kui soovite veebisaidil näidata" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Eelarveaastat {0} ei leitud @@ -2049,6 +2059,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Amortisatsiooni alguskuupäe DocType: Activity Cost,Billing Rate,Arvelduse määr apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Hoiatus: teine {0} # {1} eksisteerib stock kirje {2} vastu apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Marsruutide hindamiseks ja optimeerimiseks lubage Google Mapsi seaded +DocType: Purchase Invoice Item,Page Break,Page Break DocType: Supplier Scorecard Criteria,Max Score,Maksimaalne skoor apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Tagasimaksmise alguskuupäev ei tohi olla enne väljamakse kuupäeva. DocType: Support Search Source,Support Search Source,Toetage otsingu allikat @@ -2116,6 +2127,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Kvaliteedi eesmärgi eesm DocType: Employee Transfer,Employee Transfer,Töötajate üleminek ,Sales Funnel,Müügikanal DocType: Agriculture Analysis Criteria,Water Analysis,Vee analüüs +DocType: Shift Type,Begin check-in before shift start time (in minutes),Alustage registreerimist enne vahetuse algusaega (minutites) DocType: Accounts Settings,Accounts Frozen Upto,Kontod külmutati Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Ei ole midagi muuta. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operatsioon {0} kauem kui tööjaamas {1} kasutatav tööaeg, lõhkuge operatsioon mitmeks operatsiooniks" @@ -2129,7 +2141,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Raha apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Müügitellimus {0} on {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Makseviivitused (päeva) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Sisestage amortisatsiooni üksikasjad +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Kliendi PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Oodatav tarnekuupäev peaks olema pärast müügitellimuse kuupäeva +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Üksuse kogus ei saa olla null apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Kehtetu atribuut apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Palun vali üksus {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Arve tüüp @@ -2139,6 +2153,7 @@ DocType: Maintenance Visit,Maintenance Date,Hoolduspäev DocType: Volunteer,Afternoon,Pärastlõunal DocType: Vital Signs,Nutrition Values,Toiteväärtused DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Palavik (temp> 38,5 ° C / 101,3 ° F või püsiv temp> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Palun seadistage töötajate allikate süsteem inimressurssides> HR seaded apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC pöördus DocType: Project,Collect Progress,Koguge edu apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energia @@ -2189,6 +2204,7 @@ DocType: Setup Progress,Setup Progress,Seadistamise edenemine ,Ordered Items To Be Billed,"Tellitud kirjed, mida tuleb arveldada" DocType: Taxable Salary Slab,To Amount,Summa DocType: Purchase Invoice,Is Return (Debit Note),Kas tagastamine (deebet Märkus) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> Kliendirühm> Territoorium apps/erpnext/erpnext/config/desktop.py,Getting Started,Alustamine apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Ühenda apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Eelarveaasta alguskuupäeva ja eelarveaasta lõppkuupäeva ei saa muuta pärast eelarveaasta salvestamist. @@ -2207,8 +2223,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Tegelik kuupäev apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Hoolduse alguskuupäev ei tohi olla enne järjekorranumbri {0} kohaletoimetamise kuupäeva apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Rida {0}: vahetuskurss on kohustuslik DocType: Purchase Invoice,Select Supplier Address,Valige tarnija aadress +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Olemasolev kogus on {0}, peate {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Palun sisestage API tarbija saladus DocType: Program Enrollment Fee,Program Enrollment Fee,Programmi registreerimise tasu +DocType: Employee Checkin,Shift Actual End,Tõstke tegelik lõpp DocType: Serial No,Warranty Expiry Date,Garantii lõppemise kuupäev DocType: Hotel Room Pricing,Hotel Room Pricing,Hotelli tubade hind apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Väljaspool maksustatavaid tarneid (va nulliga arvutatud, nullitud ja vabastatud)" @@ -2268,6 +2286,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Lugemine 5 DocType: Shopping Cart Settings,Display Settings,Ekraani seaded apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Palun määrake broneeritud amortisatsioonide arv +DocType: Shift Type,Consequence after,Järeldus pärast apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Millega sa abi vajad? DocType: Journal Entry,Printing Settings,Printimise sätted apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Pangandus @@ -2277,6 +2296,7 @@ DocType: Purchase Invoice Item,PR Detail,PR detail apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,"Arvelduse aadress on sama, mis postiaadress" DocType: Account,Cash,Raha DocType: Employee,Leave Policy,Lahkumise poliitika +DocType: Shift Type,Consequence,Tagajärg apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Õpilase aadress DocType: GST Account,CESS Account,CESS konto apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kulude keskus on vajalik kasumi ja kahjumi konto {2} jaoks. Looge ettevõttele vaikekulude keskus. @@ -2341,6 +2361,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN kood DocType: Period Closing Voucher,Period Closing Voucher,Perioodi sulgemiskupong apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 nimi apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Palun sisesta kulude konto +DocType: Issue,Resolution By Variance,Eraldusvõime resolutsioon DocType: Employee,Resignation Letter Date,Lahkumise kiri kuupäev DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Kuupäev @@ -2353,6 +2374,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Kuva nüüd DocType: Item Price,Valid Upto,Kehtiv Upto apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Viide Doctype peab olema üks {0} +DocType: Employee Checkin,Skip Auto Attendance,Jäta Auto osalemine vahele DocType: Payment Request,Transaction Currency,Tehingu valuuta DocType: Loan,Repayment Schedule,Tagasimaksegraafik apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Loo proovi säilitamise varude kirje @@ -2424,6 +2446,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Palga struktuur DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS sulgemiskupongid apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Toiming algatatud DocType: POS Profile,Applicable for Users,Kasutatav kasutajatele +,Delayed Order Report,Viivitatud tellimuse aruanne DocType: Training Event,Exam,Eksam apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Leitud on vale arv pearaamatu kirjeid. Võib-olla olete valinud tehingus vale konto. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Müügitoru @@ -2438,10 +2461,11 @@ DocType: Account,Round Off,Ümardama DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Tingimusi kohaldatakse kõigi valitud üksuste suhtes. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Seadista DocType: Hotel Room,Capacity,Võimsus +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Paigaldatud kogus apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Üksuse {1} partii {0} on keelatud. DocType: Hotel Room Reservation,Hotel Reservation User,Hotelli broneeringu kasutaja -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Tööpäeva on korratud kaks korda +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Teenusetaseme kokkulepe üksuse tüübiga {0} ja üksus {1} on juba olemas. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},"Üksuse rühm, mida ei ole üksuse {0} üksuse kaptenis mainitud" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Nimi viga: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Territoorium on POS-profiilis nõutav @@ -2489,6 +2513,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Ajakava kuupäev DocType: Packing Slip,Package Weight Details,Pakendi kaal üksikasjad DocType: Job Applicant,Job Opening,Tööpakkumine +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Viimane teadaolev edukas sünkroon töötaja kohta Lähtesta see ainult siis, kui olete kindel, et kõik logid sünkroonitakse kõigist asukohtadest. Palun ärge muutke seda, kui te pole kindel." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Tegelik maksumus apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Kogusumma ({0}) tellimuse {1} vastu ei saa olla suurem kui Grand Total ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Üksuse variandid on uuendatud @@ -2533,6 +2558,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Võrdlusostu kviitung apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Võta Invocies DocType: Tally Migration,Is Day Book Data Imported,Kas päeva raamatu andmed imporditakse ,Sales Partners Commission,Müügipartnerite komisjon +DocType: Shift Type,Enable Different Consequence for Early Exit,Võimaldage varajase väljumise jaoks erinevaid tagajärgi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Legal DocType: Loan Application,Required by Date,Nõutav kuupäevaga DocType: Quiz Result,Quiz Result,Viktoriini tulemus @@ -2592,7 +2618,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finants- DocType: Pricing Rule,Pricing Rule,Hinnakujunduse reegel apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Vabatahtlik puhkusenimekiri ei ole määratud puhkeperioodiks {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Töötajate rolli seadmiseks määrake Töötajate kirje kasutaja ID väli -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Aeg lahendada DocType: Training Event,Training Event,Koolitusüritus DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Tavaline vererõhk täiskasvanutel on umbes 120 mmHg süstoolne ja 80 mmHg diastoolne, lühendatult "120/80 mmHg"." DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Süsteem tõmbab kõik kirjed, kui piirväärtus on null." @@ -2636,6 +2661,7 @@ DocType: Woocommerce Settings,Enable Sync,Luba sünkroonimine DocType: Student Applicant,Approved,Kinnitatud apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Alates kuupäevast peaks kuuluma eelarveaasta. Eeldades kuupäeva = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Palun määrake tarnija grupp ostu seadetes. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} on kehtetu osalejaolek. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Ajutine avamiskonto DocType: Purchase Invoice,Cash/Bank Account,Raha / pangakonto DocType: Quality Meeting Table,Quality Meeting Table,Kvaliteedi koosoleku tabel @@ -2671,6 +2697,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Toit, jook ja tubakas" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kursuse ajakava DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Üksus Wise Tax Detail +DocType: Shift Type,Attendance will be marked automatically only after this date.,Osavõtt märgitakse automaatselt alles pärast seda kuupäeva. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,UIN-hoidikutele tehtud tarvikud apps/erpnext/erpnext/hooks.py,Request for Quotations,Tsitaatide taotlus apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Valuuta ei saa pärast kirjete tegemist mõnda muud valuutat muuta @@ -2719,7 +2746,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Kas üksus Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kvaliteedimenetlus. DocType: Share Balance,No of Shares,Aktsiate arv -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rida {0}: Kogus {4} laos {1} pole saadaval kirje postitamise ajal ({2} {3}) DocType: Quality Action,Preventive,Ennetav DocType: Support Settings,Forum URL,Foorumi URL apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Töötaja ja osalemine @@ -2941,7 +2967,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Sooduspakkumise tüüp DocType: Hotel Settings,Default Taxes and Charges,Vaikemaksud ja -maksud apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,See põhineb tehingutel selle Tarnijaga. Täpsemat teavet vt allpool toodud ajastusest apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Töötaja {0} maksimaalne hüvitise summa ületab {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Sisestage lepingu algus- ja lõppkuupäev. DocType: Delivery Note Item,Against Sales Invoice,Müügiarve vastu DocType: Loyalty Point Entry,Purchase Amount,Ostu summa apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Müügikorralduse tegemisel ei saa seadet kaotada. @@ -2965,7 +2990,7 @@ DocType: Homepage,"URL for ""All Products""",URL kõikidele toodetele DocType: Lead,Organization Name,Organisatsiooni nimi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Kehtiv ja kehtiv väljad on kohustuslikud kumulatiivsete väljade jaoks apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Rida # {0}: partii nr peab olema sama nagu {1} {2} -DocType: Employee,Leave Details,Andmete lahkumine +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Varu tehingud enne {0} on külmutatud DocType: Driver,Issuing Date,Väljaandmiskuupäev apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Taotleja @@ -3010,9 +3035,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Rahavoogude kaardistamise malli üksikasjad apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Värbamine ja koolitus DocType: Drug Prescription,Interval UOM,Intervall UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Ajapikenduse seadistused Auto osalemiseks apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Valuutast ja valuuta ei saa olla sama apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmaatsiatooted DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Toetundid apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} tühistatakse või suletakse apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Rida {0}: ettemaks Kliendi vastu peab olema krediit apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grupi maksekviitung (konsolideeritud) @@ -3122,6 +3149,7 @@ DocType: Asset Repair,Repair Status,Remondi olek DocType: Territory,Territory Manager,Territooriumihaldur DocType: Lab Test,Sample ID,Proovi ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Ostukorv on tühi +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Osavõtt on märgitud töötaja registreerimise kohta apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Vara {0} tuleb esitada ,Absent Student Report,Puudub õpilaste aruanne apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Sisaldab brutokasumit @@ -3129,7 +3157,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,H DocType: Travel Request Costing,Funded Amount,Rahastatav summa apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} ei ole esitatud, nii et tegevust ei saa lõpetada" DocType: Subscription,Trial Period End Date,Prooviperioodi lõppkuupäev +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Sama vahetuse ajal sisestatakse kirjeid IN ja OUT DocType: BOM Update Tool,The new BOM after replacement,Uus BOM pärast asendamist +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tarnija> Tarnija tüüp apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Punkt 5 DocType: Employee,Passport Number,Passi number apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Ajutine avamine @@ -3244,6 +3274,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Peamised aruanded apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Võimalik tarnija ,Issued Items Against Work Order,Välja antud artiklid töökorralduse vastu apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} Arve loomine +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Palun seadistage õpetaja nimetamise süsteem hariduses> hariduse seaded DocType: Student,Joining Date,Liitumise kuupäev apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Taotlev sait DocType: Purchase Invoice,Against Expense Account,Kulukonto vastu @@ -3283,6 +3314,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Kohaldatavad tasud ,Point of Sale,Müügipunkt DocType: Authorization Rule,Approving User (above authorized value),Kasutaja kinnitamine (üle lubatud väärtuse) +DocType: Service Level Agreement,Entity,Üksus apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{0} {1} ülekantud summa {2} -st {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Klient {0} ei kuulu projekti {1} juurde apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Partei nimi @@ -3329,6 +3361,7 @@ DocType: Asset,Opening Accumulated Depreciation,Kumuleeritud kulumi avamine DocType: Soil Texture,Sand Composition (%),Liiva koostis (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importige päeva raamatuandmeid +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Palun seadistage Naming Series {0} seadistuseks> Seadistused> Nimetamise seeria DocType: Asset,Asset Owner Company,Asset Owner Company apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Kulukeskuse broneerimiseks on vaja kulukeskust apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Cannot promote Employee with status Left,"Töötajat, kellel on staatus vasakul, ei saa edendada" @@ -3386,7 +3419,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Varahaldur apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Laos on {1} laos {0} kohustuslik. DocType: Stock Entry,Total Additional Costs,Täiendavad lisakulud -DocType: Marketplace Settings,Last Sync On,Viimane sünkroonimine apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Palun määrake tabelis Maksud ja tasud vähemalt üks rida DocType: Asset Maintenance Team,Maintenance Team Name,Hooldusmeeskonna nimi apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Kulukeskuste diagramm @@ -3402,12 +3434,12 @@ DocType: Sales Order Item,Work Order Qty,Töö tellimuse kogus DocType: Job Card,WIP Warehouse,WIP Warehouse DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Töötaja {0} kasutaja ID puudub -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Saadaval on {0} kogus, peate {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Kasutaja {0} loodud DocType: Stock Settings,Item Naming By,Üksuse nimetamine apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Tellitud apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,See on root kliendirühm ja seda ei saa muuta. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materjali päring {0} tühistatakse või peatatakse +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Rangelt põhineb logi tüübil töötaja kontrollis DocType: Purchase Order Item Supplied,Supplied Qty,Tarnitud kogus DocType: Cash Flow Mapper,Cash Flow Mapper,Rahavoogude kaardistaja DocType: Soil Texture,Sand,Liiv @@ -3466,6 +3498,7 @@ DocType: Lab Test Groups,Add new line,Lisage uus rida apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Objektirühma tabelis on duplikaadirühm apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Aasta palk DocType: Supplier Scorecard,Weighting Function,Kaalumisfunktsioon +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Konversioonitegur ({0} -> {1}) üksusele: {2} ei leitud apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Viga kriteeriumide valemi hindamisel ,Lab Test Report,Labi testiaruanne DocType: BOM,With Operations,Operatsioonidega @@ -3479,6 +3512,7 @@ DocType: Expense Claim Account,Expense Claim Account,Kulude nõude konto apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Journal Entry jaoks tagasimaksed puuduvad apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} on passiivne õpilane apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Tehke laoseisu +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM rekursioon: {0} ei saa olla {1} vanem või laps DocType: Employee Onboarding,Activities,Tegevused apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast üks ladu on kohustuslik ,Customer Credit Balance,Kliendi krediidi saldo @@ -3491,9 +3525,11 @@ DocType: Supplier Scorecard Period,Variables,Muutujad apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Kliendile on leitud mitu lojaalsusprogrammi. Palun valige käsitsi. DocType: Patient,Medication,Ravimid apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Valige Lojaalsusprogramm +DocType: Employee Checkin,Attendance Marked,Märkimisväärne osalemine apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Toored materjalid DocType: Sales Order,Fully Billed,Täielikult täidetud apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Palun määrake hotelli tubade hind {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Valige vaikimisi ainult üks prioriteet. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Palun identifitseerige / looge konto tüüp (Ledger) - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Krediidi / deebeti kogusumma peaks olema samasugune kui seotud ajakirja sissekandega DocType: Purchase Invoice Item,Is Fixed Asset,Kas püsivara on @@ -3514,6 +3550,7 @@ DocType: Purpose of Travel,Purpose of Travel,Reisimise eesmärk DocType: Healthcare Settings,Appointment Confirmation,Kohtumise kinnitamine DocType: Shopping Cart Settings,Orders,Tellimused DocType: HR Settings,Retirement Age,Pensioniiga +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Palun seadistage nummerdamise seeria osalemiseks seadistamise> Nummerdamise seeria kaudu apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Prognoositav kogus apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Kustutamine ei ole riigis {0} lubatud apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Rida # {0}: vara {1} on juba {2} @@ -3596,11 +3633,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Raamatupidaja apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS sulgemise kviitung alreday on {0} vahel kuupäeva {1} ja {2} vahel apps/erpnext/erpnext/config/help.py,Navigating,Navigeerimine +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Ühtegi tasumata arvet ei nõua vahetuskursi ümberhindamist DocType: Authorization Rule,Customer / Item Name,Kliendi / objekti nimi apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Uuel seerianumbril ei ole ladu. Ladu tuleb seada varude laoseisu või ostukviitungiga DocType: Issue,Via Customer Portal,Kliendiportaali kaudu DocType: Work Order Operation,Planned Start Time,Planeeritud algusaeg apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} on {2} +DocType: Service Level Priority,Service Level Priority,Teenuse taseme prioriteet apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Broneeritud amortisatsioonide arv ei tohi olla suurem kui amortisatsioonide koguarv apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Jaga Ledgerit DocType: Journal Entry,Accounts Payable,Võlgnevused @@ -3710,7 +3749,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Kohaletoimetamine DocType: Bank Statement Transaction Settings Item,Bank Data,Pangaandmed apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planeeritud Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Säilitage arveldusaeg ja töötundide arv töögraafikus apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Plii allikate jälgimine. DocType: Clinical Procedure,Nursing User,Õendusabi kasutaja DocType: Support Settings,Response Key List,Vastuse võtmete loend @@ -3877,6 +3915,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.js,Q DocType: Work Order Operation,Actual Start Time,Tegelik algusaeg DocType: Antibiotic,Laboratory User,Laboratoorne kasutaja apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Online-oksjonid +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioriteet {0} on korratud. DocType: Fee Schedule,Fee Creation Status,Tasu loomise staatus apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Tarkvara apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Müügikorraldus maksmiseks @@ -3943,6 +3982,7 @@ DocType: Patient Encounter,In print,Prindi apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0} kohta teavet ei saanud. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Arveldusvaluuta peab olema võrdne kas ettevõtte vaikimisi valuuta või kontoga apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Palun sisestage selle müügipersonali töötaja ID +DocType: Shift Type,Early Exit Consequence after,Varajane väljumise tagajärg pärast apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Loo avamise müügi ja ostu arveid DocType: Disease,Treatment Period,Ravi periood apps/erpnext/erpnext/config/settings.py,Setting up Email,E-posti seadistamine @@ -3960,7 +4000,6 @@ DocType: Employee Skill Map,Employee Skills,Töötaja oskused apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Õpilase nimi: DocType: SMS Log,Sent On,Saadetud DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Müügiarve -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Reaktsiooniaeg ei tohi olla suurem kui eraldusvõime aeg DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Kursusel põhineva üliõpilasgrupi jaoks valitakse kursus iga õpilase jaoks programmis registreerimise kursustest. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Riigisisesed tarned DocType: Employee,Create User Permission,Loo kasutajaluba @@ -3999,6 +4038,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Müügi või ostu tüüptingimused. DocType: Sales Invoice,Customer PO Details,Kliendi PO üksikasjad apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Patsienti ei leitud +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Valige vaikimisi prioriteet. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Eemaldage üksus, kui selle elemendi puhul ei kohaldata tasusid" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Kliendirühm on sama nimega, palun muutke Kliendi nime või muutke Kliendirühm" 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. @@ -4038,6 +4078,7 @@ DocType: Quality Goal,Quality Goal,Kvaliteedi eesmärk DocType: Support Settings,Support Portal,Toetusportaal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Ülesande {0} lõppkuupäev ei tohi olla väiksem kui {1} eeldatav alguskuupäev {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Töötaja {0} on lahkumisel {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},See teenustaseme leping on spetsiifiline kliendile {0} DocType: Employee,Held On,Hoidmine toimub DocType: Healthcare Practitioner,Practitioner Schedules,Praktikute graafikud DocType: Project Template Task,Begin On (Days),Alustage (päevad) @@ -4045,6 +4086,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Töörežiim on olnud {0} DocType: Inpatient Record,Admission Schedule Date,Sisenemise ajakava apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Vara väärtuse korrigeerimine +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Märkige kohalolek, mis põhineb sellel vahetuses määratud töötajate töötajate kontrollimisel." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Registreerimata isikutele tarnitud tarned apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Kõik töökohad DocType: Appointment Type,Appointment Type,Kohtumise tüüp @@ -4158,7 +4200,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Pakendi kogumass. Tavaliselt netokaal + pakkematerjali kaal. (printimiseks) DocType: Plant Analysis,Laboratory Testing Datetime,Laboratoorsed testid Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Üksusel {0} ei saa olla partiisidet -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Müügitorustik etapil apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Õpilaste rühma tugevus DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Panga väljavõtte tehingute kanne DocType: Purchase Order,Get Items from Open Material Requests,Saage elemendid avatud materjali taotlustest @@ -4239,7 +4280,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Näita vananemise laost DocType: Sales Invoice,Write Off Outstanding Amount,Kirjutage välja silmapaistev summa DocType: Payroll Entry,Employee Details,Töötaja andmed -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Start Time ei saa olla suurem kui {0} lõpp-aeg. DocType: Pricing Rule,Discount Amount,Soodus DocType: Healthcare Service Unit Type,Item Details,Üksuse üksikasjad apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Korduv {0} maksudeklaratsioon perioodi {1} kohta @@ -4292,7 +4332,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Netopalk ei tohi olla negatiivne apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Interaktsioonide arv 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} # Üksust {1} ei saa üle {2} osta tellimuse {3} vastu -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Shift +DocType: Attendance,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Kontode ja poolte töötlemise graafik DocType: Stock Settings,Convert Item Description to Clean HTML,Teisenda elemendi kirjeldus puhtaks HTML-ks apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Kõik tarnijagrupid @@ -4363,6 +4403,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Töötajate p DocType: Healthcare Service Unit,Parent Service Unit,Vanemate teenindusüksus DocType: Sales Invoice,Include Payment (POS),Kaasa makse (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Erakapital +DocType: Shift Type,First Check-in and Last Check-out,Esimene sisseregistreerimine ja viimane väljaregistreerimine DocType: Landed Cost Item,Receipt Document,Kviitungi dokument DocType: Supplier Scorecard Period,Supplier Scorecard Period,Tarnija tulemustaseme periood DocType: Employee Grade,Default Salary Structure,Palga vaikimisi struktuur @@ -4445,6 +4486,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Loo ostutellimus apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Määrake eelarveaasta eelarve. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Kontode tabel ei saa olla tühi. +DocType: Employee Checkin,Entry Grace Period Consequence,Sisenemise ajapikendus ,Payment Period Based On Invoice Date,Arvelduspäeval põhinev makseperiood apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Paigaldamise kuupäev ei tohi olla enne {0} kirje kohaletoimetamise kuupäeva apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Link materjali päringule @@ -4453,6 +4495,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Kaardistatud apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Rida {0}: selle lao jaoks on juba ümberkorralduste kanne {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dokumendi kuupäev DocType: Monthly Distribution,Distribution Name,Jaotuse nimi +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Tööpäeva {0} on korratud. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Grupp mitte-gruppi apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Käimas on värskendus. See võib võtta aega. DocType: Item,"Example: ABCD.##### @@ -4465,6 +4508,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Kütusekogus apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 mobiil nr DocType: Invoice Discounting,Disbursed,Väljamakse +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 vaadatakse väljaregistreerimist." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Võlgnevuste netosumma apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Pole saadaval apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Poole kohaga @@ -4478,7 +4522,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Võimali apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Näita PDC printimisel apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Tarnija DocType: POS Profile User,POS Profile User,POS-profiili kasutaja -DocType: Student,Middle Name,Keskmine nimi DocType: Sales Person,Sales Person Name,Müügipersonali nimi DocType: Packing Slip,Gross Weight,Kogumass DocType: Journal Entry,Bill No,Bill nr @@ -4487,7 +4530,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Uus a DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Teenustaseme kokkulepe -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Valige esmalt Töötaja ja Kuupäev apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,"Punkti hindamise määr arvutatakse ümber, võttes arvesse lossitud maksumuse summat" DocType: Timesheet,Employee Detail,Töötaja üksikasjad DocType: Tally Migration,Vouchers,Kupongid @@ -4522,7 +4564,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Teenustaseme kok DocType: Additional Salary,Date on which this component is applied,Selle komponendi kohaldamise kuupäev apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,"Kasutatavate aktsionäride nimekiri, kellel on folio numbrid" apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Gateway kontode seadistamine. -DocType: Service Level,Response Time Period,Reageerimisaja periood +DocType: Service Level Priority,Response Time Period,Reageerimisaja periood DocType: Purchase Invoice,Purchase Taxes and Charges,Ostumaksud ja -maksud DocType: Course Activity,Activity Date,Tegevuse kuupäev apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Valige või lisage uus klient @@ -4547,6 +4589,7 @@ DocType: Sales Person,Select company name first.,Valige esmalt ettevõtte nimi. apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Majandusaasta DocType: Sales Invoice Item,Deferred Revenue,Edasilükatud tulud apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Valik tuleb valida ühe müügi või ostmise kohta +DocType: Shift Type,Working Hours Threshold for Half Day,Töötundide künnis poolpäevaks ,Item-wise Purchase History,Punkti järgi ostmise ajalugu apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},{0} reas asuva elemendi teenuse peatamise kuupäeva ei saa muuta DocType: Production Plan,Include Subcontracted Items,Kaasa alltöövõtud kaubad @@ -4579,6 +4622,7 @@ DocType: Journal Entry,Total Amount Currency,Summa kokku valuuta DocType: BOM,Allow Same Item Multiple Times,Lubage sama kirje mitu korda apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Loo BOM DocType: Healthcare Practitioner,Charges,Süüdistused +DocType: Employee,Attendance and Leave Details,Osalemine ja üksikasjade lahkumine DocType: Student,Personal Details,Isiklikud detailid DocType: Sales Order,Billing and Delivery Status,Arvelduse ja kohaletoimetamise staatus apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Rida {0}: E-posti saatmiseks on vajalik e-posti aadress {0} @@ -4630,7 +4674,6 @@ DocType: Bank Guarantee,Supplier,Tarnija apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Sisestage väärtus {0} ja {1} DocType: Purchase Order,Order Confirmation Date,Tellimuse kinnitamise kuupäev DocType: Delivery Trip,Calculate Estimated Arrival Times,Arvuta eeldatav saabumisaeg -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Palun seadistage töötajate allikate süsteem inimressurssides> HR seaded apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Kulumaterjal DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Tellimuse alguskuupäev @@ -4653,7 +4696,7 @@ DocType: Installation Note Item,Installation Note Item,Paigaldus Märkus DocType: Journal Entry Account,Journal Entry Account,Ajakirja sisestuskonto apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variant apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Foorumi tegevus -DocType: Service Level,Resolution Time Period,Lahenduse ajaperiood +DocType: Service Level Priority,Resolution Time Period,Lahenduse ajaperiood DocType: Request for Quotation,Supplier Detail,Tarnija üksikasjad DocType: Project Task,View Task,Vaata ülesannet DocType: Serial No,Purchase / Manufacture Details,Ostu / tootmise üksikasjad @@ -4720,6 +4763,7 @@ DocType: Sales Invoice,Commission Rate (%),Komisjoni määr (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Ladu saab muuta ainult laoseisu / tarnekirja / ostutõendi kaudu DocType: Support Settings,Close Issue After Days,Sulge teema pärast päeva DocType: Payment Schedule,Payment Schedule,Maksegraafik +DocType: Shift Type,Enable Entry Grace Period,Luba sissepääsuperioodi DocType: Patient Relation,Spouse,Abikaasa DocType: Purchase Invoice,Reason For Putting On Hold,Ootele paigutamise põhjus DocType: Item Attribute,Increment,Kasv @@ -4858,6 +4902,7 @@ DocType: Authorization Rule,Customer or Item,Klient või üksus DocType: Vehicle Log,Invoice Ref,Arve Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-vorm ei ole arve puhul kohaldatav: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Arve loodud +DocType: Shift Type,Early Exit Grace Period,Varajase väljumise ajapikendus DocType: Patient Encounter,Review Details,Vaadake üksikasjad üle apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Rida {0}: Tundide väärtus peab olema suurem kui null. DocType: Account,Account Number,Konto number @@ -4869,7 +4914,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Kohaldatakse, kui ettevõte on SpA, SApA või SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Kattuvad tingimused on leitud: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Tasutud ja mitte tarnitud -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Üksuse kood on kohustuslik, sest üksus ei ole automaatselt nummerdatud" DocType: GST HSN Code,HSN Code,HSN-kood DocType: GSTR 3B Report,September,September apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administratiivsed kulud @@ -4905,6 +4949,8 @@ DocType: Travel Itinerary,Travel From,Reisimine apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP konto DocType: SMS Log,Sender Name,Saatja nimi DocType: Pricing Rule,Supplier Group,Tarnijate rühm +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Määra algusaeg ja lõppkuupäev {0} indeksi {1} juures. DocType: Employee,Date of Issue,Väljastamise kuupäev ,Requested Items To Be Transferred,Edastatavad taotletavad üksused DocType: Employee,Contract End Date,Lepingu lõppkuupäev @@ -4915,6 +4961,7 @@ DocType: Healthcare Service Unit,Vacant,Vaba DocType: Opportunity,Sales Stage,Müügietapp DocType: Sales Order,In Words will be visible once you save the Sales Order.,Sõnades on nähtav pärast müügitellimuse salvestamist. DocType: Item Reorder,Re-order Level,Korrigeeri tase uuesti +DocType: Shift Type,Enable Auto Attendance,Luba automaatne osalemine apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Eelistus ,Department Analytics,Department Analytics DocType: Crop,Scientific Name,Teaduslik nimi @@ -4927,6 +4974,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} staatus on {2 DocType: Quiz Activity,Quiz Activity,Viktoriinitegevus apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} ei ole kehtivas palgaarvestusperioodis DocType: Timesheet,Billed,Arveldatud +apps/erpnext/erpnext/config/support.py,Issue Type.,Probleemi tüüp. DocType: Restaurant Order Entry,Last Sales Invoice,Viimane müügiarve DocType: Payment Terms Template,Payment Terms,Maksetingimused apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Reserveeritud Kogus: Müügiks tellitud kogus, mida ei ole tarnitud." @@ -5022,6 +5070,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Vara apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} ei ole tervishoiutöötajate ajakava. Lisage see tervishoiutöötaja meistrisse DocType: Vehicle,Chassis No,Šassii nr +DocType: Employee,Default Shift,Vaikimisi vahetamine apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Firma lühend apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Materjaliarv DocType: Article,LMS User,LMS kasutaja @@ -5070,6 +5119,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Emaettevõtja DocType: Student Group Creation Tool,Get Courses,Võta kursused apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rida # {0}: Kogus peab olema 1, kuna objekt on põhivara. Palun kasutage mitme rea jaoks eraldi rida." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Tööaeg, millest allpool on märgitud puudumine. (Zero keelamiseks)" DocType: Customer Group,Only leaf nodes are allowed in transaction,Tehingus on lubatud ainult lehe sõlmed DocType: Grant Application,Organization,Organisatsioon DocType: Fee Category,Fee Category,Tasu kategooria @@ -5082,6 +5132,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Palun uuendage oma treeningute olekut DocType: Volunteer,Morning,Hommik DocType: Quotation Item,Quotation Item,Tsitaat +apps/erpnext/erpnext/config/support.py,Issue Priority.,Probleemi prioriteet. DocType: Journal Entry,Credit Card Entry,Krediitkaardi sisestamine apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Ajavahemik vahele jäi, pesa {0} kuni {1} kattub olemasoleva piluga {2} kuni {3}" DocType: Journal Entry Account,If Income or Expense,Kui tulu või kulu @@ -5132,11 +5183,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Andmete import ja seaded 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 automaatne sisselülitamine on kontrollitud, seotakse kliendid automaatselt vastava lojaalsusprogrammiga (salvestatud)" DocType: Account,Expense Account,Kulukonto +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Aeg enne vahetuse algusaega, mille jooksul peetakse töötajate registreerimist." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Seos Guardianiga1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Loo arve apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Maksetaotlus on juba olemas {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} -st vabastatud töötaja peab olema määratud vasakule apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Maksa {0} {1} +DocType: Company,Sales Settings,Müügi seaded DocType: Sales Order Item,Produced Quantity,Toodetud kogus apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Tsiteerimistaotlust saab kasutada klikkides järgmisele lingile DocType: Monthly Distribution,Name of the Monthly Distribution,Igakuise jaotuse nimi @@ -5215,6 +5268,7 @@ DocType: Company,Default Values,Vaikeväärtused apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Müügiks ja ostmiseks luuakse vaikimisi maksumallid. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Jätmistüüpi {0} ei saa edasi kanda apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Konto debiteerimiseks peab olema saadaolev konto +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 väiksem kui täna. apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Palun määrake konto {0} laos või vaikevarude konto ettevõttes {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Määra vaikimisi DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Selle pakendi netokaal. (arvutatakse automaatselt kauba netokaalu summana) @@ -5241,8 +5295,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Aegunud partiid DocType: Shipping Rule,Shipping Rule Type,Saatmise reegli tüüp DocType: Job Offer,Accepted,Vastu võetud -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Palun eemaldage töötaja {0} selle dokumendi tühistamiseks" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Olete hindamiskriteeriume juba hinnanud {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Valige Batch Numbers apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Vanus (päeva) @@ -5268,6 +5320,8 @@ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Valige oma domeenid DocType: Agriculture Task,Task Name,Ülesande nimi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Varude kirjed on juba loodud töökorralduse jaoks +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Palun eemaldage töötaja {0} selle dokumendi tühistamiseks" ,Amount to Deliver,Saadav kogus apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Ettevõtet {0} ei eksisteeri apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Ühtegi ootel olevaid materjali puudutavaid taotlusi ei leitud. @@ -5317,6 +5371,7 @@ DocType: Program Enrollment,Enrolled courses,Registreerunud kursused DocType: Lab Prescription,Test Code,Testkood DocType: Purchase Taxes and Charges,On Previous Row Total,Eelmisel real kokku DocType: Student,Student Email Address,Õpilase e-posti aadress +,Delayed Item Report,Viivitatud kirje aruanne DocType: Academic Term,Education,Haridus DocType: Supplier Quotation,Supplier Address,Tarnija aadress DocType: Salary Detail,Do not include in total,Ärge lisage kokku @@ -5324,7 +5379,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ei eksisteeri DocType: Purchase Receipt Item,Rejected Quantity,Tagasilükatud kogus DocType: Cashier Closing,To TIme,TIme -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Konversioonitegur ({0} -> {1}) üksusele: {2} ei leitud DocType: Daily Work Summary Group User,Daily Work Summary Group User,Igapäevane töö kokkuvõte Grupi kasutaja DocType: Fiscal Year Company,Fiscal Year Company,Eelarveaasta ettevõte apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,"Alternatiivne kirje ei tohi olla sama, mis kirje kood" @@ -5376,6 +5430,7 @@ DocType: Program Fee,Program Fee,Programmitasu DocType: Delivery Settings,Delay between Delivery Stops,Edastamise peatamise vaheline viivitus DocType: Stock Settings,Freeze Stocks Older Than [Days],Varud varud vanemad kui [päevad] DocType: Promotional Scheme,Promotional Scheme Product Discount,Reklaamiskeemi toote allahindlus +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Probleemi prioriteet on juba olemas DocType: Account,Asset Received But Not Billed,"Vara sai, kuid mitte arveldatud" DocType: POS Closing Voucher,Total Collected Amount,Kogutud kogusumma kokku DocType: Course,Default Grading Scale,Vaikimisi liigitamise skaala @@ -5418,6 +5473,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Täitmise tingimused apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Mitte gruppi gruppi DocType: Student Guardian,Mother,Ema +DocType: Issue,Service Level Agreement Fulfilled,Teenustaseme kokkulepe on täidetud DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Mahaarvamine palgata töötajate hüvitiste eest DocType: Travel Request,Travel Funding,Reiside rahastamine DocType: Shipping Rule,Fixed,Fikseeritud @@ -5447,10 +5503,12 @@ DocType: Item,Warranty Period (in days),Garantiiperiood (päevades) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Üksusi ei leitud. DocType: Item Attribute,From Range,Alates vahemikust DocType: Clinical Procedure,Consumables,Tarbekaubad +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,Vajalik on „workers_field_value” ja „timestamp”. DocType: Purchase Taxes and Charges,Reference Row #,Viite rida # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Määrake ettevõttes {0} „Varade amortisatsioonikeskus” apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,"Rida # {0}: maksevahend on nõutav, et lõpule viia" DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Klõpsake seda nuppu, et tõmmata oma müügitellimuse andmed Amazon MWS-ist." +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Tööaeg, millest allpool on märgitud poolpäev. (Zero keelamiseks)" ,Assessment Plan Status,Hindamiskava staatus apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Valige kõigepealt {0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Esita see, et luua töötajate rekord" @@ -5521,6 +5579,7 @@ DocType: Quality Procedure,Parent Procedure,Vanemakord apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Määra avatud apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Lülitage filtrid sisse DocType: Production Plan,Material Request Detail,Materjali tellimise üksikasjad +DocType: Shift Type,Process Attendance After,Protsessi osalemine pärast DocType: Material Request Item,Quantity and Warehouse,Kogus ja ladu apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Avage programmid apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Rida # {0}: dubleeriv kirje viites {1} {2} @@ -5578,6 +5637,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Partei teave apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Võlgnikud ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Praeguseks ei saa see ületada töötaja vabastamise kuupäeva +DocType: Shift Type,Enable Exit Grace Period,Luba väljumisperiood DocType: Expense Claim,Employees Email Id,Töötajate e-posti ID DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Uuenda hinda alates Shopify kuni ERPNext Hinnakiri DocType: Healthcare Settings,Default Medical Code Standard,Meditsiinilise koodi vaikimisi standard @@ -5608,7 +5668,6 @@ DocType: Item Group,Item Group Name,Üksuse grupi nimi DocType: Budget,Applicable on Material Request,Kohaldatakse materiaalsele taotlusele DocType: Support Settings,Search APIs,Otsi API-sid DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Müügitellimuse ületootmine -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Tehnilised andmed DocType: Purchase Invoice,Supplied Items,Tarnitud üksused DocType: Leave Control Panel,Select Employees,Valige Töötajad apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Vali laenu {0} intressitulu konto @@ -5634,7 +5693,7 @@ DocType: Salary Slip,Deductions,Mahaarvamised ,Supplier-Wise Sales Analytics,Tarnija-tark müügi analüüs DocType: GSTR 3B Report,February,Veebruar DocType: Appraisal,For Employee,Töötaja jaoks -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Tegelik tarnekuupäev +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Tegelik tarnekuupäev DocType: Sales Partner,Sales Partner Name,Müügipartneri nimi apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Amortisatsioonirida {0}: amortisatsiooni alguskuupäev sisestatakse eelmise kuupäevana DocType: GST HSN Code,Regional,Piirkondlik @@ -5673,6 +5732,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Akt DocType: Supplier Scorecard,Supplier Scorecard,Tarnija tulemustabel DocType: Travel Itinerary,Travel To,Reisimine apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Mark osalemine +DocType: Shift Type,Determine Check-in and Check-out,Määrake sisse- ja väljaregistreerimine DocType: POS Closing Voucher,Difference,Erinevus apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Väike DocType: Work Order Item,Work Order Item,Töö tellimuse element @@ -5706,6 +5766,7 @@ DocType: Sales Invoice,Shipping Address Name,Saatmise aadressi nimi apps/erpnext/erpnext/healthcare/setup.py,Drug,Ravim apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} on suletud DocType: Patient,Medical History,Meditsiiniline ajalugu +DocType: Expense Claim,Expense Taxes and Charges,Kulud ja maksud DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Tellimuse tühistamise või märkimise tasumata maksmise päevade arv on möödunud arvete esitamise kuupäevast apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Installimismärkus {0} on juba esitatud DocType: Patient Relation,Family,Perekond @@ -5738,7 +5799,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Tugevus apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,Selle tehingu lõpuleviimiseks oli {2} vajalik {0} ühikut {1}. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Allhankelepingu aluseks olevate toorainete tagasivool -DocType: Bank Guarantee,Customer,Klient DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Kui see on lubatud, on väljal Academic Term kohustuslik programmi registreerimise tööriistas." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Partii-põhise üliõpilaste rühma puhul kinnitatakse õpilase partii iga õpilase jaoks programmi registreerimisest. DocType: Course,Topics,Teemad @@ -5818,6 +5878,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Peatüki liikmed DocType: Warranty Claim,Service Address,Teenuse aadress DocType: Journal Entry,Remark,Märkus +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rida {0}: Kogus {4} laos {1} ei ole kirje sisestamise ajal ({2} {3}) saadaval DocType: Patient Encounter,Encounter Time,Encounter Time DocType: Serial No,Invoice Details,Arve andmed apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Täiendavaid kontosid saab teha gruppide all, kuid kirjeid saab teha mitte-gruppide vastu" @@ -5898,6 +5959,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","T apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Sulgemine (avamine + kokku) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriteeriumi valem apps/erpnext/erpnext/config/support.py,Support Analytics,Toetage Analyticsit +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Osalemise seadme ID (biomeetrilise / RF-märgise ID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Läbivaatamine ja tegevus DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Kui konto on külmutatud, on lubatud piirata kasutajaid." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Summa pärast kulumit @@ -5919,6 +5981,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Laenu tagasimakse DocType: Employee Education,Major/Optional Subjects,Peamised / valikulised õppeained DocType: Soil Texture,Silt,Silt +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Tarnija aadressid ja kontaktid DocType: Bank Guarantee,Bank Guarantee Type,Pangagarantii tüüp DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Kui see on keelatud, ei ole „Ümardatud summa” välja näidatud üheski tehingus" DocType: Pricing Rule,Min Amt,Min Amt @@ -5957,6 +6020,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Arve loomise tööriista kirje avamine DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Kaasa POS tehingud +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Töötajat ei leitud antud töötaja väljale. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Saadud summa (ettevõtte valuuta) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage on täis, ei salvestanud" DocType: Chapter Member,Chapter Member,Peatüki liige @@ -5989,6 +6053,7 @@ DocType: SMS Center,All Lead (Open),Kõik juht (avatud) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Ühtegi õpilasgruppi ei loodud. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Dubleerige rida {0} sama {1} DocType: Employee,Salary Details,Palk üksikasjad +DocType: Employee Checkin,Exit Grace Period Consequence,Väljumise aja möödumine DocType: Bank Statement Transaction Invoice Item,Invoice,Arve DocType: Special Test Items,Particulars,Andmed apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Palun määrake filter elemendi või lao alusel @@ -6090,6 +6155,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Väljas AMC DocType: Job Opening,"Job profile, qualifications required etc.","Tööprofiil, nõutavad kvalifikatsioonid jne." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Laev riigile +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Kas soovite esitada materiaalset taotlust DocType: Opportunity Item,Basic Rate,Põhihind DocType: Compensatory Leave Request,Work End Date,Töö lõppkuupäev apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Tooraine taotlus @@ -6273,6 +6339,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Kulumi summa DocType: Sales Order Item,Gross Profit,Brutokasum DocType: Quality Inspection,Item Serial No,Tooteseeria nr DocType: Asset,Insurer,Kindlustusandja +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Summa ostmine DocType: Asset Maintenance Task,Certificate Required,Nõutav sertifikaat DocType: Retention Bonus,Retention Bonus,Säilitamise boonus @@ -6387,6 +6454,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Erinevuse summa (ett DocType: Invoice Discounting,Sanctioned,Karistatud DocType: Course Enrollment,Course Enrollment,Kursuse registreerimine DocType: Item,Supplier Items,Tarnijate elemendid +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Algusaeg ei tohi olla suurem või võrdne lõpuajaga {0}. DocType: Sales Order,Not Applicable,Ei ole kohaldatav DocType: Support Search Source,Response Options,Vastuse valikud apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} peaks olema väärtus vahemikus 0 kuni 100 @@ -6472,7 +6541,6 @@ DocType: Travel Request,Costing,Hindamine apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Põhivara DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Kokku teenimine -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> Kliendirühm> Territoorium DocType: Share Balance,From No,Alates nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Maksekorralduse arve DocType: Purchase Invoice,Taxes and Charges Added,Lisatud on maksud ja tasud @@ -6580,6 +6648,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignoreeri hinnakujunduse reeglit apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Toit DocType: Lost Reason Detail,Lost Reason Detail,Kaotatud põhjus Detail +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Loodi järgmised seerianumbrid:
{0} DocType: Maintenance Visit,Customer Feedback,Kliendi tagasiside DocType: Serial No,Warranty / AMC Details,Garantii / AMC üksikasjad DocType: Issue,Opening Time,Avamisaeg @@ -6629,6 +6698,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Ettevõtte nimi ei ole sama apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Töötajate edutamist ei saa esitada enne reklaami kuupäeva apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ei tohi uuendada {0} vanemate varude tehinguid +DocType: Employee Checkin,Employee Checkin,Töötaja kontroll 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ähem kui lõpp-kuupäev {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Loo kliendi hinnapakkumisi DocType: Buying Settings,Buying Settings,Seadete ostmine @@ -6650,6 +6720,7 @@ DocType: Job Card Time Log,Job Card Time Log,Töökaardi aeg DocType: Patient,Patient Demographics,Patsiendi demograafia DocType: Share Transfer,To Folio No,To Folio No apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Rahavoog toimingutest +DocType: Employee Checkin,Log Type,Logi tüüp DocType: Stock Settings,Allow Negative Stock,Lubage negatiivne varu apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Ühelgi üksusel ei ole koguse või väärtuse muutusi. DocType: Asset,Purchase Date,Ostu kuupäev @@ -6694,6 +6765,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Väga hüper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Valige oma ettevõtte olemus. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Palun valige kuu ja aasta +DocType: Service Level,Default Priority,Vaikimisi prioriteet DocType: Student Log,Student Log,Õpilaste logi DocType: Shopping Cart Settings,Enable Checkout,Luba Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Inimressursid @@ -6722,7 +6794,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Ühendage Shopify ERPNext-ga DocType: Homepage Section Card,Subtitle,Subtiitrid DocType: Soil Texture,Loam,Loam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tarnija> Tarnija tüüp DocType: BOM,Scrap Material Cost(Company Currency),Vanametalli maksumus (ettevõtte valuuta) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Edastamise märkust {0} ei tohi esitada DocType: Task,Actual Start Date (via Time Sheet),Tegelik alguskuupäev (ajalehe kaudu) @@ -6793,7 +6864,6 @@ DocType: Production Plan,Material Requests,Materiaalsed taotlused DocType: Buying Settings,Material Transferred for Subcontract,Alltöövõtuks edastatud materjal DocType: Job Card,Timing Detail,Ajastuse üksikasjad apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Nõutav On -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{0} {1} importimine DocType: Job Offer Term,Job Offer Term,Tööpakkumise tähtaeg DocType: SMS Center,All Contact,Kõik kontaktid DocType: Project Task,Project Task,Projekti ülesanne @@ -6844,7 +6914,6 @@ DocType: Student Log,Academic,Akadeemiline apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Üksus {0} ei ole seadistatud seerianumbrite kontrollimiseks apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Riik DocType: Leave Type,Maximum Continuous Days Applicable,Maksimaalsed pidevad päevad -apps/erpnext/erpnext/config/support.py,Support Team.,Tugirühm. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Sisestage kõigepealt ettevõtte nimi apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Importimine on edukas DocType: Guardian,Alternate Number,Alternatiivne number @@ -6936,6 +7005,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Rida # {0}: lisatud üksus DocType: Student Admission,Eligibility and Details,Abikõlblikkus ja üksikasjad DocType: Staffing Plan,Staffing Plan Detail,Personali plaani detail +DocType: Shift Type,Late Entry Grace Period,Hilinenud sisenemise ajapikendus DocType: Email Digest,Annual Income,Aastane sissetulek DocType: Journal Entry,Subscription Section,Tellimuse osa DocType: Salary Slip,Payment Days,Maksepäevad @@ -6985,6 +7055,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Kontojääk DocType: Asset Maintenance Log,Periodicity,Perioodilisus apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Meditsiiniline kirje +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Logitüüp on vajalik vahetuses olevate sisselogimiste jaoks: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Täitmine DocType: Item,Valuation Method,Hindamismeetod apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} müügiarve {1} vastu @@ -7069,6 +7140,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Hinnanguline kulu asuk DocType: Loan Type,Loan Name,Laenu nimi apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Määra vaikimisi makseviis DocType: Quality Goal,Revision,Läbivaatamine +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Aeg enne vahetuse lõppu, kui check-out loetakse varakult (minutites)." DocType: Healthcare Service Unit,Service Unit Type,Teenindusüksuse tüüp DocType: Purchase Invoice,Return Against Purchase Invoice,Tagasi ostu arve vastu apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Loo saladus @@ -7224,11 +7296,13 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Kosmeetika DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Kontrollige seda, kui soovite, et kasutaja valiks enne salvestamist seeria. Selle kontrollimisel vaikimisi ei ole." DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Selle rolliga kasutajad võivad määrata külmutatud kontosid ning luua / muuta külmutatud kontode raamatupidamisandmeid +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Üksuse kood> Punktirühm> Bränd DocType: Expense Claim,Total Claimed Amount,Nõutud summa kokku apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Pakendamine apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Võite uuendada ainult siis, kui teie liikmelisus lõpeb 30 päeva jooksul" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Väärtus peab olema vahemikus {0} kuni {1} DocType: Quality Feedback,Parameters,Parameetrid +DocType: Shift Type,Auto Attendance Settings,Auto osalemise seaded ,Sales Partner Transaction Summary,Müügipartnerite tehingute kokkuvõte DocType: Asset Maintenance,Maintenance Manager Name,Hooldushalduri nimi apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Üksuse üksikasjad on vaja tõmmata. @@ -7319,10 +7393,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Valideeri rakendatud reegel DocType: Job Card Item,Job Card Item,Töökaardi kirje DocType: Homepage,Company Tagline for website homepage,Firma Tagline veebisaidi kodulehele +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Määrake prioriteedi {0} vastuse aeg ja eraldusvõime indeksis {1}. DocType: Company,Round Off Cost Center,Kulude vähendamise keskus DocType: Supplier Scorecard Criteria,Criteria Weight,Kriteeriumid Kaal DocType: Asset,Depreciation Schedules,Amortisatsioonikavad -DocType: Expense Claim Detail,Claim Amount,Nõude summa DocType: Subscription,Discounts,Soodustused DocType: Shipping Rule,Shipping Rule Conditions,Kohaletoimetamise reeglite tingimused DocType: Subscription,Cancelation Date,Tühistamise kuupäev @@ -7350,7 +7424,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Loo pliidid apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Näita nullväärtusi DocType: Employee Onboarding,Employee Onboarding,Töötaja onboarding DocType: POS Closing Voucher,Period End Date,Perioodi lõppkuupäev -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Müügivõimalused allikate kaupa DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Esimene lahkumise heakskiitja loendis valitakse vaikimisi lahkumiseks. DocType: POS Settings,POS Settings,POS seaded apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Kõik kontod @@ -7371,7 +7444,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Rida # {0}: määr peab olema sama kui {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Tervishoiuteenuste üksused -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Ühtegi kirjet ei leitud apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Vananemise vahemik 3 DocType: Vital Signs,Blood Pressure,Vererõhk apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Sihtpunkt On @@ -7418,6 +7490,7 @@ DocType: Company,Existing Company,Olemasolev ettevõte apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Partiid apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Kaitse DocType: Item,Has Batch No,Kas partii nr +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Viivitatud päevad DocType: Lead,Person Name,Isiku nimi DocType: Item Variant,Item Variant,Üksus Variant DocType: Training Event Employee,Invited,Kutsutud @@ -7439,7 +7512,7 @@ DocType: Purchase Order,To Receive and Bill,Saada ja Bill apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Algus- ja lõppkuupäevad ei ole kehtivas palgaarvestusperioodis, ei saa arvutada {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Näita ainult nende kliendirühmade klienti apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Valige arve salvestamiseks üksused -DocType: Service Level,Resolution Time,Lahenduse aeg +DocType: Service Level Priority,Resolution Time,Lahenduse aeg DocType: Grading Scale Interval,Grade Description,Hinne kirjeldus DocType: Homepage Section,Cards,Kaardid DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kvaliteedi koosolekute protokollid @@ -7466,6 +7539,7 @@ DocType: Project,Gross Margin %,Brutomarginaal% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Panga väljavõtte saldo vastavalt pearaamatule apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Tervishoid (beeta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,"Vaikimisi ladu, et luua müügitellimus ja tarneteatis" +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,{0} vastuse aeg indeksis {1} ei saa olla suurem kui eraldusvõime aeg. DocType: Opportunity,Customer / Lead Name,Kliendi / plii nimi DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Taotlemata summa @@ -7512,7 +7586,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Poolte ja aadresside importimine DocType: Item,List this Item in multiple groups on the website.,Märkige see üksus veebisaidil mitmesse rühma. DocType: Request for Quotation,Message for Supplier,Sõnum tarnijale -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,"{0} ei saa muuta, kuna on olemas kirje {1} tehingutehing." DocType: Healthcare Practitioner,Phone (R),Telefon (R) DocType: Maintenance Team Member,Team Member,Meeskonna liige DocType: Asset Category Account,Asset Category Account,Varakategooria konto diff --git a/erpnext/translations/fa.csv b/erpnext/translations/fa.csv index 29caa0cdf5..b9a082301a 100644 --- a/erpnext/translations/fa.csv +++ b/erpnext/translations/fa.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,تاریخ شروع دوره apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,انتصاب {0} و صورتحساب فروش {1} لغو شد DocType: Purchase Receipt,Vehicle Number,شماره خودرو apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,آدرس ایمیل شما ... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,شامل پیش نویس های کتاب +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,شامل پیش نویس های کتاب DocType: Activity Cost,Activity Type,نوع فعالیت DocType: Purchase Invoice,Get Advances Paid,دریافت پیش پرداخت شده DocType: Company,Gain/Loss Account on Asset Disposal,حساب سود / زیان در دفع دارایی @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,چه کار می DocType: Bank Reconciliation,Payment Entries,نوشته های پرداختی DocType: Employee Education,Class / Percentage,کلاس / درصد ,Electronic Invoice Register,ثبت نام صورت حساب الکترونیکی +DocType: Shift Type,The number of occurrence after which the consequence is executed.,تعداد حوادث پس از آن نتیجه انجام می شود. DocType: Sales Invoice,Is Return (Credit Note),آیا بازگشت (اعتبار یادداشت) +DocType: Price List,Price Not UOM Dependent,قیمت وابسته به UOM نیست DocType: Lab Test Sample,Lab Test Sample,آزمایش آزمایشی نمونه DocType: Shopify Settings,status html,وضعیت HTML DocType: Fiscal Year,"For e.g. 2012, 2012-13",برای مثال 2012، 2012-13 @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,جستجوی م DocType: Salary Slip,Net Pay,پرداخت خالص apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,مجموع مصارف مصوب DocType: Clinical Procedure,Consumables Invoice Separately,فاکتور مصرفی جداگانه +DocType: Shift Type,Working Hours Threshold for Absent,آستانه کار برای ساعات کاری DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR--YY.-MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},بودجه را نمی توان به حساب گروهی اختصاص داد {0} DocType: Purchase Receipt Item,Rate and Amount,نرخ و مقدار @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,انبار منبع را تنظیم DocType: Healthcare Settings,Out Patient Settings,از تنظیمات بیمار DocType: Asset,Insurance End Date,تاریخ پایان بیمه DocType: Bank Account,Branch Code,کد شعبه -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,زمان پاسخ دادن apps/erpnext/erpnext/public/js/conf.js,User Forum,انجمن کاربر DocType: Landed Cost Item,Landed Cost Item,مورد هزینه فرود apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,فروشنده و خریدار نمیتوانند یکسان باشند @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,صاحب سرب DocType: Share Transfer,Transfer,منتقل کردن apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),مورد جستجو (Ctrl + I) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} نتایج ارسال شده +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,از تاریخ نمی تواند بیشتر از تاریخ باشد DocType: Supplier,Supplier of Goods or Services.,تامین کننده کالا یا خدمات. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,نام حساب جدید توجه: لطفا برای مشتریان و تامین کنندگان حساب کاربری ایجاد نکنید apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,گروه دانشجویی یا دوره برنامه اجباری است @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,بانک ا DocType: Skill,Skill Name,نام مهارت apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,کارت گزارش چاپ DocType: Soil Texture,Ternary Plot,قطعه سه بعدی -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,لطفا سری نامگذاری را برای {0} از طریق Setup> Settings> نامگذاری سری انتخاب کنید apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,بلیط های پشتیبانی DocType: Asset Category Account,Fixed Asset Account,حساب دارایی ثابت apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,آخرین @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,فاصله UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,اجباری برای برگه تعادل DocType: Payment Entry,Total Allocated Amount,مجموع مبلغ اختصاص داده شده DocType: Sales Invoice,Get Advances Received,دریافت پیشرفت دریافت شده +DocType: Shift Type,Last Sync of Checkin,آخرین همگام سازی چک DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,مورد مالیات شامل مقدار است apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,طرح اشتراک DocType: Student,Blood Group,گروه خونی apps/erpnext/erpnext/config/healthcare.py,Masters,کارشناسی ارشد DocType: Crop,Crop Spacing UOM,فاصله کاشت UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,زمان پس از تغییر زمان شروع زمانی که ورود به سیستم به عنوان دیر (در دقیقه) در نظر گرفته شده است. apps/erpnext/erpnext/templates/pages/home.html,Explore,کاوش +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,فاکتورهای قابل توجهی یافت نشد apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} جایزه ها و {1} بودجه برای {2} برای شرکت های تابعه قبلا {3} برنامه ریزی شده است. شما فقط می توانید تا {4} جای خالی و بودجه {5} را به عنوان برنامۀ کارکنان {6} برای شرکت مادرتان {3} برنامه ریزی کنید. DocType: Promotional Scheme,Product Discount Slabs,صفحات تخفیف محصولات @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,درخواست حضور DocType: Item,Moving Average,میانگین متحرک DocType: Employee Attendance Tool,Unmarked Attendance,حضور بدون مارک DocType: Homepage Section,Number of Columns,تعداد ستون ها +DocType: Issue Priority,Issue Priority,اولویت مسئله DocType: Holiday List,Add Weekly Holidays,تعطیلات هفتگی اضافه کنید DocType: Shopify Log,Shopify Log,Shopify ورود apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,ایجاد لغزش حقوق @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,ارزش / شرح DocType: Warranty Claim,Issue Date,تاریخ انتشار 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} را انتخاب کنید. قادر به یافتن یک دسته ای نیست که این الزام را برآورده کند apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,می توانید Bonus Retention برای کارکنان سمت چپ ایجاد کنید +DocType: Employee Checkin,Location / Device ID,شناسه مکان / دستگاه DocType: Purchase Order,To Receive,برای دریافت apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,شما در حالت آفلاین هستید شما تا زمانی که شبکه ندارید قادر به بارگیری مجدد نیستید. DocType: Course Activity,Enrollment,ثبت نام @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,آزمایش آزمایشی apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},حداکثر: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-Invoicing اطلاعات گم شده apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,درخواست مادری ایجاد نشد -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,کد مورد> گروه مورد> نام تجاری DocType: Loan,Total Amount Paid,کل مبلغ پرداخت شده apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,همه این موارد قبلا محاسبه شده اند DocType: Training Event,Trainer Name,نام مربی @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},لطفا نام سرب در سرب را ذکر کنید {0} DocType: Employee,You can enter any date manually,شما می توانید هر تاریخ را به صورت دستی وارد کنید DocType: Stock Reconciliation Item,Stock Reconciliation Item,مورد تقسیم سهام +DocType: Shift Type,Early Exit Consequence,پس از خروج زودرس DocType: Item Group,General Settings,تنظیمات عمومی apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,تاریخ تحویل نمی تواند قبل از ارسال / تامین کننده صورتحساب تاریخ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,قبل از ارسال نام بنیانگذار را وارد کنید. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,ممیز، مامور رسیدگی apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,تاییدیه پرداخت ,Available Stock for Packing Items,موجودی موجود برای اقلام بسته بندی apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},لطفا این فاکتور {0} را از C-Form {1} حذف کنید +DocType: Shift Type,Every Valid Check-in and Check-out,هر Valid Check-in و Check-out DocType: Support Search Source,Query Route String,خط مسیر درخواست DocType: Customer Feedback Template,Customer Feedback Template,قالب بازخورد مشتری apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,نقل قول به مشتریان یا مشتریان. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,کنترل مجوز ,Daily Work Summary Replies,روزانه کار خلاصه پاسخ ها apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},شما برای همکاری در پروژه دعوت شده اید: {0} +DocType: Issue,Response By Variance,پاسخ با اختلاف DocType: Item,Sales Details,جزئیات فروش apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,نامه سر برای قالب های چاپ DocType: Salary Detail,Tax on additional salary,مالیات بر حقوق و دستمزد اضافی @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,آدرس DocType: Project,Task Progress,پیشرفت کار DocType: Journal Entry,Opening Entry,ورودی افتتاحیه DocType: Bank Guarantee,Charges Incurred,اتهامات ناشی شده است +DocType: Shift Type,Working Hours Calculation Based On,محاسبه ساعات کار بر اساس DocType: Work Order,Material Transferred for Manufacturing,ماده انتقال برای ساخت DocType: Products Settings,Hide Variants,مخفی کردن گزینه ها DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,غیر فعال کردن برنامه ریزی ظرفیت و ردیابی زمان @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,استهلاک DocType: Guardian,Interests,منافع DocType: Purchase Receipt Item Supplied,Consumed Qty,تعداد مصرفی DocType: Education Settings,Education Manager,مدیر آموزش +DocType: Employee Checkin,Shift Actual Start,شروع واقعی جابجایی DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,برنامه زمانبندی زمانبندیهای خارج از ایستگاه کاری ایستگاه کاری. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},امتیازات وفاداری: {0} DocType: Healthcare Settings,Registration Message,پیام ثبت نام @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,صورتحساب برای هر ساعت صدور صورت حساب آماده شده است DocType: Sales Partner,Contact Desc,تماس با Desc DocType: Purchase Invoice,Pricing Rules,قوانین قیمت گذاری +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}",همانطور که معاملات موجود در مورد {0} وجود دارد، شما نمی توانید مقدار {1} را تغییر دهید DocType: Hub Tracked Item,Image List,لیست تصویر DocType: Item Variant Settings,Allow Rename Attribute Value,اجازه ارزش نام متغیر را تغییر دهید -DocType: Price List,Price Not UOM Dependant,قیمت وابسته به UOM نیست apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),زمان (در دقیقه) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,پایه ای DocType: Loan,Interest Income Account,حساب درآمد بهره @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,نوع اشتغال apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,مشخصات POS را انتخاب کنید DocType: Support Settings,Get Latest Query,دریافت آخرین درخواست DocType: Employee Incentive,Employee Incentive,مشوق کارمند +DocType: Service Level,Priorities,اولویت های apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,کارت و یا بخش های سفارشی را در صفحه اصلی اضافه کنید DocType: Homepage,Hero Section Based On,بخش قهرمان بر اساس DocType: Project,Total Purchase Cost (via Purchase Invoice),هزینه خرید کل (از طریق صورتحساب خرید) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,تولید در برا DocType: Blanket Order Item,Ordered Quantity,مقدار سفارش شده apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ردیف # {0}: انبار رد شده در مورد رد Item {1} اجباری است ,Received Items To Be Billed,اقلامی که دریافت کردید باید پرداخت شود -DocType: Salary Slip Timesheet,Working Hours,ساعات کاری +DocType: Attendance,Working Hours,ساعات کاری apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,حالت پرداخت apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,اقلام سفارش خرید در زمان دریافت نشده است apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,مدت زمان روز @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,اطلاعات قانونی و سایر اطلاعات کلی درباره تامین کننده شما DocType: Item Default,Default Selling Cost Center,مرکز فروش پیش فروش DocType: Sales Partner,Address & Contacts,آدرس و مخاطبین -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,لطفا شماره سریال را برای شرکت کنندگان از طریق Setup> Numbering Series بفرستید DocType: Subscriber,Subscriber,مشترک apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# فرم / مورد / {0}) موجود نیست apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,لطفا ابتدا تاریخ ارسال را انتخاب کنید @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,٪ روش کامل DocType: Detected Disease,Tasks Created,وظایف ایجاد شده apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,پیش فرض BOM ({0}) باید برای این آیتم یا قالب آن فعال باشد apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,کمیسیون نرخ٪ -DocType: Service Level,Response Time,زمان پاسخ +DocType: Service Level Priority,Response Time,زمان پاسخ DocType: Woocommerce Settings,Woocommerce Settings,تنظیمات Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,مقدار باید مثبت باشد DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,شارژ بیمارست DocType: Bank Statement Settings,Transaction Data Mapping,نقشه برداری داده های تراکنش apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,سرب نیاز به نام فرد یا نام سازمان دارد DocType: Student,Guardians,نگهبانان -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,لطفا سیستم نامگذاری مربی را در آموزش و پرورش> تنظیمات تحصیلی تنظیم کنید apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,برند را انتخاب کنید ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,درآمد متوسط DocType: Shipping Rule,Calculate Based On,محاسبه بر اساس @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,یک هدف را ت apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},ضبط حضور {0} علیه دانشجو {1} وجود دارد apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,تاریخ معامله apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,لغو عضویت +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,توافقنامه سطح خدمات تنظیم نمی شود {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,مقدار حقوق خالص DocType: Account,Liability,مسئولیت DocType: Employee,Bank A/C No.,بانک A / C شماره @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,کد کالا مواد اولیه apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,فاکتور خرید {0} در حال حاضر ارائه شده است DocType: Fees,Student Email,ایمیل دانشجو -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},بازگشت BOM: {0} نمی تواند والد یا فرزند {2} باشد apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,مواردی را از خدمات بهداشتی دریافت کنید apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,ورودی سهام {0} ارائه نشده است DocType: Item Attribute Value,Item Attribute Value,مقدار مشخصه مورد @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,اجازه چاپ قبل از پرد DocType: Production Plan,Select Items to Manufacture,آیتم های انتخاب را انتخاب کنید DocType: Leave Application,Leave Approver Name,خروج نام تأیید کننده DocType: Shareholder,Shareholder,سهامدار -DocType: Issue,Agreement Status,وضعیت توافق apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,تنظیمات پیش فرض برای فروش معاملات. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,لطفا پذیرش دانشجویی را انتخاب کنید که برای متقاضی دانشجویی پرداخت می شود apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,انتخاب BOM @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,حساب درآمد apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,تمام انبارها DocType: Contract,Signee Details,جزئیات Signee +DocType: Shift Type,Allow check-out after shift end time (in minutes),اجازه چک کردن پس از پایان زمان تغییر (در دقیقه) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,تدارکات DocType: Item Group,Check this if you want to show in website,اگر می خواهید در وب سایت نشان داده شود، این را بررسی کنید apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,سال مالی {0} یافت نشد @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,تاریخ شروع تخلی DocType: Activity Cost,Billing Rate,نرخ بیلبورد apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},هشدار: یکی دیگر از {0} # {1} علیه ورود سهام است {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,لطفا تنظیمات Google Maps را برای تخمین و بهینه سازی مسیرها فعال کنید +DocType: Purchase Invoice Item,Page Break,شکستن صفحه DocType: Supplier Scorecard Criteria,Max Score,حداکثر امتیاز apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,تاریخ شروع بازپرداخت نمی تواند قبل از تاریخ پرداخت باشد. DocType: Support Search Source,Support Search Source,پشتیبانی از منبع جستجو @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,هدف هدف کیفیت DocType: Employee Transfer,Employee Transfer,انتقال کارفرمایان ,Sales Funnel,ورقه فروش DocType: Agriculture Analysis Criteria,Water Analysis,تجزیه و تحلیل آب +DocType: Shift Type,Begin check-in before shift start time (in minutes),قبل از شروع تغییر زمان شروع ثبت نام (در دقیقه) DocType: Accounts Settings,Accounts Frozen Upto,حساب منجمد تا apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,چیزی برای ویرایش وجود ندارد. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",عملیات {0} طولانی تر از هر ساعات کاری در ایستگاه کاری {1}، عملیات را به عملیات چندگانه مختل می کند @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,حس apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},سفارش فروش {0} {1} است apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),تاخیر در پرداخت (روز) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,جزئیات استهلاک را وارد کنید +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,سفارش خرید مشتری apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,تاریخ تحویل منتخب باید پس از تاریخ سفارش فروش باشد +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,مقدار مورد نمیتواند صفر باشد apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,خصیصه نامعتبر apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},لطفا BOM را در مورد {0} انتخاب کنید DocType: Bank Statement Transaction Invoice Item,Invoice Type,نوع فاکتور @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,تاریخ نگهداری DocType: Volunteer,Afternoon,بعد از ظهر DocType: Vital Signs,Nutrition Values,ارزش تغذیه ای DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),وجود تب (دماي 38.5 درجه سانتی گراد / 101.3 درجه فارنهایت یا دمای پایدار> 38 درجه سانتی گراد / 100.4 درجه فارنهایت) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,لطفا سیستم نامگذاری کارکنان را در منابع انسانی> تنظیمات HR تنظیم کنید apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC معکوس DocType: Project,Collect Progress,جمع آوری پیشرفت apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,انرژی @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,پیشرفت راه اندازی ,Ordered Items To Be Billed,آیتم های مرتب شده باید پرداخت شود DocType: Taxable Salary Slab,To Amount,به مقدار DocType: Purchase Invoice,Is Return (Debit Note),آیا بازگشت (توجه توجه) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,مشتری> گروه مشتری> قلمرو apps/erpnext/erpnext/config/desktop.py,Getting Started,شروع شدن apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,ادغام apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,تاریخ شروع مالی سال مالی و تاریخ پایان سال مالی یک سال مالی را نتوانید تغییر دهید. @@ -2216,8 +2232,10 @@ DocType: Maintenance Schedule Detail,Actual Date,تاریخ واقعی apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},تاریخ شروع تعمیر و نگهداری قبل از تاریخ تحویل برای سریال نمی باشد {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,ردیف {0}: نرخ ارز اجباری است DocType: Purchase Invoice,Select Supplier Address,انتخاب آدرس تأمین کننده +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}",مقدار موجود {0} است، شما نیاز دارید {1} apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,لطفا API Consumer راز وارد کنید DocType: Program Enrollment Fee,Program Enrollment Fee,هزینه ثبت نام برنامه +DocType: Employee Checkin,Shift Actual End,پایان واقعی شیت DocType: Serial No,Warranty Expiry Date,تاریخ انقضای گارانتی DocType: Hotel Room Pricing,Hotel Room Pricing,قیمت اتاق هتل apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted",منابع مالیاتی بیرونی (غیر از صفر امتیاز، بدون امتیاز و معافیت) @@ -2277,6 +2295,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,خواندن 5 DocType: Shopping Cart Settings,Display Settings,تنظیمات نمایشگر apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,لطفا مقدار Depreciations Booked را تنظیم کنید +DocType: Shift Type,Consequence after,نتیجه پس از apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,با چه چیزی به کمک نیاز دارید؟ DocType: Journal Entry,Printing Settings,تنظیمات چاپ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,بانکداری @@ -2286,6 +2305,7 @@ DocType: Purchase Invoice Item,PR Detail,جزئیات دقیق PR apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,آدرس صورتحساب همانند آدرس حمل و نقل است DocType: Account,Cash,نقدی DocType: Employee,Leave Policy,ترک سیاست +DocType: Shift Type,Consequence,نتیجه apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,آدرس دانشجو DocType: GST Account,CESS Account,حساب CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: مرکز هزینه برای حساب سود و زیان {2} لازم است. لطفا هزینه مرکز پیش فرض شرکت را تنظیم کنید. @@ -2350,6 +2370,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN کد DocType: Period Closing Voucher,Period Closing Voucher,دوره تعطیل کوپن apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,نام محافظ 2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,لطفا حساب هزینه را وارد کنید +DocType: Issue,Resolution By Variance,قطعنامه با واریانس DocType: Employee,Resignation Letter Date,تاریخ استعفای DocType: Soil Texture,Sandy Clay,خاک رس شنی DocType: Upload Attendance,Attendance To Date,حضور به تاریخ @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,مشاهده کن DocType: Item Price,Valid Upto,اعتبار دارد تا apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Doctype مرجع باید یکی از {0} +DocType: Employee Checkin,Skip Auto Attendance,از دست رفتن حضور خودکار DocType: Payment Request,Transaction Currency,پول معامله DocType: Loan,Repayment Schedule,برنامه بازپرداخت apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,ایجاد ضمانت ورودی نمونه @@ -2433,6 +2455,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,تخصیص سا DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,بستن بسته مالیات کوپن apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,اقدام ابتکاری DocType: POS Profile,Applicable for Users,مناسب برای کاربران +,Delayed Order Report,گزارش سفارش تاخیر شده DocType: Training Event,Exam,امتحان apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,تعداد اشتباهی از نوشته های عمومی لجر موجود است. شما ممکن است یک حساب اشتباه در معامله را انتخاب کنید. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,خط لوله فروش @@ -2447,10 +2470,11 @@ DocType: Account,Round Off,گرد کردن DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,شرایط در تمام موارد مورد انتخاب ترکیب می شود. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,پیکربندی DocType: Hotel Room,Capacity,ظرفیت +DocType: Employee Checkin,Shift End,پایان شفت DocType: Installation Note Item,Installed Qty,تعداد نصب شده apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,دسته {0} مورد {1} غیرفعال است. DocType: Hotel Room Reservation,Hotel Reservation User,کاربر رزرو هتل -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,روز کاری دو بار تکرار شده است +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,توافقنامه سطح خدمات با نوع شخص {0} و Entity {1} در حال حاضر وجود دارد. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},گروه مورد در مورد آیتم در مورد item {0} ذکر نشده است apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},خطای نام: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,قلمرو مورد نیاز در مشخصات POS است @@ -2498,6 +2522,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,تاریخ برنامه DocType: Packing Slip,Package Weight Details,وزن بسته بندی جزئیات DocType: Job Applicant,Job Opening,باز شدن موقعیت شغلی +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,آخرین همگام سازی موفقیت آمیز کارکنان Checkin. فقط اگر این اطمینان را داشته باشید که تمام سیاهههای مربوطه از همه مکانها همگامسازی شده است، این تنظیم را دوباره انجام دهید. لطفا این را اصلاح نکنید اگر مطمئن نیستید apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,هزینه واقعی apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),پیش پرداخت ({0}) در برابر سفارش {1} نمیتواند بیشتر از مجموع کل ({2} باشد) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,گزینه های مورد نسخه به روز شده است @@ -2542,6 +2567,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,دریافت خرید م apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,دریافت صورتحساب DocType: Tally Migration,Is Day Book Data Imported,اطلاعات کتاب روز وارد شده است ,Sales Partners Commission,کمپانی Sales Partners +DocType: Shift Type,Enable Different Consequence for Early Exit,تأثیرات مختلفی را برای خروج زودرس ایجاد کنید apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,قانونی DocType: Loan Application,Required by Date,مورد نیاز تاریخ DocType: Quiz Result,Quiz Result,نتایج امتحان @@ -2601,7 +2627,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,سال م DocType: Pricing Rule,Pricing Rule,قیمت گذاری قانون apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},لیست تعطیلات اختیاری برای مدت زمان تعطیلات تنظیم نمی شود {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,لطفا فیلد User ID را در یک رکورد Employee تنظیم کنید تا نقش کارکنان را تعیین کنید -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,زمان برای حل کردن DocType: Training Event,Training Event,رویداد آموزش DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",فشار خون در حالت طبیعی در بزرگسالان تقریبا 120 میلی متر جیوه سینوس و mmHg 80 میلیمتر دیاستولیک است، به اختصار "120/80 mmHg" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,اگر مقدار محدود صفر باشد، سیستم تمام ورودی ها را بر می گرداند. @@ -2645,6 +2670,7 @@ DocType: Woocommerce Settings,Enable Sync,فعال کردن همگامسازی DocType: Student Applicant,Approved,تایید شده apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},از تاریخ باید در سال مالی باشد. فرض از تاریخ = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,لطفا گروه تامین کننده را در تنظیمات خرید خریداری کنید. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} وضعیت حضور نامعتبر است DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,افتتاح حساب موقت DocType: Purchase Invoice,Cash/Bank Account,حساب نقدی / حساب بانکی DocType: Quality Meeting Table,Quality Meeting Table,میز جلسه کیفیت @@ -2680,6 +2706,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco",مواد غذایی، آشامیدنی و تنباکو apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,برنامه درس DocType: Purchase Taxes and Charges,Item Wise Tax Detail,مورد جزئیات دقیق مالیاتی +DocType: Shift Type,Attendance will be marked automatically only after this date.,شرکت کنندگان تنها پس از این تاریخ به طور خودکار مشخص می شوند. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,لوازم مورد نیاز برای نگهدارندگان UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,درخواست نقل قول apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,پس از ورود به حساب با استفاده از ارز دیگر، ارز را نمی توان تغییر داد @@ -2728,7 +2755,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,مورد از مرکز است apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,روش کیفی DocType: Share Balance,No of Shares,بدون سهام -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ردیف {0}: تعداد موجود در {4} در انبار {1} در زمان ارسال ورودی ({2} {3} موجود نیست) DocType: Quality Action,Preventive,پیشگیرانه DocType: Support Settings,Forum URL,نشانی اینترنتی انجمن apps/erpnext/erpnext/config/hr.py,Employee and Attendance,کارمند و شرکت کننده @@ -2950,7 +2976,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,نوع تخفیف DocType: Hotel Settings,Default Taxes and Charges,پیش فرض مالیات و هزینه ها apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,این بر مبنای معاملات در برابر این تامین کننده است. برای جزئیات بیشتر به جدول زمانی مراجعه کنید apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},حداکثر مبلغ سود کارمند {0} بیش از {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,تاریخ شروع و پایان برای موافقت نامه را وارد کنید. DocType: Delivery Note Item,Against Sales Invoice,علیه صورتحساب فروش DocType: Loyalty Point Entry,Purchase Amount,مبلغ خرید apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,نمی توان به عنوان سفارش خرید تعیین کرد. @@ -2974,7 +2999,7 @@ DocType: Homepage,"URL for ""All Products""",URL برای "همه محصو DocType: Lead,Organization Name,نام سازمان apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,درست از زمینه های معتبر و معتبر به صورت تجمعی اجباری است apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},ردیف # {0}: بیت No باید همانند {1} {2} باشد -DocType: Employee,Leave Details,ترک جزئیات +DocType: Employee Checkin,Shift Start,شروع شیب apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,معاملات سهام قبل از {0} یخ زده می شوند DocType: Driver,Issuing Date,تاریخ صدور apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,درخواست کننده @@ -3019,9 +3044,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,نمودار جریان نقدی جزئیات الگو apps/erpnext/erpnext/config/hr.py,Recruitment and Training,استخدام و آموزش DocType: Drug Prescription,Interval UOM,فاصله UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,تنظیمات دوره گریس برای حضور خودکار apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,از ارز و به ارز نمی تواند یکسان باشد apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,داروها DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,ساعت پشتیبانی apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} لغو یا بسته است apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,ردیف {0}: پیشرفت در برابر مشتری باید اعتبار باشد apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),گروه با کوپن (تثبیت شده) @@ -3131,6 +3158,7 @@ DocType: Asset Repair,Repair Status,وضعیت تعمیر DocType: Territory,Territory Manager,مدیریت سرزمین DocType: Lab Test,Sample ID,شناسه نمونه apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,سبد خرید خالی است +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,حضور به عنوان چک در هر کارمند مشخص شده است apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,دارایی {0} باید ارسال شود ,Absent Student Report,گزارش دانشجویی موجود نیست apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,شامل درآمد ناخالص @@ -3138,7 +3166,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,مبلغ جمع آوری شده apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ارائه نشده است بنابراین عملیات تکمیل نمی شود DocType: Subscription,Trial Period End Date,تاریخ پایان دوره آزمایشی +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,ورودی های متناوب به عنوان IN و OUT در طول تغییر همان DocType: BOM Update Tool,The new BOM after replacement,BOM جدید بعد از جایگزینی +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,تامین کننده> نوع عرضه کننده apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,مورد 5 DocType: Employee,Passport Number,شماره پاسپورت apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,افتتاح موقت @@ -3254,6 +3284,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,گزارش های کلیدی apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,تامین کننده احتمالی ,Issued Items Against Work Order,مقررات صادر شده علیه سفارش کار apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,ایجاد {0} صورتحساب +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,لطفا سیستم نامگذاری مربی را در آموزش و پرورش> تنظیمات تحصیلی تنظیم کنید DocType: Student,Joining Date,تاریخ عضویت apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,درخواست سایت DocType: Purchase Invoice,Against Expense Account,علیه حساب هزینه @@ -3293,6 +3324,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,هزینه های قابل اعمال ,Point of Sale,نقطه فروش DocType: Authorization Rule,Approving User (above authorized value),تأیید کاربر (بالاتر از ارزش مجاز) +DocType: Service Level Agreement,Entity,شخصیت apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},مقدار {0} {1} از {2} تا {3} منتقل شده است apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},مشتری {0} به پروژه تعلق ندارد {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,از نام حزب @@ -3339,6 +3371,7 @@ DocType: Asset,Opening Accumulated Depreciation,بازده تخریب جمع ش DocType: Soil Texture,Sand Composition (%),ترکیب ماسه (٪) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP- .YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,واردات کتاب روز معلومات +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,لطفا سری نامگذاری را برای {0} از طریق Setup> Settings> نامگذاری سری انتخاب کنید DocType: Asset,Asset Owner Company,دارایی شرکت مالک apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,هزینه اداره مورد نیاز برای رزرو ادعای هزینه است apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} شماره سریال معتبر برای مورد {1} @@ -3398,7 +3431,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,صاحب دارایی apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},انبار برای اجناس اجباری است Item {0} در ردیف {1} DocType: Stock Entry,Total Additional Costs,مجموع هزینه های اضافی -DocType: Marketplace Settings,Last Sync On,آخرین همگام سازی در apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,لطفا حداقل یک ردیف را در جدول مالیات و هزینه ها تنظیم کنید DocType: Asset Maintenance Team,Maintenance Team Name,نام تیم تعمیر و نگهداری apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,نمودار مراکز هزینه @@ -3414,12 +3446,12 @@ DocType: Sales Order Item,Work Order Qty,تعداد سفارش کار DocType: Job Card,WIP Warehouse,انبار WIP DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ- .YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},شناسه کاربر برای کارمند تنظیم نمی شود {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}",تعداد موجود است {0}، شما نیاز دارید {1} apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,کاربر {0} ایجاد شد DocType: Stock Settings,Item Naming By,مورد نامگذاری توسط apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,مرتب شده apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,این گروه مشتری ریشه است و نمی تواند ویرایش شود. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,درخواست مواد {0} لغو یا متوقف می شود +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,به طور جدی بر اساس ورود به سیستم در چک کارمند DocType: Purchase Order Item Supplied,Supplied Qty,تعداد عرضه شده DocType: Cash Flow Mapper,Cash Flow Mapper,جریان نقدی نشانگر DocType: Soil Texture,Sand,شن @@ -3478,6 +3510,7 @@ DocType: Lab Test Groups,Add new line,اضافه کردن خط جدید apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,گروه اقلام تکراری در جدول گروه مورد یافت می شود apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,حقوق سالانه DocType: Supplier Scorecard,Weighting Function,تابع وزن +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Conversion factor ({0} -> {1}) برای مورد یافت نشد: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,خطا در ارزیابی فرمول معیار ,Lab Test Report,آزمایش آزمایشی گزارش DocType: BOM,With Operations,با عملیات @@ -3491,6 +3524,7 @@ DocType: Expense Claim Account,Expense Claim Account,هزینه ادعای حس apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,هیچ مجوزی برای ورود مجله وجود ندارد apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} دانشجو غیر فعال است apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,ورودی سهام +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},مجاز BOM: {0} نمی تواند والد یا فرزند {1} باشد DocType: Employee Onboarding,Activities,فعالیت ها apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,یک انبار انبوه اجباری است ,Customer Credit Balance,تعادل اعتباری مشتری @@ -3503,9 +3537,11 @@ DocType: Supplier Scorecard Period,Variables,متغیرها apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,برنامه وفاداری چندگانه برای مشتری. لطفا به صورت دستی انتخاب کنید DocType: Patient,Medication,داروی apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,برنامه وفاداری را انتخاب کنید +DocType: Employee Checkin,Attendance Marked,شرکت کنندگان در نشست apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,مواد خام DocType: Sales Order,Fully Billed,کاملا تخفیف داده شده apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},لطفا قیمت اتاق هتل را برای {} تنظیم کنید +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,فقط یک اولویت به عنوان پیش فرض را انتخاب کنید. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},لطفا شناسه / ایجاد حساب کاربری (Ledger) برای نوع - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,مبلغ کل اعتبار / بدهی باید همانند ورود مجله مجله باشد DocType: Purchase Invoice Item,Is Fixed Asset,دارایی ثابت است @@ -3526,6 +3562,7 @@ DocType: Purpose of Travel,Purpose of Travel,هدف سفر DocType: Healthcare Settings,Appointment Confirmation,تایید انتصاب DocType: Shopping Cart Settings,Orders,سفارشات DocType: HR Settings,Retirement Age,سن بازنشستگی +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,لطفا شماره سریال را برای شرکت کنندگان از طریق Setup> Numbering Series بفرستید apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,تعداد پیش بینی شده apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},حذف برای کشور ممنوع است {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},ردیف # {0}: دارایی {1} در حال حاضر {2} @@ -3609,11 +3646,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,حسابدار apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},تعلیق POS تاخیر برای {0} بین تاریخ {1} و {2} وجود دارد apps/erpnext/erpnext/config/help.py,Navigating,هدایت +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,فاکتورهای برجسته ای وجود ندارد DocType: Authorization Rule,Customer / Item Name,نام مشتری / مورد apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,سریال جدید نمی تواند انبار را داشته باشد انبار باید توسط ورود سهام یا رسید خرید تعیین شود DocType: Issue,Via Customer Portal,از طریق پورتال مشتری DocType: Work Order Operation,Planned Start Time,زمان شروع برنامه ریزی شده apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} {2} +DocType: Service Level Priority,Service Level Priority,اولویت خدمات سطح apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,تعداد تخریب های رزرو شده نمی تواند بیشتر از تعداد کل دفعات تخلیه باشد apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,به اشتراک گذاشتن لجر DocType: Journal Entry,Accounts Payable,حساب قابل پرداخت @@ -3724,7 +3763,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,تحویل به DocType: Bank Statement Transaction Settings Item,Bank Data,داده های بانکی apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,برنامه ریزی شده تا -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,نگه داشتن ساعت های صورتحساب و ساعات کار همان زمان بندی apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,پیگیری توسط منبع سرب DocType: Clinical Procedure,Nursing User,پرستار کاربر DocType: Support Settings,Response Key List,لیست کلید واکنش @@ -3892,6 +3930,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,زمان شروع واقعی DocType: Antibiotic,Laboratory User,کاربر آزمایشگاهی apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,مزایده آنلاین +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,اولویت {0} تکرار شده است DocType: Fee Schedule,Fee Creation Status,وضعیت ایجاد هزینه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,نرم افزارها apps/erpnext/erpnext/config/help.py,Sales Order to Payment,سفارش خرید به پرداخت @@ -3958,6 +3997,7 @@ DocType: Patient Encounter,In print,در چاپ apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,اطلاعات برای {0} بازیابی نشد apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,پول صورتحساب باید برابر با ارز یا حساب حساب بانکی پیش فرض شرکت باشد apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,لطفا شناسه کارمند این فروش را وارد کنید +DocType: Shift Type,Early Exit Consequence after,پس از خروج زود هنگام apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,ایجاد افتتاح حساب های خرید و فروش DocType: Disease,Treatment Period,دوره درمان apps/erpnext/erpnext/config/settings.py,Setting up Email,راه اندازی ایمیل @@ -3975,7 +4015,6 @@ DocType: Employee Skill Map,Employee Skills,مهارت های کارمند apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,نام دانش آموز: DocType: SMS Log,Sent On,فرستاده شده است DocType: Bank Statement Transaction Invoice Item,Sales Invoice,فاکتور فروش -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,زمان پاسخ نمی تواند بیشتر از زمان قطع باشد DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",برای گروه دانشجویی دوره، دوره برای هر دانش آموز از دوره های ثبت شده در ثبت نام برنامه معتبر خواهد بود. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,لوازم خانگی در داخل کشور DocType: Employee,Create User Permission,ایجاد مجوز کاربر @@ -4014,6 +4053,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,شرایط قرارداد استاندارد برای فروش یا خرید. DocType: Sales Invoice,Customer PO Details,اطلاعات مشتری PO apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,بیمار یافت نشد +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,اولویت پیش فرض را انتخاب کنید. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,حذف مورد اگر اتهامات مربوط به آن مورد نباشد apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,یک گروه مشتری با همین نام وجود دارد لطفا نام مشتری را تغییر دهید یا نام مشتری گروه را تغییر دهید 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. @@ -4053,6 +4093,7 @@ DocType: Quality Goal,Quality Goal,هدف کیفیت DocType: Support Settings,Support Portal,پورتال پشتیبانی apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},تاریخ پایان کار {0} نمیتواند کمتر از {1} تاریخ شروع محاسبه باشد {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},کارمند {0} در حال ترک {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},این توافقنامه سطح سرویس برای مشتری {0} خاص است DocType: Employee,Held On,برگزار شد DocType: Healthcare Practitioner,Practitioner Schedules,برنامه تمرینکننده DocType: Project Template Task,Begin On (Days),شروع (روز) @@ -4060,6 +4101,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},سفارش کار شده است {0} DocType: Inpatient Record,Admission Schedule Date,تاریخ برنامه پذیرش apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,تعدیل ارزش دارایی +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,اعضای مارک بر اساس "چک کارمند" برای کارمندان تعیین شده به این تغییر. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,اقلام ساخته شده به افراد ثبت نشده apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,همه مشاغل DocType: Appointment Type,Appointment Type,نوع انتصاب @@ -4173,7 +4215,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),وزن ناخالص بسته معمولا وزن خالص + وزن بسته بندی مواد. (برای چاپ) DocType: Plant Analysis,Laboratory Testing Datetime,زمان آزمایش آزمایشگاهی apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Item {0} نمیتواند دسته داشته باشد -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,خط لوله فروش با مرحله apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,قدرت گروه دانشجویی DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,بیانیه بیانیه بانکی ورودی معاملات DocType: Purchase Order,Get Items from Open Material Requests,آیتم هایی از درخواست های باز مواد را دریافت کنید @@ -4255,7 +4296,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,نمایش انبار انسانی عاقلانه DocType: Sales Invoice,Write Off Outstanding Amount,مقدار قابل توجهی را بنویسید DocType: Payroll Entry,Employee Details,جزئیات کارمند -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,زمان شروع نمی تواند بیشتر از پایان زمان برای {0} باشد. DocType: Pricing Rule,Discount Amount,مقدار تخفیف DocType: Healthcare Service Unit Type,Item Details,جزئیات مورد apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},اعلامیه مالیاتی تکراری {0} برای دوره {1} @@ -4308,7 +4348,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,پرداخت خالص منفی نیست apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,هیچ تعاملات 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/hr/doctype/employee/employee_dashboard.py,Shift,تغییر مکان +DocType: Attendance,Shift,تغییر مکان apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,نمودار پردازش حساب ها و احزاب DocType: Stock Settings,Convert Item Description to Clean HTML,Convert Item Description برای پاک کردن HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,همه گروه های تولید کننده @@ -4379,6 +4419,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,فعالیت DocType: Healthcare Service Unit,Parent Service Unit,واحد خدمات والدین DocType: Sales Invoice,Include Payment (POS),شامل پرداخت (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,سهم خصوصی +DocType: Shift Type,First Check-in and Last Check-out,اولین چک و آخرین اتمام DocType: Landed Cost Item,Receipt Document,سند رسید DocType: Supplier Scorecard Period,Supplier Scorecard Period,دوره کارت امتیازی تامین کننده DocType: Employee Grade,Default Salary Structure,ساختار پیش فرض حقوق @@ -4461,6 +4502,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,ایجاد سفارش خرید apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,تعریف بودجه برای یک سال مالی. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,جدول حساب نمیتواند خالی باشد +DocType: Employee Checkin,Entry Grace Period Consequence,پس از پیروزی دوره پذیرش ,Payment Period Based On Invoice Date,دوره پرداخت بر اساس تاریخ صورتحساب apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},تاریخ نصب را نمی توان قبل از تاریخ تحویل برای Item {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,پیوند به درخواست مواد @@ -4469,6 +4511,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,نوع داد apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},ردیف {0}: ورودی دوباره تنظیم برای این انبار وجود دارد {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,تاریخ داک DocType: Monthly Distribution,Distribution Name,نام توزیع +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,روز کاری {0} تکرار شده است apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,گروه به غیر گروه apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,در حال بروزرسانی. ممکن است کمی طول بکشد. DocType: Item,"Example: ABCD.##### @@ -4481,6 +4524,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,تعداد سوخت apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 موبایل شماره DocType: Invoice Discounting,Disbursed,پرداخت شده +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,زمان پس از پایان تغییر در طی آن چک کردن برای حضور در نظر گرفته می شود. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,تغییر خالص در حساب قابل پرداخت apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,در دسترس نیست apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,پاره وقت @@ -4494,7 +4538,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,فرصت apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,نمایش PDC در چاپ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify تامین کننده DocType: POS Profile User,POS Profile User,کاربر پروفایل POS -DocType: Student,Middle Name,نام میانه DocType: Sales Person,Sales Person Name,نام شخص فروش DocType: Packing Slip,Gross Weight,وزن ناخالص DocType: Journal Entry,Bill No,بیل نه @@ -4503,7 +4546,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,مح DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG- .YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,توافقنامه سطح خدمات -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,لطفا اولین کارمند و تاریخ را انتخاب کنید apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,نرخ ارز مورد بررسی با توجه به مقدار کوپن هزینه زمین محاسبه می شود DocType: Timesheet,Employee Detail,جزئیات کارکنان DocType: Tally Migration,Vouchers,کوپنها @@ -4538,7 +4580,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,توافقنام DocType: Additional Salary,Date on which this component is applied,تاریخی که این جزء اعمال می شود apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,فهرست سهامداران موجود با شماره های برگه apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,تنظیم حساب دروازه -DocType: Service Level,Response Time Period,دوره زمان پاسخ +DocType: Service Level Priority,Response Time Period,دوره زمان پاسخ DocType: Purchase Invoice,Purchase Taxes and Charges,مالیات و هزینه های خرید DocType: Course Activity,Activity Date,تاریخ فعالیت apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,مشتری را انتخاب کنید یا اضافه کنید @@ -4563,6 +4605,7 @@ DocType: Sales Person,Select company name first.,برای اولین بار نا apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,سال مالی DocType: Sales Invoice Item,Deferred Revenue,درآمد معوق apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,حداقل یکی از فروش یا خرید باید انتخاب شود +DocType: Shift Type,Working Hours Threshold for Half Day,آستانه ساعت کار برای نیم روز ,Item-wise Purchase History,تاریخ دقیق خرید پیشنهادی apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},تاریخ توقف سرویس برای آیتم در سطر {0} DocType: Production Plan,Include Subcontracted Items,شامل موارد زیر قرارداد @@ -4595,6 +4638,7 @@ DocType: Journal Entry,Total Amount Currency,مجموع ارزش پول DocType: BOM,Allow Same Item Multiple Times,چندین بار یک مورد را مجاز کنید apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,ایجاد BOM DocType: Healthcare Practitioner,Charges,اتهامات +DocType: Employee,Attendance and Leave Details,حضور و ترک جزئیات DocType: Student,Personal Details,اطلاعات شخصی DocType: Sales Order,Billing and Delivery Status,صورتحساب و وضعیت تحویل apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,ردیف {0}: برای تامین کننده {0} آدرس ایمیل مورد نیاز برای ارسال ایمیل است @@ -4646,7 +4690,6 @@ DocType: Bank Guarantee,Supplier,تامین کننده apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},مقداری را وارد کنید {0} و {1} DocType: Purchase Order,Order Confirmation Date,سفارش تایید تاریخ DocType: Delivery Trip,Calculate Estimated Arrival Times,محاسبه زمان ورود تخمینی -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,لطفا سیستم نامگذاری کارکنان را در منابع انسانی> تنظیمات HR تنظیم کنید apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,مصرفی DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS- .YYYY.- DocType: Subscription,Subscription Start Date,تاریخ شروع اشتراک @@ -4669,7 +4712,7 @@ DocType: Installation Note Item,Installation Note Item,نکته نصب نکته DocType: Journal Entry Account,Journal Entry Account,حساب ورودی مجله apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,واریانت apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,فعالیت انجمن -DocType: Service Level,Resolution Time Period,مدت زمان قطعنامه +DocType: Service Level Priority,Resolution Time Period,مدت زمان قطعنامه DocType: Request for Quotation,Supplier Detail,جزئیات تامین کننده DocType: Project Task,View Task,مشاهده کار DocType: Serial No,Purchase / Manufacture Details,جزئیات خرید / ساخت @@ -4736,6 +4779,7 @@ DocType: Sales Invoice,Commission Rate (%),نرخ کمیسیون (٪) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,انبار تنها می تواند از طریق ضمانت ورود / تحویل سهام / رسید خرید تغییر می کند DocType: Support Settings,Close Issue After Days,بستن شماره بعد از روز DocType: Payment Schedule,Payment Schedule,برنامه زمانی پرداخت +DocType: Shift Type,Enable Entry Grace Period,فعال کردن دوره گریز ورود DocType: Patient Relation,Spouse,همسر DocType: Purchase Invoice,Reason For Putting On Hold,دلیل برای قرار گرفتن در معرض DocType: Item Attribute,Increment,افزایش @@ -4875,6 +4919,7 @@ DocType: Authorization Rule,Customer or Item,مشتری یا مورد DocType: Vehicle Log,Invoice Ref,شماره فاکتور apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},فرم C برای فاکتور قابل اجرا نیست: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,صورتحساب ایجاد شده +DocType: Shift Type,Early Exit Grace Period,دوره عزیمت زود هنگام DocType: Patient Encounter,Review Details,بررسی جزئیات apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,ردیف {0}: مقدار ساعت باید بیشتر از صفر باشد. DocType: Account,Account Number,شماره حساب @@ -4886,7 +4931,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL",قابل اجرا اگر شرکت SpA، SApA یا SRL باشد apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,شرایط همپوشانی بین: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,پرداخت شده و تحویل نمی شود -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,کد اجباری اجباری است زیرا عنصر به صورت خودکار شماره گذاری نمی شود DocType: GST HSN Code,HSN Code,HSN کد DocType: GSTR 3B Report,September,سپتامبر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,هزینه های اداری @@ -4922,6 +4966,8 @@ DocType: Travel Itinerary,Travel From,سفر از apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,حساب CWIP DocType: SMS Log,Sender Name,نام فرستنده DocType: Pricing Rule,Supplier Group,گروه تامین کننده +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",تنظیم زمان شروع و پایان زمان برای \ روز پشتیبانی {0} در شاخص {1}. DocType: Employee,Date of Issue,تاریخ صدور ,Requested Items To Be Transferred,مورد درخواست شده برای انتقال DocType: Employee,Contract End Date,تاریخ پایان قرارداد @@ -4932,6 +4978,7 @@ DocType: Healthcare Service Unit,Vacant,خالی DocType: Opportunity,Sales Stage,مرحله فروش DocType: Sales Order,In Words will be visible once you save the Sales Order.,در Word ها هنگامی که سفارش خرید را ذخیره می کنید قابل مشاهده خواهد بود. DocType: Item Reorder,Re-order Level,سطح سفارش مجدد +DocType: Shift Type,Enable Auto Attendance,فعال کردن حضور خودکار apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,ترجیح ,Department Analytics,تجزیه و تحلیل گروه DocType: Crop,Scientific Name,نام علمی @@ -4944,6 +4991,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} وضعیت {2 DocType: Quiz Activity,Quiz Activity,فعالیت امتحان apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} در یک دوره ثبت نام معتبر نیست DocType: Timesheet,Billed,پرداخت شده +apps/erpnext/erpnext/config/support.py,Issue Type.,نوع مقاله. DocType: Restaurant Order Entry,Last Sales Invoice,آخرین اسکناس فروش DocType: Payment Terms Template,Payment Terms,شرایط پرداخت apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",ذخیره تعداد: تعداد سفارش برای فروش، اما تحویل داده نشده است. @@ -5039,6 +5087,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,دارایی apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} یک برنامه تمرین بهداشتی ندارد آن را در کارشناسی ارشد بهداشت و درمان اضافه کنید DocType: Vehicle,Chassis No,شاسی نه +DocType: Employee,Default Shift,تغییرات پیش فرض apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,اختصارات شرکت apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,درخت بیل مواد DocType: Article,LMS User,کاربر LMS @@ -5087,6 +5136,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST- .YYYY.- DocType: Sales Person,Parent Sales Person,شخصی فروش والدین DocType: Student Group Creation Tool,Get Courses,دریافت دوره ها apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",ردیف # {0}: مقدار باید 1 باشد، زیرا اقلام دارایی ثابت است. لطفا از سطر جداگانه برای چندین عدد استفاده کنید. +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),ساعت کاری که زیر آن مشخص نشده است. (صفر برای غیر فعال کردن) DocType: Customer Group,Only leaf nodes are allowed in transaction,گره های برگ تنها در تراکنش مجاز می باشند DocType: Grant Application,Organization,سازمان DocType: Fee Category,Fee Category,هزینه دسته @@ -5099,6 +5149,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,لطفا وضعیت خود را برای این رویداد آموزشی به روز کنید DocType: Volunteer,Morning,صبح DocType: Quotation Item,Quotation Item,مورد نقل قول +apps/erpnext/erpnext/config/support.py,Issue Priority.,اولویت مسئله DocType: Journal Entry,Credit Card Entry,ورود کارت اعتباری apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",شکاف زمانی شکسته می شود، شکاف {0} تا {1} همپوشانی با شکاف موجود {2} تا {3} DocType: Journal Entry Account,If Income or Expense,اگر درآمد یا هزینه @@ -5149,11 +5200,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,واردات داده ها و تنظیمات 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: Account,Expense Account,حساب هزینه +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,زمان قبل از شروع تغییر زمان که در آن ورود کارکنان برای حضور در نظر گرفته می شود. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,ارتباط با نگهبان 1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,ایجاد صورتحساب apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},درخواست پرداخت قبلا وجود دارد {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',کارمند در {0} رفع شده باید به عنوان 'چپ' تنظیم شود apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},پرداخت {0} {1} +DocType: Company,Sales Settings,تنظیمات فروش DocType: Sales Order Item,Produced Quantity,تعداد تولیدی apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,درخواست نقل قول را می توان با کلیک روی پیوند زیر مشاهده کرد DocType: Monthly Distribution,Name of the Monthly Distribution,نام توزیع ماهانه @@ -5232,6 +5285,7 @@ DocType: Company,Default Values,مقادیر پیش فرض apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,قالب های پیش فرض مالی برای فروش و خرید ایجاد می شود. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,ترک نوع {0} نمی تواند حمل و نقل ارسال شود apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,بدهی برای حساب باید یک حساب دریافتی باشد +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},لطفا تنظیم حساب در انبار {0} یا حساب پیش فرض موجودی در شرکت {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,تنظیم به عنوان پیشفرض DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),وزن خالص این بسته. (به طور خودکار به عنوان مجموع وزن خالص اقلام محاسبه می شود) @@ -5258,8 +5312,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,بسته های منقضی شده DocType: Shipping Rule,Shipping Rule Type,نوع حمل و نقل DocType: Job Offer,Accepted,پذیرفته شده -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","لطفا کارمند {0} \ را برای لغو این سند حذف کنید" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,شما قبلا برای معیارهای ارزیابی ارزیابی کرده اید {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,شماره های دسته را انتخاب کنید apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),سن (روز) @@ -5286,6 +5338,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,دامنه های خود را انتخاب کنید DocType: Agriculture Task,Task Name,وظیفه نام apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,مقالات در حال حاضر برای سفارش کار ایجاد شده است +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","لطفا کارمند {0} \ را برای لغو این سند حذف کنید" ,Amount to Deliver,مقدار تحویل apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,شرکت {0} وجود ندارد apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,هیچ درخواست معلق در انتظار برای پیوند برای موارد داده شده یافت نشد. @@ -5335,6 +5389,7 @@ DocType: Program Enrollment,Enrolled courses,دوره های ثبت نام شد DocType: Lab Prescription,Test Code,کد تست DocType: Purchase Taxes and Charges,On Previous Row Total,در مجموع ردیف قبلی DocType: Student,Student Email Address,آدرس ایمیل دانشجو +,Delayed Item Report,گزارش مورد دلخواه DocType: Academic Term,Education,تحصیلات DocType: Supplier Quotation,Supplier Address,آدرس ارائه دهنده DocType: Salary Detail,Do not include in total,در مجموع شامل نمی شود @@ -5342,7 +5397,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} وجود ندارد DocType: Purchase Receipt Item,Rejected Quantity,مقدار رد شده DocType: Cashier Closing,To TIme,برای TIme -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Conversion factor ({0} -> {1}) برای مورد یافت نشد: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,کاربر گروه خلاصه روزانه کار DocType: Fiscal Year Company,Fiscal Year Company,سال مالی شرکت apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,آیتم جایگزین نباید همانند کد آیتم باشد @@ -5394,6 +5448,7 @@ DocType: Program Fee,Program Fee,هزینه برنامه DocType: Delivery Settings,Delay between Delivery Stops,تأخیر بین توقف تحویل DocType: Stock Settings,Freeze Stocks Older Than [Days],مسدود کردن سهام قدیمی تر از [روز] DocType: Promotional Scheme,Promotional Scheme Product Discount,طرح تخفیف محصول تبلیغاتی +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,اولویت مسئله در حال حاضر وجود دارد DocType: Account,Asset Received But Not Billed,دارایی دریافت شده اما غیرقانونی است DocType: POS Closing Voucher,Total Collected Amount,مجموع مقدار جمع آوری شده DocType: Course,Default Grading Scale,مقیاس درجه بندی پیش فرض @@ -5436,6 +5491,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,شرایط تکمیل apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,غیر گروه به گروه DocType: Student Guardian,Mother,مادر +DocType: Issue,Service Level Agreement Fulfilled,توافقنامه سطح خدمات تحقق یافته است DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,مالیات را تخفیف برای مزایای کارمند بدون اعلان DocType: Travel Request,Travel Funding,تامین مالی سفر DocType: Shipping Rule,Fixed,درست شد @@ -5465,10 +5521,12 @@ DocType: Item,Warranty Period (in days),دوره گارانتی (در روز) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,موردی یافت نشد. DocType: Item Attribute,From Range,از محدوده DocType: Clinical Procedure,Consumables,مواد مصرفی +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' و 'timestamp' مورد نیاز هستند. DocType: Purchase Taxes and Charges,Reference Row #,ردیف ردیف # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},لطفا "مرکز هزینه های استهلاک دارایی" را در شرکت تنظیم کنید {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,ردیف # {0}: سند پرداخت برای تکمیل تراکنش لازم است DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,روی این دکمه کلیک کنید تا داده های فروش سفارش خود را از MWS آمازون بکشید. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),ساعت کاری که زیر نیم روز است مشخص شده است. (صفر برای غیر فعال کردن) ,Assessment Plan Status,وضعیت برنامه ارزیابی apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,لطفا اول {0} را انتخاب کنید apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,این را برای ایجاد رکورد کارمند ارسال کنید @@ -5539,6 +5597,7 @@ DocType: Quality Procedure,Parent Procedure,روش والدین apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,تنظیم باز کنید apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,تغییر فیلترها DocType: Production Plan,Material Request Detail,جزئیات درخواست مواد +DocType: Shift Type,Process Attendance After,مشارکت فرآیند پس از DocType: Material Request Item,Quantity and Warehouse,تعداد و انبار apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,به برنامه ها بروید apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},ردیف # {0}: ورودی کپی شده در منابع {1} {2} @@ -5596,6 +5655,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,اطلاعات حزب apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),بدهکار ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,تا تاریخ نمیتواند بیشتر از تاریخ تسکین کارکنان باشد +DocType: Shift Type,Enable Exit Grace Period,گارانتی خروج را فعال کنید DocType: Expense Claim,Employees Email Id,شناسه کارکنان ایمیل DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,به روز رسانی قیمت از Shopify به لیست قیمت ERPNext DocType: Healthcare Settings,Default Medical Code Standard,استاندارد پیش فرض استاندارد پزشکی @@ -5626,7 +5686,6 @@ DocType: Item Group,Item Group Name,نام گروه مورد DocType: Budget,Applicable on Material Request,قابل اجرا در درخواست مواد DocType: Support Settings,Search APIs,API های جستجو DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,درصد تولید بیش از حد برای سفارش فروش -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,مشخصات فنی DocType: Purchase Invoice,Supplied Items,اقلام ارائه شده DocType: Leave Control Panel,Select Employees,کارمندان را انتخاب کنید apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},حساب درآمد سود را در وام {0} @@ -5652,7 +5711,7 @@ DocType: Salary Slip,Deductions,کسر ,Supplier-Wise Sales Analytics,تجزیه و تحلیل فروش هوشمند عرضه کننده DocType: GSTR 3B Report,February,فوریه DocType: Appraisal,For Employee,برای کارمند -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,تاریخ تحویل واقعی +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,تاریخ تحویل واقعی DocType: Sales Partner,Sales Partner Name,نام تجاری فروشنده apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,ريزش خالص {0}: تاریخ شروع خسارت وارد شده به عنوان تاریخ گذشته است DocType: GST HSN Code,Regional,منطقه ای @@ -5691,6 +5750,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,ف DocType: Supplier Scorecard,Supplier Scorecard,کارت امتیازی ارائه شده DocType: Travel Itinerary,Travel To,سفر به apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,علامتگذاری حضور +DocType: Shift Type,Determine Check-in and Check-out,تعیین ورود و خروج DocType: POS Closing Voucher,Difference,تفاوت apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,کوچک DocType: Work Order Item,Work Order Item,مورد سفارش کار @@ -5724,6 +5784,7 @@ DocType: Sales Invoice,Shipping Address Name,نام آدرس حمل و نقل apps/erpnext/erpnext/healthcare/setup.py,Drug,دارو apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} بسته است DocType: Patient,Medical History,تاریخچه پزشکی +DocType: Expense Claim,Expense Taxes and Charges,مالیات و هزینه های هزینه DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,تعداد روزهای پس از تاریخ فاکتور قبل از لغو اشتراک یا علامتگذاری اشتراک به عنوان بدون پرداخت هزینه سپری شده است apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,توجه داشته باشید نصب {0} قبلا ارائه شده است DocType: Patient Relation,Family,خانواده @@ -5756,7 +5817,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,استحکام apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} واحد {1} مورد نیاز در {2} برای تکمیل این معامله. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,مواد اولیه فرعی متعلق به قرارداد قرارداد -DocType: Bank Guarantee,Customer,مشتری DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",در صورت فعال بودن، دوره Academic Term در ابزار ثبت نام برنامه اجباری خواهد بود. DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",برای گروه دانشجویی مبتنی بر دسته، گروه دانشجویی برای هر دانش آموز از ثبت نام برنامه تأیید خواهد شد. DocType: Course,Topics,موضوعات @@ -5836,6 +5896,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,اعضای گروه DocType: Warranty Claim,Service Address,آدرس خدمات DocType: Journal Entry,Remark,یادداشت +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ردیف {0}: مقدار موجود در {4} در انبار {1} در زمان ارسال ورودی ({2} {3} موجود نیست) DocType: Patient Encounter,Encounter Time,زمان برخورد DocType: Serial No,Invoice Details,جزئیات فاکتور apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",حساب های زیر می توانند در گروه ها ایجاد شوند، اما می توان از ورودی ها در برابر غیر گروه ها استفاده کرد @@ -5916,6 +5977,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",ی apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),بستن (باز کردن + مجموع) DocType: Supplier Scorecard Criteria,Criteria Formula,معیارهای فرمول apps/erpnext/erpnext/config/support.py,Support Analytics,پشتیبانی از تجزیه و تحلیل +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),شناسه سرویس حضور (شناسه بیومتریک / RF برچسب) apps/erpnext/erpnext/config/quality_management.py,Review and Action,مرور و اقدام DocType: Account,"If the account is frozen, entries are allowed to restricted users.",اگر حساب یخ زده باشد، ورودی ها به کاربران محدود می شود. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,مقدار پس از استهلاک @@ -5937,6 +5999,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,بازپرداخت وام DocType: Employee Education,Major/Optional Subjects,موضوعات اصلی / اختیاری DocType: Soil Texture,Silt,سیل +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,آدرس و اطلاعات مخاطب DocType: Bank Guarantee,Bank Guarantee Type,نوع تضمین بانکی DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",اگر غیرفعال شود، فیلد 'Rounded Total' در هر معامله قابل مشاهده نخواهد بود DocType: Pricing Rule,Min Amt,حداقل امت @@ -5975,6 +6038,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,باز کردن ابزار ایجاد صورتحساب DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,شامل معاملات POS +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},هیچ کارمند برای ارزش کارمند داده شده مشخص نشده است. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),مقدار دریافتی (ارزش شرکت) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",LocalStorage پر است، ذخیره نکرد DocType: Chapter Member,Chapter Member,عضو گروه @@ -6007,6 +6071,7 @@ DocType: SMS Center,All Lead (Open),تمام سرب (باز) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,هیچ گروه دانشجویی ایجاد نشد. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},تکرار ردیف {0} با همان {1} DocType: Employee,Salary Details,جزئیات حقوق و دستمزد +DocType: Employee Checkin,Exit Grace Period Consequence,خروج از دوره عطف DocType: Bank Statement Transaction Invoice Item,Invoice,صورتحساب DocType: Special Test Items,Particulars,جزئیات apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,لطفا فیلتر را بر اساس مورد یا انبار تنظیم کنید @@ -6108,6 +6173,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,خارج از AMC DocType: Job Opening,"Job profile, qualifications required etc.",مشخصات شغلی، مدارک مورد نیاز و غیره apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,کشتی به دولت +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,میخواهید درخواست مواد را ارسال کنید DocType: Opportunity Item,Basic Rate,نرخ پایه DocType: Compensatory Leave Request,Work End Date,تاریخ پایان کار apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,درخواست مواد اولیه @@ -6293,6 +6359,7 @@ DocType: Depreciation Schedule,Depreciation Amount,مقدار خسارت DocType: Sales Order Item,Gross Profit,سود ناخالص DocType: Quality Inspection,Item Serial No,مورد شماره سریال DocType: Asset,Insurer,بیمه گر +DocType: Employee Checkin,OUT,بیرون apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,مقدار خرید DocType: Asset Maintenance Task,Certificate Required,گواهی مورد نیاز است DocType: Retention Bonus,Retention Bonus,پاداش احتباس @@ -6408,6 +6475,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),مقدار اختل DocType: Invoice Discounting,Sanctioned,مجازات DocType: Course Enrollment,Course Enrollment,ثبت نام دوره DocType: Item,Supplier Items,آیتم های تامین کننده +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",زمان شروع نمی تواند بیشتر یا برابر End Time \ for {0} باشد. DocType: Sales Order,Not Applicable,قابل اجرا نیست DocType: Support Search Source,Response Options,گزینه های پاسخ apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} باید مقدار بین 0 تا 100 باشد @@ -6494,7 +6563,6 @@ DocType: Travel Request,Costing,هزینه کردن apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,دارایی های ثابت DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,مجموع درآمد -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,مشتری> گروه مشتری> قلمرو DocType: Share Balance,From No,از شماره DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,فاکتور تطبیق پرداخت DocType: Purchase Invoice,Taxes and Charges Added,مالیات ها و هزینه ها اضافه شده است @@ -6602,6 +6670,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,نادیده گرفتن قانون قیمت گذاری apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,غذا DocType: Lost Reason Detail,Lost Reason Detail,جزئیات از دست رفته +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},شماره سریال زیر ایجاد شد:
{0} DocType: Maintenance Visit,Customer Feedback,بازخورد مشتری DocType: Serial No,Warranty / AMC Details,گارانتی / جزئیات AMC DocType: Issue,Opening Time,زمان بازگشایی @@ -6651,6 +6720,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,نام شرکت همان نیست apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,ارتقاء کارکنان نمی تواند قبل از تاریخ ارتقاء داده شود apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},مجاز به به روز رسانی معاملات سهام بیش از {0} +DocType: Employee Checkin,Employee Checkin,چک کارمند apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},تاریخ شروع باید کمتر از تاریخ پایان برای Item {0} باشد apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,ایجاد نقل قول مشتری DocType: Buying Settings,Buying Settings,تنظیمات خرید @@ -6672,6 +6742,7 @@ DocType: Job Card Time Log,Job Card Time Log,زمان ورود شغل DocType: Patient,Patient Demographics,جمعیت شناسی بیمار DocType: Share Transfer,To Folio No,به برگه شماره apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,جریان نقدی عملیات +DocType: Employee Checkin,Log Type,نوع ورود DocType: Stock Settings,Allow Negative Stock,اجازه دهید سهام منفی apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,هیچ کدام از موارد هیچ تغییری در مقدار یا ارزش ندارند. DocType: Asset,Purchase Date,تاریخ خرید @@ -6716,6 +6787,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,خیلی زیاد apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,طبیعت کسب و کار خود را انتخاب کنید. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,لطفا ماه و سال را انتخاب کنید +DocType: Service Level,Default Priority,اولویت پیش فرض DocType: Student Log,Student Log,ورود دانشجو DocType: Shopping Cart Settings,Enable Checkout,فعال کردن پرداخت apps/erpnext/erpnext/config/settings.py,Human Resources,منابع انسانی @@ -6744,7 +6816,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Shopify را با ERPNext وصل کنید DocType: Homepage Section Card,Subtitle,عنوان فرعی DocType: Soil Texture,Loam,لام -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,تامین کننده> نوع عرضه کننده DocType: BOM,Scrap Material Cost(Company Currency),هزینه مواد قراضه (ارزش شرکت) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,یادداشت تحویل {0} نباید ارسال شود DocType: Task,Actual Start Date (via Time Sheet),تاریخ شروع واقعی (از طریق ورق زمان) @@ -6800,6 +6871,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,مصرف DocType: Cheque Print Template,Starting position from top edge,موقعیت شروع از لبه بالا apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),مدت زمان انتصاب (دقیقه) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},این کارمند در حال حاضر یک ورودی با همان نشانگر زمانی دارد. {0} DocType: Accounting Dimension,Disable,غیرفعال کردن DocType: Email Digest,Purchase Orders to Receive,سفارشات خرید برای دریافت apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,دستورالعمل های تولید نمی توانند مطرح شوند: @@ -6815,7 +6887,6 @@ DocType: Production Plan,Material Requests,درخواست مواد DocType: Buying Settings,Material Transferred for Subcontract,ماده انتقال قرارداد قرارداد DocType: Job Card,Timing Detail,جزئیات زمان apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,مورد نیاز -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},وارد کردن {0} از {1} DocType: Job Offer Term,Job Offer Term,پیشنهاد شغل DocType: SMS Center,All Contact,همه تماس DocType: Project Task,Project Task,وظیفه پروژه @@ -6866,7 +6937,6 @@ DocType: Student Log,Academic,علمی apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,مورد {0} برای شماره سریال تنظیم نشده است apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,از دولت DocType: Leave Type,Maximum Continuous Days Applicable,حداکثر روز پیوسته قابل اجرا -apps/erpnext/erpnext/config/support.py,Support Team.,تیم پشتیبانی apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,لطفا اول نام شرکت را وارد کنید apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,واردات موفق DocType: Guardian,Alternate Number,شماره جایگزین @@ -6958,6 +7028,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,ردیف # {0}: مورد اضافه شده است DocType: Student Admission,Eligibility and Details,واجد شرایط بودن و جزئیات DocType: Staffing Plan,Staffing Plan Detail,جزئیات برنامه کارکنان +DocType: Shift Type,Late Entry Grace Period,دوره غیبت ورودی بعدی DocType: Email Digest,Annual Income,درآمد سالانه DocType: Journal Entry,Subscription Section,بخش اشتراک DocType: Salary Slip,Payment Days,روز پرداخت @@ -7008,6 +7079,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,موجودی حساب DocType: Asset Maintenance Log,Periodicity,دوره ای apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,رکورد پزشکی +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,ورود به سیستم برای چک کردن سقوط در تغییر مورد نیاز است: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,اجرا DocType: Item,Valuation Method,روش ارزش گذاری apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} در برابر صورتحساب فروش {1} @@ -7092,6 +7164,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,هزینه پیش بی DocType: Loan Type,Loan Name,نام وام apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,حالت پیش فرض پرداخت را تنظیم کنید DocType: Quality Goal,Revision,بازبینی +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,زمان قبل از پایان زمان تغییر زمانی که چک کردن به عنوان زود هنگام (در دقیقه) در نظر گرفته شده است. DocType: Healthcare Service Unit,Service Unit Type,نوع واحد خدمات DocType: Purchase Invoice,Return Against Purchase Invoice,برگشت به خرید فاکتور apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,ایجاد راز @@ -7247,12 +7320,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,لوازم آرایشی DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,این را چک کنید اگر میخواهید قبل از ذخیره، یک سری را انتخاب کنید. اگر شما این را بررسی کنید پیش فرض وجود نخواهد داشت. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,کاربران با این نقش مجاز هستند حسابهای یخ زده را تنظیم کنند و اعمال حسابداری را در برابر حسابهای یخ زده ایجاد / تغییر دهند +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,کد مورد> گروه مورد> نام تجاری DocType: Expense Claim,Total Claimed Amount,مجموع مقدار ادعا شده 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} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,بسته شدن apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,شما فقط می توانید تمدید کنید اگر عضویت شما در 30 روز منقضی شود apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},مقدار باید بین {0} و {1} باشد DocType: Quality Feedback,Parameters,مولفه های +DocType: Shift Type,Auto Attendance Settings,تنظیمات حضور در خودرو ,Sales Partner Transaction Summary,خلاصه تراکنش فروش شریک DocType: Asset Maintenance,Maintenance Manager Name,نام مدیر تعمیر و نگهداری apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,لازم است که جزئیات مورد را انتخاب کنید. @@ -7344,10 +7419,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,تأیید اعتبار کاربردی DocType: Job Card Item,Job Card Item,مورد کار کارت DocType: Homepage,Company Tagline for website homepage,Tagline شرکت برای صفحه اصلی وب سایت +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,تنظیم زمان پاسخ و وضوح برای اولویت {0} در شاخص {1}. DocType: Company,Round Off Cost Center,مرکز هزینه گرد کردن DocType: Supplier Scorecard Criteria,Criteria Weight,معیارهای وزن DocType: Asset,Depreciation Schedules,برنامه های تخریب -DocType: Expense Claim Detail,Claim Amount,میزان ادعا DocType: Subscription,Discounts,تخفیف DocType: Shipping Rule,Shipping Rule Conditions,شرایط حمل و نقل DocType: Subscription,Cancelation Date,تاریخ لغو @@ -7375,7 +7450,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,ایجاد اشیاء apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,نمایش صفرها DocType: Employee Onboarding,Employee Onboarding,کارمند انبار DocType: POS Closing Voucher,Period End Date,تاریخ پایان تاریخ -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,فرصت های فروش با منبع DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,اولین تایید کننده خروج از لیست به عنوان پیش فرض خروج از سیستم تنظیم می شود. DocType: POS Settings,POS Settings,تنظیمات POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,همه حسابها @@ -7396,7 +7470,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,تحر apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ردیف # {0}: نرخ باید همانند {1}: {2} ({3} / {4} باشد) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR- .YYYY.- DocType: Healthcare Settings,Healthcare Service Items,اقلام خدمات بهداشتی -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,هیچ پرونده یافت نشد apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,محدوده پیری 3 DocType: Vital Signs,Blood Pressure,فشار خون apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,هدف در @@ -7443,6 +7516,7 @@ DocType: Company,Existing Company,شرکت موجود apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,دسته ای apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,دفاع DocType: Item,Has Batch No,هیچ دسته ای ندارد +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,روزهای عقب مانده DocType: Lead,Person Name,نام شخص DocType: Item Variant,Item Variant,مورد Variant DocType: Training Event Employee,Invited,دعوت کرد @@ -7464,7 +7538,7 @@ DocType: Purchase Order,To Receive and Bill,برای دریافت و بیل apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",تاریخ شروع و پایان را در یک دوره ثبت نام معیوب معتبر، نمیتوان {0} محاسبه کرد. DocType: POS Profile,Only show Customer of these Customer Groups,فقط مشتری این گروه مشتریان را نشان می دهد apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,موارد را برای ذخیره فاکتور انتخاب کنید -DocType: Service Level,Resolution Time,زمان قطع شدن +DocType: Service Level Priority,Resolution Time,زمان قطع شدن DocType: Grading Scale Interval,Grade Description,توصیف درجه DocType: Homepage Section,Cards,کارت ها DocType: Quality Meeting Minutes,Quality Meeting Minutes,دقیقه جلسه کیفیت @@ -7491,6 +7565,7 @@ DocType: Project,Gross Margin %,مارجین ناخالص٪ apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,بیانیه بیانیه بانکی به عنوان یک لجر عمومی apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),بهداشت و درمان (بتا) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,پیش فرض انبار برای ایجاد سفارش سفارش و تحویل توجه داشته باشید +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,زمان پاسخ برای {0} در index {1} نمیتواند بیشتر از زمان Resolution باشد. DocType: Opportunity,Customer / Lead Name,نام مشتری / سرب DocType: Student,EDU-STU-.YYYY.-,EDU-STU- .YYYY.- DocType: Expense Claim Advance,Unclaimed amount,مقدار نامعلوم @@ -7537,7 +7612,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,واردات احزاب و آدرس ها DocType: Item,List this Item in multiple groups on the website.,لیست این مورد را در چند گروه در وب سایت قرار دهید. DocType: Request for Quotation,Message for Supplier,پیام برای تامین کننده -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,نمی توان تغییر {0} را به عنوان معامله سهام برای مورد {1} وجود دارد. DocType: Healthcare Practitioner,Phone (R),تلفن (R) DocType: Maintenance Team Member,Team Member,عضو تیم DocType: Asset Category Account,Asset Category Account,حساب دارایی دسته diff --git a/erpnext/translations/fi.csv b/erpnext/translations/fi.csv index 1295a08541..c6c97c84cf 100644 --- a/erpnext/translations/fi.csv +++ b/erpnext/translations/fi.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Termin aloituspäivä apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Nimitys {0} ja myyntilasku {1} peruttiin DocType: Purchase Receipt,Vehicle Number,Ajoneuvon numero apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Sähköpostiosoitteesi... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Sisällytä oletuskirjamerkinnät +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Sisällytä oletuskirjamerkinnät DocType: Activity Cost,Activity Type,Toimintotyyppi DocType: Purchase Invoice,Get Advances Paid,Hanki ennakkomaksut DocType: Company,Gain/Loss Account on Asset Disposal,Vahvistus- / tappiotili Varojen hävittämisessä @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Mitä se tekee? DocType: Bank Reconciliation,Payment Entries,Maksutiedot DocType: Employee Education,Class / Percentage,Luokka / prosenttiosuus ,Electronic Invoice Register,Sähköisen laskun rekisteri +DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Sellaisten tapahtumien lukumäärä, joiden jälkeen seuraus suoritetaan." DocType: Sales Invoice,Is Return (Credit Note),Onko palautus (luottoilmoitus) +DocType: Price List,Price Not UOM Dependent,Hinta ei ole UOM-riippuvainen DocType: Lab Test Sample,Lab Test Sample,Lab-testinäyte DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Esim. 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Tuotehaku DocType: Salary Slip,Net Pay,Nettopalkka apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Laskutettu kokonaismäärä yhteensä DocType: Clinical Procedure,Consumables Invoice Separately,Kulutustarvikkeet Lasku erikseen +DocType: Shift Type,Working Hours Threshold for Absent,Poissaolon työaikakynnys DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Talousarvoa ei voi määrittää ryhmätilille {0} DocType: Purchase Receipt Item,Rate and Amount,Hinta ja määrä @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Aseta lähdevarasto DocType: Healthcare Settings,Out Patient Settings,Potilasasetukset DocType: Asset,Insurance End Date,Vakuutuksen päättymispäivä DocType: Bank Account,Branch Code,Haarakoodi -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Aika vastata apps/erpnext/erpnext/public/js/conf.js,User Forum,Käyttäjäfoorumi DocType: Landed Cost Item,Landed Cost Item,Landed Cost Item 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 samoja @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Johtava omistaja DocType: Share Transfer,Transfer,Siirtää apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Hakuehto (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Tulos lähetetään +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Päivämäärä ei voi olla suurempi kuin Toistaiseksi DocType: Supplier,Supplier of Goods or Services.,Tavaroiden tai palvelujen toimittaja. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Uuden tilin nimi. Huomaa: Älä luo tilejä asiakkaille ja toimittajille apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Opiskelijaryhmä tai kurssin aikataulu on pakollinen @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Potentiaalis DocType: Skill,Skill Name,Taiton nimi apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Tulosta raporttikortti DocType: Soil Texture,Ternary Plot,Ternary Plot -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Aseta Naming Series {0} -asetukseksi Setup> Settings> Naming Series apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Tukiliput DocType: Asset Category Account,Fixed Asset Account,Kiinteä omaisuus-tili apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Uusin @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Etäisyys UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Pakollinen tase DocType: Payment Entry,Total Allocated Amount,Jaettu kokonaismäärä DocType: Sales Invoice,Get Advances Received,Hanki ennakkomaksut +DocType: Shift Type,Last Sync of Checkin,Checkinin viimeinen synkronointi DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Tuotteen veroarvo sisältyy arvoon apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Tilaussuunnitelma DocType: Student,Blood Group,Veriryhmä apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Crop,Crop Spacing UOM,Rajaa etäisyys UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Vaihteen alkamisajankohdan jälkeen sisäänkirjautumisen katsotaan olevan myöhässä (minuutteina). apps/erpnext/erpnext/templates/pages/home.html,Explore,Tutkia +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Laskuja ei löytynyt apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} avointa työpaikkaa ja {1} budjetti {2} varten on jo suunniteltu {3} tytäryhtiöille. Voit suunnitella vain {4} avoimia työpaikkoja ja budjettia {5} henkilöstötaulukon {6} kohdalla emoyhtiölle {3}. DocType: Promotional Scheme,Product Discount Slabs,Tuotteiden alennuslaatat @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Osallistumispyyntö DocType: Item,Moving Average,Liikkuva keskiarvo DocType: Employee Attendance Tool,Unmarked Attendance,Merkitsemätön osallistuminen DocType: Homepage Section,Number of Columns,Kolumnien numerot +DocType: Issue Priority,Issue Priority,Issue Priority DocType: Holiday List,Add Weekly Holidays,Lisää viikkolomat DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Luo palkkamerkki @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Arvo / kuvaus DocType: Warranty Claim,Issue Date,Julkaisupäivä 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ä {0}. Yksittäistä erää ei löydy, joka täyttää tämän vaatimuksen" apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Vasemman työntekijän säilytysbonusta ei voi luoda +DocType: Employee Checkin,Location / Device ID,Sijainti / Laitteen tunnus DocType: Purchase Order,To Receive,Saada apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,"Olet offline-tilassa. Et voi ladata uudelleen, ennen kuin sinulla on verkko." DocType: Course Activity,Enrollment,rekisteröinti @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-laskutiedot puuttuvat apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Mitään aineellista pyyntöä ei ole luotu -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Tuotekoodi> Tuoteryhmä> Merkki DocType: Loan,Total Amount Paid,Maksettu kokonaismäärä apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Kaikki nämä kohteet on jo laskutettu DocType: Training Event,Trainer Name,Kouluttajan nimi @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Mainitse lyijyn nimi johtajana {0} DocType: Employee,You can enter any date manually,Voit kirjoittaa minkä tahansa päivämäärän manuaalisesti DocType: Stock Reconciliation Item,Stock Reconciliation Item,Varastojen sovittelu +DocType: Shift Type,Early Exit Consequence,Varhainen poistuminen DocType: Item Group,General Settings,Yleiset asetukset apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Eräpäivä ei voi olla ennen lähettämistä / toimittajan laskun päiväystä apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Anna edunsaajan nimi ennen lähettämistä. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,Tilintarkastaja apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Maksuvahvistus ,Available Stock for Packing Items,Pakkaustuotteiden varastot apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Poista tämä lasku {0} C-lomakkeesta {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Jokainen voimassa oleva sisään- ja uloskirjautuminen DocType: Support Search Source,Query Route String,Kyselyreitin merkkijono DocType: Customer Feedback Template,Customer Feedback Template,Asiakaspalaute-malli apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Lainaukset asiakkaille tai asiakkaille. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Valtuutusvalvonta ,Daily Work Summary Replies,Päivittäinen työn yhteenveto Vastaukset apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Sinua on kutsuttu tekemään yhteistyötä projektissa: {0} +DocType: Issue,Response By Variance,Varianssin vastaus DocType: Item,Sales Details,Myynnin tiedot apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Kirjelomakkeet tulostusmalleja varten. DocType: Salary Detail,Tax on additional salary,Lisäpalkkio @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Asiakkaan DocType: Project,Task Progress,Tehtävän eteneminen DocType: Journal Entry,Opening Entry,Avaustiedot DocType: Bank Guarantee,Charges Incurred,Maksut aiheutuvat +DocType: Shift Type,Working Hours Calculation Based On,Työaikojen laskeminen perustuu DocType: Work Order,Material Transferred for Manufacturing,Tuotantoon siirretty materiaali DocType: Products Settings,Hide Variants,Piilota vaihtoehdot DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Poista kapasiteetin suunnittelu ja ajan seuranta käytöstä @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,arvonalennus DocType: Guardian,Interests,Kiinnostuksen kohteet DocType: Purchase Receipt Item Supplied,Consumed Qty,Kulutettu määrä DocType: Education Settings,Education Manager,Koulutuspäällikkö +DocType: Employee Checkin,Shift Actual Start,Shift Actual Start DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Suunnittele työpäiväkirjat työaseman työaikojen ulkopuolella. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Lojaalisuuspisteet: {0} DocType: Healthcare Settings,Registration Message,Rekisteröintiviesti @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Lasku on jo luotu kaikille laskutustunnille DocType: Sales Partner,Contact Desc,Ota yhteyttä Desc DocType: Purchase Invoice,Pricing Rules,Hinnoittelusäännöt +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Koska olemassa olevia tapahtumia {0} vastaan on olemassa, et voi muuttaa arvoa {1}" DocType: Hub Tracked Item,Image List,Kuvaluettelo DocType: Item Variant Settings,Allow Rename Attribute Value,Salli ominaisuuden arvon nimeäminen uudelleen -DocType: Price List,Price Not UOM Dependant,Hinta ei ole UOM-riippuvainen apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Aika (minuutteina) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,perustiedot DocType: Loan,Interest Income Account,Korkotuototili @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,Työllisyyden tyyppi apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Valitse POS-profiili DocType: Support Settings,Get Latest Query,Hanki uusin kysely DocType: Employee Incentive,Employee Incentive,Työntekijöiden kannustin +DocType: Service Level,Priorities,prioriteetit apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Lisää kortteja tai mukautettuja osioita kotisivulle DocType: Homepage,Hero Section Based On,Hero-osa perustuu DocType: Project,Total Purchase Cost (via Purchase Invoice),Ostokustannukset yhteensä (ostolaskun kautta) @@ -1452,7 +1464,7 @@ DocType: Work Order,Manufacture against Material Request,Valmistus materiaalista DocType: Blanket Order Item,Ordered Quantity,Tilattu määrä apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rivi # {0}: Hylätty varasto on pakollinen hylätystä kohdasta {1} ,Received Items To Be Billed,"Vastaanotettavat kohteet, jotka laskutetaan" -DocType: Salary Slip Timesheet,Working Hours,Työtunnit +DocType: Attendance,Working Hours,Työtunnit apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Maksutapa apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,"Ostotilaus, jota ei ole vastaanotettu ajoissa" apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Kesto päivissä @@ -1572,7 +1584,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,H DocType: Supplier,Statutory info and other general information about your Supplier,Lakisääteiset tiedot ja muut yleiset tiedot toimittajalta DocType: Item Default,Default Selling Cost Center,Oletusmyynnin kustannuskeskus DocType: Sales Partner,Address & Contacts,Osoite ja yhteystiedot -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ole hyvä ja asenna numerointisarja osallistumiseen asetusten avulla> Numerosarja DocType: Subscriber,Subscriber,Tilaaja apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) on loppunut apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Valitse ensin Lähetyspäivä @@ -1583,7 +1594,7 @@ DocType: Project,% Complete Method,% Täydellinen menetelmä DocType: Detected Disease,Tasks Created,Tehtävät luotu apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Oletuksena BOM ({0}) on oltava aktiivinen tässä kohdassa tai sen mallissa apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Komission hinta% -DocType: Service Level,Response Time,Vasteaika +DocType: Service Level Priority,Response Time,Vasteaika DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce-asetukset apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Määrän on oltava positiivinen DocType: Contract,CRM,CRM @@ -1600,7 +1611,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Sairaanhoitokäynti DocType: Bank Statement Settings,Transaction Data Mapping,Transaktiotietojen kartoitus apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Johtaja vaatii joko henkilön nimen tai organisaation nimen DocType: Student,Guardians,Guardians -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Asenna opettajan nimeämisjärjestelmä opetuksessa> Koulutusasetukset apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Valitse tuotemerkki ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Keskitulot DocType: Shipping Rule,Calculate Based On,Laske perustana @@ -1637,6 +1647,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Aseta kohde apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Osallistumistietue {0} on opiskelijaa {1} vastaan apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Transaktion päivämäärä apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Peruuta tilaus +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Palvelutason sopimusta ei voitu asettaa {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Nettopalkan määrä DocType: Account,Liability,vastuu DocType: Employee,Bank A/C No.,Pankin A / C-numero @@ -1702,7 +1713,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Raaka-ainekoodi apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Ostolasku {0} on jo toimitettu DocType: Fees,Student Email,Opiskelijan sähköposti -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM-rekursio: {0} ei voi olla {2} vanhempi tai lapsi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Hanki tuotteet terveydenhuollon palveluista apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Kantaosuutta {0} ei lähetetä DocType: Item Attribute Value,Item Attribute Value,Kohteen attribuutin arvo @@ -1727,7 +1737,6 @@ DocType: POS Profile,Allow Print Before Pay,Salli tulostus ennen maksua DocType: Production Plan,Select Items to Manufacture,Valitse valmistettavat kohteet DocType: Leave Application,Leave Approver Name,Jätä hyväksyntänimi DocType: Shareholder,Shareholder,osakas -DocType: Issue,Agreement Status,Sopimuksen tila apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Tapahtumien oletusasetukset. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Ole hyvä ja valitse opiskelijapääsy, joka on pakollinen opiskelija-hakijalle" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Valitse BOM @@ -1988,6 +1997,7 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,Kohta 4 DocType: Account,Income Account,Tulotili apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Kaikki varastot DocType: Contract,Signee Details,Signee Details +DocType: Shift Type,Allow check-out after shift end time (in minutes),Salli uloskirjautuminen vaihdon päättymisajan jälkeen (minuutteina) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,hankinta DocType: Item Group,Check this if you want to show in website,"Tarkista tämä, jos haluat näyttää sivustossa" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Talousvuotta {0} ei löytynyt @@ -2054,6 +2064,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Poistoajan aloituspäivä DocType: Activity Cost,Billing Rate,Laskutusaste apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Varoitus: Toinen {0} # {1} on olemassa varastomerkintää {2} vastaan apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Ota Google Maps -asetukset käyttöön arvioidaksesi ja optimoidaksesi reitit +DocType: Purchase Invoice Item,Page Break,Sivunvaihto DocType: Supplier Scorecard Criteria,Max Score,Max Pisteet apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Takaisinmaksun aloituspäivä ei voi olla ennen maksupäivää. DocType: Support Search Source,Support Search Source,Tuki-lähde @@ -2122,6 +2133,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Laatutavoitteen tavoite DocType: Employee Transfer,Employee Transfer,Työntekijöiden siirto ,Sales Funnel,Myyntikanava DocType: Agriculture Analysis Criteria,Water Analysis,Vesianalyysi +DocType: Shift Type,Begin check-in before shift start time (in minutes),Aloita sisäänkirjautuminen ennen muutoksen alkamisaikaa (minuutteina) DocType: Accounts Settings,Accounts Frozen Upto,Tilit jäädytetään apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Mikään ei ole muokattavissa. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Toiminta {0} pidempään kuin mikään käytettävissä oleva työaika työasemassa {1}, hajota toiminta useaan toimintoon" @@ -2135,7 +2147,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Kät apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Myyntitilaus {0} on {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Maksuviivästys (päivät) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Anna poistotiedot +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Asiakas PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Odotetun toimituspäivän pitäisi olla myyntitilauksen päivämäärän jälkeen +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Tuotteen määrä ei voi olla nolla apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Virheellinen määrite apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Valitse BOM kohdasta {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Laskutyyppi @@ -2145,6 +2159,7 @@ DocType: Maintenance Visit,Maintenance Date,Huoltopäivämäärä DocType: Volunteer,Afternoon,Iltapäivällä DocType: Vital Signs,Nutrition Values,Ravitsemusarvot DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Kuume (lämpötila> 38,5 ° C / 101,3 ° F tai jatkuva lämpötila> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ole hyvä ja asenna työntekijöiden nimeämisjärjestelmä henkilöstöresurssissa> HR-asetukset apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC peruutettu DocType: Project,Collect Progress,Kerää edistystä apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,energia @@ -2195,6 +2210,7 @@ DocType: Setup Progress,Setup Progress,Asennuksen eteneminen ,Ordered Items To Be Billed,"Tilatut kohteet, jotka laskutetaan" DocType: Taxable Salary Slab,To Amount,Summaan DocType: Purchase Invoice,Is Return (Debit Note),Onko palautus (maksutapa) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Asiakas> Asiakasryhmä> Alue apps/erpnext/erpnext/config/desktop.py,Getting Started,Päästä alkuun apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Yhdistää apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,"Tilivuoden alkamispäivää ja verovuoden päättymispäivää ei voi muuttaa, kun varainhoitovuosi on tallennettu." @@ -2213,8 +2229,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Todellinen päivämäärä apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Kunnossapidon alkamispäivä ei voi olla ennen sarjanumeron {0} toimituspäivää apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Rivi {0}: valuuttakurssi on pakollinen DocType: Purchase Invoice,Select Supplier Address,Valitse toimittajan osoite +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Käytettävissä oleva määrä on {0}, tarvitset {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Anna API-salaisuus DocType: Program Enrollment Fee,Program Enrollment Fee,Ohjelman ilmoittautumismaksu +DocType: Employee Checkin,Shift Actual End,Vaihda todellinen loppu DocType: Serial No,Warranty Expiry Date,Takuuajan päättymispäivä DocType: Hotel Room Pricing,Hotel Room Pricing,Hotellihuoneen hinnoittelu apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Ulkoiset verotettavat toimitukset (muut kuin nolla-arvot, nolla-arvo ja vapautus)" @@ -2274,6 +2292,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Lukeminen 5 DocType: Shopping Cart Settings,Display Settings,Näyttöasetukset apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Aseta poistettujen varausten määrä +DocType: Shift Type,Consequence after,Seuraus apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Minkä kanssa tarvitset apua? DocType: Journal Entry,Printing Settings,Tulostusasetukset apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,pankkitoiminta @@ -2283,6 +2302,7 @@ DocType: Purchase Invoice Item,PR Detail,PR-yksityiskohta apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Laskutusosoite on sama kuin lähetysosoite DocType: Account,Cash,Käteinen raha DocType: Employee,Leave Policy,Jätä politiikka +DocType: Shift Type,Consequence,seuraus apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Opiskelijaosoite DocType: GST Account,CESS Account,CESS-tili apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kustannuskeskus tarvitaan "Voitto ja tappio" -tilille {2}. Aseta yrityksen oletusarvoinen kustannuskeskus. @@ -2347,6 +2367,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN-koodi DocType: Period Closing Voucher,Period Closing Voucher,Ajanjakson päättäminen apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2-nimi apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Anna kustannustili +DocType: Issue,Resolution By Variance,Ratkaisu varianssin mukaan DocType: Employee,Resignation Letter Date,Erottamisen kirjainpäivä DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Osallistuminen päivämäärään @@ -2359,6 +2380,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Näytä nyt DocType: Item Price,Valid Upto,Voimassa apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Viite Doctype-koodin on oltava {0} +DocType: Employee Checkin,Skip Auto Attendance,Ohita Auto Attendance DocType: Payment Request,Transaction Currency,Transaction Currency DocType: Loan,Repayment Schedule,Palautusaikataulu apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Luo näytteen säilytysvaraston merkintä @@ -2430,6 +2452,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Palkkarakenteen DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Loppukuponkien verot apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Toimenpide aloitettu DocType: POS Profile,Applicable for Users,Sovellettavissa käyttäjille +,Delayed Order Report,Viivästetyn tilauksen raportti DocType: Training Event,Exam,Koe apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Virheellinen määrä yleisiä kirjaimia löytyi. Olet ehkä valinnut väärän tilin tilissä. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Myyntiputki @@ -2444,10 +2467,11 @@ DocType: Account,Round Off,Pyöristää DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Ehtoja sovelletaan kaikkiin valittuihin kohteisiin. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Määritä DocType: Hotel Room,Capacity,kapasiteetti +DocType: Employee Checkin,Shift End,Vaihtopää DocType: Installation Note Item,Installed Qty,Asennettu määrä apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Erän {0} erä {1} on poistettu käytöstä. DocType: Hotel Room Reservation,Hotel Reservation User,Hotel varauksen käyttäjä -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Työpäivä on toistettu kahdesti +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Palvelutason sopimus entiteettityypin {0} ja Entity {1} kanssa on jo olemassa. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},"Kohtaryhmä, jota ei ole mainittu kohteen päällikössä kohteen {0} kohdalla" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Nimi-virhe: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Alue on pakollinen POS-profiilissa @@ -2495,6 +2519,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Aikataulu DocType: Packing Slip,Package Weight Details,Pakkauksen painon tiedot DocType: Job Applicant,Job Opening,Avoin työpaikka +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Viimeksi tunnettu onnistunut synkronointi työntekijän tarkistuksessa. Palauta tämä vain, jos olet varma, että kaikki lokit synkronoidaan kaikista paikoista. Älä muuta tätä, jos olet epävarma." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Todellinen kustannus apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Kokonaisennakko ({0}) vastaan {1} ei voi olla suurempi kuin Grand Total ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Kohteen vaihtoehdot päivitetään @@ -2539,6 +2564,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Viitehankinta apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Hanki Invocies DocType: Tally Migration,Is Day Book Data Imported,Onko päivän kirjan tiedot tuotu ,Sales Partners Commission,Myyntikumppanien komissio +DocType: Shift Type,Enable Different Consequence for Early Exit,Ota käyttöön erilaiset seuraukset varhaiselle poistumiselle apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,oikeudellinen DocType: Loan Application,Required by Date,Päivämäärä edellyttää DocType: Quiz Result,Quiz Result,Tietovisa Tulos @@ -2598,7 +2624,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Tilikausi DocType: Pricing Rule,Pricing Rule,Hinnoittelusääntö apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Valinnainen lomalista ei ole asetettu lomapäiväksi {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,"Aseta Työntekijätieto-kenttään Käyttäjän tunnus -kenttä, jos haluat asettaa Työntekijä-roolin" -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Aika ratkaista DocType: Training Event,Training Event,Harjoitustapahtuma DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normaali lepo verenpaine aikuisessa on noin 120 mmHg systolista ja 80 mmHg diastolista, lyhennettynä "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Järjestelmä noutaa kaikki merkinnät, jos raja-arvo on nolla." @@ -2642,6 +2667,7 @@ DocType: Woocommerce Settings,Enable Sync,Ota synkronointi käyttöön DocType: Student Applicant,Approved,hyväksytty apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},"Päivämäärän pitäisi olla verovuoden sisällä. Oletetaan, että päivämäärä = {0}" apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Aseta toimittajaryhmä ostoasetuksiin. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} on virheellinen osallistumisasema. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Tilapäinen avaustili DocType: Purchase Invoice,Cash/Bank Account,Käteinen / pankkitili DocType: Quality Meeting Table,Quality Meeting Table,Quality Meeting Table @@ -2676,6 +2702,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Ruoka, juoma ja tupakka" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kurssin aikataulu DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Kohta Wise Tax Detail +DocType: Shift Type,Attendance will be marked automatically only after this date.,Osallistuminen merkitään automaattisesti vasta tämän päivämäärän jälkeen. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Tarvikkeet valmistetaan UIN-pidikkeille apps/erpnext/erpnext/hooks.py,Request for Quotations,Tarjouspyyntö apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,"Valuutta ei voi muuttaa sen jälkeen, kun olet tehnyt merkintöjä jollakin muulla valuutalla" @@ -2724,7 +2751,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Onko kohde Hubista apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Laatujärjestelmä. DocType: Share Balance,No of Shares,Osakkeiden lukumäärä -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rivi {0}: Määrä ei ole käytettävissä {4} varastossa {1} merkinnän lähettämisen aikana ({2} {3}) DocType: Quality Action,Preventive,ehkäisevä DocType: Support Settings,Forum URL,Foorumin URL-osoite apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Työntekijä ja osallistuminen @@ -2946,7 +2972,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Alennustyyppi DocType: Hotel Settings,Default Taxes and Charges,Oletusverot ja -maksut apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Tämä perustuu tämän toimittajan tapahtumiin. Katso lisätietoja alla olevasta aikataulusta apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Työntekijän enimmäismäärä {0} ylittää {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Syötä sopimuksen alkamis- ja päättymispäivä. DocType: Delivery Note Item,Against Sales Invoice,Myyntilaskua vastaan DocType: Loyalty Point Entry,Purchase Amount,Ostomäärä apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,"Ei voi asettaa menetetyksi, koska myyntitilaus tehdään." @@ -2970,7 +2995,7 @@ DocType: Homepage,"URL for ""All Products""",URL-osoite "Kaikki tuotteet&qu DocType: Lead,Organization Name,Organisaation nimi 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 kentät ovat pakollisia kumulatiivisille apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Rivi # {0}: Erän numero on oltava sama kuin {1} {2} -DocType: Employee,Leave Details,Jätä tiedot +DocType: Employee Checkin,Shift Start,Vaihto Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Varastotapahtumat ennen {0} on jäädytetty DocType: Driver,Issuing Date,Julkaisupäivä apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,pyytäjän @@ -3015,9 +3040,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Cash Flow Mapping Mallin tiedot apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Rekrytointi ja koulutus DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Automaattisen läsnäolon armonajan asetukset apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Valuutasta ja valuutasta ei voi olla sama apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,lääketeollisuus DocType: Employee,HR-EMP-,HR-EMP +DocType: Service Level,Support Hours,Tuki-ajat apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} peruutetaan tai suljetaan apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Rivi {0}: Ennakkomaksua vastaan tulee olla luotto apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Ryhmittäin lahjakortti (konsolidoitu) @@ -3127,6 +3154,7 @@ DocType: Asset Repair,Repair Status,Korjaustila DocType: Territory,Territory Manager,aluejohtaja DocType: Lab Test,Sample ID,Näytteen tunnus apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Ostoskori on tyhjä +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Osallistuminen on merkitty työntekijän sisäänkirjautumisen yhteydessä apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Omaisuus {0} on toimitettava ,Absent Student Report,Opiskelijaraportin puuttuminen apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Sisältää bruttokate @@ -3134,7 +3162,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,H DocType: Travel Request Costing,Funded Amount,Rahoitettu määrä apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} ei ole toimitettu, joten toimintaa ei voi suorittaa" DocType: Subscription,Trial Period End Date,Koeajan päättymispäivä +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Vaihda merkintöjä IN- ja OUT-toiminnon aikana samalla siirtymällä DocType: BOM Update Tool,The new BOM after replacement,Uusi BOM vaihdon jälkeen +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Toimittaja> Toimittajan tyyppi apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Kohta 5 DocType: Employee,Passport Number,Passin numero apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Väliaikainen avaaminen @@ -3249,6 +3279,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Keskeiset raportit apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Mahdollinen toimittaja ,Issued Items Against Work Order,Annetut kohteet työjärjestystä vastaan apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Laskun luominen {0} +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Asenna opettajan nimeämisjärjestelmä opetuksessa> Koulutusasetukset DocType: Student,Joining Date,Liittymispäivämäärä apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Pyydävä sivusto DocType: Purchase Invoice,Against Expense Account,Vastaan kustannuslaskua @@ -3288,6 +3319,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Sovellettavat maksut ,Point of Sale,Myyntipiste DocType: Authorization Rule,Approving User (above authorized value),Käyttäjän hyväksyminen (sallitun arvon yläpuolella) +DocType: Service Level Agreement,Entity,Entity apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Määrä {0} {1} siirrettiin osoitteesta {2} {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Asiakas {0} ei kuulu projektiin {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Osapuolen nimi @@ -3334,6 +3366,7 @@ DocType: Asset,Opening Accumulated Depreciation,Kertyneiden poistojen avaaminen DocType: Soil Texture,Sand Composition (%),Hiekka-koostumus (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Tuo päivän kirjan tiedot +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Aseta Naming Series {0} -asetukseksi Setup> Settings> Naming Series DocType: Asset,Asset Owner Company,Asset Owner Company apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Kustannusvaatimusta varten tarvitaan kustannuskeskus apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} kelvollinen sarjanumero {1} @@ -3393,7 +3426,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Omaisuuden omistaja apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Varasto on pakollinen varastossa {0} rivissä {1} DocType: Stock Entry,Total Additional Costs,Lisäkustannukset yhteensä -DocType: Marketplace Settings,Last Sync On,Viimeinen synkronointi käytössä apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Aseta vähintään yksi rivi Verot ja maksut -taulukossa DocType: Asset Maintenance Team,Maintenance Team Name,Huoltoryhmän nimi apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Kustannuskeskusten kaavio @@ -3409,12 +3441,12 @@ DocType: Sales Order Item,Work Order Qty,Työjärjestyksen määrä DocType: Job Card,WIP Warehouse,WIP-varasto DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Käyttäjän tunnus ei ole määritetty työntekijälle {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Saatavilla oleva määrä on {0}, tarvitset {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Käyttäjä {0} luotu DocType: Stock Settings,Item Naming By,Kohteen nimeäminen apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,tilattu apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,"Tämä on root-asiakasryhmä, jota ei voi muokata." apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materiaalipyyntö {0} peruutetaan tai pysäytetään +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Perustuu tiukasti palkkaluokkaan Työntekijän tarkistus DocType: Purchase Order Item Supplied,Supplied Qty,Toimitettu määrä DocType: Cash Flow Mapper,Cash Flow Mapper,Cash Flow Mapper DocType: Soil Texture,Sand,Hiekka @@ -3473,6 +3505,7 @@ DocType: Lab Test Groups,Add new line,Lisää uusi rivi apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Kohtaryhmän taulukossa on kaksoiskappaleiden ryhmä apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Vuosipalkka DocType: Supplier Scorecard,Weighting Function,Painotustoiminto +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM: n muuntokerrointa ({0} -> {1}) ei löytynyt kohdasta {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Virhe arvioitaessa kriteerikaavaa ,Lab Test Report,Lab-testiraportti DocType: BOM,With Operations,Toiminnoilla @@ -3486,6 +3519,7 @@ DocType: Expense Claim Account,Expense Claim Account,Kustannusvaatimuksen tili apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Journal Entry -palvelussa ei ole maksuja apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} on passiivinen opiskelija apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Tee kaluston merkintä +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM-rekursio: {0} ei voi olla vanhempi tai lapsi {1} DocType: Employee Onboarding,Activities,toiminta apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast yksi varasto on pakollinen ,Customer Credit Balance,Asiakkaan luottotase @@ -3498,9 +3532,11 @@ DocType: Supplier Scorecard Period,Variables,muuttujat apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Usean kanta-asiakasohjelman löytäminen asiakkaalle. Valitse manuaalisesti. DocType: Patient,Medication,Lääkitys apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Valitse Loyalty Program +DocType: Employee Checkin,Attendance Marked,Osallistuminen merkitty apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Raakamateriaalit DocType: Sales Order,Fully Billed,Täysin laskutettu apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Aseta hotellihuoneen hinta {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Valitse vain yksi prioriteetti oletusarvoksi. 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 (Ledger) tyypille - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Kokonaisluotto / veloitusmäärä on sama kuin linkitetyn lehden merkinnän DocType: Purchase Invoice Item,Is Fixed Asset,Onko kiinteä omaisuuserä @@ -3521,6 +3557,7 @@ DocType: Purpose of Travel,Purpose of Travel,Matkan tarkoitus DocType: Healthcare Settings,Appointment Confirmation,Nimitysvahvistus DocType: Shopping Cart Settings,Orders,tilaukset DocType: HR Settings,Retirement Age,Eläkeikä +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ole hyvä ja asenna numerointisarja osallistumiseen asetusten avulla> Numerosarja apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Ennustettu määrä apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Poistaminen ei ole sallittua maassa {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Rivi # {0}: Omaisuus {1} on jo {2} @@ -3604,11 +3641,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Kirjanpitäjä apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Closing Voucher alreday on {0} välillä päivämäärän {1} ja {2} välillä apps/erpnext/erpnext/config/help.py,Navigating,Liikkuminen +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Mitään maksamatta olevia laskuja ei tarvitse valuuttakurssien uudelleenarvostusta DocType: Authorization Rule,Customer / Item Name,Asiakas / tuotenimi apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Uudella sarjanumerolla ei voi olla varastoa. Varasto on asetettava varastorekisteriin tai ostokuittiin DocType: Issue,Via Customer Portal,Asiakasportaalin kautta DocType: Work Order Operation,Planned Start Time,Suunniteltu aloitusaika apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} on {2} +DocType: Service Level Priority,Service Level Priority,Palvelutason prioriteetti apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Varausten määrä ei voi olla suurempi kuin poistojen kokonaismäärä apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Jaa Ledger DocType: Journal Entry,Accounts Payable,Velat @@ -3719,7 +3758,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Toimitus kohteeseen DocType: Bank Statement Transaction Settings Item,Bank Data,Pankkitiedot apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Suunniteltu Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Säilytä laskutusajat ja työtunnit samoin aikalehdessä apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Seuraa lähdekoodin johtoja. DocType: Clinical Procedure,Nursing User,Hoitotyön käyttäjä DocType: Support Settings,Response Key List,Vastausavainluettelo @@ -3887,6 +3925,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Todellinen alkamisaika DocType: Antibiotic,Laboratory User,Laboratorion käyttäjä apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Online-huutokaupat +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioriteetti {0} on toistettu. DocType: Fee Schedule,Fee Creation Status,Maksujen luominen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,ohjelmistot apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Myyntitilauksen maksaminen @@ -3953,6 +3992,7 @@ DocType: Patient Encounter,In print,Tulostettuna apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0} ei saanut tietoja. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Laskutusvaluutan on oltava yhtä suuri kuin yrityksen oletusarvoinen valuutan tai osapuolen tilivaluutta apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Anna tämän myyntihenkilön työntekijän tunnus +DocType: Shift Type,Early Exit Consequence after,Varhainen poistuminen seurauksesta apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Luo myynti- ja ostolaskut DocType: Disease,Treatment Period,Hoitojakso apps/erpnext/erpnext/config/settings.py,Setting up Email,Sähköpostin määrittäminen @@ -3970,7 +4010,6 @@ DocType: Employee Skill Map,Employee Skills,Työntekijöiden taidot apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Opiskelijan nimi: DocType: SMS Log,Sent On,Lähetetty DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Myyntilasku -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Vastausaika ei voi olla suurempi kuin tarkkuusaika DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Kurssille perustuva opiskelijaryhmä kurssi validoidaan jokaiselle opiskelijalle ilmoittautuneista kursseista ohjelman rekisteröinnissä. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Valtion sisäiset toimitukset DocType: Employee,Create User Permission,Luo käyttäjäoikeus @@ -4009,6 +4048,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Myynti- tai ostosopimusehdot. DocType: Sales Invoice,Customer PO Details,Asiakkaan PO-tiedot apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Potilas ei löytynyt +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Valitse oletus prioriteetti. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Poista kohde, jos maksuja ei sovelleta kyseiseen kohtaan" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Asiakasryhmä on sama nimi, vaihda Asiakkaan nimi tai nimeä uudelleen Asiakasryhmä" 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. @@ -4048,6 +4088,7 @@ DocType: Quality Goal,Quality Goal,Laatu tavoite DocType: Support Settings,Support Portal,Tukiportaali apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Tehtävän {0} päättymispäivä ei voi olla pienempi kuin {1} odotettu alkamispäivä {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Työntekijä {0} on poistumassa {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Tämä palvelutason sopimus on asiakaskohtainen {0} DocType: Employee,Held On,Pidettiin DocType: Healthcare Practitioner,Practitioner Schedules,Harjoittajien aikataulut DocType: Project Template Task,Begin On (Days),Aloita (päivät) @@ -4055,6 +4096,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Työjärjestys on ollut {0} DocType: Inpatient Record,Admission Schedule Date,Pääsymaksun päivämäärä apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Omaisuusarvon säätö +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Merkitse läsnäoloa, joka perustuu tähän muutokseen osoitetuille työntekijöille." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Rekisteröimättömille henkilöille tehdyt toimitukset apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Kaikki työpaikat DocType: Appointment Type,Appointment Type,Nimitystyyppi @@ -4168,7 +4210,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Pakkauksen bruttopaino. Yleensä nettopaino + pakkausmateriaalin paino. (tulostaa) DocType: Plant Analysis,Laboratory Testing Datetime,Laboratoriotestaus Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Kohde {0} ei voi sisältää erää -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Myyntiputki vaiheittain apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Opiskelijaryhmän vahvuus DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Pankkitilinpäätössiirto DocType: Purchase Order,Get Items from Open Material Requests,Hanki kohteet avoimista aineistopyynnöistä @@ -4250,7 +4291,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Näytä ikääntymisen varasto DocType: Sales Invoice,Write Off Outstanding Amount,Kirjoita pois erinomainen summa DocType: Payroll Entry,Employee Details,Työntekijän tiedot -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Aloitusaika ei voi olla suurempi kuin lopetusaika {0}. DocType: Pricing Rule,Discount Amount,Alennuksen määrä DocType: Healthcare Service Unit Type,Item Details,Kohteen tiedot apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Kopioi {0} veroilmoitus ajanjaksolle {1} @@ -4303,7 +4343,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettopalkka ei voi olla negatiivinen apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Ei vuorovaikutuksia 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} # Kohta {1} ei voi siirtää enemmän kuin {2} ostotilausta vastaan {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Siirtää +DocType: Attendance,Shift,Siirtää apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Tilien ja sopimuspuolten käsittely DocType: Stock Settings,Convert Item Description to Clean HTML,Muunna kohteen kuvaus puhtaaksi HTML-koodiksi apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Kaikki toimittajaryhmät @@ -4374,6 +4414,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Työntekijä DocType: Healthcare Service Unit,Parent Service Unit,Vanhempien huoltoyksikkö DocType: Sales Invoice,Include Payment (POS),Sisällytä maksu (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Yksityinen pääoma +DocType: Shift Type,First Check-in and Last Check-out,Ensimmäinen sisäänkirjautuminen ja viimeinen uloskirjautuminen DocType: Landed Cost Item,Receipt Document,Kuitti-asiakirja DocType: Supplier Scorecard Period,Supplier Scorecard Period,Toimittajan tuloskortin aika DocType: Employee Grade,Default Salary Structure,Palkan perusrakenne @@ -4456,6 +4497,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Luo ostotilaus apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Määritä varainhoitovuoden talousarvio. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Tilit-taulukko ei voi olla tyhjä. +DocType: Employee Checkin,Entry Grace Period Consequence,Entry Grace Period seuraus ,Payment Period Based On Invoice Date,Maksuaika laskutuspäivänä apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Linkki materiaalipyyntöön DocType: Warranty Claim,From Company,Yritys @@ -4463,6 +4505,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Kartoitettu t apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Rivi {0}: Tähän varastoon on jo olemassa järjestysmuoto {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date DocType: Monthly Distribution,Distribution Name,Jakelun nimi +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Työpäivä {0} on toistettu. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Ryhmä ei-ryhmään apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Päivitys käynnissä. Se voi kestää jonkin aikaa. DocType: Item,"Example: ABCD.##### @@ -4475,6 +4518,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Polttoaineen määrä apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile No DocType: Invoice Discounting,Disbursed,maksettu +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Ajan päättymisen jälkeinen aika, jona uloskirjautuminen katsotaan osallistuvaksi." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Velkojen nettomuutos apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Ei saatavilla apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Osa-aikainen @@ -4488,7 +4532,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Mahdolli apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Näytä PDC tulostuksessa apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Toimittaja DocType: POS Profile User,POS Profile User,POS-profiilin käyttäjä -DocType: Student,Middle Name,Toinen nimi DocType: Sales Person,Sales Person Name,Myyjän nimi DocType: Packing Slip,Gross Weight,Bruttopaino DocType: Journal Entry,Bill No,Bill No @@ -4497,7 +4540,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Uusi DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-Vlogi-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Palvelun tasoa koskeva sopimus -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Valitse ensin Työntekijä ja Päivämäärä apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Tuotteen arvostusnopeus lasketaan uudelleen laskettuna laskeutuneiden kustannusten voucher-määrän perusteella DocType: Timesheet,Employee Detail,Työntekijän tiedot DocType: Tally Migration,Vouchers,tositteita @@ -4532,7 +4574,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Palvelun tasoa k DocType: Additional Salary,Date on which this component is applied,"Päivä, jona tätä osaa sovelletaan" apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,"Luettelo käytettävissä olevista osakkeenomistajista, joilla on folio-numerot" apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Määritä yhdyskäytävän tilit. -DocType: Service Level,Response Time Period,Vastausaika +DocType: Service Level Priority,Response Time Period,Vastausaika DocType: Purchase Invoice,Purchase Taxes and Charges,Ostoverot ja -maksut DocType: Course Activity,Activity Date,Toimintapäivä apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Valitse tai lisää uusi asiakas @@ -4557,6 +4599,7 @@ DocType: Sales Person,Select company name first.,Valitse ensin yrityksen nimi. apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Talousvuosi DocType: Sales Invoice Item,Deferred Revenue,Laskennalliset tulot apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Atleast on yksi myynti- tai ostotapauksista +DocType: Shift Type,Working Hours Threshold for Half Day,Puolen päivän työtuntien kynnys ,Item-wise Purchase History,Tuotekohtainen ostohistoria apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Rivi {0} -kohdan kohteen pysäytyspäivää ei voi muuttaa DocType: Production Plan,Include Subcontracted Items,Sisällytä alihankintatuotteet @@ -4588,6 +4631,7 @@ DocType: Journal Entry,Total Amount Currency,Summa yhteensä Valuutta DocType: BOM,Allow Same Item Multiple Times,Salli saman kohteen useita kertoja apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Luo BOM DocType: Healthcare Practitioner,Charges,maksut +DocType: Employee,Attendance and Leave Details,Osallistuminen ja jätä tiedot DocType: Student,Personal Details,Henkilökohtaiset tiedot DocType: Sales Order,Billing and Delivery Status,Laskutus ja toimitus apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Rivi {0}: Toimittajalle {0} Sähköpostiosoite tarvitaan sähköpostin lähettämiseen @@ -4639,7 +4683,6 @@ DocType: Bank Guarantee,Supplier,toimittaja apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Anna arvo {0} ja {1} DocType: Purchase Order,Order Confirmation Date,Tilausvahvistuksen päivämäärä DocType: Delivery Trip,Calculate Estimated Arrival Times,Laske arvioidut saapumisajat -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ole hyvä ja asenna työntekijöiden nimeämisjärjestelmä henkilöstöresurssissa> HR-asetukset apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,kuluvia DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Tilauksen aloituspäivä @@ -4662,7 +4705,7 @@ DocType: Installation Note Item,Installation Note Item,Asennus Huomautus Kohta DocType: Journal Entry Account,Journal Entry Account,Journal Entry Account -tili apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,variantti apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Foorumin toiminta -DocType: Service Level,Resolution Time Period,Ratkaisuaika +DocType: Service Level Priority,Resolution Time Period,Ratkaisuaika DocType: Request for Quotation,Supplier Detail,Toimittajatiedot DocType: Project Task,View Task,Näytä tehtävä DocType: Serial No,Purchase / Manufacture Details,Osto / valmistustiedot @@ -4729,6 +4772,7 @@ DocType: Sales Invoice,Commission Rate (%),Komission hinta (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Varaston voi vaihtaa vain varastomerkinnän / toimitusmerkinnän / ostokuitin kautta DocType: Support Settings,Close Issue After Days,Sulje ongelma päivien jälkeen DocType: Payment Schedule,Payment Schedule,Maksuaikataulu +DocType: Shift Type,Enable Entry Grace Period,Ota käyttöön sisäänpääsymaksuaika DocType: Patient Relation,Spouse,puoliso DocType: Purchase Invoice,Reason For Putting On Hold,Syynä pidättämiseen DocType: Item Attribute,Increment,lisäys @@ -4866,6 +4910,7 @@ DocType: Authorization Rule,Customer or Item,Asiakas tai kohde DocType: Vehicle Log,Invoice Ref,Laskun viite apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-lomake ei koske laskussa: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Laskun luominen +DocType: Shift Type,Early Exit Grace Period,Varhainen irtautumisaikaa DocType: Patient Encounter,Review Details,Tarkista tiedot apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Rivi {0}: Tunniarvon on oltava suurempi kuin nolla. DocType: Account,Account Number,Tilinumero @@ -4877,7 +4922,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Sovelletaan, jos yhtiö on SpA, SApA tai SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Päällekkäiset olosuhteet: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Maksettu ja toimitettu -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Tuotekoodi on pakollinen, koska kohdetta ei numeroida automaattisesti" DocType: GST HSN Code,HSN Code,HSN-koodi DocType: GSTR 3B Report,September,syyskuu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Hallinnolliset kulut @@ -4923,6 +4967,7 @@ DocType: Healthcare Service Unit,Vacant,vapaa DocType: Opportunity,Sales Stage,Myyntivaihe DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Sanoissa näkyy, kun olet tallentanut myyntitilauksen." DocType: Item Reorder,Re-order Level,Tilaa taso uudelleen +DocType: Shift Type,Enable Auto Attendance,Ota automaattinen osallistuminen käyttöön apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,etusija ,Department Analytics,Osasto Analytics DocType: Crop,Scientific Name,Tieteellinen nimi @@ -4935,6 +4980,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} tila on {2} DocType: Quiz Activity,Quiz Activity,Tietokilpailu apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} ei ole voimassa olevassa palkka-ajanjaksossa DocType: Timesheet,Billed,laskutetaan +apps/erpnext/erpnext/config/support.py,Issue Type.,Ongelman tyyppi. DocType: Restaurant Order Entry,Last Sales Invoice,Viimeinen myynti-lasku DocType: Payment Terms Template,Payment Terms,Maksuehdot apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Varattu Määrä: Myytävänä, mutta ei toimitettu määrä." @@ -5030,6 +5076,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,etu apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0}: lla ei ole terveydenhuollon harjoittajan aikataulua. Lisää se Healthcare Practitioner masteriin DocType: Vehicle,Chassis No,Alusta nro +DocType: Employee,Default Shift,Oletussiirtymä apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Yritys Lyhenne apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Materiaaliluettelon puu DocType: Article,LMS User,LMS-käyttäjä @@ -5078,6 +5125,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Vanhemman myyntihenkilö DocType: Student Group Creation Tool,Get Courses,Hanki kursseja apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rivi # {0}: Määrä on 1, koska kohde on kiinteä omaisuus. Käytä erillistä riviä useita kertoja." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Työtunnit, joiden alapuolella poissaolo on merkitty. (Zero pois käytöstä)" DocType: Customer Group,Only leaf nodes are allowed in transaction,Vain lehtisolmut ovat sallittuja tapahtumassa DocType: Grant Application,Organization,organisaatio DocType: Fee Category,Fee Category,Maksujen luokka @@ -5090,6 +5138,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Päivitä tilasi treenitapahtumaan DocType: Volunteer,Morning,Aamu DocType: Quotation Item,Quotation Item,Tarjouspiste +apps/erpnext/erpnext/config/support.py,Issue Priority.,Issue Priority. DocType: Journal Entry,Credit Card Entry,Luottokorttimerkintä apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Aikaväli ohitettiin, paikka {0} - {1} päällekkäin olemassaolevaan paikkaan {2} {3}" DocType: Journal Entry Account,If Income or Expense,Jos tulot tai kulut @@ -5140,11 +5189,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Tietojen tuonti ja asetukset 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 automaattinen sisäänkirjautuminen on valittuna, asiakkaat liitetään automaattisesti kyseiseen kanta-asiakasohjelmaan (tallennettuna)" DocType: Account,Expense Account,Kulutili +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Aika ennen siirtymän alkamisaikaa, jonka aikana työntekijän sisäänkirjautumista pidetään läsnäolona." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Suhde Guardianiin1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Luo lasku apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Maksupyyntö on jo olemassa {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Työntekijä, joka on vapautettu {0}: sta, on asetettava vasemmalle" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Maksa {0} {1} +DocType: Company,Sales Settings,Myyntiasetukset DocType: Sales Order Item,Produced Quantity,Tuotettu määrä apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Tarjouspyyntöön pääsee klikkaamalla seuraavaa linkkiä DocType: Monthly Distribution,Name of the Monthly Distribution,Kuukausittaisen jakelun nimi @@ -5223,6 +5274,7 @@ DocType: Company,Default Values,Oletusarvot apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Myynnin ja oston oletetut veromallit luodaan. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Poistumistyyppiä {0} ei voi siirtää apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Veloitustilille on oltava saamisetili +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Määritä tili Varastossa {0} tai Oletusvarastoratkaisu yrityksessä {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Oletusasetuksena DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Tämän paketin nettopaino. (laskettu automaattisesti tuotteiden nettopainon summana) @@ -5249,8 +5301,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,j apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Vanhentuneet erät DocType: Shipping Rule,Shipping Rule Type,Lähetyssäännön tyyppi DocType: Job Offer,Accepted,Hyväksytyt -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Poista työntekijä {0} poistamalla tämä asiakirja" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Olet jo arvioinut arviointiperusteita {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Valitse Eränumerot apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Ikä (päivät) @@ -5276,6 +5326,8 @@ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Valitse verkkotunnuksesi DocType: Agriculture Task,Task Name,Tehtävän nimi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,"Varastokirjaukset, jotka on jo luotu työjärjestykseen" +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Poista työntekijä {0} poistamalla tämä asiakirja" ,Amount to Deliver,Toimitettava määrä apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Yritystä {0} ei ole olemassa apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,"Ei odotettavissa olevia aineistopyyntöjä, joiden on todettu linkittyvän kyseisiin kohteisiin." @@ -5325,6 +5377,7 @@ DocType: Program Enrollment,Enrolled courses,Ilmoitetut kurssit DocType: Lab Prescription,Test Code,Testikoodi DocType: Purchase Taxes and Charges,On Previous Row Total,Edellinen rivi yhteensä DocType: Student,Student Email Address,Opiskelijan sähköpostiosoite +,Delayed Item Report,Viivästyneen kohteen raportti DocType: Academic Term,Education,koulutus DocType: Supplier Quotation,Supplier Address,Toimittajan osoite DocType: Salary Detail,Do not include in total,Älä sisällä yhteensä @@ -5332,7 +5385,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ei ole olemassa DocType: Purchase Receipt Item,Rejected Quantity,Hylätty määrä DocType: Cashier Closing,To TIme,TIme -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM: n muuntokerrointa ({0} -> {1}) ei löytynyt kohdasta {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Päivittäinen työn yhteenveto Ryhmän käyttäjä DocType: Fiscal Year Company,Fiscal Year Company,Tilivuoden yhtiö apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Vaihtoehtoinen kohde ei saa olla sama kuin alkukoodi @@ -5384,6 +5436,7 @@ DocType: Program Fee,Program Fee,Ohjelmamaksu DocType: Delivery Settings,Delay between Delivery Stops,Toimituksen pysäytysten välinen viive DocType: Stock Settings,Freeze Stocks Older Than [Days],Pakkaa varastot vanhemmiksi kuin [päivät] DocType: Promotional Scheme,Promotional Scheme Product Discount,Tarjouskilpailutuotteiden alennus +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Ongelma prioriteetti on jo olemassa DocType: Account,Asset Received But Not Billed,Omaisuus vastaanotettiin mutta ei laskutettu DocType: POS Closing Voucher,Total Collected Amount,Kerätty summa yhteensä DocType: Course,Default Grading Scale,Oletusasteikko @@ -5426,6 +5479,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Täytäntöönpanon ehdot apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Ei-ryhmästä ryhmään DocType: Student Guardian,Mother,Äiti +DocType: Issue,Service Level Agreement Fulfilled,Palvelutason sopimus täyttyi DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Vähennä verotusta hakematta työntekijäetuista DocType: Travel Request,Travel Funding,Matkarahoitus DocType: Shipping Rule,Fixed,kiinteä @@ -5455,10 +5509,12 @@ DocType: Item,Warranty Period (in days),Takuuaika (päivinä) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Kohteita ei löytynyt. DocType: Item Attribute,From Range,Alueelta DocType: Clinical Procedure,Consumables,kulutushyödykkeet +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,vaaditaan 'worker_field_value' ja 'timestamp'. DocType: Purchase Taxes and Charges,Reference Row #,Viittausrivi # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Määritä Asset-poistokustannuskeskus yrityksessä {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,"Rivi # {0}: Maksuasiakirja on välttämätön, jotta leikkaus suoritetaan" DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Napsauta tätä painiketta, jos haluat vetää myyntitilaustietosi Amazon MWS: ltä." +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Työaika, jonka alapuolella puolipäivä on merkitty. (Zero pois käytöstä)" ,Assessment Plan Status,Arviointisuunnitelman tila apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Valitse ensin {0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Lähetä tämä luoda työntekijätieto @@ -5529,6 +5585,7 @@ DocType: Quality Procedure,Parent Procedure,Vanhemman menettely apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Aseta Open apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Vaihda suodattimia DocType: Production Plan,Material Request Detail,Materiaalipyynnön tiedot +DocType: Shift Type,Process Attendance After,Prosessin osallistuminen jälkeen DocType: Material Request Item,Quantity and Warehouse,Määrä ja varasto apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Siirry ohjelmiin apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Rivi # {0}: Kaksoiskappale viitteissä {1} {2} @@ -5586,6 +5643,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Juhlatiedot apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Velalliset ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Tähän mennessä ei voi olla suurempi kuin työntekijän vapauttamispäivä +DocType: Shift Type,Enable Exit Grace Period,Ota poistumisaikaa käyttöön DocType: Expense Claim,Employees Email Id,Työntekijöiden sähköpostiosoite DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Päivitä hinta osoitteesta Shopify To ERPNext Hinnasto DocType: Healthcare Settings,Default Medical Code Standard,Lääketieteellisen koodin oletusstandardi @@ -5616,7 +5674,6 @@ DocType: Item Group,Item Group Name,Kohtaryhmän nimi DocType: Budget,Applicable on Material Request,Sovelletaan aineistopyyntöön DocType: Support Settings,Search APIs,Etsi API: t DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Ylimääräinen tuotannon osuus myyntitilauksesta -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,tekniset tiedot DocType: Purchase Invoice,Supplied Items,Toimitettavat kohteet DocType: Leave Control Panel,Select Employees,Valitse Työntekijät apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Valitse korkotulotili lainassa {0} @@ -5642,7 +5699,7 @@ DocType: Salary Slip,Deductions,vähennykset ,Supplier-Wise Sales Analytics,Toimittaja-viisas myynnin analytiikka DocType: GSTR 3B Report,February,helmikuu DocType: Appraisal,For Employee,Työntekijälle -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Todellinen toimituspäivä +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Todellinen toimituspäivä DocType: Sales Partner,Sales Partner Name,Myyntikumppanin nimi apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Poisto-rivi {0}: Poistoajan aloituspäivä on merkitty viimeisenä päivämääränä DocType: GST HSN Code,Regional,alueellinen @@ -5681,6 +5738,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Val DocType: Supplier Scorecard,Supplier Scorecard,Toimittajan tuloskortti DocType: Travel Itinerary,Travel To,Matkusta apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Mark Attendance +DocType: Shift Type,Determine Check-in and Check-out,Määritä sisään- ja uloskirjautuminen DocType: POS Closing Voucher,Difference,Ero apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Pieni DocType: Work Order Item,Work Order Item,Työjärjestys @@ -5714,6 +5772,7 @@ DocType: Sales Invoice,Shipping Address Name,Lähetysosoitteen nimi apps/erpnext/erpnext/healthcare/setup.py,Drug,lääke apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} on suljettu DocType: Patient,Medical History,Lääketieteellinen historia +DocType: Expense Claim,Expense Taxes and Charges,Kustannusten verot ja maksut DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Laskun päivämäärän jälkeen kuluneiden päivien määrä ennen tilauksen peruuttamista tai merkintöjen merkitsemistä maksamatta apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Asennusohje {0} on jo lähetetty DocType: Patient Relation,Family,Perhe @@ -5746,7 +5805,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Vahvuus apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} yksiköt {1} tarvitsivat {2} tämän tapahtuman suorittamiseksi. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Alihankintapohjaiset raaka-aineet -DocType: Bank Guarantee,Customer,asiakas DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Jos tämä on käytössä, kenttä Akateeminen termi on pakollinen ohjelman rekisteröintityökalussa." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Eräperusteisen opiskelijaryhmän osalta opiskelija-erä validoidaan jokaiselle opiskelijalle ohjelman rekisteröinnistä. DocType: Course,Topics,aiheista @@ -5826,6 +5884,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Luvun jäsenet DocType: Warranty Claim,Service Address,Palvelun osoite DocType: Journal Entry,Remark,Huomautus +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),"Rivi {0}: Määrä, jota {4} ei ole varastossa {1} merkinnän postitusaikana ({2} {3})" DocType: Patient Encounter,Encounter Time,Encounter Time DocType: Serial No,Invoice Details,Laskun erittely apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ryhmät-kohdassa voidaan tehdä muita tilejä, mutta merkinnät voidaan tehdä muita kuin ryhmiä vastaan" @@ -5906,6 +5965,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","T apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Sulkeminen (avaaminen + yhteensä) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriteerien kaava apps/erpnext/erpnext/config/support.py,Support Analytics,Tuki Analyticsille +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Osallistumislaitteen tunnus (biometrinen / RF-tunniste) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Tarkastelu ja toiminta DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Jos tili on jäädytetty, käyttäjät voivat rajoittaa merkintöjä." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Määrä poistojen jälkeen @@ -5927,6 +5987,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Lainan takaisinmaksu DocType: Employee Education,Major/Optional Subjects,Tärkeimmät / valinnaiset aiheet DocType: Soil Texture,Silt,liete +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Toimittajien osoitteet ja yhteystiedot DocType: Bank Guarantee,Bank Guarantee Type,Pankkitakaustyyppi DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Jos poistat käytöstä, 'Pyöristetty summa' -kenttä ei näy missään tapahtumassa" DocType: Pricing Rule,Min Amt,Min @@ -5965,6 +6026,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Laskun luominen -työkalun kohta DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Sisällytä POS-tapahtumia +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},"Ei työntekijää, joka löytyy työntekijän kentän arvosta. '{}': {}" DocType: Payment Entry,Received Amount (Company Currency),Vastaanotettu määrä (yrityksen valuutta) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage on täynnä, ei tallentanut" DocType: Chapter Member,Chapter Member,Luvun jäsen @@ -5997,6 +6059,7 @@ DocType: SMS Center,All Lead (Open),Kaikki lyijy (avoin) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Ei opiskelijaryhmiä. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Monista rivi {0} samalla {1} DocType: Employee,Salary Details,Palkan tiedot +DocType: Employee Checkin,Exit Grace Period Consequence,Poistu Grace-jakson seurauksista DocType: Bank Statement Transaction Invoice Item,Invoice,Lasku DocType: Special Test Items,Particulars,tarkemmat tiedot apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Aseta suodatin perustuen kohteeseen tai varastoon @@ -6098,6 +6161,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Out of AMC DocType: Job Opening,"Job profile, qualifications required etc.","Työprofiili, vaaditut tutkinnot jne." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Lähetetään valtiolle +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Haluatko lähettää aineistopyynnön DocType: Opportunity Item,Basic Rate,Perusnopeus DocType: Compensatory Leave Request,Work End Date,Työpäivämäärä apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Raaka-aineiden pyyntö @@ -6282,6 +6346,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Poistot DocType: Sales Order Item,Gross Profit,Bruttokate DocType: Quality Inspection,Item Serial No,Tuote Sarjanumero DocType: Asset,Insurer,vakuuttaja +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Ostomäärä DocType: Asset Maintenance Task,Certificate Required,Vaadittu todistus DocType: Retention Bonus,Retention Bonus,Pidätysbonus @@ -6396,6 +6461,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Erotusmäärä (yrit DocType: Invoice Discounting,Sanctioned,seuraamuksia DocType: Course Enrollment,Course Enrollment,Kurssin ilmoittautuminen DocType: Item,Supplier Items,Toimittajan tuotteet +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Aloitusaika ei voi olla suurempi tai yhtä suuri kuin lopetusaika {0}. DocType: Sales Order,Not Applicable,Ei sovellettavissa DocType: Support Search Source,Response Options,Vastausvaihtoehdot apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0}: n pitäisi olla arvo välillä 0 - 100 @@ -6481,7 +6548,6 @@ DocType: Travel Request,Costing,maksaa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Kiinteä omaisuus DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Voitto yhteensä -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Asiakas> Asiakasryhmä> Alue DocType: Share Balance,From No,Vuodesta No DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Maksun täsmäytyslasku DocType: Purchase Invoice,Taxes and Charges Added,Lisätyt verot ja maksut @@ -6589,6 +6655,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ohita hinnoittelusääntö apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ruoka DocType: Lost Reason Detail,Lost Reason Detail,Kadonnut syy Yksityiskohta +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Seuraavat sarjanumerot luotiin:
{0} DocType: Maintenance Visit,Customer Feedback,Asiakaspalaute DocType: Serial No,Warranty / AMC Details,Takuu / AMC-tiedot DocType: Issue,Opening Time,Avaamis aika @@ -6638,6 +6705,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Yrityksen nimi ei ole sama apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Työntekijöiden edistämistä ei voi lähettää ennen tarjouspäivää apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ei saa päivittää {0} vanhempia varastotapahtumia +DocType: Employee Checkin,Employee Checkin,Työntekijän tarkistus apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Aloituspäivän tulee olla pienempi kuin loppupäivä kohdasta {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Luo asiakkaan lainausmerkkejä DocType: Buying Settings,Buying Settings,Ostoasetukset @@ -6659,6 +6727,7 @@ DocType: Job Card Time Log,Job Card Time Log,Job Card Time Log DocType: Patient,Patient Demographics,Potilaiden väestötiedot DocType: Share Transfer,To Folio No,To Folio No apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Rahavirta toiminnoista +DocType: Employee Checkin,Log Type,Lokityyppi DocType: Stock Settings,Allow Negative Stock,Salli negatiiviset varastot apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Mitään kohteista ei ole muutoksia määrään tai arvoon. DocType: Asset,Purchase Date,Ostopäivä @@ -6703,6 +6772,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Erittäin hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Valitse yrityksesi luonne. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Valitse kuukausi ja vuosi +DocType: Service Level,Default Priority,Oletus prioriteetti DocType: Student Log,Student Log,Opiskelijaloki DocType: Shopping Cart Settings,Enable Checkout,Ota Checkout käyttöön apps/erpnext/erpnext/config/settings.py,Human Resources,henkilöstöhallinto @@ -6731,7 +6801,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Yhdistä Shopify ERPNextin avulla DocType: Homepage Section Card,Subtitle,alaotsikko DocType: Soil Texture,Loam,savimaata -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Toimittaja> Toimittajan tyyppi DocType: BOM,Scrap Material Cost(Company Currency),Romun materiaalikustannukset (yrityksen valuutta) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Toimitusilmoitusta {0} ei saa lähettää DocType: Task,Actual Start Date (via Time Sheet),Todellinen aloituspäivä @@ -6802,7 +6871,6 @@ DocType: Production Plan,Material Requests,Olennaiset pyynnöt DocType: Buying Settings,Material Transferred for Subcontract,Alihankintana siirretty materiaali DocType: Job Card,Timing Detail,Ajoitustiedot apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Pakollinen Käytössä -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{0} {1}: n tuominen DocType: Job Offer Term,Job Offer Term,Työn tarjouksen termi DocType: SMS Center,All Contact,Kaikki yhteystiedot DocType: Project Task,Project Task,Hankkeen tehtävä @@ -6853,7 +6921,6 @@ DocType: Student Log,Academic,akateeminen apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Kohde {0} ei ole asetettu sarjanumeroille apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Valtiosta DocType: Leave Type,Maximum Continuous Days Applicable,Maksimi jatkuvia päiviä sovelletaan -apps/erpnext/erpnext/config/support.py,Support Team.,Tukitiimi. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Anna ensin yrityksen nimi apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Tuo onnistunut DocType: Guardian,Alternate Number,Vaihtoehtoinen numero @@ -6945,6 +7012,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Rivi # {0}: Tuote lisättiin DocType: Student Admission,Eligibility and Details,Kelpoisuus ja tiedot DocType: Staffing Plan,Staffing Plan Detail,Henkilöstösuunnitelma +DocType: Shift Type,Late Entry Grace Period,Late Entry Grace Period DocType: Email Digest,Annual Income,Vuositulot DocType: Journal Entry,Subscription Section,Tilausosa DocType: Salary Slip,Payment Days,Maksupäivät @@ -6995,6 +7063,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Tilin saldo DocType: Asset Maintenance Log,Periodicity,Jaksotus apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Sairauskertomus +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Lokityyppi vaaditaan siirtoihin: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,suoritus DocType: Item,Valuation Method,Arviointimenetelmä apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} myyntilaskua vastaan {1} @@ -7079,6 +7148,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Arvioitu kustannuskoht DocType: Loan Type,Loan Name,Lainan nimi apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Määritä maksutapa DocType: Quality Goal,Revision,tarkistus +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Aika ennen vaihtoa päättyy, kun uloskirjautuminen katsotaan aikaiseksi (minuutteina)." DocType: Healthcare Service Unit,Service Unit Type,Huoltoyksikön tyyppi DocType: Purchase Invoice,Return Against Purchase Invoice,Palauta ostolaskuun apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Luo salaisuus @@ -7234,12 +7304,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Kosmetiikka DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Tarkista tämä, jos haluat pakottaa käyttäjän valitsemaan sarjan ennen tallennusta. Tällöin ei ole oletusarvoisia." DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Käyttäjät, joilla on tämä rooli, voivat asettaa jäädytettyjä tilejä ja luoda / muokata kirjanpitotietoja jäädytettyjä tilejä vastaan" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Tuotekoodi> Tuoteryhmä> Merkki DocType: Expense Claim,Total Claimed Amount,Vaadittu summa yhteensä apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Aikaväliä ei löydy seuraavien {0} päivien aikana toiminnasta {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Käärimistä apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Voit uusia vain, jos jäsenyytesi päättyy 30 päivän kuluessa" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Arvon on oltava välillä {0} ja {1} DocType: Quality Feedback,Parameters,parametrit +DocType: Shift Type,Auto Attendance Settings,Automaattinen osallistumisasetukset ,Sales Partner Transaction Summary,Myyntikumppanin transaktioiden yhteenveto DocType: Asset Maintenance,Maintenance Manager Name,Huoltokeskuksen nimi apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Tuotteen tiedot on haettava. @@ -7331,10 +7403,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Vahvista sovellettu sääntö DocType: Job Card Item,Job Card Item,Työpaikkakortti DocType: Homepage,Company Tagline for website homepage,Yrityksen Tagline-sivusto kotisivulle +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Määritä vastausaika ja resoluutio prioriteetille {0} indeksissä {1}. DocType: Company,Round Off Cost Center,Pyöreitä kustannuskeskus DocType: Supplier Scorecard Criteria,Criteria Weight,Kriteerit Paino DocType: Asset,Depreciation Schedules,Poistoajat -DocType: Expense Claim Detail,Claim Amount,Vaatimuksen määrä DocType: Subscription,Discounts,alennukset DocType: Shipping Rule,Shipping Rule Conditions,Toimitusehdot DocType: Subscription,Cancelation Date,Peruutuspäivä @@ -7362,7 +7434,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Luo johtoja apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Näytä nolla-arvot DocType: Employee Onboarding,Employee Onboarding,Työntekijä onboarding DocType: POS Closing Voucher,Period End Date,Ajan päättymispäivä -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Myyntimahdollisuudet lähteen mukaan DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Ensimmäinen Leave Approver -luettelo asetetaan luetteloon oletusarvoiseksi Leave Approveriksi. DocType: POS Settings,POS Settings,POS-asetukset apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Kaikki tilit @@ -7383,7 +7454,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Rivi # {0}: Hinta on sama kuin {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Terveydenhuollon palvelut -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Merkintöjä ei löydy apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Ikääntymisalue 3 DocType: Vital Signs,Blood Pressure,Verenpaine apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Tavoite päällä @@ -7430,6 +7500,7 @@ DocType: Company,Existing Company,Olemassa oleva yritys apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,erissä apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Puolustus DocType: Item,Has Batch No,Onko eränumero +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Viivästetyt päivät DocType: Lead,Person Name,Henkilön nimi DocType: Item Variant,Item Variant,Item Variant DocType: Training Event Employee,Invited,Kutsuttu @@ -7451,7 +7522,7 @@ DocType: Purchase Order,To Receive and Bill,Vastaanota ja Bill apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",Alkamis- ja päättymispäivät eivät ole voimassa olevan palkka-ajan kuluessa eivät voi laskea {0}. DocType: POS Profile,Only show Customer of these Customer Groups,Näytä vain näiden asiakasryhmien asiakas apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Valitse laskutoimitukset -DocType: Service Level,Resolution Time,Tarkkuusaika +DocType: Service Level Priority,Resolution Time,Tarkkuusaika DocType: Grading Scale Interval,Grade Description,Luokan kuvaus DocType: Homepage Section,Cards,Kortit DocType: Quality Meeting Minutes,Quality Meeting Minutes,Laadun kokouspöytäkirjat @@ -7477,6 +7548,7 @@ DocType: Project,Gross Margin %,Myyntikate % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Pankin tilinpäätössiirto pääkirjaan nähden apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Terveydenhuolto (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,"Oletusvarasto, jonka avulla voit luoda myyntitilaus- ja toimitusilmoituksen" +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,{0}: n vastausaika indeksissä {1} ei voi olla suurempi kuin tarkkuusaika. DocType: Opportunity,Customer / Lead Name,Asiakkaan / johtajan nimi DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Pyytämätön määrä @@ -7523,7 +7595,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Osapuolten ja osoitteiden tuominen DocType: Item,List this Item in multiple groups on the website.,Luettele tämä kohde useille ryhmille sivustolla. DocType: Request for Quotation,Message for Supplier,Viesti toimittajalle -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,"{0} ei voi vaihtaa, koska kohde {1} -vaihtoehto on olemassa." DocType: Healthcare Practitioner,Phone (R),Puhelin (R) DocType: Maintenance Team Member,Team Member,Tiimin jäsen DocType: Asset Category Account,Asset Category Account,Omaisuusluokan tili diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index 85c39ad4e3..8edaeb0a0d 100644 --- a/erpnext/translations/fr.csv +++ b/erpnext/translations/fr.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Date de début du mandat apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Rendez-vous {0} et facture commerciale {1} annulés DocType: Purchase Receipt,Vehicle Number,Numéro de véhicule apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Votre adresse email... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Inclure les entrées de livre par défaut +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Inclure les entrées de livre par défaut DocType: Activity Cost,Activity Type,Type d'activité DocType: Purchase Invoice,Get Advances Paid,Obtenir des avances payées DocType: Company,Gain/Loss Account on Asset Disposal,Compte de gain / perte sur la cession d'actifs @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Qu'est ce qu DocType: Bank Reconciliation,Payment Entries,Entrées de paiement DocType: Employee Education,Class / Percentage,Classe / pourcentage ,Electronic Invoice Register,Registre de facture électronique +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. DocType: Sales Invoice,Is Return (Credit Note),Est le retour (note de crédit) +DocType: Price List,Price Not UOM Dependent,Prix non dépendant de l'UOM DocType: Lab Test Sample,Lab Test Sample,Échantillon de test de laboratoire DocType: Shopify Settings,status html,statut html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Pour par exemple 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Recherche de pro DocType: Salary Slip,Net Pay,Salaire net apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Montant total facturé DocType: Clinical Procedure,Consumables Invoice Separately,Consommables facturent séparément +DocType: Shift Type,Working Hours Threshold for Absent,Seuil des heures de travail pour absent DocType: Appraisal,HR-APR-.YY.-.MM.,HR- APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Le budget ne peut pas être affecté à un compte de groupe {0} DocType: Purchase Receipt Item,Rate and Amount,Taux et montant @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Définir la source DocType: Healthcare Settings,Out Patient Settings,Out Patient Settings DocType: Asset,Insurance End Date,Date de fin de l'assurance DocType: Bank Account,Branch Code,Code de succursale -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Temps de réponse apps/erpnext/erpnext/public/js/conf.js,User Forum,Forum utilisateur DocType: Landed Cost Item,Landed Cost Item,Article de coût d'atterrissage 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 identiques @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Propriétaire principal DocType: Share Transfer,Transfer,Transfert apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Élément de recherche (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Résultat soumis +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,La date de début ne peut être supérieure à la date de fin DocType: Supplier,Supplier of Goods or Services.,Fournisseur de biens ou de services. 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. Remarque: ne créez pas de comptes pour les clients et les fournisseurs. apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Groupe de travail ou horaire de cours obligatoire @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Base de donn DocType: Skill,Skill Name,Nom de la compétence apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Imprimer le bulletin DocType: Soil Texture,Ternary Plot,Terrain ternaire -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Billets de soutien DocType: Asset Category Account,Fixed Asset Account,Compte d'immobilisation apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Dernier @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Distance UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligatoire pour le bilan DocType: Payment Entry,Total Allocated Amount,Montant total alloué DocType: Sales Invoice,Get Advances Received,Recevoir les avances reçues +DocType: Shift Type,Last Sync of Checkin,Dernière synchronisation de Checkin DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Article Montant de la taxe inclus dans la valeur apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Plan d'abonnement DocType: Student,Blood Group,Groupe sanguin apps/erpnext/erpnext/config/healthcare.py,Masters,Maîtrise DocType: Crop,Crop Spacing UOM,UdM d'espacement des cultures +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,L'heure après l'heure de début du quart de travail où l'enregistrement est considéré comme tardif (en minutes). apps/erpnext/erpnext/templates/pages/home.html,Explore,Explorer +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Aucune facture en attente trouvée apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} postes à pourvoir et {1} budget pour {2} déjà prévus pour les filiales de {3}. \ Vous ne pouvez planifier que jusqu'à {4} postes vacants et le budget {5} conformément au plan d'effectifs {6} de la société mère {3}. DocType: Promotional Scheme,Product Discount Slabs,Dalles à prix réduit @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Demande de présence DocType: Item,Moving Average,Moyenne mobile DocType: Employee Attendance Tool,Unmarked Attendance,Présence non marquée DocType: Homepage Section,Number of Columns,Le nombre de colonnes +DocType: Issue Priority,Issue Priority,Priorité d'émission DocType: Holiday List,Add Weekly Holidays,Ajouter des vacances hebdomadaires DocType: Shopify Log,Shopify Log,Journal Shopify apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Créer une fiche de salaire @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Valeur / Description DocType: Warranty Claim,Issue Date,Date d'émission 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'élément {0}. Impossible de trouver un seul lot répondant à cette exigence apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Impossible de créer un bonus de rétention pour les employés restants +DocType: Employee Checkin,Location / Device ID,Emplacement / ID de périphérique DocType: Purchase Order,To Receive,Recevoir apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Vous êtes en mode hors ligne. Vous ne pourrez pas recharger avant d'avoir un réseau. DocType: Course Activity,Enrollment,Inscription @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Modèle de test de laboratoire apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informations manquantes sur la facturation électronique apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Aucune demande matérielle créée -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Code d'article> Groupe d'articles> Marque DocType: Loan,Total Amount Paid,Montant total payé 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 DocType: Training Event,Trainer Name,Nom du formateur @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Veuillez mentionner le nom du responsable en source {0} DocType: Employee,You can enter any date manually,Vous pouvez entrer n'importe quelle date manuellement DocType: Stock Reconciliation Item,Stock Reconciliation Item,Article de rapprochement des stocks +DocType: Shift Type,Early Exit Consequence,Conséquence de sortie anticipée DocType: Item Group,General Settings,réglages généraux apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,La date d'échéance ne peut pas être antérieure à la date de comptabilisation / facture fournisseur apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Entrez le nom du bénéficiaire avant de le soumettre. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,Auditeur apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Confirmation de paiement ,Available Stock for Packing Items,Stock disponible pour les articles d'emballage apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Veuillez supprimer cette facture {0} du formulaire C {1}. +DocType: Shift Type,Every Valid Check-in and Check-out,Chaque enregistrement valide et check-out DocType: Support Search Source,Query Route String,Query Route String DocType: Customer Feedback Template,Customer Feedback Template,Modèle de commentaires client apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Citations aux prospects ou aux clients. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Contrôle d'autorisation ,Daily Work Summary Replies,Résumé du travail quotidien apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Vous avez été invité à collaborer au projet: {0} +DocType: Issue,Response By Variance,Réponse par variance DocType: Item,Sales Details,Détails des ventes apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Têtes de lettres pour les modèles d'impression. DocType: Salary Detail,Tax on additional salary,Taxe sur le salaire supplémentaire @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Adresses DocType: Project,Task Progress,Progression de la tâche DocType: Journal Entry,Opening Entry,Entrée d'ouverture DocType: Bank Guarantee,Charges Incurred,Accusations portées +DocType: Shift Type,Working Hours Calculation Based On,Calcul des heures de travail basé sur DocType: Work Order,Material Transferred for Manufacturing,Matière transférée pour la fabrication DocType: Products Settings,Hide Variants,Masquer les variantes DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Désactiver la planification de la capacité et le suivi du temps @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,Dépréciation DocType: Guardian,Interests,Intérêts DocType: Purchase Receipt Item Supplied,Consumed Qty,Quantité consommée DocType: Education Settings,Education Manager,Responsable de l'éducation +DocType: Employee Checkin,Shift Actual Start,Décalage début effectif DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planifiez les journaux de temps en dehors des heures de travail du poste de travail. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Points de fidélité: {0} DocType: Healthcare Settings,Registration Message,Message d'inscription @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Facture déjà créée pour toutes les heures de facturation DocType: Sales Partner,Contact Desc,Contact Desc DocType: Purchase Invoice,Pricing Rules,Règles de tarification +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Comme il existe des transactions avec le poste {0}, vous ne pouvez pas modifier la valeur de {1}." DocType: Hub Tracked Item,Image List,Liste d'images DocType: Item Variant Settings,Allow Rename Attribute Value,Permettre de renommer la valeur d'attribut -DocType: Price List,Price Not UOM Dependant,Prix non dépendant de l'UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Temps (en minutes) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,De base DocType: Loan,Interest Income Account,Compte de revenu d'intérêts @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,Type d'emploi apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Sélectionnez le profil du PDV DocType: Support Settings,Get Latest Query,Obtenir la dernière requête DocType: Employee Incentive,Employee Incentive,Incitation des employés +DocType: Service Level,Priorities,Les priorités apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Ajouter des cartes ou des sections personnalisées sur la page d'accueil DocType: Homepage,Hero Section Based On,Section de héros basée sur DocType: Project,Total Purchase Cost (via Purchase Invoice),Coût total d'achat (via la facture d'achat) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,Fabrication contre dema DocType: Blanket Order Item,Ordered Quantity,Quantité commandée apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ligne n ° {0}: L'entrepôt refusé est obligatoire pour l'élément rejeté {1}. ,Received Items To Be Billed,Articles reçus à facturer -DocType: Salary Slip Timesheet,Working Hours,Heures de travail +DocType: Attendance,Working Hours,Heures de travail apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Mode de paiement apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Bons de commande non reçus à temps apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Durée en jours @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Informations statutaires et autres informations générales sur votre fournisseur DocType: Item Default,Default Selling Cost Center,Centre de coûts de vente par défaut DocType: Sales Partner,Address & Contacts,Adresse et contacts -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: Subscriber,Subscriber,Abonné apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) est en rupture de stock apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Veuillez sélectionner la date d'affichage en premier @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,% Méthode complète DocType: Detected Disease,Tasks Created,Tâches créées apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,La nomenclature par défaut ({0}) doit être active pour cet article ou son modèle. apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Taux de commission% -DocType: Service Level,Response Time,Temps de réponse +DocType: Service Level Priority,Response Time,Temps de réponse DocType: Woocommerce Settings,Woocommerce Settings,Paramètres Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,La quantité doit être positive DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Frais de visite hospital DocType: Bank Statement Settings,Transaction Data Mapping,Cartographie des données de transaction apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Un responsable requiert le nom d'une personne ou le nom d'une organisation DocType: Student,Guardians,Gardiens -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/public/js/stock_analytics.js,Select Brand...,Sélectionnez une marque ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Revenu moyen DocType: Shipping Rule,Calculate Based On,Calculer sur @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Fixer une cible apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},La fiche de présence {0} existe contre l'élève {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Date de la transaction apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Annuler l'abonnement +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Impossible de définir le contrat de service {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Montant net du salaire DocType: Account,Liability,Responsabilité DocType: Employee,Bank A/C No.,Bank A / C No. @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Code d'article matière première apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,La facture d'achat {0} est déjà soumise. DocType: Fees,Student Email,Email de l'étudiant -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Récursion de nomenclature: {0} ne peut pas être le parent ou l'enfant de {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Obtenir des articles des services de santé apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Entrée de stock {0} non soumise DocType: Item Attribute Value,Item Attribute Value,Valeur d'attribut d'élément @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,Autoriser l'impression avant la DocType: Production Plan,Select Items to Manufacture,Sélectionner les articles à fabriquer DocType: Leave Application,Leave Approver Name,Laisser le nom de l'approbateur DocType: Shareholder,Shareholder,Actionnaire -DocType: Issue,Agreement Status,Statut de l'accord apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Paramètres par défaut pour la vente de transactions. 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 l'admission des étudiants qui est obligatoire pour le candidat payé. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Sélectionner une nomenclature @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Compte de revenu apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Tous les entrepôts DocType: Contract,Signee Details,Détails du destinataire +DocType: Shift Type,Allow check-out after shift end time (in minutes),Autoriser le départ après l'heure de fin du quart (en minutes) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Approvisionnement DocType: Item Group,Check this if you want to show in website,Cochez cette option si vous souhaitez afficher sur le site Web apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Année fiscale {0} non trouvée @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Date de début d'amortis DocType: Activity Cost,Billing Rate,Taux de facturation apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Avertissement: Un autre {0} # {1} existe pour la saisie du stock {2}. apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Activez les paramètres de Google Maps pour évaluer et optimiser les itinéraires. +DocType: Purchase Invoice Item,Page Break,Saut de page DocType: Supplier Scorecard Criteria,Max Score,Score Max apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,La date de début du remboursement ne peut pas être antérieure à la date de décaissement. DocType: Support Search Source,Support Search Source,Support Search Source @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Objectif de qualité Obje DocType: Employee Transfer,Employee Transfer,Transfert d'employé ,Sales Funnel,Entonnoir de vente DocType: Agriculture Analysis Criteria,Water Analysis,Analyse de l'eau +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: Accounts Settings,Accounts Frozen Upto,Comptes gelés jusqu'à apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Il n'y a rien à éditer. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Opération {0} plus longue que toutes les heures de travail disponibles sur le poste de travail {1}, décomposez l'opération en plusieurs opérations." @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Le c apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},La commande client {0} est {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Retard de paiement (jours) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Entrer les détails de l'amortissement +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Bon de commande client apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,La date de livraison prévue doit être postérieure à la date de commande. +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,La quantité d'article ne peut être nulle apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Attribut invalide apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Veuillez sélectionner une nomenclature en fonction de l'article {0}. DocType: Bank Statement Transaction Invoice Item,Invoice Type,Type de facture @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,Date de maintenance DocType: Volunteer,Afternoon,Après midi DocType: Vital Signs,Nutrition Values,Valeurs Nutritionnelles DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Fièvre (température> 38,5 ° C / soutenue ou température continue> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Veuillez configurer le système de nommage des employés dans Ressources humaines> Paramètres RH apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,CTI inversé DocType: Project,Collect Progress,Recueillir les progrès apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Énergie @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,Progression de l'installation ,Ordered Items To Be Billed,Articles commandés à facturer DocType: Taxable Salary Slab,To Amount,Pour constituer DocType: Purchase Invoice,Is Return (Debit Note),Est le retour (note de débit) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Groupe de clients> Territoire apps/erpnext/erpnext/config/desktop.py,Getting Started,Commencer apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Fusionner apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Impossible de changer la date de début d'exercice et la date de fin d'exercice une fois que l'exercice est enregistré. @@ -2216,8 +2232,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Date réelle apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},La date de début de maintenance ne peut pas être antérieure à la date de livraison pour le numéro de série {0}. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Ligne {0}: le taux de change est obligatoire DocType: Purchase Invoice,Select Supplier Address,Sélectionnez l'adresse du fournisseur +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}",La quantité disponible est {0}. Vous avez besoin de {1}. apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Veuillez entrer le secret du consommateur API DocType: Program Enrollment Fee,Program Enrollment Fee,Frais d'inscription au programme +DocType: Employee Checkin,Shift Actual End,Décalage effectif fin DocType: Serial No,Warranty Expiry Date,Date d'expiration de la garantie DocType: Hotel Room Pricing,Hotel Room Pricing,Prix des chambres d'hôtel apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Fournitures taxables à la sortie (autres que détaxées, nulles et exonérées" @@ -2277,6 +2295,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Lecture 5 DocType: Shopping Cart Settings,Display Settings,Paramètres d'affichage apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Veuillez définir le nombre d'amortissements enregistrés +DocType: Shift Type,Consequence after,Conséquence après apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Avec quoi as tu besoin d'aide? DocType: Journal Entry,Printing Settings,Paramètres d'impression apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bancaire @@ -2286,6 +2305,7 @@ DocType: Purchase Invoice Item,PR Detail,Détail des relations publiques apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,L'adresse de facturation est identique à l'adresse de livraison DocType: Account,Cash,En espèces DocType: Employee,Leave Policy,Politique de congés +DocType: Shift Type,Consequence,Conséquence apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Adresse de l'étudiant DocType: GST Account,CESS Account,Compte CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Un centre de coûts est requis pour le compte "pertes et profits" {2}. Veuillez configurer un centre de coûts par défaut pour la société. @@ -2350,6 +2370,7 @@ DocType: GST HSN Code,GST HSN Code,GST Code HSN DocType: Period Closing Voucher,Period Closing Voucher,Bon de clôture de période apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nom du gardien2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,S'il vous plaît entrer compte de dépenses +DocType: Issue,Resolution By Variance,Résolution par variance DocType: Employee,Resignation Letter Date,Date de lettre de démission DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Présence à ce jour @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Voir maintenant DocType: Item Price,Valid Upto,Valable jusqu'au apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Le type de référence doit être l'un des {0} +DocType: Employee Checkin,Skip Auto Attendance,Ignorer l'assistance automatique DocType: Payment Request,Transaction Currency,Devise de la transaction DocType: Loan,Repayment Schedule,Calendrier de remboursement apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Créer un échantillon de stock de rétention @@ -2433,6 +2455,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Affectation de DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Taxes sur les bons d'achat apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Action initialisée DocType: POS Profile,Applicable for Users,Applicable pour les utilisateurs +,Delayed Order Report,Rapport de commande retardé DocType: Training Event,Exam,Examen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nombre incorrect d'entrées du grand livre général trouvé. Vous avez peut-être sélectionné un compte incorrect dans la transaction. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Pipeline des ventes @@ -2447,10 +2470,11 @@ DocType: Account,Round Off,Compléter DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Des conditions seront appliquées sur tous les éléments sélectionnés combinés. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Configurer DocType: Hotel Room,Capacity,Capacité +DocType: Employee Checkin,Shift End,Fin de quart DocType: Installation Note Item,Installed Qty,Quantité installée 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é. DocType: Hotel Room Reservation,Hotel Reservation User,Réservation d'hôtel -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Workday a été répété deux fois +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,L'accord de niveau de service avec le type d'entité {0} et l'entité {1} existe déjà. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Groupe d'articles non mentionné dans l'article principal pour l'article {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Erreur de nom: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Le territoire est requis dans le profil de PDV @@ -2498,6 +2522,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Date de l'horaire DocType: Packing Slip,Package Weight Details,Détails du poids du colis DocType: Job Applicant,Job Opening,Une opportunité d'emploi +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Dernière synchronisation réussie de l'enregistrement des employés. Réinitialisez cette opération uniquement si vous êtes certain que tous les journaux sont synchronisés à partir de tous les emplacements. S'il vous plaît ne modifiez pas cela si vous n'êtes pas sûr. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Prix actuel apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),L’avance totale ({0}) sur la commande {1} ne peut pas être supérieure au total général ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Variantes d'article mises à jour @@ -2542,6 +2567,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Reçu d'achat de réf apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Obtenir des invocies DocType: Tally Migration,Is Day Book Data Imported,Les données du carnet de jour sont-elles importées? ,Sales Partners Commission,Commission des partenaires commerciaux +DocType: Shift Type,Enable Different Consequence for Early Exit,Activer des conséquences différentes pour une sortie anticipée apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Légal DocType: Loan Application,Required by Date,Requis par date DocType: Quiz Result,Quiz Result,Résultat du quiz @@ -2601,7 +2627,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Année fi DocType: Pricing Rule,Pricing Rule,Règle de tarification apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Liste de congés facultative non définie pour la période de congé {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Définissez le champ ID utilisateur dans un enregistrement d'employé pour définir le rôle de l'employé. -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Temps de résolution DocType: Training Event,Training Event,Événement de formation DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","La pression artérielle au repos normale chez l'adulte est d'environ 120 mmHg systolique et de 80 mmHg diastolique, en abrégé "120/80 mmHg"." DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Le système récupérera toutes les entrées si la valeur limite est zéro. @@ -2645,6 +2670,7 @@ DocType: Woocommerce Settings,Enable Sync,Activer la synchronisation DocType: Student Applicant,Approved,Approuvé apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},La date de début doit être comprise dans l'exercice financier. En supposant que la date de début = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Veuillez définir le groupe de fournisseurs dans les paramètres d'achat. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} est un statut de présence invalide. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Compte d'ouverture temporaire DocType: Purchase Invoice,Cash/Bank Account,Trésorerie / compte bancaire DocType: Quality Meeting Table,Quality Meeting Table,Table de réunion de qualité @@ -2680,6 +2706,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Alimentation, boissons et tabac" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Horaire du cours DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Item Wise Tax Detail +DocType: Shift Type,Attendance will be marked automatically only after this date.,La participation sera automatiquement marquée après cette date. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Fournitures faites aux titulaires de l'UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Demande de devis apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,La devise ne peut pas être changée après des entrées utilisant une autre devise @@ -2728,7 +2755,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Est un article du hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procédure de qualité. DocType: Share Balance,No of Shares,Nombre d'actions -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ligne {0}: la quantité n'est pas disponible pour {4} dans l'entrepôt {1} au moment de la comptabilisation de l'entrée ({2} {3}). DocType: Quality Action,Preventive,Préventif DocType: Support Settings,Forum URL,URL du forum apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Employé et assiduité @@ -2950,7 +2976,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Type de remise DocType: Hotel Settings,Default Taxes and Charges,Taxes et frais par défaut apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Ceci est basé sur les transactions avec ce fournisseur. Voir la chronologie ci-dessous pour plus de détails apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Le montant maximum de la prestation de l'employé {0} dépasse {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Entrez les dates de début et de fin de l'accord. DocType: Delivery Note Item,Against Sales Invoice,Contre facture de vente DocType: Loyalty Point Entry,Purchase Amount,Montant des achats apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Ne peut pas être défini comme perdu car la commande est faite. @@ -2974,7 +2999,7 @@ DocType: Homepage,"URL for ""All Products""",URL pour "Tous les produits&qu DocType: Lead,Organization Name,nom de l'organisation 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/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Ligne n ° {0}: le numéro de lot doit être identique à {1} {2}. -DocType: Employee,Leave Details,Laisser les détails +DocType: Employee Checkin,Shift Start,Début de quart apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Les transactions de stock avant le {0} sont gelées DocType: Driver,Issuing Date,Date d'émission apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Demandeur @@ -3019,9 +3044,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Détails du modèle de mappage des flux de trésorerie apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Recrutement et formation DocType: Drug Prescription,Interval UOM,UOM d'intervalle +DocType: Shift Type,Grace Period Settings For Auto Attendance,Paramètres de période de grâce pour l'assistance automatique apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,De la monnaie à la monnaie ne peuvent être identiques apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Médicaments DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Heures d'assistance apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} est annulé ou fermé apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Ligne {0}: l'avance sur le client doit être créditée apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grouper par bon (consolidé) @@ -3131,6 +3158,7 @@ DocType: Asset Repair,Repair Status,Statut de réparation DocType: Territory,Territory Manager,Manager de territoire DocType: Lab Test,Sample ID,ID échantillon apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Le panier est vide +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 apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,L'élément {0} doit être soumis. ,Absent Student Report,Rapport d'étudiant absent 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 @@ -3138,7 +3166,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,L DocType: Travel Request Costing,Funded Amount,Montant financé apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} n'a pas été soumis, l'action ne peut donc pas être terminée." DocType: Subscription,Trial Period End Date,Date de fin de la période d'essai +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Alterner les entrées comme IN et OUT pendant le même quart DocType: BOM Update Tool,The new BOM after replacement,La nouvelle nomenclature après remplacement +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fournisseur> Type de fournisseur apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Point 5 DocType: Employee,Passport Number,Numéro de passeport apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Ouverture temporaire @@ -3254,6 +3284,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Rapports clés apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Fournisseur possible ,Issued Items Against Work Order,Articles publiés contre ordre de travail apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Création de la facture {0} +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: Student,Joining Date,Date d'inscription apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Site demandeur DocType: Purchase Invoice,Against Expense Account,Compte contre frais @@ -3293,6 +3324,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Frais applicables ,Point of Sale,Point de vente DocType: Authorization Rule,Approving User (above authorized value),Utilisateur approbateur (valeur autorisée ci-dessus) +DocType: Service Level Agreement,Entity,Entité apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Montant {0} {1} transféré de {2} à {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Le client {0} n'appartient pas au projet {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Du nom du parti @@ -3339,6 +3371,7 @@ DocType: Asset,Opening Accumulated Depreciation,Amortissement cumulé d'ouve DocType: Soil Texture,Sand Composition (%),Composition de sable (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Données du journal d'importation +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Définissez la série de noms pour {0} via Configuration> Paramètres> Série de noms. DocType: Asset,Asset Owner Company,Propriétaire propriétaire de l'entreprise apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Un centre de coûts est nécessaire pour réserver une demande de remboursement. apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} numéros de série valides pour l'élément {1} @@ -3399,7 +3432,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Propriétaire d'actif apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},L'entrepôt est obligatoire pour le poste de stock {0} dans la rangée {1}. DocType: Stock Entry,Total Additional Costs,Total des coûts supplémentaires -DocType: Marketplace Settings,Last Sync On,Dernière synchronisation sur 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 Team,Maintenance Team Name,Nom de l'équipe de maintenance apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Tableau des centres de coûts @@ -3415,12 +3447,12 @@ DocType: Sales Order Item,Work Order Qty,Quantité de travail DocType: Job Card,WIP Warehouse,Entrepôt WIP DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ID utilisateur non défini pour l'employé {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","La quantité disponible est {0}, vous avez besoin de {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Utilisateur {0} créé DocType: Stock Settings,Item Naming By,Nom de l'article par apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Commandé apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Ceci est un groupe de clients racine et ne peut pas être modifié. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,La demande de matériel {0} est annulée ou arrêtée +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: Purchase Order Item Supplied,Supplied Qty,Quantité fournie DocType: Cash Flow Mapper,Cash Flow Mapper,Mappeur de flux de trésorerie DocType: Soil Texture,Sand,Le sable @@ -3479,6 +3511,7 @@ DocType: Lab Test Groups,Add new line,Ajouter une nouvelle ligne apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Groupe d'articles en double trouvé dans la table des groupes d'articles apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Salaire annuel DocType: Supplier Scorecard,Weighting Function,Fonction de pondération +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Erreur lors de l'évaluation de la formule de critère ,Lab Test Report,Rapport de test de laboratoire DocType: BOM,With Operations,Avec des opérations @@ -3492,6 +3525,7 @@ DocType: Expense Claim Account,Expense Claim Account,Compte de remboursement des apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Aucun remboursement disponible pour l'écriture au journal apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} est un étudiant inactif apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Faire une entrée de stock +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Récursion de nomenclature: {0} ne peut pas être le parent ou l'enfant de {1} DocType: Employee Onboarding,Activities,Activités apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Au moins un entrepôt est obligatoire ,Customer Credit Balance,Solde du crédit client @@ -3504,9 +3538,11 @@ DocType: Supplier Scorecard Period,Variables,Variables 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: Patient,Medication,Des médicaments apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Sélectionnez le programme de fidélité +DocType: Employee Checkin,Attendance Marked,Présence marquée apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Matières premières DocType: Sales Order,Fully Billed,Entièrement facturé 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 sur {}. +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Sélectionnez une seule priorité par défaut. apps/erpnext/erpnext/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} 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 identique à celui de l'écriture de journal liée. DocType: Purchase Invoice Item,Is Fixed Asset,Est une immobilisation @@ -3527,6 +3563,7 @@ DocType: Purpose of Travel,Purpose of Travel,Raison du voyage DocType: Healthcare Settings,Appointment Confirmation,Confirmation de rendez-vous DocType: Shopping Cart Settings,Orders,Ordres DocType: HR Settings,Retirement Age,L'âge de la retraite +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/stock/page/stock_balance/stock_balance.js,Projected Qty,Quantité projetée apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},La suppression n'est pas autorisée pour le pays {0}. apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Ligne n ° {0}: l'actif {1} est déjà {2} @@ -3610,11 +3647,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Comptable apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Le bon de fermeture du point de vente existe déjà pour {0} entre la date {1} et le {2} apps/erpnext/erpnext/config/help.py,Navigating,Navigation +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Aucune facture en attente ne nécessite une réévaluation du taux de change DocType: Authorization Rule,Customer / Item Name,Nom du client / article apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Le nouveau numéro de série ne peut pas avoir d’entrepôt. L'entrepôt doit être défini par entrée de stock ou reçu d'achat. DocType: Issue,Via Customer Portal,Via le portail client DocType: Work Order Operation,Planned Start Time,Heure de début prévue apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} est {2} +DocType: Service Level Priority,Service Level Priority,Priorité de niveau de service apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Le nombre d'amortissements comptabilisés ne peut être supérieur au nombre total d'amortissements apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Partage grand livre DocType: Journal Entry,Accounts Payable,Comptes à payer @@ -3725,7 +3764,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Livraison à DocType: Bank Statement Transaction Settings Item,Bank Data,Données bancaires apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Prévu jusqu'à -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Maintenir les heures de facturation et les heures de travail identiques sur la feuille de temps apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Suivi des leads par source de leads. DocType: Clinical Procedure,Nursing User,Utilisateur infirmier DocType: Support Settings,Response Key List,Liste des clés de réponse @@ -3893,6 +3931,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Heure de début réelle DocType: Antibiotic,Laboratory User,Utilisateur de laboratoire apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Enchères en ligne +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,La priorité {0} a été répétée. DocType: Fee Schedule,Fee Creation Status,Statut de création de frais apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Logiciels apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Commande client au paiement @@ -3959,6 +3998,7 @@ DocType: Patient Encounter,In print,Sur papier apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Impossible de récupérer les informations pour {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,La devise de facturation doit être égale à la devise par défaut de la société ou à la devise du compte client. apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Veuillez saisir l'ID employé de ce vendeur +DocType: Shift Type,Early Exit Consequence after,Conséquence de sortie précoce après apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Créer des factures d'ouverture et des factures d'achat DocType: Disease,Treatment Period,Période de traitement apps/erpnext/erpnext/config/settings.py,Setting up Email,Configuration de l'email @@ -3976,7 +4016,6 @@ DocType: Employee Skill Map,Employee Skills,Compétences des employés apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Nom d'étudiant: DocType: SMS Log,Sent On,Envoyé sur DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Facture de vente -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Le temps de réponse ne peut être supérieur au temps de résolution DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Pour les groupes d'étudiants basés sur le cours, le cours sera validé pour chaque élève des cours inscrits dans le programme d'inscription." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Fournitures intra-étatiques DocType: Employee,Create User Permission,Créer une autorisation utilisateur @@ -4015,6 +4054,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Conditions contractuelles standard pour la vente ou l'achat. DocType: Sales Invoice,Customer PO Details,Détails du client apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Patient non trouvé +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Sélectionnez une priorité par défaut. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Supprimer l'article si les frais ne sont pas applicables à cet article apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Un groupe de clients existe avec le même nom, veuillez modifier le nom du client ou renommer le groupe de clients." 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. @@ -4054,6 +4094,7 @@ DocType: Quality Goal,Quality Goal,Objectif de qualité DocType: Support Settings,Support Portal,Portail d'assistance apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},La date de fin de la tâche {0} ne peut pas être inférieure à {1} date de début attendue {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},L'employé {0} est en congé le {1} +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}. DocType: Employee,Held On,Tenue sur DocType: Healthcare Practitioner,Practitioner Schedules,Horaires des pratiquants DocType: Project Template Task,Begin On (Days),Commencer sur (jours) @@ -4061,6 +4102,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},L'ordre de travail a été {0} DocType: Inpatient Record,Admission Schedule Date,Date du calendrier d'admission apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Ajustement de la valeur de l'actif +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. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Fournitures faites à des personnes non inscrites apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Tous les emplois DocType: Appointment Type,Appointment Type,Type de rendez-vous @@ -4174,7 +4216,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Le poids brut de l'emballage. Normalement poids net + poids du matériau d'emballage. (pour impression) DocType: Plant Analysis,Laboratory Testing Datetime,Tests de laboratoire apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,L'élément {0} ne peut pas avoir de lot -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Pipeline des ventes par étape apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Force du groupe d'étudiants DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Saisie de transaction sur relevé bancaire DocType: Purchase Order,Get Items from Open Material Requests,Obtenir des articles à partir de demandes de matériel ouvertes @@ -4256,7 +4297,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Montrer le vieillissement entrepôt DocType: Sales Invoice,Write Off Outstanding Amount,Radiation du montant impayé DocType: Payroll Entry,Employee Details,Détails de l'employé -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,L'heure de début ne peut pas être supérieure à l'heure de fin pour {0}. DocType: Pricing Rule,Discount Amount,Montant de la remise DocType: Healthcare Service Unit Type,Item Details,Détails de l'article apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Déclaration fiscale en double de {0} pour la période {1} @@ -4309,7 +4349,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.AAAAAA.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Le salaire net ne peut être négatif apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Nombre d'interactions 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} # d'article {1} ne peut pas être transférée plus de {2} par rapport au bon de commande {3}. -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Décalage +DocType: Attendance,Shift,Décalage apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Plan de traitement des comptes et des parties DocType: Stock Settings,Convert Item Description to Clean HTML,Convertir la description de l'élément en HTML propre apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Tous les groupes de fournisseurs @@ -4380,6 +4420,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Activité d&# DocType: Healthcare Service Unit,Parent Service Unit,Unité de service parent DocType: Sales Invoice,Include Payment (POS),Inclure le paiement (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Capital-investissement +DocType: Shift Type,First Check-in and Last Check-out,Premier enregistrement et dernier départ DocType: Landed Cost Item,Receipt Document,Document de réception DocType: Supplier Scorecard Period,Supplier Scorecard Period,Période de la fiche d'évaluation du fournisseur DocType: Employee Grade,Default Salary Structure,Structure de salaire par défaut @@ -4462,6 +4503,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Créer une commande d'achat apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Définir le budget pour un exercice. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,La table des comptes ne peut pas être vide. +DocType: Employee Checkin,Entry Grace Period Consequence,Conséquence de la période de grâce d'entrée ,Payment Period Based On Invoice Date,Période de paiement basée sur la date de facturation apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},La date d'installation ne peut pas être antérieure à la date de livraison de l'article {0}. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Lien vers la demande de matériel @@ -4470,6 +4512,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Type de donn apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Ligne {0}: une entrée de commande existe déjà pour cet entrepôt {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Date du document DocType: Monthly Distribution,Distribution Name,Nom de la distribution +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,La journée de travail {0} a été répétée. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Groupe à groupe apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Mise à jour en cours. Ça peut prendre un moment. DocType: Item,"Example: ABCD.##### @@ -4482,6 +4525,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Quantité de carburant apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile Non DocType: Invoice Discounting,Disbursed,Décaissé +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/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Variation nette des comptes créditeurs apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Indisponible apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,À temps partiel @@ -4495,7 +4539,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Opportun apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Afficher PDC en impression apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Fournisseur Shopify DocType: POS Profile User,POS Profile User,Utilisateur de profil de point de vente -DocType: Student,Middle Name,Deuxième nom DocType: Sales Person,Sales Person Name,Nom du vendeur DocType: Packing Slip,Gross Weight,Poids brut DocType: Journal Entry,Bill No,Numéro de facture @@ -4504,7 +4547,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nouve DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,Un + DocType: Issue,Service Level Agreement,Contrat de niveau de service -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Veuillez sélectionner l'employé et la date en premier apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Le taux d’évaluation des articles est recalculé en prenant en compte le montant du bon de livraison DocType: Timesheet,Employee Detail,Détail de l'employé DocType: Tally Migration,Vouchers,Pièces justificatives @@ -4539,7 +4581,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Contrat de nivea DocType: Additional Salary,Date on which this component is applied,Date à laquelle ce composant est appliqué apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Liste des actionnaires disponibles avec numéros de folio apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Configurer les comptes Gateway. -DocType: Service Level,Response Time Period,Délai de réponse +DocType: Service Level Priority,Response Time Period,Délai de réponse DocType: Purchase Invoice,Purchase Taxes and Charges,Taxes et frais d'achat DocType: Course Activity,Activity Date,Date d'activité apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Sélectionner ou ajouter un nouveau client @@ -4564,6 +4606,7 @@ DocType: Sales Person,Select company name first.,Sélectionnez le nom de l'e apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Année financière DocType: Sales Invoice Item,Deferred Revenue,Revenus reportés apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Au moins une vente ou achat doit être sélectionné +DocType: Shift Type,Working Hours Threshold for Half Day,Seuil des heures de travail pour une demi-journée ,Item-wise Purchase History,Historique d'achat par article apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Impossible de modifier la date d'arrêt du service pour l'élément de la ligne {0} DocType: Production Plan,Include Subcontracted Items,Inclure les articles sous-traités @@ -4596,6 +4639,7 @@ DocType: Journal Entry,Total Amount Currency,Montant Total Devise DocType: BOM,Allow Same Item Multiple Times,Autoriser le même élément plusieurs fois apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Créer une nomenclature DocType: Healthcare Practitioner,Charges,Des charges +DocType: Employee,Attendance and Leave Details,Détails de présence et de congés DocType: Student,Personal Details,Détails personnels DocType: Sales Order,Billing and Delivery Status,État de facturation et de livraison apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Ligne {0}: l'adresse e-mail du fournisseur {0} est obligatoire pour envoyer un e-mail. @@ -4647,7 +4691,6 @@ DocType: Bank Guarantee,Supplier,Fournisseur apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Entrez une valeur entre {0} et {1} DocType: Purchase Order,Order Confirmation Date,Date de confirmation de la commande DocType: Delivery Trip,Calculate Estimated Arrival Times,Calculer les heures d'arrivée estimées -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Veuillez configurer le système de nommage des employés dans Ressources humaines> Paramètres RH apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consommable DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Date de début de l'abonnement @@ -4670,7 +4713,7 @@ DocType: Installation Note Item,Installation Note Item,Note d'installation DocType: Journal Entry Account,Journal Entry Account,Compte d'écriture au journal apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Une variante apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Activité du forum -DocType: Service Level,Resolution Time Period,Délai de résolution +DocType: Service Level Priority,Resolution Time Period,Délai de résolution DocType: Request for Quotation,Supplier Detail,Détail du fournisseur DocType: Project Task,View Task,Voir la tâche DocType: Serial No,Purchase / Manufacture Details,Détails d'achat / fabrication @@ -4737,6 +4780,7 @@ DocType: Sales Invoice,Commission Rate (%),Taux de commission (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,L'entrepôt ne peut être modifié que via Entrée de stock / Bon de livraison / Bon d'achat. DocType: Support Settings,Close Issue After Days,Fermer le numéro après les jours DocType: Payment Schedule,Payment Schedule,Calendrier de paiement +DocType: Shift Type,Enable Entry Grace Period,Activer la période de grâce d'entrée DocType: Patient Relation,Spouse,Époux DocType: Purchase Invoice,Reason For Putting On Hold,Raison de la mise en attente DocType: Item Attribute,Increment,Incrément @@ -4876,6 +4920,7 @@ DocType: Authorization Rule,Customer or Item,Client ou article DocType: Vehicle Log,Invoice Ref,Réf facture apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Le formulaire C ne s'applique pas à la facture: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Facture créée +DocType: Shift Type,Early Exit Grace Period,Période de grâce de sortie anticipée DocType: Patient Encounter,Review Details,Détails de l'examen apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Ligne {0}: la valeur en heures doit être supérieure à zéro. DocType: Account,Account Number,Numéro de compte @@ -4887,7 +4932,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned 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" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Conditions de chevauchement trouvées entre: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Payé et non livré -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Le code d'article est obligatoire car l'article n'est pas numéroté automatiquement DocType: GST HSN Code,HSN Code,Code HSN DocType: GSTR 3B Report,September,septembre apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Dépenses administratives @@ -4923,6 +4967,8 @@ DocType: Travel Itinerary,Travel From,Voyage de apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Compte CWIP DocType: SMS Log,Sender Name,Nom de l'expéditeur DocType: Pricing Rule,Supplier Group,Groupe de fournisseurs +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Définissez l'heure de début et l'heure de fin pour \ Support Day {0} à l'index {1}. DocType: Employee,Date of Issue,Date d'Emission ,Requested Items To Be Transferred,Articles demandés à transférer DocType: Employee,Contract End Date,Date de fin du contrat @@ -4933,6 +4979,7 @@ DocType: Healthcare Service Unit,Vacant,Vacant DocType: Opportunity,Sales Stage,Stade de vente DocType: Sales Order,In Words will be visible once you save the Sales Order.,En mots sera visible une fois que vous enregistrez la commande client. DocType: Item Reorder,Re-order Level,Niveau de réapprovisionnement +DocType: Shift Type,Enable Auto Attendance,Activer la présence automatique apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Préférence ,Department Analytics,Département Analytics DocType: Crop,Scientific Name,Nom scientifique @@ -4945,6 +4992,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},Le statut de {0} {1} DocType: Quiz Activity,Quiz Activity,Activité de test apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} n'est pas dans une période de paie valide DocType: Timesheet,Billed,Facturé +apps/erpnext/erpnext/config/support.py,Issue Type.,Type de probleme. DocType: Restaurant Order Entry,Last Sales Invoice,Dernière facture de vente DocType: Payment Terms Template,Payment Terms,Modalités de paiement apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Qté réservée: Quantité commandée à la vente, mais non livrée." @@ -5040,6 +5088,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Atout apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} n'a pas d'horaire pour les praticiens de la santé. Ajoutez-le au master Healthcare Practitioner DocType: Vehicle,Chassis No,N ° de châssis +DocType: Employee,Default Shift,Décalage par défaut apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Abréviation de l'entreprise apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Arbre de nomenclature DocType: Article,LMS User,Utilisateur LMS @@ -5087,6 +5136,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.AAAA.- DocType: Sales Person,Parent Sales Person,Parent Parent DocType: Student Group Creation Tool,Get Courses,Obtenir des cours apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ligne # {0}: La quantité doit être 1, car item est une immobilisation fixe. Veuillez utiliser une ligne distincte pour plusieurs quantités." +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) DocType: Customer Group,Only leaf nodes are allowed in transaction,Seuls les nœuds terminaux sont autorisés dans la transaction DocType: Grant Application,Organization,Organisation DocType: Fee Category,Fee Category,Catégorie de frais @@ -5099,6 +5149,7 @@ DocType: Payment Order,PMO-,PMO- 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: Volunteer,Morning,Matin DocType: Quotation Item,Quotation Item,Article de cotation +apps/erpnext/erpnext/config/support.py,Issue Priority.,Priorité d'émission. DocType: Journal Entry,Credit Card Entry,Entrée de carte de crédit apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Intervalle de temps ignoré, l’intervalle {0} à {1} chevauche l’emplacement existant {2} à {3}" DocType: Journal Entry Account,If Income or Expense,Si revenu ou dépense @@ -5149,11 +5200,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Importation de données et paramètres 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 Auto Opt In est cochée, les clients seront automatiquement associés au programme de fidélité concerné (lors de la sauvegarde)." DocType: Account,Expense Account,Compte de dépenses +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Heure avant l'heure de début du quart pendant laquelle l'enregistrement des employés est pris en compte pour la présence. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Relation avec Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Créer une facture apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},La demande de paiement existe déjà {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',L'employé relevé le {0} doit être défini sur 'Gauche' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Payer {0} {1} +DocType: Company,Sales Settings,Paramètres de vente DocType: Sales Order Item,Produced Quantity,Quantité produite apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,La demande de devis est accessible en cliquant sur le lien suivant DocType: Monthly Distribution,Name of the Monthly Distribution,Nom de la distribution mensuelle @@ -5232,6 +5285,7 @@ DocType: Company,Default Values,Les valeurs par défaut apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Des modèles de taxe par défaut pour les ventes et les achats sont créés. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Laissez le type {0} ne peut pas être reporté apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Le compte au débit doit être un compte à recevoir +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Veuillez définir le compte dans l’entrepôt {0} ou le compte d’inventaire par défaut dans la société {1}. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Définir par défaut DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Le poids net de ce paquet. (calculé automatiquement comme somme du poids net des articles) @@ -5258,8 +5312,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,D apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Lots expirés DocType: Shipping Rule,Shipping Rule Type,Type de règle d'expédition DocType: Job Offer,Accepted,Accepté -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/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Vous avez déjà évalué les critères d'évaluation {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Sélectionner des numéros de lot apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Age (jours) @@ -5286,6 +5338,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Sélectionnez vos domaines DocType: Agriculture Task,Task Name,Nom de la tâche apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Entrées de stock déjà créées pour le bon de travail +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." ,Amount to Deliver,Quantité à livrer apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,La société {0} n'existe pas apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Aucune demande de matériel en attente trouvée pour créer un lien vers les articles donnés. @@ -5335,6 +5389,7 @@ DocType: Program Enrollment,Enrolled courses,Cours inscrits DocType: Lab Prescription,Test Code,Code de test DocType: Purchase Taxes and Charges,On Previous Row Total,Sur la ligne précédente Total DocType: Student,Student Email Address,Adresse électronique de l'étudiant +,Delayed Item Report,Rapport d'élément retardé DocType: Academic Term,Education,Éducation DocType: Supplier Quotation,Supplier Address,Adresse du fournisseur DocType: Salary Detail,Do not include in total,Ne pas inclure au total @@ -5342,7 +5397,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} n'existe pas DocType: Purchase Receipt Item,Rejected Quantity,Quantité rejetée DocType: Cashier Closing,To TIme,À l'heure -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: Daily Work Summary Group User,Daily Work Summary Group User,Utilisateur du groupe de résumé du travail quotidien DocType: Fiscal Year Company,Fiscal Year Company,Année fiscale Société apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,L'article alternatif ne doit pas être identique au code d'article @@ -5394,6 +5448,7 @@ DocType: Program Fee,Program Fee,Frais du programme DocType: Delivery Settings,Delay between Delivery Stops,Délai entre les arrêts de livraison DocType: Stock Settings,Freeze Stocks Older Than [Days],Gel des stocks plus vieux que [jours] DocType: Promotional Scheme,Promotional Scheme Product Discount,Schéma promotionnel Réduction de produit +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,La priorité du problème existe déjà DocType: Account,Asset Received But Not Billed,Actif reçu mais non facturé DocType: POS Closing Voucher,Total Collected Amount,Montant total collecté DocType: Course,Default Grading Scale,Échelle de notation par défaut @@ -5436,6 +5491,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Conditions de réalisation apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Non groupe à groupe DocType: Student Guardian,Mother,Mère +DocType: Issue,Service Level Agreement Fulfilled,Contrat de niveau de service rempli DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Taxe de déduction pour avantages sociaux non réclamés DocType: Travel Request,Travel Funding,Financement de voyage DocType: Shipping Rule,Fixed,Fixé @@ -5465,10 +5521,12 @@ DocType: Item,Warranty Period (in days),Période de garantie (en jours) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Aucun élément trouvé. DocType: Item Attribute,From Range,De la gamme DocType: Clinical Procedure,Consumables,Consommables +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' et 'timestamp' sont obligatoires. DocType: Purchase Taxes and Charges,Reference Row #,Ligne de référence # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Définissez "Centre de coûts d'amortissement des actifs" dans l'entreprise {0}. apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Ligne n ° {0}: Un document de paiement est requis pour effectuer la transaction. DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Cliquez sur ce bouton pour extraire vos données de commande client d'Amazon MWS. +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) ,Assessment Plan Status,Statut du plan d'évaluation apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Veuillez sélectionner {0} d'abord apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Soumettre ceci pour créer la fiche d'employé @@ -5539,6 +5597,7 @@ DocType: Quality Procedure,Parent Procedure,Procédure parentale apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Set Open apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Basculer les filtres DocType: Production Plan,Material Request Detail,Détail de la demande de matériel +DocType: Shift Type,Process Attendance After,Processus de présence après DocType: Material Request Item,Quantity and Warehouse,Quantité et entrepôt apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Aller aux programmes apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Ligne n ° {0}: entrée en double dans les références {1} {2} @@ -5596,6 +5655,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Informations sur la fête apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Débiteurs ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,"À ce jour, ne peut pas dépasser la date de relève de l'employé" +DocType: Shift Type,Enable Exit Grace Period,Activer la période de grâce de sortie DocType: Expense Claim,Employees Email Id,Employé Email Id DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Mise à jour des prix de Shopify à ERPNext Price List DocType: Healthcare Settings,Default Medical Code Standard,Code médical standard par défaut @@ -5626,7 +5686,6 @@ DocType: Item Group,Item Group Name,Nom du groupe d'articles DocType: Budget,Applicable on Material Request,Applicable sur demande de matériel DocType: Support Settings,Search APIs,API de recherche DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Pourcentage de surproduction pour la commande client -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Caractéristiques DocType: Purchase Invoice,Supplied Items,Articles fournis DocType: Leave Control Panel,Select Employees,Sélectionnez les employés apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Sélectionnez le compte de revenu d’intérêts prêté {0} @@ -5652,7 +5711,7 @@ DocType: Salary Slip,Deductions,Déductions ,Supplier-Wise Sales Analytics,Analyse des ventes par fournisseur DocType: GSTR 3B Report,February,février DocType: Appraisal,For Employee,Pour employé -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Date de livraison réelle +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Date de livraison réelle DocType: Sales Partner,Sales Partner Name,Nom du partenaire commercial apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Ligne d'amortissement {0}: la date de début d'amortissement est entrée comme date passée DocType: GST HSN Code,Regional,Régional @@ -5691,6 +5750,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Fac DocType: Supplier Scorecard,Supplier Scorecard,Tableau de bord des fournisseurs DocType: Travel Itinerary,Travel To,Voyager à apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Marquer la présence +DocType: Shift Type,Determine Check-in and Check-out,Déterminer les entrées et les sorties DocType: POS Closing Voucher,Difference,Différence apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Petit DocType: Work Order Item,Work Order Item,Poste de travail @@ -5724,6 +5784,7 @@ DocType: Sales Invoice,Shipping Address Name,Nom de l'adresse de livraison apps/erpnext/erpnext/healthcare/setup.py,Drug,Drogue apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} est fermé DocType: Patient,Medical History,Antécédents médicaux +DocType: Expense Claim,Expense Taxes and Charges,Frais et taxes DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Nombre de jours après l'écoulement de la date de facturation avant l'annulation de l'abonnement ou le marquage de l'abonnement comme impayé apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,La note d'installation {0} a déjà été soumise. DocType: Patient Relation,Family,Famille @@ -5756,7 +5817,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Force apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} unités de {1} nécessaires dans {2} pour effectuer cette transaction. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush matières premières de sous-traitance basées sur -DocType: Bank Guarantee,Customer,Client DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Si activé, la période académique sera obligatoire dans l'outil d'inscription au programme." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Pour le groupe d'étudiants basé sur un lot, le lot d'étudiants sera validé pour chaque élève à partir du programme d'inscription." DocType: Course,Topics,Les sujets @@ -5836,6 +5896,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Membres du chapitre DocType: Warranty Claim,Service Address,Adresse de service DocType: Journal Entry,Remark,Remarque +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ligne {0}: quantité non disponible pour {4} dans l'entrepôt {1} au moment de la comptabilisation de l'entrée ({2} {3}). DocType: Patient Encounter,Encounter Time,Temps de rencontre DocType: Serial No,Invoice Details,Détails de la facture 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 peuvent être créés sous Groupes, mais des écritures peuvent être faites avec des non-groupes." @@ -5916,6 +5977,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","U apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Clôture (ouverture + total) DocType: Supplier Scorecard Criteria,Criteria Formula,Formule de critères apps/erpnext/erpnext/config/support.py,Support Analytics,Support analytique +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Périphérique d'assistance (identifiant d'étiquette biométrique / RF) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Révision et action DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Si le compte est gelé, les entrées sont autorisées aux utilisateurs restreints." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Montant après amortissement @@ -5937,6 +5999,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Remboursement de prêt DocType: Employee Education,Major/Optional Subjects,Sujets majeurs / facultatifs DocType: Soil Texture,Silt,Limon +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Adresses et contacts des fournisseurs DocType: Bank Guarantee,Bank Guarantee Type,Type de garantie bancaire DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Si cette option est désactivée, le champ "Total arrondi" ne sera visible dans aucune transaction." DocType: Pricing Rule,Min Amt,Min Amt @@ -5975,6 +6038,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Ouvrir un élément de l'outil de création de facture DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Inclure les transactions de PDV +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Aucun employé trouvé pour la valeur de champ d'employé donnée. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Montant reçu (devise de la société) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage est plein, n'a pas économisé" DocType: Chapter Member,Chapter Member,Membre du chapitre @@ -6007,6 +6071,7 @@ DocType: SMS Center,All Lead (Open),Tout plomb (ouvert) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Aucun groupe d'étudiants créé. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Ligne en double {0} avec le même {1} DocType: Employee,Salary Details,Détail du salaire +DocType: Employee Checkin,Exit Grace Period Consequence,Conséquence de la période de grâce à la sortie DocType: Bank Statement Transaction Invoice Item,Invoice,Facture d'achat DocType: Special Test Items,Particulars,Les détails apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Veuillez définir le filtre en fonction de l'article ou de l'entrepôt @@ -6108,6 +6173,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Sur AMC DocType: Job Opening,"Job profile, qualifications required etc.","Profil du poste, qualifications requises etc." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Ship To State +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Voulez-vous soumettre la demande de matériel DocType: Opportunity Item,Basic Rate,Tarif de base DocType: Compensatory Leave Request,Work End Date,Date de fin des travaux apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Demande de matières premières @@ -6293,6 +6359,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Montant d'amortissement DocType: Sales Order Item,Gross Profit,Bénéfice brut DocType: Quality Inspection,Item Serial No,Numéro de série DocType: Asset,Insurer,Assureur +DocType: Employee Checkin,OUT,EN DEHORS apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Montant d'achat DocType: Asset Maintenance Task,Certificate Required,Certificat requis DocType: Retention Bonus,Retention Bonus,Bonus de rétention @@ -6408,6 +6475,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Montant de la diffé DocType: Invoice Discounting,Sanctioned,Sanctionné DocType: Course Enrollment,Course Enrollment,Inscription au cours DocType: Item,Supplier Items,Articles du fournisseur +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",L’heure de début ne peut pas être supérieure ou égale à l’heure de fin \ pour {0}. DocType: Sales Order,Not Applicable,N'est pas applicable DocType: Support Search Source,Response Options,Options de réponse apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} doit être une valeur comprise entre 0 et 100 @@ -6494,7 +6563,6 @@ DocType: Travel Request,Costing,Calcul des coûts apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Immobilisations DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Gain total -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Groupe de clients> Territoire DocType: Share Balance,From No,À partir de DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Facture de rapprochement des paiements DocType: Purchase Invoice,Taxes and Charges Added,Taxes et frais ajoutés @@ -6602,6 +6670,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignorer la règle de tarification apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Aliments DocType: Lost Reason Detail,Lost Reason Detail,Motif perdu +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Les numéros de série suivants ont été créés:
{0} DocType: Maintenance Visit,Customer Feedback,Commentaires des clients DocType: Serial No,Warranty / AMC Details,Garantie / AMC Détails DocType: Issue,Opening Time,Horaire d'ouverture @@ -6651,6 +6720,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Nom de l'entreprise pas identique apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,La promotion des employés ne peut pas être soumise avant la date de promotion apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Non autorisé à mettre à jour les transactions de stock antérieures à {0} +DocType: Employee Checkin,Employee Checkin,Enregistrement des employés 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 inférieure à la date de fin pour l'élément {0}. apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Créer des devis clients DocType: Buying Settings,Buying Settings,Paramètres d'achat @@ -6672,6 +6742,7 @@ DocType: Job Card Time Log,Job Card Time Log,Journal de temps de la carte de tra DocType: Patient,Patient Demographics,Données démographiques des patients DocType: Share Transfer,To Folio No,À Folio No apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Flux de trésorerie provenant des opérations +DocType: Employee Checkin,Log Type,Type de journal DocType: Stock Settings,Allow Negative Stock,Autoriser le stock négatif apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Aucun des articles n'a de changement en quantité ou en valeur. DocType: Asset,Purchase Date,date d'achat @@ -6716,6 +6787,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Très hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Sélectionnez la nature de votre entreprise. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Veuillez sélectionner le mois et l'année +DocType: Service Level,Default Priority,Priorité par défaut DocType: Student Log,Student Log,Journal de l'étudiant DocType: Shopping Cart Settings,Enable Checkout,Activer la caisse apps/erpnext/erpnext/config/settings.py,Human Resources,Ressources humaines @@ -6744,7 +6816,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Connectez Shopify avec ERPNext DocType: Homepage Section Card,Subtitle,Sous-titre DocType: Soil Texture,Loam,Terreau -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fournisseur> Type de fournisseur DocType: BOM,Scrap Material Cost(Company Currency),Coût du matériel de rebut (devise de l'entreprise) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Le bon de livraison {0} ne doit pas être envoyé. DocType: Task,Actual Start Date (via Time Sheet),Date de début réelle (via la feuille de temps) @@ -6800,6 +6871,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosage DocType: Cheque Print Template,Starting position from top edge,Position de départ du bord supérieur apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Durée du rendez-vous (min) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Cet employé a déjà un journal avec le même horodatage. {0} DocType: Accounting Dimension,Disable,Désactiver DocType: Email Digest,Purchase Orders to Receive,Commandes d'achat à recevoir apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Les commandes de productions ne peuvent pas être passées pour: @@ -6815,7 +6887,6 @@ DocType: Production Plan,Material Requests,Demandes de matériel DocType: Buying Settings,Material Transferred for Subcontract,Article transféré pour sous-traitance DocType: Job Card,Timing Detail,Détail du timing apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Requis sur -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Importer {0} de {1} DocType: Job Offer Term,Job Offer Term,Durée de l'offre d'emploi DocType: SMS Center,All Contact,Tous les contacts DocType: Project Task,Project Task,Tâche du projet @@ -6866,7 +6937,6 @@ DocType: Student Log,Academic,Académique apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,L'élément {0} n'est pas configuré pour les numéros de série. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,De l'Etat DocType: Leave Type,Maximum Continuous Days Applicable,Nombre maximal de jours continus applicable -apps/erpnext/erpnext/config/support.py,Support Team.,Équipe de soutien. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Veuillez entrer le nom de l'entreprise en premier apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Importation réussie DocType: Guardian,Alternate Number,Autre numéro @@ -6958,6 +7028,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Ligne n ° {0}: élément ajouté DocType: Student Admission,Eligibility and Details,Admissibilité et détails DocType: Staffing Plan,Staffing Plan Detail,Détail du plan de dotation +DocType: Shift Type,Late Entry Grace Period,Délai de grâce pour entrée tardive DocType: Email Digest,Annual Income,Revenu annuel DocType: Journal Entry,Subscription Section,Section d'abonnement DocType: Salary Slip,Payment Days,Jours de paiement @@ -7008,6 +7079,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Solde du compte DocType: Asset Maintenance Log,Periodicity,Périodicité apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Dossier médical +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Le type de journal est requis pour les enregistrements entrant dans le quart de travail: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Exécution DocType: Item,Valuation Method,Méthode d'évaluation apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} contre facture client {1} @@ -7091,6 +7163,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Coût estimé par posi DocType: Loan Type,Loan Name,Nom du prêt apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Définir le mode de paiement par défaut DocType: Quality Goal,Revision,Révision +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,L'heure avant l'heure de fin du quart de travail au moment du départ est considérée comme précoce (en minutes). DocType: Healthcare Service Unit,Service Unit Type,Type d'unité de service DocType: Purchase Invoice,Return Against Purchase Invoice,Retour contre facture d'achat apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Générer un secret @@ -7246,12 +7319,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Produits de beauté DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Cochez cette case si vous souhaitez obliger l'utilisateur à sélectionner une série avant de l'enregistrer. Si vous cochez cette case, il n'y aura pas de défaut." 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 des comptes gelés et à créer / modifier des écritures comptables par rapport à des comptes gelés. +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Code d'article> Groupe d'articles> Marque DocType: Expense Claim,Total Claimed Amount,Montant total réclamé 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 un créneau horaire dans les {0} prochains jours pour l'opération {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Emballer apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Vous ne pouvez renouveler votre adhésion que si votre adhésion expire dans les 30 jours. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},La valeur doit être comprise entre {0} et {1}. DocType: Quality Feedback,Parameters,Paramètres +DocType: Shift Type,Auto Attendance Settings,Paramètres de présence automatique ,Sales Partner Transaction Summary,Récapitulatif des transactions du partenaire commercial DocType: Asset Maintenance,Maintenance Manager Name,Nom du responsable de la maintenance apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Il est nécessaire de récupérer les détails de l'article. @@ -7343,10 +7418,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Valider la règle appliquée DocType: Job Card Item,Job Card Item,Article de carte de travail DocType: Homepage,Company Tagline for website homepage,Slogan de la société pour la page d'accueil du site Web +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Définissez le temps de réponse et la résolution pour la priorité {0} à l'index {1}. DocType: Company,Round Off Cost Center,Centre de coûts arrondi DocType: Supplier Scorecard Criteria,Criteria Weight,Critère Poids DocType: Asset,Depreciation Schedules,Horaires d'amortissement -DocType: Expense Claim Detail,Claim Amount,Montant de la réclamation DocType: Subscription,Discounts,Des remises DocType: Shipping Rule,Shipping Rule Conditions,Conditions de règles d'expédition DocType: Subscription,Cancelation Date,Date d'annulation @@ -7374,7 +7449,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Créer des pistes apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Afficher les valeurs zéro DocType: Employee Onboarding,Employee Onboarding,Employé Embarquement DocType: POS Closing Voucher,Period End Date,Date de fin de période -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Opportunités de vente par source DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Le premier approbateur partant de la liste sera défini comme approbateur partant par défaut. DocType: POS Settings,POS Settings,Paramètres de PDV apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Tous les comptes @@ -7395,7 +7469,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Deatil apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ligne n ° {0}: le taux doit être identique à {1}: {2} ({3} / {4}). DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Articles de service de santé -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Aucun enregistrement trouvé apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Plage de vieillissement 3 DocType: Vital Signs,Blood Pressure,Tension artérielle 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 @@ -7442,6 +7515,7 @@ DocType: Company,Existing Company,Société existante apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Des lots apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,La défense DocType: Item,Has Batch No,Numéro de lot +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Jours retardés DocType: Lead,Person Name,Nom d'une personne DocType: Item Variant,Item Variant,Variante d'article DocType: Training Event Employee,Invited,Invité @@ -7463,7 +7537,7 @@ DocType: Purchase Order,To Receive and Bill,Recevoir et facturer apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Les dates de début et de fin ne faisant pas partie d'une période de paie valide, ne peuvent pas calculer {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Afficher uniquement les clients de ces groupes de clients apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Sélectionner les articles pour enregistrer la facture -DocType: Service Level,Resolution Time,Temps de résolution +DocType: Service Level Priority,Resolution Time,Temps de résolution DocType: Grading Scale Interval,Grade Description,Description du grade DocType: Homepage Section,Cards,Cartes DocType: Quality Meeting Minutes,Quality Meeting Minutes,Compte rendu de réunion de qualité @@ -7490,6 +7564,7 @@ DocType: Project,Gross Margin %,Marge brute % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Relevé bancaire selon le grand livre apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Santé (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Magasin par défaut pour créer une commande client et un bon de livraison +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Le temps de réponse pour {0} à l'index {1} ne peut pas être supérieur au temps de résolution. DocType: Opportunity,Customer / Lead Name,Nom du client / responsable DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Montant non réclamé @@ -7536,7 +7611,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Parties importatrices et adresses DocType: Item,List this Item in multiple groups on the website.,Répertoriez cet élément dans plusieurs groupes sur le site Web. DocType: Request for Quotation,Message for Supplier,Message pour le fournisseur -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Impossible de modifier {0} car la transaction boursière pour l'article {1} existe. DocType: Healthcare Practitioner,Phone (R),Téléphone (R) DocType: Maintenance Team Member,Team Member,Membre de l'équipe DocType: Asset Category Account,Asset Category Account,Compte de catégorie d'actif diff --git a/erpnext/translations/gu.csv b/erpnext/translations/gu.csv index 8d33180d8f..9e7e5206f2 100644 --- a/erpnext/translations/gu.csv +++ b/erpnext/translations/gu.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,ટર્મ પ્રારંભ તા apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,નિમણૂંક {0} અને વેચાણ ઇનવોઇસ {1} રદ થઈ DocType: Purchase Receipt,Vehicle Number,વાહન નંબર apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,તમારું ઇમેઇલ સરનામું ... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,ડિફૉલ્ટ બુક એન્ટ્રીઓ શામેલ કરો +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,ડિફૉલ્ટ બુક એન્ટ્રીઓ શામેલ કરો DocType: Activity Cost,Activity Type,પ્રવૃત્તિ પ્રકાર DocType: Purchase Invoice,Get Advances Paid,ચૂકવણી એડવાન્સ મેળવો DocType: Company,Gain/Loss Account on Asset Disposal,સંપત્તિના નિકાલ પરના હિસાબ / ખોટ ખાતા @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,તે શું DocType: Bank Reconciliation,Payment Entries,ચુકવણી પ્રવેશો DocType: Employee Education,Class / Percentage,વર્ગ / ટકાવારી ,Electronic Invoice Register,ઇલેક્ટ્રોનિક ભરતિયું નોંધણી +DocType: Shift Type,The number of occurrence after which the consequence is executed.,પરિણામ કે જેના પછી પરિણામ અમલમાં આવે છે. DocType: Sales Invoice,Is Return (Credit Note),રીટર્ન છે (ક્રેડિટ નોંધ) +DocType: Price List,Price Not UOM Dependent,કિંમત યુઓમ આધારિત નથી DocType: Lab Test Sample,Lab Test Sample,લેબ ટેસ્ટ નમૂના DocType: Shopify Settings,status html,સ્થિતિ એચટીએમએલ DocType: Fiscal Year,"For e.g. 2012, 2012-13","દા.ત. 2012, 2012-13 માટે" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,ઉત્પા DocType: Salary Slip,Net Pay,કુલ ચુકવણી apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,કુલ ભરતિયું એમટી DocType: Clinical Procedure,Consumables Invoice Separately,ઉપભોક્તા ઇનવોઇસ અલગથી +DocType: Shift Type,Working Hours Threshold for Absent,ગેરહાજરી માટે કામના કલાકો થ્રેશોલ્ડ DocType: Appraisal,HR-APR-.YY.-.MM.,એચઆર -APR- વાયવાય- એમએમ. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},ગ્રુપ એકાઉન્ટ સામે બજેટ સોંપી શકાતું નથી {0} DocType: Purchase Receipt Item,Rate and Amount,દર અને રકમ @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,સોર્સ વેરહાઉ DocType: Healthcare Settings,Out Patient Settings,બહાર દર્દી સેટિંગ્સ DocType: Asset,Insurance End Date,વીમા સમાપ્તિ તારીખ DocType: Bank Account,Branch Code,શાખા સંકેત -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,જવાબ આપવાનો સમય apps/erpnext/erpnext/public/js/conf.js,User Forum,વપરાશકર્તા ફોરમ DocType: Landed Cost Item,Landed Cost Item,લેન્ડસ્ટેડ કોસ્ટ આઇટમ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,વેચનાર અને ખરીદદાર સમાન હોઈ શકતા નથી @@ -597,6 +599,7 @@ DocType: Lead,Lead Owner,લીડ માલિક DocType: Share Transfer,Transfer,સ્થાનાંતરણ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),વસ્તુ શોધો (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} પરિણામ સબમિટ કર્યું +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,તારીખથી આજની તારીખથી વધુ હોઈ શકતી નથી DocType: Supplier,Supplier of Goods or Services.,ગુડ્સ અથવા સેવાઓનું સપ્લાયર. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,નવા ખાતા નું નામ. નોંધ: કૃપા કરીને ગ્રાહકો અને સપ્લાયર્સ માટે એકાઉન્ટ્સ બનાવશો નહીં apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,વિદ્યાર્થી જૂથ અથવા કોર્સ શેડ્યૂલ ફરજિયાત છે @@ -878,7 +881,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,સંભવ DocType: Skill,Skill Name,કૌશલ્ય નામ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,પ્રિન્ટ રિપોર્ટ કાર્ડ DocType: Soil Texture,Ternary Plot,ટર્નીરી પ્લોટ -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,આધાર ટિકિટ DocType: Asset Category Account,Fixed Asset Account,ફિક્સ્ડ એસેટ એકાઉન્ટ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,નવીનતમ @@ -891,6 +893,7 @@ DocType: Delivery Trip,Distance UOM,અંતર યુએમએમ DocType: Accounting Dimension,Mandatory For Balance Sheet,બેલેન્સ શીટ માટે ફરજિયાત DocType: Payment Entry,Total Allocated Amount,કુલ ફાળવેલ રકમ DocType: Sales Invoice,Get Advances Received,એડવાન્સિસ પ્રાપ્ત કરો +DocType: Shift Type,Last Sync of Checkin,ચેકિનનું છેલ્લું સમન્વયન DocType: Student,B-,બી- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,આઇટમ ટેક્સ રકમ મૂલ્યમાં શામેલ છે apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -899,7 +902,9 @@ DocType: Subscription Plan,Subscription Plan,ઉમેદવારી યોજ DocType: Student,Blood Group,બ્લડ ગ્રુપ apps/erpnext/erpnext/config/healthcare.py,Masters,સ્નાતકોત્તર DocType: Crop,Crop Spacing UOM,ક્રોપ સ્પેસિંગ યુએમએમ +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,જ્યારે ચેક-ઇન મોડા (મિનિટમાં) તરીકે ગણવામાં આવે છે ત્યારે શિફ્ટ શરૂ થાય તે સમય પછીનો સમય. apps/erpnext/erpnext/templates/pages/home.html,Explore,અન્વેષણ કરો +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,કોઈ બાકી ઇન્વૉઇસેસ મળ્યાં નથી DocType: Promotional Scheme,Product Discount Slabs,ઉત્પાદન ડિસ્કાઉન્ટ સ્લેબો DocType: Hotel Room Package,Amenities,સવલતો DocType: Lab Test Groups,Add Test,ટેસ્ટ ઉમેરો @@ -998,6 +1003,7 @@ DocType: Attendance,Attendance Request,હાજરી વિનંતી DocType: Item,Moving Average,ખસેડવું સરેરાશ DocType: Employee Attendance Tool,Unmarked Attendance,અનમાર્ક થયેલ હાજરી DocType: Homepage Section,Number of Columns,સ્તંભોની સંખ્યા +DocType: Issue Priority,Issue Priority,ઇશ્યૂ પ્રાધાન્યતા DocType: Holiday List,Add Weekly Holidays,સાપ્તાહિક રજાઓ ઉમેરો DocType: Shopify Log,Shopify Log,Shopify લોગ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,પગાર કાપલી બનાવો @@ -1006,6 +1012,7 @@ DocType: Job Offer Term,Value / Description,મૂલ્ય / વર્ણન DocType: Warranty Claim,Issue Date,ઇશ્યુ તારીખ 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} માટે બેચ પસંદ કરો. આ જરૂરિયાતને પૂર્ણ કરતી એક સિંગલ બેચ શોધવામાં અસમર્થ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,ડાબી કર્મચારીઓ માટે રીટેન્શન બોનસ બનાવી શકતા નથી +DocType: Employee Checkin,Location / Device ID,સ્થાન / ઉપકરણ ID DocType: Purchase Order,To Receive,પ્રાપ્ત apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,તમે ઓફલાઇન મોડમાં છો. જ્યાં સુધી તમારી પાસે નેટવર્ક ન હોય ત્યાં સુધી તમે ફરીથી લોડ કરી શકશો નહીં. DocType: Course Activity,Enrollment,નોંધણી @@ -1014,7 +1021,6 @@ DocType: Lab Test Template,Lab Test Template,લેબ ટેસ્ટ ઢાં apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},મહત્તમ: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ઇ-ઇનવોઇસિંગ માહિતી ખૂટે છે apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,કોઈ સામગ્રી વિનંતી બનાવતી નથી -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,આઇટમ કોડ> આઇટમ જૂથ> બ્રાન્ડ DocType: Loan,Total Amount Paid,ચૂકવેલ કુલ રકમ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,આ બધી વસ્તુઓ પહેલેથી જ ભરપાઈ કરવામાં આવી છે DocType: Training Event,Trainer Name,ટ્રેનર નામ @@ -1125,6 +1131,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},લીડમાં લીડ નામનો ઉલ્લેખ કરો {0} DocType: Employee,You can enter any date manually,તમે કોઈપણ તારીખ જાતે દાખલ કરી શકો છો DocType: Stock Reconciliation Item,Stock Reconciliation Item,સ્ટોક સમાધાન આઇટમ +DocType: Shift Type,Early Exit Consequence,પ્રારંભિક બહાર નીકળો પરિણામ DocType: Item Group,General Settings,સામાન્ય સુયોજનો apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,બાકી તારીખ પોસ્ટિંગ / સપ્લાયર ઇન્વૉઇસ તારીખ પહેલાં હોઈ શકતી નથી apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,સબમિટ કરતાં પહેલાં લાભાર્થીનું નામ દાખલ કરો. @@ -1162,6 +1169,7 @@ DocType: Account,Auditor,ઑડિટર apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,ચુકવણી પુષ્ટિ ,Available Stock for Packing Items,પેકિંગ આઈટમ્સ માટે ઉપલબ્ધ સ્ટોક apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},કૃપા કરીને સી-ફોર્મ {1} માંથી આ ભરતિયું {0} ને દૂર કરો +DocType: Shift Type,Every Valid Check-in and Check-out,દરેક માન્ય ચેક-ઇન અને ચેક-આઉટ DocType: Support Search Source,Query Route String,ક્વેરી રૂટ શબ્દમાળા DocType: Customer Feedback Template,Customer Feedback Template,ગ્રાહક પ્રતિસાદ ઢાંચો apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,લીડ્સ અથવા ગ્રાહકો માટે ખર્ચ. @@ -1196,6 +1204,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,અધિકૃતતા નિયંત્રણ ,Daily Work Summary Replies,દૈનિક વર્ક સારાંશ જવાબો apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},તમને પ્રોજેક્ટ પર સહયોગ માટે આમંત્રિત કરવામાં આવ્યા છે: {0} +DocType: Issue,Response By Variance,વેરિયસ દ્વારા પ્રતિભાવ DocType: Item,Sales Details,વેચાણ વિગતો apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,પ્રિન્ટ નમૂનાઓ માટે લેટર હેડ્સ. DocType: Salary Detail,Tax on additional salary,વધારાના પગાર પર કર @@ -1319,6 +1328,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,ગ્ર DocType: Project,Task Progress,કાર્ય પ્રગતિ DocType: Journal Entry,Opening Entry,ખુલ્લી એન્ટ્રી DocType: Bank Guarantee,Charges Incurred,ખર્ચ શામેલ +DocType: Shift Type,Working Hours Calculation Based On,વર્કિંગ કલાક ગણતરી આધારિત DocType: Work Order,Material Transferred for Manufacturing,ઉત્પાદન માટે સામગ્રી સ્થાનાંતરિત DocType: Products Settings,Hide Variants,ચલો છુપાવો DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ક્ષમતા આયોજન અને સમય ટ્રેકિંગને અક્ષમ કરો @@ -1348,6 +1358,7 @@ DocType: Account,Depreciation,અવમૂલ્યન DocType: Guardian,Interests,રૂચિ DocType: Purchase Receipt Item Supplied,Consumed Qty,ઉપભોક્તા જથ્થો DocType: Education Settings,Education Manager,શિક્ષણ મેનેજર +DocType: Employee Checkin,Shift Actual Start,શિફ્ટ વાસ્તવિક પ્રારંભ DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,વર્કસ્ટેશન વર્કિંગ અવર્સની બહાર યોજના સમય લોગ. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},વફાદારી મુદ્દાઓ: {0} DocType: Healthcare Settings,Registration Message,નોંધણી સંદેશ @@ -1372,9 +1383,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,ભરતિયું પહેલેથી જ બધા બિલિંગ કલાક માટે બનાવેલ છે DocType: Sales Partner,Contact Desc,સંપર્ક ડીસીસી DocType: Purchase Invoice,Pricing Rules,પ્રાઇસીંગ નિયમો +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","આઇટમ {0} ની સામે પ્રવર્તમાન વ્યવહારો હોવાથી, તમે {1} ની કિંમત બદલી શકતા નથી" DocType: Hub Tracked Item,Image List,છબી સૂચિ DocType: Item Variant Settings,Allow Rename Attribute Value,એટ્રીબ્યુટ મૂલ્યનું નામ બદલવાની મંજૂરી આપો -DocType: Price List,Price Not UOM Dependant,કિંમત યુઓમ આધારિત નથી apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),સમય (મિનિટમાં) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,પાયાની DocType: Loan,Interest Income Account,વ્યાજ આવક ખાતું @@ -1384,6 +1395,7 @@ DocType: Employee,Employment Type,કામદારનો પ્રકાર apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,પી.ઓ.એસ. પ્રોફાઇલ પસંદ કરો DocType: Support Settings,Get Latest Query,તાજેતરની ક્વેરી મેળવો DocType: Employee Incentive,Employee Incentive,કર્મચારી પ્રોત્સાહન +DocType: Service Level,Priorities,પ્રાધાન્યતા apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,હોમપેજ પર કાર્ડ્સ અથવા કસ્ટમ વિભાગો ઉમેરો DocType: Homepage,Hero Section Based On,હિરો સેક્શન આધારીત DocType: Project,Total Purchase Cost (via Purchase Invoice),કુલ ખરીદી કિંમત (ખરીદી ભરતિયું દ્વારા) @@ -1444,7 +1456,7 @@ DocType: Work Order,Manufacture against Material Request,મટીરીયલ DocType: Blanket Order Item,Ordered Quantity,આદેશ આપ્યો જથ્થો apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},પંક્તિ # {0}: નામંજૂર વેરહાઉસ નામંજૂર વસ્તુ સામે ફરજિયાત છે {1} ,Received Items To Be Billed,બિલ કરવા માટે વસ્તુઓ પ્રાપ્ત -DocType: Salary Slip Timesheet,Working Hours,કામ નાં કલાકો +DocType: Attendance,Working Hours,કામ નાં કલાકો apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,ચુકવણી સ્થિતિ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,ખરીદી ઓર્ડર વસ્તુઓ સમય પર પ્રાપ્ત નથી apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,દિવસોમાં અવધિ @@ -1564,7 +1576,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,તમારી સપ્લાયર વિશે વૈધાનિક માહિતી અને અન્ય સામાન્ય માહિતી DocType: Item Default,Default Selling Cost Center,મૂળભૂત વેચાણ ખર્ચ કેન્દ્ર DocType: Sales Partner,Address & Contacts,સરનામું અને સંપર્કો -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,કૃપા કરીને સેટઅપ> નંબરિંગ સીરીઝ દ્વારા હાજરી માટે નંબરિંગ શ્રેણી સેટ કરો DocType: Subscriber,Subscriber,સબ્સ્ક્રાઇબર apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ફોર્મ / આઇટમ / {0}) સ્ટોકની બહાર છે apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,કૃપા કરીને પહેલા પોસ્ટિંગ તારીખ પસંદ કરો @@ -1575,7 +1586,7 @@ DocType: Project,% Complete Method,% પૂર્ણ પદ્ધતિ DocType: Detected Disease,Tasks Created,કાર્યો બનાવ્યાં apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,ડિફૉલ્ટ BOM ({0}) આ આઇટમ અથવા તેના નમૂના માટે સક્રિય હોવું આવશ્યક છે apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,કમિશન દર% -DocType: Service Level,Response Time,પ્રતિભાવ સમય +DocType: Service Level Priority,Response Time,પ્રતિભાવ સમય DocType: Woocommerce Settings,Woocommerce Settings,WooCommerce સેટિંગ્સ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,જથ્થો હકારાત્મક હોવા જ જોઈએ DocType: Contract,CRM,સીઆરએમ @@ -1592,7 +1603,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,ઇનપેશિયન DocType: Bank Statement Settings,Transaction Data Mapping,ટ્રાન્ઝેક્શન ડેટા મેપિંગ apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,લીડને કોઈ વ્યક્તિનું નામ અથવા સંસ્થાના નામની જરૂર હોય છે DocType: Student,Guardians,વાલીઓ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,કૃપા કરીને શિક્ષણ> શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,બ્રાન્ડ પસંદ કરો ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,મધ્ય આવક DocType: Shipping Rule,Calculate Based On,ગણતરી આધારિત @@ -1629,6 +1639,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,લક્ષ્ય apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},વિદ્યાર્થી સામે હાજરી રેકોર્ડ {0} અસ્તિત્વ ધરાવે છે {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,ટ્રાંઝેક્શનની તારીખ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,ઉમેદવારી રદ કરો +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,સેવા સ્તર કરાર {0} સેટ કરી શકાયો નથી. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,ચોખ્ખી પગાર રકમ DocType: Account,Liability,જવાબદારી DocType: Employee,Bank A/C No.,બેંક એ / સી નં. @@ -1693,7 +1704,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,કાચો માલસામાન વસ્તુ કોડ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,ખરીદી ભરતિયું {0} પહેલેથી સબમિટ થયેલ છે DocType: Fees,Student Email,વિદ્યાર્થી ઇમેઇલ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},બીએમએમ રિકર્ઝન: {0} માતાપિતા અથવા બાળકનું બાળક હોઈ શકતું નથી {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,હેલ્થકેર સેવાઓમાંથી વસ્તુઓ મેળવો apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,સ્ટોક એન્ટ્રી {0} સબમિટ નથી DocType: Item Attribute Value,Item Attribute Value,આઇટમ એટ્રીબ્યુટ મૂલ્ય @@ -1718,7 +1728,6 @@ DocType: POS Profile,Allow Print Before Pay,ચુકવણી પહેલા DocType: Production Plan,Select Items to Manufacture,ઉત્પાદન કરવા માટે વસ્તુઓ પસંદ કરો DocType: Leave Application,Leave Approver Name,એપ્રોવર નામ છોડો DocType: Shareholder,Shareholder,શેરહોલ્ડર -DocType: Issue,Agreement Status,કરારની સ્થિતિ apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,વ્યવહારો વેચવા માટે ડિફૉલ્ટ સેટિંગ્સ. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,કૃપા કરીને વિદ્યાર્થી પ્રવેશની પસંદગી કરો જે પેઇડ વિદ્યાર્થી અરજદાર માટે ફરજિયાત છે apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,બોમ પસંદ કરો @@ -1980,6 +1989,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,આવક ખાતું apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,બધા વેરહાઉસ DocType: Contract,Signee Details,સાઇનિ વિગતો +DocType: Shift Type,Allow check-out after shift end time (in minutes),શિફ્ટ સમાપ્ત સમય પછી (મિનિટમાં) ચેક-આઉટની મંજૂરી આપો apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,પ્રાપ્તિ DocType: Item Group,Check this if you want to show in website,જો તમે વેબસાઇટમાં બતાવવા માંગતા હોવ તો આ તપાસો apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ફિસ્કલ વર્ષ {0} મળ્યું નથી @@ -2046,6 +2056,7 @@ DocType: Asset Finance Book,Depreciation Start Date,અવમૂલ્યન પ DocType: Activity Cost,Billing Rate,બિલિંગ દર apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},ચેતવણી: અન્ય {0} # {1} સ્ટોક એન્ટ્રી સામે અસ્તિત્વમાં છે {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,કૃપા કરીને રસ્તાઓનો અંદાજ કાઢવા અને ઑપ્ટિમાઇઝ કરવા માટે Google નકશા સેટિંગ્સને સક્ષમ કરો +DocType: Purchase Invoice Item,Page Break,પૃષ્ઠ વિરામ DocType: Supplier Scorecard Criteria,Max Score,મેક્સ સ્કોર apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,ચુકવણી પ્રારંભ તારીખ વિતરણ તારીખ પહેલાં હોઈ શકતી નથી. DocType: Support Search Source,Support Search Source,સપોર્ટ શોધ સ્રોત @@ -2114,6 +2125,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,ગુણવત્તા DocType: Employee Transfer,Employee Transfer,કર્મચારી ટ્રાન્સફર ,Sales Funnel,સેલ્સ ફનલ DocType: Agriculture Analysis Criteria,Water Analysis,પાણી વિશ્લેષણ +DocType: Shift Type,Begin check-in before shift start time (in minutes),શિફ્ટ પ્રારંભ સમય પહેલા (મિનિટમાં) ચેક-ઇન પ્રારંભ કરો DocType: Accounts Settings,Accounts Frozen Upto,એકાઉન્ટ્સ ફ્રોઝન સુધી apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,સંપાદન કરવા માટે કંઈ નથી. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","વર્કસ્ટેશન {1} માં કોઈપણ ઉપલબ્ધ કલાકો કરતાં વધુ {0} ઓપરેશન, ઑપરેશનને બહુવિધ ઓપરેશન્સમાં તોડો" @@ -2127,7 +2139,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,સ apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},સેલ્સ ઓર્ડર {0} {1} છે apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ચૂકવણીમાં વિલંબ (દિવસો) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,અવમૂલ્યન વિગતો દાખલ કરો +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,ગ્રાહક પી apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,અપેક્ષિત ડિલિવરી તારીખ સેલ્સ ઓર્ડર તારીખ પછી હોવી જોઈએ +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,વસ્તુ જથ્થો શૂન્ય હોઈ શકતો નથી apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,અમાન્ય લક્ષણ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},કૃપા કરીને વસ્તુ વિરુદ્ધ BOM પસંદ કરો {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,ભરતિયું પ્રકાર @@ -2137,6 +2151,7 @@ DocType: Maintenance Visit,Maintenance Date,જાળવણી તારીખ DocType: Volunteer,Afternoon,બપોર પછી DocType: Vital Signs,Nutrition Values,પોષણ મૂલ્યો DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),તાવની હાજરી (તાપમાન> 38.5 ડિગ્રી સેલ્સિયસ / 101.3 ડિગ્રી ફેરનહીટ અથવા સતત તાપમાન> 38 ° સે / 100.4 ° ફે) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,કૃપા કરીને માનવ સંસાધન> એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,આઇટીસી રિવર્સ DocType: Project,Collect Progress,પ્રગતિ એકત્રિત કરો apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,ઊર્જા @@ -2186,6 +2201,7 @@ DocType: Setup Progress,Setup Progress,સેટઅપ પ્રગતિ ,Ordered Items To Be Billed,આદેશ આપ્યો વસ્તુઓ બિલ કરવામાં આવશે DocType: Taxable Salary Slab,To Amount,રકમ DocType: Purchase Invoice,Is Return (Debit Note),રીટર્ન છે (ડેબિટ નોંધ) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> પ્રદેશ apps/erpnext/erpnext/config/desktop.py,Getting Started,પ્રારંભ કરો apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,મર્જ કરો apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,એકવાર ફિસ્કલ વર્ષ સાચવવામાં આવે પછી ફિસ્કલ યર પ્રારંભ તારીખ અને નાણાકીય વર્ષ સમાપ્તિ તારીખ બદલી શકતા નથી. @@ -2204,8 +2220,10 @@ DocType: Maintenance Schedule Detail,Actual Date,વાસ્તવિક તા apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},જાળવણી પ્રારંભ તારીખ સીરીયલ નંબર {0} માટે વિતરણ તારીખ પહેલાં હોઈ શકતી નથી apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,પંક્તિ {0}: એક્સચેન્જ દર ફરજિયાત છે DocType: Purchase Invoice,Select Supplier Address,સપ્લાયર સરનામું પસંદ કરો +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","ઉપલબ્ધ જથ્થો {0} છે, તમારે {1} ની જરૂર છે" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,કૃપા કરીને API ઉપભોક્તા સિક્રેટ દાખલ કરો DocType: Program Enrollment Fee,Program Enrollment Fee,પ્રોગ્રામ નોંધણી ફી +DocType: Employee Checkin,Shift Actual End,શિફ્ટ વાસ્તવિક અંત DocType: Serial No,Warranty Expiry Date,વોરંટી સમાપ્તિ તારીખ DocType: Hotel Room Pricing,Hotel Room Pricing,હોટેલ રૂમ પ્રાઇસીંગ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","બાહ્ય કરપાત્ર પુરવઠો (શૂન્ય રેટ કર્યા સિવાય, નબળા રેટ કર્યા અને મુક્તિ આપવામાં આવી" @@ -2264,6 +2282,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,વાંચન 5 DocType: Shopping Cart Settings,Display Settings,ડિસ્પ્લે સેટિંગ્સ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,કૃપા કરીને બુક કરાયેલ અવમૂલ્યનની સંખ્યા સેટ કરો +DocType: Shift Type,Consequence after,પછી પરિણામ apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,તમને કઈ મદદની જરૂર છે? DocType: Journal Entry,Printing Settings,છાપવાની સેટિંગ્સ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,બેંકિંગ @@ -2273,6 +2292,7 @@ DocType: Purchase Invoice Item,PR Detail,પીઆર વિગતવાર apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,બિલિંગ સરનામું શિપિંગ સરનામાં જેવું જ છે DocType: Account,Cash,રોકડ DocType: Employee,Leave Policy,નીતિ છોડી દો +DocType: Shift Type,Consequence,પરિણામ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,વિદ્યાર્થીનું સરનામું DocType: GST Account,CESS Account,સીઈએસ એકાઉન્ટ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: 'નફા અને નુકસાન' ખાતા માટે ખર્ચ કેન્દ્ર આવશ્યક છે {2}. કૃપા કરીને કંપની માટે ડિફોલ્ટ કોસ્ટ સેન્ટર સેટ કરો. @@ -2337,6 +2357,7 @@ DocType: GST HSN Code,GST HSN Code,જીએસટી એચએસએન કો DocType: Period Closing Voucher,Period Closing Voucher,સમયગાળો બંધ વાઉચર apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,ગાર્ડિયન 2 નામ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,કૃપા કરીને ખર્ચ એકાઉન્ટ દાખલ કરો +DocType: Issue,Resolution By Variance,ભિન્નતા દ્વારા ઠરાવ DocType: Employee,Resignation Letter Date,રાજીનામું લેટર તારીખ DocType: Soil Texture,Sandy Clay,સેન્ડી ક્લે DocType: Upload Attendance,Attendance To Date,તારીખ હાજરી @@ -2349,6 +2370,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,હવે જુઓ DocType: Item Price,Valid Upto,માન્ય સુધી apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},સંદર્ભ ડોકટાઇપ {0} માંની એક હોવી આવશ્યક છે +DocType: Employee Checkin,Skip Auto Attendance,ઑટો એટેન્ડન્સ છોડો DocType: Payment Request,Transaction Currency,ટ્રાન્ઝેક્શન કરન્સી DocType: Loan,Repayment Schedule,ચુકવણી સમયપત્રક apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,નમૂના રીટેન્શન સ્ટોક એન્ટ્રી બનાવો @@ -2420,6 +2442,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,વેતન DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,પોસ ક્લોઝિંગ વાઉચર ટેક્સ apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,ક્રિયા પ્રારંભિક DocType: POS Profile,Applicable for Users,વપરાશકર્તાઓ માટે લાગુ +,Delayed Order Report,વિલંબિત ઓર્ડર રિપોર્ટ DocType: Training Event,Exam,પરીક્ષા apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,ખોટી સંખ્યામાં સામાન્ય લેજર પ્રવેશો મળી. તમે ટ્રાન્ઝેક્શનમાં ખોટો ખાતા પસંદ કર્યો હશે. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,સેલ્સ પાઇપલાઇન @@ -2434,10 +2457,11 @@ DocType: Account,Round Off,રાઉન્ડ ઑફ DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,બધી પસંદ કરેલી આઇટમ્સ પર સંયુક્ત શરતો લાગુ કરવામાં આવશે. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,રૂપરેખાંકિત કરો DocType: Hotel Room,Capacity,ક્ષમતા +DocType: Employee Checkin,Shift End,શિફ્ટ એન્ડ DocType: Installation Note Item,Installed Qty,સ્થાપિત જથ્થો apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,આઇટમ {1} નું બેચ {0} અક્ષમ છે. DocType: Hotel Room Reservation,Hotel Reservation User,હોટેલ આરક્ષણ વપરાશકર્તા -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,કામકાજ બે વાર પુનરાવર્તન કરવામાં આવ્યું છે +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,એન્ટિટી પ્રકાર {0} અને એન્ટિટી {1} સાથે સેવા સ્તર કરાર પહેલાથી અસ્તિત્વમાં છે. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},આઈટમ ગ્રુપનો આઇટમ માસ્ટરમાં ઉલ્લેખ કર્યો નથી {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},નામ ભૂલ: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,પી.ઓ.એસ. પ્રોફાઇલમાં પ્રદેશ આવશ્યક છે @@ -2485,6 +2509,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,સૂચિ તારીખ DocType: Packing Slip,Package Weight Details,પેકેજ વજન વિગતો DocType: Job Applicant,Job Opening,જોબ ઓપનિંગ +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,કર્મચારી ચેકિનના છેલ્લા જાણીતા સફળ સમન્વયન. જો તમને ખાતરી છે કે બધા લોગ બધા સ્થાનોથી સમન્વયિત છે તો જ આને ફરીથી સેટ કરો. જો તમે અચોક્કસ હોવ તો કૃપા કરીને આને સંશોધિત કરશો નહીં. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,વાસ્તવિક ખર્ચ apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ઓર્ડર સામે કુલ એડવાન્સ ({0}) {1} ગ્રાન્ડ ટોટલ ({2}) કરતા વધારે ન હોઈ શકે apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,વસ્તુ ચલો અદ્યતન @@ -2529,6 +2554,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,સંદર્ભ ખર apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,આમંત્રણ મેળવો DocType: Tally Migration,Is Day Book Data Imported,દિવસ બુક ડેટા આયાત કરેલો છે ,Sales Partners Commission,સેલ્સ પાર્ટનર્સ કમિશન +DocType: Shift Type,Enable Different Consequence for Early Exit,પ્રારંભિક બહાર નીકળો માટે વિવિધ પરિણામોને સક્ષમ કરો apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,કાયદેસર DocType: Loan Application,Required by Date,તારીખ દ્વારા જરૂરી DocType: Quiz Result,Quiz Result,ક્વિઝ પરિણામ @@ -2588,7 +2614,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,નાણ DocType: Pricing Rule,Pricing Rule,પ્રાઇસીંગ નિયમ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},વૈકલ્પિક રજાઓની સૂચિ રજા અવધિ માટે સેટ નથી {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,કૃપા કરીને કર્મચારીની ભૂમિકા સેટ કરવા માટે કર્મચારી રેકોર્ડમાં વપરાશકર્તા ID ફીલ્ડ સેટ કરો -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,ઉકેલવાનો સમય DocType: Training Event,Training Event,તાલીમ ઇવેન્ટ DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","પુખ્ત વયના સામાન્ય રક્તસ્રાવમાં આશરે 120 એમએમએચજી સિસ્ટૉલિક હોય છે, અને 80 એમએમએચજી ડાયાસ્ટોલિક, સંક્ષિપ્તમાં "120/80 એમએમએચજી"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,મર્યાદા મૂલ્ય શૂન્ય હોય તો સિસ્ટમ બધી એન્ટ્રીઓ લાવશે. @@ -2632,6 +2657,7 @@ DocType: Woocommerce Settings,Enable Sync,સમન્વયન સક્ષમ DocType: Student Applicant,Approved,મંજૂર apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},તારીખથી ફિસ્કલ વર્ષની અંદર હોવી જોઈએ. તારીખથી ધારી રહ્યા છીએ = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,કૃપા કરીને ખરીદી સેટિંગ્સમાં સપ્લાયર જૂથ સેટ કરો. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} અમાન્ય હાજરી સ્થિતિ છે. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,અસ્થાયી ઓપનિંગ એકાઉન્ટ DocType: Purchase Invoice,Cash/Bank Account,રોકડ / બેંક ખાતું DocType: Quality Meeting Table,Quality Meeting Table,ગુણવત્તા સભા ટેબલ @@ -2667,6 +2693,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,એમડબલ્યુએસ એ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","ખોરાક, પીણા અને તમાકુ" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,કોર્સ શેડ્યૂલ DocType: Purchase Taxes and Charges,Item Wise Tax Detail,આઇટમ વાઈસ ટેક્સ વિગતવાર +DocType: Shift Type,Attendance will be marked automatically only after this date.,આ તારીખ પછી હાજરી આપોઆપ ચિહ્નિત કરવામાં આવશે. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,યુઆઇએન ધારકોને કરવામાં આવતી પુરવઠો apps/erpnext/erpnext/hooks.py,Request for Quotations,અવતરણ માટે વિનંતી apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,કેટલીક ચલણનો ઉપયોગ કરીને પ્રવેશો કર્યા પછી કરન્સી બદલી શકાતી નથી @@ -2715,7 +2742,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,હબ માંથી આઇટમ છે apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,ગુણવત્તા પ્રક્રિયા. DocType: Share Balance,No of Shares,શેર્સની સંખ્યા -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),પંક્તિ {0}: પ્રવેશની સમય ({2} {3}) પર વેરહાઉસ {1} માં {4} માલ ઉપલબ્ધ નથી. DocType: Quality Action,Preventive,નિવારક DocType: Support Settings,Forum URL,ફોરમ URL apps/erpnext/erpnext/config/hr.py,Employee and Attendance,કર્મચારી અને હાજરી @@ -2937,7 +2963,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,ડિસ્કાઉ DocType: Hotel Settings,Default Taxes and Charges,ડિફોલ્ટ ટેક્સ અને ચાર્જિસ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,આ આ સપ્લાયર સામેના વ્યવહારો પર આધારિત છે. વિગતો માટે નીચે સમયરેખા જુઓ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},કર્મચારીની મહત્તમ લાભ રકમ {0} કરતા વધી ગઈ છે {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,કરાર માટે પ્રારંભ અને સમાપ્તિ તારીખ દાખલ કરો. DocType: Delivery Note Item,Against Sales Invoice,સેલ્સ ઇનવોઇસ સામે DocType: Loyalty Point Entry,Purchase Amount,ખરીદી રકમ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,સેલ્સ ઑર્ડર બનાવાયેલી તરીકે લોસ્ટ તરીકે સેટ કરી શકાતું નથી. @@ -2961,7 +2986,7 @@ DocType: Homepage,"URL for ""All Products""","તમામ પ્રોડ DocType: Lead,Organization Name,સંસ્થા નુ નામ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,સંચિત માટે ક્ષેત્રોથી માન્ય અને માન્ય છે તે ફરજિયાત છે apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},પંક્તિ # {0}: બેચ નોટ {1} {2} જેટલો જ હોવો જોઈએ -DocType: Employee,Leave Details,વિગતો છોડો +DocType: Employee Checkin,Shift Start,શિફ્ટ પ્રારંભ કરો apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} પહેલાં સ્ટોક ટ્રાંઝેક્ટ્સ સ્થિર થઈ જાય છે DocType: Driver,Issuing Date,રજૂઆત તારીખ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,વિનંતી કરનાર @@ -3006,9 +3031,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,કેશ ફ્લો મેપિંગ ઢાંચો વિગતો apps/erpnext/erpnext/config/hr.py,Recruitment and Training,ભરતી અને તાલીમ DocType: Drug Prescription,Interval UOM,અંતરાલ યુએમએમ +DocType: Shift Type,Grace Period Settings For Auto Attendance,ઓટો હાજરી માટે ગ્રેસ પીરિયડ સેટિંગ્સ apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,કરન્સી અને કરન્સીથી સમાન હોઈ શકતા નથી apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ફાર્માસ્યુટિકલ્સ DocType: Employee,HR-EMP-,એચઆર-ઇએમપી- +DocType: Service Level,Support Hours,સહાયક કલાકો apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} રદ અથવા બંધ છે apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,પંક્તિ {0}: ગ્રાહક સામે એડવાન્સ ક્રેડિટ હોવું આવશ્યક છે apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),વાઉચર દ્વારા ગ્રુપ (કન્સોલિડેટેડ) @@ -3118,6 +3145,7 @@ DocType: Asset Repair,Repair Status,સમારકામ સ્થિતિ DocType: Territory,Territory Manager,પ્રદેશ વ્યવસ્થાપક DocType: Lab Test,Sample ID,નમૂના ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,કાર્ટ ખાલી છે +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,કર્મચારી ચેક-ઇન્સ મુજબ હાજરી નિશ્ચિત કરવામાં આવી છે apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,સંપત્તિ {0} સબમિટ કરવી આવશ્યક છે ,Absent Student Report,ગેરહાજર વિદ્યાર્થી અહેવાલ apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,ગ્રોસ પ્રોફિટમાં શામેલ છે @@ -3125,7 +3153,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,ભંડોળ રકમ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} સબમિટ કરવામાં આવ્યું નથી તેથી ક્રિયા પૂર્ણ કરી શકાતી નથી DocType: Subscription,Trial Period End Date,ટ્રાયલ પીરિયડ સમાપ્તિ તારીખ +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,સમાન શિફ્ટ દરમિયાન IN અને OUT ની વૈકલ્પિક એન્ટ્રીઓ DocType: BOM Update Tool,The new BOM after replacement,બદલી પછી નવી બોમ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,સપ્લાયર> સપ્લાયર પ્રકાર apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,વસ્તુ 5 DocType: Employee,Passport Number,પાસપોર્ટ નંબર apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,અસ્થાયી ખુલવાનો @@ -3240,6 +3270,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,કી રિપોર્ટ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,સંભવિત સપ્લાયર ,Issued Items Against Work Order,વર્ક ઑર્ડર સામે રજૂ કરાયેલ આઈટમ્સ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} ભરતિયું બનાવી રહ્યું છે +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,કૃપા કરીને શિક્ષણ> શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો DocType: Student,Joining Date,જોડાયા તારીખ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,સાઇટની વિનંતી કરી રહ્યાં છે DocType: Purchase Invoice,Against Expense Account,ખર્ચ એકાઉન્ટ સામે @@ -3279,6 +3310,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,લાગુ ચાર્જ ,Point of Sale,વેચાણ પોઇન્ટ DocType: Authorization Rule,Approving User (above authorized value),વપરાશકર્તા મંજૂર (અધિકૃત મૂલ્ય ઉપર) +DocType: Service Level Agreement,Entity,એન્ટિટી apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{0} {1} {2} થી {3} માં સ્થાનાંતરિત રકમ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},ગ્રાહક {0} પ્રોજેક્ટથી સંબંધિત નથી {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,પાર્ટી નામથી @@ -3325,6 +3357,7 @@ DocType: Asset,Opening Accumulated Depreciation,સંચિત અવમૂલ DocType: Soil Texture,Sand Composition (%),રેતી રચના (%) DocType: Production Plan,MFG-PP-.YYYY.-,એમએફજી-પીપી- .YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,આયાત દિવસ બુક ડેટા +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,કૃપા કરીને {0} સેટઅપ> સેટિંગ્સ> નામકરણ શ્રેણી દ્વારા નામકરણ સીરીઝ સેટ કરો DocType: Asset,Asset Owner Company,સંપત્તિ માલિક કંપની apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,ખર્ચના કેન્દ્રને ખર્ચના દાવાને બુક કરવાની જરૂર છે apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} આઇટમ માટે માન્ય સીરીયલ નોસ {1} @@ -3385,7 +3418,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,સંપત્તિ માલિક apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},પંક્તિ {1} માં સ્ટોક વસ્તુ {0} માટે વેરહાઉસ ફરજિયાત છે. DocType: Stock Entry,Total Additional Costs,કુલ વધારાના ખર્ચ -DocType: Marketplace Settings,Last Sync On,છેલ્લું સમન્વયન ચાલુ apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,કૃપા કરીને કર અને ચાર્જ ટેબલમાં ઓછામાં ઓછી એક હરોળ સેટ કરો DocType: Asset Maintenance Team,Maintenance Team Name,જાળવણી ટીમનું નામ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,ખર્ચ કેન્દ્રોનું ચાર્ટ @@ -3401,12 +3433,12 @@ DocType: Sales Order Item,Work Order Qty,કામ ઓર્ડર જથ્થ DocType: Job Card,WIP Warehouse,ડબ્લ્યુઆઇપી વેરહાઉસ DocType: Payment Request,ACC-PRQ-.YYYY.-,એસીસી-પીઆરક્યૂ- .YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},કર્મચારી માટે યુઝર આઈડી સેટ નથી {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","ઉપલબ્ધ qty {0} છે, તમારે {1} ની જરૂર છે" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,વપરાશકર્તા {0} બનાવ્યું DocType: Stock Settings,Item Naming By,આઇટમ દ્વારા નામકરણ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,આદેશ આપ્યો apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,આ રુટ ગ્રાહક જૂથ છે અને સંપાદિત કરી શકાતું નથી. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,મટીરીયલ વિનંતી {0} રદ અથવા બંધ છે +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,કર્મચારી ચેકિનમાં લોગ પ્રકાર પર આધારિત સખત રીતે DocType: Purchase Order Item Supplied,Supplied Qty,પુરવઠો જથ્થો DocType: Cash Flow Mapper,Cash Flow Mapper,કેશ ફ્લો મેપર DocType: Soil Texture,Sand,રેતી @@ -3465,6 +3497,7 @@ DocType: Lab Test Groups,Add new line,નવી લાઇન ઉમેરો apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,આઇટમ જૂથ કોષ્ટકમાં ડુપ્લિકેટ આઇટમ જૂથ મળી apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,વરસ નો પગાર DocType: Supplier Scorecard,Weighting Function,વેઇટિંગ ફંક્શન +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,માપદંડ ફોર્મ્યુલાનું મૂલ્યાંકન કરવામાં ભૂલ ,Lab Test Report,લેબ ટેસ્ટ રિપોર્ટ DocType: BOM,With Operations,ઓપરેશન્સ સાથે @@ -3478,6 +3511,7 @@ DocType: Expense Claim Account,Expense Claim Account,ખર્ચ એકાઉ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,જર્નલ એન્ટ્રી માટે કોઈ ચુકવણી ઉપલબ્ધ નથી apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} નિષ્ક્રિય વિદ્યાર્થી છે apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,સ્ટોક એન્ટ્રી બનાવો +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},બીએમએમ રિકર્ઝન: {0} માતાપિતા અથવા બાળકનું બાળક હોઈ શકતું નથી {1} DocType: Employee Onboarding,Activities,પ્રવૃત્તિઓ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,ઓછામાં ઓછું એક વેરહાઉસ ફરજિયાત છે ,Customer Credit Balance,ગ્રાહક ક્રેડિટ બેલેન્સ @@ -3490,9 +3524,11 @@ DocType: Supplier Scorecard Period,Variables,વેરિયેબલ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,ગ્રાહક માટે મલ્ટીપલ લોયલ્ટી પ્રોગ્રામ મળ્યો. કૃપા કરીને મેન્યુઅલી પસંદ કરો. DocType: Patient,Medication,દવા apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,વફાદારી કાર્યક્રમ પસંદ કરો +DocType: Employee Checkin,Attendance Marked,હાજરી ચિહ્નિત apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,કાચો માલ DocType: Sales Order,Fully Billed,સંપૂર્ણપણે બિલકુલ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},કૃપા કરીને હોટેલ રૂમ દર {} પર સેટ કરો +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ડિફોલ્ટ તરીકે ફક્ત એક પ્રાધાન્યતા પસંદ કરો. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},કૃપા કરી પ્રકાર ({0} માટે એકાઉન્ટ (લેજર) ને ઓળખો / બનાવો apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,કુલ ક્રેડિટ / ડેબિટ રકમ લિંક કરેલી જર્નલ એન્ટ્રી જેવી જ હોવી જોઈએ DocType: Purchase Invoice Item,Is Fixed Asset,સ્થિર મિલકત છે @@ -3513,6 +3549,7 @@ DocType: Purpose of Travel,Purpose of Travel,મુસાફરી હેતુ DocType: Healthcare Settings,Appointment Confirmation,નિમણૂક પુષ્ટિ DocType: Shopping Cart Settings,Orders,ઓર્ડર DocType: HR Settings,Retirement Age,નિવૃત્તિ ઉંમર +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,કૃપા કરીને સેટઅપ> નંબરિંગ સીરીઝ દ્વારા હાજરી માટે નંબરિંગ શ્રેણી સેટ કરો apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,પ્રસ્તાવિત જથ્થો apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},દેશ માટે કાઢી નાંખવાની પરવાનગી નથી {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},પંક્તિ # {0}: સંપત્તિ {1} પહેલેથી જ છે {2} @@ -3596,11 +3633,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,એકાઉન્ટન્ટ apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},પીઓએસ ક્લોઝિંગ વાઉચર એલ્ડ્રેય {0} ની તારીખ {1} અને {2} વચ્ચે અસ્તિત્વમાં છે apps/erpnext/erpnext/config/help.py,Navigating,નેવિગેટિંગ +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,કોઈ બાકી ઇન્વૉઇસેસને વિનિમય દરના પુન: મૂલ્યાંકનની જરૂર નથી DocType: Authorization Rule,Customer / Item Name,ગ્રાહક / આઇટમ નામ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,નવી સીરીયલ નો વેરહાઉસ ન હોઈ શકે. વેરહાઉસ સ્ટોક એન્ટ્રી અથવા ખરીદી રસીદ દ્વારા સેટ કરવું આવશ્યક છે DocType: Issue,Via Customer Portal,ગ્રાહક પોર્ટલ દ્વારા DocType: Work Order Operation,Planned Start Time,આયોજન પ્રારંભ સમય apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} {2} છે +DocType: Service Level Priority,Service Level Priority,સેવા સ્તર પ્રાધાન્યતા apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,બુક કરાયેલ અવમૂલ્યનની સંખ્યા અવમૂલ્યનની કુલ સંખ્યા કરતાં મોટી હોઈ શકતી નથી apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,શેર લેજર DocType: Journal Entry,Accounts Payable,ચુકવવાપાત્ર ખાતાઓ @@ -3711,7 +3750,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,ડિલિવરી DocType: Bank Statement Transaction Settings Item,Bank Data,બેંક ડેટા apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,સુનિશ્ચિત સુધી -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,ટાઇમશીટ પર બિલિંગ અવર્સ અને કાર્યકાળનો સમય જાળવો apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,ટ્રેક લીડ સોર્સ દ્વારા દોરી જાય છે. DocType: Clinical Procedure,Nursing User,નર્સિંગ યુઝર DocType: Support Settings,Response Key List,પ્રતિભાવ કી યાદી @@ -3879,6 +3917,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,વાસ્તવિક પ્રારંભ સમય DocType: Antibiotic,Laboratory User,લેબોરેટરી યુઝર apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,ઑનલાઇન હરાજી +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,પ્રાધાન્યતા {0} પુનરાવર્તિત કરવામાં આવી છે. DocType: Fee Schedule,Fee Creation Status,ફી સર્જન સ્થિતિ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,સૉફ્ટવેર apps/erpnext/erpnext/config/help.py,Sales Order to Payment,વેચાણ ઓર્ડર ચુકવણી @@ -3945,6 +3984,7 @@ DocType: Patient Encounter,In print,પ્રિન્ટમાં apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0} માટે માહિતી પુનઃપ્રાપ્ત કરી શકાઈ નથી. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,બિલિંગ ચલણ ડિફૉલ્ટ કંપનીની ચલણ અથવા પાર્ટી એકાઉન્ટ ચલણ જેટલી જ હોવી આવશ્યક છે apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,કૃપા કરીને આ વેચાણ વ્યક્તિના કર્મચારી આઈડી દાખલ કરો +DocType: Shift Type,Early Exit Consequence after,પ્રારંભિક બહાર નીકળો પરિણામ પછી apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,ઓપનિંગ સેલ્સ અને ખરીદી ઇન્વૉઇસેસ બનાવો DocType: Disease,Treatment Period,સારવાર સમયગાળો apps/erpnext/erpnext/config/settings.py,Setting up Email,ઇમેઇલ સુયોજિત કરી રહ્યા છે @@ -3962,7 +4002,6 @@ DocType: Employee Skill Map,Employee Skills,કર્મચારી કુશ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,વિદ્યાર્થીનું નામ: DocType: SMS Log,Sent On,મોકલ્યું DocType: Bank Statement Transaction Invoice Item,Sales Invoice,વેચાણ ભરતિયું -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,રિસ્પોન્સ સમય રીઝોલ્યુશન સમય કરતાં વધુ હોઈ શકતું નથી DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","અભ્યાસક્રમ આધારિત વિદ્યાર્થી જૂથ માટે, પ્રોગ્રામ નોંધણીમાં નોંધાયેલા અભ્યાસક્રમોમાંથી દરેક વિદ્યાર્થી માટે અભ્યાસક્રમ માન્ય કરવામાં આવશે." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,આંતરરાજ્ય પુરવઠા DocType: Employee,Create User Permission,વપરાશકર્તા પરવાનગી બનાવો @@ -4001,6 +4040,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,વેચાણ અથવા ખરીદી માટે માનક કરાર શરતો. DocType: Sales Invoice,Customer PO Details,ગ્રાહક પી.ઓ. વિગતો apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,દર્દી મળ્યાં નથી +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,ડિફોલ્ટ પ્રાધાન્યતા પસંદ કરો. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,જો આઇટમ પર શુલ્ક લાગુ ન હોય તો વસ્તુને દૂર કરો apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ગ્રાહક જૂથ સમાન નામથી અસ્તિત્વમાં છે કૃપા કરીને કસ્ટમર નામ બદલો અથવા ગ્રાહક જૂથનું નામ બદલો 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. @@ -4039,6 +4079,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),કુલ ખર્ચ દ DocType: Quality Goal,Quality Goal,ગુણવત્તા લક્ષ્ય DocType: Support Settings,Support Portal,આધાર પોર્ટલ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},એમ્પ્લોયી {0} ચાલુ છે {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},આ સેવા સ્તર કરાર ગ્રાહક માટે વિશિષ્ટ છે {0} DocType: Employee,Held On,પર રાખવામાં DocType: Healthcare Practitioner,Practitioner Schedules,પ્રેક્ટિશનર શેડ્યૂલ DocType: Project Template Task,Begin On (Days),પ્રારંભ (દિવસો) @@ -4046,6 +4087,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},વર્ક ઓર્ડર {0} DocType: Inpatient Record,Admission Schedule Date,પ્રવેશ શેડ્યૂલ તારીખ apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,સંપત્તિ મૂલ્ય ગોઠવણ +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,આ પાળીને સોંપેલ કર્મચારીઓ માટે 'કર્મચારી ચેકિન' પર આધારિત હાજરી હાજરી. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,અનિયંત્રિત વ્યક્તિઓને કરવામાં આવતી પુરવઠો apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,બધી નોકરીઓ DocType: Appointment Type,Appointment Type,નિમણૂંક પ્રકાર @@ -4159,7 +4201,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),પેકેજનું કુલ વજન. સામાન્ય રીતે નેટ વજન + પેકેજિંગ સામગ્રી વજન. (છાપવા માટે) DocType: Plant Analysis,Laboratory Testing Datetime,લેબોરેટરી પરીક્ષણ ડેટાઇમ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,આઇટમ {0} પાસે બેચ ન હોઈ શકે -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,સ્ટેજ દ્વારા સેલ્સ પાઇપલાઇન apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,વિદ્યાર્થી જૂથ શક્તિ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,બેંક સ્ટેટમેન્ટ ટ્રાન્ઝેક્શન એન્ટ્રી DocType: Purchase Order,Get Items from Open Material Requests,ઓપન મટિરિયલ અરજીઓમાંથી આઇટમ્સ મેળવો @@ -4241,7 +4282,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,એગિંગ વેરહાઉસ-મુજબ બતાવો DocType: Sales Invoice,Write Off Outstanding Amount,બાકી રકમ લખો DocType: Payroll Entry,Employee Details,કર્મચારીની વિગતો -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,{0} માટે પ્રારંભ સમય કરતાં પ્રારંભ સમય વધારે હોઈ શકતો નથી. DocType: Pricing Rule,Discount Amount,ડિસ્કાઉન્ટ રકમ DocType: Healthcare Service Unit Type,Item Details,આઇટમ વિગતો apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},{0} સમયગાળા માટે {0} નું ડુપ્લિકેટ ટેક્સ ઘોષણા @@ -4294,7 +4334,7 @@ DocType: Customer,CUST-.YYYY.-,સી.ટી.સી.-વાયવાયવાય apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,નેટ પેજ નકારાત્મક ન હોઈ શકે apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,કોઈ ક્રિયાપ્રતિક્રિયા નથી 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/hr/doctype/employee/employee_dashboard.py,Shift,Shift +DocType: Attendance,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,એકાઉન્ટ્સ અને પક્ષોના પ્રોસેસિંગ ચાર્ટ DocType: Stock Settings,Convert Item Description to Clean HTML,એચટીએમએલ સાફ કરવા માટે આઇટમ વર્ણન કન્વર્ટ apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,બધા પુરવઠોકર્તા જૂથો @@ -4365,6 +4405,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,કર્મ DocType: Healthcare Service Unit,Parent Service Unit,પિતૃ સેવા એકમ DocType: Sales Invoice,Include Payment (POS),ચુકવણી શામેલ કરો (પી.ઓ.એસ.) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,પ્રાઇવેટ ઇક્વિટી +DocType: Shift Type,First Check-in and Last Check-out,પ્રથમ ચેક-ઇન અને છેલ્લું ચેક-આઉટ DocType: Landed Cost Item,Receipt Document,રસીદ દસ્તાવેજ DocType: Supplier Scorecard Period,Supplier Scorecard Period,સપ્લાયર સ્કોરકાર્ડ પીરિયડ DocType: Employee Grade,Default Salary Structure,મૂળભૂત પગાર માળખું @@ -4447,6 +4488,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,ખરીદી ઓર્ડર બનાવો apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,નાણાકીય વર્ષ માટે બજેટ વ્યાખ્યાયિત કરો. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,એકાઉન્ટ્સ કોષ્ટક ખાલી હોઈ શકતી નથી. +DocType: Employee Checkin,Entry Grace Period Consequence,એન્ટ્રી ગ્રેસ પીરિયડ પરિણામ ,Payment Period Based On Invoice Date,ભરતિયું તારીખ પર આધારિત ચુકવણી સમયગાળો apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},આઇટમ {0} માટે ડિલીવરી તારીખ પહેલાં ઇન્સ્ટોલેશન તારીખ હોઈ શકતી નથી apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,મટીરીયલ વિનંતી લિંક @@ -4455,6 +4497,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,મેપ ક apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},પંક્તિ {0}: આ વેરહાઉસ માટે એક પુનઃક્રમાંકિત એન્ટ્રી પહેલેથી અસ્તિત્વમાં છે {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ડોક તારીખ DocType: Monthly Distribution,Distribution Name,વિતરણ નામ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,વર્કડે {0} નું પુનરાવર્તન કરવામાં આવ્યું છે. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,ગ્રુપ ટુ નોન-ગ્રુપ apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,પ્રગતિમાં સુધારો. તેમાં થોડો સમય લાગી શકે છે. DocType: Item,"Example: ABCD.##### @@ -4467,6 +4510,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,ફ્યુઅલ Qty apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,ગાર્ડિયન 1 મોબાઈલ નં DocType: Invoice Discounting,Disbursed,વિતરિત +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"શિફ્ટના અંત પછી સમય, જેમાં હાજરી માટે ચેક-આઉટ ગણવામાં આવે છે." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ચૂકવવાપાત્ર ખાતાઓમાં નેટ ચેન્જ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,ઉપલબ્ધ નથી apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,ભાગ સમય @@ -4480,7 +4524,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,વે apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,પ્રિન્ટમાં પીડીસી બતાવો apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify સપ્લાયર DocType: POS Profile User,POS Profile User,પોસ પ્રોફાઇલ વપરાશકર્તા -DocType: Student,Middle Name,પિતાનું નામ DocType: Sales Person,Sales Person Name,વેચાણ વ્યક્તિનું નામ DocType: Packing Slip,Gross Weight,સરેરાશ વજન DocType: Journal Entry,Bill No,બિલ નં @@ -4489,7 +4532,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,ન DocType: Vehicle Log,HR-VLOG-.YYYY.-,એચઆર-વૉલ્ગ- .YYYY.- DocType: Student,A+,એ + DocType: Issue,Service Level Agreement,સેવા સ્તર કરાર -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,કૃપા કરીને કર્મચારી અને પ્રથમ તારીખ પસંદ કરો apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,જમીન મૂલ્યના વાઉચરની રકમ ધ્યાનમાં રાખીને આઇટમ મૂલ્યાંકન દરનું પુન: ગણતરી કરવામાં આવે છે DocType: Timesheet,Employee Detail,કર્મચારી વિગતવાર DocType: Tally Migration,Vouchers,વાઉચર્સ @@ -4524,7 +4566,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,સેવા સ DocType: Additional Salary,Date on which this component is applied,તારીખ કે જેના પર આ ઘટક લાગુ થાય છે apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ફોલિયો નંબર્સ સાથે ઉપલબ્ધ શેરધારકોની સૂચિ apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,સેટઅપ ગેટવે એકાઉન્ટ્સ. -DocType: Service Level,Response Time Period,પ્રતિભાવ સમય પીરિયડ +DocType: Service Level Priority,Response Time Period,પ્રતિભાવ સમય પીરિયડ DocType: Purchase Invoice,Purchase Taxes and Charges,કર અને ચાર્જ ખરીદી DocType: Course Activity,Activity Date,પ્રવૃત્તિ તારીખ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,નવું ગ્રાહક પસંદ કરો અથવા ઉમેરો @@ -4549,6 +4591,7 @@ DocType: Sales Person,Select company name first.,પ્રથમ કંપની apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,નાણાકીય વર્ષ DocType: Sales Invoice Item,Deferred Revenue,સ્થગિત મહેસૂલ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,ઓછામાં ઓછું વેચાણ અથવા ખરીદવાનું એક પસંદ કરવું આવશ્યક છે +DocType: Shift Type,Working Hours Threshold for Half Day,અર્ધ દિવસ માટે કામના કલાકો થ્રેશોલ્ડ ,Item-wise Purchase History,આઇટમ મુજબની ખરીદી ઇતિહાસ apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},પંક્તિમાં આઇટમ માટે સેવા સ્ટોપ તારીખ બદલી શકાતી નથી {0} DocType: Production Plan,Include Subcontracted Items,ઉપગ્રહિત વસ્તુઓ શામેલ કરો @@ -4581,6 +4624,7 @@ DocType: Journal Entry,Total Amount Currency,કુલ રકમ કરન્સ DocType: BOM,Allow Same Item Multiple Times,મલ્ટીપલ ટાઇમ્સને સમાન આઇટમને મંજૂરી આપો apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,બોમ બનાવો DocType: Healthcare Practitioner,Charges,ચાર્જ +DocType: Employee,Attendance and Leave Details,હાજરી અને રજા વિગતો DocType: Student,Personal Details,અંગત વિગતો DocType: Sales Order,Billing and Delivery Status,બિલિંગ અને ડિલિવરી સ્થિતિ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,પંક્તિ {0}: સપ્લાયર માટે {0} ઇમેઇલ સરનામું ઇમેઇલ મોકલવાની જરૂર છે @@ -4632,7 +4676,6 @@ DocType: Bank Guarantee,Supplier,પુરવઠોકર્તા apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},મૂલ્ય betweeen {0} અને {1} દાખલ કરો DocType: Purchase Order,Order Confirmation Date,ઓર્ડર પુષ્ટિ તારીખ DocType: Delivery Trip,Calculate Estimated Arrival Times,અંદાજિત આગમન ટાઇમ્સની ગણતરી કરો -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,કૃપા કરીને માનવ સંસાધન> એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,ઉપભોક્તા DocType: Instructor,EDU-INS-.YYYY.-,એજ્યુ-આઈએનએસ- .YYYY.- DocType: Subscription,Subscription Start Date,ઉમેદવારી પ્રારંભ તારીખ @@ -4655,7 +4698,7 @@ DocType: Installation Note Item,Installation Note Item,સ્થાપન નો DocType: Journal Entry Account,Journal Entry Account,જર્નલ એન્ટ્રી એકાઉન્ટ apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,ચલ apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,ફોરમ પ્રવૃત્તિ -DocType: Service Level,Resolution Time Period,ઠરાવ સમય પીરિયડ +DocType: Service Level Priority,Resolution Time Period,ઠરાવ સમય પીરિયડ DocType: Request for Quotation,Supplier Detail,સપ્લાયર વિગતવાર DocType: Project Task,View Task,કાર્ય જુઓ DocType: Serial No,Purchase / Manufacture Details,ખરીદી / ઉત્પાદન વિગતો @@ -4722,6 +4765,7 @@ DocType: Sales Invoice,Commission Rate (%),કમિશન દર (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,વેરહાઉસ ફક્ત સ્ટોક એન્ટ્રી / ડિલિવરી નોટ / ખરીદી રસીદ દ્વારા બદલી શકાય છે DocType: Support Settings,Close Issue After Days,દિવસો પછી ઇશ્યૂ બંધ કરો DocType: Payment Schedule,Payment Schedule,ચુકવણી સૂચિ +DocType: Shift Type,Enable Entry Grace Period,એન્ટ્રી ગ્રેસ પીરિયડ સક્ષમ કરો DocType: Patient Relation,Spouse,જીવનસાથી DocType: Purchase Invoice,Reason For Putting On Hold,હોલ્ડ પર મૂકવા માટેનું કારણ DocType: Item Attribute,Increment,વધારો @@ -4861,6 +4905,7 @@ DocType: Authorization Rule,Customer or Item,ગ્રાહક અથવા આ DocType: Vehicle Log,Invoice Ref,ભરતિયું રિફ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},ઇનવોઇસ માટે સી-ફોર્મ લાગુ પડતું નથી: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,ભરતિયું બનાવ્યું +DocType: Shift Type,Early Exit Grace Period,પ્રારંભિક બહાર નીકળો ગ્રેસ પીરિયડ DocType: Patient Encounter,Review Details,સમીક્ષા વિગતો apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,પંક્તિ {0}: કલાક મૂલ્ય શૂન્ય કરતાં વધુ હોવું આવશ્યક છે. DocType: Account,Account Number,ખાતા નંબર @@ -4872,7 +4917,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","કંપની SPA, SAPA અથવા SRL હોય તો લાગુ થાય છે" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,ઓવરલેપિંગ શરતો વચ્ચે મળી: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,ચુકવેલ અને વિતરિત નથી -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,વસ્તુ કોડ ફરજિયાત છે કારણ કે આઇટમ આપમેળે ક્રમાંકિત નથી DocType: GST HSN Code,HSN Code,એચએસએન કોડ DocType: GSTR 3B Report,September,સપ્ટેમ્બર apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,વહીવટી ખર્ચ @@ -4908,6 +4952,8 @@ DocType: Travel Itinerary,Travel From,મુસાફરી apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,સીડબલ્યુઆઈપી એકાઉન્ટ DocType: SMS Log,Sender Name,પ્રેષકનું નામ DocType: Pricing Rule,Supplier Group,સપ્લાયર ગ્રુપ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",ઈન્ડેક્સ {1} પર \ સપોર્ટ ડે માટે {0} પ્રારંભ સમય અને સમાપ્તિ સમય સેટ કરો. DocType: Employee,Date of Issue,ઇશ્યુની તારીખ ,Requested Items To Be Transferred,સ્થાનાંતરિત વસ્તુઓની વિનંતી કરી DocType: Employee,Contract End Date,કરાર સમાપ્તિ તારીખ @@ -4918,6 +4964,7 @@ DocType: Healthcare Service Unit,Vacant,ખાલી DocType: Opportunity,Sales Stage,સેલ્સ સ્ટેજ DocType: Sales Order,In Words will be visible once you save the Sales Order.,એકવાર તમે વેચાણ ઑર્ડર સાચવો તે પછી શબ્દોમાં દેખાશે. DocType: Item Reorder,Re-order Level,ફરીથી ક્રમ સ્તર +DocType: Shift Type,Enable Auto Attendance,ઑટો એટેન્ડન્સ સક્ષમ કરો apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,પસંદગી ,Department Analytics,વિભાગ ઍનલિટિક્સ DocType: Crop,Scientific Name,વૈજ્ઞાનિક નામ @@ -4930,6 +4977,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} સ્થિ DocType: Quiz Activity,Quiz Activity,ક્વિઝ પ્રવૃત્તિ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} માન્ય પેરોલ પીરિયડમાં નથી DocType: Timesheet,Billed,બિલ +apps/erpnext/erpnext/config/support.py,Issue Type.,ઇશ્યૂનો પ્રકાર DocType: Restaurant Order Entry,Last Sales Invoice,છેલ્લું વેચાણ ભરતિયું DocType: Payment Terms Template,Payment Terms,ચુકવણી શરતો apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","અનામત જથ્થો: વેચાણ માટે આદેશ આપ્યો જથ્થો, પરંતુ વિતરિત નથી." @@ -5025,6 +5073,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,સંપત્તિ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} પાસે હેલ્થકેર પ્રેક્ટિશનર શેડ્યૂલ નથી. તેને હેલ્થકેર પ્રેક્ટિશનર માસ્ટરમાં ઉમેરો DocType: Vehicle,Chassis No,ચેસિસ નં +DocType: Employee,Default Shift,ડિફોલ્ટ શિફ્ટ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,કંપની સંક્ષિપ્ત apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,સામગ્રીના બિલનું વૃક્ષ DocType: Article,LMS User,એલએમએસ વપરાશકર્તા @@ -5073,6 +5122,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST- .YYYY.- DocType: Sales Person,Parent Sales Person,પિતૃ વેચાણ વ્યક્તિ DocType: Student Group Creation Tool,Get Courses,અભ્યાસક્રમો મેળવો apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","પંક્તિ # {0}: Qty એ 1 હોવી જોઈએ, કારણ કે આઇટમ એક નિશ્ચિત સંપત્તિ છે. કૃપા કરીને બહુવિધ ક્વિટી માટે અલગ પંક્તિનો ઉપયોગ કરો." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),કામના કલાકો જે નીચે ગેરહાજર છે. (ઝીરો નિષ્ક્રિય કરવા) DocType: Customer Group,Only leaf nodes are allowed in transaction,ટ્રાન્ઝેક્શનમાં ફક્ત પાન પર્ણની જ મંજૂરી છે DocType: Grant Application,Organization,સંસ્થા DocType: Fee Category,Fee Category,ફી કેટેગરી @@ -5085,6 +5135,7 @@ DocType: Payment Order,PMO-,પીએમઓ- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,કૃપા કરીને આ તાલીમ ઇવેન્ટ માટે તમારી સ્થિતિ અપડેટ કરો DocType: Volunteer,Morning,મોર્નિંગ DocType: Quotation Item,Quotation Item,અવતરણ વસ્તુ +apps/erpnext/erpnext/config/support.py,Issue Priority.,ઇશ્યૂ પ્રાધાન્યતા. DocType: Journal Entry,Credit Card Entry,ક્રેડિટ કાર્ડ એન્ટ્રી apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","ટાઇમ સ્લોટ અવગણવામાં, સ્લોટ {0} થી {1} એક્ઝિઝીટીંગ સ્લોટ {2} થી {3} ઓવરલેપ થાય છે" DocType: Journal Entry Account,If Income or Expense,આવક અથવા ખર્ચ @@ -5135,11 +5186,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,ડેટા આયાત અને સેટિંગ્સ 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: Account,Expense Account,ખર્ચ એકાઉન્ટ +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,શિફ્ટ પહેલા સમય શરૂ થાય છે કે જેમાં કર્મચારીનું ચેક-ઇન હાજરી માટે માનવામાં આવે છે. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,ગાર્ડિયન 1 સાથેનો સંબંધ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,ભરતિયું બનાવો apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},ચુકવણી વિનંતી પહેલાથી અસ્તિત્વમાં છે {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',એમ્પ્લોયી {0} પર રાહત મેળવવી આવશ્યક છે 'ડાબે' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},ચૂકવો {0} {1} +DocType: Company,Sales Settings,વેચાણ સેટિંગ્સ DocType: Sales Order Item,Produced Quantity,ઉત્પાદિત જથ્થો apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,નીચેની લિંક પર ક્લિક કરીને અવતરણ માટેની વિનંતી ઍક્સેસ કરી શકાય છે DocType: Monthly Distribution,Name of the Monthly Distribution,માસિક વિતરણનું નામ @@ -5218,6 +5271,7 @@ DocType: Company,Default Values,મૂળભૂત મૂલ્યો apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,વેચાણ અને ખરીદી માટે ડિફોલ્ટ ટેક્સ ટેમ્પલેટો બનાવવામાં આવે છે. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,છોડો પ્રકાર {0} ને આગળ ધપાવી શકાતા નથી apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,ડેબિટ એકાઉન્ટમાં પ્રાપ્ત થઈ શકે તેવું એકાઉન્ટ હોવું આવશ્યક છે +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},કૃપા કરીને કંપનીમાં વેરહાઉસ {0} અથવા ડિફોલ્ટ ઇન્વેન્ટરી એકાઉન્ટમાં એકાઉન્ટ સેટ કરો {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,મૂળભૂત તરીકે સેટ કરો DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),આ પેકેજનું ચોખ્ખું વજન. (વસ્તુઓના કુલ વજનના સરવાળે આપમેળે ગણાય છે) @@ -5244,8 +5298,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,સમાપ્ત બૅચેસ DocType: Shipping Rule,Shipping Rule Type,શિપિંગ રૂલ પ્રકાર DocType: Job Offer,Accepted,સ્વીકાર્યું -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","કૃપા કરીને આ દસ્તાવેજને રદ કરવા માટે કર્મચારી {0} \ કાઢી નાખો" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,તમે આકારણી માપદંડ {} માટે પહેલાથી મૂલ્યાંકન કર્યું છે. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,બેચ નંબર પસંદ કરો apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),ઉંમર (દિવસો) @@ -5272,6 +5324,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,તમારા ડોમેન્સ પસંદ કરો DocType: Agriculture Task,Task Name,કાર્ય નામ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,વર્ક ઓર્ડર માટે પહેલાથી બનાવેલી સ્ટોક એન્ટ્રીઓ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","કૃપા કરીને આ દસ્તાવેજને રદ કરવા માટે કર્મચારી {0} \ કાઢી નાખો" ,Amount to Deliver,પહોંચાડવા માટે રકમ apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,કંપની {0} અસ્તિત્વમાં નથી apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,આપેલ વસ્તુઓ માટે લિંક કરવા માટે કોઈ બાકી સામગ્રી વિનંતીઓ મળી નથી. @@ -5321,6 +5375,7 @@ DocType: Program Enrollment,Enrolled courses,નોંધાયેલા અભ DocType: Lab Prescription,Test Code,ટેસ્ટ કોડ DocType: Purchase Taxes and Charges,On Previous Row Total,અગાઉના પંક્તિ પર કુલ DocType: Student,Student Email Address,વિદ્યાર્થી ઇમેઇલ સરનામું +,Delayed Item Report,વિલંબિત આઇટમ રિપોર્ટ DocType: Academic Term,Education,શિક્ષણ DocType: Supplier Quotation,Supplier Address,સપ્લાયર સરનામું DocType: Salary Detail,Do not include in total,કુલ સમાવેલ નથી @@ -5328,7 +5383,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} અસ્તિત્વમાં નથી DocType: Purchase Receipt Item,Rejected Quantity,નામંજૂર જથ્થો DocType: Cashier Closing,To TIme,ટીઆઇએમ માટે -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},યુઓએમ રૂપાંતરણ પરિબળ ({0} -> {1}) આઇટમ માટે મળ્યું નથી: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,દૈનિક વર્ક સારાંશ ગ્રુપ વપરાશકર્તા DocType: Fiscal Year Company,Fiscal Year Company,ફિસ્કલ યર કંપની apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,વૈકલ્પિક વસ્તુ વસ્તુ કોડ તરીકે સમાન હોવી જોઈએ નહીં @@ -5380,6 +5434,7 @@ DocType: Program Fee,Program Fee,પ્રોગ્રામ ફી DocType: Delivery Settings,Delay between Delivery Stops,ડિલિવરી સ્ટોપ્સ વચ્ચે વિલંબ DocType: Stock Settings,Freeze Stocks Older Than [Days],સ્ટોઝ ફ્રીઝ થી વધુ [દિવસ] DocType: Promotional Scheme,Promotional Scheme Product Discount,પ્રમોશનલ સ્કીમ પ્રોડક્ટ ડિસ્કાઉન્ટ +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ઇશ્યૂ પ્રાધાન્યતા પહેલાથી અસ્તિત્વમાં છે DocType: Account,Asset Received But Not Billed,સંપત્તિ પ્રાપ્ત થઈ પરંતુ બિલ નથી DocType: POS Closing Voucher,Total Collected Amount,કુલ એકત્રિત રકમ DocType: Course,Default Grading Scale,ડિફોલ્ટ ગ્રેડિંગ સ્કેલ @@ -5421,6 +5476,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,પરિપૂર્ણતા શરતો apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,ગ્રુપ ટુ ગ્રુપ DocType: Student Guardian,Mother,માતા +DocType: Issue,Service Level Agreement Fulfilled,સેવા સ્તર કરાર પૂર્ણ DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,દાવો ન કરાયેલા કર્મચારી લાભો માટે કરવેરા DocType: Travel Request,Travel Funding,મુસાફરી ભંડોળ DocType: Shipping Rule,Fixed,સ્થિર @@ -5450,10 +5506,12 @@ DocType: Item,Warranty Period (in days),વૉરંટી પીરિયડ ( apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,કોઈ આઇટમ્સ મળી નથી. DocType: Item Attribute,From Range,શ્રેણીમાંથી DocType: Clinical Procedure,Consumables,ઉપભોક્તાઓ +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' અને 'ટાઇમસ્ટેમ્પ' આવશ્યક છે. DocType: Purchase Taxes and Charges,Reference Row #,સંદર્ભ પંક્તિ # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},કૃપા કરીને કંપનીમાં 'એસેટ ડિપ્રેસીસ કોસ્ટ સેન્ટર' સેટ કરો {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,પંક્તિ # {0}: ચૂકવણી દસ્તાવેજને સમાધાન પૂર્ણ કરવાની આવશ્યકતા છે DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,એમેઝોન MWS માંથી તમારા સેલ્સ ઑર્ડર ડેટાને ખેંચવા માટે આ બટનને ક્લિક કરો. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),કામના કલાકો કે જેની નીચે અડધા દિવસ ચિહ્નિત છે. (ઝીરો નિષ્ક્રિય કરવા) ,Assessment Plan Status,આકારણી યોજનાની સ્થિતિ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,કૃપા કરીને પહેલા {0} પસંદ કરો apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,કર્મચારીનું રેકોર્ડ બનાવવા માટે આ સબમિટ કરો @@ -5524,6 +5582,7 @@ DocType: Quality Procedure,Parent Procedure,પિતૃ કાર્યવા apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,સેટ ખોલો apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,ફિલ્ટર ટૉગલ કરો DocType: Production Plan,Material Request Detail,સામગ્રી વિનંતી વિગતવાર +DocType: Shift Type,Process Attendance After,પ્રક્રિયા હાજરી પછી DocType: Material Request Item,Quantity and Warehouse,જથ્થો અને વેરહાઉસ apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,પ્રોગ્રામ્સ પર જાઓ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},પંક્તિ # {0}: સંદર્ભોમાં ડુપ્લિકેટ એન્ટ્રી {1} {2} @@ -5581,6 +5640,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,પાર્ટી માહિતી apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),દેવાદારો ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,કર્મચારીની રાહત તારીખ કરતાં વધુ હોઈ શકે નહીં +DocType: Shift Type,Enable Exit Grace Period,બહાર નીકળો ગ્રેસ પીરિયડ સક્ષમ કરો DocType: Expense Claim,Employees Email Id,કર્મચારીનું ઇમેઇલ આઈડી DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify થી ERPNext ભાવ સૂચિમાંથી અપડેટ ભાવ DocType: Healthcare Settings,Default Medical Code Standard,મૂળભૂત તબીબી કોડ ધોરણ @@ -5611,7 +5671,6 @@ DocType: Item Group,Item Group Name,આઇટમ ગ્રુપ નામ DocType: Budget,Applicable on Material Request,મટીરીયલ વિનંતી પર લાગુ DocType: Support Settings,Search APIs,શોધ APIs DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,વેચાણ ઓર્ડર માટે ઓવરપ્રોડક્શન ટકાવારી -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,વિશિષ્ટતાઓ DocType: Purchase Invoice,Supplied Items,પુરવઠો આપેલ વસ્તુઓ DocType: Leave Control Panel,Select Employees,કર્મચારીઓ પસંદ કરો apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},લોનમાં વ્યાજ આવક ખાતા પસંદ કરો {0} @@ -5637,7 +5696,7 @@ DocType: Salary Slip,Deductions,કપાત ,Supplier-Wise Sales Analytics,સપ્લાયર-વાઈસ સેલ્સ ઍનલિટિક્સ DocType: GSTR 3B Report,February,ફેબ્રુઆરી DocType: Appraisal,For Employee,કર્મચારી માટે -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,વાસ્તવિક ડિલિવરી તારીખ +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,વાસ્તવિક ડિલિવરી તારીખ DocType: Sales Partner,Sales Partner Name,વેચાણ પાર્ટનર નામ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,અવમૂલ્યન પંક્તિ {0}: અવમૂલ્યન પ્રારંભ તારીખ ભૂતકાળની તારીખ તરીકે દાખલ કરવામાં આવી છે DocType: GST HSN Code,Regional,પ્રાદેશિક @@ -5676,6 +5735,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,એ DocType: Supplier Scorecard,Supplier Scorecard,સપ્લાયર સ્કોરકાર્ડ DocType: Travel Itinerary,Travel To,મુસાફરી apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,હાજરી એટેન્ડન્સ +DocType: Shift Type,Determine Check-in and Check-out,ચેક-ઇન અને ચેક-આઉટ નક્કી કરો DocType: POS Closing Voucher,Difference,તફાવત apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,નાના DocType: Work Order Item,Work Order Item,કામ ઓર્ડર વસ્તુ @@ -5709,6 +5769,7 @@ DocType: Sales Invoice,Shipping Address Name,શિપિંગ સરનામ apps/erpnext/erpnext/healthcare/setup.py,Drug,ડ્રગ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} બંધ છે DocType: Patient,Medical History,તબીબી ઇતિહાસ +DocType: Expense Claim,Expense Taxes and Charges,ખર્ચ કર અને ચાર્જિસ DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,સબ્સ્ક્રિપ્શનને રદ કરતાં પહેલાં અથવા ભરપાઈ તરીકે સબ્સ્ક્રિપ્શનને ચિહ્નિત કર્યા પહેલાં ઇનવૉઇસ તારીખ સમાપ્ત થયાના દિવસોની સંખ્યા apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,ઇન્સ્ટોલેશન નોંધ {0} પહેલેથી સબમિટ થઈ ગઈ છે DocType: Patient Relation,Family,કુટુંબ @@ -5740,7 +5801,6 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 2,વસ્ત apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,ટ્રાંઝેક્શન્સ પર ટેક્સ વિથોલ્ડિંગ રેટ્સ લાગુ કરવા. DocType: Dosage Strength,Strength,શક્તિ DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,બૅકફ્લાશ કાચો માલના પેટાકંપનીના આધારે -DocType: Bank Guarantee,Customer,ગ્રાહક DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","જો સક્ષમ હોય, તો ક્ષેત્રની શૈક્ષણિક નોંધણી પ્રોગ્રામ નોંધણી સાધનમાં ફરજિયાત રહેશે." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","બેચ આધારિત સ્ટુડન્ટ ગ્રૂપ માટે, વિદ્યાર્થી નોંધણી પ્રોગ્રામ નોંધણીમાંથી દરેક વિદ્યાર્થી માટે માન્ય કરવામાં આવશે." DocType: Course,Topics,વિષયો @@ -5820,6 +5880,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,પ્રકરણના સભ્યો DocType: Warranty Claim,Service Address,સેવાનું સરનામું DocType: Journal Entry,Remark,રીમાર્ક +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),પંક્તિ {0}: એન્ટ્રીના સમય ({2} {3} પર વેરહાઉસ {1} માં {4} માટે જથ્થો ઉપલબ્ધ નથી DocType: Patient Encounter,Encounter Time,એન્કાઉન્ટર સમય DocType: Serial No,Invoice Details,ભરતિયું વિગતો apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","જૂથો હેઠળ વધુ એકાઉન્ટ્સ બનાવી શકાય છે, પરંતુ નૉન-જૂથો સામે એન્ટ્રી કરી શકાય છે" @@ -5898,6 +5959,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),બંધ (ખુલ્લું + કુલ) DocType: Supplier Scorecard Criteria,Criteria Formula,માપદંડ ફોર્મ્યુલા apps/erpnext/erpnext/config/support.py,Support Analytics,આધાર ઍનલિટિક્સ +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),એટેન્ડન્સ ઉપકરણ ID (બાયોમેટ્રિક / આરએફ ટૅગ ID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,સમીક્ષા અને ક્રિયા DocType: Account,"If the account is frozen, entries are allowed to restricted users.","જો એકાઉન્ટ સ્થિર થઈ ગયું છે, તો પ્રતિબંધિત વપરાશકર્તાઓને પ્રવેશોની મંજૂરી છે." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,અવમૂલ્યન પછી રકમ @@ -5919,6 +5981,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,લોન ચુકવણી DocType: Employee Education,Major/Optional Subjects,મુખ્ય / વૈકલ્પિક વિષયો DocType: Soil Texture,Silt,સોલ્ટ +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,પુરવઠોકર્તા સરનામું અને સંપર્કો DocType: Bank Guarantee,Bank Guarantee Type,બેંક ગેરંટી પ્રકાર DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","જો અક્ષમ હોય, તો 'રૉઉન્ડ્ડ ટોટલ' ફીલ્ડ કોઈપણ ટ્રાન્ઝેક્શનમાં દેખાશે નહીં" DocType: Pricing Rule,Min Amt,મિન એમટી @@ -5957,6 +6020,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,ખુલ્લા ઇનવોઇસ બનાવટ સાધન વસ્તુ DocType: Soil Analysis,(Ca+Mg)/K,(Ca + એમજી) / કે DocType: Bank Reconciliation,Include POS Transactions,પી.ઓ.એસ. વ્યવહારો શામેલ કરો +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},આપેલ કર્મચારી ફીલ્ડ મૂલ્ય માટે કોઈ કર્મચારી મળ્યું નથી. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),રકમ પ્રાપ્ત થઈ (કંપની ચલણ) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","સ્થાનિક સ્ટોરેજ ભરાઈ ગયું છે, સાચવ્યું નથી" DocType: Chapter Member,Chapter Member,પ્રકરણના સભ્ય @@ -5989,6 +6053,7 @@ DocType: SMS Center,All Lead (Open),બધા લીડ (ઓપન) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,કોઈ વિદ્યાર્થી જૂથ બનાવ્યાં નથી. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},સમાન {1} સાથે ડુપ્લિકેટ પંક્તિ {0} DocType: Employee,Salary Details,પગારની વિગત +DocType: Employee Checkin,Exit Grace Period Consequence,ગ્રેસ સમયગાળો બહાર નીકળો DocType: Bank Statement Transaction Invoice Item,Invoice,ભરતિયું DocType: Special Test Items,Particulars,વિશિષ્ટતાઓ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,કૃપા કરીને આઇટમ અથવા વેરહાઉસ પર આધારિત ફિલ્ટર સેટ કરો @@ -6088,6 +6153,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,એએમસી બહાર DocType: Job Opening,"Job profile, qualifications required etc.","જોબ પ્રોફાઇલ, આવશ્યકતાઓ વગેરે." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,રાજ્ય માટે શિપ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,શું તમે સામગ્રી વિનંતી સબમિટ કરવા માંગો છો DocType: Opportunity Item,Basic Rate,મૂળભૂત દર DocType: Compensatory Leave Request,Work End Date,કાર્ય સમાપ્તિ તારીખ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,કાચો માલ માટે વિનંતી @@ -6273,6 +6339,7 @@ DocType: Depreciation Schedule,Depreciation Amount,અવમૂલ્યન ર DocType: Sales Order Item,Gross Profit,કુલ નફો DocType: Quality Inspection,Item Serial No,આઇટમ સીરીયલ નં DocType: Asset,Insurer,વીમાદાતા +DocType: Employee Checkin,OUT,બહાર apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,રકમ ખરીદી DocType: Asset Maintenance Task,Certificate Required,પ્રમાણપત્ર આવશ્યક છે DocType: Retention Bonus,Retention Bonus,રીટેન્શન બોનસ @@ -6387,6 +6454,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),તફાવત ર DocType: Invoice Discounting,Sanctioned,મંજૂર DocType: Course Enrollment,Course Enrollment,અભ્યાસક્રમ નોંધણી DocType: Item,Supplier Items,સપ્લાયર વસ્તુઓ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",{0} માટે પ્રારંભ સમય \ સમાપ્ત સમય કરતાં વધુ અથવા સમાન હોઈ શકતો નથી. DocType: Sales Order,Not Applicable,લાગુ નથી DocType: Support Search Source,Response Options,પ્રતિભાવ વિકલ્પો apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} એ 0 અને 100 ની વચ્ચેનું મૂલ્ય હોવું જોઈએ @@ -6473,7 +6542,6 @@ DocType: Travel Request,Costing,ખર્ચ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,"ચોક્કસ સંપતી, નક્કી કરેલી સંપતી" DocType: Purchase Order,Ref SQ,રેફ એસક્યૂ DocType: Salary Structure,Total Earning,કુલ કમાણી -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> પ્રદેશ DocType: Share Balance,From No,ના DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ચુકવણી સમાધાન ભરતિયું DocType: Purchase Invoice,Taxes and Charges Added,કર અને ચાર્જ ઉમેરાઈ @@ -6581,6 +6649,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,પ્રાઇસીંગ નિયમ અવગણો apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ખોરાક DocType: Lost Reason Detail,Lost Reason Detail,ખોટો કારણ વિગતવાર +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},નીચે આપેલા ક્રમાંકની સંખ્યા બનાવવામાં આવી હતી:
{0} DocType: Maintenance Visit,Customer Feedback,ગ્રાહક પ્રતિસાદ DocType: Serial No,Warranty / AMC Details,વોરંટી / એએમસી વિગતો DocType: Issue,Opening Time,ખુલવાનો સમય @@ -6630,6 +6699,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,કંપનીનું નામ સમાન નથી apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,પ્રમોશન તારીખ પહેલાં કર્મચારીનું પ્રમોશન સબમિટ કરી શકાતું નથી apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} કરતાં જૂના શેરના વ્યવહારોને અપડેટ કરવાની મંજૂરી નથી +DocType: Employee Checkin,Employee Checkin,કર્મચારી ચેકિન apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},આઇટમ {0} માટે પ્રારંભ તારીખ કરતાં પ્રારંભ તારીખ ઓછી હોવી જોઈએ apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,ગ્રાહક અવતરણ બનાવો DocType: Buying Settings,Buying Settings,ખરીદી સેટિંગ્સ @@ -6650,6 +6720,7 @@ DocType: Job Card Time Log,Job Card Time Log,જોબ કાર્ડનો સ DocType: Patient,Patient Demographics,દર્દી વસ્તી વિષયક DocType: Share Transfer,To Folio No,ફોલિયો નં apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ઓપરેશન્સ માંથી કેશ ફ્લો +DocType: Employee Checkin,Log Type,લૉગ પ્રકાર DocType: Stock Settings,Allow Negative Stock,નકારાત્મક સ્ટોક પરવાનગી આપે છે apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,કોઈ પણ વસ્તુમાં જથ્થા અથવા મૂલ્યમાં કોઈ ફેરફાર નથી. DocType: Asset,Purchase Date,ખરીદ તારીખ @@ -6693,6 +6764,7 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,{0} already DocType: Vital Signs,Very Hyper,ખૂબ જ હાયપર apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,તમારા વ્યવસાયની પ્રકૃતિ પસંદ કરો. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,કૃપા કરીને મહિનો અને વર્ષ પસંદ કરો +DocType: Service Level,Default Priority,ડિફૉલ્ટ પ્રાધાન્યતા DocType: Student Log,Student Log,વિદ્યાર્થી પ્રવેશ DocType: Shopping Cart Settings,Enable Checkout,ચેકઆઉટ સક્ષમ કરો apps/erpnext/erpnext/config/settings.py,Human Resources,માનવ સંસાધન @@ -6721,7 +6793,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext સાથે Shopify ને કનેક્ટ કરો DocType: Homepage Section Card,Subtitle,ઉપશીર્ષક DocType: Soil Texture,Loam,લોમ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,સપ્લાયર> સપ્લાયર પ્રકાર DocType: BOM,Scrap Material Cost(Company Currency),સ્ક્રેપ મટીરીયલ કોસ્ટ (કંપની કરન્સી) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ડિલિવરી નોટ {0} સબમિટ કરવી આવશ્યક નથી DocType: Task,Actual Start Date (via Time Sheet),વાસ્તવિક પ્રારંભ તારીખ (ટાઇમ શીટ દ્વારા) @@ -6777,6 +6848,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,ડોઝ DocType: Cheque Print Template,Starting position from top edge,ટોચની ધારથી શરૂ થતી સ્થિતિ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),નિમણૂંક અવધિ (મિનિટ) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},આ કર્મચારી પાસે પહેલાથી જ ટાઇમસ્ટેમ્પ સાથે લૉગ છે. {0} DocType: Accounting Dimension,Disable,અક્ષમ કરો DocType: Email Digest,Purchase Orders to Receive,ખરીદી ઓર્ડર પ્રાપ્ત કરવા માટે apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,પ્રોડક્શન્સ ઓર્ડર્સ માટે ઉભા કરી શકાતા નથી: @@ -6792,7 +6864,6 @@ DocType: Production Plan,Material Requests,સામગ્રી વિનંત DocType: Buying Settings,Material Transferred for Subcontract,ઉપગ્રહ માટે સ્થાનાંતરિત સામગ્રી DocType: Job Card,Timing Detail,સમયનો વિગતવાર apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,આવશ્યક -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{1} નું {0} આયાત કરવું DocType: Job Offer Term,Job Offer Term,જોબ ઓફર ટર્મ DocType: SMS Center,All Contact,બધા સંપર્ક DocType: Project Task,Project Task,પ્રોજેક્ટ કાર્ય @@ -6843,7 +6914,6 @@ DocType: Student Log,Academic,શૈક્ષણિક apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,આઇટમ {0} સીરીયલ નંબર માટે સેટ નથી. આઇટમ માસ્ટર તપાસો apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,રાજ્ય પ્રતિ DocType: Leave Type,Maximum Continuous Days Applicable,મહત્તમ સતત દિવસો લાગુ -apps/erpnext/erpnext/config/support.py,Support Team.,સપોર્ટ ટીમ. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,કૃપા કરીને પ્રથમ કંપની નામ દાખલ કરો apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,આયાત સફળ DocType: Guardian,Alternate Number,વૈકલ્પિક નંબર @@ -6935,6 +7005,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,પંક્તિ # {0}: વસ્તુ ઉમેરાઈ DocType: Student Admission,Eligibility and Details,લાયકાત અને વિગતો DocType: Staffing Plan,Staffing Plan Detail,સ્ટાફિંગ પ્લાન વિગતવાર +DocType: Shift Type,Late Entry Grace Period,લેટ એન્ટ્રી ગ્રેસ પીરિયડ DocType: Email Digest,Annual Income,વાર્ષિક આવક DocType: Journal Entry,Subscription Section,સબ્સ્ક્રિપ્શન વિભાગ DocType: Salary Slip,Payment Days,ચુકવણી દિવસો @@ -6984,6 +7055,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,એકાઉન્ટ બેલેન્સ DocType: Asset Maintenance Log,Periodicity,સમયાંતરે apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,તબીબી રેકોર્ડ +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,શિફ્ટમાં આવતા ચેક-ઇન્સ માટે લૉગ પ્રકાર આવશ્યક છે: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,અમલ DocType: Item,Valuation Method,મૂલ્યાંકન પદ્ધતિ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} સેલ્સ ઇનવોઇસ સામે {1} @@ -7068,6 +7140,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,પોઝિશન દ DocType: Loan Type,Loan Name,લોન નામ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ચુકવણીના ડિફૉલ્ટ મોડને સેટ કરો DocType: Quality Goal,Revision,પુનરાવર્તન +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,શિફ્ટનો સમય સમાપ્ત થાય તે પહેલાંનો સમય ચેક-આઉટને પ્રારંભિક (મિનિટમાં) ગણવામાં આવે છે. DocType: Healthcare Service Unit,Service Unit Type,સેવા એકમ પ્રકાર DocType: Purchase Invoice,Return Against Purchase Invoice,ખરીદી ભરતિયું સામે વળતર apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,સિક્રેટ જનરેટ કરો @@ -7221,12 +7294,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,પ્રસાધનો DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,જો તમે વપરાશકર્તાને બચત કરતા પહેલા સિરીઝ પસંદ કરવા દબાણ કરવા માંગતા હોવ તો આ તપાસો. જો તમે આ તપાસો તો કોઈ ડિફોલ્ટ રહેશે નહીં. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,આ ભૂમિકાવાળા વપરાશકર્તાઓને ફ્રોઝન એકાઉન્ટ્સ સેટ કરવા અને સ્થિર એકાઉન્ટ્સ સામે એકાઉન્ટિંગ એન્ટ્રીઝ બનાવવા / સંશોધિત કરવાની મંજૂરી છે +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,આઇટમ કોડ> આઇટમ જૂથ> બ્રાન્ડ DocType: Expense Claim,Total Claimed Amount,કુલ દાવો કરેલ રકમ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},ઑપરેશન {0} દિવસ માટે આગામી {0} દિવસોમાં ટાઇમ સ્લોટ શોધવા માટે અસમર્થ. apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,લપેટવું apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,જો તમારી સદસ્યતા 30 દિવસની અંદર સમાપ્ત થઈ જાય તો તમે ફક્ત નવીકરણ કરી શકો છો apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},મૂલ્ય {0} અને {1} ની વચ્ચે હોવું આવશ્યક છે DocType: Quality Feedback,Parameters,પરિમાણો +DocType: Shift Type,Auto Attendance Settings,ઑટો એટેન્ડન્સ સેટિંગ્સ ,Sales Partner Transaction Summary,સેલ્સ પાર્ટનર ટ્રાંઝેક્શન સારાંશ DocType: Asset Maintenance,Maintenance Manager Name,જાળવણી મેનેજર નામ apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,આઇટમ વિગતો મેળવવા માટે તે જરૂરી છે. @@ -7317,10 +7392,10 @@ apps/erpnext/erpnext/utilities/user_progress.py,Pair,જોડી DocType: Pricing Rule,Validate Applied Rule,એપ્લાઇડ રૂલ માન્ય કરો DocType: Job Card Item,Job Card Item,જોબ કાર્ડ આઇટમ DocType: Homepage,Company Tagline for website homepage,વેબસાઇટ હોમપેજ માટે કંપની ટૅગલાઇન +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,સૂચકાંક {1} પર પ્રાધાન્યતા {0} માટે પ્રતિસાદ સમય અને ઠરાવ સેટ કરો. DocType: Company,Round Off Cost Center,રાઉન્ડ ઑફ કોસ્ટ સેન્ટર DocType: Supplier Scorecard Criteria,Criteria Weight,માપદંડ વજન DocType: Asset,Depreciation Schedules,અવમૂલ્યન શેડ્યૂલ -DocType: Expense Claim Detail,Claim Amount,દાવાની રકમ DocType: Subscription,Discounts,ડિસ્કાઉન્ટ DocType: Shipping Rule,Shipping Rule Conditions,શિપિંગ નિયમ શરતો DocType: Subscription,Cancelation Date,રદ કરવાની તારીખ @@ -7348,7 +7423,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,લીડ્સ બન apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,શૂન્ય મૂલ્યો બતાવો DocType: Employee Onboarding,Employee Onboarding,કર્મચારી ઓનબોર્ડિંગ DocType: POS Closing Voucher,Period End Date,પીરિયડ સમાપ્તિ તારીખ -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,સોર્સ દ્વારા વેચાણ તકો DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,સૂચિમાં પ્રથમ રજા એપ્રોવર ડિફોલ્ટ લીવ એપ્રોવર તરીકે સેટ કરવામાં આવશે. DocType: POS Settings,POS Settings,પોસ સેટિંગ્સ apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,બધા એકાઉન્ટ્સ @@ -7368,7 +7442,6 @@ apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Repor apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,બેંક ડેટીલ્સ DocType: Clinical Procedure,HLC-CPR-.YYYY.-,એચએલસી-સીપીઆર- .YYYY.- DocType: Healthcare Settings,Healthcare Service Items,હેલ્થકેર સર્વિસ આઈટમ્સ -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,કોઈ રેકોર્ડ મળ્યાં નથી apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,એજિંગ રેંજ 3 DocType: Vital Signs,Blood Pressure,લોહિનુ દબાણ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,લક્ષ્યાંક ચાલુ @@ -7415,6 +7488,7 @@ DocType: Company,Existing Company,હાલની કંપની apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,બેટ્સ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,સંરક્ષણ DocType: Item,Has Batch No,બેચ નંબર છે +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,વિલંબિત દિવસો DocType: Lead,Person Name,વ્યક્તિનું નામ DocType: Item Variant,Item Variant,આઇટમ ચલ DocType: Training Event Employee,Invited,આમંત્રિત @@ -7436,7 +7510,7 @@ DocType: Purchase Order,To Receive and Bill,પ્રાપ્ત અને બ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","પ્રારંભિક અને સમાપ્તિ તારીખો માન્ય પેરોલ અવધિમાં નથી, {0} ની ગણતરી કરી શકાતી નથી." DocType: POS Profile,Only show Customer of these Customer Groups,ફક્ત આ ગ્રાહક જૂથોના ગ્રાહકને બતાવો apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ઇન્વૉઇસ સાચવવા માટે આઇટમ્સ પસંદ કરો -DocType: Service Level,Resolution Time,ઠરાવ સમય +DocType: Service Level Priority,Resolution Time,ઠરાવ સમય DocType: Grading Scale Interval,Grade Description,ગ્રેડ વર્ણન DocType: Homepage Section,Cards,કાર્ડ્સ DocType: Quality Meeting Minutes,Quality Meeting Minutes,ગુણવત્તા સભા મિનિટ @@ -7462,6 +7536,7 @@ DocType: Project,Gross Margin %,કુલ માર્જિન% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,સામાન્ય લેજર મુજબ બેંક સ્ટેટમેન્ટ બેલેન્સ apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),હેલ્થકેર (બીટા) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,સેલ્સ ઓર્ડર અને ડિલિવરી નોટ બનાવવાની ડિફોલ્ટ વેરહાઉસ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,અનુક્રમણિકા {0} પરનો પ્રતિભાવ સમય {0} ઠરાવ સમય કરતાં વધુ હોઈ શકતો નથી. DocType: Opportunity,Customer / Lead Name,ગ્રાહક / લીડ નામ DocType: Student,EDU-STU-.YYYY.-,EDU-STU- .YYYY.- DocType: Expense Claim Advance,Unclaimed amount,દાવો ન કરેલ રકમ @@ -7508,7 +7583,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,આયાતી પક્ષો અને સરનામાંઓ DocType: Item,List this Item in multiple groups on the website.,વેબસાઇટ પર બહુવિધ જૂથોમાં આ આઇટમની સૂચિ. DocType: Request for Quotation,Message for Supplier,સપ્લાયર માટે સંદેશ -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,આઇટમ {1} માટે સ્ટોક ટ્રાંઝેક્શન તરીકે {0} ને બદલી શકતા નથી. DocType: Healthcare Practitioner,Phone (R),ફોન (આર) DocType: Maintenance Team Member,Team Member,ટુકડી નો સભ્ય DocType: Asset Category Account,Asset Category Account,સંપત્તિ કેટેગરી એકાઉન્ટ diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv index 5b0a999d86..f682a8d1b7 100644 --- a/erpnext/translations/hi.csv +++ b/erpnext/translations/hi.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,टर्म स्टार्ट डे apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,नियुक्ति {0} और बिक्री चालान {1} रद्द DocType: Purchase Receipt,Vehicle Number,वाहन संख्या apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,आपका ईमेल पता... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,डिफ़ॉल्ट बुक प्रविष्टियाँ शामिल करें +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,डिफ़ॉल्ट बुक प्रविष्टियाँ शामिल करें DocType: Activity Cost,Activity Type,क्रिया के प्रकार DocType: Purchase Invoice,Get Advances Paid,एडवांस पेड लगवाओ DocType: Company,Gain/Loss Account on Asset Disposal,परिसंपत्ति निपटान पर लाभ / हानि खाता @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,यह क्य DocType: Bank Reconciliation,Payment Entries,भुगतान प्रविष्टियां DocType: Employee Education,Class / Percentage,कक्षा / प्रतिशत ,Electronic Invoice Register,इलेक्ट्रॉनिक चालान रजिस्टर +DocType: Shift Type,The number of occurrence after which the consequence is executed.,घटना की संख्या जिसके बाद परिणाम निष्पादित किया जाता है। DocType: Sales Invoice,Is Return (Credit Note),रिटर्न (क्रेडिट नोट) +DocType: Price List,Price Not UOM Dependent,मूल्य नहीं UOM आश्रित DocType: Lab Test Sample,Lab Test Sample,लैब टेस्ट का नमूना DocType: Shopify Settings,status html,स्थिति html DocType: Fiscal Year,"For e.g. 2012, 2012-13","उदाहरण के लिए 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,उत्पा DocType: Salary Slip,Net Pay,कुल भुगतान apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,कुल चालान Amt DocType: Clinical Procedure,Consumables Invoice Separately,उपभोगता अलग से चालान +DocType: Shift Type,Working Hours Threshold for Absent,अनुपस्थित के लिए कार्य के घंटे DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM। apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},समूह खाता {0} के खिलाफ बजट नहीं सौंपा जा सकता DocType: Purchase Receipt Item,Rate and Amount,दर और राशि @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,स्रोत वेयरहा DocType: Healthcare Settings,Out Patient Settings,रोगी सेटिंग्स से बाहर DocType: Asset,Insurance End Date,बीमा समाप्ति तिथि DocType: Bank Account,Branch Code,शाखा क्र्मांक -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,जवाब देने का समय apps/erpnext/erpnext/public/js/conf.js,User Forum,उपयोगकर्ता मंच DocType: Landed Cost Item,Landed Cost Item,लैंडेड कॉस्ट आइटम apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,विक्रेता और खरीदार समान नहीं हो सकते @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,लीड ओनर DocType: Share Transfer,Transfer,स्थानांतरण apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),खोज आइटम (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} परिणाम उपविभाजित +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,तिथि से तिथि से अधिक नहीं हो सकती है DocType: Supplier,Supplier of Goods or Services.,माल या सेवाओं का आपूर्तिकर्ता। apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,नए खाते का नाम। नोट: कृपया ग्राहक और आपूर्तिकर्ता के लिए खाते न बनाएँ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,छात्र समूह या पाठ्यक्रम अनुसूची अनिवार्य है @@ -882,7 +885,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,संभा DocType: Skill,Skill Name,कौशल का नाम apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,रिपोर्ट कार्ड प्रिंट करें DocType: Soil Texture,Ternary Plot,टर्नरी प्लॉट -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,समर्थन टिकट DocType: Asset Category Account,Fixed Asset Account,फिक्स्ड एसेट अकाउंट apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,नवीनतम @@ -895,6 +897,7 @@ DocType: Delivery Trip,Distance UOM,दूरी UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,बैलेंस शीट के लिए अनिवार्य DocType: Payment Entry,Total Allocated Amount,कुल आवंटित राशि DocType: Sales Invoice,Get Advances Received,अग्रिम प्राप्त करें +DocType: Shift Type,Last Sync of Checkin,चेकिन का अंतिम सिंक DocType: Student,B-,बी DocType: Purchase Invoice Item,Item Tax Amount Included in Value,आइटम कर राशि मूल्य में शामिल है apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -903,7 +906,9 @@ DocType: Subscription Plan,Subscription Plan,सदस्यता योजन DocType: Student,Blood Group,रक्त समूह apps/erpnext/erpnext/config/healthcare.py,Masters,मास्टर्स DocType: Crop,Crop Spacing UOM,फसल का अंतर UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,शिफ्ट शुरू होने के बाद का समय जब चेक-इन देर से (मिनटों में) माना जाता है। apps/erpnext/erpnext/templates/pages/home.html,Explore,अन्वेषण +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,कोई बकाया चालान नहीं मिला apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} रिक्तियां और {2} के लिए {1} बजट {3} की सहायक कंपनियों के लिए पहले से ही योजना बनाई गई है। \ _ आप केवल मूल कंपनी {5} के लिए {4} रिक्तियों और बजट {5} के लिए स्टाफिंग प्लान {6} के अनुसार योजना बना सकते हैं। DocType: Promotional Scheme,Product Discount Slabs,उत्पाद डिस्काउंट स्लैब @@ -1005,6 +1010,7 @@ DocType: Attendance,Attendance Request,उपस्थिति का अनु DocType: Item,Moving Average,सामान्य गति DocType: Employee Attendance Tool,Unmarked Attendance,अचिह्नित उपस्थिति DocType: Homepage Section,Number of Columns,स्तंभों की संख्या +DocType: Issue Priority,Issue Priority,मुद्दा प्राथमिकता DocType: Holiday List,Add Weekly Holidays,साप्ताहिक अवकाश जोड़ें DocType: Shopify Log,Shopify Log,शॉपिफाई लॉग apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,वेतन पर्ची बनाएँ @@ -1013,6 +1019,7 @@ DocType: Job Offer Term,Value / Description,मान / विवरण DocType: Warranty Claim,Issue Date,जारी करने की तिथि 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} के लिए एक बैच चुनें। इस आवश्यकता को पूरा करने वाले एकल बैच को खोजने में असमर्थ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,बाएं कर्मचारियों के लिए अवधारण बोनस नहीं बनाया जा सकता +DocType: Employee Checkin,Location / Device ID,स्थान / डिवाइस आईडी DocType: Purchase Order,To Receive,प्राप्त करने के लिए apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,"आप ऑफ़लाइन मोड में हैं। जब तक आपके पास नेटवर्क नहीं होगा, आप पुनः लोड नहीं कर पाएंगे।" DocType: Course Activity,Enrollment,उपस्थिति पंजी @@ -1021,7 +1028,6 @@ DocType: Lab Test Template,Lab Test Template,लैब टेस्ट टेम apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},अधिकतम: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ई-चालान सूचना गुम apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,कोई सामग्री अनुरोध नहीं बनाया गया -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड DocType: Loan,Total Amount Paid,भुगतान की गई कुल राशि apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,इन सभी वस्तुओं का पहले ही चालान किया जा चुका है DocType: Training Event,Trainer Name,ट्रेनर का नाम @@ -1132,6 +1138,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},कृपया लीड लीड का नाम {0} में बताएं DocType: Employee,You can enter any date manually,आप किसी भी तारीख को मैन्युअल रूप से दर्ज कर सकते हैं DocType: Stock Reconciliation Item,Stock Reconciliation Item,स्टॉक सुलह मद +DocType: Shift Type,Early Exit Consequence,प्रारंभिक निकास परिणाम DocType: Item Group,General Settings,सामान्य सेटिंग्स apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,देय तिथि पोस्टिंग / आपूर्तिकर्ता चालान तिथि से पहले नहीं हो सकती apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,सबमिट करने से पहले लाभार्थी का नाम दर्ज करें। @@ -1170,6 +1177,7 @@ DocType: Account,Auditor,लेखा परीक्षक apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,भुगतान की पुष्टि ,Available Stock for Packing Items,पैकिंग आइटम के लिए उपलब्ध स्टॉक apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},कृपया इस चालान {0} को C-Form {1} से हटा दें +DocType: Shift Type,Every Valid Check-in and Check-out,हर वैध चेक-इन और चेक-आउट DocType: Support Search Source,Query Route String,क्वेरी रूट स्ट्रिंग DocType: Customer Feedback Template,Customer Feedback Template,ग्राहक प्रतिक्रिया टेम्पलेट apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,उद्धरण या ग्राहक के लिए उद्धरण। @@ -1204,6 +1212,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,प्राधिकरण नियंत्रण ,Daily Work Summary Replies,दैनिक कार्य सारांश उत्तर apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},आपको परियोजना पर सहयोग करने के लिए आमंत्रित किया गया है: {0} +DocType: Issue,Response By Variance,वैरियन द्वारा प्रतिक्रिया DocType: Item,Sales Details,बिक्री विवरण apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,प्रिंट टेम्पलेट्स के लिए पत्र प्रमुख। DocType: Salary Detail,Tax on additional salary,अतिरिक्त वेतन पर कर @@ -1327,6 +1336,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,ग्र DocType: Project,Task Progress,कार्य प्रगति DocType: Journal Entry,Opening Entry,ओपनिंग एंट्री DocType: Bank Guarantee,Charges Incurred,आरोप लगाए गए +DocType: Shift Type,Working Hours Calculation Based On,कार्य के घंटे की गणना के आधार पर DocType: Work Order,Material Transferred for Manufacturing,विनिर्माण के लिए सामग्री हस्तांतरित DocType: Products Settings,Hide Variants,वेरिएंट छिपाएं DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,क्षमता योजना और समय ट्रैकिंग अक्षम करें @@ -1355,6 +1365,7 @@ DocType: Account,Depreciation,मूल्यह्रास DocType: Guardian,Interests,रूचियाँ DocType: Purchase Receipt Item Supplied,Consumed Qty,खपत मात्रा DocType: Education Settings,Education Manager,शिक्षा प्रबंधक +DocType: Employee Checkin,Shift Actual Start,वास्तविक शुरुआत शिफ्ट करें DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,वर्कस्टेशन वर्किंग ऑवर्स के बाहर प्लान टाइम लॉग। apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},वफादारी अंक: {0} DocType: Healthcare Settings,Registration Message,पंजीकरण संदेश @@ -1379,9 +1390,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,पहले से ही सभी बिलिंग घंटों के लिए चालान बनाया गया DocType: Sales Partner,Contact Desc,Desc से संपर्क करें DocType: Purchase Invoice,Pricing Rules,मूल्य निर्धारण नियम +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","चूंकि आइटम {0} के खिलाफ मौजूदा लेनदेन हैं, आप {1} का मूल्य नहीं बदल सकते हैं" DocType: Hub Tracked Item,Image List,छवि सूची DocType: Item Variant Settings,Allow Rename Attribute Value,नाम बदलने की अनुमति दें -DocType: Price List,Price Not UOM Dependant,मूल्य नहीं UOM आश्रित apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),समय (मिनट में) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,बुनियादी DocType: Loan,Interest Income Account,ब्याज आय खाता @@ -1391,6 +1402,7 @@ DocType: Employee,Employment Type,रोजगार के प्रकार apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,POS प्रोफाइल का चयन करें DocType: Support Settings,Get Latest Query,नवीनतम क्वेरी प्राप्त करें DocType: Employee Incentive,Employee Incentive,कर्मचारी प्रोत्साहन +DocType: Service Level,Priorities,प्राथमिकताएं apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,मुखपृष्ठ पर कार्ड या कस्टम अनुभाग जोड़ें DocType: Homepage,Hero Section Based On,हीरो सेक्शन पर आधारित DocType: Project,Total Purchase Cost (via Purchase Invoice),कुल खरीद लागत (खरीद चालान के माध्यम से) @@ -1451,7 +1463,7 @@ DocType: Work Order,Manufacture against Material Request,सामग्री DocType: Blanket Order Item,Ordered Quantity,आदेश दिया मात्रा apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},पंक्ति # {0}: अस्वीकृत वेयरहाउस अनिवार्य है अस्वीकृत आइटम {1} के खिलाफ ,Received Items To Be Billed,बिल प्राप्त करने के लिए प्राप्त आइटम -DocType: Salary Slip Timesheet,Working Hours,काम करने के घंटे +DocType: Attendance,Working Hours,काम करने के घंटे apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,भुगतान का प्रकार apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,खरीद आदेश आइटम समय पर नहीं मिले apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,दिनों में अवधि @@ -1571,7 +1583,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,सांविधिक जानकारी और आपके आपूर्तिकर्ता के बारे में अन्य सामान्य जानकारी DocType: Item Default,Default Selling Cost Center,डिफॉल्ट सेलिंग कॉस्ट सेंटर DocType: Sales Partner,Address & Contacts,पता और संपर्क -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए क्रमांकन श्रृंखला की स्थापना करें DocType: Subscriber,Subscriber,ग्राहक apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# फॉर्म / आइटम / {0}) आउट ऑफ स्टॉक है apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,कृपया पोस्टिंग तिथि पहले चुनें @@ -1582,7 +1593,7 @@ DocType: Project,% Complete Method,% पूर्ण विधि DocType: Detected Disease,Tasks Created,कार्य बनाए गए apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,डिफ़ॉल्ट BOM ({0}) इस आइटम या इसके टेम्पलेट के लिए सक्रिय होना चाहिए apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,आयोग दर % -DocType: Service Level,Response Time,जवाब देने का समय +DocType: Service Level Priority,Response Time,जवाब देने का समय DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce सेटिंग्स apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,मात्रा सकारात्मक होनी चाहिए DocType: Contract,CRM,सीआरएम @@ -1599,7 +1610,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,असंगत या DocType: Bank Statement Settings,Transaction Data Mapping,लेन-देन डेटा मानचित्रण apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,लीड के लिए किसी व्यक्ति के नाम या संगठन के नाम की आवश्यकता होती है DocType: Student,Guardians,रखवालों -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षा> शिक्षा सेटिंग्स में इंस्ट्रक्टर नामकरण प्रणाली सेटअप करें apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ब्रांड चुनें ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,मध्य आय DocType: Shipping Rule,Calculate Based On,के आधार पर गणना करें @@ -1636,6 +1646,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,लक्ष्य apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},उपस्थिति रिकॉर्ड {0} छात्र के खिलाफ मौजूद है {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,लेन-देन की तारीख apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,सदस्यता रद्द +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,सेवा स्तर अनुबंध {0} सेट नहीं किया जा सका। apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,शुद्ध वेतन राशि DocType: Account,Liability,देयता DocType: Employee,Bank A/C No.,बैंक A / C No. @@ -1701,7 +1712,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,कच्चा माल आइटम कोड apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,खरीद इनवॉइस {0} पहले से सबमिट की गई है DocType: Fees,Student Email,छात्र ईमेल -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM पुनरावर्तन: {0} माता-पिता या {2} का बच्चा नहीं हो सकता apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,हेल्थकेयर सेवाओं से आइटम प्राप्त करें apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,स्टॉक एंट्री {0} प्रस्तुत नहीं की गई है DocType: Item Attribute Value,Item Attribute Value,आइटम विशेषता मान @@ -1726,7 +1736,6 @@ DocType: POS Profile,Allow Print Before Pay,वेतन से पहले प DocType: Production Plan,Select Items to Manufacture,निर्माण के लिए आइटम का चयन करें DocType: Leave Application,Leave Approver Name,स्वीकृति नाम छोड़ दें DocType: Shareholder,Shareholder,शेयरहोल्डर -DocType: Issue,Agreement Status,समझौते की स्थिति apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,लेनदेन बेचने के लिए डिफ़ॉल्ट सेटिंग्स। apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,कृपया छात्र प्रवेश का चयन करें जो भुगतान किए गए छात्र आवेदक के लिए अनिवार्य है apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOM का चयन करें @@ -1989,6 +1998,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,आय खाता apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,सभी गोदाम DocType: Contract,Signee Details,सांकेतिक विवरण +DocType: Shift Type,Allow check-out after shift end time (in minutes),शिफ्ट समाप्ति समय (मिनटों में) के बाद चेक-आउट की अनुमति दें apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,वसूली DocType: Item Group,Check this if you want to show in website,यदि आप वेबसाइट में दिखाना चाहते हैं तो इसे देखें apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,वित्तीय वर्ष {0} नहीं मिला @@ -2055,6 +2065,7 @@ DocType: Asset Finance Book,Depreciation Start Date,मूल्यह्रा DocType: Activity Cost,Billing Rate,बिलिंग दर apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},चेतावनी: स्टॉक प्रविष्टि {2} के खिलाफ एक और {0} # {1} मौजूद है apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,मार्गों का अनुमान लगाने और अनुकूलन करने के लिए कृपया Google मानचित्र सेटिंग सक्षम करें +DocType: Purchase Invoice Item,Page Break,पृष्ठ ब्रेक DocType: Supplier Scorecard Criteria,Max Score,अधिकतम स्कोर apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,चुकौती प्रारंभ तिथि संवितरण तिथि से पहले नहीं हो सकती। DocType: Support Search Source,Support Search Source,समर्थन खोज स्रोत @@ -2121,6 +2132,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,गुणवत्ता DocType: Employee Transfer,Employee Transfer,कर्मचारी स्थानांतरण ,Sales Funnel,बिक्री फ़नल DocType: Agriculture Analysis Criteria,Water Analysis,जल विश्लेषण +DocType: Shift Type,Begin check-in before shift start time (in minutes),पारी शुरू होने से पहले चेक-इन शुरू करें (मिनटों में) DocType: Accounts Settings,Accounts Frozen Upto,जमे हुए तक खाते apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,संपादित करने के लिए कुछ भी नहीं है। apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","कार्य केंद्र {1} में किसी भी उपलब्ध कार्य समय की तुलना में ऑपरेशन {0}, ऑपरेशन को कई ऑपरेशनों में तोड़ देते हैं" @@ -2134,7 +2146,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,न apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},बिक्री आदेश {0} है {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),भुगतान में देरी (दिन) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,मूल्यह्रास विवरण दर्ज करें +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,ग्राहक पीओ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,अपेक्षित डिलीवरी की तारीख बिक्री आदेश तिथि के बाद होनी चाहिए +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,आइटम की मात्रा शून्य नहीं हो सकती apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,अमान्य विशेषता apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},कृपया आइटम {0} के खिलाफ BOM का चयन करें DocType: Bank Statement Transaction Invoice Item,Invoice Type,चालान प्रकार @@ -2144,6 +2158,7 @@ DocType: Maintenance Visit,Maintenance Date,रखरखाव की तार DocType: Volunteer,Afternoon,दोपहर DocType: Vital Signs,Nutrition Values,पोषण मूल्य DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),बुखार की उपस्थिति (अस्थायी> 38.5 ° C / 101.3 ° F या निरंतर गति> 38 ° C / 100.4 °) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> HR सेटिंग्स में कर्मचारी नामकरण प्रणाली सेटअप करें apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC उलट गया DocType: Project,Collect Progress,प्रगति लीजिए apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,ऊर्जा @@ -2194,6 +2209,7 @@ DocType: Setup Progress,Setup Progress,सेटअप प्रगति ,Ordered Items To Be Billed,बिल किए जाने का आदेश दिया DocType: Taxable Salary Slab,To Amount,राशि के लिए DocType: Purchase Invoice,Is Return (Debit Note),रिटर्न (डेबिट नोट) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र apps/erpnext/erpnext/config/desktop.py,Getting Started,शुरू करना apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,मर्ज apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,फिस्कल ईयर के सेव होते ही फिस्कल ईयर स्टार्ट डेट और फिस्कल ईयर एंड डेट को नहीं बदल सकते। @@ -2212,8 +2228,10 @@ DocType: Maintenance Schedule Detail,Actual Date,वास्तविक ति apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},सीरियल नंबर {0} के लिए डिलीवरी की तारीख से पहले रखरखाव शुरू करने की तारीख नहीं हो सकती apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,पंक्ति {0}: विनिमय दर अनिवार्य है DocType: Purchase Invoice,Select Supplier Address,प्रदायक पता चुनें +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","उपलब्ध मात्रा {0} है, आपको {1} की आवश्यकता है" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,कृपया एपीआई उपभोक्ता रहस्य दर्ज करें DocType: Program Enrollment Fee,Program Enrollment Fee,कार्यक्रम नामांकन शुल्क +DocType: Employee Checkin,Shift Actual End,शिफ्ट वास्तविक अंत DocType: Serial No,Warranty Expiry Date,वारंटी समाप्ति की तारीख DocType: Hotel Room Pricing,Hotel Room Pricing,होटल का कमरा मूल्य निर्धारण apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","बाहरी कर योग्य आपूर्ति (शून्य रेटेड, शून्य रेटेड और छूट के अलावा)" @@ -2273,6 +2291,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,पढ़ना ५ DocType: Shopping Cart Settings,Display Settings,प्रदर्शन सेटिंग्स apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,कृपया बुक किए गए मूल्यह्रास की संख्या निर्धारित करें +DocType: Shift Type,Consequence after,परिणाम के बाद apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,तुम्हें किसमें मदद चाहिए? DocType: Journal Entry,Printing Settings,मुद्रण सेटिंग्स apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,बैंकिंग @@ -2282,6 +2301,7 @@ DocType: Purchase Invoice Item,PR Detail,पीआर विस्तार apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,बिलिंग पता शिपिंग पते के समान है DocType: Account,Cash,कैश DocType: Employee,Leave Policy,नीति को छोड़ दें +DocType: Shift Type,Consequence,परिणाम apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,छात्र का पता DocType: GST Account,CESS Account,उपकर खाता apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: लागत केंद्र 'लाभ और हानि' खाते के लिए आवश्यक है {2}। कृपया कंपनी के लिए एक डिफ़ॉल्ट लागत केंद्र स्थापित करें। @@ -2346,6 +2366,7 @@ DocType: GST HSN Code,GST HSN Code,जीएसटी एचएसएन को DocType: Period Closing Voucher,Period Closing Voucher,अवधि समापन वाउचर apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,संरक्षक २ नाम apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,कृपया व्यय खाता दर्ज करें +DocType: Issue,Resolution By Variance,वारिस द्वारा संकल्प DocType: Employee,Resignation Letter Date,त्याग पत्र दिनांक DocType: Soil Texture,Sandy Clay,सैंडी क्ले DocType: Upload Attendance,Attendance To Date,आज तक की उपस्थिति @@ -2358,6 +2379,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,अभी देखो DocType: Item Price,Valid Upto,तक वैध है apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},संदर्भ सिद्धांत {0} में से एक होना चाहिए +DocType: Employee Checkin,Skip Auto Attendance,ऑटो अटेंडेंस छोड़ें DocType: Payment Request,Transaction Currency,लेनदेन मुद्रा DocType: Loan,Repayment Schedule,पुनः भुगतान कार्यक्रम apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,नमूना प्रतिधारण स्टॉक प्रविष्टि बनाएँ @@ -2429,6 +2451,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,वेतन DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,पीओएस क्लोजिंग वाउचर टैक्स apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,कार्रवाई शुरू की DocType: POS Profile,Applicable for Users,उपयोगकर्ताओं के लिए लागू है +,Delayed Order Report,विलंबित आदेश रिपोर्ट DocType: Training Event,Exam,परीक्षा apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,सामान्य लेज़र प्रविष्टियों की गलत संख्या मिली। आपने लेनदेन में गलत खाते का चयन किया होगा। apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,बिक्री की पाईपलाइन @@ -2443,10 +2466,11 @@ DocType: Account,Round Off,पूर्णांक करना DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,सभी चयनित वस्तुओं पर शर्तों को लागू किया जाएगा। apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,कॉन्फ़िगर DocType: Hotel Room,Capacity,क्षमता +DocType: Employee Checkin,Shift End,शिफ्ट एंड DocType: Installation Note Item,Installed Qty,स्थापित किया गया मात्रा apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,आइटम {1} का बैच {0} अक्षम है। DocType: Hotel Room Reservation,Hotel Reservation User,होटल आरक्षण उपयोगकर्ता -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,कार्यदिवस दो बार दोहराया गया है +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,एंटिटी टाइप {0} और एंटिटी {1} सर्विस लेवल एग्रीमेंट पहले से मौजूद है। apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},आइटम समूह का उल्लेख आइटम मास्टर के लिए आइटम {0} में नहीं है apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},नाम त्रुटि: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,POS प्रोफाइल में क्षेत्र आवश्यक है @@ -2493,6 +2517,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,कार्यक्रम दिनांक DocType: Packing Slip,Package Weight Details,पैकेज वजन विवरण DocType: Job Applicant,Job Opening,रोजगार अवसर +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,कर्मचारी चेकइन के अंतिम ज्ञात सफल सिंक। इसे तभी रीसेट करें जब आप सुनिश्चित हों कि सभी लॉग सभी स्थानों से सिंक किए गए हैं। यदि आप अनिश्चित हैं तो कृपया इसे संशोधित न करें। apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,वास्तविक लागत apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ऑर्डर {1} के विरुद्ध कुल अग्रिम ({0}) ग्रैंड टोटल ({2}) से अधिक नहीं हो सकता है apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,आइटम वेरिएंट अपडेट किया गया @@ -2537,6 +2562,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,संदर्भ खर apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,चालान प्राप्त करें DocType: Tally Migration,Is Day Book Data Imported,क्या डे बुक डेटा आयात किया गया है ,Sales Partners Commission,बिक्री भागीदार आयोग +DocType: Shift Type,Enable Different Consequence for Early Exit,प्रारंभिक निकास के लिए विभिन्न परिणाम सक्षम करें apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,कानूनी DocType: Loan Application,Required by Date,दिनांक द्वारा आवश्यक DocType: Quiz Result,Quiz Result,प्रश्नोत्तरी परिणाम @@ -2596,7 +2622,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,वित DocType: Pricing Rule,Pricing Rule,मूल्य निर्धारण नियम apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},वैकल्पिक अवकाश सूची {0} के लिए निर्धारित नहीं है apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,कर्मचारी रोल सेट करने के लिए कृपया एक कर्मचारी रिकॉर्ड में उपयोगकर्ता आईडी फ़ील्ड सेट करें -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,संकल्प करने का समय DocType: Training Event,Training Event,प्रशिक्षण कार्यक्रम DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","एक वयस्क में सामान्य आराम रक्तचाप लगभग 120 mmHg सिस्टोलिक है, और 80 mmHg डायस्टोलिक, संक्षिप्त रूप से "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"यदि सीमा मान शून्य है, तो सिस्टम सभी प्रविष्टियाँ लाएगा।" @@ -2640,6 +2665,7 @@ DocType: Woocommerce Settings,Enable Sync,सिंक सक्षम करे DocType: Student Applicant,Approved,मंजूर की apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},दिनांक से वित्तीय वर्ष के भीतर होना चाहिए। दिनांक = {0} से मान लिया गया apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,कृपया आपूर्तिकर्ता समूह को सेटिंग सेटिंग में सेट करें। +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} एक अमान्य उपस्थिति स्थिति है। DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,अस्थायी खाता खोलना DocType: Purchase Invoice,Cash/Bank Account,नकद / बैंक खाता DocType: Quality Meeting Table,Quality Meeting Table,गुणवत्ता बैठक की मेज @@ -2675,6 +2701,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS प्रामाणिक ट apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","खाद्य, पेय और तम्बाकू" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,पाठ्यक्रम अनुसूची DocType: Purchase Taxes and Charges,Item Wise Tax Detail,आइटम समझदार कर विवरण +DocType: Shift Type,Attendance will be marked automatically only after this date.,इस तिथि के बाद ही उपस्थिति को स्वचालित रूप से चिह्नित किया जाएगा। apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,यूआईएन धारकों को आपूर्ति की जाती है apps/erpnext/erpnext/hooks.py,Request for Quotations,कोटेशन के लिए अनुरोध apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,कुछ अन्य मुद्रा का उपयोग करके प्रविष्टियां करने के बाद मुद्रा को बदला नहीं जा सकता है @@ -2723,7 +2750,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,हब से आइटम है apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,गुणवत्ता की प्रक्रिया। DocType: Share Balance,No of Shares,शेयरों की नहीं -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),पंक्ति {0}: गोदाम में {4} के लिए उपलब्ध नहीं है {1} प्रवेश के समय ({2} {3}) DocType: Quality Action,Preventive,निवारक DocType: Support Settings,Forum URL,फोरम का URL apps/erpnext/erpnext/config/hr.py,Employee and Attendance,कर्मचारी और उपस्थिति @@ -2945,7 +2971,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,डिस्काउ DocType: Hotel Settings,Default Taxes and Charges,डिफ़ॉल्ट कर और शुल्क apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,यह इस आपूर्तिकर्ता के खिलाफ लेनदेन पर आधारित है। विवरण के लिए नीचे समयरेखा देखें apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},कर्मचारी की अधिकतम लाभ राशि {0} से अधिक {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,समझौते के लिए प्रारंभ और समाप्ति तिथि दर्ज करें। DocType: Delivery Note Item,Against Sales Invoice,बिक्री चालान के खिलाफ DocType: Loyalty Point Entry,Purchase Amount,खरीद राशि apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,सेल्स ऑर्डर के रूप में लॉस्ट सेट नहीं किया जा सकता है। @@ -2969,7 +2994,7 @@ DocType: Homepage,"URL for ""All Products""","सभी उत्पाद& DocType: Lead,Organization Name,संस्था का नाम apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,संचयी क्षेत्र के लिए मान्य और मान्य फ़ील्ड तक अनिवार्य हैं apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},पंक्ति # {0}: बैच संख्या {1} {2} के समान नहीं होनी चाहिए -DocType: Employee,Leave Details,विवरण छोड़ दें +DocType: Employee Checkin,Shift Start,प्रारंभ बदलाव apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} से पहले स्टॉक लेनदेन जमे हुए हैं DocType: Driver,Issuing Date,जारी करने की तारीख apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,निवेदन कर्ता @@ -3014,9 +3039,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,कैश फ्लो मैपिंग टेम्प्लेट विवरण apps/erpnext/erpnext/config/hr.py,Recruitment and Training,भर्ती और प्रशिक्षण DocType: Drug Prescription,Interval UOM,अंतराल UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,ऑटो अटेंडेंस के लिए ग्रेस पीरियड सेटिंग्स apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,मुद्रा और मुद्रा से समान नहीं हो सकते apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,फार्मास्यूटिकल्स DocType: Employee,HR-EMP-,मानव संसाधन-EMP- +DocType: Service Level,Support Hours,समर्थन घंटे apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} रद्द या बंद है apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,पंक्ति {0}: ग्राहक के खिलाफ अग्रिम क्रेडिट होना चाहिए apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),वाउचर द्वारा समूह (समेकित) @@ -3126,6 +3153,7 @@ DocType: Asset Repair,Repair Status,मरम्मत की स्थिति DocType: Territory,Territory Manager,क्षेत्र प्रबंधक DocType: Lab Test,Sample ID,नमूना आईडी apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,कार्ट खाली है +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,उपस्थिति को कर्मचारी चेक-इन के अनुसार चिह्नित किया गया है apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,एसेट {0} सबमिट करना होगा ,Absent Student Report,अनुपस्थित छात्र की रिपोर्ट apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,सकल लाभ में शामिल @@ -3133,7 +3161,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,धन राशि apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} प्रस्तुत नहीं किया गया है, इसलिए कार्रवाई पूरी नहीं की जा सकती है" DocType: Subscription,Trial Period End Date,ट्रायल अवधि समाप्ति तिथि +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,एक ही पारी के दौरान IN और OUT जैसी वैकल्पिक प्रविष्टियाँ DocType: BOM Update Tool,The new BOM after replacement,प्रतिस्थापन के बाद नया बीओएम +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,आपूर्तिकर्ता> आपूर्तिकर्ता प्रकार apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,आइटम 5 DocType: Employee,Passport Number,पासपोर्ट संख्या apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,अस्थायी उद्घाटन @@ -3249,6 +3279,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,प्रमुख रिप apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,संभव आपूर्तिकर्ता ,Issued Items Against Work Order,वर्क ऑर्डर के खिलाफ जारी किए गए आइटम apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} चालान बनाना +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षा> शिक्षा सेटिंग्स में इंस्ट्रक्टर नामकरण प्रणाली सेटअप करें DocType: Student,Joining Date,कार्यग्रहण तिथि apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,अनुरोध स्थल DocType: Purchase Invoice,Against Expense Account,व्यय खाते के खिलाफ @@ -3288,6 +3319,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,लागू शुल्क ,Point of Sale,बिक्री केन्द्र DocType: Authorization Rule,Approving User (above authorized value),उपयोक्ता को अनुमोदन (अधिकृत मूल्य से ऊपर) +DocType: Service Level Agreement,Entity,सत्ता apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},राशि {0} {1} {2} से {3} में स्थानांतरित की गई apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},ग्राहक {0} परियोजना से संबंधित नहीं है {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,पार्टी के नाम से @@ -3334,6 +3366,7 @@ DocType: Asset,Opening Accumulated Depreciation,उद्घाटन संच DocType: Soil Texture,Sand Composition (%),रेत संरचना (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-पीपी-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,इम्पोर्ट डे बुक डेटा +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया सेटिंग> सेटिंग> नामकरण श्रृंखला के माध्यम से {0} के लिए नामकरण श्रृंखला निर्धारित करें DocType: Asset,Asset Owner Company,एसेट ओनर कंपनी apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,लागत केंद्र को एक व्यय दावा बुक करने के लिए आवश्यक है apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} आइटम {1} के लिए वैध सीरियल नग @@ -3392,7 +3425,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,मालिक का मालिक apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},वेयरहाउस स्टॉक के लिए अनिवार्य है आइटम {0} पंक्ति में {1} DocType: Stock Entry,Total Additional Costs,कुल अतिरिक्त लागत -DocType: Marketplace Settings,Last Sync On,अंतिम सिंक पर apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,कृपया कर और शुल्क तालिका में कम से कम एक पंक्ति निर्धारित करें DocType: Asset Maintenance Team,Maintenance Team Name,रखरखाव टीम का नाम apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,लागत केंद्रों का चार्ट @@ -3408,12 +3440,12 @@ DocType: Sales Order Item,Work Order Qty,कार्य आदेश मात DocType: Job Card,WIP Warehouse,WIP वेयरहाउस DocType: Payment Request,ACC-PRQ-.YYYY.-,एसीसी-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},उपयोगकर्ता आईडी कर्मचारी {0} के लिए सेट नहीं है -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","उपलब्ध मात्रा {0} है, आपको {1} की आवश्यकता है" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,उपयोगकर्ता {0} बनाया गया DocType: Stock Settings,Item Naming By,आइटम नामकरण द्वारा apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,आदेश दिया apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,यह एक रूट ग्राहक समूह है और इसे संपादित नहीं किया जा सकता है। apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,सामग्री अनुरोध {0} को रद्द या रोक दिया गया है +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,कर्मचारी चेकइन में लॉग प्रकार पर आधारित सख्ती DocType: Purchase Order Item Supplied,Supplied Qty,आपूर्ति की गई मात्रा DocType: Cash Flow Mapper,Cash Flow Mapper,कैश फ्लो मैपर DocType: Soil Texture,Sand,रेत @@ -3472,6 +3504,7 @@ DocType: Lab Test Groups,Add new line,नई लाइन जोड़ें apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,आइटम समूह तालिका में पाया गया डुप्लिकेट आइटम समूह apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,वार्षिक वेतन DocType: Supplier Scorecard,Weighting Function,भारोत्तोलन समारोह +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,मापदंड सूत्र का मूल्यांकन करने में त्रुटि ,Lab Test Report,लैब टेस्ट रिपोर्ट DocType: BOM,With Operations,संचालन के साथ @@ -3485,6 +3518,7 @@ DocType: Expense Claim Account,Expense Claim Account,व्यय का दा apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,जर्नल एंट्री के लिए कोई पुनर्भुगतान उपलब्ध नहीं है apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} निष्क्रिय छात्र है apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,स्टॉक एंट्री करें +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM पुनरावर्तन: {0} माता-पिता या {1} का बच्चा नहीं हो सकता DocType: Employee Onboarding,Activities,क्रियाएँ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,कम से कम एक गोदाम अनिवार्य है ,Customer Credit Balance,ग्राहक क्रेडिट शेष @@ -3497,9 +3531,11 @@ DocType: Supplier Scorecard Period,Variables,चर apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,एकाधिक वफादारी कार्यक्रम ग्राहक के लिए मिला। कृपया मैन्युअल रूप से चयन करें। DocType: Patient,Medication,इलाज apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,वफादारी कार्यक्रम का चयन करें +DocType: Employee Checkin,Attendance Marked,उपस्थिति चिह्नित की गई apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,कच्चा माल DocType: Sales Order,Fully Billed,पूरी तरह से बिल दिया apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},कृपया {} पर होटल के कमरे की दर निर्धारित करें +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,डिफ़ॉल्ट के रूप में केवल एक प्राथमिकता का चयन करें। apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},कृपया प्रकार के लिए खाता (लेजर) की पहचान / निर्माण - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,कुल क्रेडिट / डेबिट राशि लिंक्ड जर्नल एंट्री के समान होनी चाहिए DocType: Purchase Invoice Item,Is Fixed Asset,निश्चित संपत्ति है @@ -3520,6 +3556,7 @@ DocType: Purpose of Travel,Purpose of Travel,यात्रा का उद् DocType: Healthcare Settings,Appointment Confirmation,अपॅइंटमेंट की पुष्टि DocType: Shopping Cart Settings,Orders,आदेश DocType: HR Settings,Retirement Age,सेवानिवृत्ति आयु +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए क्रमांकन श्रृंखला की स्थापना करें apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,अनुमानित मात्रा apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},देश के लिए विचलन की अनुमति नहीं है {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},रो # {0}: एसेट {1} पहले से ही {2} है @@ -3603,11 +3640,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,मुनीम apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},पीओएस क्लोजिंग वाउचर अल्डरेड {0} के लिए दिनांक {1} और {2} के बीच मौजूद है apps/erpnext/erpnext/config/help.py,Navigating,नेविगेट करना +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,किसी भी बकाया चालान में विनिमय दर के पुनर्मूल्यांकन की आवश्यकता नहीं होती है DocType: Authorization Rule,Customer / Item Name,ग्राहक / मद का नाम apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,नए सीरियल नंबर में वेयरहाउस नहीं हो सकता है। वेयरहाउस को स्टॉक एंट्री या खरीद रसीद द्वारा निर्धारित किया जाना चाहिए DocType: Issue,Via Customer Portal,ग्राहक पोर्टल DocType: Work Order Operation,Planned Start Time,योजना प्रारंभ समय apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} है {२} +DocType: Service Level Priority,Service Level Priority,सेवा स्तर की प्राथमिकता apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,मूल्यह्रास की बुक की गई संख्या कुल मूल्यह्रास से अधिक नहीं हो सकती है apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,शेयर लेजर DocType: Journal Entry,Accounts Payable,देय खाते @@ -3718,7 +3757,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,वितरण के लिए DocType: Bank Statement Transaction Settings Item,Bank Data,बैंक डेटा apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,अनुसूचित तक -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Timesheet पर बिलिंग घंटे और कार्य समय समान रखें apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,लीड सोर्स द्वारा ट्रैक लीड्स। DocType: Clinical Procedure,Nursing User,नर्सिंग उपयोगकर्ता DocType: Support Settings,Response Key List,प्रतिक्रिया कुंजी सूची @@ -3886,6 +3924,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,वास्तविक प्रारंभ समय DocType: Antibiotic,Laboratory User,प्रयोगशाला उपयोगकर्ता apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,ऑनलाइन नीलामी +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,प्राथमिकता {0} दोहराई गई है। DocType: Fee Schedule,Fee Creation Status,शुल्क सृजन की स्थिति apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,सॉफ्टवेयर्स apps/erpnext/erpnext/config/help.py,Sales Order to Payment,भुगतान के लिए बिक्री आदेश @@ -3952,6 +3991,7 @@ DocType: Patient Encounter,In print,प्रिंट में apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0} के लिए जानकारी पुनर्प्राप्त नहीं की जा सकी। apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,बिलिंग मुद्रा या तो डिफ़ॉल्ट कंपनी की मुद्रा या पार्टी खाता मुद्रा के बराबर होनी चाहिए apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,कृपया इस विक्रय व्यक्ति का कर्मचारी क्रमांक दर्ज करें +DocType: Shift Type,Early Exit Consequence after,प्रारंभिक निकास परिणाम के बाद apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,ओपनिंग सेल्स और परचेज इनवॉइस बनाएं DocType: Disease,Treatment Period,उपचार की अवधि apps/erpnext/erpnext/config/settings.py,Setting up Email,ईमेल सेट करना @@ -3969,7 +4009,6 @@ DocType: Employee Skill Map,Employee Skills,कर्मचारी कौश apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,छात्र का नाम: DocType: SMS Log,Sent On,पर भेजा गया DocType: Bank Statement Transaction Invoice Item,Sales Invoice,बिक्री चालान -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,रिस्पॉन्स टाइम रेसोल्यूशन टाइम से अधिक नहीं हो सकता DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","कोर्स आधारित छात्र समूह के लिए, कार्यक्रम नामांकन में नामांकित पाठ्यक्रम से प्रत्येक छात्र के लिए पाठ्यक्रम को मान्य किया जाएगा।" apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,इंट्रा-स्टेट आपूर्ति DocType: Employee,Create User Permission,उपयोगकर्ता अनुमति बनाएँ @@ -4008,6 +4047,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,बिक्री या खरीद के लिए मानक अनुबंध शर्तें। DocType: Sales Invoice,Customer PO Details,ग्राहक पीओ विवरण apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,रोगी नहीं मिला +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,एक डिफ़ॉल्ट प्राथमिकता चुनें। apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"यदि आइटम उस आइटम पर लागू नहीं है, तो आइटम निकालें" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,एक ग्राहक समूह एक ही नाम के साथ मौजूद है कृपया ग्राहक का नाम बदलें या ग्राहक समूह का नाम बदलें 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. @@ -4047,6 +4087,7 @@ DocType: Quality Goal,Quality Goal,गुणवत्ता लक्ष्य DocType: Support Settings,Support Portal,समर्थन पोर्टल apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},कार्य की अंतिम तिथि {0} से कम नहीं हो सकती है {1} अपेक्षित आरंभ तिथि {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},कर्मचारी {0} छुट्टी पर है {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},यह सेवा स्तर समझौता ग्राहक {0} के लिए विशिष्ट है DocType: Employee,Held On,पर आयोजित DocType: Healthcare Practitioner,Practitioner Schedules,प्रैक्टिशनर शेड्यूल DocType: Project Template Task,Begin On (Days),पर शुरू (दिन) @@ -4054,6 +4095,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},वर्क ऑर्डर {0} किया गया है DocType: Inpatient Record,Admission Schedule Date,एडमिशन शेड्यूल डेट apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,एसेट वैल्यू एडजस्टमेंट +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,इस शिफ्ट के लिए नियुक्त कर्मचारियों के लिए 'कर्मचारी जाँचकर्ता' के आधार पर मार्क की उपस्थिति apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,अपंजीकृत व्यक्तियों को की गई आपूर्ति apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,सारी नौकरियां DocType: Appointment Type,Appointment Type,नियुक्ति प्रकार @@ -4167,7 +4209,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),पैकेज का सकल वजन। आमतौर पर शुद्ध वजन + पैकेजिंग सामग्री वजन। (प्रिंट के लिए) DocType: Plant Analysis,Laboratory Testing Datetime,प्रयोगशाला परीक्षण डेटाटाइम apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,आइटम {0} में बैच नहीं हो सकता है -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,स्टेज द्वारा बिक्री पाइपलाइन apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,छात्र समूह की ताकत DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,बैंक स्टेटमेंट ट्रांजेक्शन एंट्री DocType: Purchase Order,Get Items from Open Material Requests,ओपन मटेरियल रिक्वेस्ट से आइटम प्राप्त करें @@ -4249,7 +4290,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,एजिंग वेयरहाउस-वार दिखाएं DocType: Sales Invoice,Write Off Outstanding Amount,बकाया राशि लिखें DocType: Payroll Entry,Employee Details,कर्मचारी विवरण -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,प्रारंभ समय {0} के लिए समाप्ति समय से अधिक नहीं हो सकता है। DocType: Pricing Rule,Discount Amount,छूट राशि DocType: Healthcare Service Unit Type,Item Details,आइटम विवरण apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},अवधि {1} के लिए {0} की डुप्लीकेट कर घोषणा @@ -4302,7 +4342,7 @@ DocType: Customer,CUST-.YYYY.-,कस्टमर-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,नेट पे नेगेटिव नहीं हो सकता apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,कोई सहभागिता नहीं 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/hr/doctype/employee/employee_dashboard.py,Shift,खिसक जाना +DocType: Attendance,Shift,खिसक जाना apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,लेखा और दलों का प्रसंस्करण चार्ट DocType: Stock Settings,Convert Item Description to Clean HTML,कन्वर्ट आइटम विवरण HTML को साफ करने के लिए apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,सभी आपूर्तिकर्ता समूह @@ -4373,6 +4413,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,कर्म DocType: Healthcare Service Unit,Parent Service Unit,जनक सेवा इकाई DocType: Sales Invoice,Include Payment (POS),भुगतान (पीओएस) शामिल करें apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,निजी इक्विटी +DocType: Shift Type,First Check-in and Last Check-out,पहला चेक-इन और अंतिम चेक-आउट DocType: Landed Cost Item,Receipt Document,रसीद दस्तावेज़ DocType: Supplier Scorecard Period,Supplier Scorecard Period,आपूर्तिकर्ता स्कोरकार्ड अवधि DocType: Employee Grade,Default Salary Structure,डिफ़ॉल्ट वेतन संरचना @@ -4455,6 +4496,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,क्रय आदेश बनाएँ apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,एक वित्तीय वर्ष के लिए बजट को परिभाषित करें। apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,लेखा तालिका रिक्त नहीं हो सकती। +DocType: Employee Checkin,Entry Grace Period Consequence,प्रवेश काल अवधि परिणाम ,Payment Period Based On Invoice Date,भुगतान की अवधि चालान तिथि के आधार पर apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},स्थापना दिनांक आइटम {0} के लिए डिलीवरी की तारीख से पहले नहीं हो सकती apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,सामग्री अनुरोध के लिए लिंक @@ -4463,6 +4505,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,मैप क apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},पंक्ति {0}: इस गोदाम के लिए पहले से ही मौजूद एक रिकॉर्डर प्रविष्टि {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,डॉक्टर तिथि DocType: Monthly Distribution,Distribution Name,वितरण नाम +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,कार्यदिवस {0} दोहराया गया है। apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,ग्रुप टू नॉन ग्रुप apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,अपडेट जारी है। इसमें समय लग सकता है। DocType: Item,"Example: ABCD.##### @@ -4475,6 +4518,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,ईंधन मात्रा apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,गार्जियन 1 मोबाइल नं DocType: Invoice Discounting,Disbursed,संवितरित +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,पारी की समाप्ति के बाद का समय जिसके दौरान चेक-आउट को उपस्थिति के लिए माना जाता है। apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,देय खातों में शुद्ध परिवर्तन apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,उपलब्ध नहीं है apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,पार्ट टाईम @@ -4488,7 +4532,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,बे apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,प्रिंट में पीडीसी दिखाएं apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify प्रदायक DocType: POS Profile User,POS Profile User,पीओएस प्रोफ़ाइल उपयोगकर्ता -DocType: Student,Middle Name,मध्य नाम DocType: Sales Person,Sales Person Name,बिक्री व्यक्ति का नाम DocType: Packing Slip,Gross Weight,कुल भार DocType: Journal Entry,Bill No,बिल नहीं @@ -4497,7 +4540,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,न DocType: Vehicle Log,HR-VLOG-.YYYY.-,मानव संसाधन-vlog-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,सेवा स्तर समझौता -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,कृपया पहले कर्मचारी और तिथि चुनें apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,वस्तु मूल्यांकन दर को भूमि की लागत वाले वाउचर राशि पर विचार करके पुनर्गणना की जाती है DocType: Timesheet,Employee Detail,कर्मचारी विस्तार से DocType: Tally Migration,Vouchers,वाउचर @@ -4532,7 +4574,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,सेवा स DocType: Additional Salary,Date on which this component is applied,वह दिनांक जिस पर यह घटक लागू होता है apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,उपलब्ध शेयरहोल्डर्स की सूची फोलियो संख्या के साथ apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,गेटवे खाते सेट करें। -DocType: Service Level,Response Time Period,प्रतिक्रिया समय अवधि +DocType: Service Level Priority,Response Time Period,प्रतिक्रिया समय अवधि DocType: Purchase Invoice,Purchase Taxes and Charges,खरीद कर और शुल्क DocType: Course Activity,Activity Date,गतिविधि दिनांक apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,नए ग्राहक का चयन करें या जोड़ें @@ -4557,6 +4599,7 @@ DocType: Sales Person,Select company name first.,पहले कंपनी apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,वित्तीय वर्ष DocType: Sales Invoice Item,Deferred Revenue,आस्थगित राजस्व apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,कम से कम एक बेचना या खरीदना का चयन करना चाहिए +DocType: Shift Type,Working Hours Threshold for Half Day,हाफ डे के लिए वर्किंग ऑवर्स थ्रेसहोल्ड ,Item-wise Purchase History,आइटम-वार खरीद इतिहास apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},पंक्ति {0} में आइटम के लिए सेवा रोक दिनांक नहीं बदल सकते DocType: Production Plan,Include Subcontracted Items,उपमहाद्वीप आइटम शामिल करें @@ -4589,6 +4632,7 @@ DocType: Journal Entry,Total Amount Currency,कुल राशि मुद् DocType: BOM,Allow Same Item Multiple Times,एक ही आइटम एकाधिक टाइम्स की अनुमति दें apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,BOM बनाएँ DocType: Healthcare Practitioner,Charges,प्रभार +DocType: Employee,Attendance and Leave Details,उपस्थिति और विवरण छोड़ें DocType: Student,Personal Details,व्यक्तिगत विवरण DocType: Sales Order,Billing and Delivery Status,बिलिंग और वितरण की स्थिति apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,पंक्ति {0}: आपूर्तिकर्ता के लिए {0} ईमेल पता ईमेल भेजने के लिए आवश्यक है @@ -4640,7 +4684,6 @@ DocType: Bank Guarantee,Supplier,प्रदायक apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},मान betweeen {0} और {1} दर्ज करें DocType: Purchase Order,Order Confirmation Date,आदेश की पुष्टि की तारीख DocType: Delivery Trip,Calculate Estimated Arrival Times,अनुमानित आगमन टाइम्स की गणना करें -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> HR सेटिंग्स में कर्मचारी नामकरण प्रणाली सेटअप करें apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,उपभोज्य DocType: Instructor,EDU-INS-.YYYY.-,EDU-आईएनएस-.YYYY.- DocType: Subscription,Subscription Start Date,सदस्यता प्रारंभ दिनांक @@ -4663,7 +4706,7 @@ DocType: Installation Note Item,Installation Note Item,स्थापना न DocType: Journal Entry Account,Journal Entry Account,जर्नल एंट्री अकाउंट apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,प्रकार apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,फोरम गतिविधि -DocType: Service Level,Resolution Time Period,संकल्प समय अवधि +DocType: Service Level Priority,Resolution Time Period,संकल्प समय अवधि DocType: Request for Quotation,Supplier Detail,आपूर्तिकर्ता विस्तार DocType: Project Task,View Task,टास्क देखें DocType: Serial No,Purchase / Manufacture Details,खरीद / निर्माण विवरण @@ -4730,6 +4773,7 @@ DocType: Sales Invoice,Commission Rate (%),आयोग दर (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,वेयरहाउस को केवल स्टॉक एंट्री / डिलीवरी नोट / खरीद रसीद के माध्यम से बदला जा सकता है DocType: Support Settings,Close Issue After Days,दिनों के बाद समस्या बंद करें DocType: Payment Schedule,Payment Schedule,भुगतान अनुसूची +DocType: Shift Type,Enable Entry Grace Period,प्रवेश अनुग्रह अवधि सक्षम करें DocType: Patient Relation,Spouse,पति या पत्नी DocType: Purchase Invoice,Reason For Putting On Hold,धारण करने का कारण DocType: Item Attribute,Increment,वेतन वृद्धि @@ -4869,6 +4913,7 @@ DocType: Authorization Rule,Customer or Item,ग्राहक या वस् DocType: Vehicle Log,Invoice Ref,चालान रेफरी apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},चालान के लिए सी-फॉर्म लागू नहीं है: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,चालान बनाया गया +DocType: Shift Type,Early Exit Grace Period,प्रारंभिक निकास अनुग्रह अवधि DocType: Patient Encounter,Review Details,विवरण की समीक्षा करें apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,पंक्ति {0}: घंटे का मान शून्य से अधिक होना चाहिए। DocType: Account,Account Number,खाता संख्या @@ -4880,7 +4925,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","लागू अगर कंपनी SpA, SApA या SRL है" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,इसके बीच पाई जाने वाली ओवरलैपिंग की स्थिति: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,भुगतान किया और वितरित नहीं किया गया -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,आइटम कोड अनिवार्य है क्योंकि आइटम स्वचालित रूप से क्रमांकित नहीं है DocType: GST HSN Code,HSN Code,HSN कोड DocType: GSTR 3B Report,September,सितंबर apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,प्रशासनिक व्यय @@ -4916,6 +4960,8 @@ DocType: Travel Itinerary,Travel From,से यात्रा करते ह apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,सीडब्ल्यूआईपी खाता DocType: SMS Log,Sender Name,भेजने वाले का नाम DocType: Pricing Rule,Supplier Group,आपूर्तिकर्ता समूह +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",अनुक्रमणिका {1} पर प्रारंभ समय और अंत समय \ समर्थन दिवस {0} के लिए सेट करें। DocType: Employee,Date of Issue,जारी करने की तारिख ,Requested Items To Be Transferred,हस्तांतरित होने के लिए आवश्यक वस्तुएँ DocType: Employee,Contract End Date,अनुबंध की अंतिम तिथि @@ -4926,6 +4972,7 @@ DocType: Healthcare Service Unit,Vacant,रिक्त DocType: Opportunity,Sales Stage,बिक्री चरण DocType: Sales Order,In Words will be visible once you save the Sales Order.,एक बार जब आप विक्रय आदेश सहेज लेंगे तो शब्द दिखाई देंगे। DocType: Item Reorder,Re-order Level,स्तर पुनः क्रमित करें +DocType: Shift Type,Enable Auto Attendance,ऑटो अटेंडेंस सक्षम करें apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,पसंद ,Department Analytics,विभाग विश्लेषिकी DocType: Crop,Scientific Name,वैज्ञानिक नाम @@ -4938,6 +4985,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} स्थि DocType: Quiz Activity,Quiz Activity,प्रश्नोत्तरी गतिविधि apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} वैध पेरोल अवधि में नहीं है DocType: Timesheet,Billed,बिल भेजा गया +apps/erpnext/erpnext/config/support.py,Issue Type.,समस्या का प्रकार। DocType: Restaurant Order Entry,Last Sales Invoice,अंतिम बिक्री चालान DocType: Payment Terms Template,Payment Terms,भुगतान की शर्तें apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","आरक्षित मात्रा: बिक्री के लिए मात्रा का आदेश दिया गया, लेकिन वितरित नहीं किया गया।" @@ -5033,6 +5081,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,एसेट apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} में हेल्थकेयर प्रैक्टिशनर शेड्यूल नहीं है। इसे हेल्थकेयर प्रैक्टिशनर मास्टर में जोड़ें DocType: Vehicle,Chassis No,चास्सिस संख्या +DocType: Employee,Default Shift,डिफ़ॉल्ट शिफ्ट apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,कंपनी संक्षिप्त apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,सामग्री के बिल का पेड़ DocType: Article,LMS User,एलएमएस उपयोगकर्ता @@ -5081,6 +5130,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,जनक बिक्री व्यक्ति DocType: Student Group Creation Tool,Get Courses,पाठ्यक्रम प्राप्त करें apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","पंक्ति # {0}: मात्रा 1 होनी चाहिए, क्योंकि आइटम एक निश्चित संपत्ति है। कृपया एकाधिक मात्रा के लिए अलग पंक्ति का उपयोग करें।" +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),अनुपस्थित के नीचे काम के घंटे चिह्नित हैं। (निष्क्रिय करने के लिए शून्य) DocType: Customer Group,Only leaf nodes are allowed in transaction,लेन-देन में केवल पत्ती नोड्स की अनुमति है DocType: Grant Application,Organization,संगठन DocType: Fee Category,Fee Category,शुल्क श्रेणी @@ -5093,6 +5143,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,कृपया इस प्रशिक्षण कार्यक्रम के लिए अपनी स्थिति अपडेट करें DocType: Volunteer,Morning,सुबह DocType: Quotation Item,Quotation Item,उद्धरण आइटम +apps/erpnext/erpnext/config/support.py,Issue Priority.,मुद्दा प्राथमिकता। DocType: Journal Entry,Credit Card Entry,क्रेडिट कार्ड से प्रवेश apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","समय स्लॉट को छोड़ दिया गया, स्लॉट {0} से {1} ओवरलैपिंग स्लॉट स्लॉट {2} से {3}" DocType: Journal Entry Account,If Income or Expense,यदि आय या व्यय @@ -5143,11 +5194,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,डेटा आयात और सेटिंग्स 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: Account,Expense Account,खर्च का हिसाब +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,पारी शुरू होने से पहले का समय जिसके दौरान कर्मचारी चेक-इन उपस्थिति के लिए माना जाता है। apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,गार्जियन 1 के साथ संबंध apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,इनवॉयस बनाएँ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},भुगतान अनुरोध पहले से मौजूद है {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} पर राहत देने वाले कर्मचारी को 'वाम' के रूप में सेट किया जाना चाहिए apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},वेतन {0} {1} +DocType: Company,Sales Settings,बिक्री सेटिंग्स DocType: Sales Order Item,Produced Quantity,उत्पादित मात्रा apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,निम्नलिखित लिंक पर क्लिक करके उद्धरण के लिए अनुरोध तक पहुँचा जा सकता है DocType: Monthly Distribution,Name of the Monthly Distribution,मासिक वितरण का नाम @@ -5226,6 +5279,7 @@ DocType: Company,Default Values,डिफ़ॉल्ट मान apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,बिक्री और खरीद के लिए डिफ़ॉल्ट कर टेम्पलेट बनाए जाते हैं। apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,टाइप टाइप {0} को आगे नहीं बढ़ाया जा सकता है apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,डेबिट टू अकाउंट एक प्राप्य खाता होना चाहिए +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},कृपया गोदाम में खाता सेट करें {0} या कंपनी में डिफ़ॉल्ट इन्वेंट्री खाता {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,डिफाल्ट के रूप में सेट DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),इस पैकेज का शुद्ध वजन। (वस्तुओं के शुद्ध वजन के योग के रूप में स्वचालित रूप से गणना) @@ -5252,8 +5306,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,एक्सपायरी बैच DocType: Shipping Rule,Shipping Rule Type,शिपिंग नियम प्रकार DocType: Job Offer,Accepted,स्वीकार किए जाते हैं -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","कृपया इस दस्तावेज़ को रद्द करने के लिए कर्मचारी {0} \ _ हटाएं" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,आप पहले से ही मूल्यांकन मानदंड {} के लिए मूल्यांकन कर चुके हैं। apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,बैच नंबर चुनें apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),आयु (दिन) @@ -5279,6 +5331,8 @@ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,अपने डोमेन का चयन करें DocType: Agriculture Task,Task Name,कार्य का नाम apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,स्टॉक एंट्री पहले से ही वर्क ऑर्डर के लिए बनाई गई हैं +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","कृपया इस दस्तावेज़ को रद्द करने के लिए कर्मचारी {0} \ _ हटाएं" ,Amount to Deliver,वितरित करने के लिए राशि apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,कंपनी {0} मौजूद नहीं है apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,दिए गए मदों के लिए लिंक करने के लिए कोई भी लंबित सामग्री अनुरोध नहीं मिला। @@ -5328,6 +5382,7 @@ DocType: Program Enrollment,Enrolled courses,पाठ्यक्रमों DocType: Lab Prescription,Test Code,टेस्ट कोड DocType: Purchase Taxes and Charges,On Previous Row Total,पिछले रो कुल पर DocType: Student,Student Email Address,छात्र ईमेल पता +,Delayed Item Report,देरी से आई रिपोर्ट DocType: Academic Term,Education,शिक्षा DocType: Supplier Quotation,Supplier Address,आपूर्तिकर्ता पता DocType: Salary Detail,Do not include in total,कुल में शामिल न करें @@ -5335,7 +5390,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} मौजूद नहीं है DocType: Purchase Receipt Item,Rejected Quantity,अस्वीकृत मात्रा DocType: Cashier Closing,To TIme,समय पर -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: Daily Work Summary Group User,Daily Work Summary Group User,दैनिक कार्य सारांश समूह उपयोगकर्ता DocType: Fiscal Year Company,Fiscal Year Company,फिस्कल ईयर कंपनी apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,वैकल्पिक आइटम आइटम कोड के समान नहीं होना चाहिए @@ -5387,6 +5441,7 @@ DocType: Program Fee,Program Fee,कार्यक्रम शुल्क DocType: Delivery Settings,Delay between Delivery Stops,डिलीवरी स्टॉप के बीच देरी DocType: Stock Settings,Freeze Stocks Older Than [Days],फ्रीज स्टॉक्स पुराने दिनों से [दिन] DocType: Promotional Scheme,Promotional Scheme Product Discount,प्रचार योजना उत्पाद छूट +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,मुद्दा प्राथमिकता पहले से ही मौजूद है DocType: Account,Asset Received But Not Billed,एसेट प्राप्त हुआ लेकिन बिल नहीं दिया गया DocType: POS Closing Voucher,Total Collected Amount,कुल एकत्रित राशि DocType: Course,Default Grading Scale,डिफ़ॉल्ट ग्रेडिंग स्केल @@ -5428,6 +5483,7 @@ DocType: C-Form,III,तृतीय DocType: Contract,Fulfilment Terms,पूर्ति की शर्तें apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,नॉन-ग्रुप टू ग्रुप DocType: Student Guardian,Mother,मां +DocType: Issue,Service Level Agreement Fulfilled,सेवा स्तर का समझौता पूरा हुआ DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,लावारिस कर्मचारी लाभों के लिए डिडक्ट टैक्स DocType: Travel Request,Travel Funding,यात्रा निधि DocType: Shipping Rule,Fixed,स्थिर @@ -5457,10 +5513,12 @@ DocType: Item,Warranty Period (in days),वारंटी अवधि (दि apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,कुछ नहीं मिला। DocType: Item Attribute,From Range,रेंज से DocType: Clinical Procedure,Consumables,उपभोग्य +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'कर्मचारी_फील्ड_वल्यू' और 'टाइमस्टैम्प' आवश्यक हैं। DocType: Purchase Taxes and Charges,Reference Row #,संदर्भ पंक्ति # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},कंपनी {0} में 'एसेट डेप्रिसिएशन कॉस्ट सेंटर' सेट करें। apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,रो # {0}: ट्रैस्लेशन को पूरा करने के लिए भुगतान दस्तावेज़ की आवश्यकता होती है DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Amazon MWS से अपने विक्रय आदेश डेटा को खींचने के लिए इस बटन पर क्लिक करें। +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),आधे घंटे के नीचे काम के घंटे चिह्नित हैं। (निष्क्रिय करने के लिए शून्य) ,Assessment Plan Status,मूल्यांकन योजना की स्थिति apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,कृपया पहले {0} का चयन करें apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,कर्मचारी रिकॉर्ड बनाने के लिए इसे सबमिट करें @@ -5531,6 +5589,7 @@ DocType: Quality Procedure,Parent Procedure,जनक प्रक्रिय apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,ओपन सेट करें apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,टॉगल फिल्टर DocType: Production Plan,Material Request Detail,सामग्री अनुरोध विस्तार +DocType: Shift Type,Process Attendance After,प्रक्रिया उपस्थिति के बाद DocType: Material Request Item,Quantity and Warehouse,मात्रा और गोदाम apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,प्रोग्राम पर जाएं apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},पंक्ति # {0}: संदर्भों में डुप्लिकेट प्रविष्टि {1} {2} @@ -5588,6 +5647,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,पार्टी की जानकारी apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),देनदार ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,तिथि करने के लिए कर्मचारी की राहत की तारीख से अधिक नहीं हो सकता है +DocType: Shift Type,Enable Exit Grace Period,अनुग्रह अवधि से बाहर निकलें DocType: Expense Claim,Employees Email Id,कर्मचारी ईमेल आईडी DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify से ERPNext Price List में अपडेट मूल्य DocType: Healthcare Settings,Default Medical Code Standard,डिफ़ॉल्ट चिकित्सा कोड मानक @@ -5618,7 +5678,6 @@ DocType: Item Group,Item Group Name,आइटम समूह का नाम DocType: Budget,Applicable on Material Request,सामग्री अनुरोध पर लागू DocType: Support Settings,Search APIs,एपीआई खोजें DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,बिक्री आदेश के लिए ओवरप्रोडक्शन प्रतिशत -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,विशेष विवरण DocType: Purchase Invoice,Supplied Items,आपूर्ति की गई वस्तु DocType: Leave Control Panel,Select Employees,कर्मचारियों का चयन करें apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},ऋण में ब्याज आय खाते का चयन करें {0} @@ -5644,7 +5703,7 @@ DocType: Salary Slip,Deductions,कटौती ,Supplier-Wise Sales Analytics,आपूर्तिकर्ता-समझदार बिक्री विश्लेषिकी DocType: GSTR 3B Report,February,फरवरी DocType: Appraisal,For Employee,कर्मचारी के लिए -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,वास्तविक वितरण तिथि +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,वास्तविक वितरण तिथि DocType: Sales Partner,Sales Partner Name,सेल्स पार्टनर का नाम apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,मूल्यह्रास पंक्ति {0}: मूल्यह्रास प्रारंभ तिथि पिछली तिथि के रूप में दर्ज की गई है DocType: GST HSN Code,Regional,क्षेत्रीय @@ -5683,6 +5742,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,आ DocType: Supplier Scorecard,Supplier Scorecard,आपूर्तिकर्ता स्कोरकार्ड DocType: Travel Itinerary,Travel To,को यात्रा apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,मार्क अटेंडेंस +DocType: Shift Type,Determine Check-in and Check-out,चेक-इन और चेक-आउट का निर्धारण करें DocType: POS Closing Voucher,Difference,अंतर apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,छोटा DocType: Work Order Item,Work Order Item,वर्क ऑर्डर आइटम @@ -5716,6 +5776,7 @@ DocType: Sales Invoice,Shipping Address Name,शिपिंग पता ना apps/erpnext/erpnext/healthcare/setup.py,Drug,दवा apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} बंद है DocType: Patient,Medical History,चिकित्सा का इतिहास +DocType: Expense Claim,Expense Taxes and Charges,व्यय कर और शुल्क DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,सदस्यता रद्द करने या सदस्यता को अवैतनिक के रूप में चिह्नित करने से पहले चालान तिथि समाप्त होने के कुछ दिनों के बाद apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,स्थापना नोट {0} पहले ही सबमिट किया जा चुका है DocType: Patient Relation,Family,परिवार @@ -5747,7 +5808,6 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 2,आइटम 2 apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,लेनदेन पर लगाए जाने वाले कर की रोक। DocType: Dosage Strength,Strength,शक्ति DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,उप-आधार के बैकफ्लश रॉ मटेरियल पर आधारित -DocType: Bank Guarantee,Customer,ग्राहक DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","यदि सक्षम है, तो क्षेत्र शैक्षणिक शब्द प्रोग्राम एनरोलमेंट टूल में अनिवार्य होगा।" DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","बैच आधारित छात्र समूह के लिए, छात्र नामांकन कार्यक्रम नामांकन से प्रत्येक छात्र के लिए मान्य होगा।" DocType: Course,Topics,विषय @@ -5907,6 +5967,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),समापन (उद्घाटन + कुल) DocType: Supplier Scorecard Criteria,Criteria Formula,मानदंड सूत्र apps/erpnext/erpnext/config/support.py,Support Analytics,एनालिटिक्स का समर्थन करें +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),उपस्थिति डिवाइस आईडी (बॉयोमीट्रिक / आरएफ टैग आईडी) apps/erpnext/erpnext/config/quality_management.py,Review and Action,समीक्षा और कार्रवाई DocType: Account,"If the account is frozen, entries are allowed to restricted users.","यदि खाता जमे हुए है, तो प्रविष्टियों को प्रतिबंधित उपयोगकर्ताओं को अनुमति दी जाती है।" apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,मूल्यह्रास के बाद की राशि @@ -5928,6 +5989,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,ऋण भुगतान DocType: Employee Education,Major/Optional Subjects,प्रमुख / वैकल्पिक विषय DocType: Soil Texture,Silt,गाद +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,आपूर्तिकर्ता पते और संपर्क DocType: Bank Guarantee,Bank Guarantee Type,बैंक गारंटी प्रकार DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","यदि अक्षम किया गया है, तो 'राउंडेड टोटल' फ़ील्ड किसी भी लेनदेन में दिखाई नहीं देगा" DocType: Pricing Rule,Min Amt,मिन एमटी @@ -5966,6 +6028,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,उद्घाटन निर्माण उपकरण आइटम DocType: Soil Analysis,(Ca+Mg)/K,(सीए मिलीग्राम +) / कश्मीर DocType: Bank Reconciliation,Include POS Transactions,पीओएस लेनदेन शामिल करें +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},दिए गए कर्मचारी फ़ील्ड मान के लिए कोई कर्मचारी नहीं मिला। '{}': {} DocType: Payment Entry,Received Amount (Company Currency),प्राप्त राशि (कंपनी मुद्रा) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","लोकलस्टोरेज भरा हुआ है, बचा नहीं" DocType: Chapter Member,Chapter Member,अध्याय सदस्य @@ -5998,6 +6061,7 @@ DocType: SMS Center,All Lead (Open),सभी लीड (ओपन) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,कोई छात्र समूह नहीं बनाया गया। apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},एक ही {1} के साथ डुप्लीकेट पंक्ति {0} DocType: Employee,Salary Details,वेतन विवरण +DocType: Employee Checkin,Exit Grace Period Consequence,ग्रेस अवधि परिणाम से बाहर निकलें DocType: Bank Statement Transaction Invoice Item,Invoice,बीजक DocType: Special Test Items,Particulars,विवरण apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,कृपया आइटम या वेयरहाउस के आधार पर फ़िल्टर सेट करें @@ -6099,6 +6163,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,एएमसी से बाहर DocType: Job Opening,"Job profile, qualifications required etc.","जॉब प्रोफाइल, आवश्यक योग्यता आदि।" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,शिप टू स्टेट +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,क्या आप सामग्री अनुरोध सबमिट करना चाहते हैं DocType: Opportunity Item,Basic Rate,मूल दर DocType: Compensatory Leave Request,Work End Date,कार्य समाप्ति तिथि apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,कच्चे माल के लिए अनुरोध @@ -6282,6 +6347,7 @@ DocType: Depreciation Schedule,Depreciation Amount,मूल्यह्रा DocType: Sales Order Item,Gross Profit,सकल लाभ DocType: Quality Inspection,Item Serial No,आइटम सीरियल नं DocType: Asset,Insurer,बीमा कंपनी +DocType: Employee Checkin,OUT,बाहर apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,खरीद राशि DocType: Asset Maintenance Task,Certificate Required,प्रमाणपत्र आवश्यक है DocType: Retention Bonus,Retention Bonus,अवधारण अभिलाभ @@ -6396,6 +6462,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),अंतर रा DocType: Invoice Discounting,Sanctioned,स्वीकृत DocType: Course Enrollment,Course Enrollment,पाठ्यक्रम नामांकन DocType: Item,Supplier Items,आपूर्तिकर्ता आइटम +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",प्रारंभ समय {0} के लिए एंड टाइम \ _ से अधिक या बराबर नहीं हो सकता। DocType: Sales Order,Not Applicable,लागू नहीं DocType: Support Search Source,Response Options,प्रतिक्रिया विकल्प apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} 0 और 100 के बीच का मान होना चाहिए @@ -6482,7 +6550,6 @@ DocType: Travel Request,Costing,लागत apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,अचल सम्पत्ति DocType: Purchase Order,Ref SQ,रेफरी एसक्यू DocType: Salary Structure,Total Earning,कुल कमाई -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र DocType: Share Balance,From No,से नहीं DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,भुगतान सुलह चालान DocType: Purchase Invoice,Taxes and Charges Added,कर और शुल्क जोड़ा गया @@ -6590,6 +6657,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,मूल्य निर्धारण नियम पर ध्यान न दें apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,भोजन DocType: Lost Reason Detail,Lost Reason Detail,खोया कारण विस्तार से +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},निम्नलिखित सीरियल नंबर बनाए गए थे:
{0} DocType: Maintenance Visit,Customer Feedback,उपभोक्ता की राय DocType: Serial No,Warranty / AMC Details,वारंटी / एएमसी विवरण DocType: Issue,Opening Time,खुलने का समय @@ -6639,6 +6707,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,कंपनी का नाम ही नहीं apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,पदोन्नति तिथि से पहले कर्मचारी पदोन्नति प्रस्तुत नहीं की जा सकती apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} से पुराने स्टॉक लेनदेन को अपडेट करने की अनुमति नहीं है +DocType: Employee Checkin,Employee Checkin,कर्मचारी चेकइन apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},प्रारंभ दिनांक आइटम {0} के लिए अंतिम तिथि से कम होनी चाहिए apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,ग्राहक उद्धरण बनाएँ DocType: Buying Settings,Buying Settings,सेटिंग खरीदना @@ -6660,6 +6729,7 @@ DocType: Job Card Time Log,Job Card Time Log,जॉब कार्ड समय DocType: Patient,Patient Demographics,रोगी जनसांख्यिकी DocType: Share Transfer,To Folio No,फोलियो नं apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,संचालन से नकदी प्रवाह +DocType: Employee Checkin,Log Type,लॉग प्रकार DocType: Stock Settings,Allow Negative Stock,नकारात्मक स्टॉक की अनुमति दें apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,किसी भी वस्तु में मात्रा या मूल्य में कोई परिवर्तन नहीं होता है। DocType: Asset,Purchase Date,खरीद की तारीख @@ -6704,6 +6774,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,बहुत हाइपर है apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,अपने व्यवसाय की प्रकृति का चयन करें। apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,कृपया महीने और वर्ष का चयन करें +DocType: Service Level,Default Priority,डिफ़ॉल्ट प्राथमिकता DocType: Student Log,Student Log,छात्र लॉग DocType: Shopping Cart Settings,Enable Checkout,चेकआउट सक्षम करें apps/erpnext/erpnext/config/settings.py,Human Resources,मानव संसाधन @@ -6732,7 +6803,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Shopify को ERPNext से कनेक्ट करें DocType: Homepage Section Card,Subtitle,उपशीर्षक DocType: Soil Texture,Loam,चिकनी बलुई मिट्टी -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,आपूर्तिकर्ता> आपूर्तिकर्ता प्रकार DocType: BOM,Scrap Material Cost(Company Currency),स्क्रैप सामग्री लागत (कंपनी मुद्रा) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,डिलीवरी नोट {0} प्रस्तुत नहीं किया जाना चाहिए DocType: Task,Actual Start Date (via Time Sheet),वास्तविक प्रारंभ तिथि (टाइम शीट के माध्यम से) @@ -6788,6 +6858,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,मात्रा बनाने की विधि DocType: Cheque Print Template,Starting position from top edge,शीर्ष किनारे से स्थिति शुरू करना apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),नियुक्ति अवधि (मिनट) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},इस कर्मचारी के पास पहले से ही समान टाइमस्टैम्प है। {0} DocType: Accounting Dimension,Disable,अक्षम DocType: Email Digest,Purchase Orders to Receive,खरीद आदेश प्राप्त करने के लिए apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,प्रस्तुतियों के लिए आदेश नहीं उठाए जा सकते हैं: @@ -6803,7 +6874,6 @@ DocType: Production Plan,Material Requests,सामग्री अनुरो DocType: Buying Settings,Material Transferred for Subcontract,सब-कॉन्ट्रैक्ट के लिए ट्रांसफर की गई सामग्री DocType: Job Card,Timing Detail,समय सारिणी apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,आवश्यक है -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{0} का {0} आयात करना DocType: Job Offer Term,Job Offer Term,नौकरी की पेशकश अवधि DocType: SMS Center,All Contact,सभी संपर्क करें DocType: Project Task,Project Task,प्रोजेक्ट टास्क @@ -6854,7 +6924,6 @@ DocType: Student Log,Academic,अकादमिक apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,आइटम {0} सीरियल नग के लिए सेटअप नहीं है। आइटम मास्टर की जाँच करें apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,राज्य से DocType: Leave Type,Maximum Continuous Days Applicable,अधिकतम निरंतर दिन लागू -apps/erpnext/erpnext/config/support.py,Support Team.,टीम का समर्थन। apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,कृपया पहले कंपनी का नाम दर्ज करें apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,आयात सफल DocType: Guardian,Alternate Number,वैकल्पिक नंबर @@ -6946,6 +7015,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,पंक्ति # {0}: आइटम जोड़ा गया DocType: Student Admission,Eligibility and Details,पात्रता और विवरण DocType: Staffing Plan,Staffing Plan Detail,स्टाफिंग योजना विस्तार +DocType: Shift Type,Late Entry Grace Period,देर से प्रवेश अनुग्रह अवधि DocType: Email Digest,Annual Income,वार्षिक आय DocType: Journal Entry,Subscription Section,सदस्यता अनुभाग DocType: Salary Slip,Payment Days,भुगतान के दिन @@ -6996,6 +7066,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,खाते में शेष DocType: Asset Maintenance Log,Periodicity,दौरा apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,मेडिकल रिकॉर्ड +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,शिफ्ट में गिरने वाले चेक-इन के लिए लॉग टाइप आवश्यक है: {0}। apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,क्रियान्वयन DocType: Item,Valuation Method,मूल्यांकन विधि apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} बिक्री चालान के खिलाफ {1} @@ -7080,6 +7151,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,अनुमानि DocType: Loan Type,Loan Name,ऋण का नाम apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,भुगतान का डिफ़ॉल्ट मोड सेट करें DocType: Quality Goal,Revision,संशोधन +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,पारी समाप्त होने से पहले का समय जब चेक-आउट को शुरुआती (मिनटों में) माना जाता है। DocType: Healthcare Service Unit,Service Unit Type,सेवा इकाई प्रकार DocType: Purchase Invoice,Return Against Purchase Invoice,खरीद चालान के खिलाफ लौटें apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,गुप्त उत्पन्न करें @@ -7235,12 +7307,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,प्रसाधन सामग्री DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,यदि आप सहेजने से पहले किसी श्रृंखला का चयन करने के लिए उपयोगकर्ता को बाध्य करना चाहते हैं तो यह जांचें। इसे चेक करने पर कोई डिफॉल्ट नहीं होगा। DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,इस भूमिका वाले उपयोगकर्ताओं को जमे हुए खातों को सेट करने और जमे हुए खातों के खिलाफ लेखांकन प्रविष्टियों को बनाने / संशोधित करने की अनुमति है +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड DocType: Expense Claim,Total Claimed Amount,कुल दावा राशि 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} दिनों में समय स्लॉट खोजने में असमर्थ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,समेट रहा हु apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,आप केवल तभी नवीनीकरण कर सकते हैं जब आपकी सदस्यता 30 दिनों के भीतर समाप्त हो जाए apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},मान {0} और {1} के बीच होना चाहिए DocType: Quality Feedback,Parameters,पैरामीटर +DocType: Shift Type,Auto Attendance Settings,ऑटो उपस्थिति सेटिंग्स ,Sales Partner Transaction Summary,बिक्री भागीदार लेनदेन सारांश DocType: Asset Maintenance,Maintenance Manager Name,रखरखाव प्रबंधक का नाम apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,यह आइटम विवरण लाने के लिए आवश्यक है। @@ -7332,10 +7406,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,मान्य नियम लागू DocType: Job Card Item,Job Card Item,जॉब कार्ड मद DocType: Homepage,Company Tagline for website homepage,वेबसाइट होमपेज के लिए कंपनी टैगलाइन +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,इंडेक्स {1} पर प्रायोरिटी {0} के लिए रिस्पॉन्स टाइम और रेजोल्यूशन सेट करें। DocType: Company,Round Off Cost Center,राउंड ऑफ कॉस्ट सेंटर DocType: Supplier Scorecard Criteria,Criteria Weight,मानदंड DocType: Asset,Depreciation Schedules,मूल्यह्रास अनुसूचियां -DocType: Expense Claim Detail,Claim Amount,दावा राशि DocType: Subscription,Discounts,छूट DocType: Shipping Rule,Shipping Rule Conditions,नौवहन नियम DocType: Subscription,Cancelation Date,रद्द करने की तारीख @@ -7363,7 +7437,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,लीड्स बन apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,शून्य मान दिखाएं DocType: Employee Onboarding,Employee Onboarding,कर्मचारी जहाज पर DocType: POS Closing Voucher,Period End Date,अवधि समाप्ति तिथि -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,स्रोत द्वारा बिक्री के अवसर DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,सूची में पहला अवकाश अनुमोदन डिफ़ॉल्ट अवकाश अनुमोदन के रूप में सेट किया जाएगा। DocType: POS Settings,POS Settings,पीओएस सेटिंग्स apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,सभी खाते हैं @@ -7384,7 +7457,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,बै apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,पंक्ति # {0}: दर {1}: {2} ({3} / {4}) के समान होनी चाहिए DocType: Clinical Procedure,HLC-CPR-.YYYY.-,उच्च स्तरीय समिति-सीपीआर-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,हेल्थकेयर सेवा आइटम -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,कोई रिकॉर्ड नहीं मिला apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,आयु सीमा 3 DocType: Vital Signs,Blood Pressure,रक्त चाप apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,लक्ष्य पर @@ -7431,6 +7503,7 @@ DocType: Company,Existing Company,मौजूदा कंपनी apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,बैचों apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,रक्षा DocType: Item,Has Batch No,बैच नं +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,विलंबित दिन DocType: Lead,Person Name,व्यक्ति का नाम DocType: Item Variant,Item Variant,आइटम वेरिएंट DocType: Training Event Employee,Invited,आमंत्रित @@ -7452,7 +7525,7 @@ DocType: Purchase Order,To Receive and Bill,प्राप्त करने apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","मान्य पेरोल अवधि में प्रारंभ और समाप्ति तिथियां, {0} की गणना नहीं कर सकती हैं।" DocType: POS Profile,Only show Customer of these Customer Groups,केवल इन ग्राहक समूहों के ग्राहक दिखाएं apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,चालान को बचाने के लिए आइटम का चयन करें -DocType: Service Level,Resolution Time,संकल्प समय +DocType: Service Level Priority,Resolution Time,संकल्प समय DocType: Grading Scale Interval,Grade Description,ग्रेड विवरण DocType: Homepage Section,Cards,पत्ते DocType: Quality Meeting Minutes,Quality Meeting Minutes,गुणवत्ता बैठक मिनट @@ -7479,6 +7552,7 @@ DocType: Project,Gross Margin %,कुल लाभ % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,सामान्य लेज़र के अनुसार बैंक स्टेटमेंट शेष apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),हेल्थकेयर (बीटा) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,बिक्री आदेश और वितरण नोट बनाने के लिए डिफ़ॉल्ट वेयरहाउस +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,अनुक्रमणिका {1} पर {0} का रिस्पॉन्स टाइम रेसोल्यूशन टाइम से अधिक नहीं हो सकता है। DocType: Opportunity,Customer / Lead Name,ग्राहक / लीड नाम DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,लावारिस राशि @@ -7525,7 +7599,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,आयात पार्टियों और पते DocType: Item,List this Item in multiple groups on the website.,इस आइटम को वेबसाइट पर कई समूहों में सूचीबद्ध करें। DocType: Request for Quotation,Message for Supplier,आपूर्तिकर्ता के लिए संदेश -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,आइटम {1} के लिए स्टॉक लेन-देन के रूप में {0} बदल नहीं सकते। DocType: Healthcare Practitioner,Phone (R),फ़ोन (R) DocType: Maintenance Team Member,Team Member,टीम के सदस्य DocType: Asset Category Account,Asset Category Account,एसेट श्रेणी खाता diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv index 09bb2ffcc6..dfca07e2e8 100644 --- a/erpnext/translations/hr.csv +++ b/erpnext/translations/hr.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Datum početka razdoblja apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Sastanak {0} i dostavnica-faktura {1} otkazana DocType: Purchase Receipt,Vehicle Number,Broj vozila apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Vaša email adresa... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Uključi zadane unose u knjigu +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Uključi zadane unose u knjigu DocType: Activity Cost,Activity Type,Vrsta aktivnosti DocType: Purchase Invoice,Get Advances Paid,Plaćeni predujmi DocType: Company,Gain/Loss Account on Asset Disposal,Račun dobiti / gubitka na raspolaganju @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Što to radi? DocType: Bank Reconciliation,Payment Entries,Unosi za plaćanje DocType: Employee Education,Class / Percentage,Klasa / postotak ,Electronic Invoice Register,Elektronički registar računa +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Broj pojavljivanja nakon kojega je posljedica izvršena. DocType: Sales Invoice,Is Return (Credit Note),Je li povrat (kreditna napomena) +DocType: Price List,Price Not UOM Dependent,Cijena nije UOM Zavisna DocType: Lab Test Sample,Lab Test Sample,Uzorak laboratorijskog ispitivanja DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Za npr. 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Pretraživanje p DocType: Salary Slip,Net Pay,Neto plaća apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Ukupni fakturirani amt DocType: Clinical Procedure,Consumables Invoice Separately,Potrošna roba Faktura odvojeno +DocType: Shift Type,Working Hours Threshold for Absent,Prag rada za odsutan DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Proračun se ne može dodijeliti grupi računa {0} DocType: Purchase Receipt Item,Rate and Amount,Stopa i iznos @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Postavite skladište izvora DocType: Healthcare Settings,Out Patient Settings,Postavke bolesnika DocType: Asset,Insurance End Date,Datum završetka osiguranja DocType: Bank Account,Branch Code,Kôd podružnice -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Vrijeme za odgovor apps/erpnext/erpnext/public/js/conf.js,User Forum,Korisnički forum DocType: Landed Cost Item,Landed Cost Item,Stavka selenog troška 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 @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Vodeći vlasnik DocType: Share Transfer,Transfer,Prijenos apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Stavka pretraživanja (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Rezultat je poslan +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Od datuma ne može biti veći od datuma Do DocType: Supplier,Supplier of Goods or Services.,Dobavljač robe ili usluga. 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: nemojte stvarati račune za klijente i dobavljače apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentska grupa ili raspored tečaja je obavezan @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Baza potenci DocType: Skill,Skill Name,Naziv vještine apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Ispis izvješćne kartice DocType: Soil Texture,Ternary Plot,Trostruka parcela -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Podesite serije Naming za {0} putem postavke> Postavke> Serije imenovanja apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Ulaznice za podršku DocType: Asset Category Account,Fixed Asset Account,Račun fiksnih sredstava apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Najnoviji @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Udaljenost UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Obvezno za bilancu DocType: Payment Entry,Total Allocated Amount,Ukupni dodijeljeni iznos DocType: Sales Invoice,Get Advances Received,Primite primljene predujmove +DocType: Shift Type,Last Sync of Checkin,Zadnja sinkronizacija prijave DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Iznos poreza uključen u vrijednost apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Plan pretplate DocType: Student,Blood Group,Krvna grupa apps/erpnext/erpnext/config/healthcare.py,Masters,majstori DocType: Crop,Crop Spacing UOM,Izrezivanje razmaka UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,"Vrijeme nakon početka smjene, kada se prijava smatra zakašnjelom (u minutama)." apps/erpnext/erpnext/templates/pages/home.html,Explore,Istražiti +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nisu pronađene nepodmirene dostavnice DocType: Promotional Scheme,Product Discount Slabs,Ploče s popustom za proizvode DocType: Hotel Room Package,Amenities,Sadržaji DocType: Lab Test Groups,Add Test,Dodaj test @@ -1004,6 +1009,7 @@ DocType: Attendance,Attendance Request,Zahtjev za sudjelovanjem DocType: Item,Moving Average,Pokretna prosječna brzina DocType: Employee Attendance Tool,Unmarked Attendance,Neoznačena nazočnost DocType: Homepage Section,Number of Columns,Broj stupaca +DocType: Issue Priority,Issue Priority,Prioritet problema DocType: Holiday List,Add Weekly Holidays,Dodajte tjedne praznike DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Napravite popunjavanje plaća @@ -1012,6 +1018,7 @@ DocType: Job Offer Term,Value / Description,Vrijednost / opis DocType: Warranty Claim,Issue Date,Datum izdavanja 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 niti jedan paket koji ispunjava ovaj zahtjev apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Bonus za zadržavanje za preostale zaposlenike nije moguće izraditi +DocType: Employee Checkin,Location / Device ID,ID lokacije / uređaja DocType: Purchase Order,To Receive,Primiti apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Nalazite se u izvanmrežnom načinu rada. Nećete se moći ponovno učitati dok ne dobijete mrežu. DocType: Course Activity,Enrollment,Upis @@ -1020,7 +1027,6 @@ DocType: Lab Test Template,Lab Test Template,Predložak laboratorijskog testiran apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks.: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informacije o e-fakturiranju nedostaju apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nije napravljen nikakav zahtjev za materijal -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Šifra artikla> Grupa proizvoda> Marka DocType: Loan,Total Amount Paid,Ukupno plaćeni iznos apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Sve su te stavke već fakturirane DocType: Training Event,Trainer Name,Ime trenera @@ -1131,6 +1137,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Navedite ime olova u olovu {0} DocType: Employee,You can enter any date manually,Možete unijeti bilo koji datum ručno DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stavka pomirenja dionica +DocType: Shift Type,Early Exit Consequence,Posljedica ranog izlaza DocType: Item Group,General Settings,Opće postavke apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Datum dospijeća ne može biti prije knjiženja / datuma fakture dobavljača apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Unesite ime Korisnika prije slanja. @@ -1169,6 +1176,7 @@ DocType: Account,Auditor,Revizor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Potvrda uplate ,Available Stock for Packing Items,Raspoloživa zaliha za pakiranje predmeta apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Uklonite ovaj račun {0} iz C-obrasca {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Svaka valjana prijava i odjava DocType: Support Search Source,Query Route String,Niz upita za rutu DocType: Customer Feedback Template,Customer Feedback Template,Predložak za povratne informacije klijenta apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Citati za voditelje ili klijente. @@ -1203,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Kontrola autorizacije ,Daily Work Summary Replies,Svakodnevni radni sažetak odgovora apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Pozvani ste na suradnju na projektu: {0} +DocType: Issue,Response By Variance,Odziv po varijansi DocType: Item,Sales Details,Pojedinosti o prodaji apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Glave slova za predloške za ispis. DocType: Salary Detail,Tax on additional salary,Porez na dodatnu plaću @@ -1326,6 +1335,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Adrese i DocType: Project,Task Progress,Napredak zadatka DocType: Journal Entry,Opening Entry,Otvaranje unosa DocType: Bank Guarantee,Charges Incurred,Naplaćene pristojbe +DocType: Shift Type,Working Hours Calculation Based On,Izračun radnog vremena na temelju DocType: Work Order,Material Transferred for Manufacturing,Materijal prenesen za proizvodnju DocType: Products Settings,Hide Variants,Sakrij varijante DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Onemogući planiranje kapaciteta i praćenje vremena @@ -1355,6 +1365,7 @@ DocType: Account,Depreciation,deprecijacija DocType: Guardian,Interests,interesi DocType: Purchase Receipt Item Supplied,Consumed Qty,Potrošena količina DocType: Education Settings,Education Manager,Upravitelj obrazovanja +DocType: Employee Checkin,Shift Actual Start,Pomakni stvarni početak DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planiranje dnevnika vremena izvan radnog vremena radne stanice. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Bodovi lojalnosti: {0} DocType: Healthcare Settings,Registration Message,Poruka registracije @@ -1379,9 +1390,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktura je već izrađena za sve sate naplate DocType: Sales Partner,Contact Desc,Kontaktirajte nas DocType: Purchase Invoice,Pricing Rules,Pravila određivanja cijena +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Budući da postoje stavke s stavkom {0}, ne možete promijeniti vrijednost {1}" DocType: Hub Tracked Item,Image List,Popis slika DocType: Item Variant Settings,Allow Rename Attribute Value,Dopusti promjenu vrijednosti atributa -DocType: Price List,Price Not UOM Dependant,Cijena nije UOM Zavisna apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Vrijeme (u min) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,"Osnovni, temeljni" DocType: Loan,Interest Income Account,Račun prihoda od kamata @@ -1391,6 +1402,7 @@ DocType: Employee,Employment Type,vrsta zaposlenja apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Odaberite POS profil DocType: Support Settings,Get Latest Query,Nabavite najnovije upite DocType: Employee Incentive,Employee Incentive,Poticaj zaposlenika +DocType: Service Level,Priorities,prioriteti apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Dodajte kartice ili prilagođene odjeljke na početnu stranicu DocType: Homepage,Hero Section Based On,Hero Section na temelju DocType: Project,Total Purchase Cost (via Purchase Invoice),Ukupni trošak kupnje (putem dostavnice) @@ -1451,7 +1463,7 @@ DocType: Work Order,Manufacture against Material Request,Izrada protiv zahtjeva DocType: Blanket Order Item,Ordered Quantity,Naručena količina apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Red # {0}: Odbijena skladišta obavezna su za odbijenu stavku {1} ,Received Items To Be Billed,Primljene stavke za naplatu -DocType: Salary Slip Timesheet,Working Hours,Radni sati +DocType: Attendance,Working Hours,Radni sati apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Način plaćanja apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Stavke narudžbenice nisu primljene na vrijeme apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Trajanje u danima @@ -1571,7 +1583,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,P DocType: Supplier,Statutory info and other general information about your Supplier,Zakonske informacije i ostale opće informacije o Vašem Dobavljaču DocType: Item Default,Default Selling Cost Center,Zadano mjesto troška prodaje DocType: Sales Partner,Address & Contacts,Adresa i kontakti -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Postavite nizove brojeva za nazočnost putem postavke> Brojčane serije DocType: Subscriber,Subscriber,Pretplatnik apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) nema na skladištu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Prvo odaberite Datum knjiženja @@ -1582,7 +1593,7 @@ DocType: Project,% Complete Method,% Popunjena metoda DocType: Detected Disease,Tasks Created,Poslovi su izrađeni apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Zadana sastavnica ({0}) mora biti aktivna za ovu stavku ili njezin predložak apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Stopa provizije% -DocType: Service Level,Response Time,Vrijeme odziva +DocType: Service Level Priority,Response Time,Vrijeme odziva DocType: Woocommerce Settings,Woocommerce Settings,Postavke Woocommercea apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Količina mora biti pozitivna DocType: Contract,CRM,CRM @@ -1599,7 +1610,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Naknada u bolničkom pos DocType: Bank Statement Settings,Transaction Data Mapping,Mapiranje podataka o transakcijama apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Olovo zahtijeva ili ime osobe ili ime organizacije DocType: Student,Guardians,čuvari -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Postavite sustav imenovanja instruktora u obrazovanju> Postavke obrazovanja apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Odaberite robnu marku ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Srednji dohodak DocType: Shipping Rule,Calculate Based On,Izračunajte na temelju @@ -1636,6 +1646,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Postavite cilj apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Zapis o prisustvu {0} postoji protiv studenta {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Datum transakcije apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Otkaži pretplatu +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nije moguće postaviti ugovor o razini usluge {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Neto iznos plaće DocType: Account,Liability,Odgovornost DocType: Employee,Bank A/C No.,Bankarski A / C broj @@ -1701,7 +1712,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Šifra stavke sirovine apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Faktura kupovine {0} već je poslana DocType: Fees,Student Email,Studentska e-pošta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Rekurzija sastavnica: {0} ne može biti roditelj ili dijete od {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Nabavite artikle iz zdravstvenih usluga apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Unos dionica {0} nije poslan DocType: Item Attribute Value,Item Attribute Value,Vrijednost atributa stavke @@ -1726,7 +1736,6 @@ DocType: POS Profile,Allow Print Before Pay,Dopusti ispis prije plaćanja DocType: Production Plan,Select Items to Manufacture,Odaberite stavke za izradu DocType: Leave Application,Leave Approver Name,Ostavite ime ovlaštenika DocType: Shareholder,Shareholder,dioničar -DocType: Issue,Agreement Status,Status sporazuma apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Zadane postavke za transakcije prodaje. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Molimo odaberite Prijem studenata koji je obvezan za plaćenog studenta apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Odaberite BOM @@ -1989,6 +1998,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Račun prihoda apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Svi skladišta DocType: Contract,Signee Details,Pojedinosti o znaku +DocType: Shift Type,Allow check-out after shift end time (in minutes),Dopusti odjavu nakon završetka smjene (u minutama) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,nabavka DocType: Item Group,Check this if you want to show in website,Označite ovo ako želite prikazati na web-lokaciji apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskalna godina {0} nije pronađena @@ -2055,6 +2065,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Datum početka amortizacije DocType: Activity Cost,Billing Rate,Stopa naplate apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Upozorenje: postoji još {0} # {1} protiv stavke zaliha {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Omogućite Google Maps Settings za procjenu i optimizaciju ruta +DocType: Purchase Invoice Item,Page Break,Prijelom stranice DocType: Supplier Scorecard Criteria,Max Score,Najveći broj bodova apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Datum početka otplate ne može biti prije datuma isplate. DocType: Support Search Source,Support Search Source,Podrška za izvor pretraživanja @@ -2123,6 +2134,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Cilj cilja kvalitete DocType: Employee Transfer,Employee Transfer,Prijenos zaposlenika ,Sales Funnel,Tok za prodaju DocType: Agriculture Analysis Criteria,Water Analysis,Analiza vode +DocType: Shift Type,Begin check-in before shift start time (in minutes),Započnite prijavu prije početka smjene (u minutama) DocType: Accounts Settings,Accounts Frozen Upto,Računi zamrznuti do apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Nema ništa za uređivanje. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operacija {0} dulja od svih raspoloživih radnih sati na radnoj stanici {1}, razbiti operaciju u više operacija" @@ -2136,7 +2148,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Nov apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Prodajni nalog {0} je {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Odgoda plaćanja (Dani) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Unesite detalje amortizacije +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Korisnička PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Očekivani datum isporuke trebao bi biti nakon datuma prodajnog naloga +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Količina stavke ne može biti nula apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Nevažeći atribut apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Odaberite BOM u odnosu na stavku {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Vrsta dostavnice @@ -2146,6 +2160,7 @@ DocType: Maintenance Visit,Maintenance Date,Datum održavanja DocType: Volunteer,Afternoon,Poslijepodne DocType: Vital Signs,Nutrition Values,Vrijednosti prehrane DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Prisutnost vrućice (temp> 38,5 ° C / 101,3 ° F ili produžena temp> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sustav imenovanja zaposlenika u ljudskim resursima> Postavke ljudskih resursa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC obrnuto DocType: Project,Collect Progress,Prikupi napredak apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,energija @@ -2196,6 +2211,7 @@ DocType: Setup Progress,Setup Progress,Postavljanje napretka ,Ordered Items To Be Billed,Naručene stavke za naplatu DocType: Taxable Salary Slab,To Amount,Na iznos DocType: Purchase Invoice,Is Return (Debit Note),Je li povrat (zaduženje) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> Korisnička grupa> Teritorij apps/erpnext/erpnext/config/desktop.py,Getting Started,Početak rada apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Sjediniti apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Nije moguće promijeniti datum početka fiskalne godine i datum završetka fiskalne godine nakon spremanja fiskalne godine. @@ -2214,8 +2230,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Stvarni datum apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Datum početka održavanja ne može biti prije datuma isporuke za serijski broj {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Redak {0}: Tečaj je obvezan DocType: Purchase Invoice,Select Supplier Address,Odaberite adresu dobavljača +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Dostupna količina je {0}, trebate {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Unesite tajnu API-ja za API DocType: Program Enrollment Fee,Program Enrollment Fee,Naknada za upis programa +DocType: Employee Checkin,Shift Actual End,Pomakni stvarni kraj DocType: Serial No,Warranty Expiry Date,Datum isteka jamstva DocType: Hotel Room Pricing,Hotel Room Pricing,Cijene hotelskih soba apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Vanjski oporezivi isporuke (osim nultih, nulti i izuzeti)" @@ -2275,6 +2293,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Čitanje 5 DocType: Shopping Cart Settings,Display Settings,Postavke prikaza apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Postavite broj knjiženih amortizacija +DocType: Shift Type,Consequence after,Posljedica nakon apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Za što vam je potrebna pomoć? DocType: Journal Entry,Printing Settings,Postavke ispisa apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bankarstvo @@ -2284,6 +2303,7 @@ DocType: Purchase Invoice Item,PR Detail,PR detalj apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Adresa za naplatu jednaka je adresi dostave DocType: Account,Cash,Unovčiti DocType: Employee,Leave Policy,Politika napuštanja +DocType: Shift Type,Consequence,Posljedica apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Adresa učenika DocType: GST Account,CESS Account,Račun CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Mjesto troška je potrebno za račun "Dobit i gubitak" {2}. Postavite zadano mjesto troška za tvrtku. @@ -2348,6 +2368,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN kod DocType: Period Closing Voucher,Period Closing Voucher,Voucher za zatvaranje razdoblja apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Ime Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Unesite račun troškova +DocType: Issue,Resolution By Variance,Rezolucija po varijanti DocType: Employee,Resignation Letter Date,Datum pisma ostavke DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Prisustvo na datum @@ -2360,6 +2381,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Prikaži sada DocType: Item Price,Valid Upto,Valjan do apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Reference Doctype mora biti jedna od {0} +DocType: Employee Checkin,Skip Auto Attendance,Preskoči automatsko posjećivanje DocType: Payment Request,Transaction Currency,Valuta transakcije DocType: Loan,Repayment Schedule,Raspored otplate apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Izradite unos zaliha uzorka @@ -2431,6 +2453,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Dodjela struktu DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Porez na vaučer za zatvaranje POS terminala apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Postupak inicijaliziran DocType: POS Profile,Applicable for Users,Primjenjivo za korisnike +,Delayed Order Report,Izvješće o odgođenoj narudžbi DocType: Training Event,Exam,Ispit apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Pronađen je pogrešan broj unosa glavne knjige. Možda ste u transakciji odabrali pogrešan račun. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Cjevovod prodaje @@ -2445,10 +2468,11 @@ DocType: Account,Round Off,Zaokružiti DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Uvjeti će se primjenjivati na sve odabrane stavke zajedno. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Konfigurirati DocType: Hotel Room,Capacity,Kapacitet +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Instalirani broj apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Paket {0} stavke {1} je onemogućen. DocType: Hotel Room Reservation,Hotel Reservation User,Korisnik rezervacije hotela -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Radni je dan ponovljen dva puta +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Ugovor o razini usluge s vrstom entiteta {0} i entitetom {1} već postoji. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Grupa stavki koja nije navedena u glavnom stavku za stavku {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Pogreška imena: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Teritorij je potreban u POS profilu @@ -2496,6 +2520,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Datum rasporeda DocType: Packing Slip,Package Weight Details,Pojedinosti o težini paketa DocType: Job Applicant,Job Opening,Otvaranje posla +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Posljednja poznata uspješna sinkronizacija zaposlenika Checkin. Poništite ovo samo ako ste sigurni da su svi zapisi sinkronizirani sa svih lokacija. Nemojte mijenjati ovo ako niste sigurni. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Stvarna cijena apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Ukupni iznos ({0}) protiv narudžbe {1} ne može biti veći od ukupnog iznosa ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Stavke su ažurirane @@ -2540,6 +2565,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Referentni račun za kupn apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Nabavite račune DocType: Tally Migration,Is Day Book Data Imported,Podaci o danu knjige su uvezeni ,Sales Partners Commission,Komisija za prodajne partnere +DocType: Shift Type,Enable Different Consequence for Early Exit,Omogući različite posljedice za rani izlazak apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,pravni DocType: Loan Application,Required by Date,Potrebno po datumu DocType: Quiz Result,Quiz Result,Rezultat kviza @@ -2599,7 +2625,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Financijs DocType: Pricing Rule,Pricing Rule,Pravilo o određivanju cijena apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Neobavezna lista praznika nije postavljena za razdoblje odlaska {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Postavite polje ID korisnika u zapis zaposlenika da biste postavili ulogu zaposlenika -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Vrijeme je za rješavanje DocType: Training Event,Training Event,Trening događaj DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normalan krvni tlak u mirovanju kod odrasle osobe je približno 120 mmHg sistolički, a 80 mmHg dijastolički, skraćeno "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Sustav će dohvatiti sve unose ako je granična vrijednost jednaka nuli. @@ -2643,6 +2668,7 @@ DocType: Woocommerce Settings,Enable Sync,Omogući sinkronizaciju DocType: Student Applicant,Approved,Odobren apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Od datuma treba biti unutar fiskalne godine. Pretpostavljajući od datuma = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Podesite grupu dobavljača u postavkama kupnje. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} je nevažeći status nazočnosti. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Privremeni otvarajući račun DocType: Purchase Invoice,Cash/Bank Account,Novčani / bankovni račun DocType: Quality Meeting Table,Quality Meeting Table,Tablica kvalitete sastanka @@ -2678,6 +2704,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auten Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Hrana, piće i duhan" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Raspored tečajeva DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Stavka Wise Tax Detail +DocType: Shift Type,Attendance will be marked automatically only after this date.,Sudionici će biti automatski označeni tek nakon tog datuma. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Potrošači za UIN nositelje apps/erpnext/erpnext/hooks.py,Request for Quotations,Zahtjev za ponudu 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 unosa neke druge valute @@ -2726,7 +2753,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Je li stavka iz središta apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Postupak kvalitete. DocType: Share Balance,No of Shares,Broj dionica -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Redak {0}: Količina nije dostupna za {4} u skladištu {1} u vrijeme knjiženja unosa ({2} {3}) DocType: Quality Action,Preventive,preventivan DocType: Support Settings,Forum URL,URL foruma apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Zaposlenici i nazočni @@ -2948,7 +2974,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Vrsta popusta DocType: Hotel Settings,Default Taxes and Charges,Zadani porezi i naknade apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,To se temelji na transakcijama protiv ovog dobavljača. Detalje potražite u donjoj crti apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Maksimalni iznos naknade zaposlenika {0} premašuje {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Unesite datum početka i završetka ugovora. DocType: Delivery Note Item,Against Sales Invoice,Protiv fakture prodaje DocType: Loyalty Point Entry,Purchase Amount,Iznos kupnje apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Ne može se postaviti kao izgubljeno kao izvršen prodajni nalog. @@ -2972,7 +2997,7 @@ DocType: Homepage,"URL for ""All Products""",URL za "Svi proizvodi" DocType: Lead,Organization Name,Naziv organizacije apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Važeća polja s valjanošću i valjani upto polja obvezna su za kumulativ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Redak {{0}: serijski broj mora biti isti kao i {1} {2} -DocType: Employee,Leave Details,Ostavite pojedinosti +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Stock transakcije prije {0} su zamrznute DocType: Driver,Issuing Date,Datum izdavanja apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Podnositelj zahtjeva @@ -3017,9 +3042,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalji predloška za mapiranje novčanog toka apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Zapošljavanje i obuka DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Postavke razdoblja mirovanja za automatsko posjećivanje apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Iz valute i valute ne mogu biti isti apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Lijekovi DocType: Employee,HR-EMP-,HR-Poslodavci +DocType: Service Level,Support Hours,Radno vrijeme podrške apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} je otkazan ili zatvoren apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Red {0}: predujam protiv klijenta mora biti odobren apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grupiraj po vaučeru (konsolidirano) @@ -3129,6 +3156,7 @@ DocType: Asset Repair,Repair Status,Status popravka DocType: Territory,Territory Manager,Upravitelj teritorija DocType: Lab Test,Sample ID,ID uzorka apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Košarica je prazna +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Sudjelovanje je označeno kao prijave po zaposleniku apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Imovina {0} mora biti poslana ,Absent Student Report,Odsutni studentski izvještaj 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 @@ -3136,7 +3164,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,C DocType: Travel Request Costing,Funded Amount,Iznos financiranja apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nije poslan tako da se radnja ne može dovršiti DocType: Subscription,Trial Period End Date,Datum završetka probnog razdoblja +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Naizmjenični unosi kao IN i OUT tijekom iste smjene DocType: BOM Update Tool,The new BOM after replacement,Nova sastavnica nakon zamjene +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> Vrsta dobavljača apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Tačka 5 DocType: Employee,Passport Number,Broj putovnice apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Privremeno otvaranje @@ -3252,6 +3282,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Ključna izvješća apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Mogući dobavljač ,Issued Items Against Work Order,Izdane stavke protiv radnog naloga apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Izrada fakture {0} +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Postavite sustav imenovanja instruktora u obrazovanju> Postavke obrazovanja DocType: Student,Joining Date,Datum pridruženja apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Tražite web-lokaciju DocType: Purchase Invoice,Against Expense Account,Protiv računa troškova @@ -3291,6 +3322,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Primjenjive naknade ,Point of Sale,Prodajno mjesto DocType: Authorization Rule,Approving User (above authorized value),Odobravanje korisnika (iznad ovlaštene vrijednosti) +DocType: Service Level Agreement,Entity,entiteta apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Iznos {0} {1} prenesen iz {2} u {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Klijent {0} ne pripada projektu {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Iz naziva stranke @@ -3337,6 +3369,7 @@ DocType: Asset,Opening Accumulated Depreciation,Otvaranje akumulirane amortizaci DocType: Soil Texture,Sand Composition (%),Sastav pijeska (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Uvoz podataka o knjizi +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Podesite serije Naming za {0} putem postavke> Postavke> Serije imenovanja DocType: Asset,Asset Owner Company,Društvo vlasnika imovine apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Mjesto troška je potrebno za knjiženje troškova potraživanja apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} važećih serijskih brojeva za stavku {1} @@ -3397,7 +3430,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Vlasnik imovine apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Skladište je obvezno za stavku stavke {0} u retku {1} DocType: Stock Entry,Total Additional Costs,Ukupni dodatni troškovi -DocType: Marketplace Settings,Last Sync On,Zadnja sinkronizacija uključena apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Postavite barem jedan redak u tablici Porezi i troškovi DocType: Asset Maintenance Team,Maintenance Team Name,Ime tima za održavanje apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Grafikon mjesta troška @@ -3413,12 +3445,12 @@ DocType: Sales Order Item,Work Order Qty,Količina radnog naloga DocType: Job Card,WIP Warehouse,WIP skladište DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ID korisnika nije postavljen za zaposlenika {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Dostupna količina je {0}, trebate {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Korisnik {0} je izrađen DocType: Stock Settings,Item Naming By,Stavka imenovanja apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Ž apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Ovo je korijenska grupa korisnika i ne može se uređivati. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Zahtjev za materijal {0} je otkazan ili zaustavljen +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strogo se temelji na zapisu tipa Zapisnik zaposlenika DocType: Purchase Order Item Supplied,Supplied Qty,Isporučena količina DocType: Cash Flow Mapper,Cash Flow Mapper,Maper novčanog toka DocType: Soil Texture,Sand,Pijesak @@ -3477,6 +3509,7 @@ DocType: Lab Test Groups,Add new line,Dodajte novi redak apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Udvostručena grupa stavki pronađena u tablici grupe stavki apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Godišnja plaća DocType: Supplier Scorecard,Weighting Function,Funkcija vaganja +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverzijski faktor ({0} -> {1}) nije pronađen za stavku: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Pogreška pri procjeni formule kriterija ,Lab Test Report,Izvješće laboratorijskog testa DocType: BOM,With Operations,S operacijama @@ -3490,6 +3523,7 @@ DocType: Expense Claim Account,Expense Claim Account,Račun potraživanja trošk apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nema otplata za unos dnevnika apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} je neaktivan student apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Unos dionica +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Rekurzija sastavnica: {0} ne može biti roditelj ili dijete od {1} DocType: Employee Onboarding,Activities,djelatnost apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,U najmanju ruku jedno skladište je obvezno ,Customer Credit Balance,Stanje kredita za klijente @@ -3502,9 +3536,11 @@ DocType: Supplier Scorecard Period,Variables,Varijable apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Pronašli smo više programa vjernosti za klijenta. Odaberite ručno. DocType: Patient,Medication,liječenje apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Odaberite Program lojalnosti +DocType: Employee Checkin,Attendance Marked,Sudionici su označeni apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Sirovine DocType: Sales Order,Fully Billed,Naplaćuje se u potpunosti apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Molimo vas da postavite cijenu za hotelsku sobu na {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Odaberite samo jedan prioritet kao zadani. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Prepoznajte / stvorite račun (knjigu) za vrstu - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Ukupni iznos kredita / zaduženja trebao bi biti isti kao i unos u dnevnik DocType: Purchase Invoice Item,Is Fixed Asset,Je fiksno sredstvo @@ -3525,6 +3561,7 @@ DocType: Purpose of Travel,Purpose of Travel,Svrha putovanja DocType: Healthcare Settings,Appointment Confirmation,Potvrda sastanka DocType: Shopping Cart Settings,Orders,Narudžbe DocType: HR Settings,Retirement Age,Dob umirovljenja +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Postavite nizove brojeva za nazočnost putem postavke> Brojčane serije apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Predviđena količina apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Brisanje nije dopušteno za zemlju {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Redak # {0}: Svojstvo {1} je već {2} @@ -3608,11 +3645,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Računovođa apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Trajanje kupona za POS terminale postoji za {0} između datuma {1} i {2} apps/erpnext/erpnext/config/help.py,Navigating,Kretanje +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Nijedna nepodmirena faktura ne zahtijeva revalorizaciju tečaja DocType: Authorization Rule,Customer / Item Name,Naziv kupca / stavke apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Novi serijski broj ne može imati skladište. Skladište mora biti postavljeno putem unosa dionica ili potvrde o kupnji DocType: Issue,Via Customer Portal,Preko korisničkog portala DocType: Work Order Operation,Planned Start Time,Planirano vrijeme početka apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} je {2} +DocType: Service Level Priority,Service Level Priority,Prioritet razine usluge apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Broj knjiženih amortizacija ne može biti veći od ukupnog broja amortizacije apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Podijelite Ledger DocType: Journal Entry,Accounts Payable,Obveze prema dobavljačima @@ -3723,7 +3762,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Dostava u DocType: Bank Statement Transaction Settings Item,Bank Data,Bankovni podaci apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,U planu je -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Održavajte sate za naplatu i radno vrijeme na obrascu timesheet apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Pratite trag pomoću glavnog izvora. DocType: Clinical Procedure,Nursing User,Korisnik skrbi DocType: Support Settings,Response Key List,Popis ključnih odgovora @@ -3891,6 +3929,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Stvarno vrijeme početka DocType: Antibiotic,Laboratory User,Korisnik laboratorija apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Online aukcije +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Ponovljen je prioritet {0}. DocType: Fee Schedule,Fee Creation Status,Status stvaranja naknade apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Software apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Prodajni nalog do plaćanja @@ -3957,6 +3996,7 @@ DocType: Patient Encounter,In print,U tisku apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Nije moguće dohvatiti informacije za {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Valuta za naplatu mora biti jednaka zadanoj valuti tvrtke ili valuti računa stranke apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Unesite Id zaposlenika te osobe za prodaju +DocType: Shift Type,Early Exit Consequence after,Posljedica nakon izlaska apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Stvorite otvorene fakture prodaje i kupnje DocType: Disease,Treatment Period,Razdoblje liječenja apps/erpnext/erpnext/config/settings.py,Setting up Email,Postavljanje e-pošte @@ -3974,7 +4014,6 @@ DocType: Employee Skill Map,Employee Skills,Vještine zaposlenika apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Ime studenta: DocType: SMS Log,Sent On,Poslano uključeno DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Račun za prodaju -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Vrijeme odgovora ne može biti veće od vremena rezolucije DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Za studentsku grupu temeljenu na tečaju, tečaj će biti validiran za svakog studenta iz upisanih kolegija u upis u program." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Unutar državne potrošnje DocType: Employee,Create User Permission,Stvaranje korisničkog dopuštenja @@ -4013,6 +4052,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standardni uvjeti ugovora za prodaju ili kupnju. DocType: Sales Invoice,Customer PO Details,Pojedinosti narudžbe kupaca apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacijent nije pronađen +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Odaberite zadani prioritet. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Uklonite stavku ako se troškovi ne odnose na tu stavku apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Postoji korisnička grupa s istim imenom, promijenite ime klijenta ili promijenite naziv grupe korisnika" 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. @@ -4052,6 +4092,7 @@ DocType: Quality Goal,Quality Goal,Cilj kvalitete DocType: Support Settings,Support Portal,Portal za podršku apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Datum završetka zadatka {0} ne može biti manji od {1} očekivanog datuma početka {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Zaposlenik {0} je ostavio na {1} +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 klijenta {0} DocType: Employee,Held On,Održanoj DocType: Healthcare Practitioner,Practitioner Schedules,Raspored praktičara DocType: Project Template Task,Begin On (Days),Počni (dana) @@ -4059,6 +4100,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Radni nalog je bio {0} DocType: Inpatient Record,Admission Schedule Date,Datum rasporeda upisa apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Prilagodba vrijednosti imovine +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Označite posjećenost na temelju 'Checking zaposlenika' za zaposlenike dodijeljene ovoj smjeni. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Zalihe napravljene neregistriranim osobama apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Svi poslovi DocType: Appointment Type,Appointment Type,Vrsta sastanka @@ -4172,7 +4214,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P 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 + težina ambalaže. (za ispis) DocType: Plant Analysis,Laboratory Testing Datetime,Datetime test laboratorijskog ispitivanja apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Stavka {0} ne može imati paket -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Prodajni cjevovod prema stupnju apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Snaga učeničke grupe DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Upis transakcije bankovnog izvoda DocType: Purchase Order,Get Items from Open Material Requests,Nabavite stavke iz zahtjeva otvorenog materijala @@ -4254,7 +4295,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Pokazati starenje skladišta DocType: Sales Invoice,Write Off Outstanding Amount,Ispisati nepodmireni iznos DocType: Payroll Entry,Employee Details,Detalji o zaposleniku -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Vrijeme početka ne može biti veće od završnog vremena za {0}. DocType: Pricing Rule,Discount Amount,Iznos popusta DocType: Healthcare Service Unit Type,Item Details,Pojedinosti o stavci apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Ponovljena porezna izjava od {0} za razdoblje {1} @@ -4307,7 +4347,7 @@ DocType: Customer,CUST-.YYYY.-,Prilagodi-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto plaća ne može biti negativna apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Broj interakcija apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Redak {0} # Stavka {1} ne može se prenijeti više od {2} prema Narudžbenici {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,smjena +DocType: Attendance,Shift,smjena apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Obrada kontnog plana i stranaka DocType: Stock Settings,Convert Item Description to Clean HTML,Pretvori opis stavke u Clean HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Sve grupe dobavljača @@ -4378,6 +4418,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Djelatnost za DocType: Healthcare Service Unit,Parent Service Unit,Jedinica za roditeljsku uslugu DocType: Sales Invoice,Include Payment (POS),Uključi plaćanje (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Privatni kapital +DocType: Shift Type,First Check-in and Last Check-out,Prva prijava i posljednja odjava DocType: Landed Cost Item,Receipt Document,Dokument o primitku DocType: Supplier Scorecard Period,Supplier Scorecard Period,Razdoblje popisa dobavljača DocType: Employee Grade,Default Salary Structure,Struktura primarne plaće @@ -4460,6 +4501,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Izradite narudžbenicu apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definirati proračun za financijsku godinu. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Tablica računa ne može biti prazna. +DocType: Employee Checkin,Entry Grace Period Consequence,Posljedica prijelaznog razdoblja ulaska ,Payment Period Based On Invoice Date,Razdoblje plaćanja na temelju datuma fakture apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Datum instalacije ne može biti prije datuma isporuke za stavku {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Veza na Zahtjev materijala @@ -4468,6 +4510,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapirani tip apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Redak {0}: stavka za promjenu redoslijeda već postoji za ovo skladište {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Datum dokumenta DocType: Monthly Distribution,Distribution Name,Naziv distribucije +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Radni dan {0} je ponovljen. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Grupirajte u neku grupu apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Ažuriranje u tijeku. Može potrajati. DocType: Item,"Example: ABCD.##### @@ -4480,6 +4523,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Količina goriva apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile br DocType: Invoice Discounting,Disbursed,isplaćeni +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Vrijeme nakon završetka smjene tijekom kojeg se smatra da je check-out prisutan. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Neto promjena obveza prema dobavljačima apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Nije dostupno apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Skraćeno radno vrijeme @@ -4493,7 +4537,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potencij apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Prikaži PDC u ispisu apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Dobavljač DocType: POS Profile User,POS Profile User,Korisnik POS profila -DocType: Student,Middle Name,Srednje ime DocType: Sales Person,Sales Person Name,Ime prodavača DocType: Packing Slip,Gross Weight,Bruto težina DocType: Journal Entry,Bill No,Bill No @@ -4502,7 +4545,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nova DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-Vlogu-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Ugovor o razini usluge -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Najprije odaberite zaposlenika i datum apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Stopa procjene stavke preračunava se s obzirom na iznos voucher-a za zemljišne troškove DocType: Timesheet,Employee Detail,Pojedinosti zaposlenika DocType: Tally Migration,Vouchers,bonovi @@ -4537,7 +4579,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Ugovor o razini DocType: Additional Salary,Date on which this component is applied,Datum na koji se primjenjuje ova komponenta apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Popis dostupnih dioničara s brojevima dionica apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Postavite račune pristupnika. -DocType: Service Level,Response Time Period,Razdoblje odgovora +DocType: Service Level Priority,Response Time Period,Razdoblje odgovora DocType: Purchase Invoice,Purchase Taxes and Charges,Kupnja poreza i naknada DocType: Course Activity,Activity Date,Datum aktivnosti apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Odaberite ili dodajte novog kupca @@ -4562,6 +4604,7 @@ DocType: Sales Person,Select company name first.,Najprije odaberite naziv tvrtke apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Financijska godina DocType: Sales Invoice Item,Deferred Revenue,Odgođeni prihod apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,"U svakom slučaju, mora se odabrati jedna od prodaja ili kupnja" +DocType: Shift Type,Working Hours Threshold for Half Day,Prag rada za pola dana ,Item-wise Purchase History,Povijest nabave apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Nije moguće promijeniti datum zaustavljanja usluge za stavku u retku {0} DocType: Production Plan,Include Subcontracted Items,Uključite stavke podugovora @@ -4594,6 +4637,7 @@ DocType: Journal Entry,Total Amount Currency,Valuta ukupnog iznosa DocType: BOM,Allow Same Item Multiple Times,Dopusti istu stavku više puta apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Stvorite sastavnicu DocType: Healthcare Practitioner,Charges,Troškovi +DocType: Employee,Attendance and Leave Details,Pohađanje i ostavljanje podataka DocType: Student,Personal Details,Osobni podatci DocType: Sales Order,Billing and Delivery Status,Status naplate i isporuke apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Red {0}: Za dobavljača {0} E-mail adresa je potrebna za slanje e-pošte @@ -4645,7 +4689,6 @@ DocType: Bank Guarantee,Supplier,Dobavljač apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Unesite vrijednost između {0} i {1} DocType: Purchase Order,Order Confirmation Date,Datum potvrde narudžbe DocType: Delivery Trip,Calculate Estimated Arrival Times,Izračunaj procijenjeno vrijeme dolaska -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sustav imenovanja zaposlenika u ljudskim resursima> Postavke ljudskih resursa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,potrošni DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Datum početka pretplate @@ -4668,7 +4711,7 @@ DocType: Installation Note Item,Installation Note Item,Napomena za instalaciju DocType: Journal Entry Account,Journal Entry Account,Račun za unos dnevnika apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Varijanta apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Aktivnost foruma -DocType: Service Level,Resolution Time Period,Razdoblje razlučivosti +DocType: Service Level Priority,Resolution Time Period,Razdoblje razlučivosti DocType: Request for Quotation,Supplier Detail,Pojedinosti dobavljača DocType: Project Task,View Task,Prikaži zadatak DocType: Serial No,Purchase / Manufacture Details,Pojedinosti o kupnji / proizvodnji @@ -4735,6 +4778,7 @@ DocType: Sales Invoice,Commission Rate (%),Stopa provizije (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Skladište se može mijenjati samo putem unosa / isporuke dionica / potvrde o kupnji DocType: Support Settings,Close Issue After Days,Zatvori izdanje nakon nekoliko dana DocType: Payment Schedule,Payment Schedule,Raspored plaćanja +DocType: Shift Type,Enable Entry Grace Period,Omogući produljenje razdoblja ulaska DocType: Patient Relation,Spouse,suprug DocType: Purchase Invoice,Reason For Putting On Hold,Razlog stavljanja na čekanje DocType: Item Attribute,Increment,povećanje @@ -4874,6 +4918,7 @@ DocType: Authorization Rule,Customer or Item,Kupac ili stavka DocType: Vehicle Log,Invoice Ref,Račun Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-obrazac nije primjenjiv za dostavnicu: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Račun je izrađen +DocType: Shift Type,Early Exit Grace Period,Rani izlazak Grace Period DocType: Patient Encounter,Review Details,Pojedinosti pregleda apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Red {0}: Vrijednost sata mora biti veća od nule. DocType: Account,Account Number,Broj računa @@ -4885,7 +4930,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Primjenjivo ako je tvrtka SpA, SApA ili SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Uvjeti preklapanja pronađeni između: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Plaćeno i nije isporučeno -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Šifra artikla je obavezna jer stavka nije automatski numerirana DocType: GST HSN Code,HSN Code,HSN kod DocType: GSTR 3B Report,September,rujan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administrativni troškovi @@ -4921,6 +4965,8 @@ DocType: Travel Itinerary,Travel From,Putovanje od apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Račun CWIP DocType: SMS Log,Sender Name,Ime pošiljatelja DocType: Pricing Rule,Supplier Group,Grupa dobavljača +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Postavite vrijeme početka i završno vrijeme za dan podrške {0} u indeksu {1}. DocType: Employee,Date of Issue,Datum izdavanja ,Requested Items To Be Transferred,Tražene stavke koje treba prenijeti DocType: Employee,Contract End Date,Datum završetka ugovora @@ -4931,6 +4977,7 @@ DocType: Healthcare Service Unit,Vacant,prazan DocType: Opportunity,Sales Stage,Stupanj prodaje DocType: Sales Order,In Words will be visible once you save the Sales Order.,U riječima će biti vidljivo kada spremite prodajni nalog. DocType: Item Reorder,Re-order Level,Razina ponovnog narudžbe +DocType: Shift Type,Enable Auto Attendance,Omogući automatsko posjećivanje apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Prednost ,Department Analytics,Analitika odjela DocType: Crop,Scientific Name,Znanstveno ime @@ -4943,6 +4990,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},Status {0} {1} je {2} DocType: Quiz Activity,Quiz Activity,Kviz aktivnost apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} nije u valjanom obračunskom razdoblju DocType: Timesheet,Billed,naplaćeno +apps/erpnext/erpnext/config/support.py,Issue Type.,Vrsta problema. DocType: Restaurant Order Entry,Last Sales Invoice,Posljednja dostavnica DocType: Payment Terms Template,Payment Terms,Uvjeti plaćanja apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Rezervirano Količina: Količina naručena za prodaju, ali ne isporučena." @@ -5038,6 +5086,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Imovina apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} nema raspored liječnika. Dodajte ga u majstora liječnika DocType: Vehicle,Chassis No,Šasija br +DocType: Employee,Default Shift,Zadani pomak apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Kratica tvrtke apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Stablo materijala DocType: Article,LMS User,LMS korisnik @@ -5086,6 +5135,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Matična prodajna osoba DocType: Student Group Creation Tool,Get Courses,Nabavite tečajeve apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Red # {0}: Količina mora biti 1, jer je stavka fiksno sredstvo. Upotrijebite zasebni redak za višestruku količinu." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Radno vrijeme ispod kojeg je odsutno označeno. (Nula do onemogućavanja) DocType: Customer Group,Only leaf nodes are allowed in transaction,Samo su čvorovi listova dopušteni u transakciji DocType: Grant Application,Organization,Organizacija DocType: Fee Category,Fee Category,Kategorija naknade @@ -5098,6 +5148,7 @@ DocType: Payment Order,PMO-,PMO- 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: Volunteer,Morning,Jutro DocType: Quotation Item,Quotation Item,Stavka ponude +apps/erpnext/erpnext/config/support.py,Issue Priority.,Prioritet problema. DocType: Journal Entry,Credit Card Entry,Unos kreditne kartice apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Vremenski razmak je preskočen, utor {0} do {1} preklapa postojeći prorez {2} do {3}" DocType: Journal Entry Account,If Income or Expense,Ako je prihod ili trošak @@ -5148,11 +5199,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Uvoz podataka i postavke 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 označena opcija Auto Opt In, klijenti će se automatski povezati s dotičnim programom vjernosti (na spremanje)" DocType: Account,Expense Account,Račun troškova +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Vrijeme prije početka smjene, tijekom kojeg se smatra da je prijavljivanje zaposlenika uključeno." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Odnos s Guardianom1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Izradite dostavnicu 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/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Osoba oslobođena na {0} mora biti postavljena kao "Lijevo" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Platite {0} {1} +DocType: Company,Sales Settings,Postavke prodaje DocType: Sales Order Item,Produced Quantity,Proizvedena količina apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Zahtjev za ponudu možete pristupiti klikom na sljedeći link DocType: Monthly Distribution,Name of the Monthly Distribution,Naziv mjesečne distribucije @@ -5231,6 +5284,7 @@ DocType: Company,Default Values,Zadane vrijednosti apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Izrađuju se predlošci za poreze za prodaju i kupnju. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Vrsta ostavljanja {0} ne može se prenijeti apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Zaduženje Račun mora biti račun potraživanja +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 nego danas. apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Postavite račun na skladištu {0} ili zadani račun inventara u tvrtki {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Postavi kao zadano DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Neto težina ovog paketa. (izračunava se automatski kao zbroj neto težine stavki) @@ -5257,8 +5311,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Istekle serije DocType: Shipping Rule,Shipping Rule Type,Vrsta pravila slanja DocType: Job Offer,Accepted,prihvaćeno -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/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Već ste procijenili kriterije procjene {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Odaberite Serijski brojevi apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Dob (Dani) @@ -5285,6 +5337,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Odaberite svoje domene DocType: Agriculture Task,Task Name,Naziv zadatka apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Ulazne stavke su već kreirane za radni nalog +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" ,Amount to Deliver,Iznos za isporuku apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Tvrtka {0} ne postoji apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Nije pronađen nijedan zahtjev za materijalom za povezivanje za navedene stavke. @@ -5334,6 +5388,7 @@ DocType: Program Enrollment,Enrolled courses,Upisani tečajevi DocType: Lab Prescription,Test Code,Test Code DocType: Purchase Taxes and Charges,On Previous Row Total,Ukupno na prethodnom redu DocType: Student,Student Email Address,Adresa e-pošte studenta +,Delayed Item Report,Izvješće o odgođenoj stavci DocType: Academic Term,Education,Obrazovanje DocType: Supplier Quotation,Supplier Address,Adresa dobavljača DocType: Salary Detail,Do not include in total,Ne uključujte ukupno @@ -5341,7 +5396,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ne postoji DocType: Purchase Receipt Item,Rejected Quantity,Odbijena količina DocType: Cashier Closing,To TIme,U VRIJEME -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM konverzijski faktor ({0} -> {1}) nije pronađen za stavku: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Dnevni korisnik grupe sažetka rada DocType: Fiscal Year Company,Fiscal Year Company,Tvrtka fiskalne godine apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternativna stavka ne smije biti ista kao i kod stavke @@ -5393,6 +5447,7 @@ DocType: Program Fee,Program Fee,Naknada za program DocType: Delivery Settings,Delay between Delivery Stops,Kašnjenje između zaustavljanja isporuke DocType: Stock Settings,Freeze Stocks Older Than [Days],Zamrzavanje zaliha starije od [dana] DocType: Promotional Scheme,Promotional Scheme Product Discount,Popust na proizvode za promotivne sheme +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Već postoji prioritet problema DocType: Account,Asset Received But Not Billed,"Imovina primljena, ali ne naplaćena" DocType: POS Closing Voucher,Total Collected Amount,Ukupni prikupljeni iznos DocType: Course,Default Grading Scale,Zadana skala ocjenjivanja @@ -5435,6 +5490,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Uvjeti ispunjenja apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Ne-grupa u grupu DocType: Student Guardian,Mother,Majka +DocType: Issue,Service Level Agreement Fulfilled,Ispunjen je ugovor o razini usluge DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Odbitak poreza za nenaplaćene naknade zaposlenicima DocType: Travel Request,Travel Funding,Financiranje putovanja DocType: Shipping Rule,Fixed,fiksni @@ -5464,10 +5520,12 @@ DocType: Item,Warranty Period (in days),Razdoblje jamstva (u danima) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Nema pronađenih stavki. DocType: Item Attribute,From Range,Iz raspona DocType: Clinical Procedure,Consumables,Potrošni +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' i 'timestamp' su obavezni. DocType: Purchase Taxes and Charges,Reference Row #,Referentni redak # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Postavite "Središte troškova troškova amortizacije" u tvrtki {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Red # {0}: dokument za plaćanje potreban je za dovršenje transakcije DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Kliknite ovaj gumb da biste povukli podatke o prodajnom nalogu s Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Radno vrijeme ispod kojeg je označen pola dana. (Nula do onemogućavanja) ,Assessment Plan Status,Status plana ocjenjivanja apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Prvo odaberite {0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Pošaljite ovo kako biste stvorili zapis zaposlenika @@ -5538,6 +5596,7 @@ DocType: Quality Procedure,Parent Procedure,Postupak roditelja apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Postavite Otvori apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Prebaci filtre DocType: Production Plan,Material Request Detail,Pojedinosti zahtjeva za materijal +DocType: Shift Type,Process Attendance After,Posjećivanje procesa nakon DocType: Material Request Item,Quantity and Warehouse,Količina i skladište apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Idite na Programi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Redak # {0}: Dvostruki unos u literaturi {1} {2} @@ -5595,6 +5654,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Informacije o stranci apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Dužnici ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Do danas ne može biti veći od datuma otpuštanja zaposlenika +DocType: Shift Type,Enable Exit Grace Period,Omogući izlazno razdoblje odgode DocType: Expense Claim,Employees Email Id,Id zaposlenika e-pošte DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Ažuriraj cijenu iz Shopify U ERPNext cjenik DocType: Healthcare Settings,Default Medical Code Standard,Standardni standardni medicinski kod @@ -5625,7 +5685,6 @@ DocType: Item Group,Item Group Name,Naziv grupe stavke DocType: Budget,Applicable on Material Request,Primjenjivo na zahtjev za materijal DocType: Support Settings,Search APIs,API-ji za pretraživanje DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Postotak prekomjerne proizvodnje za prodajni nalog -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Tehnički podaci DocType: Purchase Invoice,Supplied Items,Isporučeni artikli DocType: Leave Control Panel,Select Employees,Odaberite Zaposlenici apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Odaberite račun prihoda od kamata u zajmu {0} @@ -5651,7 +5710,7 @@ DocType: Salary Slip,Deductions,odbici ,Supplier-Wise Sales Analytics,Analitika prodaje po dobavljaču DocType: GSTR 3B Report,February,veljača DocType: Appraisal,For Employee,Za zaposlenika -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Stvarni datum isporuke +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Stvarni datum isporuke DocType: Sales Partner,Sales Partner Name,Naziv prodajnog partnera apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Redoslijed amortizacije {0}: Početni datum amortizacije unesen je kao prošli datum DocType: GST HSN Code,Regional,Regionalni @@ -5690,6 +5749,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Tro DocType: Supplier Scorecard,Supplier Scorecard,Preglednik dobavljača DocType: Travel Itinerary,Travel To,Putovati u apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Označite nazočnost +DocType: Shift Type,Determine Check-in and Check-out,Odredite prijavu i odjavu DocType: POS Closing Voucher,Difference,Razlika apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Mali DocType: Work Order Item,Work Order Item,Stavka radnog naloga @@ -5723,6 +5783,7 @@ DocType: Sales Invoice,Shipping Address Name,Naziv adrese za isporuku apps/erpnext/erpnext/healthcare/setup.py,Drug,Droga apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} je zatvoreno DocType: Patient,Medical History,Povijest bolesti +DocType: Expense Claim,Expense Taxes and Charges,Troškovi poreza i naknada DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Broj dana nakon isteka datuma fakture prije otkazivanja pretplate ili označavanja pretplate kao neplaćene apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Napomena za instalaciju {0} već je poslana DocType: Patient Relation,Family,Obitelj @@ -5755,7 +5816,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,snaga apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,Za dovršetak ove transakcije potrebno je {0} jedinica {1} u {2}. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush sirovine na temelju podugovora -DocType: Bank Guarantee,Customer,kupac DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ako je omogućeno, polje Academic Term će biti obavezno u alatu za upis programa." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Za studentsku skupinu temeljenu na serijama, Studentova serija će biti validirana za svakog učenika iz Pristupnice za Program." DocType: Course,Topics,Teme @@ -5835,6 +5895,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Članovi poglavlja DocType: Warranty Claim,Service Address,Adresa usluge DocType: Journal Entry,Remark,Napomena +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Redak {0}: količina nije dostupna za {4} u skladištu {1} u vrijeme knjiženja unosa ({2} {3}) DocType: Patient Encounter,Encounter Time,Vrijeme susreta DocType: Serial No,Invoice Details,Pojedinosti dostavnice apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Daljnji računi mogu se izraditi u grupi, ali unosi se mogu vršiti protiv ne-grupa" @@ -5915,6 +5976,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","P apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Zatvaranje (otvaranje + ukupno) DocType: Supplier Scorecard Criteria,Criteria Formula,Formula kriterija apps/erpnext/erpnext/config/support.py,Support Analytics,Podrška Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID uređaja za nazočnost (ID biometrijske / RF oznake) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Pregled i radnja DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ako je račun zamrznut, unosi su dopušteni ograničenim korisnicima." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Iznos nakon amortizacije @@ -5936,6 +5998,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Otplata kredita DocType: Employee Education,Major/Optional Subjects,Glavni / izborni predmeti DocType: Soil Texture,Silt,Mulj +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Adrese i kontakti dobavljača DocType: Bank Guarantee,Bank Guarantee Type,Vrsta bankovne garancije DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ako je onemogućeno, polje "Zaokruženo ukupno" neće biti vidljivo ni u jednoj transakciji" DocType: Pricing Rule,Min Amt,Min Amt @@ -5974,6 +6037,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Otvaranje stavke alata za izradu računa DocType: Soil Analysis,(Ca+Mg)/K,(+ Ca Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Uključite POS transakcije +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nije pronađen zaposlenik za navedenu vrijednost polja zaposlenika. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Primljeni iznos (valuta tvrtke) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage je pun, nije spremio" DocType: Chapter Member,Chapter Member,Član poglavlja @@ -6006,6 +6070,7 @@ DocType: SMS Center,All Lead (Open),Sve vodstvo (otvoreno) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Nije izrađena nijedna studentska grupa. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Ponovljeni redak {0} s istim {1} DocType: Employee,Salary Details,Detalji plaća +DocType: Employee Checkin,Exit Grace Period Consequence,Izlazak posljedice grace perioda DocType: Bank Statement Transaction Invoice Item,Invoice,Dostavnica DocType: Special Test Items,Particulars,Pojedinosti apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Postavite filtar na temelju stavke ili skladišta @@ -6107,6 +6172,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Izvan AMC-a DocType: Job Opening,"Job profile, qualifications required etc.","Profil posla, potrebne kvalifikacije itd." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Otpremi na državu +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Želite li poslati zahtjev za materijal DocType: Opportunity Item,Basic Rate,Osnovna stopa DocType: Compensatory Leave Request,Work End Date,Datum završetka posla apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Zahtjev za sirovine @@ -6292,6 +6358,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Iznos amortizacije DocType: Sales Order Item,Gross Profit,Bruto dobit DocType: Quality Inspection,Item Serial No,Serijska br DocType: Asset,Insurer,osiguravač +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Iznos kupnje DocType: Asset Maintenance Task,Certificate Required,Potreban je certifikat DocType: Retention Bonus,Retention Bonus,Bonus za zadržavanje @@ -6406,6 +6473,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Iznos razlike (valut DocType: Invoice Discounting,Sanctioned,kažnjeni DocType: Course Enrollment,Course Enrollment,Upis u tečaj DocType: Item,Supplier Items,Stavke dobavljača +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Vrijeme početka ne može biti veće ili jednako vremenu završetka za {0}. DocType: Sales Order,Not Applicable,Nije primjenjivo DocType: Support Search Source,Response Options,Opcije odgovora apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} treba biti vrijednost između 0 i 100 @@ -6492,7 +6561,6 @@ DocType: Travel Request,Costing,koštanje apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Stalna sredstva DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Ukupno zarada -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> Korisnička grupa> Teritorij DocType: Share Balance,From No,Od br DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Račun usklađivanja plaćanja DocType: Purchase Invoice,Taxes and Charges Added,Dodani porezi i naknade @@ -6600,6 +6668,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Zanemari pravilo cijena apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Hrana DocType: Lost Reason Detail,Lost Reason Detail,Detalji izgubljenog razloga +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Stvoreni su sljedeći serijski brojevi:
{0} DocType: Maintenance Visit,Customer Feedback,Povratne informacije korisnika DocType: Serial No,Warranty / AMC Details,Pojedinosti o jamstvu / AMC-u DocType: Issue,Opening Time,Vrijeme otvaranja @@ -6649,6 +6718,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Naziv tvrtke nije isti apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Promocija zaposlenika ne može se podnijeti prije datuma promocije apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nije dopušteno ažuriranje transakcija zalihama starije od {0} +DocType: Employee Checkin,Employee Checkin,Zapisnik zaposlenika apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Datum početka treba biti manji od datuma završetka za stavku {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Izradite ponude korisnika DocType: Buying Settings,Buying Settings,Postavke kupnje @@ -6670,6 +6740,7 @@ DocType: Job Card Time Log,Job Card Time Log,Dnevnik radnog vremena DocType: Patient,Patient Demographics,Demografija pacijenata DocType: Share Transfer,To Folio No,Za Folio br apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Novčani tijek iz poslovanja +DocType: Employee Checkin,Log Type,Vrsta zapisnika DocType: Stock Settings,Allow Negative Stock,Dopusti negativnu zalihu apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Nijedna stavka nema nikakve promjene u količini ili vrijednosti. DocType: Asset,Purchase Date,Datum kupnje @@ -6714,6 +6785,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Vrlo hiper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Odaberite prirodu svog poslovanja. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Odaberite mjesec i godinu +DocType: Service Level,Default Priority,Zadani prioritet DocType: Student Log,Student Log,Studentski dnevnik DocType: Shopping Cart Settings,Enable Checkout,Omogući Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Ljudski resursi @@ -6742,7 +6814,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Povežite Shopify s ERPNext DocType: Homepage Section Card,Subtitle,Titl DocType: Soil Texture,Loam,Ilovača -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> Vrsta dobavljača DocType: BOM,Scrap Material Cost(Company Currency),Trošak materijala bilješke (valuta tvrtke) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Napomena o isporuci {0} ne smije biti poslana DocType: Task,Actual Start Date (via Time Sheet),Stvarni datum početka (putem vremenskog lista) @@ -6798,6 +6869,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,doza DocType: Cheque Print Template,Starting position from top edge,Početni položaj s gornjeg ruba apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Trajanje sastanka (min) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Ovaj zaposlenik već ima zapisnik s istom vremenskom oznakom. {0} DocType: Accounting Dimension,Disable,onesposobiti DocType: Email Digest,Purchase Orders to Receive,Nalozi za kupnju za primanje apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Narudžbe produkcija ne mogu se podići za: @@ -6813,7 +6885,6 @@ DocType: Production Plan,Material Requests,Zahtjevi materijala DocType: Buying Settings,Material Transferred for Subcontract,Materijal prenesen za podugovaranje DocType: Job Card,Timing Detail,Detalj vremena apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Obavezno uključeno -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Uvoz {0} od {1} DocType: Job Offer Term,Job Offer Term,Trajanje ponude za posao DocType: SMS Center,All Contact,Svi kontakti DocType: Project Task,Project Task,Zadatak projekta @@ -6864,7 +6935,6 @@ DocType: Student Log,Academic,Akademski apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Stavka {0} nije postavljena za serijske brojeve apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Od države DocType: Leave Type,Maximum Continuous Days Applicable,Primjenjivi maksimalni kontinuirani dani -apps/erpnext/erpnext/config/support.py,Support Team.,Tim podrške. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Najprije unesite naziv tvrtke apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Uvoz je uspješan DocType: Guardian,Alternate Number,Alternativni broj @@ -6956,6 +7026,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Redak # {0}: stavka je dodana DocType: Student Admission,Eligibility and Details,Podobnost i pojedinosti DocType: Staffing Plan,Staffing Plan Detail,Detalj o kadrovskom planu +DocType: Shift Type,Late Entry Grace Period,Odgoda u kasnom ulasku DocType: Email Digest,Annual Income,Godišnji prihod DocType: Journal Entry,Subscription Section,Odjeljak pretplate DocType: Salary Slip,Payment Days,Dani plaćanja @@ -7006,6 +7077,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Stanje na računu DocType: Asset Maintenance Log,Periodicity,Periodičnost apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Medicinski zapis +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Vrsta zapisa je potrebna za prijave koje padaju u smjeni: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Izvršenje DocType: Item,Valuation Method,Metoda vrednovanja apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} protiv dostavnice za prodaju {1} @@ -7090,6 +7162,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Procijenjena cijena po DocType: Loan Type,Loan Name,Naziv zajma apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Postavite zadani način plaćanja DocType: Quality Goal,Revision,Revizija +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Vrijeme prije završetka smjene kada se odjava smatra ranom (u minutama). DocType: Healthcare Service Unit,Service Unit Type,Vrsta servisne jedinice DocType: Purchase Invoice,Return Against Purchase Invoice,Povrat protiv fakture kupnje apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Generiraj tajnu @@ -7245,12 +7318,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Kozmetika DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Označite ovo ako želite prisiliti korisnika da odabere seriju prije spremanja. Ako to označite, neće biti zadane postavke." DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Korisnicima s ovom ulogom dopušteno je postaviti zamrznute račune i kreirati / izmijeniti računovodstvene unose za zamrznute račune +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Šifra artikla> Grupa proizvoda> Marka DocType: Expense Claim,Total Claimed Amount,Ukupni traženi iznos 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 vremensko razdoblje u sljedećih {0} dana za rad {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Završavati apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Možete obnoviti samo ako vaše članstvo istekne u roku od 30 dana apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vrijednost mora biti između {0} i {1} DocType: Quality Feedback,Parameters,parametri +DocType: Shift Type,Auto Attendance Settings,Postavke automatskog posjećivanja ,Sales Partner Transaction Summary,Sažetak transakcija prodajnog partnera DocType: Asset Maintenance,Maintenance Manager Name,Ime upravitelja održavanja apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Potrebno je dohvatiti pojedinosti o stavci. @@ -7342,10 +7417,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Potvrdi primjenjeno pravilo DocType: Job Card Item,Job Card Item,Stavka radne kartice DocType: Homepage,Company Tagline for website homepage,Podnaslov tvrtke za početnu stranicu web-lokacije +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Postavite vrijeme odziva i razlučivost za prioritet {0} na indeksu {1}. DocType: Company,Round Off Cost Center,Okrugli centar troškova DocType: Supplier Scorecard Criteria,Criteria Weight,Težina kriterija DocType: Asset,Depreciation Schedules,Raspored amortizacije -DocType: Expense Claim Detail,Claim Amount,Iznos polaganja prava DocType: Subscription,Discounts,Popusti DocType: Shipping Rule,Shipping Rule Conditions,Uvjeti za pravilo dostave DocType: Subscription,Cancelation Date,Datum otkazivanja @@ -7373,7 +7448,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Izradite vodi apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Prikaži nultu vrijednost DocType: Employee Onboarding,Employee Onboarding,Zaposlenik na brodu DocType: POS Closing Voucher,Period End Date,Datum završetka razdoblja -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Mogućnosti prodaje po izvorima DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Prvi odobreni dopust na popisu bit će postavljen kao zadani odobrenje za ostavljanje. DocType: POS Settings,POS Settings,POS postavke apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Svi računi @@ -7394,7 +7468,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Redak {{0}: Stopa mora biti ista kao {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,FHP-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Stavke zdravstvene službe -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Nije pronađen nijedan zapis apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Raspon starenja 3 DocType: Vital Signs,Blood Pressure,Krvni tlak apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Cilj je uključen @@ -7441,6 +7514,7 @@ DocType: Company,Existing Company,Postojeća tvrtka apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,serije apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,odbrana DocType: Item,Has Batch No,Ima serijski br +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Odgođeni dani DocType: Lead,Person Name,Ime osobe DocType: Item Variant,Item Variant,Varijanta stavke DocType: Training Event Employee,Invited,pozvan @@ -7462,7 +7536,7 @@ DocType: Purchase Order,To Receive and Bill,Za primanje i Bill apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Početni i završni datumi koji nisu u važećem obračunskom razdoblju, ne mogu izračunati {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Prikazuj Kupca samo tih korisničkih grupa apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Odaberite stavke za spremanje dostavnice -DocType: Service Level,Resolution Time,Vrijeme rezolucije +DocType: Service Level Priority,Resolution Time,Vrijeme rezolucije DocType: Grading Scale Interval,Grade Description,Opis stupnja DocType: Homepage Section,Cards,Kartice DocType: Quality Meeting Minutes,Quality Meeting Minutes,Zapisnici kvalitete sastanka @@ -7489,6 +7563,7 @@ DocType: Project,Gross Margin %,Bruto marža % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Bilanca bankovnog računa prema glavnoj knjizi apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Zdravstvena zaštita (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Zadano skladište za izradu prodajnog naloga i napomene za isporuku +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Vrijeme odgovora za {0} na indeksu {1} ne može biti veće od vremena rezolucije. DocType: Opportunity,Customer / Lead Name,Ime klijenta / voditelja DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Nepotraženi iznos @@ -7535,7 +7610,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Uvoznice i adrese DocType: Item,List this Item in multiple groups on the website.,Navedite ovu stavku u više grupa na web-lokaciji. DocType: Request for Quotation,Message for Supplier,Poruka za dobavljača -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Nije moguće promijeniti {0} jer postoji transakcija dionica za stavku {1}. DocType: Healthcare Practitioner,Phone (R),Telefon (R) DocType: Maintenance Team Member,Team Member,Član tima DocType: Asset Category Account,Asset Category Account,Račun kategorije imovine diff --git a/erpnext/translations/hu.csv b/erpnext/translations/hu.csv index 35e3476f14..83d5bcc1ed 100644 --- a/erpnext/translations/hu.csv +++ b/erpnext/translations/hu.csv @@ -76,7 +76,7 @@ DocType: Academic Term,Term Start Date,Időpont kezdete apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,{0} találkozó és {1} értékesítési számla törlésre került DocType: Purchase Receipt,Vehicle Number,Jármű száma apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Az email címed... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Tartalmazza az alapértelmezett könyvbejegyzéseket +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Tartalmazza az alapértelmezett könyvbejegyzéseket DocType: Activity Cost,Activity Type,Tevékenység típusa DocType: Purchase Invoice,Get Advances Paid,Kapjon előlegeket DocType: Company,Gain/Loss Account on Asset Disposal,Nyereség / veszteség számla az eszközkezelésben @@ -221,7 +221,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Mit csinal? DocType: Bank Reconciliation,Payment Entries,Fizetési bejegyzések DocType: Employee Education,Class / Percentage,Osztály / százalék ,Electronic Invoice Register,Elektronikus számla-nyilvántartás +DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Az események száma, amely után a következmény végrehajtódik." DocType: Sales Invoice,Is Return (Credit Note),Visszatérés (jóváírás) +DocType: Price List,Price Not UOM Dependent,Ár nem UOM függő DocType: Lab Test Sample,Lab Test Sample,Laboratóriumi vizsgálati minta DocType: Shopify Settings,status html,állapot html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Például 2012, 2012-13" @@ -323,6 +325,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Termékkeresés DocType: Salary Slip,Net Pay,Nettó fizetés apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Teljes számlázott Amt DocType: Clinical Procedure,Consumables Invoice Separately,Fogyóeszközök számla külön +DocType: Shift Type,Working Hours Threshold for Absent,A hiányzó munkaidő küszöbértéke DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},A költségkeretet nem lehet csoportos fiókhoz rendelni {0} DocType: Purchase Receipt Item,Rate and Amount,Érték és összeg @@ -378,7 +381,6 @@ DocType: Sales Invoice,Set Source Warehouse,Forrásraktár beállítása DocType: Healthcare Settings,Out Patient Settings,Kimeneti beállítások DocType: Asset,Insurance End Date,Biztosítás vége DocType: Bank Account,Branch Code,Ágazati kód -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Ideje válaszolni apps/erpnext/erpnext/public/js/conf.js,User Forum,Felhasználói fórum DocType: Landed Cost Item,Landed Cost Item,Landed Cost Item apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Az eladó és a vevő nem lehet ugyanaz @@ -596,6 +598,7 @@ DocType: Lead,Lead Owner,Vezető tulajdonos DocType: Share Transfer,Transfer,Átutalás apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Keresési elem (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Eredmény benyújtása +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,"A dátum nem lehet nagyobb, mint a mai napig" DocType: Supplier,Supplier of Goods or Services.,Áruk vagy szolgáltatások szállítója. 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: Ne hozzon létre fiókot az ügyfelek és a szállítók számára apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,A hallgatói csoport vagy a tanfolyam-lista kötelező @@ -878,7 +881,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,A potenciál DocType: Skill,Skill Name,Képesség név apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Jelentéskártya nyomtatása DocType: Soil Texture,Ternary Plot,Ternary Plot -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Kérjük, állítsa a Naming Series-et {0} -ra a Setup> Settings> Naming Series menüpontban" apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Támogatási jegyek DocType: Asset Category Account,Fixed Asset Account,Fix eszközszámla apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Legújabb @@ -891,6 +893,7 @@ DocType: Delivery Trip,Distance UOM,Távolság UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Kötelező a mérleghez DocType: Payment Entry,Total Allocated Amount,Összes kiosztott összeg DocType: Sales Invoice,Get Advances Received,Get Advances Received +DocType: Shift Type,Last Sync of Checkin,A Checkin utolsó szinkronja DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Értékben szereplő adóösszeg apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -899,7 +902,9 @@ DocType: Subscription Plan,Subscription Plan,Előfizetési terv DocType: Student,Blood Group,Vércsoport apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Crop,Crop Spacing UOM,Hasznosítsd el az UOM távolságot +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,A bejelentkezés utáni indulás időpontja után eltelt idő (percben) tekinthető. apps/erpnext/erpnext/templates/pages/home.html,Explore,Fedezd fel +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nincsenek kiemelkedő számlák apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} üres álláshelyek és {1} költségvetés a {2} számára már a {3} leányvállalatok számára tervezettek. Csak a {4} üres álláshelyeket és a {5} költségvetést tervezheti {6} személyzeti tervre az anyavállalatnál {3}. DocType: Promotional Scheme,Product Discount Slabs,Termékkedvezmények @@ -1000,6 +1005,7 @@ DocType: Attendance,Attendance Request,Részvételi kérelem DocType: Item,Moving Average,Mozgóátlag DocType: Employee Attendance Tool,Unmarked Attendance,Jelölés nélküli részvétel DocType: Homepage Section,Number of Columns,Oszlopok száma +DocType: Issue Priority,Issue Priority,Issue Priority DocType: Holiday List,Add Weekly Holidays,Heti ünnepek hozzáadása DocType: Shopify Log,Shopify Log,Shopify napló apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Fizetéscsomag létrehozása @@ -1008,6 +1014,7 @@ DocType: Job Offer Term,Value / Description,Érték / leírás DocType: Warranty Claim,Issue Date,Kiadás dátuma 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 {0} tételhez tartozó tételt. Nem található egyetlen tétel, amely megfelel ennek a követelménynek" apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,A bal oldali alkalmazottak számára nem hozható létre megtartási bónusz +DocType: Employee Checkin,Location / Device ID,Hely / eszköz azonosítója DocType: Purchase Order,To Receive,Kapni apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,"Ön offline módban van. Nem fog újratölteni, amíg nincs hálózat." DocType: Course Activity,Enrollment,felvétel @@ -1016,7 +1023,6 @@ DocType: Lab Test Template,Lab Test Template,Lab teszt sablon apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-számlázási információk hiányoznak apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nincs lényeges kérés -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cikkkód> Cikkcsoport> Márka DocType: Loan,Total Amount Paid,Fizetett összeg apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Mindezek a tételek már számlázásra kerültek DocType: Training Event,Trainer Name,Edző neve @@ -1127,6 +1133,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Kérjük, említsd meg az ólom nevét a (z) {0}" DocType: Employee,You can enter any date manually,Bármely dátumot kézzel is beírhatja DocType: Stock Reconciliation Item,Stock Reconciliation Item,Készletegyeztető tétel +DocType: Shift Type,Early Exit Consequence,Korai kilépés következménye DocType: Item Group,General Settings,Általános beállítások apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Az esedékesség napja nem lehet a kiküldetés / szállítói számla dátuma előtt apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Írja be a Kedvezményezett nevét a beadás előtt. @@ -1165,6 +1172,7 @@ DocType: Account,Auditor,Könyvvizsgáló apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Fizetési visszaigazolás ,Available Stock for Packing Items,Rendelkezésre álló készlet csomagolási tételekhez apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},"Kérjük, távolítsa el ezt a számlát {0} a C-űrlapról {1}" +DocType: Shift Type,Every Valid Check-in and Check-out,Minden érvényes bejelentkezés és kijelentkezés DocType: Support Search Source,Query Route String,Lekérdezés útvonala DocType: Customer Feedback Template,Customer Feedback Template,Ügyfél visszajelzési sablon apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Idézetek a Vezetőknek vagy az Ügyfeleknek. @@ -1199,6 +1207,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Engedélyezési ellenőrzés ,Daily Work Summary Replies,Napi munka összefoglaló válaszok apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Meghívást kaptak a projektben való együttműködésre: {0} +DocType: Issue,Response By Variance,Válasz variancia DocType: Item,Sales Details,Értékesítési részletek apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Levélfejek nyomtatási sablonokhoz. DocType: Salary Detail,Tax on additional salary,A további fizetésre kivetett adó @@ -1322,6 +1331,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Ügyfélc DocType: Project,Task Progress,Feladat előrehaladása DocType: Journal Entry,Opening Entry,Nyitó bejegyzés DocType: Bank Guarantee,Charges Incurred,Költségek +DocType: Shift Type,Working Hours Calculation Based On,Munkaidő-számítás alapja DocType: Work Order,Material Transferred for Manufacturing,Gyártásra szánt anyag DocType: Products Settings,Hide Variants,Változatok elrejtése DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,A kapacitástervezés és az időkövetés letiltása @@ -1351,6 +1361,7 @@ DocType: Account,Depreciation,Értékcsökkenés DocType: Guardian,Interests,Interests DocType: Purchase Receipt Item Supplied,Consumed Qty,Fogyasztott mennyiség DocType: Education Settings,Education Manager,Oktatási igazgató +DocType: Employee Checkin,Shift Actual Start,Shift tényleges indítás DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,A munkaállomások munkaidőn kívüli időnaplóinak tervezése. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Hűségpontok: {0} DocType: Healthcare Settings,Registration Message,Regisztrációs üzenet @@ -1375,9 +1386,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Az összes számlázási órára már létrehozott számla DocType: Sales Partner,Contact Desc,Kapcsolat Desc DocType: Purchase Invoice,Pricing Rules,Árképzési szabályok +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Mivel léteznek tranzakciók a {0} tételhez képest, nem módosíthatja a {1} értéket" DocType: Hub Tracked Item,Image List,Képlista DocType: Item Variant Settings,Allow Rename Attribute Value,Az attribútumérték átnevezésének engedélyezése -DocType: Price List,Price Not UOM Dependant,Ár nem UOM függő apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Idő (percben) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Alapvető DocType: Loan,Interest Income Account,Kamatbevétel számla @@ -1387,6 +1398,7 @@ DocType: Employee,Employment Type,Foglalkoztatási típus apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Válassza ki a POS-profilt DocType: Support Settings,Get Latest Query,Legfrissebb lekérdezés DocType: Employee Incentive,Employee Incentive,Munkavállalói ösztönzés +DocType: Service Level,Priorities,prioritások apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Adjon hozzá kártyákat vagy egyedi részeket a honlapon DocType: Homepage,Hero Section Based On,Hős szekció alapja DocType: Project,Total Purchase Cost (via Purchase Invoice),A teljes vásárlási költség (a vásárlási számlán keresztül) @@ -1446,7 +1458,7 @@ DocType: Work Order,Manufacture against Material Request,Előállítás az anyag DocType: Blanket Order Item,Ordered Quantity,Rendelt mennyiség apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},# {0} sor: Elutasított raktár kötelező az {1} elutasított elem ellen ,Received Items To Be Billed,Fogadott tételeket kell feltölteni -DocType: Salary Slip Timesheet,Working Hours,Munkaórák +DocType: Attendance,Working Hours,Munkaórák apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Fizetési mód apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,A vásárlási megrendelés nem érkezett időben apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Időtartam napokban @@ -1565,7 +1577,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,A DocType: Supplier,Statutory info and other general information about your Supplier,A beszállítóval kapcsolatos törvényes információk és egyéb általános információk DocType: Item Default,Default Selling Cost Center,Alapértelmezett eladási költségközpont DocType: Sales Partner,Address & Contacts,Cím és névjegy -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 sorozatot a résztvevők számára a Setup> Numbering Series segítségével" DocType: Subscriber,Subscriber,Előfizető apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) nincs raktáron apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Először válassza ki a Közzététel dátuma lehetőséget @@ -1576,7 +1587,7 @@ DocType: Project,% Complete Method,% Teljes módszer DocType: Detected Disease,Tasks Created,Létrehozott feladatok apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Az alapértelmezett BOM-nak ({0}) aktívnak kell lennie ehhez az elemhez vagy annak sablonjához apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,A Bizottság aránya% -DocType: Service Level,Response Time,Válaszidő +DocType: Service Level Priority,Response Time,Válaszidő DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce beállítások apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,A mennyiségnek pozitívnak kell lennie DocType: Contract,CRM,CRM @@ -1593,7 +1604,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Kórházi látogatás d DocType: Bank Statement Settings,Transaction Data Mapping,Tranzakciós adatok leképezése apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,A vezetőnek szüksége van egy személy nevére vagy egy szervezet nevére DocType: Student,Guardians,Guardians -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ónevezési rendszert az oktatásban> Oktatási beállítások" apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Márka kiválasztása ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Közepes bevétel DocType: Shipping Rule,Calculate Based On,Számítsa ki az alapértéket @@ -1630,6 +1640,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Állítson be egy c apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},{0} jelenléti rekord létezik a Student {1} ellen apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,A tranzakció dátuma apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Feliratkozás visszavonása +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nem sikerült beállítani a szolgáltatási szint megállapodást {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Nettó fizetés összege DocType: Account,Liability,Felelősség DocType: Employee,Bank A/C No.,Bank A / C szám @@ -1695,7 +1706,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Nyersanyag-kód apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,A vásárlási számla {0} már benyújtott DocType: Fees,Student Email,Diák e-mail -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},A BOM rekurzió: {0} nem lehet szülő vagy gyermek {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Elemek beszerzése az egészségügyi szolgáltatásokból apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,A {0} készletrészlet nem kerül benyújtásra DocType: Item Attribute Value,Item Attribute Value,Elem attribútum értéke @@ -1720,7 +1730,6 @@ DocType: POS Profile,Allow Print Before Pay,Nyomtatás engedélyezése fizetés DocType: Production Plan,Select Items to Manufacture,Jelölje ki az előállítandó elemeket DocType: Leave Application,Leave Approver Name,Hagyja jóvá az engedélyező nevét DocType: Shareholder,Shareholder,Részvényes -DocType: Issue,Agreement Status,Megállapodás állapota apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Alapértelmezett beállítások az ügyletek eladásához. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Kérjük, válassza ki a diákok felvételét, amely a fizetett hallgató számára kötelező" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Válassza a BOM lehetőséget @@ -1980,6 +1989,7 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,4. tétel DocType: Account,Income Account,Jövedelemszámla apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Minden raktár DocType: Contract,Signee Details,Címzett adatai +DocType: Shift Type,Allow check-out after shift end time (in minutes),Hagyja ki a kijelentkezést a műszak vége után (percben) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Beszerzés DocType: Item Group,Check this if you want to show in website,"Ellenőrizze, hogy szeretné-e megjeleníteni a webhelyen" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,A {0} költségvetési év nem található @@ -2046,6 +2056,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Értékcsökkenési kezdési DocType: Activity Cost,Billing Rate,Számlázási arány apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Figyelmeztetés: {0} # {1} áll fenn a {2} készletrészlet ellen apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Az útvonalak becsléséhez és optimalizálásához engedélyezze a Google Térkép beállításait +DocType: Purchase Invoice Item,Page Break,Oldaltörés DocType: Supplier Scorecard Criteria,Max Score,Max. Pontszám apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,A visszafizetés kezdő dátuma nem lehet kifizetési dátum előtt. DocType: Support Search Source,Support Search Source,Támogatás keresés forrása @@ -2114,6 +2125,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Minőségi célkitűzés DocType: Employee Transfer,Employee Transfer,Munkavállalói transzfer ,Sales Funnel,Értékesítési csatorna DocType: Agriculture Analysis Criteria,Water Analysis,Vízelemzés +DocType: Shift Type,Begin check-in before shift start time (in minutes),Indítsa el a bejelentkezést a műszak kezdete előtt (percben) DocType: Accounts Settings,Accounts Frozen Upto,Fagyasztott számlák apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Nincs mit szerkeszteni. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","A {0} művelet hosszabb, mint a munkaállomás {1} rendelkezésre álló munkaideje, a műveletet több műveletre bonthatja" @@ -2127,7 +2139,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Kés apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},{0} értékesítési rend {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Késedelmes fizetés (nap) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Adja meg az értékcsökkenés részleteit +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Ügyfél PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,A várt szállítási dátumnak meg kell felelnie az értékesítési rendelés dátumának +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,A tétel mennyisége nem lehet nulla apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Érvénytelen attribútum apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},"Kérjük, válassza a BOM elemet a {0} elemhez képest" DocType: Bank Statement Transaction Invoice Item,Invoice Type,Számla típusa @@ -2137,6 +2151,7 @@ DocType: Maintenance Visit,Maintenance Date,Karbantartási dátum DocType: Volunteer,Afternoon,Délután DocType: Vital Signs,Nutrition Values,Táplálkozási értékek DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Láz jelenléte (temp> 38,5 ° C / 101,3 ° F vagy tartós temp> 38 ° C / 100,4 ° F)" +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ói elnevezési rendszert az emberi erőforrásokban> HR beállítások" apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC megfordítva DocType: Project,Collect Progress,Gyűjtsön előrehaladást apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energia @@ -2187,6 +2202,7 @@ DocType: Setup Progress,Setup Progress,A haladás beállítása ,Ordered Items To Be Billed,Rendelhető tételek a számlázásra DocType: Taxable Salary Slab,To Amount,Összeg DocType: Purchase Invoice,Is Return (Debit Note),Visszatérés (Debit Megjegyzés) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Ügyfél> Ügyfélcsoport> Terület apps/erpnext/erpnext/config/desktop.py,Getting Started,Elkezdeni apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Összeolvad apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,A költségvetési év elmentése után a költségvetési év kezdő dátumát és a pénzügyi év végi dátumát nem lehet megváltoztatni. @@ -2205,8 +2221,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Jelenlegi dátum apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},A karbantartás kezdő dátuma nem lehet a {0} sz. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,{0} sor: Az árfolyam kötelező DocType: Purchase Invoice,Select Supplier Address,Válassza a Beszállítói cím lehetőséget +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","A rendelkezésre álló mennyiség {0}, {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,"Kérjük, adja meg az API fogyasztói titkot" DocType: Program Enrollment Fee,Program Enrollment Fee,Programbejegyzési díj +DocType: Employee Checkin,Shift Actual End,Shift Actual End DocType: Serial No,Warranty Expiry Date,Garancia lejárati ideje DocType: Hotel Room Pricing,Hotel Room Pricing,Hotel szoba árazás apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Külső adóköteles szállítmányok (nulla minősítésű, nulla minősítésű és mentesített)" @@ -2266,6 +2284,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Olvasás 5 DocType: Shopping Cart Settings,Display Settings,Megjelenítési beállítások apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Kérjük, állítsa be a lefoglalt értékcsökkenések számát" +DocType: Shift Type,Consequence after,Következmény után apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Mivel kapcsolatban van szükséged segítségre? DocType: Journal Entry,Printing Settings,Nyomtatási beállítások apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banki @@ -2275,6 +2294,7 @@ DocType: Purchase Invoice Item,PR Detail,PR részletek apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,A számlázási cím megegyezik a Szállítási címvel DocType: Account,Cash,Készpénz DocType: Employee,Leave Policy,Elhagyási irányelv +DocType: Shift Type,Consequence,Következmény apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Diák címe DocType: GST Account,CESS Account,CESS fiók apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Költségközpont szükséges a „Profit and Loss” fiókhoz {2}. Kérjük, állítson be egy alapértelmezett költségközpontot a vállalat számára." @@ -2339,6 +2359,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN kód DocType: Period Closing Voucher,Period Closing Voucher,Időszak záró kuponja apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 név apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,"Kérjük, adja meg a költségszámlát" +DocType: Issue,Resolution By Variance,Felbontás varianciával DocType: Employee,Resignation Letter Date,Lemondási levél dátuma DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Részvétel a dátumra @@ -2351,6 +2372,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Nézd meg most DocType: Item Price,Valid Upto,Érvényes apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},A Hivatkozás típusának {0} +DocType: Employee Checkin,Skip Auto Attendance,Átugrani az automatikus részvételt DocType: Payment Request,Transaction Currency,Tranzakció pénzneme DocType: Loan,Repayment Schedule,Visszatérítési ütemezés apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Készítsen minta-visszatartó készlet bejegyzést @@ -2422,6 +2444,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Fizetési struk DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS záró utalványadók apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Kezdeményezett művelet DocType: POS Profile,Applicable for Users,Alkalmazható a felhasználókra +,Delayed Order Report,Késleltetett rendelés jelentés DocType: Training Event,Exam,Vizsga apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,"Helytelen számú főkönyvi bejegyzés található. Lehet, hogy egy rossz fiókot választott a tranzakcióban." apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Értékesítési csővezeték @@ -2436,10 +2459,11 @@ DocType: Account,Round Off,Befejez DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,A feltételek az összes kiválasztott elemre vonatkoznak. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Beállítás DocType: Hotel Room,Capacity,Kapacitás +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Telepített mennyiség apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,{1} {0} tétel {{}} le van tiltva. DocType: Hotel Room Reservation,Hotel Reservation User,Hotelfoglalási felhasználó -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,A munkanap kétszer megismétlődött +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Már létezik a szolgáltatási szint megállapodás a {0} entitás típusával és az {1} entitással. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},A (z) {0} tételhez tartozó elemcsoportban nem említett elemcsoport apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Névhiba: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Terület szükséges a POS profilban @@ -2485,6 +2509,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Ütemezés dátuma DocType: Packing Slip,Package Weight Details,A csomag súlya DocType: Job Applicant,Job Opening,Üresedés +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Utolsó ismert sikeres munkavállalói ellenőrzés. Ezt csak akkor állítsa vissza, ha biztos abban, hogy az összes napló szinkronizálva van az összes helyről. Kérjük, ne módosítsa ezt, ha nem biztos benne." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Tényleges költség apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,A frissített elemváltozatok DocType: Item,Batch Number Series,Kötegszám sorozat @@ -2527,6 +2552,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Referencia beszerzési á apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Get Invocies DocType: Tally Migration,Is Day Book Data Imported,A napi könyvadatok importálása ,Sales Partners Commission,Értékesítési partnerek Bizottsága +DocType: Shift Type,Enable Different Consequence for Early Exit,Különböző következmények engedélyezése a korai kilépéshez apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Jogi DocType: Loan Application,Required by Date,Kötelező dátum DocType: Quiz Result,Quiz Result,Kvíz eredménye @@ -2586,7 +2612,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Pénzügy DocType: Pricing Rule,Pricing Rule,Árképzési szabály apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Nem kötelező szabadnapok listája {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,"Kérjük, állítsa be a Felhasználói azonosító mezőt az Alkalmazói rekordban az Alkalmazói szerep beállításához" -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Ideje megoldani DocType: Training Event,Training Event,Képzési esemény DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","A normál nyugalmi vérnyomás egy felnőttnél kb. 120 mmHg szisztolés és 80 mmHg diasztolés, rövidítve "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Ha a határérték nulla, akkor a rendszer beírja az összes bejegyzést." @@ -2629,6 +2654,7 @@ DocType: Woocommerce Settings,Enable Sync,Szinkronizálás engedélyezése DocType: Student Applicant,Approved,Jóváhagyott apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},"A dátumtól a költségvetési éven belül kell lennie. Feltételezve, hogy dátum = {0}" 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 Szállítói csoportot a Vásárlási beállítások menüben." +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} érvénytelen részvételi állapot. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Ideiglenes nyitószámla DocType: Purchase Invoice,Cash/Bank Account,Készpénz / bankszámla DocType: Quality Meeting Table,Quality Meeting Table,Minőségi találkozó táblázat @@ -2664,6 +2690,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Élelmiszer, ital és dohány" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Tanfolyamterv DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Tétel Wise Tax Detail +DocType: Shift Type,Attendance will be marked automatically only after this date.,A jelenlét csak a dátum után kerül automatikusan megjelölésre. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,UIN tartókhoz készült kellékek apps/erpnext/erpnext/hooks.py,Request for Quotations,Ajánlatkérés apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,"A valutát nem lehet megváltoztatni, ha valaki más pénznemet használ" @@ -2711,7 +2738,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Az elem a Hubból származik apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Minőségi eljárás. DocType: Share Balance,No of Shares,Részvények száma -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),{0} sor: A {4} raktáron {1} nem áll rendelkezésre a bejegyzés időpontjában ({2} {3}) DocType: Quality Action,Preventive,Megelőző DocType: Support Settings,Forum URL,Fórum URL apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Munkavállaló és részvétel @@ -2933,7 +2959,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Kedvezmény típusa DocType: Hotel Settings,Default Taxes and Charges,Alapértelmezett adók és díjak apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Ez a szállítóval szembeni tranzakciókon alapul. A részleteket lásd az alábbi idővonalon apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},A munkavállaló {0} maximális juttatási összege meghaladja a {1} -t -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Adja meg a megállapodás kezdő- és befejezési dátumát. DocType: Delivery Note Item,Against Sales Invoice,Értékesítési számla ellen DocType: Loyalty Point Entry,Purchase Amount,Vásárlási mennyiség apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Nem lehet beállítani a Lost as Sales Order-t. @@ -2957,7 +2982,7 @@ DocType: Homepage,"URL for ""All Products""",URL az "Összes termék" DocType: Lead,Organization Name,Szervezet neve apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Az érvényes mezők és érvényes mezők érvényesek a kumulatív értékekhez apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},# {0} sor: A kötegszámnak meg kell egyeznie a {1} {2} -DocType: Employee,Leave Details,Hagyja a részleteket +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,A {0} előtti tőzsdei tranzakciók befagyasztása DocType: Driver,Issuing Date,Kiadási dátum apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Igénylő @@ -3002,9 +3027,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Cash Flow Mapping sablon részletei apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Toborzás és képzés DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Az automatikus látogatásra vonatkozó türelmi idő beállításai apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,A pénznem és a pénznem között nem lehet ugyanaz apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Gyógyszeripar DocType: Employee,HR-EMP-,HR-EMP +DocType: Service Level,Support Hours,Támogatási órák apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} törlésre vagy zárásra kerül apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,{0} sor: Az Ügyfél előtti előleg hitelnek kell lennie apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Csoport szerinti utalvány (konszolidált) @@ -3114,6 +3141,7 @@ DocType: Asset Repair,Repair Status,Javítási állapot DocType: Territory,Territory Manager,Területi menedzser DocType: Lab Test,Sample ID,Minta azonosító apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,A kosár üres +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,A jelenlétet az alkalmazottak bejelentkezésekor jelölték meg apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,{0} eszközt kell benyújtani ,Absent Student Report,Nincs hallgatói jelentés apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,A bruttó nyereségben szerepel @@ -3121,7 +3149,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,A DocType: Travel Request Costing,Funded Amount,Támogatott összeg apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nem érkezett be, így a művelet nem fejezhető be" DocType: Subscription,Trial Period End Date,Próbaidő vége +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Az IN és OUT bejegyzések váltása ugyanabban a műszakban DocType: BOM Update Tool,The new BOM after replacement,Az új BOM csere után +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Szállító> Szállító típusa apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,5. tétel DocType: Employee,Passport Number,Útlevél száma apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Ideiglenes nyitás @@ -3236,6 +3266,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Kulcsjelentések apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Lehetséges szállító ,Issued Items Against Work Order,A munka rendje ellen kiadott tételek apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} Számla létrehozása +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ónevezési rendszert az oktatásban> Oktatási beállítások" DocType: Student,Joining Date,Csatlakozási dátum apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Igénylő webhely DocType: Purchase Invoice,Against Expense Account,Költségszámla ellen @@ -3275,6 +3306,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Alkalmazható díjak ,Point of Sale,Az értékesítés helyén DocType: Authorization Rule,Approving User (above authorized value),Felhasználó jóváhagyása (engedélyezett érték felett) +DocType: Service Level Agreement,Entity,Entity apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{0} {1} összeg átutalása a {2} -ból {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},A (z) {0} ügyfél nem tartozik a {1} projekthez apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,A fél neve @@ -3321,6 +3353,7 @@ DocType: Asset,Opening Accumulated Depreciation,Kumulált értékcsökkenés meg DocType: Soil Texture,Sand Composition (%),Homokösszetétel (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,A napi könyvadatok importálása +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Kérjük, állítsa a Naming Series-et {0} -ra a Setup> Settings> Naming Series menüpontban" DocType: Asset,Asset Owner Company,Asset Owner Company apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,A költségköltség-követelés költségkönyve szükséges apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} érvényes {1} sorozatszámú sorozatszám @@ -3380,7 +3413,6 @@ DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Could not solve weighted score function. Make sure the formula is valid.,"Nem sikerült megoldani a súlyozott pontszámot. Győződjön meg róla, hogy a képlet érvényes." DocType: Asset,Asset Owner,Eszköz tulajdonos DocType: Stock Entry,Total Additional Costs,Összes kiegészítő költség -DocType: Marketplace Settings,Last Sync On,Utolsó szinkronizálás apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Adjon meg legalább egy sort az Adók és díjak táblázatban DocType: Asset Maintenance Team,Maintenance Team Name,Karbantartási csapat neve apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Költségközpontok diagramja @@ -3396,12 +3428,12 @@ DocType: Sales Order Item,Work Order Qty,Munkaszervezési mennyiség DocType: Job Card,WIP Warehouse,WIP raktár DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},A (z) {0} alkalmazottnak nem megadott felhasználói azonosítója -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","A rendelkezésre álló mennyiség {0}, {1} szükséges" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,{0} felhasználó létrehozott DocType: Stock Settings,Item Naming By,Elem elnevezése apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Rendezett apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,"Ez egy root ügyfélcsoport, és nem szerkeszthető." apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,A (z) {0} anyag kérése törlődik vagy leáll +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Szigorúan az alkalmazott Checkin-ben szereplő naplótípus alapján DocType: Purchase Order Item Supplied,Supplied Qty,Szállított mennyiség DocType: Cash Flow Mapper,Cash Flow Mapper,Cash Flow Mapper DocType: Soil Texture,Sand,Homok @@ -3460,6 +3492,7 @@ DocType: Lab Test Groups,Add new line,Új sor hozzáadása apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,A tételcsoport táblázatban található ismétlődő elemcsoport apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Éves fizetés DocType: Supplier Scorecard,Weighting Function,Súlyfüggvé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ó: {2} elemnél apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Hiba a kritérium képlet értékelése során ,Lab Test Report,Laboratóriumi vizsgálati jelentés DocType: BOM,With Operations,Műveletekkel @@ -3473,6 +3506,7 @@ DocType: Expense Claim Account,Expense Claim Account,Költségkifizetési fiók apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,A naplóbejegyzéshez nem áll rendelkezésre visszatérítés apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} inaktív diák apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Készítsen tőzsdei bejegyzést +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},A BOM rekurzió: {0} nem lehet {1} szülő vagy gyermek DocType: Employee Onboarding,Activities,Tevékenységek apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Az Atleast egy raktár kötelező ,Customer Credit Balance,Ügyfélhitel egyenlege @@ -3485,9 +3519,11 @@ DocType: Supplier Scorecard Period,Variables,változók apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,"Többszöri hűségprogram az Ügyfél számára. Kérjük, válassza ki kézzel." DocType: Patient,Medication,Gyógyszer apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Válassza ki a hűségprogramot +DocType: Employee Checkin,Attendance Marked,Kijelölt részvétel apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Nyersanyagok DocType: Sales Order,Fully Billed,Teljesen számlázott 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 Hotel szobaárát {}" +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Válasszon csak egy prioritást alapértelmezettként. 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ítson / hozzon létre fiókot (Ledger) típushoz - {0}" 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: Purchase Invoice Item,Is Fixed Asset,A fix eszköz @@ -3508,6 +3544,7 @@ DocType: Purpose of Travel,Purpose of Travel,Utazás célja DocType: Healthcare Settings,Appointment Confirmation,Kinevezés megerősítése DocType: Shopping Cart Settings,Orders,rendelés DocType: HR Settings,Retirement Age,Nyugdíjas kor +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 sorozatot a résztvevők számára a Setup> Numbering Series segítségével" apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Tervezett mennyiség apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Törlés nem megengedett országban {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},# {0} sor: Az {1} eszköz már {2} @@ -3590,11 +3627,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Könyvelő apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS záró utalvány alreday létezik {0} között a dátum {1} és {2} között apps/erpnext/erpnext/config/help.py,Navigating,Navigáció +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Nincs fennálló számla árfolyam-átértékelés DocType: Authorization Rule,Customer / Item Name,Ügyfél / elem neve apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Az új sorozatszám nem lehet raktár. A raktárkészletet tőzsdei belépéssel vagy beszerzési nyugtával kell meghatározni DocType: Issue,Via Customer Portal,Ügyfélportálon keresztül DocType: Work Order Operation,Planned Start Time,Tervezett kezdési idő apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} {2} +DocType: Service Level Priority,Service Level Priority,Szolgáltatási szint prioritás apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,"A lefoglalt értékcsökkenések száma nem lehet nagyobb, mint az összes értékcsökkenés" apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Ledger megosztása DocType: Journal Entry,Accounts Payable,Kifizetendő számlák @@ -3704,7 +3743,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Küldemény a részére DocType: Bank Statement Transaction Settings Item,Bank Data,Bankadatok apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Ütemezett Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,A számlázási órák és a munkaidő megtartása ugyanaz a naplóban apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Vezető források vezetése. DocType: Clinical Procedure,Nursing User,Szoptató felhasználó DocType: Support Settings,Response Key List,Válaszkulcs-lista @@ -3872,6 +3910,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Aktuális kezdési idő DocType: Antibiotic,Laboratory User,Laboratóriumi felhasználó apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Online aukciók +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,A {0} prioritás megismétlődött. DocType: Fee Schedule,Fee Creation Status,Díj létrehozásának állapota apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,szoftverek apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Értékesítési megbízás fizetésre @@ -3938,6 +3977,7 @@ DocType: Patient Encounter,In print,Nyomtatásban apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Nem sikerült letölteni az adatokat a {0} számára. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,A számlázási pénznemnek meg kell egyeznie az alapértelmezett vállalati pénznem vagy félszámla pénznemével apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,"Kérjük, adja meg az értékesítési személy munkavállalói azonosítóját" +DocType: Shift Type,Early Exit Consequence after,Korai kilépés következménye után apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Nyitó értékesítési és vásárlási számlák létrehozása DocType: Disease,Treatment Period,Kezelési időszak apps/erpnext/erpnext/config/settings.py,Setting up Email,E-mail beállítása @@ -3955,7 +3995,6 @@ DocType: Employee Skill Map,Employee Skills,Alkalmazott készségek apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Tanuló név: DocType: SMS Log,Sent On,Elküldött DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Számla -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,"A válaszidő nem lehet nagyobb, mint a felbontási idő" DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",A kurzus alapú hallgatói csoport esetében a kurzus minden tanuló számára érvényes lesz a beiratkozott kurzusokból a programrögzítés során. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Államon belüli ellátás DocType: Employee,Create User Permission,Felhasználói engedély létrehozása @@ -3994,6 +4033,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Az értékesítés vagy a vásárlás standard szerződéses feltételei. DocType: Sales Invoice,Customer PO Details,Ügyfél PO részletei apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,A beteg nem található +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Válassza ki az alapértelmezett prioritást. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Elem eltávolítása, ha a díjak nem vonatkoznak az adott elemre" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Az Ügyfélcsoport azonos névvel rendelkezik, kérjük, változtassa meg az Ügyfél nevét, vagy nevezze át az Ügyfélcsoportot" 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. @@ -4032,6 +4072,7 @@ DocType: Quality Goal,Quality Goal,Minőségi cél DocType: Support Settings,Support Portal,Támogatási portál apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},"A {0} feladat vége nem lehet kevesebb, mint {1} várható kezdő dátum {2}" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},A {0} alkalmazott a (z) {1} helyen van +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 az {0} ügyfélre vonatkozik DocType: Employee,Held On,Tartott DocType: Healthcare Practitioner,Practitioner Schedules,Gyakorlói ütemezések DocType: Project Template Task,Begin On (Days),Kezdje (nap) @@ -4039,6 +4080,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},A munka rendje {0} DocType: Inpatient Record,Admission Schedule Date,Felvételi ütemezés dátuma apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Eszközérték beállítása +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Jelölje be a jelenlétet a „Munkavállalói ellenőrzés” alapján az alkalmazottakra, akiket ez a váltás rendelt." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,A nem regisztrált személyeknek nyújtott termékek apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Minden munkahely DocType: Appointment Type,Appointment Type,Kinevezés típusa @@ -4152,7 +4194,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),A csomag bruttó súlya. Általában nettó tömeg + csomagolóanyag tömeg. (nyomtatásra) DocType: Plant Analysis,Laboratory Testing Datetime,Laboratóriumi tesztelés Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,A {0} tétel nem tartalmaz Batch-et -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Értékesítési csővezeték szakaszonként apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Diákcsoport erőssége DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bankszámla-tranzakciós bejegyzés DocType: Purchase Order,Get Items from Open Material Requests,Nyissa meg a nyílt anyagkérelmek elemeit @@ -4234,7 +4275,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Életkori raktár-bölcsesség DocType: Sales Invoice,Write Off Outstanding Amount,Írja le a kiemelkedő összeget DocType: Payroll Entry,Employee Details,Munkavállalói adatok -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,"A Start Time nem lehet nagyobb, mint a {0} vége." DocType: Pricing Rule,Discount Amount,Kedvezmény mértéke DocType: Healthcare Service Unit Type,Item Details,Elem részletei apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js,From Delivery Note,Szállítási megjegyzésből @@ -4286,7 +4326,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,A nettó fizetés nem lehet negatív apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Az interakciók száma 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 {0} # tétel {1} sorát nem lehet több mint {2} átvenni a vásárlási megrendelés ellen {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Váltás +DocType: Attendance,Shift,Váltás apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Számlák és felek feldolgozása DocType: Stock Settings,Convert Item Description to Clean HTML,Az elemleírás átalakítása tiszta HTML-re apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Minden szállítócsoport @@ -4357,6 +4397,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Munkavállal DocType: Healthcare Service Unit,Parent Service Unit,Szülői szerviz egység DocType: Sales Invoice,Include Payment (POS),Fizetés (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Magántőke +DocType: Shift Type,First Check-in and Last Check-out,Első bejelentkezés és utolsó kijelentkezés DocType: Landed Cost Item,Receipt Document,Fogadási dokumentum DocType: Supplier Scorecard Period,Supplier Scorecard Period,Szállítói eredményjelző időszak DocType: Employee Grade,Default Salary Structure,Alapértelmezett fizetési struktúra @@ -4439,6 +4480,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Vásárlási megbízás létrehozása apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Határozza meg a pénzügyi év költségvetését. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,A fiókok nem lehetnek üresek. +DocType: Employee Checkin,Entry Grace Period Consequence,Belépési türelmi idő következménye ,Payment Period Based On Invoice Date,Fizetési időszak a számlázási napon apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},A telepítés dátuma nem lehet a {0} tételhez tartozó szállítási dátum előtt apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Hivatkozás az anyagkérésre @@ -4447,6 +4489,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mappázott ad apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},{0} sor: A raktárban már létezik egy átrendezési bejegyzés {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dátum dátuma DocType: Monthly Distribution,Distribution Name,Elosztási név +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,A munkanap {0} megismétlődött. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Csoport a nem csoporthoz apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Frissítés folyamatban. Ez eltarthat egy ideig. DocType: Item,"Example: ABCD.##### @@ -4459,6 +4502,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Üzemanyag-mennyiség apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobil No DocType: Invoice Discounting,Disbursed,folyósított +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"A műszak vége után eltelt idő, amely alatt a kijelentkezést figyelembe veszik." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,A számlák nettó változása apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Nem elérhető apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Részidő @@ -4472,7 +4516,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Lehetsé apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,PDC megjelenítése a Nyomtatásban apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Szállító DocType: POS Profile User,POS Profile User,POS profil felhasználó -DocType: Student,Middle Name,Középső név DocType: Sales Person,Sales Person Name,Értékesítési személy neve DocType: Packing Slip,Gross Weight,Bruttó súly DocType: Journal Entry,Bill No,Bill No @@ -4481,7 +4524,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Új h DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-vlog-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Szolgáltatási szint Megállapodás -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,"Kérjük, először válassza az Alkalmazott és a Dátum lehetőséget" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,"Az elemértékelési ráta újraszámításra kerül, figyelembe véve a kirakodott költség utalvány összegét" DocType: Timesheet,Employee Detail,Munkavállalói részletek DocType: Tally Migration,Vouchers,Az utalványok @@ -4516,7 +4558,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Szolgáltatási DocType: Additional Salary,Date on which this component is applied,A komponens alkalmazásának dátuma apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Az elérhető részvényesek listája a fóliószámokkal apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Gateway-fiókok beállítása. -DocType: Service Level,Response Time Period,Válaszidő +DocType: Service Level Priority,Response Time Period,Válaszidő DocType: Purchase Invoice,Purchase Taxes and Charges,Vásárlási adók és díjak DocType: Course Activity,Activity Date,Tevékenység dátuma apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Új ügyfél kiválasztása vagy hozzáadása @@ -4541,6 +4583,7 @@ DocType: Sales Person,Select company name first.,Először válassza ki a cég n apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Pénzügyi év DocType: Sales Invoice Item,Deferred Revenue,Halasztott bevételek apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Az Atleast egyik eladási vagy vásárlási lehetőséget ki kell választani +DocType: Shift Type,Working Hours Threshold for Half Day,Munkaidő küszöb a félnapra ,Item-wise Purchase History,Elem-vásárlási történet apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},A (z) {0} sorban lévő elemre vonatkozó szolgáltatás leállítási dátumát nem lehet megváltoztatni DocType: Production Plan,Include Subcontracted Items,Tartalmazza az alvállalkozásba tartozó elemeket @@ -4572,6 +4615,7 @@ DocType: Journal Entry,Total Amount Currency,Összes összeg pénznem DocType: BOM,Allow Same Item Multiple Times,Ugyanazon tétel többszörös engedélyezése apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,BOM létrehozása DocType: Healthcare Practitioner,Charges,díjak +DocType: Employee,Attendance and Leave Details,Részvétel és távozás részletei DocType: Student,Personal Details,Személyes adatok DocType: Sales Order,Billing and Delivery Status,Számlázási és szállítási státusz apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,{0} sor: A szállítónak {0} az e-mail címre van szükség az e-mail küldéséhez @@ -4623,7 +4667,6 @@ DocType: Bank Guarantee,Supplier,Támogató apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Adja meg a {0} és {1} DocType: Purchase Order,Order Confirmation Date,A megrendelés megerősítésének dátuma DocType: Delivery Trip,Calculate Estimated Arrival Times,Számítsa ki a becsült érkezési időket -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ói elnevezési rendszert az emberi erőforrásokban> HR beállítások" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Elfogyasztható DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Előfizetés kezdő dátuma @@ -4645,7 +4688,7 @@ DocType: Installation Note Item,Installation Note Item,Telepítési Megjegyzés DocType: Journal Entry Account,Journal Entry Account,Naplóbejegyzés-fiók apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Változat apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Fórum tevékenység -DocType: Service Level,Resolution Time Period,Felbontási idő +DocType: Service Level Priority,Resolution Time Period,Felbontási idő DocType: Request for Quotation,Supplier Detail,Beszállítói részletek DocType: Project Task,View Task,Feladat megtekintése DocType: Serial No,Purchase / Manufacture Details,Vásárlási / gyártási részletek @@ -4712,6 +4755,7 @@ DocType: Sales Invoice,Commission Rate (%),Bizottsági arány (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,A raktár csak a tőzsdei bejegyzések / szállítási jegyzetek / vásárlási nyugták segítségével módosítható DocType: Support Settings,Close Issue After Days,Zárja be a problémát a napok után DocType: Payment Schedule,Payment Schedule,Fizetési ütemterv +DocType: Shift Type,Enable Entry Grace Period,Belépési türelmi időszak engedélyezése DocType: Patient Relation,Spouse,Házastárs DocType: Purchase Invoice,Reason For Putting On Hold,A letiltás oka DocType: Item Attribute,Increment,Növekedés @@ -4850,6 +4894,7 @@ DocType: Authorization Rule,Customer or Item,Ügyfél vagy elem DocType: Vehicle Log,Invoice Ref,Számla ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},A C-űrlap nem érvényes a Számla: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Létrehozott számla +DocType: Shift Type,Early Exit Grace Period,Korai kilépési türelmi idő DocType: Patient Encounter,Review Details,Részletek megtekintése apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,{0} sor: Az óra értékének nullánál nagyobbnak kell lennie. DocType: Account,Account Number,Számlaszám @@ -4861,7 +4906,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Alkalmazható, ha a vállalat SpA, SApA vagy SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Átfedő feltételek: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Fizetett és nem szállított -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Az elemkód kötelező, mert az elem nem számozódik automatikusan" DocType: GST HSN Code,HSN Code,HSN kód DocType: GSTR 3B Report,September,szeptember apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Igazgatási költségek @@ -4897,6 +4941,8 @@ DocType: Travel Itinerary,Travel From,Utazás innen: apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP-fiók DocType: SMS Log,Sender Name,Küldő neve DocType: Pricing Rule,Supplier Group,Szállítói csoport +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Az {1} indexben a kezdőnap és a végső idő beállítása {0} DocType: Employee,Date of Issue,Kiadás dátuma ,Requested Items To Be Transferred,A kért átutalandó elemek DocType: Employee,Contract End Date,Szerződés vége @@ -4907,6 +4953,7 @@ DocType: Healthcare Service Unit,Vacant,Üres DocType: Opportunity,Sales Stage,Értékesítési szakasz DocType: Sales Order,In Words will be visible once you save the Sales Order.,A Szavakban az értékesítési megbízás mentése után látható lesz. DocType: Item Reorder,Re-order Level,Rendezze újra a szintet +DocType: Shift Type,Enable Auto Attendance,Automatikus részvétel engedélyezése apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Előnyben ,Department Analytics,Osztályelemzés DocType: Crop,Scientific Name,Tudományos név @@ -4919,6 +4966,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} állapot {2} DocType: Quiz Activity,Quiz Activity,Kvíz tevékenység apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} nincs érvényes bérszámfejtési időszakban DocType: Timesheet,Billed,A számlázott +apps/erpnext/erpnext/config/support.py,Issue Type.,Probléma típus. DocType: Restaurant Order Entry,Last Sales Invoice,Utolsó értékesítési számla DocType: Payment Terms Template,Payment Terms,Fizetési feltételek apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Fenntartva Mennyiség: Eladó, de nem szállított mennyiség." @@ -5014,6 +5062,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,vagyontárgy apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} nincs egészségügyi szakember ütemezése. Adja hozzá az Egészségügyi szakember mesternek DocType: Vehicle,Chassis No,Alvázszám: +DocType: Employee,Default Shift,Alapértelmezett váltás apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Cég rövidítése apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Anyagjegyzék DocType: Article,LMS User,LMS felhasználó @@ -5062,6 +5111,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Szülői értékesítési személy DocType: Student Group Creation Tool,Get Courses,Tanfolyamok 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} sor: A mennyiségnek 1-nek kell lennie, mivel az elem egy állandó eszköz. Kérjük, használja a külön sor több tételt." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Azok a munkaidők, amelyek alatt a hiányzik. (Zero letiltásra)" DocType: Customer Group,Only leaf nodes are allowed in transaction,Csak a levélcsomópontok engedélyezettek a tranzakcióban DocType: Grant Application,Organization,Szervezet DocType: Fee Category,Fee Category,Díjkategória @@ -5074,6 +5124,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,"Kérjük, frissítse a képzési esemény állapotát" DocType: Volunteer,Morning,Reggel DocType: Quotation Item,Quotation Item,Idézet tétel +apps/erpnext/erpnext/config/support.py,Issue Priority.,Issue Priority. DocType: Journal Entry,Credit Card Entry,Hitelkártya bejegyzés DocType: Journal Entry Account,If Income or Expense,Ha jövedelem vagy költség DocType: Work Order Operation,Work Order Operation,Munkarendelés @@ -5123,11 +5174,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Adatok importálása és beállítása 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 bekapcsolás be van jelölve, akkor az ügyfelek automatikusan kapcsolódnak az érintett hűségprogramhoz (mentve)" DocType: Account,Expense Account,Költségszámla +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"A műszak kezdete előtti idő, amely alatt az alkalmazottak bejelentkezését figyelembe veszik." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Kapcsolat a Guardian1-vel apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Számla létrehozása apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},A fizetési kérelem már létezik {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',A {0} -on felszabadult alkalmazottat „Balra” kell állítani apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Fizessen {0} {1} +DocType: Company,Sales Settings,Értékesítési beállítások DocType: Sales Order Item,Produced Quantity,Gyártott mennyiség apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Az ajánlatkérés az alábbi linkre kattintva érhető el DocType: Monthly Distribution,Name of the Monthly Distribution,A havi forgalmazás neve @@ -5206,6 +5259,7 @@ DocType: Company,Default Values,Alapértelmezett értékek apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Az értékesítés és a vásárlás alapértelmezett adósablonjai jönnek létre. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,A {0} típusú távozás nem továbbítható apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,A terhelésszámlához egy követelés-fióknak kell lennie +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 vége nem lehet kevesebb, mint ma." apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},"Kérjük, állítsa be a fiókot a {0} raktárban vagy az {1} vállalat alapértelmezett készlet-fiókjában" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Beállítás alapértelmezettként DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),A csomag nettó súlya. (automatikusan kiszámítva az elemek nettó tömegének összegeként) @@ -5232,8 +5286,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Lejárt tételek DocType: Shipping Rule,Shipping Rule Type,Szállítási szabálytípus DocType: Job Offer,Accepted,Elfogadott -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","A dokumentum törléséhez törölje a {0} alkalmazottat" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Már értékelte az értékelési kritériumokat {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Válassza a Kötegszámok lehetőséget apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Kor (napok) @@ -5260,6 +5312,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Válassza ki a domaineket DocType: Agriculture Task,Task Name,A feladat neve apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Készletbejegyzések már létrehozva a Megrendeléshez +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","A dokumentum törléséhez törölje a {0} alkalmazottat" ,Amount to Deliver,Kiszállítandó összeg apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,A {0} cég nem létezik apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,"Nincsenek függőben lévő anyagi kérelmek, amelyek az adott elemekhez kapcsolódnak." @@ -5309,6 +5363,7 @@ DocType: Program Enrollment,Enrolled courses,Feliratkozott kurzusok DocType: Lab Prescription,Test Code,Tesztkód DocType: Purchase Taxes and Charges,On Previous Row Total,Az előző sorban összesen DocType: Student,Student Email Address,Diák e-mail címe +,Delayed Item Report,Késleltetett elemjelentés DocType: Academic Term,Education,Oktatás DocType: Supplier Quotation,Supplier Address,Szállítói cím DocType: Salary Detail,Do not include in total,Nem tartalmazhat összesen @@ -5316,7 +5371,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nem létezik DocType: Purchase Receipt Item,Rejected Quantity,Elutasított mennyiség DocType: Cashier Closing,To TIme,Időre -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ó: {2} elemnél DocType: Daily Work Summary Group User,Daily Work Summary Group User,Napi munka összefoglaló Csoport felhasználó DocType: Fiscal Year Company,Fiscal Year Company,Pénzügyi év társaság apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Az alternatív elem nem lehet azonos az elemkóddal @@ -5368,6 +5422,7 @@ DocType: Program Fee,Program Fee,Programdíj DocType: Delivery Settings,Delay between Delivery Stops,Késleltetés a kézbesítés leállítása között DocType: Stock Settings,Freeze Stocks Older Than [Days],"Készletek fagyasztása idősebb, mint [napok]" DocType: Promotional Scheme,Promotional Scheme Product Discount,Promóciós rendszer termékkedvezménye +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,A probléma prioritás már létezik DocType: Account,Asset Received But Not Billed,"Az eszköz kapott, de nem számlázott" DocType: POS Closing Voucher,Total Collected Amount,Összesen összegyűjtött összeg DocType: Course,Default Grading Scale,Alapértelmezett osztályozási skála @@ -5410,6 +5465,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Teljesítési feltételek apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Nem csoportos csoport DocType: Student Guardian,Mother,Anya +DocType: Issue,Service Level Agreement Fulfilled,A szolgáltatási szintű megállapodás teljesült DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Adó levonása a nem igényelt munkavállalói juttatásokért DocType: Travel Request,Travel Funding,Utazási finanszírozás DocType: Shipping Rule,Fixed,Rögzített @@ -5439,10 +5495,12 @@ DocType: Item,Warranty Period (in days),Garanciaidő (napokban) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Nincs találat. DocType: Item Attribute,From Range,A tartományból DocType: Clinical Procedure,Consumables,Kellékek +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'workers_field_value' és 'timestamp' szükséges. DocType: Purchase Taxes and Charges,Reference Row #,Referencia sor # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},"Kérjük, a {0} vállalatnál állítsa be az „Eszköz-értékcsökkenési költségközpontot”" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,# {0} sor: A tranzakció befejezéséhez fizetési dokumentum szükséges DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Kattintson erre a gombra, hogy eladja az értékesítési rendelés adatait az Amazon MWS-től." +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Munkaidő, amely alatt a félnapot jelölték. (Zero letiltásra)" ,Assessment Plan Status,Értékelési terv állapota apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,"Kérjük, először válassza a {0} lehetőséget" apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Küldje el ezt az alkalmazotti rekord létrehozásához @@ -5513,6 +5571,7 @@ DocType: Quality Procedure,Parent Procedure,Szülői eljárás apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Megnyitás beállítása apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Szűrők váltása DocType: Production Plan,Material Request Detail,Anyagkérés részletei +DocType: Shift Type,Process Attendance After,Folyamatos megjelenés után DocType: Material Request Item,Quantity and Warehouse,Mennyiség és raktár apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Lépjen a Programok menübe apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},# {0} sor: Duplikált bejegyzések a {1} {2} hivatkozásokban @@ -5570,6 +5629,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Fél információk apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Adósok ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,"A mai napig nem lehet nagyobb, mint a munkavállaló megkönnyebbülésének dátuma" +DocType: Shift Type,Enable Exit Grace Period,Kilépési türelmi idő engedélyezése DocType: Expense Claim,Employees Email Id,Alkalmazottak e-mail azonosítója DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Az ár frissítése a Shopify-től az ERPNext árlistához DocType: Healthcare Settings,Default Medical Code Standard,Alapértelmezett orvosi kód szabvány @@ -5600,7 +5660,6 @@ DocType: Item Group,Item Group Name,Elemcsoport neve DocType: Budget,Applicable on Material Request,Anyagigény esetén alkalmazható DocType: Support Settings,Search APIs,Keresés API-k DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Túltermelés Az értékesítési megrendelés százalékos aránya -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Műszaki adatok DocType: Purchase Invoice,Supplied Items,Szállított elemek DocType: Leave Control Panel,Select Employees,Válassza az Alkalmazottak lehetőséget apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},A {0} hitelben válassza a kamatbevétel-számlát @@ -5626,7 +5685,7 @@ DocType: Salary Slip,Deductions,levonások ,Supplier-Wise Sales Analytics,Szállító-bölcs értékesítési elemzések DocType: GSTR 3B Report,February,február DocType: Appraisal,For Employee,Munkavállaló számára -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Aktuális szállítási dátum +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Aktuális szállítási dátum DocType: Sales Partner,Sales Partner Name,Értékesítési partner neve apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Értékcsökkenési sor {0}: Az értékcsökkenés kezdő dátuma a múltbeli dátum DocType: GST HSN Code,Regional,Regionális @@ -5665,6 +5724,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Jö DocType: Supplier Scorecard,Supplier Scorecard,Szállítói eredménymutató DocType: Travel Itinerary,Travel To,Utazni apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Mark Attendance +DocType: Shift Type,Determine Check-in and Check-out,Határozza meg a bejelentkezést és a kijelentkezést DocType: POS Closing Voucher,Difference,Különbség apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Kicsi DocType: Work Order Item,Work Order Item,Munkarendelés @@ -5698,6 +5758,7 @@ DocType: Sales Invoice,Shipping Address Name,Szállítási cím neve apps/erpnext/erpnext/healthcare/setup.py,Drug,Drog apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} zárva van DocType: Patient,Medical History,Kórtörténet +DocType: Expense Claim,Expense Taxes and Charges,Költségek és díjak DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,A számlázási dátumot követő napok száma az előfizetés visszavonása vagy az előfizetés meg nem fizetése után apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,A {0} telepítési megjegyzést már benyújtották DocType: Patient Relation,Family,Család @@ -5730,7 +5791,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Erő apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{2} {1} egységre volt szükség a (z) {2} lépésben a tranzakció befejezéséhez. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Az alvállalkozás alapjául szolgáló nyersanyagok visszafolyása -DocType: Bank Guarantee,Customer,Vevő DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ha engedélyezve van, akkor az Akadémiai kifejezés mező kötelező lesz a programrögzítő eszközben." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",A Batch alapú hallgatói csoport esetében a Student Batch-et minden diák számára érvényesíteni fogják a programrögzítésből. DocType: Course,Topics,Témakörök @@ -5810,6 +5870,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Fejezet tagjai DocType: Warranty Claim,Service Address,Szolgáltatás címe DocType: Journal Entry,Remark,Megjegyzés +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),{0} sor: A {4} raktárban {1} nem elérhető mennyiség a bejegyzés időpontjában ({2} {3}) DocType: Patient Encounter,Encounter Time,Encounter Time DocType: Serial No,Invoice Details,Számla részletei 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 fiókok készíthetők a Csoportok alatt, de a bejegyzések a nem csoportok ellen is végrehajthatók" @@ -5888,6 +5949,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","O apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Zárás (nyitás + összesen) DocType: Supplier Scorecard Criteria,Criteria Formula,Kritérium képlet apps/erpnext/erpnext/config/support.py,Support Analytics,Támogassa az Analytics szolgáltatást +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Részvételi eszköz azonosítója (biometrikus / RF címkeazonosító) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Felülvizsgálat és cselekvés DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ha a fiók befagyott, a bejegyzések korlátozhatók a felhasználók számára." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Az érték az értékcsökkenés után @@ -5909,6 +5971,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Kölcsön visszafizetés DocType: Employee Education,Major/Optional Subjects,Főbb / választható tárgyak DocType: Soil Texture,Silt,Iszap +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Szállítói címek és kapcsolattartók DocType: Bank Guarantee,Bank Guarantee Type,Bankgarancia típusa DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ha letiltja, a "Lekerekített teljes" mező nem lesz látható minden tranzakcióban" DocType: Pricing Rule,Min Amt,Min @@ -5947,6 +6010,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Számla létrehozásának eszköz megnyitása DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Tartalmazza a POS tranzakciókat +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nincs az alkalmazott alkalmazottja az adott munkatárs mezőértékénél. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Fogadott összeg (vállalati pénznem) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","A LocalStorage tele van, nem mentett" DocType: Chapter Member,Chapter Member,Fejezet tagja @@ -5979,6 +6043,7 @@ DocType: SMS Center,All Lead (Open),Minden vezető (nyitott) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Nincsenek diákcsoportok. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},A (z) {0} sor azonos példányával {1} DocType: Employee,Salary Details,Fizetés részletei +DocType: Employee Checkin,Exit Grace Period Consequence,Kilépés a Grace Period következményéből DocType: Bank Statement Transaction Invoice Item,Invoice,Számla DocType: Special Test Items,Particulars,adatok apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Kérjük, állítson be szűrőt az elem vagy raktár alapján" @@ -6080,6 +6145,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Ki az AMC-ből DocType: Job Opening,"Job profile, qualifications required etc.","Munkahelyi profil, szükséges képesítések stb." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,A hajó az államba +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Szeretné benyújtani az anyagi kérelmet DocType: Opportunity Item,Basic Rate,Alapkamat DocType: Compensatory Leave Request,Work End Date,Munka vége apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Nyersanyagok kérése @@ -6263,6 +6329,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Értékcsökkenési összeg DocType: Sales Order Item,Gross Profit,Bruttó profit DocType: Quality Inspection,Item Serial No,Tétel Sorozatszám DocType: Asset,Insurer,Biztosító +DocType: Employee Checkin,OUT,KI apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Összeg vásárlása DocType: Asset Maintenance Task,Certificate Required,Tanúsítvány szükséges DocType: Retention Bonus,Retention Bonus,Megtartási bónusz @@ -6378,6 +6445,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Különbségösszeg DocType: Invoice Discounting,Sanctioned,szentesített DocType: Course Enrollment,Course Enrollment,A tanfolyam beiratkozása DocType: Item,Supplier Items,Szállítói elemek +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",A kezdési idő nem lehet nagyobb vagy egyenlő a végső idővel ({0}). DocType: Sales Order,Not Applicable,Nem alkalmazható DocType: Support Search Source,Response Options,Válaszbeállítások apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} értéke 0 és 100 között legyen @@ -6463,7 +6532,6 @@ DocType: Travel Request,Costing,költségszámítás apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Befektetett eszközök DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Teljes kereset -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Ügyfél> Ügyfélcsoport> Terület DocType: Share Balance,From No,Nem DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Fizetési egyeztetési számla DocType: Purchase Invoice,Taxes and Charges Added,Adók és díjak hozzáadva @@ -6571,6 +6639,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Az árszabályozás figyelmen kívül hagyása apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Élelmiszer DocType: Lost Reason Detail,Lost Reason Detail,Elveszett ok: részlet +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},A következő sorozatszámokat hozta létre:
{0} DocType: Maintenance Visit,Customer Feedback,Vásárlói visszajelzés DocType: Serial No,Warranty / AMC Details,Garancia / AMC részletek DocType: Issue,Opening Time,Nyitvatartási idő @@ -6620,6 +6689,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,A cég neve nem azonos apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Az alkalmazottak promóciója nem nyújtható be a promóciós dátum előtt apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},A {0} -nél régebbi állományi tranzakciók nem frissíthetők +DocType: Employee Checkin,Employee Checkin,Alkalmazott ellenőrzése apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},"A kezdő dátumnak kevesebbnek kell lennie, mint a {0} tétel végnapja" apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Ügyfél-idézetek létrehozása DocType: Buying Settings,Buying Settings,Vásárlási beállítások @@ -6641,6 +6711,7 @@ DocType: Job Card Time Log,Job Card Time Log,Munkakártya időnaplója DocType: Patient,Patient Demographics,Beteg demográfia DocType: Share Transfer,To Folio No,Folio Nem apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Pénzforgalom a műveletekből +DocType: Employee Checkin,Log Type,Napló típusa DocType: Stock Settings,Allow Negative Stock,Negatív készlet engedélyezése apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,A tételek egyike sem változik a mennyiségben vagy értékben. DocType: Asset,Purchase Date,Vásárlás időpontja @@ -6685,6 +6756,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Nagyon hiper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Válassza ki a vállalkozás jellegét. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,"Kérjük, válassza ki a hónapot és az évet" +DocType: Service Level,Default Priority,Alapértelmezett prioritás DocType: Student Log,Student Log,Diáknapló DocType: Shopping Cart Settings,Enable Checkout,Checkout engedélyezése apps/erpnext/erpnext/config/settings.py,Human Resources,Emberi Erőforrások @@ -6713,7 +6785,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Csatlakoztassa a Shopify-t az ERPNext segítségével DocType: Homepage Section Card,Subtitle,Felirat DocType: Soil Texture,Loam,Agyag -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Szállító> Szállító típusa DocType: BOM,Scrap Material Cost(Company Currency),Hulladék anyagköltsége (vállalati pénznem) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,A {0} szállítási megjegyzés nem nyújtható be DocType: Task,Actual Start Date (via Time Sheet),Aktuális kezdési dátum (idő szerint) @@ -6769,6 +6840,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Adagolás DocType: Cheque Print Template,Starting position from top edge,Első pozíció a felső széltől apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Kinevezési időtartam (perc) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Ez a munkavállaló már rendelkezik egy azonos időbélyegzővel rendelkező naplóval. {0} DocType: Accounting Dimension,Disable,Kikapcsolja DocType: Email Digest,Purchase Orders to Receive,A megrendelések beszerzése apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,A Productions rendelések nem hozhatók fel: @@ -6784,7 +6856,6 @@ DocType: Production Plan,Material Requests,Anyagi igények DocType: Buying Settings,Material Transferred for Subcontract,Alvállalkozásra átruházott anyag DocType: Job Card,Timing Detail,Időzítési részletek apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Szükséges Be -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{0} {1} importálása DocType: Job Offer Term,Job Offer Term,Állásajánlat DocType: SMS Center,All Contact,Minden kapcsolat DocType: Project Task,Project Task,Projekt feladat @@ -6835,7 +6906,6 @@ DocType: Student Log,Academic,Akadémiai apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,A (z) {0} tétel nincs beállítva a sorszámokhoz apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Államtól DocType: Leave Type,Maximum Continuous Days Applicable,A maximális folytonos napok alkalmazhatók -apps/erpnext/erpnext/config/support.py,Support Team.,Támogatói csoport. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,"Kérjük, adja meg először a cég nevét" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Sikeres importálás DocType: Guardian,Alternate Number,Alternatív szám @@ -6927,6 +6997,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,# {0} sor: Az elem hozzáadva DocType: Student Admission,Eligibility and Details,Jogosultság és részletek DocType: Staffing Plan,Staffing Plan Detail,Személyzeti terv részletei +DocType: Shift Type,Late Entry Grace Period,Késői belépési idő DocType: Email Digest,Annual Income,Éves jövedelem DocType: Journal Entry,Subscription Section,Előfizetési rész DocType: Salary Slip,Payment Days,Fizetési napok @@ -6977,6 +7048,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Számlaegyenleg DocType: Asset Maintenance Log,Periodicity,időszakosság apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Orvosi karton +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,A napló típusa a műszakba való belépéshez szükséges: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Végrehajtás DocType: Item,Valuation Method,Értékelési módszer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} eladási számla ellen {1} @@ -7061,6 +7133,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Becsült költség / p DocType: Loan Type,Loan Name,Hitelnév apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Alapértelmezett fizetési mód beállítása DocType: Quality Goal,Revision,Felülvizsgálat +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"A kijelentkezés befejezésének időpontja, amikor a kijelentés korai (percben) tekinthető." DocType: Healthcare Service Unit,Service Unit Type,Szervizegység típusa DocType: Purchase Invoice,Return Against Purchase Invoice,Visszatérés a vásárlási számla ellen apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Titkosítás létrehozása @@ -7216,12 +7289,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,kozmetikum DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Ellenőrizze ezt, ha arra kényszeríti a felhasználót, hogy mentés előtt válasszon egy sorozatot. Ha ezt ellenőrzi, nem lesz alapértelmezett." DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Az ilyen szerepkörrel rendelkező felhasználók fagyasztott számlákat állíthatnak be, és a befagyasztott számlákkal szembeni könyvelési bejegyzéseket hozhatnak létre vagy módosíthatnak" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cikkkód> Cikkcsoport> Márka DocType: Expense Claim,Total Claimed Amount,Összes igényelt összeg apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},A {1} művelet következő {0} napja nem találja meg a Time Slot-ot apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Csomagolás apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Csak akkor lehet megújítani, ha a tagság 30 napon belül lejár" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Az értéknek {0} és {1} között kell lennie DocType: Quality Feedback,Parameters,paraméterek +DocType: Shift Type,Auto Attendance Settings,Automatikus részvételi beállítások ,Sales Partner Transaction Summary,Értékesítési partner tranzakciók összefoglalása DocType: Asset Maintenance,Maintenance Manager Name,Karbantartási kezelő neve apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Szükség van az elemadatok letöltésére. @@ -7312,10 +7387,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Érvényesített szabály érvényesítése DocType: Job Card Item,Job Card Item,Munkakártya elem DocType: Homepage,Company Tagline for website homepage,Tagline a cég honlapjára +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Állítsa be a {1} prioritás válaszidejét és felbontását az {1} indexben. DocType: Company,Round Off Cost Center,Költségköltség-központ DocType: Supplier Scorecard Criteria,Criteria Weight,Criteria Súly DocType: Asset,Depreciation Schedules,Értékcsökkenési ütemezések -DocType: Expense Claim Detail,Claim Amount,Követelés összege DocType: Subscription,Discounts,kedvezmények DocType: Shipping Rule,Shipping Rule Conditions,Szállítás szabályai DocType: Subscription,Cancelation Date,Törlés dátuma @@ -7343,7 +7418,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Vezetők létrehozása apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Nulla értékek megjelenítése DocType: Employee Onboarding,Employee Onboarding,Alkalmazott Onboarding DocType: POS Closing Voucher,Period End Date,Időszak vége -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Értékesítési lehetőségek forrás szerint DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Az első Leave Approver a listában lesz az alapértelmezett Leave Approver. DocType: POS Settings,POS Settings,POS beállítások apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Minden fiók @@ -7364,7 +7438,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,# {0} sor: Az aránynak meg kell egyeznie a {1}: {2} ({3} / {4}) értékkel DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Egészségügyi szolgáltatások -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Nincs találat apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Öregítési tartomány 3 DocType: Vital Signs,Blood Pressure,Vérnyomá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,Cél be @@ -7409,6 +7482,7 @@ DocType: Company,Existing Company,Meglévő vállalat apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,sarzsok apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Védelem DocType: Item,Has Batch No,Van kötegelt száma +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Késleltetett napok DocType: Lead,Person Name,Személy neve DocType: Item Variant,Item Variant,Elem Változat DocType: Training Event Employee,Invited,Meghívott @@ -7430,7 +7504,7 @@ DocType: Purchase Order,To Receive and Bill,Fogadás és Bill apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","A kezdő és befejező dátumok nem érvényesek a bérszámfejtési időszakban, nem számíthatják ki a {0} értéket." DocType: POS Profile,Only show Customer of these Customer Groups,Csak az Ügyfélcsoportot jelenítse meg apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Válassza ki az elemeket a számla mentéséhez -DocType: Service Level,Resolution Time,Felbontási idő +DocType: Service Level Priority,Resolution Time,Felbontási idő DocType: Grading Scale Interval,Grade Description,Grade Leírás DocType: Homepage Section,Cards,kártyák DocType: Quality Meeting Minutes,Quality Meeting Minutes,Minőségi találkozó jegyzőkönyv @@ -7457,6 +7531,7 @@ DocType: Project,Gross Margin %,Bruttó árrés % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,A bankszámlakivonat egyenlege a főkötelezettel apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Egészségügy (béta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Az alapértelmezett raktár az értékesítési megrendelés és a szállítási megjegyzés létrehozásához +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,"Az {1} indexnél a {0} válaszidő nem lehet nagyobb, mint a felbontási idő." DocType: Opportunity,Customer / Lead Name,Ügyfél / Vezetéknév DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Nem igényelt összeg @@ -7503,7 +7578,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Felek és címek importálása DocType: Item,List this Item in multiple groups on the website.,Sorolja fel ezt az elemet a weboldal több csoportjában. DocType: Request for Quotation,Message for Supplier,Üzenet a szállítónak -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,"Nem lehet módosítani a {0} -ot, mivel az {1} tételnél a tőzsdei tranzakció létezik." DocType: Healthcare Practitioner,Phone (R),Telefon (R) DocType: Maintenance Team Member,Team Member,Csapat tagja DocType: Asset Category Account,Asset Category Account,Eszközkategória-fiók diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv index 2fb1a483a0..8e2fcef47b 100644 --- a/erpnext/translations/id.csv +++ b/erpnext/translations/id.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Tanggal Mulai Jangka apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Pengangkatan {0} dan Faktur Penjualan {1} dibatalkan DocType: Purchase Receipt,Vehicle Number,Nomor kendaraan apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Alamat email anda... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Sertakan Entri Buku Default +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Sertakan Entri Buku Default DocType: Activity Cost,Activity Type,Tipe kegiatan DocType: Purchase Invoice,Get Advances Paid,Dapatkan Uang Muka DocType: Company,Gain/Loss Account on Asset Disposal,Keuntungan / Kerugian Akun pada Pembuangan Aset @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Apa fungsinya? DocType: Bank Reconciliation,Payment Entries,Entri Pembayaran DocType: Employee Education,Class / Percentage,Kelas / Persentase ,Electronic Invoice Register,Daftar Faktur Elektronik +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Jumlah kemunculan setelah konsekuensi dijalankan. DocType: Sales Invoice,Is Return (Credit Note),Is Return (Credit Note) +DocType: Price List,Price Not UOM Dependent,Harga Tidak Tergantung UOM DocType: Lab Test Sample,Lab Test Sample,Sampel Uji Lab DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Untuk mis. 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Pencarian Produk DocType: Salary Slip,Net Pay,Gaji bersih apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Total Faktur Amt DocType: Clinical Procedure,Consumables Invoice Separately,Faktur Habis Terpisah +DocType: Shift Type,Working Hours Threshold for Absent,Ambang Jam Kerja untuk Absen DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Anggaran tidak dapat ditetapkan terhadap Akun Grup {0} DocType: Purchase Receipt Item,Rate and Amount,Nilai dan Jumlah @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Tetapkan Gudang Sumber DocType: Healthcare Settings,Out Patient Settings,Pengaturan Pasien Keluar DocType: Asset,Insurance End Date,Tanggal Akhir Asuransi DocType: Bank Account,Branch Code,Kode cabang -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Saatnya Menanggapi apps/erpnext/erpnext/public/js/conf.js,User Forum,Forum Pengguna DocType: Landed Cost Item,Landed Cost Item,Item Biaya Darat 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 @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Pemilik Pimpinan DocType: Share Transfer,Transfer,Transfer apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Cari Item (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Hasil dikirimkan +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Dari tanggal tidak boleh lebih dari dari Tanggal DocType: Supplier,Supplier of Goods or Services.,Pemasok Barang atau Layanan. 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: Tolong jangan membuat akun untuk Pelanggan dan Pemasok apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Kelompok Siswa atau Jadwal Kursus adalah wajib @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database pel DocType: Skill,Skill Name,nama skill apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Cetak Kartu Laporan DocType: Soil Texture,Ternary Plot,Plot Ternary -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Tiket Dukungan DocType: Asset Category Account,Fixed Asset Account,Akun Aset Tetap apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Terbaru @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Jarak UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Wajib Untuk Neraca DocType: Payment Entry,Total Allocated Amount,Jumlah Alokasi Total DocType: Sales Invoice,Get Advances Received,Dapatkan Uang Muka Diterima +DocType: Shift Type,Last Sync of Checkin,Sinkronisasi Checkin Terakhir DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Jumlah Pajak Barang Termasuk dalam Nilai apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Paket Berlangganan DocType: Student,Blood Group,Golongan darah apps/erpnext/erpnext/config/healthcare.py,Masters,Tuan DocType: Crop,Crop Spacing UOM,Potong spasi UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Waktu setelah shift mulai waktu ketika check-in dianggap terlambat (dalam menit). apps/erpnext/erpnext/templates/pages/home.html,Explore,Jelajahi +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Tidak ditemukan faktur luar biasa apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} lowongan dan {1} anggaran untuk {2} sudah direncanakan untuk anak perusahaan dari {3}. \ Anda hanya dapat merencanakan hingga {4} lowongan dan anggaran {5} sesuai rencana penempatan karyawan {6} untuk perusahaan induk {3}. DocType: Promotional Scheme,Product Discount Slabs,Potongan Diskon Produk @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Permintaan Kehadiran DocType: Item,Moving Average,Rata-rata bergerak DocType: Employee Attendance Tool,Unmarked Attendance,Kehadiran Tanpa Tanda DocType: Homepage Section,Number of Columns,Jumlah kolom +DocType: Issue Priority,Issue Priority,Prioritas Masalah DocType: Holiday List,Add Weekly Holidays,Tambahkan Liburan Mingguan DocType: Shopify Log,Shopify Log,Log Shopify apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Buat Slip Gaji @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Nilai / Deskripsi DocType: Warranty Claim,Issue Date,Tanggal rilis 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 untuk Item {0}. Tidak dapat menemukan bets tunggal yang memenuhi persyaratan ini apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Tidak dapat membuat Bonus Retensi untuk Karyawan kiri +DocType: Employee Checkin,Location / Device ID,Lokasi / ID Perangkat DocType: Purchase Order,To Receive,Menerima apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Anda berada dalam mode offline. Anda tidak akan dapat memuat ulang sampai Anda memiliki jaringan. DocType: Course Activity,Enrollment,Pendaftaran @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Templat Tes Lab apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informasi E-Faktur Tidak Ada apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Tidak ada permintaan materi yang dibuat -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kode Barang> Grup Barang> Merek DocType: Loan,Total Amount Paid,Jumlah Total yang Dibayar apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Semua barang ini sudah ditagih DocType: Training Event,Trainer Name,Nama Pelatih @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Sebutkan Nama Timbal dalam Timbal {0} DocType: Employee,You can enter any date manually,Anda dapat memasukkan tanggal apa pun secara manual DocType: Stock Reconciliation Item,Stock Reconciliation Item,Item Rekonsiliasi Saham +DocType: Shift Type,Early Exit Consequence,Konsekuensi Keluar Awal DocType: Item Group,General Settings,Pengaturan Umum apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Tanggal Jatuh Tempo tidak boleh sebelum Posting / Tanggal Faktur Pemasok apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Masukkan nama Penerima sebelum mengajukan. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,Auditor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Konfirmasi pembayaran ,Available Stock for Packing Items,Stok yang tersedia untuk Barang Packing apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Hapus Faktur ini {0} dari Formulir-C {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Setiap check-in dan check-out yang valid DocType: Support Search Source,Query Route String,String Rute Kueri DocType: Customer Feedback Template,Customer Feedback Template,Templat Umpan Balik Pelanggan apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Kutipan untuk Pemimpin atau Pelanggan. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Kontrol Otorisasi ,Daily Work Summary Replies,Balasan Ringkasan Pekerjaan Harian apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Anda telah diundang untuk berkolaborasi dalam proyek: {0} +DocType: Issue,Response By Variance,Respon Berdasarkan Varians DocType: Item,Sales Details,Rincian Penjualan apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Kepala Surat untuk template cetak. DocType: Salary Detail,Tax on additional salary,Pajak atas gaji tambahan @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Alamat da DocType: Project,Task Progress,Kemajuan Tugas DocType: Journal Entry,Opening Entry,Membuka entri DocType: Bank Guarantee,Charges Incurred,Biaya yang Ditimbulkan +DocType: Shift Type,Working Hours Calculation Based On,Perhitungan Jam Kerja Berdasarkan DocType: Work Order,Material Transferred for Manufacturing,Material Ditransfer untuk Manufaktur DocType: Products Settings,Hide Variants,Sembunyikan Varian DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Nonaktifkan Perencanaan Kapasitas dan Pelacakan Waktu @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,Penyusutan DocType: Guardian,Interests,Minat DocType: Purchase Receipt Item Supplied,Consumed Qty,Dikonsumsi Qty DocType: Education Settings,Education Manager,Manajer Pendidikan +DocType: Employee Checkin,Shift Actual Start,Pergeseran Mulai Aktual DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Merencanakan log waktu di luar Jam Kerja Workstation. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Poin Loyalitas: {0} DocType: Healthcare Settings,Registration Message,Pesan Pendaftaran @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktur sudah dibuat untuk semua jam penagihan DocType: Sales Partner,Contact Desc,Hubungi Desc DocType: Purchase Invoice,Pricing Rules,Aturan Harga +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Karena ada transaksi terhadap item {0} yang ada, Anda tidak dapat mengubah nilai {1}" DocType: Hub Tracked Item,Image List,Daftar Gambar DocType: Item Variant Settings,Allow Rename Attribute Value,Izinkan Ganti Nama Nilai Atribut -DocType: Price List,Price Not UOM Dependant,Harga Tidak Tergantung UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Waktu (dalam menit) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Dasar DocType: Loan,Interest Income Account,Akun Pendapatan Bunga @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,Jenis Pekerjaan apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Pilih Profil POS DocType: Support Settings,Get Latest Query,Dapatkan Pertanyaan Terbaru DocType: Employee Incentive,Employee Incentive,Insentif Karyawan +DocType: Service Level,Priorities,Prioritas apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Tambahkan kartu atau bagian khusus di beranda DocType: Homepage,Hero Section Based On,Bagian Pahlawan Berdasarkan DocType: Project,Total Purchase Cost (via Purchase Invoice),Total Biaya Pembelian (melalui Faktur Pembelian) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,Memproduksi berdasarkan DocType: Blanket Order Item,Ordered Quantity,Jumlah yang Dipesan apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Baris # {0}: Gudang yang Ditolak adalah wajib terhadap Barang yang ditolak {1} ,Received Items To Be Billed,Barang Yang Diterima Akan Ditagih -DocType: Salary Slip Timesheet,Working Hours,Jam kerja +DocType: Attendance,Working Hours,Jam kerja apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Mode Pembayaran apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Pembelian Barang Pesanan tidak diterima tepat waktu apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Durasi dalam Days @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,A DocType: Supplier,Statutory info and other general information about your Supplier,Info hukum dan informasi umum lainnya tentang Pemasok Anda DocType: Item Default,Default Selling Cost Center,Pusat Biaya Penjualan Default DocType: Sales Partner,Address & Contacts,Alamat & Kontak -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: Subscriber,Subscriber,Pelanggan apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Formulir / Item / {0}) sudah habis apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Silakan pilih tanggal posting terlebih dahulu @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,% Metode Lengkap DocType: Detected Disease,Tasks Created,Tugas Dibuat apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,BOM default ({0}) harus aktif untuk item ini atau templatnya apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Tingkat Komisi% -DocType: Service Level,Response Time,Waktu merespon +DocType: Service Level Priority,Response Time,Waktu merespon DocType: Woocommerce Settings,Woocommerce Settings,Pengaturan Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Kuantitas harus positif DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Biaya Kunjungan Rawat In DocType: Bank Statement Settings,Transaction Data Mapping,Pemetaan Data Transaksi apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Pimpinan membutuhkan nama seseorang atau nama organisasi DocType: Student,Guardians,Penjaga -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/public/js/stock_analytics.js,Select Brand...,Pilih Merek ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Pendapatan Menengah DocType: Shipping Rule,Calculate Based On,Hitung Berdasarkan @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Tetapkan Target apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Catatan Kehadiran {0} ada terhadap Siswa {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Tanggal Transaksi apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Batalkan Berlangganan +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Tidak Dapat Menetapkan Perjanjian Tingkat Layanan {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Jumlah Gaji Bersih DocType: Account,Liability,Kewajiban DocType: Employee,Bank A/C No.,A / C Bank No. @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Kode Item Bahan Baku apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Faktur Pembelian {0} sudah dikirimkan DocType: Fees,Student Email,Email Pelajar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Rekursi BOM: {0} tidak boleh orang tua atau anak dari {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Dapatkan Barang dari Layanan Kesehatan apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Entri Saham {0} tidak dikirimkan DocType: Item Attribute Value,Item Attribute Value,Nilai Atribut Barang @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,Izinkan Cetak Sebelum Membayar DocType: Production Plan,Select Items to Manufacture,Pilih Item untuk Diproduksi DocType: Leave Application,Leave Approver Name,Tinggalkan Nama Approver DocType: Shareholder,Shareholder,Pemegang saham -DocType: Issue,Agreement Status,Status Perjanjian apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Pengaturan default untuk transaksi penjualan. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Silakan pilih Penerimaan Siswa yang wajib untuk pelamar siswa yang dibayar apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Pilih BOM @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Akun Penghasilan apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Semua Gudang DocType: Contract,Signee Details,Detail Penerima +DocType: Shift Type,Allow check-out after shift end time (in minutes),Izinkan check-out setelah waktu akhir shift (dalam menit) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Pembelian DocType: Item Group,Check this if you want to show in website,Periksa ini jika Anda ingin tampil di situs web apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Tahun Anggaran {0} tidak ditemukan @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Tanggal Mulai Penyusutan DocType: Activity Cost,Billing Rate,Tingkat Penagihan apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Peringatan: Lain {0} # {1} ada terhadap entri persediaan {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Harap aktifkan Pengaturan Google Maps untuk memperkirakan dan mengoptimalkan rute +DocType: Purchase Invoice Item,Page Break,Istirahat Halaman DocType: Supplier Scorecard Criteria,Max Score,Skor Maks apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Tanggal Mulai Pembayaran tidak bisa sebelum Tanggal Pencairan. DocType: Support Search Source,Support Search Source,Mendukung Sumber Pencarian @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Tujuan Sasaran Kualitas DocType: Employee Transfer,Employee Transfer,Transfer Karyawan ,Sales Funnel,Corong Penjualan DocType: Agriculture Analysis Criteria,Water Analysis,Analisis Air +DocType: Shift Type,Begin check-in before shift start time (in minutes),Mulai check-in sebelum waktu mulai shift (dalam menit) DocType: Accounts Settings,Accounts Frozen Upto,Akun Frozen Hingga apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Tidak ada yang bisa diedit. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operasi {0} lebih lama dari jam kerja yang tersedia di workstation {1}, memecah operasi menjadi beberapa operasi" @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Akun apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Sales Order {0} adalah {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Keterlambatan pembayaran (Hari) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Masukkan detail penyusutan +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,PO pelanggan apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Tanggal Pengiriman yang diharapkan harus setelah Tanggal Pesanan Penjualan +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Kuantitas barang tidak boleh nol apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Atribut tidak valid apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Silakan pilih BOM terhadap item {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Jenis Faktur @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,Tanggal Pemeliharaan DocType: Volunteer,Afternoon,Sore DocType: Vital Signs,Nutrition Values,Nilai Gizi DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Adanya demam (suhu> 38,5 ° C / 101,3 ° F atau suhu berkelanjutan> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Silakan atur Sistem Penamaan Karyawan di Sumber Daya Manusia> Pengaturan SDM apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Terbalik DocType: Project,Collect Progress,Kumpulkan Kemajuan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energi @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,Pengaturan Perkembangan ,Ordered Items To Be Billed,Barang Yang Dipesan Akan Ditagih DocType: Taxable Salary Slab,To Amount,Jumlah DocType: Purchase Invoice,Is Return (Debit Note),Is Return (Catatan Debit) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah apps/erpnext/erpnext/config/desktop.py,Getting Started,Mulai apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Menggabungkan apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Tidak dapat mengubah Tanggal Mulai Tahun Fiskal dan Tanggal Akhir Tahun Fiskal setelah Tahun Fiskal disimpan. @@ -2216,8 +2232,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Tanggal Aktual apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Tanggal mulai pemeliharaan tidak boleh sebelum tanggal pengiriman untuk Nomor Seri {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Baris {0}: Nilai Tukar wajib diisi DocType: Purchase Invoice,Select Supplier Address,Pilih Alamat Pemasok +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Kuantitas yang tersedia adalah {0}, Anda perlu {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Silakan masukkan Rahasia Konsumen API DocType: Program Enrollment Fee,Program Enrollment Fee,Biaya Pendaftaran Program +DocType: Employee Checkin,Shift Actual End,Pergeseran Akhir Aktual DocType: Serial No,Warranty Expiry Date,Tanggal Berakhir Garansi DocType: Hotel Room Pricing,Hotel Room Pricing,Harga Kamar Hotel apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Persediaan kena pajak keluar (selain dari nilai nol, nilai nol dan dikecualikan" @@ -2277,6 +2295,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Membaca 5 DocType: Shopping Cart Settings,Display Settings,Pengaturan tampilan apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Harap setel Jumlah Penyusutan yang Dipesan +DocType: Shift Type,Consequence after,Konsekuensi setelahnya apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Anda butuh bantuan apa? DocType: Journal Entry,Printing Settings,Pengaturan Pencetakan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Perbankan @@ -2286,6 +2305,7 @@ DocType: Purchase Invoice Item,PR Detail,Detail PR apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Alamat Penagihan sama dengan Alamat Pengiriman DocType: Account,Cash,Kas DocType: Employee,Leave Policy,Kebijakan Cuti +DocType: Shift Type,Consequence,Konsekuensi apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Alamat Pelajar DocType: GST Account,CESS Account,Akun CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Pusat Biaya diperlukan untuk akun 'Untung dan Rugi' {2}. Harap siapkan Pusat Biaya default untuk Perusahaan. @@ -2350,6 +2370,7 @@ DocType: GST HSN Code,GST HSN Code,Kode GST HSN DocType: Period Closing Voucher,Period Closing Voucher,Voucher Penutupan Periode apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nama Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Silakan masukkan Akun Biaya +DocType: Issue,Resolution By Variance,Resolusi oleh Varians DocType: Employee,Resignation Letter Date,Tanggal Surat Pengunduran Diri DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Kehadiran Sampai Tanggal @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Lihat sekarang DocType: Item Price,Valid Upto,Berlaku hingga apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},DOCTYPE Referensi harus salah satu dari {0} +DocType: Employee Checkin,Skip Auto Attendance,Lewati Kehadiran Otomatis DocType: Payment Request,Transaction Currency,Transaksi mata uang DocType: Loan,Repayment Schedule,Jadwal pembayaran apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Buat Sampel Stok Retensi Sampel @@ -2433,6 +2455,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Penugasan Struk DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Pajak Voucher Penutupan POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Tindakan diinisialisasi DocType: POS Profile,Applicable for Users,Berlaku untuk Pengguna +,Delayed Order Report,Laporan Pesanan Tertunda DocType: Training Event,Exam,Ujian apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Jumlah Entri Buku Besar yang salah ditemukan. Anda mungkin telah memilih Akun yang salah dalam transaksi. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Jalur Penjualan @@ -2447,10 +2470,11 @@ DocType: Account,Round Off,Membulatkan DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Ketentuan akan diterapkan pada semua item yang dipilih digabungkan. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Konfigurasikan DocType: Hotel Room,Capacity,Kapasitas +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Terpasang Qty apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} dari Item {1} dinonaktifkan. DocType: Hotel Room Reservation,Hotel Reservation User,Pengguna Reservasi Hotel -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Hari kerja telah diulang dua kali +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Perjanjian Tingkat Layanan dengan Jenis Entitas {0} dan Entitas {1} sudah ada. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Grup Barang tidak disebutkan dalam master item untuk item {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Kesalahan nama: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Wilayah Diperlukan dalam Profil POS @@ -2498,6 +2522,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Tanggal Jadwal DocType: Packing Slip,Package Weight Details,Rincian Berat Paket DocType: Job Applicant,Job Opening,Lowongan pekerjaan +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Sinkronisasi Checkin Karyawan Yang Terakhir Diketahui Berhasil. Setel ulang ini hanya jika Anda yakin bahwa semua Log disinkronkan dari semua lokasi. Tolong jangan modifikasi ini jika Anda tidak yakin. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Harga asli apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Uang muka total ({0}) terhadap Pesanan {1} tidak boleh lebih besar dari Jumlah Total ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Varian Item diperbarui @@ -2542,6 +2567,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Referensi Kwitansi Pembel apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Dapatkan Invocies DocType: Tally Migration,Is Day Book Data Imported,Apakah Data Buku Hari Diimpor ,Sales Partners Commission,Komisi Mitra Penjualan +DocType: Shift Type,Enable Different Consequence for Early Exit,Aktifkan Konsekuensi Berbeda untuk Keluar Awal apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Hukum DocType: Loan Application,Required by Date,Diperlukan oleh Tanggal DocType: Quiz Result,Quiz Result,Hasil Kuis @@ -2601,7 +2627,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Tahun keu DocType: Pricing Rule,Pricing Rule,Aturan Harga apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Daftar Hari Libur Pilihan tidak ditetapkan untuk periode cuti {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Harap setel bidang ID Pengguna di catatan Karyawan untuk mengatur Peran Karyawan -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Waktu untuk menyelesaikan DocType: Training Event,Training Event,Acara Pelatihan DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Tekanan darah istirahat normal pada orang dewasa adalah sekitar 120 mmHg sistolik, dan 80 mmHg diastolik, disingkat "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Sistem akan mengambil semua entri jika nilai batasnya nol. @@ -2645,6 +2670,7 @@ DocType: Woocommerce Settings,Enable Sync,Aktifkan Sinkronisasi DocType: Student Applicant,Approved,Disetujui apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Dari Tanggal harus dalam Tahun Anggaran. Dengan asumsi Dari Tanggal = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Silakan Tetapkan Grup Pemasok di Pengaturan Pembelian. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} adalah Status Kehadiran yang tidak valid. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Rekening Pembukaan Sementara DocType: Purchase Invoice,Cash/Bank Account,Uang Tunai / Rekening Bank DocType: Quality Meeting Table,Quality Meeting Table,Tabel Rapat Kualitas @@ -2680,6 +2706,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Makanan, Minuman & Tembakau" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Jadwal Kuliah DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Rincian Pajak Barang Bijaksana +DocType: Shift Type,Attendance will be marked automatically only after this date.,Kehadiran akan ditandai secara otomatis hanya setelah tanggal ini. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Persediaan dibuat untuk pemegang UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Permintaan Kutipan 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 membuat entri menggunakan mata uang lain @@ -2728,7 +2755,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Apakah Barang dari Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Prosedur Mutu. DocType: Share Balance,No of Shares,Tidak Ada Saham -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Baris {0}: Jumlah tidak tersedia untuk {4} di gudang {1} pada waktu posting entri ({2} {3}) DocType: Quality Action,Preventive,Pencegahan DocType: Support Settings,Forum URL,URL forum apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Karyawan dan Kehadiran @@ -2950,7 +2976,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Jenis Diskon DocType: Hotel Settings,Default Taxes and Charges,Pajak dan Biaya Default apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Ini didasarkan pada transaksi terhadap Pemasok ini. Lihat garis waktu di bawah untuk detailnya apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Jumlah manfaat maksimum karyawan {0} melebihi {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Masukkan Tanggal Mulai dan Akhir untuk Perjanjian. DocType: Delivery Note Item,Against Sales Invoice,Terhadap Faktur Penjualan DocType: Loyalty Point Entry,Purchase Amount,Jumlah pembelian apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Tidak dapat ditetapkan sebagai Hilang karena Pesanan Penjualan dibuat. @@ -2974,7 +2999,7 @@ DocType: Homepage,"URL for ""All Products""",URL untuk "Semua Produk" DocType: Lead,Organization Name,Nama Organisasi 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/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Baris # {0}: Batch No harus sama dengan {1} {2} -DocType: Employee,Leave Details,Tinggalkan Detail +DocType: Employee Checkin,Shift Start,Shift Mulai apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Transaksi stok sebelum {0} dibekukan DocType: Driver,Issuing Date,Tanggal terbit apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Pemohon @@ -3019,9 +3044,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Rincian Template Pemetaan Arus Kas apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Rekrutmen dan Pelatihan DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Pengaturan Periode Rahmat Untuk Kehadiran Otomatis apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Dari Mata Uang dan Ke Mata Uang tidak bisa sama apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Obat-obatan DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Jam Dukungan apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} dibatalkan atau ditutup apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Baris {0}: Uang muka terhadap Pelanggan harus berupa kredit apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Kelompok berdasarkan Voucher (Konsolidasi) @@ -3131,6 +3158,7 @@ DocType: Asset Repair,Repair Status,Status Perbaikan DocType: Territory,Territory Manager,Manajer Wilayah DocType: Lab Test,Sample ID,ID Sampel apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Troli Kosong +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 apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Aset {0} harus diserahkan ,Absent Student Report,Laporan Siswa Absen apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Termasuk dalam Laba Kotor @@ -3138,7 +3166,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,D DocType: Travel Request Costing,Funded Amount,Jumlah yang didanai apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} belum dikirimkan sehingga tindakan tidak dapat diselesaikan DocType: Subscription,Trial Period End Date,Tanggal Berakhir Periode Uji Coba +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Entri bergantian sebagai IN dan OUT selama shift yang sama DocType: BOM Update Tool,The new BOM after replacement,BOM baru setelah penggantian +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pemasok> Jenis Pemasok apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Butir 5 DocType: Employee,Passport Number,Nomor paspor apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Pembukaan sementara @@ -3254,6 +3284,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Laporan Utama apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Kemungkinan Pemasok ,Issued Items Against Work Order,Item yang Diterbitkan Melawan Perintah Kerja apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Membuat {0} Faktur +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: Student,Joining Date,Tanggal Bergabung apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Situs yang Meminta DocType: Purchase Invoice,Against Expense Account,Terhadap Akun Biaya @@ -3293,6 +3324,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Biaya yang Berlaku ,Point of Sale,Titik penjualan DocType: Authorization Rule,Approving User (above authorized value),Menyetujui Pengguna (di atas nilai resmi) +DocType: Service Level Agreement,Entity,Kesatuan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Jumlah {0} {1} ditransfer dari {2} ke {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Pelanggan {0} bukan milik proyek {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Dari Nama Pesta @@ -3339,6 +3371,7 @@ DocType: Asset,Opening Accumulated Depreciation,Membuka Akumulasi Depresiasi DocType: Soil Texture,Sand Composition (%),Komposisi Pasir (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Impor Data Buku Hari +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Silakan tentukan Seri Penamaan untuk {0} melalui Pengaturan> Pengaturan> Seri Penamaan DocType: Asset,Asset Owner Company,Perusahaan Pemilik Aset apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Pusat biaya diperlukan untuk memesan klaim pengeluaran apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} no seri yang valid untuk Item {1} @@ -3399,7 +3432,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Pemilik Aset apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Gudang wajib untuk Barang stok {0} berturut-turut {1} DocType: Stock Entry,Total Additional Costs,Total Biaya Tambahan -DocType: Marketplace Settings,Last Sync On,Sinkronisasi Terakhir Aktif 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 Team,Maintenance Team Name,Nama Tim Pemeliharaan apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Bagan Pusat Biaya @@ -3415,12 +3447,12 @@ DocType: Sales Order Item,Work Order Qty,Perintah Kerja Qty DocType: Job Card,WIP Warehouse,Gudang WIP DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ID Pengguna tidak ditetapkan untuk Karyawan {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Jumlah yang tersedia adalah {0}, Anda perlu {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Pengguna {0} dibuat DocType: Stock Settings,Item Naming By,Penamaan Item Berdasarkan apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Dipesan apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Ini adalah grup pelanggan root dan tidak dapat diedit. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Permintaan Material {0} dibatalkan atau dihentikan +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Ketat berdasarkan pada Jenis Log di Checkin Karyawan DocType: Purchase Order Item Supplied,Supplied Qty,Disediakan Qty DocType: Cash Flow Mapper,Cash Flow Mapper,Mapper Arus Kas DocType: Soil Texture,Sand,Pasir @@ -3479,6 +3511,7 @@ DocType: Lab Test Groups,Add new line,Tambahkan baris baru apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Grup item duplikat ditemukan di tabel grup item apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Gaji tahunan DocType: Supplier Scorecard,Weighting Function,Fungsi pembobotan +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Kesalahan mengevaluasi rumus kriteria ,Lab Test Report,Laporan Uji Lab DocType: BOM,With Operations,Dengan Operasi @@ -3492,6 +3525,7 @@ DocType: Expense Claim Account,Expense Claim Account,Akun Klaim Biaya apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Tidak ada pembayaran untuk Entri Jurnal apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} adalah siswa tidak aktif apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Masuk Stock +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Rekursi BOM: {0} tidak boleh orang tua atau anak dari {1} DocType: Employee Onboarding,Activities,Kegiatan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Minimal satu gudang adalah wajib ,Customer Credit Balance,Saldo Kredit Pelanggan @@ -3504,9 +3538,11 @@ DocType: Supplier Scorecard Period,Variables,Variabel apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Berbagai Program Loyalitas ditemukan untuk Pelanggan. Silakan pilih secara manual. DocType: Patient,Medication,Obat apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Pilih Program Loyalitas +DocType: Employee Checkin,Attendance Marked,Kehadiran Ditandai apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Bahan baku DocType: Sales Order,Fully Billed,Ditagih penuh apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Harap tetapkan Tarif Kamar Hotel pada {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Pilih hanya satu Prioritas sebagai Default. apps/erpnext/erpnext/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} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Jumlah Kredit / Debit Total harus sama dengan Entri Jurnal yang ditautkan DocType: Purchase Invoice Item,Is Fixed Asset,Apakah Aset Tetap @@ -3527,6 +3563,7 @@ DocType: Purpose of Travel,Purpose of Travel,Tujuan Perjalanan DocType: Healthcare Settings,Appointment Confirmation,Konfirmasi perjanjian DocType: Shopping Cart Settings,Orders,Pesanan DocType: HR Settings,Retirement Age,Umur pensiun +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/stock/page/stock_balance/stock_balance.js,Projected Qty,Proyeksi qty apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Penghapusan tidak diizinkan untuk negara {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Baris # {0}: Aset {1} sudah {2} @@ -3610,11 +3647,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Akuntan apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Voucher Penutupan POS sudah ada untuk {0} antara tanggal {1} dan {2} apps/erpnext/erpnext/config/help.py,Navigating,Menjelajahi +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Tidak ada faktur terutang yang membutuhkan penilaian kembali nilai tukar DocType: Authorization Rule,Customer / Item Name,Nama Pelanggan / Barang apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,No Seri Baru tidak boleh memiliki Gudang. Gudang harus diatur oleh Stok Masuk atau Tanda Terima Pembelian DocType: Issue,Via Customer Portal,Melalui Portal Pelanggan DocType: Work Order Operation,Planned Start Time,Waktu Mulai yang Direncanakan apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} adalah {2} +DocType: Service Level Priority,Service Level Priority,Prioritas Tingkat Layanan apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Jumlah Penyusutan yang Dipesan tidak boleh lebih dari Jumlah Jumlah Penyusutan apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Bagikan Buku Besar DocType: Journal Entry,Accounts Payable,Akun hutang @@ -3725,7 +3764,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Pengiriman ke DocType: Bank Statement Transaction Settings Item,Bank Data,Data Bank apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Dijadwalkan hingga -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Pertahankan Jam Penagihan dan Jam Kerja Sama di Absen apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Lacak Petunjuk berdasarkan Sumber Utama. DocType: Clinical Procedure,Nursing User,Pengguna Perawatan DocType: Support Settings,Response Key List,Daftar Kunci Respons @@ -3893,6 +3931,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Waktu Mulai Aktual DocType: Antibiotic,Laboratory User,Pengguna Laboratorium apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Lelang Online +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioritas {0} telah diulang. DocType: Fee Schedule,Fee Creation Status,Status Pembuatan Biaya apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Perangkat lunak apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Pesanan Penjualan hingga Pembayaran @@ -3959,6 +3998,7 @@ DocType: Patient Encounter,In print,Dalam cetakan apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Tidak dapat mengambil informasi untuk {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Mata uang penagihan harus sama dengan mata uang perusahaan default atau mata uang akun pihak apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Silakan masukkan ID Karyawan tenaga penjualan ini +DocType: Shift Type,Early Exit Consequence after,Konsekuensi Keluar Awal setelah apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Buat Pembukaan Penjualan dan Pembelian Faktur DocType: Disease,Treatment Period,Masa Perawatan apps/erpnext/erpnext/config/settings.py,Setting up Email,Menyiapkan Email @@ -3976,7 +4016,6 @@ DocType: Employee Skill Map,Employee Skills,Keterampilan Karyawan apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Nama siswa: DocType: SMS Log,Sent On,Dikirim pada DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Faktur penjualan -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Waktu Respons tidak boleh lebih besar dari Waktu Resolusi DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Untuk Kelompok Siswa berbasis Kursus, Kursus akan divalidasi untuk setiap Siswa dari Kursus yang terdaftar dalam Pendaftaran Program." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Persediaan Antar Negara DocType: Employee,Create User Permission,Buat Izin Pengguna @@ -4015,6 +4054,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Ketentuan kontrak standar untuk Penjualan atau Pembelian. DocType: Sales Invoice,Customer PO Details,Detail PO Pelanggan apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pasien tidak ditemukan +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Pilih Prioritas Default. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Hapus item jika biaya tidak berlaku untuk item itu apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Grup Pelanggan ada dengan nama yang sama silakan ubah nama Pelanggan atau ganti nama Grup Pelanggan 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. @@ -4054,6 +4094,7 @@ DocType: Quality Goal,Quality Goal,Tujuan Kualitas DocType: Support Settings,Support Portal,Portal Dukungan apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Tanggal akhir tugas {0} tidak boleh kurang dari {1} tanggal mulai yang diharapkan {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Karyawan {0} sedang cuti pada {1} +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} DocType: Employee,Held On,Diadakan pada DocType: Healthcare Practitioner,Practitioner Schedules,Jadwal Praktisi DocType: Project Template Task,Begin On (Days),Mulai Pada (Hari) @@ -4061,6 +4102,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Perintah Kerja telah {0} DocType: Inpatient Record,Admission Schedule Date,Tanggal Jadwal Pendaftaran apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Penyesuaian Nilai Aset +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. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Persediaan dibuat untuk Orang Tidak Terdaftar apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Semua Pekerjaan DocType: Appointment Type,Appointment Type,Jenis janji temu @@ -4174,7 +4216,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Berat kotor paket. Biasanya berat bersih + berat bahan kemasan. (untuk cetak) DocType: Plant Analysis,Laboratory Testing Datetime,Datetime Pengujian Laboratorium apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Item {0} tidak dapat memiliki Batch -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Jalur Penjualan berdasarkan Tahap apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Kekuatan Kelompok Mahasiswa DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Entri Transaksi Laporan Bank DocType: Purchase Order,Get Items from Open Material Requests,Dapatkan Barang dari Permintaan Material Terbuka @@ -4256,7 +4297,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Tampilkan Aging Warehouse-wise DocType: Sales Invoice,Write Off Outstanding Amount,Hapuskan Jumlah Luar Biasa DocType: Payroll Entry,Employee Details,Detail Karyawan -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Waktu Mulai tidak boleh lebih dari Waktu Akhir untuk {0}. DocType: Pricing Rule,Discount Amount,Jumlah diskon DocType: Healthcare Service Unit Type,Item Details,Rincian Barang apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Deklarasi Pajak Duplikat dari {0} untuk periode {1} @@ -4309,7 +4349,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Pembayaran bersih tidak boleh negatif apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Tidak ada Interaksi 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 Purchase Order {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Bergeser +DocType: Attendance,Shift,Bergeser apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Memproses Bagan Akun dan Pihak DocType: Stock Settings,Convert Item Description to Clean HTML,Konversi Keterangan Item ke Bersihkan HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Semua Grup Pemasok @@ -4380,6 +4420,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktivitas Onb DocType: Healthcare Service Unit,Parent Service Unit,Unit Layanan Induk DocType: Sales Invoice,Include Payment (POS),Sertakan Pembayaran (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Ekuitas Pribadi +DocType: Shift Type,First Check-in and Last Check-out,Check-in Pertama dan Check-out Terakhir DocType: Landed Cost Item,Receipt Document,Dokumen Penerimaan DocType: Supplier Scorecard Period,Supplier Scorecard Period,Periode Kartu Skor Pemasok DocType: Employee Grade,Default Salary Structure,Struktur Gaji Default @@ -4462,6 +4503,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Buat Pesanan Pembelian apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Tentukan anggaran untuk satu tahun keuangan. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Tabel akun tidak boleh kosong. +DocType: Employee Checkin,Entry Grace Period Consequence,Konsekuensi Masa Tenggang Masuk ,Payment Period Based On Invoice Date,Periode Pembayaran Berdasarkan Tanggal Faktur apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Tanggal pemasangan tidak boleh sebelum tanggal pengiriman untuk Barang {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Tautan ke Permintaan Material @@ -4470,6 +4512,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Tipe Data yan apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Baris {0}: Entri pemesanan ulang sudah ada untuk gudang ini {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Tanggal Dok DocType: Monthly Distribution,Distribution Name,Nama Distribusi +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Hari kerja {0} telah diulang. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Grup ke Non-Grup apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Pembaruan sedang berlangsung. Mungkin butuh beberapa saat. DocType: Item,"Example: ABCD.##### @@ -4482,6 +4525,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Jumlah Bahan Bakar apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile No DocType: Invoice Discounting,Disbursed,Dicairkan +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/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Perubahan Bersih dalam Hutang apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Tidak tersedia apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Paruh waktu @@ -4495,7 +4539,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Peluang apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Tampilkan PDC dalam Cetak apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Pemasok Shopify DocType: POS Profile User,POS Profile User,Pengguna Profil POS -DocType: Student,Middle Name,Nama tengah DocType: Sales Person,Sales Person Name,Nama Tenaga Penjual DocType: Packing Slip,Gross Weight,Berat kotor DocType: Journal Entry,Bill No,RUU No @@ -4504,7 +4547,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Lokas DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Persetujuan tingkat layanan -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Silakan pilih Karyawan dan Tanggal terlebih dahulu apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Nilai penilaian barang dihitung ulang dengan mempertimbangkan jumlah voucher biaya darat DocType: Timesheet,Employee Detail,Detail Karyawan DocType: Tally Migration,Vouchers,Voucher @@ -4539,7 +4581,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Persetujuan ting DocType: Additional Salary,Date on which this component is applied,Tanggal komponen ini diterapkan apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Daftar Pemegang Saham yang tersedia dengan nomor folio apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Siapkan akun Gateway. -DocType: Service Level,Response Time Period,Periode Waktu Respons +DocType: Service Level Priority,Response Time Period,Periode Waktu Respons DocType: Purchase Invoice,Purchase Taxes and Charges,Beli Pajak dan Tagihan DocType: Course Activity,Activity Date,Tanggal Aktivitas apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Pilih atau tambahkan pelanggan baru @@ -4564,6 +4606,7 @@ DocType: Sales Person,Select company name first.,Pilih nama perusahaan terlebih apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Tahun Keuangan DocType: Sales Invoice Item,Deferred Revenue,Pendapatan tangguhan apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Setidaknya salah satu Jual atau Beli harus dipilih +DocType: Shift Type,Working Hours Threshold for Half Day,Ambang Batas Jam Kerja untuk Setengah Hari ,Item-wise Purchase History,Riwayat Pembelian barang-bijaksana apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Tidak dapat mengubah Tanggal Berhenti Layanan untuk item dalam baris {0} DocType: Production Plan,Include Subcontracted Items,Sertakan Item yang Disubkontrakkan @@ -4596,6 +4639,7 @@ DocType: Journal Entry,Total Amount Currency,Jumlah Total Mata Uang DocType: BOM,Allow Same Item Multiple Times,Izinkan Item Sama Beberapa Kali apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Buat BOM DocType: Healthcare Practitioner,Charges,Biaya +DocType: Employee,Attendance and Leave Details,Detail Kehadiran dan Cuti DocType: Student,Personal Details,Data pribadi DocType: Sales Order,Billing and Delivery Status,Status Penagihan dan Pengiriman apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Baris {0}: Untuk pemasok {0} Alamat Email diperlukan untuk mengirim email @@ -4647,7 +4691,6 @@ DocType: Bank Guarantee,Supplier,Pemasok apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Masukkan nilai antara {0} dan {1} DocType: Purchase Order,Order Confirmation Date,Tanggal Konfirmasi Pemesanan DocType: Delivery Trip,Calculate Estimated Arrival Times,Hitung perkiraan waktu kedatangan -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Silakan atur Sistem Penamaan Karyawan di Sumber Daya Manusia> Pengaturan SDM apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Dikonsumsi DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Tanggal Mulai Berlangganan @@ -4670,7 +4713,7 @@ DocType: Installation Note Item,Installation Note Item,Item Catatan Instalasi DocType: Journal Entry Account,Journal Entry Account,Akun Entri Jurnal apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Varian apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Kegiatan Forum -DocType: Service Level,Resolution Time Period,Periode Waktu Resolusi +DocType: Service Level Priority,Resolution Time Period,Periode Waktu Resolusi DocType: Request for Quotation,Supplier Detail,Detail Pemasok DocType: Project Task,View Task,Lihat Tugas DocType: Serial No,Purchase / Manufacture Details,Detail Pembelian / Pembuatan @@ -4737,6 +4780,7 @@ DocType: Sales Invoice,Commission Rate (%),Tingkat Komisi (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Gudang hanya dapat diubah melalui Stock Entry / Delivery Note / Kwitansi Pembelian DocType: Support Settings,Close Issue After Days,Tutup Masalah Setelah Hari DocType: Payment Schedule,Payment Schedule,Jadwal pembayaran +DocType: Shift Type,Enable Entry Grace Period,Aktifkan Periode Rahmat Masuk DocType: Patient Relation,Spouse,Pasangan DocType: Purchase Invoice,Reason For Putting On Hold,Alasan Menunda DocType: Item Attribute,Increment,Kenaikan @@ -4876,6 +4920,7 @@ DocType: Authorization Rule,Customer or Item,Pelanggan atau Barang DocType: Vehicle Log,Invoice Ref,Ref Faktur apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Formulir-C tidak berlaku untuk Faktur: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Faktur Dibuat +DocType: Shift Type,Early Exit Grace Period,Periode Grace Keluar Awal DocType: Patient Encounter,Review Details,Detail Ulasan apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Baris {0}: Nilai jam harus lebih besar dari nol. DocType: Account,Account Number,Nomor rekening @@ -4887,7 +4932,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Berlaku jika perusahaannya adalah SpA, SApA atau SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Kondisi yang tumpang tindih ditemukan antara: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Dibayar dan Tidak Terkirim -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Kode Barang adalah wajib karena Barang tidak diberi nomor secara otomatis DocType: GST HSN Code,HSN Code,Kode HSN DocType: GSTR 3B Report,September,September apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Biaya Administrasi @@ -4923,6 +4967,8 @@ DocType: Travel Itinerary,Travel From,Perjalanan Dari apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Akun CWIP DocType: SMS Log,Sender Name,Nama pengirim DocType: Pricing Rule,Supplier Group,Grup Pemasok +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Tetapkan Waktu Mulai dan Waktu Berakhir untuk \ Hari Dukungan {0} di indeks {1}. DocType: Employee,Date of Issue,Tanggal pengeluaran ,Requested Items To Be Transferred,Barang yang Diminta Akan Ditransfer DocType: Employee,Contract End Date,Tanggal Berakhir Kontrak @@ -4933,6 +4979,7 @@ DocType: Healthcare Service Unit,Vacant,Kosong DocType: Opportunity,Sales Stage,Tahap Penjualan DocType: Sales Order,In Words will be visible once you save the Sales Order.,Dalam Words akan terlihat setelah Anda menyimpan Sales Order. DocType: Item Reorder,Re-order Level,Tingkat Pemesanan Ulang +DocType: Shift Type,Enable Auto Attendance,Aktifkan Kehadiran Otomatis apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Pilihan ,Department Analytics,Departemen Analisis DocType: Crop,Scientific Name,Nama ilmiah @@ -4945,6 +4992,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} status adalah DocType: Quiz Activity,Quiz Activity,Kegiatan Kuis apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} tidak dalam Periode Penggajian yang valid DocType: Timesheet,Billed,Ditagih +apps/erpnext/erpnext/config/support.py,Issue Type.,Jenis Masalah. DocType: Restaurant Order Entry,Last Sales Invoice,Faktur Penjualan Terakhir DocType: Payment Terms Template,Payment Terms,Syarat pembayaran apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Jumlah Pesanan: Jumlah dipesan untuk dijual, tetapi tidak dikirim." @@ -5040,6 +5088,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Aset apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} tidak memiliki Jadwal Praktisi Kesehatan. Tambahkan di master Praktisi Kesehatan DocType: Vehicle,Chassis No,Nomor rangka +DocType: Employee,Default Shift,Pergeseran Default apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Singkatan Perusahaan apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Pohon Bill of Material DocType: Article,LMS User,Pengguna LMS @@ -5088,6 +5137,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Sales Orang Tua DocType: Student Group Creation Tool,Get Courses,Dapatkan Kursus 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.","Baris # {0}: Jumlah harus 1, karena item adalah aset tetap. Silakan gunakan baris terpisah untuk beberapa qty." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Jam kerja di bawah ini Absen ditandai. (Nol untuk menonaktifkan) DocType: Customer Group,Only leaf nodes are allowed in transaction,Hanya node daun yang diizinkan dalam transaksi DocType: Grant Application,Organization,Organisasi DocType: Fee Category,Fee Category,Kategori Biaya @@ -5100,6 +5150,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Perbarui status Anda untuk acara pelatihan ini DocType: Volunteer,Morning,Pagi DocType: Quotation Item,Quotation Item,Item Kutipan +apps/erpnext/erpnext/config/support.py,Issue Priority.,Prioritas Masalah. DocType: Journal Entry,Credit Card Entry,Entri Kartu Kredit apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Slot waktu terlewati, slot {0} ke {1} tumpang tindih slot yang ada {2} ke {3}" DocType: Journal Entry Account,If Income or Expense,Jika Penghasilan atau Beban @@ -5150,11 +5201,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Impor dan Pengaturan Data 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 Keikutsertaan Otomatis dicentang, maka pelanggan akan secara otomatis ditautkan dengan Program Loyalitas yang bersangkutan (saat penyimpanan)" DocType: Account,Expense Account,Rekening pengeluaran +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Waktu sebelum shift dimulai saat di mana Karyawan Masuk dianggap hadir. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Hubungan dengan Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Buat Faktur apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Permintaan Pembayaran sudah ada {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Karyawan yang merasa lega pada {0} harus ditetapkan sebagai 'Kiri' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Bayar {0} {1} +DocType: Company,Sales Settings,Pengaturan Penjualan DocType: Sales Order Item,Produced Quantity,Kuantitas yang Diproduksi apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Permintaan penawaran dapat diakses dengan mengklik tautan berikut DocType: Monthly Distribution,Name of the Monthly Distribution,Nama Distribusi Bulanan @@ -5233,6 +5286,7 @@ DocType: Company,Default Values,Nilai Default apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Templat pajak default untuk penjualan dan pembelian dibuat. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Tipe Leave {0} tidak dapat diteruskan apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Akun Debit Ke harus merupakan akun Piutang +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Harap setel Akun di Gudang {0} atau Akun Inventaris Default di Perusahaan {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Ditetapkan sebagai default DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Berat bersih paket ini. (dihitung secara otomatis sebagai jumlah berat bersih barang) @@ -5259,8 +5313,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Gelombang Kedaluwarsa DocType: Shipping Rule,Shipping Rule Type,Jenis Aturan Pengiriman DocType: Job Offer,Accepted,Diterima -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/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Anda telah menilai kriteria penilaian {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Pilih Nomor Batch apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Umur (Hari) @@ -5287,6 +5339,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Pilih Domain Anda DocType: Agriculture Task,Task Name,Nama tugas 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Silakan hapus Karyawan {0} \ untuk membatalkan dokumen ini" ,Amount to Deliver,Jumlah yang Dikirimkan apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Perusahaan {0} tidak ada apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Tidak ada Permintaan Bahan yang tertunda yang ditemukan untuk menautkan item yang diberikan. @@ -5336,6 +5390,7 @@ DocType: Program Enrollment,Enrolled courses,Kursus yang didaftarkan DocType: Lab Prescription,Test Code,Kode Uji DocType: Purchase Taxes and Charges,On Previous Row Total,Total Baris Sebelumnya DocType: Student,Student Email Address,Alamat Email Siswa +,Delayed Item Report,Laporan Item Tertunda DocType: Academic Term,Education,pendidikan DocType: Supplier Quotation,Supplier Address,Alamat Pemasok DocType: Salary Detail,Do not include in total,Jangan memasukkan secara total @@ -5343,7 +5398,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} tidak ada DocType: Purchase Receipt Item,Rejected Quantity,Kuantitas yang Ditolak DocType: Cashier Closing,To TIme,Untuk waktu -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: Daily Work Summary Group User,Daily Work Summary Group User,Ringkasan Grup Pengguna Harian DocType: Fiscal Year Company,Fiscal Year Company,Perusahaan Tahun Anggaran apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Item alternatif tidak boleh sama dengan kode item @@ -5395,6 +5449,7 @@ DocType: Program Fee,Program Fee,Biaya Program DocType: Delivery Settings,Delay between Delivery Stops,Keterlambatan antar penghentian pengiriman DocType: Stock Settings,Freeze Stocks Older Than [Days],Bekukan Saham Yang Lebih Tua Dari [Hari] DocType: Promotional Scheme,Promotional Scheme Product Discount,Diskon Produk Skema Promosi +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Prioritas Masalah Sudah Ada DocType: Account,Asset Received But Not Billed,Aset Diterima Tapi Tidak Ditagih DocType: POS Closing Voucher,Total Collected Amount,Jumlah Yang Dikumpulkan Total DocType: Course,Default Grading Scale,Skala Grading Default @@ -5437,6 +5492,7 @@ DocType: C-Form,III,AKU AKU AKU DocType: Contract,Fulfilment Terms,Ketentuan Pemenuhan apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Non-Grup ke Grup DocType: Student Guardian,Mother,Ibu +DocType: Issue,Service Level Agreement Fulfilled,Perjanjian Tingkat Layanan Terpenuhi DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Pengurangan Pajak Untuk Imbalan Kerja yang Tidak Diklaim DocType: Travel Request,Travel Funding,Pendanaan Perjalanan DocType: Shipping Rule,Fixed,Tetap @@ -5466,10 +5522,12 @@ DocType: Item,Warranty Period (in days),Masa garansi (dalam hari) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Tidak ada barang yang ditemukan. DocType: Item Attribute,From Range,Dari Range DocType: Clinical Procedure,Consumables,Habis +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' dan 'timestamp' diperlukan. DocType: Purchase Taxes and Charges,Reference Row #,Baris Referensi # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Silakan setel 'Pusat Biaya Penyusutan Aset' di Perusahaan {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Baris # {0}: Dokumen pembayaran diperlukan untuk menyelesaikan transaksi DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Klik tombol ini untuk menarik data Pesanan Penjualan Anda dari Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Jam kerja di bawah setengah Hari ditandai. (Nol untuk menonaktifkan) ,Assessment Plan Status,Status Rencana Penilaian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Silakan pilih {0} pertama apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Kirim ini untuk membuat catatan Karyawan @@ -5540,6 +5598,7 @@ DocType: Quality Procedure,Parent Procedure,Prosedur Induk apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Setel Terbuka apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Toggle Filter DocType: Production Plan,Material Request Detail,Detail Permintaan Material +DocType: Shift Type,Process Attendance After,Proses Kehadiran Setelah DocType: Material Request Item,Quantity and Warehouse,Kuantitas dan Gudang apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Buka Program apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Baris # {0}: Entri duplikat dalam Referensi {1} {2} @@ -5597,6 +5656,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Informasi Pesta apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debitur ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Sampai saat ini tidak boleh lebih besar dari tanggal pelepasan karyawan +DocType: Shift Type,Enable Exit Grace Period,Aktifkan Periode Grace Keluar DocType: Expense Claim,Employees Email Id,Id Email Karyawan DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Perbarui Harga dari Shopify Ke Daftar Harga ERPNext DocType: Healthcare Settings,Default Medical Code Standard,Standar Kode Medis Standar @@ -5627,7 +5687,6 @@ DocType: Item Group,Item Group Name,Nama Grup Item DocType: Budget,Applicable on Material Request,Berlaku berdasarkan Permintaan Material DocType: Support Settings,Search APIs,API pencarian DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Persentase Kelebihan Produksi Untuk Pesanan Penjualan -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Spesifikasi DocType: Purchase Invoice,Supplied Items,Barang yang Disediakan DocType: Leave Control Panel,Select Employees,Pilih Karyawan apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Pilih akun pendapatan bunga dalam pinjaman {0} @@ -5653,7 +5712,7 @@ DocType: Salary Slip,Deductions,Pengurangan ,Supplier-Wise Sales Analytics,Analisis Penjualan yang Bijaksana-Pemasok DocType: GSTR 3B Report,February,Februari DocType: Appraisal,For Employee,Untuk Karyawan -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Tanggal Pengiriman Aktual +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Tanggal Pengiriman Aktual DocType: Sales Partner,Sales Partner Name,Nama Mitra Penjualan apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Depresiasi Baris {0}: Tanggal Mulai Penyusutan dimasukkan sebagai tanggal yang lalu DocType: GST HSN Code,Regional,Regional @@ -5692,6 +5751,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Fak DocType: Supplier Scorecard,Supplier Scorecard,Kartu Skor Pemasok DocType: Travel Itinerary,Travel To,Bepergian ke apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Tandai Kehadiran +DocType: Shift Type,Determine Check-in and Check-out,Tentukan Check-in dan Check-out DocType: POS Closing Voucher,Difference,Perbedaan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Kecil DocType: Work Order Item,Work Order Item,Barang pesanan kerja @@ -5725,6 +5785,7 @@ DocType: Sales Invoice,Shipping Address Name,Nama Alamat Pengiriman apps/erpnext/erpnext/healthcare/setup.py,Drug,Obat apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} ditutup DocType: Patient,Medical History,Riwayat kesehatan +DocType: Expense Claim,Expense Taxes and Charges,Pajak Biaya dan Beban DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Jumlah hari setelah tanggal faktur berlalu sebelum membatalkan langganan atau menandai langganan sebagai tidak dibayar apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Catatan Instalasi {0} telah dikirimkan DocType: Patient Relation,Family,Keluarga @@ -5757,7 +5818,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Kekuatan apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} unit {1} diperlukan dalam {2} untuk menyelesaikan transaksi ini. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Bahan Baku Subkontrak Backflush Berdasarkan -DocType: Bank Guarantee,Customer,Pelanggan DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Jika diaktifkan, bidang Istilah Akademik akan Wajib di Alat Pendaftaran Program." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Untuk Kelompok Siswa berbasis Kelompok, Kelompok Mahasiswa akan divalidasi untuk setiap Siswa dari Pendaftaran Program." DocType: Course,Topics,Topik @@ -5837,6 +5897,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Anggota Bab DocType: Warranty Claim,Service Address,Alamat Layanan DocType: Journal Entry,Remark,Ucapan +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Baris {0}: Jumlah tidak tersedia untuk {4} di gudang {1} pada saat posting entri ({2} {3}) DocType: Patient Encounter,Encounter Time,Menghadapi Waktu DocType: Serial No,Invoice Details,Rincian Faktur apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Akun lebih lanjut dapat dibuat di bawah Grup, tetapi entri dapat dibuat terhadap non-Grup" @@ -5917,6 +5978,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","P apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Penutupan (Pembukaan + Total) DocType: Supplier Scorecard Criteria,Criteria Formula,Formula Kriteria apps/erpnext/erpnext/config/support.py,Support Analytics,Mendukung analitik +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID Perangkat Kehadiran (ID tag Biometrik / RF) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Ulasan dan Aksi DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Jika akun dibekukan, entri diperbolehkan untuk pengguna yang dibatasi." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Jumlah Setelah Depresiasi @@ -5938,6 +6000,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Pembayaran pinjaman DocType: Employee Education,Major/Optional Subjects,Subjek Utama / Opsional DocType: Soil Texture,Silt,Lanau +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Alamat dan Kontak Pemasok DocType: Bank Guarantee,Bank Guarantee Type,Jenis Garansi Bank DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Jika dinonaktifkan, bidang 'Total Bulat' tidak akan terlihat dalam transaksi apa pun" DocType: Pricing Rule,Min Amt,Min Amt @@ -5976,6 +6039,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Membuka Item Alat Pembuatan Faktur DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Sertakan Transaksi POS +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Tidak ada Karyawan yang ditemukan untuk nilai bidang karyawan yang diberikan. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Jumlah yang Diterima (Mata Uang Perusahaan) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyimpan" DocType: Chapter Member,Chapter Member,Anggota Bab @@ -6008,6 +6072,7 @@ DocType: SMS Center,All Lead (Open),Semua Prospek (Terbuka) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Tidak ada Grup Siswa yang dibuat. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Baris duplikat {0} dengan {1} yang sama DocType: Employee,Salary Details,Rincian Gaji +DocType: Employee Checkin,Exit Grace Period Consequence,Keluar dari Masa Konsekuensi DocType: Bank Statement Transaction Invoice Item,Invoice,Faktur DocType: Special Test Items,Particulars,Khususnya apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Harap atur filter berdasarkan Item atau Gudang @@ -6109,6 +6174,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Keluar dari AMC DocType: Job Opening,"Job profile, qualifications required etc.","Profil pekerjaan, kualifikasi yang dibutuhkan, dll." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Kirim Ke Negara +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Apakah Anda ingin mengirimkan permintaan materi DocType: Opportunity Item,Basic Rate,Tingkat Dasar DocType: Compensatory Leave Request,Work End Date,Tanggal Berakhir Kerja apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Permintaan Bahan Baku @@ -6294,6 +6360,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Jumlah Penyusutan DocType: Sales Order Item,Gross Profit,Laba kotor DocType: Quality Inspection,Item Serial No,Item Serial No DocType: Asset,Insurer,Penanggung +DocType: Employee Checkin,OUT,DI LUAR apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Jumlah Pembelian DocType: Asset Maintenance Task,Certificate Required,Diperlukan sertifikat DocType: Retention Bonus,Retention Bonus,Bonus Retensi @@ -6409,6 +6476,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Jumlah Selisih (Mata DocType: Invoice Discounting,Sanctioned,Sanksi DocType: Course Enrollment,Course Enrollment,Pendaftaran Kursus DocType: Item,Supplier Items,Barang Pemasok +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Waktu Mulai tidak boleh lebih dari atau sama dengan Waktu Akhir \ untuk {0}. DocType: Sales Order,Not Applicable,Tak dapat diterapkan DocType: Support Search Source,Response Options,Opsi Tanggapan apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} harus berupa nilai antara 0 dan 100 @@ -6495,7 +6564,6 @@ DocType: Travel Request,Costing,Penentuan biaya apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Aset Tetap DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Total Pendapatan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah DocType: Share Balance,From No,Dari No DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Faktur Rekonsiliasi Pembayaran DocType: Purchase Invoice,Taxes and Charges Added,Pajak dan Biaya Ditambahkan @@ -6603,6 +6671,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Abaikan Aturan Harga apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Makanan DocType: Lost Reason Detail,Lost Reason Detail,Detail Alasan yang Hilang +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Nomor seri berikut ini dibuat:
{0} DocType: Maintenance Visit,Customer Feedback,Timbal balik pelanggan DocType: Serial No,Warranty / AMC Details,Rincian Garansi / AMC DocType: Issue,Opening Time,Waktu pembukaan @@ -6652,6 +6721,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Nama perusahaan tidak sama apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Promosi Karyawan tidak dapat diajukan sebelum Tanggal Promosi apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Tidak diizinkan untuk memperbarui transaksi stok yang lebih lama dari {0} +DocType: Employee Checkin,Employee Checkin,Lapor masuk karyawan 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 Barang {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Buat kutipan pelanggan DocType: Buying Settings,Buying Settings,Pengaturan Pembelian @@ -6673,6 +6743,7 @@ DocType: Job Card Time Log,Job Card Time Log,Log Waktu Kartu Pekerjaan DocType: Patient,Patient Demographics,Demografi Pasien DocType: Share Transfer,To Folio No,Untuk Folio No apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Arus Kas dari Operasi +DocType: Employee Checkin,Log Type,Jenis Log DocType: Stock Settings,Allow Negative Stock,Izinkan Stock Negatif apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Tidak ada barang yang memiliki perubahan kuantitas atau nilai. DocType: Asset,Purchase Date,Tanggal Pembelian @@ -6717,6 +6788,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Sangat hiper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Pilih sifat bisnis Anda. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Silakan pilih bulan dan tahun +DocType: Service Level,Default Priority,Prioritas Default DocType: Student Log,Student Log,Log Pelajar DocType: Shopping Cart Settings,Enable Checkout,Aktifkan Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Sumber daya manusia @@ -6745,7 +6817,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Hubungkan Shopify dengan ERPNext DocType: Homepage Section Card,Subtitle,Subtitle DocType: Soil Texture,Loam,Lempung -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pemasok> Jenis Pemasok DocType: BOM,Scrap Material Cost(Company Currency),Biaya Bahan Bekas (Mata Uang Perusahaan) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Catatan Pengiriman {0} tidak boleh dikirimkan DocType: Task,Actual Start Date (via Time Sheet),Tanggal Mulai Aktual (melalui Lembar Waktu) @@ -6801,6 +6872,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosis DocType: Cheque Print Template,Starting position from top edge,Posisi mulai dari tepi atas apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Durasi Penunjukan (menit) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Karyawan ini sudah memiliki log dengan stempel waktu yang sama. {0} DocType: Accounting Dimension,Disable,Nonaktifkan DocType: Email Digest,Purchase Orders to Receive,Beli Pesanan untuk Menerima apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Pesanan Produksi tidak dapat dinaikkan untuk: @@ -6816,7 +6888,6 @@ DocType: Production Plan,Material Requests,Permintaan Material DocType: Buying Settings,Material Transferred for Subcontract,Material dipindahkan untuk subkontrak DocType: Job Card,Timing Detail,Detail Waktu apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Diperlukan Pada -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Mengimpor {0} dari {1} DocType: Job Offer Term,Job Offer Term,Masa Penawaran Pekerjaan DocType: SMS Center,All Contact,Semua Kontak DocType: Project Task,Project Task,Tugas Proyek @@ -6867,7 +6938,6 @@ DocType: Student Log,Academic,Akademik apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Item {0} tidak disiapkan untuk Serial No. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Dari Negara DocType: Leave Type,Maximum Continuous Days Applicable,Maksimum Hari Berlanjut Berlaku -apps/erpnext/erpnext/config/support.py,Support Team.,Tim pendukung. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Silakan masukkan nama perusahaan terlebih dahulu apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Impor Berhasil DocType: Guardian,Alternate Number,Nomor Alternatif @@ -6959,6 +7029,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Baris # {0}: Item ditambahkan DocType: Student Admission,Eligibility and Details,Kelayakan dan Detail DocType: Staffing Plan,Staffing Plan Detail,Detail Rencana Penetapan Staf +DocType: Shift Type,Late Entry Grace Period,Periode Rahmat Entri yang Terlambat DocType: Email Digest,Annual Income,Pendapatan tahunan DocType: Journal Entry,Subscription Section,Bagian Berlangganan DocType: Salary Slip,Payment Days,Hari pembayaran @@ -7009,6 +7080,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Saldo rekening DocType: Asset Maintenance Log,Periodicity,Periodisitas apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Rekam medis +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Jenis Log diperlukan untuk lapor masuk yang jatuh di shift: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Eksekusi DocType: Item,Valuation Method,Metode Penilaian apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} terhadap Faktur Penjualan {1} @@ -7093,6 +7165,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Perkiraan Biaya Per Po DocType: Loan Type,Loan Name,Nama Pinjaman apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Tetapkan mode pembayaran default DocType: Quality Goal,Revision,Revisi +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Waktu sebelum waktu akhir shift ketika check-out dianggap sebagai awal (dalam menit). DocType: Healthcare Service Unit,Service Unit Type,Jenis Unit Layanan DocType: Purchase Invoice,Return Against Purchase Invoice,Kembali Terhadap Faktur Pembelian apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Hasilkan Rahasia @@ -7248,12 +7321,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Kosmetik DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Periksa ini jika Anda ingin memaksa pengguna untuk memilih seri sebelum menyimpan. Tidak akan ada default jika Anda memeriksa ini. 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 diizinkan untuk mengatur akun beku dan membuat / memodifikasi entri akuntansi terhadap akun beku +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kode Barang> Grup Barang> Merek DocType: Expense Claim,Total Claimed Amount,Jumlah yang Diklaim Total 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 Slot Waktu dalam {0} hari berikutnya untuk Operasi {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Membungkus apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Anda hanya dapat memperbarui jika keanggotaan Anda berakhir dalam 30 hari apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Nilai harus antara {0} dan {1} DocType: Quality Feedback,Parameters,Parameter +DocType: Shift Type,Auto Attendance Settings,Pengaturan Kehadiran Otomatis ,Sales Partner Transaction Summary,Ringkasan Transaksi Mitra Penjualan DocType: Asset Maintenance,Maintenance Manager Name,Nama Manajer Pemeliharaan apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Diperlukan untuk mengambil Rincian Item. @@ -7345,10 +7420,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Validasikan Aturan yang Diterapkan DocType: Job Card Item,Job Card Item,Item Kartu Pekerjaan DocType: Homepage,Company Tagline for website homepage,Tagline Perusahaan untuk beranda situs web +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Tetapkan Waktu Respons dan Resolusi untuk Prioritas {0} di indeks {1}. DocType: Company,Round Off Cost Center,Pusat Biaya Pembulatan DocType: Supplier Scorecard Criteria,Criteria Weight,Kriteria Berat DocType: Asset,Depreciation Schedules,Jadwal Penyusutan -DocType: Expense Claim Detail,Claim Amount,Jumlah Klaim DocType: Subscription,Discounts,Diskon DocType: Shipping Rule,Shipping Rule Conditions,Ketentuan Aturan Pengiriman DocType: Subscription,Cancelation Date,Tanggal Pembatalan @@ -7376,7 +7451,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Buat Prospek apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Tampilkan nilai nol DocType: Employee Onboarding,Employee Onboarding,Karyawan Onboarding DocType: POS Closing Voucher,Period End Date,Tanggal Berakhir Periode -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Peluang Penjualan berdasarkan Sumber DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Pemberi Cuti pertama dalam daftar akan ditetapkan sebagai Pemberi Cuti bawaan. DocType: POS Settings,POS Settings,Pengaturan POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Semua Akun @@ -7397,7 +7471,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Deatil apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Baris # {0}: Nilai harus sama dengan {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Item Layanan Kesehatan -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Tidak ada catatan yang ditemukan apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Rentang Penuaan 3 DocType: Vital Signs,Blood Pressure,Tekanan darah 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 pada @@ -7444,6 +7517,7 @@ DocType: Company,Existing Company,Perusahaan yang Ada apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Batch apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Pertahanan DocType: Item,Has Batch No,Memiliki Batch No +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Hari yang Tertunda DocType: Lead,Person Name,Nama Orang DocType: Item Variant,Item Variant,Varian item DocType: Training Event Employee,Invited,Diundang @@ -7465,7 +7539,7 @@ DocType: Purchase Order,To Receive and Bill,Untuk Menerima dan Menagih apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Tanggal mulai dan berakhir yang bukan dalam Periode Penggajian yang valid, tidak dapat menghitung {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Hanya tunjukkan Pelanggan dari Grup Pelanggan ini apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Pilih item untuk menyimpan faktur -DocType: Service Level,Resolution Time,Waktu resolusi +DocType: Service Level Priority,Resolution Time,Waktu resolusi DocType: Grading Scale Interval,Grade Description,Deskripsi Kelas DocType: Homepage Section,Cards,Kartu-kartu DocType: Quality Meeting Minutes,Quality Meeting Minutes,Risalah Rapat Kualitas @@ -7492,6 +7566,7 @@ DocType: Project,Gross Margin %,Margin Kotor% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Saldo Rekening Bank sesuai Buku Besar apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Kesehatan (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Gudang Default untuk membuat Pesanan Penjualan dan Catatan Pengiriman +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Waktu Respons untuk {0} pada indeks {1} tidak boleh lebih besar dari Waktu Resolusi. DocType: Opportunity,Customer / Lead Name,Pelanggan / Nama Utama DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Jumlah yang tidak diklaim @@ -7538,7 +7613,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Mengimpor Pihak dan Alamat DocType: Item,List this Item in multiple groups on the website.,Daftarkan Item ini dalam beberapa grup di situs web. DocType: Request for Quotation,Message for Supplier,Pesan untuk Pemasok -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Tidak dapat mengubah {0} karena Transaksi Stok untuk Item {1} ada. DocType: Healthcare Practitioner,Phone (R),Telepon (R) DocType: Maintenance Team Member,Team Member,Anggota tim DocType: Asset Category Account,Asset Category Account,Akun Kategori Aset diff --git a/erpnext/translations/is.csv b/erpnext/translations/is.csv index 28f8ab1ce1..218d28c800 100644 --- a/erpnext/translations/is.csv +++ b/erpnext/translations/is.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Upphafsdagur upphafs apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Skipun {0} og sölureikningur {1} fellur niður DocType: Purchase Receipt,Vehicle Number,Ökutækisnúmer apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Netfangið þitt... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Innihalda sjálfgefnar bókfærslur +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Innihalda sjálfgefnar bókfærslur DocType: Activity Cost,Activity Type,Tegund ferðar DocType: Purchase Invoice,Get Advances Paid,Fá framlag greitt DocType: Company,Gain/Loss Account on Asset Disposal,Hagnaður / Tap reikningur um eignar ráðstöfun @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Hvað gerir þa DocType: Bank Reconciliation,Payment Entries,Greiðslur DocType: Employee Education,Class / Percentage,Flokkur / Hlutfall ,Electronic Invoice Register,Rafræn reikningsskrá +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Fjöldi atvika eftir sem afleiðingin er framkvæmd. DocType: Sales Invoice,Is Return (Credit Note),Er afturábak (lánshæfiseinkunn) +DocType: Price List,Price Not UOM Dependent,Verð ekki UOM háð DocType: Lab Test Sample,Lab Test Sample,Lab Test Dæmi DocType: Shopify Settings,status html,stöðu html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Fyrir td 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Vara leit DocType: Salary Slip,Net Pay,Nettó greiðsla apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Samtals innheimt Amt DocType: Clinical Procedure,Consumables Invoice Separately,Rekstrarvörur Reikningur Sérstaklega +DocType: Shift Type,Working Hours Threshold for Absent,Vinnutími viðmiðunargildi fyrir fjarveru DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Ekki er hægt að úthluta fjárhagsáætlun gegn hópreikningi {0} DocType: Purchase Receipt Item,Rate and Amount,Verð og upphæð @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Setja Source Warehouse DocType: Healthcare Settings,Out Patient Settings,Úthreinsun sjúklinga DocType: Asset,Insurance End Date,Tryggingar lokadagur DocType: Bank Account,Branch Code,Útibúarkóði -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Tími til að svara apps/erpnext/erpnext/public/js/conf.js,User Forum,User Forum DocType: Landed Cost Item,Landed Cost Item,Landed Kostnaður Item apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Seljandi og kaupandi má ekki vera það sama @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Lead Owner DocType: Share Transfer,Transfer,Flytja apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Leitaratriði (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Niðurstaða send +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Frá dagsetningu getur ekki verið meiri en en Til dagsetning DocType: Supplier,Supplier of Goods or Services.,Birgir vöru eða þjónustu. 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ýrrar reiknings. Athugaðu: Búðu til ekki reikninga fyrir viðskiptavini og birgja apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Nemandi hópur eða námskeiðaskrá er skylt @@ -882,7 +885,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Gagnagrunnur DocType: Skill,Skill Name,Hæfniskenni apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Prenta skýrslukort DocType: Soil Texture,Ternary Plot,Ternary plot -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vinsamlegast settu Nafngerðaröð fyrir {0} í gegnum Skipulag> Stillingar> Nöfnunarröð apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Stuðningur miða DocType: Asset Category Account,Fixed Asset Account,Fast eignareikningur apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Nýjustu @@ -895,6 +897,7 @@ DocType: Delivery Trip,Distance UOM,Fjarlægð UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Lögboðin fyrir efnahagsreikning DocType: Payment Entry,Total Allocated Amount,Samtals úthlutað upphæð DocType: Sales Invoice,Get Advances Received,Fá framfarir móttekin +DocType: Shift Type,Last Sync of Checkin,Síðasta samstilling skoðunar DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Vöruskattur Skattur innifalinn í verðmæti apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -903,7 +906,9 @@ DocType: Subscription Plan,Subscription Plan,Áskriftaráætlun DocType: Student,Blood Group,Blóðflokkur apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Crop,Crop Spacing UOM,Skera úthlutunarsvæði +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Tími eftir breytingartíma byrjunar þegar innritun er talin seint (í mínútum). apps/erpnext/erpnext/templates/pages/home.html,Explore,Kannaðu +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Engar framúrskarandi reikningar fundust apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} laus störf og {1} fjárhagsáætlun fyrir {2} sem nú þegar er fyrirhuguð fyrir dótturfélög í {3}. \ Þú getur aðeins áætlað allt að {4} laus störf og fjárhagsáætlun {5} samkvæmt áætluninni fyrir starfsmanninn {6} fyrir móðurfélagið {3}. DocType: Promotional Scheme,Product Discount Slabs,Vara Afsláttarplötum @@ -1005,6 +1010,7 @@ DocType: Attendance,Attendance Request,Dagsbeiðni DocType: Item,Moving Average,Að flytja meðaltali DocType: Employee Attendance Tool,Unmarked Attendance,Ómerkt aðsókn DocType: Homepage Section,Number of Columns,Fjöldi dálka +DocType: Issue Priority,Issue Priority,Útgáfuárangur DocType: Holiday List,Add Weekly Holidays,Bæta við vikulega frídaga DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Búðu til Launasala @@ -1013,6 +1019,7 @@ DocType: Job Offer Term,Value / Description,Gildi / lýsing DocType: Warranty Claim,Issue Date,Útgáfudagur 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 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Get ekki búið til viðhaldsbónus fyrir vinstri starfsmenn +DocType: Employee Checkin,Location / Device ID,Staðsetning / tæki ID DocType: Purchase Order,To Receive,Til að taka á móti apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Þú ert í ótengdum ham. Þú munt ekki geta endurhlaðin fyrr en þú hefur net. DocType: Course Activity,Enrollment,Innritun @@ -1021,7 +1028,6 @@ DocType: Lab Test Template,Lab Test Template,Lab próf sniðmát apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Hámark: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-innheimtuupplýsingar vantar apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Engin efnisbeiðni búin til -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Vörunúmer> Liðurhópur> Vörumerki DocType: Loan,Total Amount Paid,Heildarfjárhæð greidd apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Öll þessi atriði hafa þegar verið reiknuð DocType: Training Event,Trainer Name,Þjálfari nafn @@ -1132,6 +1138,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Vinsamlegast nefnt Lead Name í Lead {0} DocType: Employee,You can enter any date manually,Þú getur slegið inn dagsetningu handvirkt DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stöðugleiki +DocType: Shift Type,Early Exit Consequence,Snemma brottför afleiðing DocType: Item Group,General Settings,Almennar stillingar apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Gjalddagi má ekki vera fyrr en reikningsdagur fyrir afhendingu / afhendingu apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Sláðu inn nafn bótaþega áður en þú sendir inn. @@ -1170,6 +1177,7 @@ DocType: Account,Auditor,Endurskoðandi apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Greiðsla staðfestingar ,Available Stock for Packing Items,Laust lager fyrir pökkunartæki apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Vinsamlegast fjarlægðu þennan reiknivél {0} úr C-eyðublaði {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Sérhver Gildir innritun og brottför DocType: Support Search Source,Query Route String,Fyrirspurnarleiðband DocType: Customer Feedback Template,Customer Feedback Template,Sniðmát viðskiptavina apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Tilvitnanir til Leiða eða Viðskiptavinir. @@ -1203,6 +1211,7 @@ DocType: Serial No,Under AMC,Undir AMC DocType: Authorization Control,Authorization Control,Leyfisstjórn ,Daily Work Summary Replies,Dagleg vinnusamantekt Svar apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Þú hefur verið boðið að vinna í verkefninu: {0} +DocType: Issue,Response By Variance,Svar eftir afbrigði DocType: Item,Sales Details,Söluupplýsingar apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Bréfshöfuð fyrir sniðmát prenta. DocType: Salary Detail,Tax on additional salary,Skattur á viðbótarlaun @@ -1326,6 +1335,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Heimilisf DocType: Project,Task Progress,Verkefni framfarir DocType: Journal Entry,Opening Entry,Opnun innganga DocType: Bank Guarantee,Charges Incurred,Gjöld felld +DocType: Shift Type,Working Hours Calculation Based On,Vinnutími útreikningur byggður á DocType: Work Order,Material Transferred for Manufacturing,Efni flutt til framleiðslu DocType: Products Settings,Hide Variants,Fela afbrigði DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Slökktu á Stærð skipulags og tíma mælingar @@ -1355,6 +1365,7 @@ DocType: Account,Depreciation,gengislækkun DocType: Guardian,Interests,Áhugamál DocType: Purchase Receipt Item Supplied,Consumed Qty,Fjöldi neyslu DocType: Education Settings,Education Manager,Menntun framkvæmdastjóri +DocType: Employee Checkin,Shift Actual Start,Shift Raunverulegur byrjun DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Skipuleggja vinnutíma utan vinnustöðvinnu. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Hollusta stig: {0} DocType: Healthcare Settings,Registration Message,Skráningarnúmer @@ -1379,9 +1390,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Reikningur er þegar búinn til fyrir alla reikningstíma DocType: Sales Partner,Contact Desc,Hafa samband Desc DocType: Purchase Invoice,Pricing Rules,Verðreglur +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Þar sem núverandi viðskipti eiga sér stað við lið {0}, getur þú ekki breytt gildi {1}" DocType: Hub Tracked Item,Image List,Myndlist DocType: Item Variant Settings,Allow Rename Attribute Value,Leyfa Endurnefna Eiginleikar -DocType: Price List,Price Not UOM Dependant,Verð ekki UOM háð apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Tími (í mín.) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Basic DocType: Loan,Interest Income Account,Vaxtatekjur @@ -1391,6 +1402,7 @@ DocType: Employee,Employment Type,Atvinna Tegund apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Veldu POS Profile DocType: Support Settings,Get Latest Query,Fáðu nýjustu fyrirspurnina DocType: Employee Incentive,Employee Incentive,Starfsmaður hvatning +DocType: Service Level,Priorities,Forgangsröðun apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Bættu við kortum eða sérsniðnum köflum á heimasíðunni DocType: Homepage,Hero Section Based On,Hero Section Based On DocType: Project,Total Purchase Cost (via Purchase Invoice),Samtals innkaupakostnaður (með innheimtufé) @@ -1451,7 +1463,7 @@ DocType: Work Order,Manufacture against Material Request,Framleiðsla gegn efnis DocType: Blanket Order Item,Ordered Quantity,Ordered Magn apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Hafnað vörugeymsla er skylt að hafna hlutum {1} ,Received Items To Be Billed,Móttekin atriði sem verða gefnar upp -DocType: Salary Slip Timesheet,Working Hours,Vinnutími +DocType: Attendance,Working Hours,Vinnutími apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Greiðslumáti apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Innkaupapöntunartilboð sem ekki hafa borist á réttum tíma apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Lengd í dögum @@ -1571,7 +1583,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Lögbundin upplýsingar og aðrar almennar upplýsingar um birgir þínar DocType: Item Default,Default Selling Cost Center,Sjálfgefin selja kostnaðurarmiðstöð DocType: Sales Partner,Address & Contacts,Heimilisfang og tengiliðir -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vinsamlegast settu upp flokkunarnúmer fyrir þátttöku í gegnum uppsetningu> númerakerfi DocType: Subscriber,Subscriber,Áskrifandi apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) er ekki til á lager apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Vinsamlegast veldu Senda dagsetningu fyrst @@ -1582,7 +1593,7 @@ DocType: Project,% Complete Method,% Heill aðferð DocType: Detected Disease,Tasks Created,Verkefni búin til apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Sjálfgefið BOM ({0}) verður að vera virk fyrir þetta atriði eða sniðmát þess apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Framkvæmdastjórnarhlutfall% -DocType: Service Level,Response Time,Viðbragðstími +DocType: Service Level Priority,Response Time,Viðbragðstími DocType: Woocommerce Settings,Woocommerce Settings,Váskiptastillingar apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Magn verður að vera jákvætt DocType: Contract,CRM,CRM @@ -1599,7 +1610,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Sjúkraþjálfun DocType: Bank Statement Settings,Transaction Data Mapping,Mapping viðskiptadags apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Leiða þarf annaðhvort nafn einstaklings eða nafn fyrirtækis DocType: Student,Guardians,Forráðamenn -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vinsamlegast skipulag kennari Nafnakerfi í menntun> Menntastillingar apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Veldu tegund ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Miðtekjur DocType: Shipping Rule,Calculate Based On,Reiknaðu Byggt á @@ -1636,6 +1646,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Stilltu mark apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Dagsskýrsla {0} er til móts við nemanda {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Dagsetning viðskipta apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Hætta við áskrift +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Gat ekki sett þjónustustigarsamning {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Hrein upphæð DocType: Account,Liability,Ábyrgð DocType: Employee,Bank A/C No.,Banka nr. @@ -1701,7 +1712,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Hráefni vöruliður apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Innheimtufé {0} er þegar sent inn DocType: Fees,Student Email,Tölvupóstur nemanda -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM endurferð: {0} getur ekki verið foreldri eða barn {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Fáðu atriði úr heilbrigðisþjónustu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Skráarfærsla {0} er ekki send inn DocType: Item Attribute Value,Item Attribute Value,Vara Eiginleikar @@ -1726,7 +1736,6 @@ DocType: POS Profile,Allow Print Before Pay,Leyfa prentun áður en þú greiði DocType: Production Plan,Select Items to Manufacture,Veldu hluti til framleiðslu DocType: Leave Application,Leave Approver Name,Leyfi samþykkisheiti DocType: Shareholder,Shareholder,Hluthafi -DocType: Issue,Agreement Status,Samningsstaða apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Sjálfgefin stilling fyrir söluviðskipti. 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 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Veldu BOM @@ -1988,6 +1997,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Tekjuskráning apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Allar vöruhús DocType: Contract,Signee Details,Signee Upplýsingar +DocType: Shift Type,Allow check-out after shift end time (in minutes),Leyfa útskráningu eftir lokaskipti (í mínútum) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Innkaup DocType: Item Group,Check this if you want to show in website,Athugaðu þetta ef þú vilt sýna á vefsíðu apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiscal Year {0} fannst ekki @@ -2053,6 +2063,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Afskriftir upphafsdagur DocType: Activity Cost,Billing Rate,Innheimtuhlutfall apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Viðvörun: Annar {0} # {1} er til á móti hlutafærslu {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Vinsamlega virkjaðu Google Maps Stillingar til að meta og hagræða leiðum +DocType: Purchase Invoice Item,Page Break,Page Break DocType: Supplier Scorecard Criteria,Max Score,Hámarksstig apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Endurgreiðsla upphafsdagur má ekki vera fyrir gjalddaga. DocType: Support Search Source,Support Search Source,Stuðningur Leita Heimild @@ -2121,6 +2132,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Gæðamarkmið Markmið DocType: Employee Transfer,Employee Transfer,Starfsmaður flytja ,Sales Funnel,Sölutrunnur DocType: Agriculture Analysis Criteria,Water Analysis,Vatnsgreining +DocType: Shift Type,Begin check-in before shift start time (in minutes),Byrjaðu innskráningu áður en byrjunartíma hefst (í mínútum) DocType: Accounts Settings,Accounts Frozen Upto,Reikningar Frosinn Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Það er ekkert að breyta. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Rekstur {0} lengri en nokkur vinnutími á vinnustöðinni {1}, brjóta niður aðgerðina í margar aðgerðir" @@ -2134,7 +2146,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Cash apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Sölupöntun {0} er {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Tafir á greiðslu (dagar) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Færðu inn upplýsingar um afskriftir +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Viðskiptavinur PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Væntanlegur afhendingardagur ætti að vera eftir söludagsetningardegi +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Liður magn getur ekki verið núll apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Ógilt eigindi apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Vinsamlegast veldu BOM gegn hlutnum {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Reikningsgerð @@ -2144,6 +2158,7 @@ DocType: Maintenance Visit,Maintenance Date,Viðhald Dagsetning DocType: Volunteer,Afternoon,Að morgni DocType: Vital Signs,Nutrition Values,Næringargildi DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Hiti í upphafi (hitastig> 38,5 ° C / 101,3 ° F eða viðvarandi hitastig> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vinsamlegast settu upp starfsmannamiðlunarkerfi í mannauði> HR-stillingar apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC afturkallað DocType: Project,Collect Progress,Safna framfarir apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Orka @@ -2194,6 +2209,7 @@ DocType: Setup Progress,Setup Progress,Uppsetning Framfarir ,Ordered Items To Be Billed,Ordered Items Til Billed DocType: Taxable Salary Slab,To Amount,Að upphæð DocType: Purchase Invoice,Is Return (Debit Note),Er aftur (skuldfærsla) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Viðskiptavinur> Viðskiptavinahópur> Territory apps/erpnext/erpnext/config/desktop.py,Getting Started,Að byrja apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Sameina apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Ekki er hægt að breyta upphafsdagi reikningsárs og reikningsárs lokadag þegar reikningsár er vistað. @@ -2212,8 +2228,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Raunveruleg dagsetning apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Viðhalds upphafsdagur getur ekki verið fyrir afhendingu fyrir raðnúmer {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Row {0}: Gengi gjaldmiðla er skylt DocType: Purchase Invoice,Select Supplier Address,Veldu birgir Heimilisfang +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Laust magn er {0}, þú þarft {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Vinsamlegast sláðu inn API Consumer Secret DocType: Program Enrollment Fee,Program Enrollment Fee,Áætlun innskráningargjald +DocType: Employee Checkin,Shift Actual End,Shift Raunverulegur endir DocType: Serial No,Warranty Expiry Date,Ábyrgðartímabil DocType: Hotel Room Pricing,Hotel Room Pricing,Hótel herbergi Verðlagning apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Skattskyldar birgðir (utan annarra en núllar, án nafna og undanþegnar" @@ -2272,6 +2290,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Lestur 5 DocType: Shopping Cart Settings,Display Settings,Sýna stillingar apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Vinsamlegast settu fjölda afskriftir bókað +DocType: Shift Type,Consequence after,Afleiðing eftir apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Hvað þarftu hjálp við? DocType: Journal Entry,Printing Settings,Prentunarstillingar apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bankastarfsemi @@ -2281,6 +2300,7 @@ DocType: Purchase Invoice Item,PR Detail,PR smáatriði apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Innheimtu Heimilisfang er sama og sendingar Heimilisfang DocType: Account,Cash,Handbært fé DocType: Employee,Leave Policy,Leyfi stefnu +DocType: Shift Type,Consequence,Afleiðing apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Námsmaður Heimilisfang DocType: GST Account,CESS Account,CESS reikning apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kostnaðurarmiðstöð er krafist fyrir 'Hagnaður og tap' reikningur {2}. Vinsamlegast settu sjálfgefið kostnaðarmiðstöð fyrir fyrirtækið. @@ -2345,6 +2365,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN kóða DocType: Period Closing Voucher,Period Closing Voucher,Tímabil Loka Skírteini apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Forráðamaður2 Nafn apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Vinsamlegast sláðu inn kostnaðarreikning +DocType: Issue,Resolution By Variance,Upplausn eftir afbrigði DocType: Employee,Resignation Letter Date,Uppsagnarbréf Dagsetning DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Viðstaddir Dagsetning @@ -2357,6 +2378,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Skoða núna DocType: Item Price,Valid Upto,Gildistaka 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} +DocType: Employee Checkin,Skip Auto Attendance,Hoppa yfir sjálfvirkan þátttöku DocType: Payment Request,Transaction Currency,Viðskiptargjaldmiðill DocType: Loan,Repayment Schedule,Endurgreiðsluáætlun apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Búðu til sýnishorn varðveislu birgðir @@ -2428,6 +2450,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Uppbygging verk DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Loka Skírteini Skattar apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Aðgerð upphafleg DocType: POS Profile,Applicable for Users,Gildir fyrir notendur +,Delayed Order Report,Tafir á pöntunarskýrslu DocType: Training Event,Exam,Próf apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Rangt númer af aðalbókaratriðum fannst. Þú gætir hafa valið rangan reikning í viðskiptum. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Sala leiðsla @@ -2442,10 +2465,11 @@ DocType: Account,Round Off,Round Off DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Skilyrði verður beitt á öllum völdum hlutum samanlagt. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Stilla DocType: Hotel Room,Capacity,Stærð +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Uppsettur fjöldi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Hópur {0} í lið {1} er óvirkur. DocType: Hotel Room Reservation,Hotel Reservation User,Hótel pöntunarsali -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Vinnudagur hefur verið endurtekin tvisvar +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Samningur um þjónustustig með einingartegund {0} og Eining {1} er þegar til. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Varahópur sem ekki er tilgreindur í hluthafa fyrir hlut {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Nafn villa: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Svæði er nauðsynlegt í POS Profile @@ -2493,6 +2517,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Dagskrá Dagsetning DocType: Packing Slip,Package Weight Details,Upplýsingar um pakkningarþyngd DocType: Job Applicant,Job Opening,Atvinna Opnun +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Síðasta þekkta velgengni samstillingar starfsmannsins. Endurstilla þetta aðeins ef þú ert viss um að öll Logs séu samstillt frá öllum stöðum. Vinsamlegast breyttu þessu ekki ef þú ert ekki viss. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Raunverulegur kostnaður apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Samtals fyrirfram ({0}) gegn Order {1} getur ekki verið meiri en Grand Total ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Varahlutir uppfærðar @@ -2537,6 +2562,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Tilvísun Kaup kvittun apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Fáðu þig DocType: Tally Migration,Is Day Book Data Imported,Er dagbókargögn innflutt ,Sales Partners Commission,Sala samstarfs framkvæmdastjórnarinnar +DocType: Shift Type,Enable Different Consequence for Early Exit,Virkja mismunandi afleiðingar fyrir upphafsstað apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Löglegt DocType: Loan Application,Required by Date,Krafist eftir dagsetningu DocType: Quiz Result,Quiz Result,Quiz niðurstaða @@ -2596,7 +2622,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Fjármál DocType: Pricing Rule,Pricing Rule,Verðlagsregla 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} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Vinsamlegast settu notandanafnssvæði í starfsmannaskrá til að stilla starfsmennhlutverk -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Tími til að leysa upp DocType: Training Event,Training Event,Þjálfunarviðburður DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Venjulegur hvíldarþrýstingur hjá fullorðnum er u.þ.b. 120 mmHg slagbilsþrýstingur og 80 mmHg díastólskur, skammstafað "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Kerfið mun sækja allar færslur ef mörkin eru núll. @@ -2640,6 +2665,7 @@ DocType: Woocommerce Settings,Enable Sync,Virkja samstillingu DocType: Student Applicant,Approved,Samþykkt apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Frá Dagsetning ætti að vera innan reikningsársins. Miðað við dagsetningu = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Vinsamlegast settu Birgir Group í Kaupstillingum. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} er ógildur viðverustaður. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Tímabundin opnunareikningur DocType: Purchase Invoice,Cash/Bank Account,Handbært fé / bankareikningur DocType: Quality Meeting Table,Quality Meeting Table,Gæði fundatafla @@ -2675,6 +2701,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Matur, drykkur og tóbak" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Námskeiðaskrá DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Vara Skattur Skattur Detail +DocType: Shift Type,Attendance will be marked automatically only after this date.,Viðburður verður merktur sjálfkrafa aðeins eftir þennan dag. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Birgðir til UIN eigenda apps/erpnext/erpnext/hooks.py,Request for Quotations,Beiðni um tilvitnanir 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 hafa verið gerðar með öðrum gjaldmiðlum @@ -2722,7 +2749,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Er hlutur frá miðstöð apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Gæðaviðmiðun. DocType: Share Balance,No of Shares,Fjöldi hlutabréfa -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rú {0}: Magn er ekki í boði fyrir {4} í vörugeymslu {1} við birtingu tíma færslunnar ({2} {3}) DocType: Quality Action,Preventive,Fyrirbyggjandi DocType: Support Settings,Forum URL,Vefslóð spjallsins apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Starfsmaður og þátttaka @@ -2941,7 +2967,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Afsláttartegund DocType: Hotel Settings,Default Taxes and Charges,Sjálfgefin skatta og gjöld apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Þetta byggist á viðskiptum gegn þessum birgi. Sjá tímalínu fyrir neðan til að fá nánari upplýsingar apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Hámarkslaunagreiðsla starfsmanns {0} fer yfir {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Sláðu inn upphafs- og lokadag samningsins. DocType: Delivery Note Item,Against Sales Invoice,Gegn sölureikningi DocType: Loyalty Point Entry,Purchase Amount,Kaupverð apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Ekki hægt að stilla sem týnt sem söluskilaboð eru gerðar. @@ -2965,7 +2990,7 @@ DocType: Homepage,"URL for ""All Products""",Vefslóð fyrir "allar vörur& DocType: Lead,Organization Name,nafn samtaka 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 allt að reitum eru nauðsynlegar fyrir uppsöfnuðan apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Hópur nr verður að vera eins og {1} {2} -DocType: Employee,Leave Details,Leyfi Upplýsingar +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Verðbréfaviðskipti fyrir {0} eru frystar DocType: Driver,Issuing Date,Útgáfudagur apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Beiðandi @@ -3010,9 +3035,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Upplýsingar um sjóðstreymi fyrir sjóðstreymi apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Ráðningar og þjálfun DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Gildistími stillingar fyrir sjálfvirkan þátttöku apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Frá gjaldmiðli og til gjaldmiðils getur ekki verið það sama apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Lyfjafyrirtæki DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Stuðningstímar apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} er lokað eða lokað apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Row {0}: Fyrirfram gegn Viðskiptavinur verður að vera lánsfé apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Hópur með skírteini (samstæðureikningur) @@ -3122,6 +3149,7 @@ DocType: Asset Repair,Repair Status,Viðgerðarstaða DocType: Territory,Territory Manager,Territory Manager DocType: Lab Test,Sample ID,Dæmi um auðkenni apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Körfu er tóm +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Viðburður hefur verið merktur eins og við innritun starfsmanna apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Eignin {0} verður að leggja fram ,Absent Student Report,Fjarverandi nemenda skýrsla apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Innifalið í hagnaði @@ -3129,7 +3157,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,V DocType: Travel Request Costing,Funded Amount,Fjármögnuð upphæð apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} hefur ekki verið send inn þannig að aðgerðin er ekki hægt að ljúka DocType: Subscription,Trial Period End Date,Prófunartímabil Lokadagur +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Skiptir færslur sem IN og OUT á sama vakt DocType: BOM Update Tool,The new BOM after replacement,Nýja BOM eftir skipti +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Birgir> Birgir Tegund apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Liður 5 DocType: Employee,Passport Number,Vegabréfs númer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Tímabundin opnun @@ -3245,6 +3275,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Helstu skýrslur apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Möguleg birgir ,Issued Items Against Work Order,Útgefið atriði gegn vinnuskilningi apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Búa til {0} Reikningur +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vinsamlegast skipulag kennari Nafnakerfi í menntun> Menntastillingar DocType: Student,Joining Date,Tengingardagur apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Beiðni vefsvæðis DocType: Purchase Invoice,Against Expense Account,Gegn kostnaðarreikningi @@ -3284,6 +3315,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Gildandi gjöld ,Point of Sale,Sölustaður DocType: Authorization Rule,Approving User (above authorized value),Samþykkja notandi (yfir leyfilegt gildi) +DocType: Service Level Agreement,Entity,Eining apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Magn {0} {1} flutt frá {2} til {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Viðskiptavinur {0} tilheyrir ekki verkefni {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Frá nafn aðila @@ -3330,6 +3362,7 @@ DocType: Asset,Opening Accumulated Depreciation,Opnun uppsafnaðra afskriftir DocType: Soil Texture,Sand Composition (%),Sand samsetning (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Flytja inn dagbókargögn +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vinsamlegast settu Nafngerðaröð fyrir {0} í gegnum Skipulag> Stillingar> Nöfnunarröð DocType: Asset,Asset Owner Company,Eigandi Eigandi Fyrirtæki apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Kostnaðarmiðstöð er nauðsynlegt til að bóka kostnaðarkröfu apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} Gilt raðnúmer fyrir lið {1} @@ -3390,7 +3423,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Eigandi eigna apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Vörugeymsla er skylt að kaupa vöruliður {0} í röð {1} DocType: Stock Entry,Total Additional Costs,Samtals aukakostnaður -DocType: Marketplace Settings,Last Sync On,Síðasta samstilling á apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Vinsamlegast settu að minnsta kosti eina línu í skatta- og gjöldartöflunni DocType: Asset Maintenance Team,Maintenance Team Name,Viðhald Team Name apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Mynd af kostnaðarstöðvum @@ -3406,12 +3438,12 @@ DocType: Sales Order Item,Work Order Qty,Vinnu pöntunarnúmer DocType: Job Card,WIP Warehouse,WIP vörugeymsla DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Notandanafn ekki stillt fyrir starfsmann {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Laus magn er {0}, þú þarft {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Notandi {0} búinn til DocType: Stock Settings,Item Naming By,Atriði sem nefnist með apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Pantaði apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Þetta er hópur rót viðskiptavina og er ekki hægt að breyta. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Efnisbeiðni {0} er lokað eða hætt +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strangt byggt á Log Type í starfsmannaskoðun DocType: Purchase Order Item Supplied,Supplied Qty,Fylgir með DocType: Cash Flow Mapper,Cash Flow Mapper,Cash Flow Mapper DocType: Soil Texture,Sand,Sandur @@ -3470,6 +3502,7 @@ DocType: Lab Test Groups,Add new line,Bæta við nýjum línu apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Afrita hlutahóp sem finnast í hlutataflaflokknum apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Árslaun DocType: Supplier Scorecard,Weighting Function,Vigtunarhlutverk +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 hlut: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Villa við að meta viðmiðunarformúluna ,Lab Test Report,Lab Test Report DocType: BOM,With Operations,Með aðgerðum @@ -3483,6 +3516,7 @@ DocType: Expense Claim Account,Expense Claim Account,Kostnaðarkröfureikningur apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Engar endurgreiðslur eru tiltækar fyrir Journal Entry apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} er óvirkur nemandi apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Gerðu hlutabréfaskráningu +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM endurkoma: {0} getur ekki verið foreldri eða barn {1} DocType: Employee Onboarding,Activities,Starfsemi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Að minnsta kosti eitt vörugeymsla er skylt ,Customer Credit Balance,Viðskiptajöfnuður @@ -3495,9 +3529,11 @@ DocType: Supplier Scorecard Period,Variables,Variables 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: Patient,Medication,Lyfjagjöf apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Veldu hollusta forrit +DocType: Employee Checkin,Attendance Marked,Viðvera merkt apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Hráefni DocType: Sales Order,Fully Billed,Alveg Billed apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Vinsamlegast settu hótel herbergisverð á {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Veldu aðeins einn forgang sem sjálfgefið. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Vinsamlega auðkenna / búa til reikning (Ledger) fyrir gerð - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Heildarfjöldi lána- / skuldfærslna skal vera eins og tengt Journal Entry DocType: Purchase Invoice Item,Is Fixed Asset,Er fast eign @@ -3518,6 +3554,7 @@ DocType: Purpose of Travel,Purpose of Travel,Tilgangur ferðarinnar DocType: Healthcare Settings,Appointment Confirmation,Samþykkt staðfestingar DocType: Shopping Cart Settings,Orders,Pantanir DocType: HR Settings,Retirement Age,Eftirlaunaaldur +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vinsamlegast settu upp flokkunarnúmer fyrir þátttöku í gegnum uppsetningu> númerakerfi apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Spáð magn apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Eyðing er ekki leyfð fyrir land {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: Eign {1} er þegar {2} @@ -3601,11 +3638,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Endurskoðandi apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS lokunarskírteini er til fyrir {0} á milli dagsetningar {1} og {2} apps/erpnext/erpnext/config/help.py,Navigating,Sigla +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Engar framúrskarandi reikningar þurfa gengisendurmat DocType: Authorization Rule,Customer / Item Name,Viðskiptavinur / hlutanafn apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nýtt raðnúmer getur ekki haft vöruhús. Vörugeymsla verður að vera stillt eftir birgðahöfn eða innkaupakvittun DocType: Issue,Via Customer Portal,Via Viðskiptavinur Portal DocType: Work Order Operation,Planned Start Time,Áætlað upphafstími apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} er {2} +DocType: Service Level Priority,Service Level Priority,Þjónustustig forgangs apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Fjöldi afskrifta Bókað getur ekki verið meiri en Samtals Fjöldi afskriftir apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger DocType: Journal Entry,Accounts Payable,Reikningsskuldir @@ -3716,7 +3755,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Afhendingu til DocType: Bank Statement Transaction Settings Item,Bank Data,Bankagögn apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Áætlað Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Halda Billing Hours og vinnutíma Sama á Timesheet apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Fylgjast með leiðsögn með leiðsögn. DocType: Clinical Procedure,Nursing User,Hjúkrunarnotandi DocType: Support Settings,Response Key List,Svaralisti @@ -3884,6 +3922,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Raunverulegur byrjunartími DocType: Antibiotic,Laboratory User,Laboratory User apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Online uppboð +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Forgangur {0} hefur verið endurtekin. DocType: Fee Schedule,Fee Creation Status,Gjaldeyrisréttindi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Hugbúnaður apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Sölupöntun til greiðslu @@ -3950,6 +3989,7 @@ DocType: Patient Encounter,In print,Í prenti apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Gat ekki sótt upplýsingar um {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Innheimtu gjaldmiðill verður að vera jafngildur gjaldmiðli sjálfgefið fyrirtæki eða aðila reikning gjaldmiðil apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Vinsamlegast sláðu inn starfsmannarauðkenni þessa söluaðila +DocType: Shift Type,Early Exit Consequence after,Snemma brottför eftir apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Búðu til opnun sölu- og innkaupakostna DocType: Disease,Treatment Period,Meðferðartímabil apps/erpnext/erpnext/config/settings.py,Setting up Email,Setja upp tölvupóst @@ -3967,7 +4007,6 @@ DocType: Employee Skill Map,Employee Skills,Starfsmenntun apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Nafn nemanda: DocType: SMS Log,Sent On,Sent á DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Sölureikningur -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Svarstími getur ekki verið meiri en Upplausnartími DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Fyrir námsmiðaðan nemendahóp verður námskeiðið valið fyrir alla nemenda frá skráðum námskeiðum í námskrá. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Birgðasali DocType: Employee,Create User Permission,Búðu til notendaleyfi @@ -4006,6 +4045,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Venjuleg samningsskilmálar fyrir sölu eða kaup. DocType: Sales Invoice,Customer PO Details,Upplýsingar viðskiptavina apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Sjúklingur fannst ekki +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Veldu sjálfgefna forgang. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Fjarlægðu atriði ef gjöld eiga ekki við um það atriði apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Viðskiptavinahópur er með sama nafni, breyttu heiti viðskiptavinarins eða endurnefna viðskiptavinahópinn" 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. @@ -4045,6 +4085,7 @@ DocType: Quality Goal,Quality Goal,Gæðamarkmið DocType: Support Settings,Support Portal,Stuðningur Portal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Lokadagsetning verkefnisins {0} má ekki vera minni en {1} áætlað upphafsdagur {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Starfsmaður {0} er á leyfi á {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Þessi þjónustustigssamningur er sérstaklega við viðskiptavininn {0} DocType: Employee,Held On,Hélt í DocType: Healthcare Practitioner,Practitioner Schedules,Hagnýtar áætlanir DocType: Project Template Task,Begin On (Days),Byrjaðu á (dagar) @@ -4052,6 +4093,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Vinna pöntun hefur verið {0} DocType: Inpatient Record,Admission Schedule Date,Aðgangur Dagskrá Dagsetning apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Breyting eignaverðs +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Merkja aðsókn byggð á 'Starfsmanni Checkin' fyrir starfsmenn sem eru úthlutað þessari breytingu. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Birgðasali til óskráðra einstaklinga apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Öll störf DocType: Appointment Type,Appointment Type,Skipunartegund @@ -4165,7 +4207,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Heildarþyngd pakkans. Venjulega nettóþyngd + pakkningarefni þyngd. (til prentunar) DocType: Plant Analysis,Laboratory Testing Datetime,Laboratory Testing Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Atriðið {0} getur ekki haft lotu -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Söluleiðsla eftir stigi apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Styrkur nemendahóps DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Viðskiptareikning bankans DocType: Purchase Order,Get Items from Open Material Requests,Fáðu atriði úr opnum efnisbeiðnum @@ -4247,7 +4288,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Sýna öldrun vöruhús-vitur DocType: Sales Invoice,Write Off Outstanding Amount,Skrifa burt útistandandi upphæð DocType: Payroll Entry,Employee Details,Upplýsingar um starfsmenn -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Upphafstími getur ekki verið meiri en lokadagur fyrir {0}. DocType: Pricing Rule,Discount Amount,Afsláttarmagn DocType: Healthcare Service Unit Type,Item Details,Atriði í hlutanum apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Afritaskattyfirlýsing um {0} fyrir tímabil {1} @@ -4300,7 +4340,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettó laun geta ekki verið neikvæðar apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Engar milliverkanir 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/hr/doctype/employee/employee_dashboard.py,Shift,Shift +DocType: Attendance,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Vinnsla reikningsskila og aðila DocType: Stock Settings,Convert Item Description to Clean HTML,Breyta liður Lýsing til að hreinsa HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Allir Birgir Hópar @@ -4371,6 +4411,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Starfsmaður DocType: Healthcare Service Unit,Parent Service Unit,Foreldraþjónustudeild DocType: Sales Invoice,Include Payment (POS),Hafa greiðslu (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Einkaeign +DocType: Shift Type,First Check-in and Last Check-out,Fyrsta innritun og síðasta útskráning DocType: Landed Cost Item,Receipt Document,Kvittunarskjal DocType: Supplier Scorecard Period,Supplier Scorecard Period,Birgir Tímabil DocType: Employee Grade,Default Salary Structure,Sjálfgefið launauppbygging @@ -4453,6 +4494,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Búðu til innkaupapöntun apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Skilgreina fjárhagsáætlun fyrir fjárhagsár. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Reikningurartafla má ekki vera auður. +DocType: Employee Checkin,Entry Grace Period Consequence,Gildistími inngangs tíma ,Payment Period Based On Invoice Date,Greiðslutímabil byggt á gjalddaga apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Uppsetningardagur getur ekki verið fyrir afhendingu fyrir lið {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Tengill við efnisbeiðni @@ -4461,6 +4503,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapped Data T apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Reorder færsla er þegar til fyrir þetta vörugeymsla {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Skjal dagsetning DocType: Monthly Distribution,Distribution Name,Dreifingarheiti +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Vinnudagur {0} hefur verið endurtekin. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Hóp til Non-Group apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Uppfærsla í gangi. Það gæti tekið smá stund. DocType: Item,"Example: ABCD.##### @@ -4473,6 +4516,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Magn eldsneytis apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile No DocType: Invoice Discounting,Disbursed,Útborgað +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Tími eftir lok breytinga á meðan útskráning er talin fyrir mætingu. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Hrein breyting á reikningum sem greiðast apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Ekki í boði apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Hluta @@ -4486,7 +4530,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Möguleg apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Sýna PDC í prenti apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Birgir DocType: POS Profile User,POS Profile User,POS prófíl notandi -DocType: Student,Middle Name,Millinafn DocType: Sales Person,Sales Person Name,Söluheiti Nafn DocType: Packing Slip,Gross Weight,Heildarþyngd DocType: Journal Entry,Bill No,Bill nr @@ -4495,7 +4538,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nýtt DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Þjónustusamningur -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Vinsamlegast veldu Starfsmaður og Dagsetning fyrst apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Eiginfjárhlutfall er endurreiknað miðað við lendingu kostnaðarskírteini DocType: Timesheet,Employee Detail,Starfsmannaupplýsingar DocType: Tally Migration,Vouchers,Fylgiskjölum @@ -4530,7 +4572,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Þjónustusamnin DocType: Additional Salary,Date on which this component is applied,Dagsetning sem þessi hluti er beitt apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Listi yfir tiltæka hluthafa með folíumnúmerum apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Uppsetning Gateway reikninga. -DocType: Service Level,Response Time Period,Svörunartímabil +DocType: Service Level Priority,Response Time Period,Svörunartímabil DocType: Purchase Invoice,Purchase Taxes and Charges,Kaupskattar og gjöld DocType: Course Activity,Activity Date,Virkisdagur apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Veldu eða bæta við nýjum viðskiptavini @@ -4555,6 +4597,7 @@ DocType: Sales Person,Select company name first.,Veldu nafn fyrirtækisins fyrst apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Fjárhagsár DocType: Sales Invoice Item,Deferred Revenue,Frestað tekjur apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Að minnsta kosti einn af sölu- eða kaupunum verður að vera valinn +DocType: Shift Type,Working Hours Threshold for Half Day,Vinnutími þröskuldur fyrir hálfan dag ,Item-wise Purchase History,Liður-vitur kaupsaga apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Ekki er hægt að breyta þjónustustöðvunardegi fyrir atriði í röð {0} DocType: Production Plan,Include Subcontracted Items,Inniheldur undirverktaka @@ -4587,6 +4630,7 @@ DocType: Journal Entry,Total Amount Currency,Samtals upphæð Gjaldmiðill DocType: BOM,Allow Same Item Multiple Times,Leyfa sama hlut marga sinnum apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Búðu til BOM DocType: Healthcare Practitioner,Charges,Gjöld +DocType: Employee,Attendance and Leave Details,Aðgengi og leyfi upplýsingar DocType: Student,Personal Details,Persónulegar upplýsingar DocType: Sales Order,Billing and Delivery Status,Innheimtu- og afhendingarstaða apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Róður {0}: Fyrir birgir {0} Netfang er nauðsynlegt til að senda tölvupóst @@ -4638,7 +4682,6 @@ DocType: Bank Guarantee,Supplier,Birgir apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Sláðu inn gildi betweeen {0} og {1} DocType: Purchase Order,Order Confirmation Date,Panta staðfestingardagur DocType: Delivery Trip,Calculate Estimated Arrival Times,Reikna áætlaðan komutíma -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vinsamlegast settu upp starfsmannamiðlunarkerfi í mannauði> HR-stillingar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Neysluverðs DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Upphafsdagsetning @@ -4661,7 +4704,7 @@ DocType: Installation Note Item,Installation Note Item,Uppsetning Athugaðu Item DocType: Journal Entry Account,Journal Entry Account,Journal Entry Account apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variant apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Forum Activity -DocType: Service Level,Resolution Time Period,Upplausnartími +DocType: Service Level Priority,Resolution Time Period,Upplausnartími DocType: Request for Quotation,Supplier Detail,Upplýsingar um birgir DocType: Project Task,View Task,Skoða verkefni DocType: Serial No,Purchase / Manufacture Details,Kaup / Framleiðsla Upplýsingar @@ -4728,6 +4771,7 @@ DocType: Sales Invoice,Commission Rate (%),Framkvæmdastjórnargildi (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Vörugeymsla er aðeins hægt að breyta með vöruskipti / afhendingartilkynningu / innkaupakvittun DocType: Support Settings,Close Issue After Days,Loka útgáfu eftir daga DocType: Payment Schedule,Payment Schedule,Greiðsluáætlun +DocType: Shift Type,Enable Entry Grace Period,Virkja innganga náð tímabil DocType: Patient Relation,Spouse,Maki DocType: Purchase Invoice,Reason For Putting On Hold,Ástæða þess að setja í bið DocType: Item Attribute,Increment,Aukning @@ -4866,6 +4910,7 @@ DocType: Authorization Rule,Customer or Item,Viðskiptavinur eða hlutur DocType: Vehicle Log,Invoice Ref,Reikningsnúmer apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-eyðublað er ekki á við um reikning: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Reikningur búin til +DocType: Shift Type,Early Exit Grace Period,Upphafstímabil í upphafi DocType: Patient Encounter,Review Details,Endurskoða upplýsingar apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Rú {0}: Tímar gildi verða að vera meiri en núll. DocType: Account,Account Number,Reikningsnúmer @@ -4877,7 +4922,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Gildandi ef fyrirtækið er SpA, SApA eða SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Skarast aðstæður sem finnast á milli: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Greiddur og ekki afhentur -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Vörunúmer er skylt vegna þess að hluturinn er ekki sjálfkrafa númeraður DocType: GST HSN Code,HSN Code,HSN-kóði DocType: GSTR 3B Report,September,September apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Stjórnsýslukostnaður @@ -4913,6 +4957,8 @@ DocType: Travel Itinerary,Travel From,Ferðalög frá apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP reikningur DocType: SMS Log,Sender Name,Sendandi Nafn DocType: Pricing Rule,Supplier Group,Birgir Group +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Stilla byrjunartíma og lokatíma fyrir \ Stuðningsdagur {0} í vísitölu {1}. DocType: Employee,Date of Issue,Útgáfudagur ,Requested Items To Be Transferred,Beiðin atriði sem þarf að flytja DocType: Employee,Contract End Date,Samningur Lokadagur @@ -4923,6 +4969,7 @@ DocType: Healthcare Service Unit,Vacant,Laust DocType: Opportunity,Sales Stage,Sala stigi DocType: Sales Order,In Words will be visible once you save the Sales Order.,Í Orð verður sýnilegt þegar þú vistar söluskilaboð. DocType: Item Reorder,Re-order Level,Endurskipulagningarnúmer +DocType: Shift Type,Enable Auto Attendance,Virkja sjálfvirkan þátttöku apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Val ,Department Analytics,Department Analytics DocType: Crop,Scientific Name,Vísindalegt nafn @@ -4935,6 +4982,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} staðan er {2 DocType: Quiz Activity,Quiz Activity,Quiz Activity apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} er ekki í gildum launum DocType: Timesheet,Billed,Innheimt +apps/erpnext/erpnext/config/support.py,Issue Type.,Útgáfustegund. DocType: Restaurant Order Entry,Last Sales Invoice,Síðasta sölureikningur DocType: Payment Terms Template,Payment Terms,Greiðsluskilmála apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Frátekin Magn: Magn pantað til sölu, en ekki afhent." @@ -5030,6 +5078,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Eign apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} hefur ekki heilbrigðisstarfsmannaskrá. Bættu því við í lækni í heilbrigðisstarfsmanni DocType: Vehicle,Chassis No,Undirvagn nr +DocType: Employee,Default Shift,Sjálfgefin breyting apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Fyrirtæki Skammstöfun apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Tré efnisskrárinnar DocType: Article,LMS User,LMS notandi @@ -5078,6 +5127,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Foreldra sölumaður DocType: Student Group Creation Tool,Get Courses,Fáðu námskeið apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Magn verður að vera 1, þar sem hlutur er fastur eign. Vinsamlegast notaðu sérstaka röð fyrir margfeldi." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Vinnutími hér fyrir neðan sem ekki er merktur. (Núll til að slökkva á) DocType: Customer Group,Only leaf nodes are allowed in transaction,Aðeins blaðahnútar eru leyfðar í viðskiptum DocType: Grant Application,Organization,Stofnun DocType: Fee Category,Fee Category,Gjaldskrá @@ -5090,6 +5140,7 @@ DocType: Payment Order,PMO-,PMO- 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: Volunteer,Morning,Morgunn DocType: Quotation Item,Quotation Item,Tilvitnun +apps/erpnext/erpnext/config/support.py,Issue Priority.,Útgáfuárangur. DocType: Journal Entry,Credit Card Entry,Innborgun kreditkorta apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tímaspjald sleppt, raufinn {0} til {1} skarast framhjá rifa {2} í {3}" DocType: Journal Entry Account,If Income or Expense,Ef tekjur eða gjöld @@ -5140,11 +5191,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Gagnaflutningur og stillingar 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 hollusta forrit (við vistun) DocType: Account,Expense Account,Kostnaðarreikningur +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Tíminn fyrir vakt byrjun tíma þar sem starfsmaður Innritun er talinn fyrir mætingu. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Tengsl við Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Búðu til reiknivél apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Greiðslubókin er þegar til staðar {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Starfsmaður létta á {0} verður að vera stilltur sem "vinstri" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Borga {0} {1} +DocType: Company,Sales Settings,Sölustillingar DocType: Sales Order Item,Produced Quantity,Framleitt magn apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Beiðni um tilvitnun er hægt að nálgast með því að smella á eftirfarandi tengil DocType: Monthly Distribution,Name of the Monthly Distribution,Nafn mánaðarlegs dreifingar @@ -5223,6 +5276,7 @@ DocType: Company,Default Values,Sjálfgefin gildi apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Sjálfgefin skatta sniðmát fyrir sölu og kaup eru búnar til. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Ekki er hægt að flytja fram eftirlitsgerð {0} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Greiðsla Til reiknings verður að vera færanleg reikningur +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Lokadagur samnings getur ekki verið minni en í dag. apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Vinsamlegast settu reikning í vörugeymslu {0} eða Sjálfgefin birgðareikningur í félaginu {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Setja sem sjálfgefið DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettóþyngd þessa pakka. (reiknað sjálfkrafa sem summa nettóþyngdar atriða) @@ -5249,8 +5303,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,F apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Útrunnið lotur DocType: Shipping Rule,Shipping Rule Type,Sendingartegund Tegund DocType: Job Offer,Accepted,Samþykkt -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Vinsamlegast farðu starfsmanninum {0} \ til að hætta við þetta skjal" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Þú hefur nú þegar metið mat á viðmiðunum {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Veldu hópnúmer apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Aldur (dagar) @@ -5277,6 +5329,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Veldu lénin þín DocType: Agriculture Task,Task Name,Verkefni apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Verðbréfaskráningar sem þegar hafa verið búnar til fyrir vinnuskilríki +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Vinsamlegast farðu starfsmanninum {0} \ til að hætta við þetta skjal" ,Amount to Deliver,Magn til að skila apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Fyrirtæki {0} er ekki til apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Engar vottun efnisbeiðna fannst að tengjast fyrir tiltekna hluti. @@ -5325,6 +5379,7 @@ DocType: Program Enrollment,Enrolled courses,Skráðir námskeið DocType: Lab Prescription,Test Code,Prófunarregla DocType: Purchase Taxes and Charges,On Previous Row Total,Á fyrri röð alls DocType: Student,Student Email Address,Nemandi netfang +,Delayed Item Report,Tafir á skýrslunni DocType: Academic Term,Education,Menntun DocType: Supplier Quotation,Supplier Address,Birgir Heimilisfang DocType: Salary Detail,Do not include in total,Ekki innifalið alls @@ -5332,7 +5387,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} er ekki til DocType: Purchase Receipt Item,Rejected Quantity,Hafnað Magn DocType: Cashier Closing,To TIme,Til tímans -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 hlut: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Daglegur vinnusamningur hópur notandi DocType: Fiscal Year Company,Fiscal Year Company,Fiscal Year Company apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Önnur atriði má ekki vera eins og vörukóði @@ -5384,6 +5438,7 @@ DocType: Program Fee,Program Fee,Áætlunargjald DocType: Delivery Settings,Delay between Delivery Stops,Tafir milli afhendingarstöðva DocType: Stock Settings,Freeze Stocks Older Than [Days],Frysta birgðir eldri en [dagar] DocType: Promotional Scheme,Promotional Scheme Product Discount,Kynningaráætlun Vara Afsláttur +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Útgáfuárangur er þegar til staðar DocType: Account,Asset Received But Not Billed,Eign móttekin en ekki reiknuð DocType: POS Closing Voucher,Total Collected Amount,Samtals safnað upphæð DocType: Course,Default Grading Scale,Sjálfgefin flokkun mælikvarða @@ -5426,6 +5481,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Uppfyllingarskilmálar apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Óflokkað í hóp DocType: Student Guardian,Mother,Móðir +DocType: Issue,Service Level Agreement Fulfilled,Samningur um þjónustustig uppfyllt DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Dragðu skatt fyrir óinnheimtar launþegar DocType: Travel Request,Travel Funding,Ferðasjóður DocType: Shipping Rule,Fixed,Fastur @@ -5455,10 +5511,12 @@ DocType: Item,Warranty Period (in days),Ábyrgðartímabil (á dögum) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Engar vörur fundust. DocType: Item Attribute,From Range,Frá sviðinu DocType: Clinical Procedure,Consumables,Rekstrarvörur +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'worker_field_value' og 'timestamp' eru nauðsynlegar. DocType: Purchase Taxes and Charges,Reference Row #,Tilvísunarlína # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Vinsamlegast settu 'Kostnaðarverð fyrir eignavörun' í félaginu {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Greiðsluskilríki er nauðsynlegt til að ljúka verkinu DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Smelltu á þennan hnapp til að draga söluuppboðsgögnin þín frá Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Vinnutími undir hvaða hálfdagi er merktur. (Núll til að slökkva á) ,Assessment Plan Status,Mat á stöðu áætlunarinnar apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Vinsamlegast veldu {0} fyrst apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Sendu inn þetta til að búa til starfsmannaskrá @@ -5529,6 +5587,7 @@ DocType: Quality Procedure,Parent Procedure,Foreldraferli apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Setja opinn apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Skipta um síur DocType: Production Plan,Material Request Detail,Efnisbeiðni Detail +DocType: Shift Type,Process Attendance After,Aðgangsefni Aðkoma Eftir DocType: Material Request Item,Quantity and Warehouse,Magn og vöruhús apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Fara í forrit apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: Afrita færslu í tilvísunum {1} {2} @@ -5586,6 +5645,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Upplýsingar um aðila apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Skuldara ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Hingað til getur ekki verið meiri en lélegur dagsetning starfsmanns +DocType: Shift Type,Enable Exit Grace Period,Gakktu úr gildi lokadag DocType: Expense Claim,Employees Email Id,Starfsmenn Email ID DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Uppfæra verð frá Shopify Til ERPNext Verðskrá DocType: Healthcare Settings,Default Medical Code Standard,Sjálfgefin Lyfjalisti Standard @@ -5616,7 +5676,6 @@ DocType: Item Group,Item Group Name,Heiti vöruhóps DocType: Budget,Applicable on Material Request,Gildir á efnisbeiðni DocType: Support Settings,Search APIs,Leitarforritaskil DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Yfirvinnsla hlutfall fyrir sölu pöntunar -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Upplýsingar DocType: Purchase Invoice,Supplied Items,Fylgir hlutir DocType: Leave Control Panel,Select Employees,Veldu starfsmenn apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Veldu vaxtatekjur reikning í láni {0} @@ -5642,7 +5701,7 @@ DocType: Salary Slip,Deductions,Frádráttar ,Supplier-Wise Sales Analytics,Birgir-Wise Sala Analytics DocType: GSTR 3B Report,February,Febrúar DocType: Appraisal,For Employee,Fyrir starfsmann -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Raunverulegur Afhendingardagur +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Raunverulegur Afhendingardagur DocType: Sales Partner,Sales Partner Name,Nafn söluaðila apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Afskriftir Róður {0}: Afskriftir Upphafsdagur er sleginn inn sem fyrri dagsetning DocType: GST HSN Code,Regional,Regional @@ -5681,6 +5740,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Vö DocType: Supplier Scorecard,Supplier Scorecard,Birgiratafla DocType: Travel Itinerary,Travel To,Ferðast til apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Mark Aðsókn +DocType: Shift Type,Determine Check-in and Check-out,Ákveðið Innritun og Útskráning DocType: POS Closing Voucher,Difference,Mismunur apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Lítil DocType: Work Order Item,Work Order Item,Vinna pöntunarhlut @@ -5714,6 +5774,7 @@ DocType: Sales Invoice,Shipping Address Name,Nafn sendanda apps/erpnext/erpnext/healthcare/setup.py,Drug,Lyf apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} er lokað DocType: Patient,Medical History,Sjúkrasaga +DocType: Expense Claim,Expense Taxes and Charges,Kostnaðarskattar og gjöld DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Fjöldi daga eftir að reikningsdagur er liðinn áður en áskrift er felld niður eða áskriftarmerki ógreiddur apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Uppsetningar athugasemd {0} hefur þegar verið send inn DocType: Patient Relation,Family,Fjölskylda @@ -5746,7 +5807,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Styrkur apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} einingar af {1} sem þarf í {2} til að ljúka þessari færslu. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush Hráefni af undirverktaka Byggt á -DocType: Bank Guarantee,Customer,Viðskiptavinur DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ef slökkt er á, verður fræðasvið á sviði skylt að taka þátt í verkefnaskráningu." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Fyrir hópur sem byggir á nemanda verður námsmaður hópurinn fullgiltur fyrir hvern nemanda frá námsbrautinni. DocType: Course,Topics,Topics @@ -5826,6 +5886,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Kafla meðlimir DocType: Warranty Claim,Service Address,Þjónustanúmer DocType: Journal Entry,Remark,Athugasemd +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Magn ekki í boði fyrir {4} í vörugeymslu {1} við birtingu tíma færslunnar ({2} {3}) DocType: Patient Encounter,Encounter Time,Fundur tími DocType: Serial No,Invoice Details,Reikningsupplýsingar 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 reikningar geta verið gerðar undir hópum, en færslur geta verið gerðar gegn öðrum hópum" @@ -5906,6 +5967,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","V apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Lokun (Opnun + Samtals) DocType: Supplier Scorecard Criteria,Criteria Formula,Criteria Formula apps/erpnext/erpnext/config/support.py,Support Analytics,Stuðningur Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Tæki til að taka þátt í tækinu (líffræðileg / RF-merkið) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Review og aðgerð DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ef reikningurinn er frosinn, eru færslur heimilt að takmarka notendur." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Fjárhæð eftir afskriftir @@ -5927,6 +5989,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Lán endurgreiðslu DocType: Employee Education,Major/Optional Subjects,Major / Valfrjálst efni DocType: Soil Texture,Silt,Silt +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Birgir Heimilisfang og Tengiliðir DocType: Bank Guarantee,Bank Guarantee Type,Bankareikningsgerð DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ef slökkt er á, mun 'Rounded Total' reitinn ekki vera sýnilegur í öllum viðskiptum" DocType: Pricing Rule,Min Amt,Min Amt @@ -5965,6 +6028,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Opnun Reikningur Verkfæri Tól DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Innifalið POS-viðskipti +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Engin starfsmaður fannst fyrir viðkomandi starfsmannasviðsvirði. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Móttekin upphæð (félags gjaldmiðill) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage er fullt, ekki vistað" DocType: Chapter Member,Chapter Member,Kafli meðlimur @@ -5997,6 +6061,7 @@ DocType: SMS Center,All Lead (Open),Allt leið (opið) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Engar nemendahópar búin til. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Afrita röð {0} með sama {1} DocType: Employee,Salary Details,Laun Upplýsingar +DocType: Employee Checkin,Exit Grace Period Consequence,Hætta við náðartími DocType: Bank Statement Transaction Invoice Item,Invoice,Reikningur DocType: Special Test Items,Particulars,Upplýsingar apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Vinsamlegast settu síu á grundvelli vöru eða vöruhús @@ -6098,6 +6163,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Út af AMC DocType: Job Opening,"Job profile, qualifications required etc.","Starfsupplýsing, krafist er krafist o.fl." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Skip til ríkis +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Viltu leggja fram beiðni um efni DocType: Opportunity Item,Basic Rate,Grunngildi DocType: Compensatory Leave Request,Work End Date,Vinna Lokadagur apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Beiðni um hráefni @@ -6283,6 +6349,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Afskriftir Fjárhæðir DocType: Sales Order Item,Gross Profit,Brúttóhagnaður DocType: Quality Inspection,Item Serial No,Vörunúmer nr DocType: Asset,Insurer,Vátryggjandi +DocType: Employee Checkin,OUT,ÚT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Kaupverð DocType: Asset Maintenance Task,Certificate Required,Vottorð sem krafist er DocType: Retention Bonus,Retention Bonus,Varðveisla bónus @@ -6398,6 +6465,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Mismunur Upphæð (C DocType: Invoice Discounting,Sanctioned,Refsað DocType: Course Enrollment,Course Enrollment,Námskeiðaskráning DocType: Item,Supplier Items,Birgir +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Upphafstími getur ekki verið meiri en eða jafnt við lokatíma \ fyrir {0}. DocType: Sales Order,Not Applicable,Ekki við DocType: Support Search Source,Response Options,Svörunarvalkostir apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} ætti að vera gildi á milli 0 og 100 @@ -6484,7 +6553,6 @@ DocType: Travel Request,Costing,Kostnaður apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Fastafjármunir DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Heildarafkoma -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Viðskiptavinur> Viðskiptavinahópur> Territory DocType: Share Balance,From No,Frá nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Greiðsla Sáttargjald DocType: Purchase Invoice,Taxes and Charges Added,Skattar og gjöld bætt við @@ -6592,6 +6660,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Hunsa verðlagsreglu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Matur DocType: Lost Reason Detail,Lost Reason Detail,Lost Reason Detail +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Eftirfarandi raðnúmer voru búnar til:
{0} DocType: Maintenance Visit,Customer Feedback,Umsagnir viðskiptavina DocType: Serial No,Warranty / AMC Details,Ábyrgð / AMC Upplýsingar DocType: Issue,Opening Time,Opnunartími @@ -6641,6 +6710,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Nafn fyrirtækis er ekki sama apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Ekki er hægt að leggja fram starfsmannakynningu fyrir kynningardag apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ekki heimilt að uppfæra hlutabréfaviðskipti eldri en {0} +DocType: Employee Checkin,Employee Checkin,Starfsmannaskoðun 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 minni en lokadagur fyrir lið {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Búðu til tilvitnanir viðskiptavina DocType: Buying Settings,Buying Settings,Kaupastillingar @@ -6662,6 +6732,7 @@ DocType: Job Card Time Log,Job Card Time Log,Vinnuskilaboð Tími Log DocType: Patient,Patient Demographics,Lýðfræðilegar upplýsingar um sjúklinga DocType: Share Transfer,To Folio No,Til Folio nr apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Handbært fé frá rekstri +DocType: Employee Checkin,Log Type,Skráartegund DocType: Stock Settings,Allow Negative Stock,Leyfa neikvæða lager apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Ekkert af hlutunum hefur nein breyting á magni eða gildi. DocType: Asset,Purchase Date,Kaupardagur @@ -6706,6 +6777,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Mjög há apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Veldu eðli fyrirtækis þíns. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Vinsamlegast veldu mánuð og ár +DocType: Service Level,Default Priority,Sjálfgefin forgangur DocType: Student Log,Student Log,Námskrá DocType: Shopping Cart Settings,Enable Checkout,Virkja útskráninguna apps/erpnext/erpnext/config/settings.py,Human Resources,Mannauður @@ -6734,7 +6806,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Tengdu Shopify með ERPNext DocType: Homepage Section Card,Subtitle,Texti DocType: Soil Texture,Loam,Loam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Birgir> Birgir Tegund DocType: BOM,Scrap Material Cost(Company Currency),Úrgangur Efni Kostnaður (Company Gjaldmiðill) DocType: Task,Actual Start Date (via Time Sheet),Raunverulegur upphafsdagur (með tímapunkti) DocType: Sales Order,Delivery Date,Afhendingardagur @@ -6789,6 +6860,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Skammtar DocType: Cheque Print Template,Starting position from top edge,Byrjunarstaða frá efstu brún apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Skipunartími (mín.) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Þessi starfsmaður hefur þegar skráð þig inn með sama tímapunkti. {0} DocType: Accounting Dimension,Disable,Slökkva DocType: Email Digest,Purchase Orders to Receive,Kaup pantanir til að fá apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Framleiðsla Pantanir má ekki hækka fyrir: @@ -6804,7 +6876,6 @@ DocType: Production Plan,Material Requests,Efnisbeiðnir DocType: Buying Settings,Material Transferred for Subcontract,Efni flutt fyrir undirverktaka DocType: Job Card,Timing Detail,Tímasetning smáatriði apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Krafist á -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Flytur inn {0} af {1} DocType: Job Offer Term,Job Offer Term,Atvinnutími DocType: SMS Center,All Contact,Allir tengiliðir DocType: Project Task,Project Task,Verkefni Verkefni @@ -6855,7 +6926,6 @@ DocType: Student Log,Academic,Academic 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 uppsetning fyrir raðnúmer. Athugaðu hlutastjórann apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Frá ríki DocType: Leave Type,Maximum Continuous Days Applicable,Hámarks samfelldir dagar sem gilda -apps/erpnext/erpnext/config/support.py,Support Team.,Stuðningur Team. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Vinsamlegast sláðu inn nafn fyrirtækisins fyrst apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Flytja inn árangri DocType: Guardian,Alternate Number,Varamaður númer @@ -6947,6 +7017,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Row # {0}: Liður bætt við DocType: Student Admission,Eligibility and Details,Hæfi og upplýsingar DocType: Staffing Plan,Staffing Plan Detail,Starfsmannaáætlun +DocType: Shift Type,Late Entry Grace Period,Seint inngangsfrestur DocType: Email Digest,Annual Income,Árleg innkoma DocType: Journal Entry,Subscription Section,Áskriftarspurning DocType: Salary Slip,Payment Days,Greiðsludagur @@ -6997,6 +7068,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Staða reiknings DocType: Asset Maintenance Log,Periodicity,Tímabil apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Læknisskýrsla +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Log Tegund er krafist fyrir innritun sem fellur í vakt: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Framkvæmd DocType: Item,Valuation Method,Verðmatsaðferð apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} gegn sölufé {1} @@ -7081,6 +7153,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Áætlaður kostnaður DocType: Loan Type,Loan Name,Nafn lán apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Stilltu sjálfgefið greiðsluaðferð DocType: Quality Goal,Revision,Endurskoðun +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Tíminn fyrir vakt lok tíma þegar útskráning er talin snemma (í mínútum). DocType: Healthcare Service Unit,Service Unit Type,Tegund þjónustunnar DocType: Purchase Invoice,Return Against Purchase Invoice,Return Against Purchase Invoice apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Búa til leyndarmál @@ -7236,12 +7309,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Snyrtivörur DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Athugaðu þetta ef þú vilt þvinga notandann til að velja röð áður en þú vistar. Það verður engin sjálfgefið ef þú skoðar þetta. 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 geta leyft frystum reikningum og búið til / breytt bókhaldsfærslu gegn frystum reikningum +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Vörunúmer> Liðurhópur> Vörumerki DocType: Expense Claim,Total Claimed Amount,Samtals krafist upphæð 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ímaskeið á næstu {0} dögum fyrir aðgerð {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Klára apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Þú getur aðeins endurnýjað ef aðild þinn rennur út innan 30 daga apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Gildi verður að vera á milli {0} og {1} DocType: Quality Feedback,Parameters,Parameters +DocType: Shift Type,Auto Attendance Settings,Stillingar sjálfvirkrar viðveru ,Sales Partner Transaction Summary,Samantekt um sölu samstarfsaðila DocType: Asset Maintenance,Maintenance Manager Name,Nafn viðhaldsstjórans apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Það er nauðsynlegt til að sækja hlutatriði. @@ -7333,10 +7408,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Staðfesta gildandi reglu DocType: Job Card Item,Job Card Item,Atvinna kort atriði DocType: Homepage,Company Tagline for website homepage,Fyrirtæki Merking fyrir heimasíðu heimasíðunnar +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Stilltu svörunartíma og upplausn fyrir forgang {0} í vísitölu {1}. DocType: Company,Round Off Cost Center,Round Off Kostnaður Center DocType: Supplier Scorecard Criteria,Criteria Weight,Viðmiðunarþyngd DocType: Asset,Depreciation Schedules,Afskriftiráætlanir -DocType: Expense Claim Detail,Claim Amount,Kröfuhæð DocType: Subscription,Discounts,Afslættir DocType: Shipping Rule,Shipping Rule Conditions,Skilmálar reglna um flutning DocType: Subscription,Cancelation Date,Hætta við dagsetningu @@ -7364,7 +7439,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Búa til leiðir apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Sýna núll gildi DocType: Employee Onboarding,Employee Onboarding,Starfsmaður um borð DocType: POS Closing Voucher,Period End Date,Tímabil Lokadagur -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Sölutækifæri eftir uppspretta DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Fyrsta leyfisveitandinn á listanum verður stilltur sem sjálfgefið leyfi fyrir leyfi. DocType: POS Settings,POS Settings,POS stillingar apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Allir reikningar @@ -7385,7 +7459,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bankak apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Röðin verður að vera eins og {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Heilbrigðisþjónustudeildir -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Engar færslur fundust apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Aldursbil 3 DocType: Vital Signs,Blood Pressure,Blóðþrýstingur apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Miða á @@ -7432,6 +7505,7 @@ DocType: Company,Existing Company,Núverandi fyrirtæki apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Hópur apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Vörn DocType: Item,Has Batch No,Hefur lota nr +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Frestaðar dagar DocType: Lead,Person Name,Nafn persóna DocType: Item Variant,Item Variant,Vara Variant DocType: Training Event Employee,Invited,Boðið @@ -7453,7 +7527,7 @@ DocType: Purchase Order,To Receive and Bill,Til að fá og reikna apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Upphafs- og lokadagar ekki í gildum launum, ekki hægt að reikna {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Sýnið aðeins viðskiptavini þessara viðskiptamanna apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Veldu atriði til að vista reikninginn -DocType: Service Level,Resolution Time,Upplausnartími +DocType: Service Level Priority,Resolution Time,Upplausnartími DocType: Grading Scale Interval,Grade Description,Einkunn Lýsing DocType: Homepage Section,Cards,Spil DocType: Quality Meeting Minutes,Quality Meeting Minutes,Gæði fundargerðar @@ -7480,6 +7554,7 @@ DocType: Project,Gross Margin %,Heildarframlegð % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Uppgjör bankans samkvæmt almennum bókhaldi apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Heilbrigðisþjónusta (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Sjálfgefið vörugeymsla til að búa til sölupöntun og afhendingartilkynningu +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Svarstími fyrir {0} í vísitölu {1} getur ekki verið meiri en Upplausnartími. DocType: Opportunity,Customer / Lead Name,Viðskiptavinur / Lead Name DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Óhæfð upphæð @@ -7526,7 +7601,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Flytja aðila og heimilisföng DocType: Item,List this Item in multiple groups on the website.,Skráðu þetta atriði í mörgum hópum á vefsíðunni. DocType: Request for Quotation,Message for Supplier,Skilaboð til birgis -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Ekki er hægt að breyta {0} þar sem hlutabréfaútgáfa fyrir lið {1} er til. DocType: Healthcare Practitioner,Phone (R),Sími (R) DocType: Maintenance Team Member,Team Member,Liðsfélagi DocType: Asset Category Account,Asset Category Account,Eignaflokkur reiknings diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv index 20aea9d573..210a45691b 100644 --- a/erpnext/translations/it.csv +++ b/erpnext/translations/it.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Termine Data di inizio apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Appuntamento {0} e Fattura di vendita {1} annullati DocType: Purchase Receipt,Vehicle Number,Numero del veicolo apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Il tuo indirizzo di posta elettronica... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Includi voci libro predefinite +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Includi voci libro predefinite DocType: Activity Cost,Activity Type,Tipo di attività DocType: Purchase Invoice,Get Advances Paid,Ottieni gli anticipi a pagamento DocType: Company,Gain/Loss Account on Asset Disposal,Conto di guadagno / perdita sullo smaltimento delle attività @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Che cosa fa? DocType: Bank Reconciliation,Payment Entries,Voci di pagamento DocType: Employee Education,Class / Percentage,Classe / percentuale ,Electronic Invoice Register,Registro elettronico delle fatture +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Il numero di eventi dopo i quali viene eseguita la conseguenza. DocType: Sales Invoice,Is Return (Credit Note),È il ritorno (nota di credito) +DocType: Price List,Price Not UOM Dependent,Prezzo non dipendente da UOM DocType: Lab Test Sample,Lab Test Sample,Esempio di test di laboratorio DocType: Shopify Settings,status html,stato html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Ad esempio 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Ricerca del prod DocType: Salary Slip,Net Pay,Retribuzione netta apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Totale fatturato Amt DocType: Clinical Procedure,Consumables Invoice Separately,Fattura dei materiali di consumo separatamente +DocType: Shift Type,Working Hours Threshold for Absent,Soglia orario di lavoro assente DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Il budget non può essere assegnato contro l'account di gruppo {0} DocType: Purchase Receipt Item,Rate and Amount,Tasso e quantità @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Imposta il magazzino di origine DocType: Healthcare Settings,Out Patient Settings,Fuori impostazioni paziente DocType: Asset,Insurance End Date,Data di fine dell'assicurazione DocType: Bank Account,Branch Code,Codice della filiale -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,È ora di rispondere apps/erpnext/erpnext/public/js/conf.js,User Forum,Forum degli utenti DocType: Landed Cost Item,Landed Cost Item,Articolo costo di sbarco 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 @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Proprietario principale DocType: Share Transfer,Transfer,Trasferimento apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Cerca elemento (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Risultato inviato +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Dalla data non può essere maggiore di Fino alla data DocType: Supplier,Supplier of Goods or Services.,Fornitore di beni o servizi. 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 account. Nota: non creare account per clienti e fornitori apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Il gruppo di studenti o il programma del corso sono obbligatori @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database di DocType: Skill,Skill Name,Nome abilità apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Stampa la pagella DocType: Soil Texture,Ternary Plot,Trama Ternaria -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Impostare Serie di denominazione per {0} tramite Impostazione> Impostazioni> Serie di denominazione apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Supporta i biglietti DocType: Asset Category Account,Fixed Asset Account,Fixed Asset Account apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Più recente @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,UOM di distanza DocType: Accounting Dimension,Mandatory For Balance Sheet,Obbligatorio per lo stato patrimoniale DocType: Payment Entry,Total Allocated Amount,Importo totale stanziato DocType: Sales Invoice,Get Advances Received,Ricevi gli anticipi ricevuti +DocType: Shift Type,Last Sync of Checkin,Ultima sincronizzazione del check-in DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Importo IVA incluso nel valore apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Piano di abbonamento DocType: Student,Blood Group,Gruppo sanguigno apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Crop,Crop Spacing UOM,Crop Spacing UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Il tempo trascorso dopo l'orario di inizio turno quando il check-in è considerato in ritardo (in minuti). apps/erpnext/erpnext/templates/pages/home.html,Explore,Esplorare +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Non sono state trovate fatture in sospeso apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} posti vacanti e {1} budget per {2} già pianificati per le società controllate di {3}. \ Puoi solo pianificare fino a {4} posti vacanti e budget {5} come da piano di assunzione del personale {6} per la casa madre {3}. DocType: Promotional Scheme,Product Discount Slabs,Lastre per prodotti scontati @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Richiesta di partecipazione DocType: Item,Moving Average,Media mobile DocType: Employee Attendance Tool,Unmarked Attendance,Presenza non marcata DocType: Homepage Section,Number of Columns,Numero di colonne +DocType: Issue Priority,Issue Priority,Priorità del problema DocType: Holiday List,Add Weekly Holidays,Aggiungi festività settimanali DocType: Shopify Log,Shopify Log,Log di Shopify apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Crea una busta salariale @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Valore / Descrizione DocType: Warranty Claim,Issue Date,Data di rilascio 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 singolo batch che soddisfi questo requisito apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Impossibile creare il bonus di conservazione per i dipendenti di sinistra +DocType: Employee Checkin,Location / Device ID,Posizione / ID dispositivo DocType: Purchase Order,To Receive,Ricevere apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Sei in modalità offline. Non sarai in grado di ricaricare finché non avrai la rete. DocType: Course Activity,Enrollment,Iscrizione @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Modello di test di laboratorio apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informazioni sulla fatturazione elettronica mancanti apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nessuna richiesta materiale creata -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marca DocType: Loan,Total Amount Paid,Importo totale pagato apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Tutti questi articoli sono già stati fatturati DocType: Training Event,Trainer Name,Nome del trainer @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp 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} DocType: Employee,You can enter any date manually,È possibile inserire qualsiasi data manualmente DocType: Stock Reconciliation Item,Stock Reconciliation Item,Articolo riconciliazione +DocType: Shift Type,Early Exit Consequence,Early Exit Conseguenza DocType: Item Group,General Settings,impostazioni generali apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,La Scadenza non può essere effettuata prima della Data di Pubblicazione / Fattura Fornitore apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Inserire il nome del Beneficiario prima di inviarlo. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,uditore apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Conferma di pagamento ,Available Stock for Packing Items,Scorte disponibili per articoli di imballaggio apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Rimuovi questa fattura {0} da C-Form {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Ogni valido check-in e check-out DocType: Support Search Source,Query Route String,Query Route String DocType: Customer Feedback Template,Customer Feedback Template,Modello di feedback dei clienti apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Preventivi per lead o clienti. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Controllo di autorizzazione ,Daily Work Summary Replies,Riepilogo del lavoro giornaliero Risposte apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Sei stato invitato a collaborare al progetto: {0} +DocType: Issue,Response By Variance,Risposta per scostamento DocType: Item,Sales Details,Dettagli di vendita apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Teste di lettera per modelli di stampa. DocType: Salary Detail,Tax on additional salary,Tassa sul salario aggiuntivo @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Indirizzi DocType: Project,Task Progress,Progresso delle attività DocType: Journal Entry,Opening Entry,Ingresso di apertura DocType: Bank Guarantee,Charges Incurred,Spese incorse +DocType: Shift Type,Working Hours Calculation Based On,Calcolo delle ore di lavoro basato su DocType: Work Order,Material Transferred for Manufacturing,Materiale trasferito per la produzione DocType: Products Settings,Hide Variants,Nascondi varianti DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Disabilitare la pianificazione della capacità e il monitoraggio del tempo @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,Ammortamento DocType: Guardian,Interests,Interessi DocType: Purchase Receipt Item Supplied,Consumed Qty,Quantità consumata DocType: Education Settings,Education Manager,Responsabile della formazione +DocType: Employee Checkin,Shift Actual Start,Shift Actual Start DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Pianificare i registri del tempo al di fuori degli orari di lavoro della workstation. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Punti fedeltà: {0} DocType: Healthcare Settings,Registration Message,Messaggio di registrazione @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Fattura già creata per tutte le ore di fatturazione DocType: Sales Partner,Contact Desc,Contatto Desc DocType: Purchase Invoice,Pricing Rules,Regole sui prezzi +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Poiché esistono transazioni esistenti rispetto all'articolo {0}, non è possibile modificare il valore di {1}" DocType: Hub Tracked Item,Image List,Elenco immagini DocType: Item Variant Settings,Allow Rename Attribute Value,Consenti Rinomina valore attributo -DocType: Price List,Price Not UOM Dependant,Prezzo non dipendente da UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Tempo (in minuti) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Di base DocType: Loan,Interest Income Account,Conto dei redditi da interessi @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,Tipo di impiego apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Seleziona il profilo POS DocType: Support Settings,Get Latest Query,Ottieni l'ultima query DocType: Employee Incentive,Employee Incentive,Incentivo dei dipendenti +DocType: Service Level,Priorities,priorità apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Aggiungi schede o sezioni personalizzate nella home page DocType: Homepage,Hero Section Based On,Sezione Hero basata su DocType: Project,Total Purchase Cost (via Purchase Invoice),Costo totale d'acquisto (tramite fattura d'acquisto) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,Fabbricazione contro ri DocType: Blanket Order Item,Ordered Quantity,Quantità ordinata apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Riga # {0}: il magazzino rifiutato è obbligatorio contro l'articolo rifiutato {1} ,Received Items To Be Billed,Articoli ricevuti da fatturare -DocType: Salary Slip Timesheet,Working Hours,Ore lavorative +DocType: Attendance,Working Hours,Ore lavorative apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Metodo di pagamento apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Ordine d'acquisto Articoli non ricevuti in tempo apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Durata in giorni @@ -1572,7 +1584,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Informazioni legali e altre informazioni generali sul tuo fornitore DocType: Item Default,Default Selling Cost Center,Centro di costo di vendita predefinito DocType: Sales Partner,Address & Contacts,Indirizzo e contatti -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configurare le serie di numerazione per Presenze tramite Setup> Numerazione serie DocType: Subscriber,Subscriber,abbonato apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# modulo / articolo / {0}) non è disponibile apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Seleziona prima la data di registrazione @@ -1583,7 +1594,7 @@ DocType: Project,% Complete Method,% Metodo completo DocType: Detected Disease,Tasks Created,Attività create apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,La BOM predefinita ({0}) deve essere attiva per questo articolo o il suo modello apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Tasso di commissione % -DocType: Service Level,Response Time,Tempo di risposta +DocType: Service Level Priority,Response Time,Tempo di risposta DocType: Woocommerce Settings,Woocommerce Settings,Impostazioni Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,La quantità deve essere positiva DocType: Contract,CRM,CRM @@ -1600,7 +1611,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Addebito di visita osped DocType: Bank Statement Settings,Transaction Data Mapping,Transaction Data Mapping apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Un caposquadra richiede il nome di una persona o il nome di un'organizzazione DocType: Student,Guardians,Guardiani -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Installa il Sistema di denominazione degli istruttori in Istruzione> Impostazioni istruzione apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Seleziona il marchio ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Reddito medio DocType: Shipping Rule,Calculate Based On,Calcola in base a @@ -1637,6 +1647,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Imposta un obiettiv apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Il record di presenze {0} esiste contro lo studente {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Data della transazione apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Annullare l'iscrizione +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Impossibile impostare il contratto sul livello di servizio {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Salario netto DocType: Account,Liability,Responsabilità DocType: Employee,Bank A/C No.,Banca A / C No. @@ -1702,7 +1713,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Codice articolo materiale grezzo apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,La fattura di acquisto {0} è già stata inviata DocType: Fees,Student Email,Email dello studente -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Ricorsione della distinta base: {0} non può essere padre o figlio di {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Ottieni articoli dai servizi sanitari apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,La registrazione di magazzino {0} non è stata inviata DocType: Item Attribute Value,Item Attribute Value,Valore attributo articolo @@ -1727,7 +1737,6 @@ DocType: POS Profile,Allow Print Before Pay,Consenti stampa prima del pagamento DocType: Production Plan,Select Items to Manufacture,Seleziona gli articoli da fabbricare DocType: Leave Application,Leave Approver Name,Lascia il nome dell'approvatore DocType: Shareholder,Shareholder,Azionista -DocType: Issue,Agreement Status,Stato dell'accordo apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Impostazioni predefinite per la vendita di transazioni. 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 selezionare l'ammissione degli studenti, che è obbligatoria per il richiedente studente pagato" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Seleziona BOM @@ -1990,6 +1999,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Conto delle entrate apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Tutti i magazzini DocType: Contract,Signee Details,Dettagli del firmatario +DocType: Shift Type,Allow check-out after shift end time (in minutes),Consenti il check-out dopo l'orario di fine turno (in minuti) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,procurement DocType: Item Group,Check this if you want to show in website,Controlla questo se vuoi mostrare nel sito web apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Anno fiscale {0} non trovato @@ -2056,6 +2066,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Data di inizio ammortamento DocType: Activity Cost,Billing Rate,Tasso di fatturazione apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Avviso: esiste un altro {0} # {1} contro la partita di magazzino {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Si prega di abilitare le impostazioni di Google Maps per stimare e ottimizzare i percorsi +DocType: Purchase Invoice Item,Page Break,Interruzione di pagina DocType: Supplier Scorecard Criteria,Max Score,Punteggio massimo apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,La data di inizio del rimborso non può essere precedente alla data di esborso. DocType: Support Search Source,Support Search Source,Supporta la fonte di ricerca @@ -2124,6 +2135,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Obiettivo obiettivo di qu DocType: Employee Transfer,Employee Transfer,Trasferimento dei dipendenti ,Sales Funnel,Canali di vendita DocType: Agriculture Analysis Criteria,Water Analysis,Analisi dell'acqua +DocType: Shift Type,Begin check-in before shift start time (in minutes),Inizia il check-in prima dell'ora di inizio turno (in minuti) DocType: Accounts Settings,Accounts Frozen Upto,Conti congelati fino a apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Non c'è nulla da modificare. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operazione {0} più lunga di qualsiasi orario di lavoro disponibile nella workstation {1}, suddividere l'operazione in più operazioni" @@ -2137,7 +2149,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Cont apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},L'ordine di vendita {0} è {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Ritardo nel pagamento (giorni) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Inserire i dettagli di ammortamento +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Cliente PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,La data di consegna prevista dovrebbe essere successiva alla data dell'ordine cliente +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,La quantità dell'articolo non può essere zero apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Attributo non valido apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Seleziona la BOM rispetto all'articolo {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipo di fattura @@ -2147,6 +2161,7 @@ DocType: Maintenance Visit,Maintenance Date,Data di manutenzione DocType: Volunteer,Afternoon,Pomeriggio DocType: Vital Signs,Nutrition Values,Valori nutrizionali DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Presenza di febbre (temperatura> 38,5 ° C / 101,3 ° F o temperatura sostenuta> 38 ° C / 100,4 ° F)" +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 HR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC invertito DocType: Project,Collect Progress,Raccogli progressi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energia @@ -2197,6 +2212,7 @@ DocType: Setup Progress,Setup Progress,Avanzamento dell'installazione ,Ordered Items To Be Billed,Articoli ordinati da fatturare DocType: Taxable Salary Slab,To Amount,Ammontare DocType: Purchase Invoice,Is Return (Debit Note),È il ritorno (nota di debito) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Gruppo clienti> Territorio apps/erpnext/erpnext/config/desktop.py,Getting Started,Iniziare apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,fondersi apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Non è possibile modificare la Data di inizio dell'anno fiscale e la Data di fine dell'anno fiscale dopo aver salvato l'anno fiscale. @@ -2215,8 +2231,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Data effettiva apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},La data di inizio della manutenzione non può essere precedente alla data di consegna per il numero di serie {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Riga {0}: il tasso di cambio è obbligatorio DocType: Purchase Invoice,Select Supplier Address,Seleziona Indirizzo fornitore +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","La quantità disponibile è {0}, hai bisogno di {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Inserisci l'API Consumer Secret DocType: Program Enrollment Fee,Program Enrollment Fee,Tariffa di iscrizione al programma +DocType: Employee Checkin,Shift Actual End,Shift Actual End DocType: Serial No,Warranty Expiry Date,Data di scadenza della garanzia DocType: Hotel Room Pricing,Hotel Room Pricing,Prezzi camera d'albergo apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Forniture passive passive (diverse da zero, nul rated ed esenti" @@ -2276,6 +2294,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Lettura 5 DocType: Shopping Cart Settings,Display Settings,Impostazioni di visualizzazione apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Si prega di impostare il numero di ammortamenti prenotati +DocType: Shift Type,Consequence after,Conseguenza dopo apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Con cosa hai bisogno di aiuto? DocType: Journal Entry,Printing Settings,Impostazioni di stampa apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bancario @@ -2285,6 +2304,7 @@ DocType: Purchase Invoice Item,PR Detail,Dettaglio PR apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,L'indirizzo di fatturazione è uguale all'indirizzo di spedizione DocType: Account,Cash,Contanti DocType: Employee,Leave Policy,Lascia politica +DocType: Shift Type,Consequence,Conseguenza apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Indirizzo dello studente DocType: GST Account,CESS Account,Account CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: è richiesto Centro di costo per l'account "Profit and Loss" {2}. Configurare un centro di costo predefinito per la società. @@ -2349,6 +2369,7 @@ DocType: GST HSN Code,GST HSN Code,Codice HSN GST DocType: Period Closing Voucher,Period Closing Voucher,Voucher di chiusura del periodo apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nome Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Si prega di inserire conto spese +DocType: Issue,Resolution By Variance,Risoluzione per varianza DocType: Employee,Resignation Letter Date,Data della lettera di dimissioni DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Frequenza fino alla data @@ -2361,6 +2382,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Guarda ora DocType: Item Price,Valid Upto,Valido fino a apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Il tipo di documento di riferimento deve essere uno di {0} +DocType: Employee Checkin,Skip Auto Attendance,Salta la presenza automatica DocType: Payment Request,Transaction Currency,Valuta di transazione DocType: Loan,Repayment Schedule,Piano di rimborso apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Creare una voce di riserva per la conservazione dei campioni @@ -2432,6 +2454,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Assegnazione de DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Tasse di chiusura del POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Azione inizializzata DocType: POS Profile,Applicable for Users,Applicabile per gli utenti +,Delayed Order Report,Rapporto sull'ordine ritardato DocType: Training Event,Exam,Esame apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Rilevato numero errato di voci di contabilità generale. Potresti aver selezionato un Account sbagliato nella transazione. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Pipeline di vendita @@ -2446,10 +2469,11 @@ DocType: Account,Round Off,Arrotondare DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Le condizioni verranno applicate su tutti gli articoli selezionati combinati. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Configurazione DocType: Hotel Room,Capacity,Capacità +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Qtà installata apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Il batch {0} dell'articolo {1} è disabilitato. DocType: Hotel Room Reservation,Hotel Reservation User,Utente prenotazione hotel -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,La giornata lavorativa è stata ripetuta due volte +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Il contratto di servizio con il tipo di entità {0} e l'entità {1} esiste già. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Gruppo di articoli non menzionato nell'articolo master per l'articolo {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Errore nome: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Il territorio è obbligatorio nel profilo POS @@ -2497,6 +2521,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Data del programma DocType: Packing Slip,Package Weight Details,Dettagli del peso del pacchetto DocType: Job Applicant,Job Opening,Job Opening +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Ultima sincronizzazione conosciuta con successo del check-in dei dipendenti. Resettare questo solo se si è sicuri che tutti i registri sono sincronizzati da tutte le posizioni. Si prega di non modificare questo se non siete sicuri. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Costo attuale apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),L'anticipo totale ({0}) contro l'ordine {1} non può essere maggiore del Totale generale ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Varianti articolo aggiornate @@ -2541,6 +2566,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Ricevuta di acquisto di r apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Ottieni invocazioni DocType: Tally Migration,Is Day Book Data Imported,I dati del libro del giorno sono importati ,Sales Partners Commission,Commissione per i partner di vendita +DocType: Shift Type,Enable Different Consequence for Early Exit,Abilita la conseguenza diversa per l'uscita anticipata apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,legale DocType: Loan Application,Required by Date,Richiesto per data DocType: Quiz Result,Quiz Result,Risultato del quiz @@ -2600,7 +2626,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Anno fina DocType: Pricing Rule,Pricing Rule,Regola dei prezzi 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} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Impostare il campo ID utente in un record Impiegato per impostare Ruolo dipendente -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Tempo di risolvere DocType: Training Event,Training Event,Evento di formazione DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","La normale pressione sanguigna a riposo in un adulto è di circa 120 mmHg sistolica e 80 mmHg diastolica, abbreviata "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Il sistema recupera tutte le voci se il valore limite è zero. @@ -2644,6 +2669,7 @@ DocType: Woocommerce Settings,Enable Sync,Abilita sincronizzazione DocType: Student Applicant,Approved,Approvato apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Dalla data dovrebbe essere entro l'anno fiscale. Supponendo dalla data = {0} 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. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} è uno stato di partecipazione non valido. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Conto di apertura temporaneo DocType: Purchase Invoice,Cash/Bank Account,Contanti / conto bancario DocType: Quality Meeting Table,Quality Meeting Table,Tavolo riunioni di qualità @@ -2679,6 +2705,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,Token di autenticazione MWS apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Cibo, bevande e tabacco" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Orario del corso DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Dettaglio di IVA saggio articolo +DocType: Shift Type,Attendance will be marked automatically only after this date.,La partecipazione verrà contrassegnata automaticamente solo dopo questa data. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Forniture fatte ai possessori di UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Richiesta di quotazioni apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,La valuta non può essere cambiata dopo aver effettuato le voci utilizzando un'altra valuta @@ -2727,7 +2754,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,È l'oggetto dall'hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procedura di qualità. DocType: Share Balance,No of Shares,No di azioni -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Riga {0}: Qtà non disponibile per {4} nel magazzino {1} al momento della registrazione della voce ({2} {3}) DocType: Quality Action,Preventive,preventivo DocType: Support Settings,Forum URL,URL del forum apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Dipendente e presenze @@ -2949,7 +2975,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Tipo di sconto DocType: Hotel Settings,Default Taxes and Charges,Imposte e commissioni predefinite apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Questo si basa su transazioni contro questo Fornitore. Vedi la cronologia qui sotto per i dettagli apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},L'importo massimo del dipendente {0} supera {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Inserisci la data di inizio e di fine dell'accordo. DocType: Delivery Note Item,Against Sales Invoice,Contro la fattura di vendita DocType: Loyalty Point Entry,Purchase Amount,Ammontare dell'acquisto apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Impossibile impostare Lost come ordine di vendita. @@ -2973,7 +2998,7 @@ DocType: Homepage,"URL for ""All Products""",URL per "Tutti i prodotti" DocType: Lead,Organization Name,Nome dell'organizzazione apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Valido da e valido fino ai campi sono obbligatori per il cumulativo apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Riga n. {0}: il numero di lotto deve essere uguale a {1} {2} -DocType: Employee,Leave Details,Lasciare i dettagli +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Le transazioni di magazzino prima di {0} sono congelate DocType: Driver,Issuing Date,Data di rilascio apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Richiedente @@ -3018,9 +3043,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Dettagli del modello di mappatura del flusso di cassa apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Reclutamento e formazione DocType: Drug Prescription,Interval UOM,Intervallo UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Impostazioni del periodo di tolleranza per la presenza automatica apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Dalla valuta e alla valuta non può essere lo stesso apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Pharmaceuticals DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Ore di supporto apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} è stato cancellato o chiuso apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Riga {0}: l'anticipo sul cliente deve essere accreditato apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Raggruppa per voucher (consolidato) @@ -3130,6 +3157,7 @@ DocType: Asset Repair,Repair Status,Stato di riparazione DocType: Territory,Territory Manager,Responsabile del territorio DocType: Lab Test,Sample ID,ID campione apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Il carrello è vuoto +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,La partecipazione è stata contrassegnata come per i check-in dei dipendenti apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,L'asset {0} deve essere inviato ,Absent Student Report,Rapporto dello studente assente apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Incluso nel profitto lordo @@ -3137,7 +3165,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,L DocType: Travel Request Costing,Funded Amount,Importo finanziato apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} non è stato inviato in modo che l'azione non possa essere completata DocType: Subscription,Trial Period End Date,Data di fine periodo di prova +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Inserimenti alternati come IN e OUT durante lo stesso turno DocType: BOM Update Tool,The new BOM after replacement,La nuova BOM dopo la sostituzione +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornitore> Tipo di fornitore apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Articolo 5 DocType: Employee,Passport Number,Numero di passaporto apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Apertura temporanea @@ -3253,6 +3283,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Rapporti chiave apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Possibile fornitore ,Issued Items Against Work Order,Articoli emessi contro l'ordine di lavoro apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Creazione di {0} fattura +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Installa il Sistema di denominazione degli istruttori in Istruzione> Impostazioni istruzione DocType: Student,Joining Date,Data di adesione apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Sito richiedente DocType: Purchase Invoice,Against Expense Account,Contro Conto spese @@ -3292,6 +3323,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Spese applicabili ,Point of Sale,Punto vendita DocType: Authorization Rule,Approving User (above authorized value),Approvazione dell'utente (sopra il valore autorizzato) +DocType: Service Level Agreement,Entity,Entità apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Importo {0} {1} trasferito da {2} a {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Il cliente {0} non appartiene al progetto {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Dal nome del partito @@ -3338,6 +3370,7 @@ DocType: Asset,Opening Accumulated Depreciation,Apertura Ammortamenti accumulati DocType: Soil Texture,Sand Composition (%),Composizione di sabbia (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importa dati del libro del giorno +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Impostare Serie di denominazione per {0} tramite Impostazione> Impostazioni> Serie di denominazione DocType: Asset,Asset Owner Company,Asset Owner Company apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Il centro di costo è richiesto per prenotare una richiesta di rimborso spese apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} numero seriale valido per l'articolo {1} @@ -3398,7 +3431,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Proprietario del bene apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Il magazzino è obbligatorio per gli articoli in magazzino {0} nella riga {1} DocType: Stock Entry,Total Additional Costs,Totale costi aggiuntivi -DocType: Marketplace Settings,Last Sync On,Ultima sincronizzazione 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 delle tasse e degli addebiti DocType: Asset Maintenance Team,Maintenance Team Name,Nome del team di manutenzione apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Grafico dei centri di costo @@ -3414,12 +3446,12 @@ DocType: Sales Order Item,Work Order Qty,Qtà ordine di lavoro DocType: Job Card,WIP Warehouse,Magazzino WIP DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ID utente non impostato per Dipendente {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Qtà disponibile è {0}, hai bisogno di {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,L'utente {0} creato DocType: Stock Settings,Item Naming By,Nome oggetto da apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Ordinato apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Questo è un gruppo clienti root e non può essere modificato. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,La richiesta materiale {0} è stata annullata o interrotta +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strettamente basato sul tipo di registro nel check-in dei dipendenti DocType: Purchase Order Item Supplied,Supplied Qty,Q. fornitura DocType: Cash Flow Mapper,Cash Flow Mapper,Cash Flow Mapper DocType: Soil Texture,Sand,Sabbia @@ -3478,6 +3510,7 @@ DocType: Lab Test Groups,Add new line,Aggiungi una nuova linea apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Gruppo di articoli duplicati trovato nella tabella del gruppo di articoli apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Salario annuo DocType: Supplier Scorecard,Weighting Function,Funzione di ponderazione +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 articolo: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Errore durante la valutazione della formula dei criteri ,Lab Test Report,Rapporto di prova di laboratorio DocType: BOM,With Operations,Con le operazioni @@ -3491,6 +3524,7 @@ DocType: Expense Claim Account,Expense Claim Account,Conto spese apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nessun rimborso disponibile per l'inserimento prima nota apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} è studente inattivo apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Fai l'entrata di riserva +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Ricorsione della distinta base: {0} non può essere padre o figlio di {1} DocType: Employee Onboarding,Activities,attività apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Almeno un magazzino è obbligatorio ,Customer Credit Balance,Saldo del credito cliente @@ -3503,9 +3537,11 @@ DocType: Supplier Scorecard Period,Variables,variabili apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Programma di fidelizzazione multipla trovato per il cliente. Si prega di selezionare manualmente. DocType: Patient,Medication,medicazione apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Seleziona il programma fedeltà +DocType: Employee Checkin,Attendance Marked,Presenza Segnata apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Materiali grezzi DocType: Sales Order,Fully Billed,Completamente fatturato 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/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Seleziona solo una priorità come predefinita. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identifica / crea Account (Ledger) per il tipo - {0} 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 al valore inserito nel giornale DocType: Purchase Invoice Item,Is Fixed Asset,È Fixed Asset @@ -3526,6 +3562,7 @@ DocType: Purpose of Travel,Purpose of Travel,Proposta di viaggio DocType: Healthcare Settings,Appointment Confirmation,Conferma dell'appuntamento DocType: Shopping Cart Settings,Orders,Ordini DocType: HR Settings,Retirement Age,Età di pensionamento +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Configurare le serie di numerazione per Presenze tramite Setup> Numerazione serie apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Qtà proiettata apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},La cancellazione non è consentita per il Paese {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Riga # {0}: il valore {1} è già {2} @@ -3609,11 +3646,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Contabile apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Alreday del voucher POS Closing esiste per {0} tra la data {1} e {2} apps/erpnext/erpnext/config/help.py,Navigating,navigazione +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Nessuna fattura in sospeso richiede una rivalutazione del tasso di cambio DocType: Authorization Rule,Customer / Item Name,Cliente / Nome oggetto apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Il nuovo numero di serie non può avere il magazzino. Il magazzino deve essere impostato in base all'iscrizione o alla ricevuta d'acquisto DocType: Issue,Via Customer Portal,Tramite il Portale del cliente DocType: Work Order Operation,Planned Start Time,Ora di inizio prevista apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} è {2} +DocType: Service Level Priority,Service Level Priority,Priorità del livello di servizio apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Il numero di ammortamenti prenotati non può essere maggiore del numero totale di ammortamenti apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Condividi Ledger DocType: Journal Entry,Accounts Payable,È possibile pagare per questi account @@ -3724,7 +3763,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Consegnare a DocType: Bank Statement Transaction Settings Item,Bank Data,Dati bancari apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Pianificato fino a -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Mantenere le ore di fatturazione e le ore di lavoro uguali su Timesheet apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Traccia i lead per lead source. DocType: Clinical Procedure,Nursing User,Utente infermieristico DocType: Support Settings,Response Key List,Elenco delle chiavi di risposta @@ -3892,6 +3930,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Ora di inizio effettiva DocType: Antibiotic,Laboratory User,Utente di laboratorio apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Aste online +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,La priorità {0} è stata ripetuta. DocType: Fee Schedule,Fee Creation Status,Stato di creazione della tariffa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,software apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Ordine di vendita a pagamento @@ -3958,6 +3997,7 @@ DocType: Patient Encounter,In print,In stampa apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Impossibile recuperare le informazioni per {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,La valuta di fatturazione deve essere uguale alla valuta della società predefinita o alla valuta dell'account del partito apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Inserisci l'ID dipendente di questo addetto alle vendite +DocType: Shift Type,Early Exit Consequence after,Early Exit Conseguenza dopo apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Creare vendite iniziali e fatture di acquisto DocType: Disease,Treatment Period,Periodo di trattamento apps/erpnext/erpnext/config/settings.py,Setting up Email,Configurazione di e-mail @@ -3975,7 +4015,6 @@ DocType: Employee Skill Map,Employee Skills,Abilità del personale apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Nome dello studente: DocType: SMS Log,Sent On,Inviato DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Fattura di vendita -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Il tempo di risposta non può essere maggiore del tempo di risoluzione DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Per il gruppo di studenti basato sul corso, il corso sarà convalidato per ogni studente dai corsi iscritti nell'iscrizione al programma." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Forniture interne allo stato DocType: Employee,Create User Permission,Crea autorizzazione utente @@ -4014,6 +4053,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Condizioni contrattuali standard per vendite o acquisti. DocType: Sales Invoice,Customer PO Details,Dettagli ordine cliente apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Paziente non trovato +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Seleziona una priorità predefinita. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Rimuovi l'articolo se l'addebito non è applicabile a quell'oggetto apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Un gruppo di clienti esiste con lo stesso nome, si prega di cambiare il nome del cliente o rinominare il gruppo di clienti" 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. @@ -4053,6 +4093,7 @@ DocType: Quality Goal,Quality Goal,Obiettivo di qualità DocType: Support Settings,Support Portal,Portale di supporto apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},La data di fine dell'attività {0} non può essere inferiore alla {1} data di inizio prevista {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Il dipendente {0} è in attesa su {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Questo accordo sul livello di servizio è specifico per il cliente {0} DocType: Employee,Held On,Tenuto acceso DocType: Healthcare Practitioner,Practitioner Schedules,Orari del praticante DocType: Project Template Task,Begin On (Days),Inizia su (giorni) @@ -4060,6 +4101,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},L'ordine di lavoro è stato {0} DocType: Inpatient Record,Admission Schedule Date,Data del programma di ammissione apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Regolazione del valore del patrimonio +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Contrassegnare la presenza in base a "Employee Checkin" per i dipendenti assegnati a questo turno. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Forniture effettuate a persone non registrate apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Tutti i lavori DocType: Appointment Type,Appointment Type,Tipo di appuntamento @@ -4173,7 +4215,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P 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 del materiale di imballaggio. (per la stampa) DocType: Plant Analysis,Laboratory Testing Datetime,Test di laboratorio datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,L'articolo {0} non può avere Batch -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Pipeline di vendita per fase apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Forza del gruppo di studenti DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Voce di transazione conto bancario DocType: Purchase Order,Get Items from Open Material Requests,Ottieni oggetti da richieste di materiale aperto @@ -4255,7 +4296,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Mostra l'invecchiamento del magazzino DocType: Sales Invoice,Write Off Outstanding Amount,Annullare la quantità eccezionale DocType: Payroll Entry,Employee Details,Dettagli del dipendente -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,L'ora di inizio non può essere maggiore dell'ora di fine per {0}. DocType: Pricing Rule,Discount Amount,Totale sconto DocType: Healthcare Service Unit Type,Item Details,Dettagli dell'articolo apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Dichiarazione fiscale duplicata di {0} per il periodo {1} @@ -4308,7 +4348,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,La retribuzione netta non può essere negativa apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,No di interazioni 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} # Item {1} non può essere trasferita più di {2} rispetto all'ordine di acquisto {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Cambio +DocType: Attendance,Shift,Cambio apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Elaborazione del piano dei conti e delle parti DocType: Stock Settings,Convert Item Description to Clean HTML,Converti la descrizione dell'oggetto in Pulisci HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Tutti i gruppi di fornitori @@ -4379,6 +4419,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Attività di DocType: Healthcare Service Unit,Parent Service Unit,Unità di servizio genitore DocType: Sales Invoice,Include Payment (POS),Includi pagamento (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Private Equity +DocType: Shift Type,First Check-in and Last Check-out,Primo check-in e ultimo check-out DocType: Landed Cost Item,Receipt Document,Documento di ricevuta DocType: Supplier Scorecard Period,Supplier Scorecard Period,Periodo Scorecard fornitore DocType: Employee Grade,Default Salary Structure,Struttura salariale predefinita @@ -4461,6 +4502,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Creare un ordine d'acquisto apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definire il budget per un esercizio finanziario. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,La tabella degli account non può essere vuota. +DocType: Employee Checkin,Entry Grace Period Consequence,Entrata Grace Period Conseguenza ,Payment Period Based On Invoice Date,Periodo di pagamento basato sulla data della fattura apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},La data di installazione non può essere precedente alla data di consegna per l'articolo {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Link a richiesta materiale @@ -4469,6 +4511,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Tipo di dati apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Riga {0}: esiste già una voce Riordina per questo magazzino {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Data DocType: Monthly Distribution,Distribution Name,Nome di distribuzione +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Il giorno lavorativo {0} è stato ripetuto. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Raggruppa a non-gruppo apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Aggiornamento in corso. Potrebbe volerci un po '. DocType: Item,"Example: ABCD.##### @@ -4481,6 +4524,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Qtà di carburante apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile No DocType: Invoice Discounting,Disbursed,erogato +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 il check-out è considerato per la partecipazione. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Variazione netta in Contabilità fornitori apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Non disponibile apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Mezza giornata @@ -4494,7 +4538,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potenzia apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Mostra PDC in stampa apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify fornitore DocType: POS Profile User,POS Profile User,Utente profilo POS -DocType: Student,Middle Name,Secondo nome DocType: Sales Person,Sales Person Name,Nome della persona di vendita DocType: Packing Slip,Gross Weight,Peso lordo DocType: Journal Entry,Bill No,Bill No @@ -4503,7 +4546,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nuova DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Accordo sul livello di servizio -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Selezionare prima Dipendente e Data apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Il tasso di valutazione dell'articolo viene ricalcolato in base all'importo del buono del costo a terra DocType: Timesheet,Employee Detail,Dipendente DocType: Tally Migration,Vouchers,Buoni @@ -4538,7 +4580,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Accordo sul live DocType: Additional Salary,Date on which this component is applied,Data in cui questo componente è applicato apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Elenco di azionisti disponibili con numeri di folio apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Imposta account Gateway. -DocType: Service Level,Response Time Period,Tempo di risposta +DocType: Service Level Priority,Response Time Period,Tempo di risposta DocType: Purchase Invoice,Purchase Taxes and Charges,Tasse e spese di acquisto DocType: Course Activity,Activity Date,Data di attività apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Seleziona o aggiungi un nuovo cliente @@ -4563,6 +4605,7 @@ DocType: Sales Person,Select company name first.,Seleziona prima il nome dell apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Anno finanziario DocType: Sales Invoice Item,Deferred Revenue,Ricavo differito apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Si deve selezionare almeno una delle vendite o degli acquisti +DocType: Shift Type,Working Hours Threshold for Half Day,Soglia orario di lavoro per mezza giornata ,Item-wise Purchase History,Storico acquisti degli articoli apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Impossibile modificare la data di interruzione del servizio per l'articolo nella riga {0} DocType: Production Plan,Include Subcontracted Items,Includi elementi in conto lavoro @@ -4595,6 +4638,7 @@ DocType: Journal Entry,Total Amount Currency,Valuta importo totale DocType: BOM,Allow Same Item Multiple Times,Consenti allo stesso articolo più volte apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Crea BOM DocType: Healthcare Practitioner,Charges,oneri +DocType: Employee,Attendance and Leave Details,Partecipazione e lasciare dettagli DocType: Student,Personal Details,Dati personali DocType: Sales Order,Billing and Delivery Status,Stato di fatturazione e consegna apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Riga {0}: per il fornitore {0} è richiesto l'indirizzo email per inviare e-mail @@ -4646,7 +4690,6 @@ DocType: Bank Guarantee,Supplier,Fornitore apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Inserisci il valore betweeen {0} e {1} DocType: Purchase Order,Order Confirmation Date,Data di conferma dell'ordine DocType: Delivery Trip,Calculate Estimated Arrival Times,Calcola i tempi di arrivo stimati -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 HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,consumabili DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Data di inizio dell'iscrizione @@ -4669,7 +4712,7 @@ DocType: Installation Note Item,Installation Note Item,Nota per l'installazi DocType: Journal Entry Account,Journal Entry Account,Conto di registrazione a giornale apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variante apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Attività del forum -DocType: Service Level,Resolution Time Period,Periodo di risoluzione +DocType: Service Level Priority,Resolution Time Period,Periodo di risoluzione DocType: Request for Quotation,Supplier Detail,Dettaglio del fornitore DocType: Project Task,View Task,Visualizza attività DocType: Serial No,Purchase / Manufacture Details,Dettagli di acquisto / fabbricazione @@ -4736,6 +4779,7 @@ DocType: Sales Invoice,Commission Rate (%),Tasso di commissione (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Il magazzino può essere modificato solo tramite Registrazione / Nota di consegna / Ricevuta di acquisto DocType: Support Settings,Close Issue After Days,Chiudi problema dopo giorni DocType: Payment Schedule,Payment Schedule,Programma di pagamento +DocType: Shift Type,Enable Entry Grace Period,Abilita periodo di grazia di entrata DocType: Patient Relation,Spouse,Sposa DocType: Purchase Invoice,Reason For Putting On Hold,Motivo per mettere in attesa DocType: Item Attribute,Increment,Incremento @@ -4875,6 +4919,7 @@ DocType: Authorization Rule,Customer or Item,Cliente o oggetto DocType: Vehicle Log,Invoice Ref,Rif. Fattura apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Il modulo C non è applicabile per la fattura: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Fattura creata +DocType: Shift Type,Early Exit Grace Period,Periodo di grazia di uscita anticipata DocType: Patient Encounter,Review Details,Rivedi i dettagli apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Riga {0}: il valore delle ore deve essere maggiore di zero. DocType: Account,Account Number,Numero di conto @@ -4886,7 +4931,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Applicabile se la società è SpA, SApA o SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Condizioni di sovrapposizione tra: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Pagato e non consegnato -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Il codice articolo è obbligatorio perché l'articolo non viene numerato automaticamente DocType: GST HSN Code,HSN Code,Codice HSN DocType: GSTR 3B Report,September,settembre apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Spese amministrative @@ -4922,6 +4966,8 @@ DocType: Travel Itinerary,Travel From,Viaggiare da apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Account CWIP DocType: SMS Log,Sender Name,Nome del mittente DocType: Pricing Rule,Supplier Group,Gruppo di fornitori +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Imposta l'ora di inizio e l'ora di fine per il giorno di supporto {0} all'indice {1}. DocType: Employee,Date of Issue,Data di emissione ,Requested Items To Be Transferred,Elementi richiesti da trasferire DocType: Employee,Contract End Date,Data di fine del contratto @@ -4932,6 +4978,7 @@ DocType: Healthcare Service Unit,Vacant,Vacante DocType: Opportunity,Sales Stage,Fase di vendita DocType: Sales Order,In Words will be visible once you save the Sales Order.,In Words sarà visibile una volta salvato l'ordine di vendita. DocType: Item Reorder,Re-order Level,Livello di riordino +DocType: Shift Type,Enable Auto Attendance,Abilita presenze automatiche apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Preferenza ,Department Analytics,Analisi del dipartimento DocType: Crop,Scientific Name,Nome scientifico @@ -4944,6 +4991,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},Lo stato {0} {1} è { DocType: Quiz Activity,Quiz Activity,Attività del quiz apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} non è in un periodo di stipendio valido DocType: Timesheet,Billed,fatturato +apps/erpnext/erpnext/config/support.py,Issue Type.,Tipo di problema. DocType: Restaurant Order Entry,Last Sales Invoice,Ultima fattura di vendita DocType: Payment Terms Template,Payment Terms,Termini di pagamento apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Quantità prenotata: quantità ordinata per la vendita, ma non consegnata." @@ -5039,6 +5087,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Bene apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} non ha un programma di Practitioner sanitario. Aggiungilo nel master Practitioner sanitario DocType: Vehicle,Chassis No,Telaio n +DocType: Employee,Default Shift,Shift predefinito apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Abbreviazione di società apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Albero della distinta dei materiali DocType: Article,LMS User,Utente LMS @@ -5087,6 +5136,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Parent Sales Person DocType: Student Group Creation Tool,Get Courses,Ottieni corsi 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.","Riga # {0}: la quantità deve essere 1, poiché la voce è una risorsa fissa. Si prega di utilizzare una riga separata per più qty." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Ore lavorative sotto le quali Absent è segnato. (Zero da disabilitare) DocType: Customer Group,Only leaf nodes are allowed in transaction,Solo i nodi foglia sono consentiti nella transazione DocType: Grant Application,Organization,Organizzazione DocType: Fee Category,Fee Category,Categoria a pagamento @@ -5099,6 +5149,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Si prega di aggiornare il proprio stato per questo evento di formazione DocType: Volunteer,Morning,Mattina DocType: Quotation Item,Quotation Item,Quotazione +apps/erpnext/erpnext/config/support.py,Issue Priority.,Priorità del problema. DocType: Journal Entry,Credit Card Entry,Entrata della carta di credito apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Intervallo di tempo saltato, lo slot da {0} a {1} si sovrappone agli slot esistenti da {2} a {3}" DocType: Journal Entry Account,If Income or Expense,Se reddito o spesa @@ -5149,11 +5200,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Importazione e impostazioni dei dati 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: Account,Expense Account,Conto spese +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Il tempo che precede l'orario di inizio del turno durante il quale viene preso in considerazione il check-in per i dipendenti. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Relazione con Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Crea fattura apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},La richiesta di pagamento esiste già {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Il dipendente alleviato {0} deve essere impostato come 'Sinistra' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Paga {0} {1} +DocType: Company,Sales Settings,Impostazioni di vendita DocType: Sales Order Item,Produced Quantity,Quantità prodotta apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,È possibile accedere alla richiesta di preventivo facendo clic sul seguente link DocType: Monthly Distribution,Name of the Monthly Distribution,Nome della distribuzione mensile @@ -5232,6 +5285,7 @@ DocType: Company,Default Values,Valori standard apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Vengono creati modelli di imposta predefiniti per vendite e acquisti. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Lasciare il tipo {0} non può essere portato indietro apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Il conto Debit To deve essere un account Receitable +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Imposta Account in Magazzino {0} o Account inventario predefinito in Azienda {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Imposta come predefinito DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Il peso netto di questo pacchetto. (calcolato automaticamente come somma del peso netto degli articoli) @@ -5258,8 +5312,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Lotti scaduti DocType: Shipping Rule,Shipping Rule Type,Tipo di regola di spedizione DocType: Job Offer,Accepted,Accettato -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Per favore cancella il Dipendente {0} \ per cancellare questo documento" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Hai già valutato i criteri di valutazione {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Seleziona numeri di serie apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Età (giorni) @@ -5286,6 +5338,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Seleziona i tuoi domini DocType: Agriculture Task,Task Name,Nome dell'attività 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Per favore cancella il Dipendente {0} \ per cancellare questo documento" ,Amount to Deliver,Importo da consegnare apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,L'azienda {0} non esiste apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Nessuna richiesta di materiale in sospeso trovata per il collegamento degli articoli indicati. @@ -5335,6 +5389,7 @@ DocType: Program Enrollment,Enrolled courses,Corsi registrati DocType: Lab Prescription,Test Code,Codice di prova DocType: Purchase Taxes and Charges,On Previous Row Total,Sul totale riga precedente DocType: Student,Student Email Address,Indirizzo email dello studente +,Delayed Item Report,Rapporto sull'articolo ritardato DocType: Academic Term,Education,Formazione scolastica DocType: Supplier Quotation,Supplier Address,Indirizzo del fornitore DocType: Salary Detail,Do not include in total,Non includere in totale @@ -5342,7 +5397,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} non esiste DocType: Purchase Receipt Item,Rejected Quantity,Quantità rifiutata DocType: Cashier Closing,To TIme,Per il tempo -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 articolo: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Utente del gruppo di riepilogo del lavoro giornaliero DocType: Fiscal Year Company,Fiscal Year Company,Società dell'anno fiscale apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,L'articolo alternativo non deve essere uguale al codice articolo @@ -5394,6 +5448,7 @@ DocType: Program Fee,Program Fee,Tariffa del programma DocType: Delivery Settings,Delay between Delivery Stops,Ritardo tra le fermate di consegna DocType: Stock Settings,Freeze Stocks Older Than [Days],Blocca le scorte più vecchie di [giorni] DocType: Promotional Scheme,Promotional Scheme Product Discount,Sconto sul prodotto promozionale +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,La priorità del problema esiste già DocType: Account,Asset Received But Not Billed,Attività ricevuta ma non fatturata DocType: POS Closing Voucher,Total Collected Amount,Importo raccolto totale DocType: Course,Default Grading Scale,Scala di valutazione predefinita @@ -5436,6 +5491,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Termini di adempimento apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Non gruppo per gruppo DocType: Student Guardian,Mother,Madre +DocType: Issue,Service Level Agreement Fulfilled,Accordo sul livello di servizio Soddisfatto DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Tassa di deduzione per benefici per i dipendenti non rivendicati DocType: Travel Request,Travel Funding,Finanziamento di viaggio DocType: Shipping Rule,Fixed,Fisso @@ -5465,10 +5521,12 @@ DocType: Item,Warranty Period (in days),Periodo di garanzia (in giorni) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Nessun articolo trovato. DocType: Item Attribute,From Range,Dalla gamma DocType: Clinical Procedure,Consumables,Materiali di consumo +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,"employee_field_value" e "timestamp" sono obbligatori. DocType: Purchase Taxes and Charges,Reference Row #,Riga di riferimento # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Impostare "Centro costi ammortamento cespiti" nella società {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Riga n. {0}: per completare la transazione è necessario il documento di pagamento DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Fare clic su questo pulsante per estrarre i dati dell'ordine cliente da Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Orario di lavoro al di sotto del quale è contrassegnato Half Day. (Zero da disabilitare) ,Assessment Plan Status,Stato del piano di valutazione apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Seleziona {0} per primo apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Invia questo per creare il record Dipendente @@ -5539,6 +5597,7 @@ DocType: Quality Procedure,Parent Procedure,Procedura genitore apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Imposta aperto apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Attiva i filtri DocType: Production Plan,Material Request Detail,Dettaglio richiesta materiale +DocType: Shift Type,Process Attendance After,Partecipazione al processo dopo DocType: Material Request Item,Quantity and Warehouse,Quantità e magazzino apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Vai a Programmi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Riga # {0}: voce duplicata in Riferimenti {1} {2} @@ -5596,6 +5655,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Informazioni sul partito apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debitori ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Ad oggi non può superare la data di scarico del dipendente +DocType: Shift Type,Enable Exit Grace Period,Abilita periodo di grazia di uscita DocType: Expense Claim,Employees Email Id,ID e-mail dei dipendenti DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Aggiorna prezzo da Shopify al listino prezzi ERPNext DocType: Healthcare Settings,Default Medical Code Standard,Standard di codice medico predefinito @@ -5626,7 +5686,6 @@ DocType: Item Group,Item Group Name,Nome gruppo articoli DocType: Budget,Applicable on Material Request,Applicabile su richiesta materiale DocType: Support Settings,Search APIs,Cerca API DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Percentuale di sovrapproduzione per ordine di vendita -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,specificazioni DocType: Purchase Invoice,Supplied Items,Articoli forniti DocType: Leave Control Panel,Select Employees,Seleziona dipendenti apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Seleziona il conto interessi attivi in prestito {0} @@ -5652,7 +5711,7 @@ DocType: Salary Slip,Deductions,deduzioni ,Supplier-Wise Sales Analytics,Analisi delle vendite corrette per fornitori DocType: GSTR 3B Report,February,febbraio DocType: Appraisal,For Employee,Per il dipendente -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Data di consegna effettiva +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Data di consegna effettiva DocType: Sales Partner,Sales Partner Name,Nome del partner di vendita apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Riga di ammortamento {0}: Data di inizio ammortamento è inserita come data precedente DocType: GST HSN Code,Regional,Regionale @@ -5691,6 +5750,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Fat DocType: Supplier Scorecard,Supplier Scorecard,Scorecard fornitore DocType: Travel Itinerary,Travel To,Viaggiare a apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Segna la presenza +DocType: Shift Type,Determine Check-in and Check-out,Determinare il check-in e il check-out DocType: POS Closing Voucher,Difference,Differenza apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Piccolo DocType: Work Order Item,Work Order Item,Articolo dell'ordine di lavoro @@ -5724,6 +5784,7 @@ DocType: Sales Invoice,Shipping Address Name,Nome indirizzo di spedizione apps/erpnext/erpnext/healthcare/setup.py,Drug,Droga apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} è chiuso DocType: Patient,Medical History,Storia medica +DocType: Expense Claim,Expense Taxes and Charges,Spese e spese DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Numero di giorni trascorsi dalla data della fattura prima di annullare l'abbonamento o di contrassegnare l'abbonamento come non pagato apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,La nota di installazione {0} è già stata inviata DocType: Patient Relation,Family,Famiglia @@ -5756,7 +5817,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Forza apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} unità di {1} necessarie in {2} per completare questa transazione. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush Materie prime di subappalto basati su -DocType: Bank Guarantee,Customer,Cliente DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Se abilitato, il campo Termine accademico sarà obbligatorio nello strumento di registrazione del programma." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Per il gruppo di studenti basato su batch, lo Student Batch verrà convalidato per ogni studente dall'iscrizione al programma." DocType: Course,Topics,Temi @@ -5836,6 +5896,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Membri del Capitolo DocType: Warranty Claim,Service Address,Indirizzo di servizio DocType: Journal Entry,Remark,osservazione +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Riga {0}: quantità non disponibile per {4} nel magazzino {1} al momento della registrazione della voce ({2} {3}) DocType: Patient Encounter,Encounter Time,Tempo di incontro DocType: Serial No,Invoice Details,Dettagli della fattura 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 account possono essere fatti in Gruppi, ma le voci possono essere fatte contro non Gruppi" @@ -5916,6 +5977,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","U apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Chiusura (apertura + totale) DocType: Supplier Scorecard Criteria,Criteria Formula,Formula dei criteri apps/erpnext/erpnext/config/support.py,Support Analytics,Support Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID dispositivo di presenza (ID tag biometrico / RF) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Revisione e azione DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Se l'account è bloccato, le voci sono consentite agli utenti con restrizioni." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Importo dopo l'ammortamento @@ -5937,6 +5999,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Rimborso del prestito DocType: Employee Education,Major/Optional Subjects,Soggetti principali / facoltativi DocType: Soil Texture,Silt,Limo +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Indirizzi e contatti del fornitore DocType: Bank Guarantee,Bank Guarantee Type,Tipo di garanzia bancaria DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Se disabilitato, il campo "Totale arrotondato" non sarà visibile in nessuna transazione" DocType: Pricing Rule,Min Amt,Min Amt @@ -5975,6 +6038,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Apertura dello strumento per la creazione di fatture DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Includi transazioni POS +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nessun dipendente trovato per il dato valore del campo dipendente. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Importo ricevuto (valuta della società) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage è pieno, non salvato" DocType: Chapter Member,Chapter Member,Membro del Capitolo @@ -6007,6 +6071,7 @@ DocType: SMS Center,All Lead (Open),Tutto piombo (aperto) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Nessun gruppo di studenti creato. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Riga duplicata {0} con lo stesso {1} DocType: Employee,Salary Details,Dettagli del salario +DocType: Employee Checkin,Exit Grace Period Consequence,Esci Conseguenza periodo di grazia DocType: Bank Statement Transaction Invoice Item,Invoice,Fattura DocType: Special Test Items,Particulars,particolari apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Si prega di impostare il filtro in base all'elemento o al magazzino @@ -6108,6 +6173,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Fuori AMC DocType: Job Opening,"Job profile, qualifications required etc.","Profilo del lavoro, qualifiche richieste ecc." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Spedire allo stato +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Vuoi inviare la richiesta materiale DocType: Opportunity Item,Basic Rate,Tariffa base DocType: Compensatory Leave Request,Work End Date,Data di fine lavoro apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Richiesta di materie prime @@ -6293,6 +6359,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Ammortamento Importo DocType: Sales Order Item,Gross Profit,Utile lordo DocType: Quality Inspection,Item Serial No,Articolo numero di serie DocType: Asset,Insurer,Assicuratore +DocType: Employee Checkin,OUT,SU apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Importo d'acquisto DocType: Asset Maintenance Task,Certificate Required,Certificato richiesto DocType: Retention Bonus,Retention Bonus,Bonus di conservazione @@ -6408,6 +6475,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Importo della differ DocType: Invoice Discounting,Sanctioned,sanzionato DocType: Course Enrollment,Course Enrollment,Iscrizione al corso DocType: Item,Supplier Items,Articoli del fornitore +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Ora di inizio non può essere maggiore o uguale a Ora di fine \ per {0}. DocType: Sales Order,Not Applicable,Non applicabile DocType: Support Search Source,Response Options,Opzioni di risposta apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} dovrebbe essere un valore compreso tra 0 e 100 @@ -6494,7 +6563,6 @@ DocType: Travel Request,Costing,costing apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Risorse fisse DocType: Purchase Order,Ref SQ,Rif. SQ DocType: Salary Structure,Total Earning,Guadagno totale -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Gruppo clienti> Territorio DocType: Share Balance,From No,Dal n DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Pagamento fattura di riconciliazione DocType: Purchase Invoice,Taxes and Charges Added,Tasse e costi aggiunti @@ -6602,6 +6670,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignora regola dei prezzi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Cibo DocType: Lost Reason Detail,Lost Reason Detail,Dettaglio della ragione persa +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Sono stati creati i seguenti numeri di serie:
{0} DocType: Maintenance Visit,Customer Feedback,Opinione del cliente DocType: Serial No,Warranty / AMC Details,Garanzia / Dettagli AMC DocType: Issue,Opening Time,Orario di apertura @@ -6651,6 +6720,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Nome della società non uguale apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,La promozione dei dipendenti non può essere presentata prima della data di promozione apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Non è consentito aggiornare le transazioni di magazzino precedenti a {0} +DocType: Employee Checkin,Employee Checkin,Check-in dei dipendenti apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},La data di inizio deve essere inferiore alla data di fine per l'articolo {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Crea preventivi cliente DocType: Buying Settings,Buying Settings,Impostazioni di acquisto @@ -6672,6 +6742,7 @@ DocType: Job Card Time Log,Job Card Time Log,Registro delle carte di lavoro DocType: Patient,Patient Demographics,Demografia del paziente DocType: Share Transfer,To Folio No,Per Folio n apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Flusso di cassa da operazioni +DocType: Employee Checkin,Log Type,Tipo di registro DocType: Stock Settings,Allow Negative Stock,Consenti scorte negative apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Nessuno degli articoli ha alcun cambiamento di quantità o valore. DocType: Asset,Purchase Date,Data di acquisto @@ -6716,6 +6787,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Molto iper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Seleziona la natura della tua attività. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Si prega di selezionare il mese e l'anno +DocType: Service Level,Default Priority,Priorità predefinita DocType: Student Log,Student Log,Registro degli studenti DocType: Shopping Cart Settings,Enable Checkout,Abilita il pagamento apps/erpnext/erpnext/config/settings.py,Human Resources,Risorse umane @@ -6744,7 +6816,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Connetti Shopify con ERPNext DocType: Homepage Section Card,Subtitle,Sottotitolo DocType: Soil Texture,Loam,terra grassa -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornitore> Tipo di fornitore DocType: BOM,Scrap Material Cost(Company Currency),Costo del materiale di scarto (valuta della società) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,La bolla di consegna {0} non deve essere inviata DocType: Task,Actual Start Date (via Time Sheet),Data di inizio effettiva (tramite foglio di lavoro) @@ -6800,6 +6871,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosaggio DocType: Cheque Print Template,Starting position from top edge,Posizione di partenza dal bordo superiore apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Durata dell'appuntamento (min) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Questo dipendente ha già un log con lo stesso timestamp. {0} DocType: Accounting Dimension,Disable,disattivare DocType: Email Digest,Purchase Orders to Receive,Ordini d'acquisto da ricevere apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Gli ordini di produzione non possono essere raccolti per: @@ -6815,7 +6887,6 @@ DocType: Production Plan,Material Requests,Richieste materiali DocType: Buying Settings,Material Transferred for Subcontract,Materiale trasferito per conto lavoro DocType: Job Card,Timing Detail,Dettaglio dei tempi apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Richiesto -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Importazione di {0} di {1} DocType: Job Offer Term,Job Offer Term,Termine dell'offerta di lavoro DocType: SMS Center,All Contact,Tutti i contatti DocType: Project Task,Project Task,Attività del progetto @@ -6866,7 +6937,6 @@ DocType: Student Log,Academic,Accademico 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 è impostato per i numeri seriali. Controllare l'articolo principale apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Da stato DocType: Leave Type,Maximum Continuous Days Applicable,Giorni continui massimi applicabili -apps/erpnext/erpnext/config/support.py,Support Team.,Team di supporto. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Si prega di inserire prima il nome della società apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Importa con successo DocType: Guardian,Alternate Number,Numero alternativo @@ -6958,6 +7028,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Riga # {0}: elemento aggiunto DocType: Student Admission,Eligibility and Details,Ammissibilità e dettagli DocType: Staffing Plan,Staffing Plan Detail,Dettagli del piano di personale +DocType: Shift Type,Late Entry Grace Period,Periodo di grazia dell'ingresso in ritardo DocType: Email Digest,Annual Income,Reddito annuo DocType: Journal Entry,Subscription Section,Sezione di abbonamento DocType: Salary Slip,Payment Days,Giorni di pagamento @@ -7008,6 +7079,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Saldo del conto DocType: Asset Maintenance Log,Periodicity,Periodicità apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Cartella medica +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Il tipo di registro è richiesto per i check-in che rientrano nello spostamento: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Esecuzione DocType: Item,Valuation Method,Metodo di valutazione apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} contro fattura di vendita {1} @@ -7092,6 +7164,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Costo stimato per posi DocType: Loan Type,Loan Name,Nome del prestito apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Imposta la modalità di pagamento predefinita DocType: Quality Goal,Revision,Revisione +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Il tempo prima dell'ora di fine turno quando il check-out è considerato come anticipato (in minuti). DocType: Healthcare Service Unit,Service Unit Type,Tipo di unità di servizio DocType: Purchase Invoice,Return Against Purchase Invoice,Restituzione della fattura d'acquisto apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Genera segreto @@ -7247,12 +7320,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Cosmetici DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Controlla questo se vuoi forzare l'utente a selezionare una serie prima di salvarla. Non ci sarà nessun valore predefinito se si controlla questo. 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 possono impostare account congelati e creare / modificare voci contabili contro account congelati +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marca DocType: Expense Claim,Total Claimed Amount,Importo totale rivendicato 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 Time Slot nei prossimi {0} giorni per Operation {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Avvolgendo apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Puoi rinnovare solo se la tua iscrizione scade entro 30 giorni apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Il valore deve essere compreso tra {0} e {1} DocType: Quality Feedback,Parameters,parametri +DocType: Shift Type,Auto Attendance Settings,Impostazioni di presenze auto ,Sales Partner Transaction Summary,Riepilogo transazioni partner di vendita DocType: Asset Maintenance,Maintenance Manager Name,Nome del responsabile della manutenzione apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,È necessario recuperare i dettagli dell'articolo. @@ -7344,10 +7419,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Valida la regola applicata DocType: Job Card Item,Job Card Item,Job Card Item DocType: Homepage,Company Tagline for website homepage,Tagline aziendale per la homepage del sito +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Imposta Tempo di risposta e Risoluzione per Priorità {0} all'indice {1}. DocType: Company,Round Off Cost Center,Round Off Cost Center DocType: Supplier Scorecard Criteria,Criteria Weight,Criteri di peso DocType: Asset,Depreciation Schedules,Orari di ammortamento -DocType: Expense Claim Detail,Claim Amount,Importo del reclamo DocType: Subscription,Discounts,sconti DocType: Shipping Rule,Shipping Rule Conditions,Condizioni delle regole di spedizione DocType: Subscription,Cancelation Date,Data di cancellazione @@ -7375,7 +7450,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Creare lead apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Mostra valori zero DocType: Employee Onboarding,Employee Onboarding,Dipendente Onboarding DocType: POS Closing Voucher,Period End Date,Data di fine del periodo -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Opportunità di vendita per fonte DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Il primo Lascia Approvatore nell'elenco verrà impostato come predefinito Lascia Approvatore. DocType: POS Settings,POS Settings,Impostazioni POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Tutti gli account @@ -7396,7 +7470,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Deatil apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Riga # {0}: la tariffa deve essere uguale a {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Articoli per servizi sanitari -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Nessun record trovato apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Intervallo di invecchiamento 3 DocType: Vital Signs,Blood Pressure,Pressione sanguigna 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 attivo @@ -7443,6 +7516,7 @@ DocType: Company,Existing Company,Azienda esistente apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,lotti apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Difesa DocType: Item,Has Batch No,No lotto +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Giorni di ritardo DocType: Lead,Person Name,Nome della persona DocType: Item Variant,Item Variant,Variante articolo DocType: Training Event Employee,Invited,Invitato @@ -7464,7 +7538,7 @@ DocType: Purchase Order,To Receive and Bill,Ricevere e Bill apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Le date di inizio e di fine non sono in un periodo di stipendio valido, non è possibile calcolare {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Mostra solo i clienti di questi gruppi di clienti apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Seleziona gli articoli per salvare la fattura -DocType: Service Level,Resolution Time,Tempo di risoluzione +DocType: Service Level Priority,Resolution Time,Tempo di risoluzione DocType: Grading Scale Interval,Grade Description,Descrizione del grado DocType: Homepage Section,Cards,Carte DocType: Quality Meeting Minutes,Quality Meeting Minutes,Verbale della riunione della qualità @@ -7491,6 +7565,7 @@ DocType: Project,Gross Margin %,Margine lordo% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Saldo del conto bancario come da contabilità generale apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Assistenza sanitaria (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Magazzino predefinito per creare ordine di vendita e nota di consegna +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Il tempo di risposta per {0} all'indice {1} non può essere maggiore del tempo di risoluzione. DocType: Opportunity,Customer / Lead Name,Nome cliente / lead DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Importo non reclamato @@ -7537,7 +7612,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importare parti e indirizzi DocType: Item,List this Item in multiple groups on the website.,Elenca questo articolo in più gruppi sul sito web. DocType: Request for Quotation,Message for Supplier,Messaggio per il fornitore -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Impossibile cambiare {0} perché la transazione stock per l'articolo {1} esiste. DocType: Healthcare Practitioner,Phone (R),Telefono (R) DocType: Maintenance Team Member,Team Member,Membro della squadra DocType: Asset Category Account,Asset Category Account,Account categoria di asset diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv index 392f275d7a..880a9e5c67 100644 --- a/erpnext/translations/ja.csv +++ b/erpnext/translations/ja.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,期間開始日 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,予定{0}と販売請求書{1}がキャンセルされました DocType: Purchase Receipt,Vehicle Number,車両番号 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,メールアドレス... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,デフォルトのブックエントリを含める +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,デフォルトのブックエントリを含める DocType: Activity Cost,Activity Type,活動タイプ DocType: Purchase Invoice,Get Advances Paid,前払い金を受け取る DocType: Company,Gain/Loss Account on Asset Disposal,資産処分時の損益勘定 @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,それは何を DocType: Bank Reconciliation,Payment Entries,支払いエントリ DocType: Employee Education,Class / Percentage,クラス/割合 ,Electronic Invoice Register,電子請求書レジスタ +DocType: Shift Type,The number of occurrence after which the consequence is executed.,結果が実行された後の発生回数。 DocType: Sales Invoice,Is Return (Credit Note),返品です(クレジットノート) +DocType: Price List,Price Not UOM Dependent,UOMに依存しない価格 DocType: Lab Test Sample,Lab Test Sample,ラボテストサンプル DocType: Shopify Settings,status html,ステータスHTML DocType: Fiscal Year,"For e.g. 2012, 2012-13",例:2012、2012〜13 @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,製品検索 DocType: Salary Slip,Net Pay,給料 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,合計請求金額 DocType: Clinical Procedure,Consumables Invoice Separately,消耗品は別に請求します +DocType: Shift Type,Working Hours Threshold for Absent,欠勤のしきい値 DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},グループアカウント{0}に対して予算を割り当てることはできません DocType: Purchase Receipt Item,Rate and Amount,レートと金額 @@ -378,7 +381,6 @@ DocType: Sales Invoice,Set Source Warehouse,ソース倉庫の設定 DocType: Healthcare Settings,Out Patient Settings,患者設定 DocType: Asset,Insurance End Date,保険終了日 DocType: Bank Account,Branch Code,支店コード -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,対応する時間 apps/erpnext/erpnext/public/js/conf.js,User Forum,ユーザーフォーラム DocType: Landed Cost Item,Landed Cost Item,着陸費用明細 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,売り手と買い手は同じではいけません @@ -596,6 +598,7 @@ DocType: Lead,Lead Owner,リードオーナー DocType: Share Transfer,Transfer,転送 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),検索項目(Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0}送信された結果 +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,開始日は終了日より大きくすることはできません DocType: Supplier,Supplier of Goods or Services.,商品またはサービスの供給者。 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,新しいアカウントの名前注:顧客とサプライヤのアカウントを作成しないでください apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,学生グループまたはコーススケジュールは必須です @@ -879,7 +882,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,潜在的な DocType: Skill,Skill Name,スキル名 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,レポートカードを印刷する DocType: Soil Texture,Ternary Plot,三点図 -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,サポートチケット DocType: Asset Category Account,Fixed Asset Account,固定資産口座 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,最新 @@ -892,6 +894,7 @@ DocType: Delivery Trip,Distance UOM,距離単位 DocType: Accounting Dimension,Mandatory For Balance Sheet,貸借対照表に必須 DocType: Payment Entry,Total Allocated Amount,合計配分額 DocType: Sales Invoice,Get Advances Received,前払い金を受け取る +DocType: Shift Type,Last Sync of Checkin,チェックインの最後の同期 DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,値に含まれる品目税額 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -900,7 +903,9 @@ DocType: Subscription Plan,Subscription Plan,購読プラン DocType: Student,Blood Group,血液型 apps/erpnext/erpnext/config/healthcare.py,Masters,マスターズ DocType: Crop,Crop Spacing UOM,クロップスペーシングUOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,シフトイン開始後、チェックインが遅れると見なされる時間(分単位)。 apps/erpnext/erpnext/templates/pages/home.html,Explore,探検する +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,未払いの請求書が見つかりません apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{2}の{0}個の空室と{1}個の予算が{3}の子会社に既に計画されています。 \親会社{3}の人員計画{6}に従って、計画できるのは最大{4}の空室と予算{5}だけです。 DocType: Promotional Scheme,Product Discount Slabs,製品割引スラブ @@ -1002,6 +1007,7 @@ DocType: Attendance,Attendance Request,出席依頼 DocType: Item,Moving Average,移動平均 DocType: Employee Attendance Tool,Unmarked Attendance,マークされていない出席 DocType: Homepage Section,Number of Columns,列の数 +DocType: Issue Priority,Issue Priority,問題の優先順位 DocType: Holiday List,Add Weekly Holidays,毎週の祝日を追加 DocType: Shopify Log,Shopify Log,ログを買い物する apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,給与明細を作成する @@ -1010,6 +1016,7 @@ DocType: Job Offer Term,Value / Description,値/説明 DocType: Warranty Claim,Issue Date,発行日 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}のバッチを選択してください。この要件を満たす単一のバッチが見つかりません apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,残された従業員には保存ボーナスを作成できません +DocType: Employee Checkin,Location / Device ID,場所/デバイスID DocType: Purchase Order,To Receive,受信する apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,あなたはオフラインモードです。あなたがネットワークを持つまであなたはリロードすることができないでしょう。 DocType: Course Activity,Enrollment,入会 @@ -1018,7 +1025,6 @@ DocType: Lab Test Template,Lab Test Template,ラボテストテンプレート apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},最大:{0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,電子請求情報がありません apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,材料要求は作成されていません -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド DocType: Loan,Total Amount Paid,支払った合計金額 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,これらの商品はすべて請求済みです DocType: Training Event,Trainer Name,トレーナー名 @@ -1129,6 +1135,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},リード{0}にリード名を記入してください DocType: Employee,You can enter any date manually,手動で任意の日付を入力できます DocType: Stock Reconciliation Item,Stock Reconciliation Item,在庫調整明細 +DocType: Shift Type,Early Exit Consequence,早期終了の影響 DocType: Item Group,General Settings,一般設定 apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,期日を転記/サプライヤ請求日より前にすることはできません。 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,送信する前に受取人の名前を入力してください。 @@ -1167,6 +1174,7 @@ DocType: Account,Auditor,監査人 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,支払い確認 ,Available Stock for Packing Items,梱包品目の利用可能在庫 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},この請求書{0}をCフォーム{1}から削除してください。 +DocType: Shift Type,Every Valid Check-in and Check-out,有効なチェックインとチェックアウト DocType: Support Search Source,Query Route String,ルート文字列の照会 DocType: Customer Feedback Template,Customer Feedback Template,顧客フィードバックテンプレート apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,見込み客または得意先への見積もり。 @@ -1201,6 +1209,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,認証管理 ,Daily Work Summary Replies,デイリーワークサマリー返信 apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},プロジェクトの共同作業に招待されました:{0} +DocType: Issue,Response By Variance,分散による応答 DocType: Item,Sales Details,販売詳細 apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,印刷テンプレート用のレターヘッド。 DocType: Salary Detail,Tax on additional salary,追加給与に対する課税 @@ -1324,6 +1333,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,顧客ア DocType: Project,Task Progress,タスクの進捗 DocType: Journal Entry,Opening Entry,オープニングエントリー DocType: Bank Guarantee,Charges Incurred,発生した料金 +DocType: Shift Type,Working Hours Calculation Based On,に基づく労働時間の計算 DocType: Work Order,Material Transferred for Manufacturing,製造に転送される品目 DocType: Products Settings,Hide Variants,バリアントを隠す DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,キャパシティプランニングとタイムトラッキングを無効にする @@ -1353,6 +1363,7 @@ DocType: Account,Depreciation,減価償却 DocType: Guardian,Interests,興味 DocType: Purchase Receipt Item Supplied,Consumed Qty,消費数量 DocType: Education Settings,Education Manager,教育部長 +DocType: Employee Checkin,Shift Actual Start,実績開始シフト DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,ワークステーションの営業時間外に時間ログを計画する。 apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},ロイヤリティポイント:{0} DocType: Healthcare Settings,Registration Message,登録メッセージ @@ -1377,9 +1388,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,請求書はすべての請求時間についてすでに作成されています DocType: Sales Partner,Contact Desc,Descに連絡する DocType: Purchase Invoice,Pricing Rules,価格設定ルール +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}",アイテム{0}に対する既存のトランザクションがあるため、{1}の値を変更することはできません DocType: Hub Tracked Item,Image List,画像リスト DocType: Item Variant Settings,Allow Rename Attribute Value,属性値の名前変更を許可 -DocType: Price List,Price Not UOM Dependant,UOMに依存しない価格 apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),時間(分) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,基本 DocType: Loan,Interest Income Account,受取利息口座 @@ -1389,6 +1400,7 @@ DocType: Employee,Employment Type,雇用形態 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,POSプロファイルを選択 DocType: Support Settings,Get Latest Query,最新のクエリを入手 DocType: Employee Incentive,Employee Incentive,従業員のインセンティブ +DocType: Service Level,Priorities,優先度 apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,ホームページにカードやカスタムセクションを追加する DocType: Homepage,Hero Section Based On,に基づくヒーローセクション DocType: Project,Total Purchase Cost (via Purchase Invoice),合計購買費用(購買請求書による) @@ -1449,7 +1461,7 @@ DocType: Work Order,Manufacture against Material Request,材料要求に対す DocType: Blanket Order Item,Ordered Quantity,注文数量 apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:拒否されたアイテム{1}に対して拒否された倉庫は必須です ,Received Items To Be Billed,請求対象の受信アイテム -DocType: Salary Slip Timesheet,Working Hours,勤務時間 +DocType: Attendance,Working Hours,勤務時間 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,支払いモード apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,時間通りに受け取られない購買注文品目 apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,日数 @@ -1569,7 +1581,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,サプライヤーに関する法定情報およびその他の一般情報 DocType: Item Default,Default Selling Cost Center,デフォルト販売原価センタ DocType: Sales Partner,Address & Contacts,住所と連絡先 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,[設定]> [採番シリーズ]で出席用の採番シリーズを設定してください。 DocType: Subscriber,Subscriber,加入者 apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form / Item / {0})は在庫切れです apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,最初に投稿日を選択してください @@ -1580,7 +1591,7 @@ DocType: Project,% Complete Method,%完了メソッド DocType: Detected Disease,Tasks Created,作成したタスク apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,この品目またはそのテンプレートに対してデフォルトのBOM({0})がアクティブになっている必要があります apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,手数料率% -DocType: Service Level,Response Time,反応時間 +DocType: Service Level Priority,Response Time,反応時間 DocType: Woocommerce Settings,Woocommerce Settings,ウーコマース設定 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,数量はプラスでなければなりません DocType: Contract,CRM,CRM @@ -1597,7 +1608,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,入院料 DocType: Bank Statement Settings,Transaction Data Mapping,トランザクションデータマッピング apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,リードには、個人の名前または組織の名前が必要です。 DocType: Student,Guardians,保護者 -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,[教育]> [教育設定]で講師命名システムを設定してください。 apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ブランドを選択 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,中所得 DocType: Shipping Rule,Calculate Based On,に基づいて計算 @@ -1634,6 +1644,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ターゲットを apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},学生{1}に対して出席記録{0}が存在します apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,取引日 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,購読をキャンセル +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,サービスレベル契約{0}を設定できませんでした。 apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,正味給与額 DocType: Account,Liability,責任 DocType: Employee,Bank A/C No.,銀行A / C番号 @@ -1699,7 +1710,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,原料品目コード apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,購入請求書{0}は既に送信されています DocType: Fees,Student Email,学生のメールアドレス -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM再帰:{0}を{2}の親または子にすることはできません apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ヘルスケアサービスから商品を入手する apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,在庫エントリー{0}は送信されません DocType: Item Attribute Value,Item Attribute Value,アイテム属性値 @@ -1724,7 +1734,6 @@ DocType: POS Profile,Allow Print Before Pay,支払い前に印刷を許可する DocType: Production Plan,Select Items to Manufacture,製造する品目を選択 DocType: Leave Application,Leave Approver Name,承認者名を残す DocType: Shareholder,Shareholder,株主 -DocType: Issue,Agreement Status,契約のステータス apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,売買取引のデフォルト設定。 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,有料学生申請者に必須の学生入学を選択してください apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOMを選択 @@ -1987,6 +1996,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,収入アカウント apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,すべての倉庫 DocType: Contract,Signee Details,署名者の詳細 +DocType: Shift Type,Allow check-out after shift end time (in minutes),シフト終了時間後のチェックアウトを許可する(分単位) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,調達 DocType: Item Group,Check this if you want to show in website,ウェブサイトに表示したい場合はこれをチェックしてください apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,会計年度{0}が見つかりません @@ -2053,6 +2063,7 @@ DocType: Asset Finance Book,Depreciation Start Date,減価償却開始日 DocType: Activity Cost,Billing Rate,請求レート apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},警告:在庫エントリ{2}に対して別の{0}#{1}が存在します apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Googleマップ設定を有効にしてルートを推定および最適化してください +DocType: Purchase Invoice Item,Page Break,改ページ DocType: Supplier Scorecard Criteria,Max Score,最大得点 apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,返済開始日を支払日より前にすることはできません。 DocType: Support Search Source,Support Search Source,検索ソースのサポート @@ -2121,6 +2132,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,品質目標 DocType: Employee Transfer,Employee Transfer,従業員の異動 ,Sales Funnel,セールスファンネル DocType: Agriculture Analysis Criteria,Water Analysis,水質分析 +DocType: Shift Type,Begin check-in before shift start time (in minutes),シフト開始時刻の前にチェックインを開始する(分単位) DocType: Accounts Settings,Accounts Frozen Upto,アカウントFrozen Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,編集するものはありません。 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",操作{0}はワークステーション{1}で使用可能な営業時間より長く、操作を複数の操作に分割してください @@ -2134,7 +2146,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,売 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},受注{0}は{1}です apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),支払いの遅延(日数) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,減価償却詳細を入力 +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,得意先PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,配達予定日は受注日より後でなければなりません +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,品目数量はゼロにできません apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,無効な属性 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},アイテム{0}に対してBOMを選択してください DocType: Bank Statement Transaction Invoice Item,Invoice Type,請求書タイプ @@ -2144,6 +2158,7 @@ DocType: Maintenance Visit,Maintenance Date,メンテナンス日 DocType: Volunteer,Afternoon,午後 DocType: Vital Signs,Nutrition Values,栄養価 DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),発熱がある(38.5°Cを超える温度または38.4°Cを超える持続温度) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,人事管理>人事管理設定で従業員命名システムを設定してください。 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,反転したITC DocType: Project,Collect Progress,進捗状況を収集する apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,エネルギー @@ -2194,6 +2209,7 @@ DocType: Setup Progress,Setup Progress,セットアップの進行状況 ,Ordered Items To Be Billed,請求対象の注文商品 DocType: Taxable Salary Slab,To Amount,金額に DocType: Purchase Invoice,Is Return (Debit Note),返品です(借方注) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,顧客>顧客グループ>地域 apps/erpnext/erpnext/config/desktop.py,Getting Started,入門 apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,マージ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,会計年度を保存した後は、会計年度の開始日と会計年度の終了日を変更することはできません。 @@ -2212,8 +2228,10 @@ DocType: Maintenance Schedule Detail,Actual Date,実績日 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},メンテナンス開始日をシリアル番号{0}の納入日より前にすることはできません apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,行{0}:為替レートは必須です DocType: Purchase Invoice,Select Supplier Address,サプライヤアドレスを選択 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}",利用可能な数量は{0}です。{1}が必要です apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,APIコンシューマーシークレットを入力してください DocType: Program Enrollment Fee,Program Enrollment Fee,プログラム登録料 +DocType: Employee Checkin,Shift Actual End,実績終了シフト DocType: Serial No,Warranty Expiry Date,保証期限 DocType: Hotel Room Pricing,Hotel Room Pricing,ホテルの部屋の価格 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted",外部課税対象物(ゼロ評価、ゼロ評価および免除以外) @@ -2273,6 +2291,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,読む5 DocType: Shopping Cart Settings,Display Settings,ディスプレイの設定 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,減価償却数を設定してください +DocType: Shift Type,Consequence after,後の結果 apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,あなたは何が必要ですか? DocType: Journal Entry,Printing Settings,印刷設定 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,銀行業 @@ -2282,6 +2301,7 @@ DocType: Purchase Invoice Item,PR Detail,PR詳細 apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,請求先住所は配送先住所と同じです DocType: Account,Cash,現金 DocType: Employee,Leave Policy,ポリシーを残す +DocType: Shift Type,Consequence,結果 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,学生の住所 DocType: GST Account,CESS Account,CESSアカウント apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}:コストセンターは '損益'勘定{2}に必要です。会社のデフォルトのコストセンターを設定してください。 @@ -2346,6 +2366,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSNコード DocType: Period Closing Voucher,Period Closing Voucher,期間締め券 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,保護者2の名前 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,経費アカウントを入力してください +DocType: Issue,Resolution By Variance,差異による解決 DocType: Employee,Resignation Letter Date,辞任書の発行日 DocType: Soil Texture,Sandy Clay,サンディクレイ DocType: Upload Attendance,Attendance To Date,今日までの出席 @@ -2358,6 +2379,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,今すぐ見る DocType: Item Price,Valid Upto,有効期限 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},参照Doctypeは{0}のいずれかでなければなりません +DocType: Employee Checkin,Skip Auto Attendance,自動参加をスキップする DocType: Payment Request,Transaction Currency,取引通貨 DocType: Loan,Repayment Schedule,返済スケジュール apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,サンプル保存在庫エントリの作成 @@ -2429,6 +2451,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,給与構造の DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POSクローズ伝票税 apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,初期化されたアクション DocType: POS Profile,Applicable for Users,ユーザーに適用 +,Delayed Order Report,遅延注文レポート DocType: Training Event,Exam,試験 apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,総勘定元帳エントリの数が正しくありません。取引で間違った口座を選択した可能性があります。 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,販売パイプライン @@ -2443,10 +2466,11 @@ DocType: Account,Round Off,四捨五入 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,選択したすべての項目を組み合わせて条件が適用されます。 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,設定する DocType: Hotel Room,Capacity,容量 +DocType: Employee Checkin,Shift End,シフト終了 DocType: Installation Note Item,Installed Qty,インストール済み数量 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,アイテム{1}のバッチ{0}は無効です。 DocType: Hotel Room Reservation,Hotel Reservation User,ホテル予約ユーザー -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,勤務日が2回繰り返されました +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,エンティティタイプ{0}とエンティティ{1}のサービスレベル契約が既に存在します。 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},品目グループが品目{0}の品目マスターに記載されていません apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},名前エラー:{0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,地域はPOSプロファイルで必要です @@ -2494,6 +2518,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,スケジュール日 DocType: Packing Slip,Package Weight Details,パッケージ重量の詳細 DocType: Job Applicant,Job Opening,就職口 +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,従業員チェックインの最後の既知の正常な同期。すべてのログがすべての場所から同期されていることが確実な場合にのみ、これをリセットしてください。よくわからない場合は変更しないでください。 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,実費 apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),オーダー{1}に対する合計前払い額({0})は、合計合計({2})より大きくなることはできません apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,アイテムバリアントの更新 @@ -2538,6 +2563,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,参照購入領収書 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,呼び出しを受ける DocType: Tally Migration,Is Day Book Data Imported,Day Bookのデータがインポートされたか ,Sales Partners Commission,セールスパートナーズコミッション +DocType: Shift Type,Enable Different Consequence for Early Exit,早期終了に対して異なる結果を有効にする apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,法的 DocType: Loan Application,Required by Date,日付で必要 DocType: Quiz Result,Quiz Result,クイズ結果 @@ -2597,7 +2623,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,財務/ DocType: Pricing Rule,Pricing Rule,価格設定ルール apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},休暇期間{0}にオプションの休日リストが設定されていません apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,従業員ロールの設定には、従業員レコードのユーザーIDフィールドを設定してください -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,解決する時間 DocType: Training Event,Training Event,研修イベント DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",成人の通常の安静時血圧は、収縮期で約120 mmHg、拡張期で約80 mmHgで、「120/80 mmHg」と略されます。 DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,限界値がゼロの場合、システムはすべてのエントリーを取り出します。 @@ -2641,6 +2666,7 @@ DocType: Woocommerce Settings,Enable Sync,同期を有効にする DocType: Student Applicant,Approved,承認済み apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},開始日は会計年度内にする必要があります。開始日= {0}と仮定 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,購買設定で仕入先グループを設定してください。 +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{}は無効な出席ステータスです。 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,臨時口座 DocType: Purchase Invoice,Cash/Bank Account,現金/銀行口座 DocType: Quality Meeting Table,Quality Meeting Table,品質会議テーブル @@ -2676,6 +2702,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS認証トークン apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco",食品、飲料、タバコ apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,コーススケジュール DocType: Purchase Taxes and Charges,Item Wise Tax Detail,アイテムワイズ税詳細 +DocType: Shift Type,Attendance will be marked automatically only after this date.,出席はこの日以降に自動的にマークされます。 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,UIN保有者への供給 apps/erpnext/erpnext/hooks.py,Request for Quotations,見積依頼 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,他の通貨を使用して入力した後で通貨を変更することはできません @@ -2724,7 +2751,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,ハブからの商品です apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,品質手順 DocType: Share Balance,No of Shares,株式数 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:エントリーの転記時に倉庫{1}の{4}に数量が使用できません({2} {3}) DocType: Quality Action,Preventive,予防的 DocType: Support Settings,Forum URL,フォーラムのURL apps/erpnext/erpnext/config/hr.py,Employee and Attendance,従業員と出席 @@ -2946,7 +2972,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,割引タイプ DocType: Hotel Settings,Default Taxes and Charges,デフォルトの税金 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,これは、このサプライヤーに対する取引に基づいています。詳細は下記のタイムラインをご覧ください。 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},従業員{0}の最大給付額が{1}を超えています -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,契約の開始日と終了日を入力します。 DocType: Delivery Note Item,Against Sales Invoice,売上請求書に対して DocType: Loyalty Point Entry,Purchase Amount,購入金額 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,受注があったため、Lostとして設定することはできません。 @@ -2970,7 +2995,7 @@ DocType: Homepage,"URL for ""All Products""",「全商品」のURL DocType: Lead,Organization Name,組織名 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,有効期間および有効期間は累計に必須です。 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},行#{0}:バッチ番号は{1} {2}と同じである必要があります -DocType: Employee,Leave Details,詳細を残す +DocType: Employee Checkin,Shift Start,シフトスタート apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0}より前の株取引は凍結されています DocType: Driver,Issuing Date,発行日 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,要求者 @@ -3015,9 +3040,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,キャッシュフローマッピングテンプレートの詳細 apps/erpnext/erpnext/config/hr.py,Recruitment and Training,採用とトレーニング DocType: Drug Prescription,Interval UOM,間隔UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,自動参加の猶予期間の設定 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,開始通貨と終了通貨を同じにすることはできません apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,医薬品 DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,サポート時間 apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1}はキャンセルされたか閉じられました apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,行{0}:顧客に対する前払いは貸方である必要があります apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),バウチャー別グループ(連結) @@ -3127,6 +3154,7 @@ DocType: Asset Repair,Repair Status,修理状況 DocType: Territory,Territory Manager,テリトリーマネージャー DocType: Lab Test,Sample ID,サンプルID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,カートは空です +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,従業員のチェックインごとに出席がマークされています apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,アセット{0}を送信する必要があります ,Absent Student Report,学生レポート欠席 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,売上総利益に含まれる @@ -3134,7 +3162,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,積立額 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1}は送信されていないため、操作を完了できません DocType: Subscription,Trial Period End Date,試用期間終了日 +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,同じシフト中にINとOUTの交互のエントリ DocType: BOM Update Tool,The new BOM after replacement,交換後の新しいBOM +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,サプライヤー>サプライヤーの種類 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,項目5 DocType: Employee,Passport Number,パスポート番号 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,一時的なオープニング @@ -3250,6 +3280,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,主なレポート apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,可能なサプライヤー ,Issued Items Against Work Order,作業指図に対して発行された明細 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0}請求書の作成 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,[教育]> [教育設定]で講師命名システムを設定してください。 DocType: Student,Joining Date,入会日 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,依頼サイト DocType: Purchase Invoice,Against Expense Account,費用勘定に対する @@ -3289,6 +3320,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,適用料金 ,Point of Sale,販売時点情報 DocType: Authorization Rule,Approving User (above authorized value),承認ユーザー(認証値以上) +DocType: Service Level Agreement,Entity,エンティティ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},金額{0} {1}が{2}から{3}に転送されました apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},顧客{0}はプロジェクト{1}に属していません apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,パーティー名から @@ -3335,6 +3367,7 @@ DocType: Asset,Opening Accumulated Depreciation,減価償却累計額の開始 DocType: Soil Texture,Sand Composition (%),砂の組成(%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-YYYY- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,デイブックデータのインポート +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,[設定]> [設定]> [命名シリーズ]で{0}の命名シリーズを設定してください。 DocType: Asset,Asset Owner Company,アセットオーナー会社 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,原価センタは経費請求を予約する必要があります apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},品目{1}の{0}個の有効なシリアル番号 @@ -3395,7 +3428,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,アセットオーナー apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},行{1}の在庫品目{0}には倉庫が必須です DocType: Stock Entry,Total Additional Costs,追加費用の合計 -DocType: Marketplace Settings,Last Sync On,最後の同期オン apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,税金テーブルに1行以上設定してください DocType: Asset Maintenance Team,Maintenance Team Name,保守チーム名 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,原価センタ表 @@ -3411,12 +3443,12 @@ DocType: Sales Order Item,Work Order Qty,作業指示数量 DocType: Job Card,WIP Warehouse,仕掛品倉庫 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-YYYY- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ユーザーIDが従業員{0}に設定されていません -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}",利用可能な数量は{0}です。{1}が必要です apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,ユーザー{0}が作成されました DocType: Stock Settings,Item Naming By,アイテムの命名 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,順序付けられました apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,これはルート顧客グループであり、編集できません。 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,品目要求{0}が取り消されたか停止されました +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,従業員チェックインのログタイプに厳密に基づく DocType: Purchase Order Item Supplied,Supplied Qty,供給数量 DocType: Cash Flow Mapper,Cash Flow Mapper,キャッシュフローマッパー DocType: Soil Texture,Sand,砂 @@ -3475,6 +3507,7 @@ DocType: Lab Test Groups,Add new line,新しい行を追加 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,商品グループテーブルに重複する商品グループが見つかりました apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,年俸 DocType: Supplier Scorecard,Weighting Function,重み付け関数 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},品目{2}の単位変換係数({0} - > {1})が見つかりません apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,基準式の評価中にエラーが発生しました ,Lab Test Report,ラボテストレポート DocType: BOM,With Operations,オペレーションとは @@ -3488,6 +3521,7 @@ DocType: Expense Claim Account,Expense Claim Account,経費請求アカウント apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,仕訳入力に対する返済はありません。 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1}は非アクティブな学生です apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,在庫登録 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM再帰:{0}を{1}の親または子にすることはできません DocType: Employee Onboarding,Activities,アクティビティ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,少なくとも1つの倉庫は必須です ,Customer Credit Balance,顧客のクレジットバランス @@ -3500,9 +3534,11 @@ DocType: Supplier Scorecard Period,Variables,変数 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,顧客に複数のロイヤリティプログラムが見つかりました。手動で選択してください。 DocType: Patient,Medication,薬 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,ロイヤリティプログラムを選択 +DocType: Employee Checkin,Attendance Marked,出席マーク apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,原材料 DocType: Sales Order,Fully Billed,全額請求 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},ホテルの客室料金を{}に設定してください +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,デフォルトとして優先度を1つだけ選択します。 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},タイプ - {0}のアカウント(元帳)を識別/作成してください apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,合計貸方/借方金額は、リンクされた仕訳伝票と同じである必要があります。 DocType: Purchase Invoice Item,Is Fixed Asset,固定資産です @@ -3523,6 +3559,7 @@ DocType: Purpose of Travel,Purpose of Travel,旅行の目的 DocType: Healthcare Settings,Appointment Confirmation,予約確認 DocType: Shopping Cart Settings,Orders,ご注文 DocType: HR Settings,Retirement Age,退職年齢 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,[設定]> [採番シリーズ]で出席用の採番シリーズを設定してください。 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,予測数量 apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},国{0}の削除は許可されていません apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},行#{0}:資産{1}はすでに{2}です @@ -3606,11 +3643,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,会計士 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},日付{1}と{2}の間の{0}にPOS決済伝票がすでに存在します apps/erpnext/erpnext/config/help.py,Navigating,ナビゲート +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,未払いの請求書に為替レートの再評価は必要ありません。 DocType: Authorization Rule,Customer / Item Name,顧客/商品名 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新しいシリアル番号は倉庫を持つことはできません。倉庫は、在庫または購買入庫で設定する必要があります。 DocType: Issue,Via Customer Portal,カスタマーポータル経由 DocType: Work Order Operation,Planned Start Time,計画開始時間 apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1}は{2}です +DocType: Service Level Priority,Service Level Priority,サービスレベル優先度 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,減価償却数は総減価償却数を超えることはできません apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,元帳を共有する DocType: Journal Entry,Accounts Payable,買掛金勘定 @@ -3721,7 +3760,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,へ配達する DocType: Bank Statement Transaction Settings Item,Bank Data,銀行データ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,予定日 -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,タイムシートで請求時間と勤務時間を同じに維持する apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,リードソース別にリードを追跡します。 DocType: Clinical Procedure,Nursing User,看護ユーザー DocType: Support Settings,Response Key List,応答キーリスト @@ -3889,6 +3927,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,実際の開始時間 DocType: Antibiotic,Laboratory User,ラボユーザー apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,オンラインオークション +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,優先順位{0}が繰り返されました。 DocType: Fee Schedule,Fee Creation Status,料金作成ステータス apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,ソフトウェア apps/erpnext/erpnext/config/help.py,Sales Order to Payment,受注から支払へ @@ -3955,6 +3994,7 @@ DocType: Patient Encounter,In print,印刷中 apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0}の情報を取得できませんでした。 apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,請求通貨は、デフォルトの会社の通貨またはパーティーアカウントの通貨と同じである必要があります。 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,この販売員の従業員IDを入力してください +DocType: Shift Type,Early Exit Consequence after,早期終了後の結果 apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,開始販売および購買請求書の登録 DocType: Disease,Treatment Period,治療期間 apps/erpnext/erpnext/config/settings.py,Setting up Email,メールを設定する @@ -3972,7 +4012,6 @@ DocType: Employee Skill Map,Employee Skills,従業員のスキル apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,学生の名前: DocType: SMS Log,Sent On,送信済み DocType: Bank Statement Transaction Invoice Item,Sales Invoice,売上請求書 -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,応答時間は解決時間より長くすることはできません DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",コースベースの学生グループの場合、コースは、プログラム登録の登録済みコースからすべての学生に対して検証されます。 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,州内物資 DocType: Employee,Create User Permission,ユーザー権限を作成する @@ -4011,6 +4050,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,販売または購入の標準契約条件 DocType: Sales Invoice,Customer PO Details,顧客POの詳細 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,患者が見つかりません +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,デフォルトの優先順位を選択します。 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,料金がそのアイテムに適用されない場合はアイテムを削除します apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,同じ名前のカスタマーグループが存在しますカスタマーネームを変更するか、カスタマーグループの名前を変更してください。 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. @@ -4050,6 +4090,7 @@ DocType: Quality Goal,Quality Goal,品質目標 DocType: Support Settings,Support Portal,サポートポータル apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},タスク{0}の終了日を{1}予想開始日{2}より小さくすることはできません apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},従業員{0}は在籍しています{1}に在籍します +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},このサービスレベル契約は、お客様{0}に固有のものです。 DocType: Employee,Held On,開催日 DocType: Healthcare Practitioner,Practitioner Schedules,施術者スケジュール DocType: Project Template Task,Begin On (Days),開始日(日) @@ -4057,6 +4098,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},作業指示は{0}です DocType: Inpatient Record,Admission Schedule Date,入学予定日 apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,資産価値調整 +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,このシフトに割り当てられた従業員の「従業員チェックイン」に基づいて出席をマークします。 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,未登録の人への供給 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,すべての仕事 DocType: Appointment Type,Appointment Type,予約タイプ @@ -4170,7 +4212,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),パッケージの総重量。通常、正味重量+包装材の重量。 (印刷用) DocType: Plant Analysis,Laboratory Testing Datetime,実験室試験の日時 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,アイテム{0}にはバッチを指定できません -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,段階別販売パイプライン apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,学生グループの強み DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,銀行取引明細書トランザクション入力 DocType: Purchase Order,Get Items from Open Material Requests,未処理品目依頼から明細を取得 @@ -4252,7 +4293,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,老朽化している倉庫ごとに表示 DocType: Sales Invoice,Write Off Outstanding Amount,未払い金額の償却 DocType: Payroll Entry,Employee Details,従業員の詳細 -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,開始時間は{0}の終了時間より長くすることはできません。 DocType: Pricing Rule,Discount Amount,割引額 DocType: Healthcare Service Unit Type,Item Details,商品の詳細 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},期間{1}に対する{0}の税申告の重複 @@ -4305,7 +4345,7 @@ DocType: Customer,CUST-.YYYY.-,CUST -YYYY- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,純支払額はマイナスになることはできません apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,インタラクション数 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/hr/doctype/employee/employee_dashboard.py,Shift,シフト +DocType: Attendance,Shift,シフト apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,勘定および締約国処理チャート DocType: Stock Settings,Convert Item Description to Clean HTML,商品説明をきれいなHTMLに変換する apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,すべてのサプライヤーグループ @@ -4376,6 +4416,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,従業員の DocType: Healthcare Service Unit,Parent Service Unit,親サービスユニット DocType: Sales Invoice,Include Payment (POS),支払いを含める(POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,未公開株 +DocType: Shift Type,First Check-in and Last Check-out,最初のチェックインと最後のチェックアウト DocType: Landed Cost Item,Receipt Document,領収書 DocType: Supplier Scorecard Period,Supplier Scorecard Period,サプライヤスコアカード期間 DocType: Employee Grade,Default Salary Structure,デフォルトの給与構造 @@ -4458,6 +4499,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,発注書を作成する apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,会計年度の予算を定義します。 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,アカウントテーブルを空白にすることはできません。 +DocType: Employee Checkin,Entry Grace Period Consequence,エントリー猶予期間の結果 ,Payment Period Based On Invoice Date,請求日に基づく支払期間 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},インストール日を商品{0}の納入日より前にすることはできません apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,資料請求へのリンク @@ -4466,6 +4508,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,マッピン apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:この倉庫{1}の再注文エントリはすでに存在します apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,文書日付 DocType: Monthly Distribution,Distribution Name,配布名 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,就業日{0}が繰り返されました。 apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,グループから非グループ apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,更新中です。しばらく時間がかかるかもしれません。 DocType: Item,"Example: ABCD.##### @@ -4478,6 +4521,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,燃料量 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1モバイルいいえ DocType: Invoice Discounting,Disbursed,支払済 +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,シフトアウトが終了してからチェックアウトが行われるまでの時間。 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,買掛金の純増減 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,利用不可 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,パートタイム @@ -4491,7 +4535,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,販売 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,印刷でPDCを表示 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,サプライヤを買う DocType: POS Profile User,POS Profile User,POSプロファイルユーザー -DocType: Student,Middle Name,ミドルネーム DocType: Sales Person,Sales Person Name,営業担当者名 DocType: Packing Slip,Gross Weight,総重量 DocType: Journal Entry,Bill No,請求書番号 @@ -4500,7 +4543,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,新 DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-YYYY- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,サービスレベル契約 -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,最初に従業員と日付を選択してください apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,着陸費用伝票金額を考慮して明細評価率が再計算されます DocType: Timesheet,Employee Detail,従業員詳細 DocType: Tally Migration,Vouchers,バウチャー @@ -4535,7 +4577,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,サービスレ DocType: Additional Salary,Date on which this component is applied,このコンポーネントが適用される日付 apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,フォリオ番号付きの利用可能な株主のリスト apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,ゲートウェイアカウントを設定します。 -DocType: Service Level,Response Time Period,応答期間 +DocType: Service Level Priority,Response Time Period,応答期間 DocType: Purchase Invoice,Purchase Taxes and Charges,購入税および料金 DocType: Course Activity,Activity Date,活動日 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,新しい顧客を選択または追加する @@ -4560,6 +4602,7 @@ DocType: Sales Person,Select company name first.,最初に会社名を選択し apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,会計年度 DocType: Sales Invoice Item,Deferred Revenue,繰延収益 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,売りまたは買いの少なくとも1つを選択する必要があります +DocType: Shift Type,Working Hours Threshold for Half Day,半日の就業時間しきい値 ,Item-wise Purchase History,アイテム別購入履歴 apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},行{0}の項目のサービス停止日は変更できません DocType: Production Plan,Include Subcontracted Items,外注品目を含める @@ -4592,6 +4635,7 @@ DocType: Journal Entry,Total Amount Currency,合計金額通貨 DocType: BOM,Allow Same Item Multiple Times,同じアイテムを複数回許可する apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,BOMを作成する DocType: Healthcare Practitioner,Charges,料金 +DocType: Employee,Attendance and Leave Details,出席と休暇の詳細 DocType: Student,Personal Details,個人情報 DocType: Sales Order,Billing and Delivery Status,請求と配信のステータス apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,行{0}:サプライヤ{0}の場合電子メールを送信するには電子メールアドレスが必要です @@ -4643,7 +4687,6 @@ DocType: Bank Guarantee,Supplier,サプライヤー apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},{0}と{1}の間の値を入力してください DocType: Purchase Order,Order Confirmation Date,注文確認日 DocType: Delivery Trip,Calculate Estimated Arrival Times,到着予定時刻を計算する -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,人事管理>人事管理設定で従業員命名システムを設定してください。 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,消耗品 DocType: Instructor,EDU-INS-.YYYY.-,エドゥイン-YYYY- DocType: Subscription,Subscription Start Date,購読開始日 @@ -4666,7 +4709,7 @@ DocType: Installation Note Item,Installation Note Item,インストールノー DocType: Journal Entry Account,Journal Entry Account,仕訳伝票 apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,変種 apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,フォーラム活動 -DocType: Service Level,Resolution Time Period,解決期間 +DocType: Service Level Priority,Resolution Time Period,解決期間 DocType: Request for Quotation,Supplier Detail,サプライヤー詳細 DocType: Project Task,View Task,タスクを表示 DocType: Serial No,Purchase / Manufacture Details,購入/製造の詳細 @@ -4733,6 +4776,7 @@ DocType: Sales Invoice,Commission Rate (%),手数料率(%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,倉庫は、在庫/納品書/購買入庫でのみ変更することができます。 DocType: Support Settings,Close Issue After Days,数日後に問題を閉じる DocType: Payment Schedule,Payment Schedule,支払いスケジュール +DocType: Shift Type,Enable Entry Grace Period,エントリ猶予期間を有効にする DocType: Patient Relation,Spouse,配偶者 DocType: Purchase Invoice,Reason For Putting On Hold,保留にした理由 DocType: Item Attribute,Increment,インクリメント @@ -4872,6 +4916,7 @@ DocType: Authorization Rule,Customer or Item,顧客または品目 DocType: Vehicle Log,Invoice Ref,請求書番号 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C形式は請求書には適用されません:{0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,請求書が作成されました +DocType: Shift Type,Early Exit Grace Period,早期終了猶予期間 DocType: Patient Encounter,Review Details,レビュー詳細 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,行{0}:時の値はゼロより大きくなければなりません。 DocType: Account,Account Number,口座番号 @@ -4883,7 +4928,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL",会社がSpA、SApAまたはSRLの場合に適用可能 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,次の間に重複条件が見つかりました。 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,支払済および未配達 -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,品目には自動的に番号が付けられないため、品目コードは必須です。 DocType: GST HSN Code,HSN Code,HSNコード DocType: GSTR 3B Report,September,9月 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,管理経費 @@ -4919,6 +4963,8 @@ DocType: Travel Itinerary,Travel From,からの旅行 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIPアカウント DocType: SMS Log,Sender Name,送信者名 DocType: Pricing Rule,Supplier Group,サプライヤグループ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",\ Support Day {0}の開始時刻と終了時刻をインデックス{1}に設定してください。 DocType: Employee,Date of Issue,発行日 ,Requested Items To Be Transferred,転送依頼のあった商品 DocType: Employee,Contract End Date,契約終了日 @@ -4929,6 +4975,7 @@ DocType: Healthcare Service Unit,Vacant,空いている DocType: Opportunity,Sales Stage,セールスステージ DocType: Sales Order,In Words will be visible once you save the Sales Order.,販売注文を保存すると、単語が表示されます。 DocType: Item Reorder,Re-order Level,再注文レベル +DocType: Shift Type,Enable Auto Attendance,自動参加を有効にする apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,好み ,Department Analytics,部門分析 DocType: Crop,Scientific Name,学名 @@ -4941,6 +4988,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1}のステー DocType: Quiz Activity,Quiz Activity,クイズ活動 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0}は有効な給与計算期間にありません DocType: Timesheet,Billed,請求済み +apps/erpnext/erpnext/config/support.py,Issue Type.,問題の種類。 DocType: Restaurant Order Entry,Last Sales Invoice,最終販売請求書 DocType: Payment Terms Template,Payment Terms,支払い条件 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",予約済み数量:販売用に注文された数量ですが、配送されません。 @@ -5036,6 +5084,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,資産 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0}には医療従事者スケジュールがありません。それを医療従事者マスタに追加する DocType: Vehicle,Chassis No,シャーシ番号 +DocType: Employee,Default Shift,デフォルトシフト apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,会社の略語 apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,部品表のツリー DocType: Article,LMS User,LMSユーザー @@ -5084,6 +5133,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-YYYY- DocType: Sales Person,Parent Sales Person,親セールスパーソン DocType: Student Group Creation Tool,Get Courses,コースを受講する apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:itemは固定資産なので、Qtyは1でなければなりません。複数の数量には別々の行を使用してください。 +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),それ以下の不在がマークされている労働時間。 (無効にするにはゼロ) DocType: Customer Group,Only leaf nodes are allowed in transaction,トランザクションで許可されるのはリーフノードだけです DocType: Grant Application,Organization,組織 DocType: Fee Category,Fee Category,料金カテゴリ @@ -5096,6 +5146,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,このトレーニングイベントのステータスを更新してください DocType: Volunteer,Morning,朝 DocType: Quotation Item,Quotation Item,見積品目 +apps/erpnext/erpnext/config/support.py,Issue Priority.,優先順位を発行します。 DocType: Journal Entry,Credit Card Entry,クレジットカードの入力 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",タイムスロットがスキップされました。スロット{0}から{1}は既存のスロット{2}から{3}と重なっています DocType: Journal Entry Account,If Income or Expense,収入または経費の場合 @@ -5146,11 +5197,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,データのインポートと設定 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: Account,Expense Account,経費アカウント +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,従業員チェックインが出席のために考慮される間のシフト開始時間の前の時間。 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Guardian1との関係 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,請求書を作成する apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},支払い請求は既に存在します{0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0}に安心した従業員は 'Left'に設定する必要があります apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},{0} {1}を支払う +DocType: Company,Sales Settings,セールス設定 DocType: Sales Order Item,Produced Quantity,生産量 apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,次のリンクをクリックして見積もり依頼にアクセスできます。 DocType: Monthly Distribution,Name of the Monthly Distribution,月次分布の名前 @@ -5229,6 +5282,7 @@ DocType: Company,Default Values,デフォルト値 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,販売および購入用のデフォルトの税テンプレートが作成されます。 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,脱退タイプ{0}はキャリー転送できません apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,口座振替は売掛金口座である必要があります +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},倉庫{0}のアカウントまたは会社{1}のデフォルト在庫アカウントを設定してください apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,デフォルトとして設定 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),このパッケージの正味重量。 (品目の正味重量の合計として自動的に計算されます) @@ -5255,8 +5309,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,期限切れのバッチ DocType: Shipping Rule,Shipping Rule Type,配送ルールの種類 DocType: Job Offer,Accepted,受け入れ済み -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","このドキュメントをキャンセルするには、従業員{0} \を削除してください" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,あなたはすでに評価基準{}を評価しました。 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,バッチ番号を選択 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),年齢(日数) @@ -5283,6 +5335,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,ドメインを選択してください DocType: Agriculture Task,Task Name,タスク名 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,作業指図に対してすでに登録されている在庫エントリ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","このドキュメントをキャンセルするには、従業員{0} \を削除してください" ,Amount to Deliver,お届けする金額 apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,会社{0}は存在しません apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,指定された商品にリンクする保留中のマテリアル要求はありません。 @@ -5332,6 +5386,7 @@ DocType: Program Enrollment,Enrolled courses,登録コース DocType: Lab Prescription,Test Code,テストコード DocType: Purchase Taxes and Charges,On Previous Row Total,前の行の合計 DocType: Student,Student Email Address,学生のメールアドレス +,Delayed Item Report,遅延商品レポート DocType: Academic Term,Education,教育 DocType: Supplier Quotation,Supplier Address,サプライヤアドレス DocType: Salary Detail,Do not include in total,合計に含めない @@ -5339,7 +5394,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}:{1}は存在しません DocType: Purchase Receipt Item,Rejected Quantity,拒否数量 DocType: Cashier Closing,To TIme,時間に -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},品目{2}の単位変換係数({0} - > {1})が見つかりません DocType: Daily Work Summary Group User,Daily Work Summary Group User,日課要約グループ・ユーザー DocType: Fiscal Year Company,Fiscal Year Company,年度会社 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,代替品目は品目コードと同じであってはなりません @@ -5391,6 +5445,7 @@ DocType: Program Fee,Program Fee,プログラム料 DocType: Delivery Settings,Delay between Delivery Stops,配達間の遅延 DocType: Stock Settings,Freeze Stocks Older Than [Days],[日数]より古い在庫を凍結する DocType: Promotional Scheme,Promotional Scheme Product Discount,プロモーションスキームの製品割引 +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,問題の優先順位はすでに存在します DocType: Account,Asset Received But Not Billed,受領したが未請求の資産 DocType: POS Closing Voucher,Total Collected Amount,総回収額 DocType: Course,Default Grading Scale,デフォルトのグレーディングスケール @@ -5433,6 +5488,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,履行条件 apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,非グループ間 DocType: Student Guardian,Mother,母 +DocType: Issue,Service Level Agreement Fulfilled,達成されたサービスレベル契約 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,未請求従業員給付に対する控除税 DocType: Travel Request,Travel Funding,旅行資金 DocType: Shipping Rule,Fixed,一定 @@ -5462,10 +5518,12 @@ DocType: Item,Warranty Period (in days),保証期間(日数) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,項目は見つかりませんでした。 DocType: Item Attribute,From Range,範囲から DocType: Clinical Procedure,Consumables,消耗品 +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value'と 'timestamp'は必須です。 DocType: Purchase Taxes and Charges,Reference Row #,参照行番号 apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},会社{0}に「資産減価償却費センター」を設定してください。 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,行#{0}:取引を完了するには支払伝票が必要です DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,このボタンをクリックして、Amazon MWSからSales Orderデータを取得します。 +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),半日がマークされる労働時間。 (無効にするにはゼロ) ,Assessment Plan Status,評価計画のステータス apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,最初に{0}を選択してください apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,これを送信して従業員レコードを作成します @@ -5536,6 +5594,7 @@ DocType: Quality Procedure,Parent Procedure,親プロシージャ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,オープンに設定 apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,フィルタの切り替え DocType: Production Plan,Material Request Detail,資料請求詳細 +DocType: Shift Type,Process Attendance After,後のプロセス参加 DocType: Material Request Item,Quantity and Warehouse,数量と倉庫 apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,プログラムへ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},行#{0}:参照{1} {2}のエントリが重複しています @@ -5593,6 +5652,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,パーティー情報 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),債務者({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,現在までの日数は、従業員の安心日を超えることはできません +DocType: Shift Type,Enable Exit Grace Period,猶予期間終了を有効にする DocType: Expense Claim,Employees Email Id,従業員のEメールID DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ShopifyからERP次価格リストに価格を更新 DocType: Healthcare Settings,Default Medical Code Standard,デフォルトの医療コード標準 @@ -5623,7 +5683,6 @@ DocType: Item Group,Item Group Name,商品グループ名 DocType: Budget,Applicable on Material Request,材料要求で適当 DocType: Support Settings,Search APIs,検索API DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,受注の過剰生産率 -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,仕様 DocType: Purchase Invoice,Supplied Items,付属品 DocType: Leave Control Panel,Select Employees,従業員を選択 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},ローンの受取利息口座を選択{0} @@ -5649,7 +5708,7 @@ DocType: Salary Slip,Deductions,控除 ,Supplier-Wise Sales Analytics,サプライヤ別売上分析 DocType: GSTR 3B Report,February,2月 DocType: Appraisal,For Employee,従業員のために -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,実際の配達日 +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,実際の配達日 DocType: Sales Partner,Sales Partner Name,販売パートナー名 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,減価償却行{0}:減価償却開始日が過去の日付として入力されています DocType: GST HSN Code,Regional,地域 @@ -5688,6 +5747,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,消 DocType: Supplier Scorecard,Supplier Scorecard,サプライヤスコアカード DocType: Travel Itinerary,Travel To,へ旅をする apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,マーク出席 +DocType: Shift Type,Determine Check-in and Check-out,チェックインとチェックアウトの決定 DocType: POS Closing Voucher,Difference,差 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,小さい DocType: Work Order Item,Work Order Item,作業オーダー明細 @@ -5721,6 +5781,7 @@ DocType: Sales Invoice,Shipping Address Name,配送先住所 apps/erpnext/erpnext/healthcare/setup.py,Drug,ドラッグ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1}は閉じています DocType: Patient,Medical History,病歴 +DocType: Expense Claim,Expense Taxes and Charges,経費税金 DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,請求書の日付が経過してから購読をキャンセルするか、購読を未払いとしてマークするまでの日数 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,インストールノート{0}は既に送信されています DocType: Patient Relation,Family,家族 @@ -5753,7 +5814,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,力 apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,このトランザクションを完了するには、{2}に{1}の{0}単位が必要でした。 DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,に基づく外注のバックフラッシュ原材料 -DocType: Bank Guarantee,Customer,顧客 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",有効にすると、プログラム登録ツールのフィールド学術用語が必須になります。 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",バッチベースの学生グループの場合、学生バッチはプログラム登録からのすべての学生に対して検証されます。 DocType: Course,Topics,トピック @@ -5832,6 +5892,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,章のメンバー DocType: Warranty Claim,Service Address,サービスアドレス DocType: Journal Entry,Remark,リマーク +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:エントリーの転記時点で、倉庫{1}の{4}の数量は使用できません({2} {3}) DocType: Patient Encounter,Encounter Time,出会いの時間 DocType: Serial No,Invoice Details,請求の詳細 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",グループで追加のアカウントを作成できますが、グループ以外のメンバーに対してもエントリを作成できます。 @@ -5912,6 +5973,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.", apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),決算(始値+総額) DocType: Supplier Scorecard Criteria,Criteria Formula,基準式 apps/erpnext/erpnext/config/support.py,Support Analytics,サポート分析 +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),出席デバイスID(バイオメトリック/ RFタグID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,レビューと対処 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",アカウントが凍結されている場合、エントリは制限されたユーザーに許可されます。 apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,減価償却後の金額 @@ -5933,6 +5995,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,ローン返済 DocType: Employee Education,Major/Optional Subjects,専攻科目/オプション科目 DocType: Soil Texture,Silt,シルト +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,サプライヤーの住所と連絡先 DocType: Bank Guarantee,Bank Guarantee Type,銀行保証タイプ DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",無効にした場合、[丸められた合計]フィールドはどの取引にも表示されません。 DocType: Pricing Rule,Min Amt,最小額 @@ -5971,6 +6034,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,請求書作成ツールアイテムを開く DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg)/ K DocType: Bank Reconciliation,Include POS Transactions,POSトランザクションを含める +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},指定された従業員フィールド値に従業員が見つかりませんでした。 '{}':{} DocType: Payment Entry,Received Amount (Company Currency),受領額(会社通貨) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",LocalStorageがいっぱいです。保存できませんでした DocType: Chapter Member,Chapter Member,チャプターメンバー @@ -6003,6 +6067,7 @@ DocType: SMS Center,All Lead (Open),全リード(オープン) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,学生グループは作成されませんでした。 apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},行{0}が同じ{1}と重複しています DocType: Employee,Salary Details,給与の詳細 +DocType: Employee Checkin,Exit Grace Period Consequence,猶予期間終了の結果 DocType: Bank Statement Transaction Invoice Item,Invoice,請求書 DocType: Special Test Items,Particulars,詳細 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,アイテムまたは倉庫に基づいてフィルタを設定してください @@ -6104,6 +6169,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,AMCから DocType: Job Opening,"Job profile, qualifications required etc.",職種、必要な資格など apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,出荷する +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,資料請求を提出しますか DocType: Opportunity Item,Basic Rate,基本レート DocType: Compensatory Leave Request,Work End Date,作業終了日 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,原材料の請求 @@ -6289,6 +6355,7 @@ DocType: Depreciation Schedule,Depreciation Amount,減価償却額 DocType: Sales Order Item,Gross Profit,粗利益 DocType: Quality Inspection,Item Serial No,品目シリアル番号 DocType: Asset,Insurer,保険会社 +DocType: Employee Checkin,OUT,でる apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,購入金額 DocType: Asset Maintenance Task,Certificate Required,証明書が必要です DocType: Retention Bonus,Retention Bonus,保持ボーナス @@ -6404,6 +6471,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),差額(会社通 DocType: Invoice Discounting,Sanctioned,認可済み DocType: Course Enrollment,Course Enrollment,コース登録 DocType: Item,Supplier Items,サプライヤ品目 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",開始時間は{0}に対して終了時間以上にすることはできません。 DocType: Sales Order,Not Applicable,適用できません DocType: Support Search Source,Response Options,応答オプション apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0}は0から100までの値でなければなりません @@ -6490,7 +6559,6 @@ DocType: Travel Request,Costing,原価計算 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,固定資産 DocType: Purchase Order,Ref SQ,参照SQ DocType: Salary Structure,Total Earning,総収入 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,顧客>顧客グループ>地域 DocType: Share Balance,From No,いいえから DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,支払い調整請求書 DocType: Purchase Invoice,Taxes and Charges Added,追加された税金 @@ -6598,6 +6666,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,価格設定ルールを無視 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,フード DocType: Lost Reason Detail,Lost Reason Detail,失われた理由の詳細 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},以下のシリアル番号が作成されました。
{0} DocType: Maintenance Visit,Customer Feedback,お客様の声 DocType: Serial No,Warranty / AMC Details,保証/ AMCの詳細 DocType: Issue,Opening Time,開始時間 @@ -6647,6 +6716,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,会社名が同じではありません apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,昇進日より前に従業員昇進を提出することはできません apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0}より古い株式取引を更新することはできません +DocType: Employee Checkin,Employee Checkin,従業員チェックイン apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},開始日は、アイテム{0}の終了日より小さくなければなりません apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,顧客見積もりを作成する DocType: Buying Settings,Buying Settings,購入設定 @@ -6668,6 +6738,7 @@ DocType: Job Card Time Log,Job Card Time Log,ジョブカードのタイムロ DocType: Patient,Patient Demographics,患者の人口統計 DocType: Share Transfer,To Folio No,フォリオへ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,営業活動によるキャッシュフロー +DocType: Employee Checkin,Log Type,ログタイプ DocType: Stock Settings,Allow Negative Stock,マイナス在庫を許可 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,数量や金額に変更がない項目はありません。 DocType: Asset,Purchase Date,購入日 @@ -6712,6 +6783,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,とてもハイパー apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,あなたのビジネスの性質を選択してください。 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,月と年を選択してください +DocType: Service Level,Default Priority,デフォルトの優先順位 DocType: Student Log,Student Log,学生ログ DocType: Shopping Cart Settings,Enable Checkout,チェックアウトを有効にする apps/erpnext/erpnext/config/settings.py,Human Resources,人事 @@ -6740,7 +6812,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ShopifyとERPの接続 DocType: Homepage Section Card,Subtitle,字幕 DocType: Soil Texture,Loam,ローム -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,サプライヤー>サプライヤーの種類 DocType: BOM,Scrap Material Cost(Company Currency),不良品目原価(会社通貨) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,納品書{0}を送信しないでください。 DocType: Task,Actual Start Date (via Time Sheet),実際の開始日(タイムシート経由) @@ -6796,6 +6867,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,投与量 DocType: Cheque Print Template,Starting position from top edge,上端からの開始位置 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),予約期間(分) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},この従業員はすでに同じタイムスタンプのログを持っています。{0} DocType: Accounting Dimension,Disable,無効にする DocType: Email Digest,Purchase Orders to Receive,受け取る注文書 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,プロダクションオーダーは @@ -6811,7 +6883,6 @@ DocType: Production Plan,Material Requests,資料請求 DocType: Buying Settings,Material Transferred for Subcontract,外注に対して転送される品目 DocType: Job Card,Timing Detail,タイミング詳細 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,必須オン -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{1}の{0}をインポートしています DocType: Job Offer Term,Job Offer Term,求人期間 DocType: SMS Center,All Contact,すべての連絡先 DocType: Project Task,Project Task,プロジェクト課題 @@ -6862,7 +6933,6 @@ DocType: Student Log,Academic,学術 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,シリアル番号にアイテム{0}が設定されていませんチェックアイテムマスター apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,州から DocType: Leave Type,Maximum Continuous Days Applicable,適用可能な最大連続日数 -apps/erpnext/erpnext/config/support.py,Support Team.,支援チーム。 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,最初に会社名を入力してください apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,インポート成功 DocType: Guardian,Alternate Number,代替番号 @@ -6954,6 +7024,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,行#{0}:項目が追加されました DocType: Student Admission,Eligibility and Details,資格と詳細 DocType: Staffing Plan,Staffing Plan Detail,人員配置計画の詳細 +DocType: Shift Type,Late Entry Grace Period,後期猶予期間 DocType: Email Digest,Annual Income,年収 DocType: Journal Entry,Subscription Section,購読セクション DocType: Salary Slip,Payment Days,支払い日数 @@ -7004,6 +7075,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,勘定残高 DocType: Asset Maintenance Log,Periodicity,周期性 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,医療記録 +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,ログタイプは、シフトに該当するチェックインに必要です:{0}。 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,実行 DocType: Item,Valuation Method,評価方法 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},売上請求書{1}に対する{0} @@ -7088,6 +7160,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,ポジションごと DocType: Loan Type,Loan Name,ローン名 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,デフォルトの支払い方法を設定する DocType: Quality Goal,Revision,リビジョン +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,チェックアウト時のシフト終了時刻までの時間が早い(分単位)と見なされます。 DocType: Healthcare Service Unit,Service Unit Type,サービスユニットの種類 DocType: Purchase Invoice,Return Against Purchase Invoice,購入請求書に対する返品 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,秘密を生成する @@ -7243,12 +7316,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,化粧品 DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,保存する前にユーザーにシリーズの選択を強制する場合は、これをチェックします。これをチェックするとデフォルトはありません。 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,このロールを持つユーザーは、固定アカウントを設定したり、固定アカウントに対するアカウントエントリを作成/変更することができます。 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド DocType: Expense Claim,Total Claimed Amount,総請求金額 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}日にタイムスロットが見つかりません apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,まとめ apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,あなたの会員資格が30日以内に失効する場合にのみ更新することができます apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},値は{0}と{1}の間でなければなりません DocType: Quality Feedback,Parameters,パラメーター +DocType: Shift Type,Auto Attendance Settings,自動参加設定 ,Sales Partner Transaction Summary,販売パートナー取引サマリー DocType: Asset Maintenance,Maintenance Manager Name,メンテナンスマネージャ名 apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,商品詳細を取得する必要があります。 @@ -7340,10 +7415,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,適用ルールを検証 DocType: Job Card Item,Job Card Item,求人カード項目 DocType: Homepage,Company Tagline for website homepage,ウェブサイトホームページの会社用キャッチフレーズ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,索引{1}の優先順位{0}の応答時間と解決策を設定してください。 DocType: Company,Round Off Cost Center,丸め原価センタ DocType: Supplier Scorecard Criteria,Criteria Weight,基準ウェイト DocType: Asset,Depreciation Schedules,減価償却スケジュール -DocType: Expense Claim Detail,Claim Amount,請求額 DocType: Subscription,Discounts,割引 DocType: Shipping Rule,Shipping Rule Conditions,配送ルールの条件 DocType: Subscription,Cancelation Date,キャンセル日 @@ -7371,7 +7446,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,リードを作成 apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,ゼロ値を表示 DocType: Employee Onboarding,Employee Onboarding,従業員のオンボーディング DocType: POS Closing Voucher,Period End Date,期間終了日 -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,ソース別販売機会 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,リストの最初のLeave ApproverがデフォルトのLeave Approverとして設定されます。 DocType: POS Settings,POS Settings,POS設定 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,全アカウント @@ -7392,7 +7466,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,行#{0}:レートは{1}:{2}と同じである必要があります({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-YYYY- DocType: Healthcare Settings,Healthcare Service Items,医療サービス項目 -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,レコードが見つかりません apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,エイジングレンジ3 DocType: Vital Signs,Blood Pressure,血圧 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,ターゲットオン @@ -7439,6 +7512,7 @@ DocType: Company,Existing Company,既存の会社 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,バッチ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,防衛 DocType: Item,Has Batch No,バッチなし +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,遅延日数 DocType: Lead,Person Name,人名 DocType: Item Variant,Item Variant,品目バリアント DocType: Training Event Employee,Invited,招待しました @@ -7460,7 +7534,7 @@ DocType: Purchase Order,To Receive and Bill,受け取りと請求 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",有効な給与計算期間にない開始日と終了日は、{0}を計算できません。 DocType: POS Profile,Only show Customer of these Customer Groups,これらの顧客グループの顧客のみを表示 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,請求書を保存するアイテムを選択します -DocType: Service Level,Resolution Time,解決時間 +DocType: Service Level Priority,Resolution Time,解決時間 DocType: Grading Scale Interval,Grade Description,グレード説明 DocType: Homepage Section,Cards,カード DocType: Quality Meeting Minutes,Quality Meeting Minutes,質の高い会議議事録 @@ -7487,6 +7561,7 @@ DocType: Project,Gross Margin %,粗利益率 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,総勘定元帳による銀行報告書残高 apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),ヘルスケア(ベータ版) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,受注および出荷伝票を登録するデフォルト倉庫 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,索引{1}の{0}の応答時間は、解決時間より長くすることはできません。 DocType: Opportunity,Customer / Lead Name,得意先/リード名 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-YYYY- DocType: Expense Claim Advance,Unclaimed amount,未請求額 @@ -7533,7 +7608,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,パーティーと住所のインポート DocType: Item,List this Item in multiple groups on the website.,このアイテムをWebサイト上の複数のグループにまとめてください。 DocType: Request for Quotation,Message for Supplier,サプライヤーへのメッセージ -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,品目{1}の在庫取引が存在するため、{0}を変更できません。 DocType: Healthcare Practitioner,Phone (R),電話番号 DocType: Maintenance Team Member,Team Member,チームメンバー DocType: Asset Category Account,Asset Category Account,資産カテゴリ勘定 diff --git a/erpnext/translations/km.csv b/erpnext/translations/km.csv index 24b7bbcfda..b636bea794 100644 --- a/erpnext/translations/km.csv +++ b/erpnext/translations/km.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,កាលបរិច្ឆេទចា apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,ការលុបចោល {0} និងវិក័យប័ត្រលក់ {1} ត្រូវបានលុបចោល DocType: Purchase Receipt,Vehicle Number,លេខរថយន្ត apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,អាសយដ្ឋានអ៊ីមែលរបស់អ្នក ... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,រួមបញ្ចូលធាតុសៀវភៅដៃលំនាំដើម +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,រួមបញ្ចូលធាតុសៀវភៅដៃលំនាំដើម DocType: Activity Cost,Activity Type,ប្រភេទសកម្មភាព DocType: Purchase Invoice,Get Advances Paid,ទទួលប្រាក់កម្ចីជាមុន DocType: Company,Gain/Loss Account on Asset Disposal,គណនីចំណេញ / បាត់បង់នៅលើការចោលទ្រព្យសម្បត្តិ @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,តើវាធ DocType: Bank Reconciliation,Payment Entries,ធាតុបង់ប្រាក់ DocType: Employee Education,Class / Percentage,ថ្នាក់ / ភាគរយ ,Electronic Invoice Register,ចុះឈ្មោះវិក្កយបត្រអេឡិចត្រូនិក +DocType: Shift Type,The number of occurrence after which the consequence is executed.,ចំនួននៃការកើតឡើងដែលលទ្ធផលត្រូវបានប្រតិបត្តិ។ DocType: Sales Invoice,Is Return (Credit Note),ការវិលត្រឡប់ (ចំណាំឥណទាន) +DocType: Price List,Price Not UOM Dependent,តម្លៃមិនមែន UOM អ្នកអាស្រ័យ DocType: Lab Test Sample,Lab Test Sample,គំរូតេស្តមន្ទីរពិសោធន៍ DocType: Shopify Settings,status html,html ស្ថានភាព DocType: Fiscal Year,"For e.g. 2012, 2012-13",ឧទាហរណ៍ 2012 2012-13 @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,ស្វែង DocType: Salary Slip,Net Pay,ការចំណាយសុទ្ធ apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Amt សរុបសរុប DocType: Clinical Procedure,Consumables Invoice Separately,វិក័យប័ត្រប្រើប្រាស់ដោយឡែកពីគ្នា +DocType: Shift Type,Working Hours Threshold for Absent,ចំនួនម៉ោងធ្វើការសម្រាប់អវត្តមាន DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR - .YY.- .MM ។ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},មិនអាចកំណត់ថវិកាលើគណនីក្រុម {0} DocType: Purchase Receipt Item,Rate and Amount,អត្រានិងបរិមាណ @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,កំណត់ប្រភពឃ្ DocType: Healthcare Settings,Out Patient Settings,កំណត់ការកំណត់អ្នកជម្ងឺ DocType: Asset,Insurance End Date,ថ្ងៃផុតកំណត់ធានារ៉ាប់រង DocType: Bank Account,Branch Code,លេខកូដសាខា -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,ពេលវេលាត្រូវឆ្លើយតប apps/erpnext/erpnext/public/js/conf.js,User Forum,វេទិកាអ្នកប្រើ DocType: Landed Cost Item,Landed Cost Item,តម្លៃទំនិញចុះចត apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,អ្នកលក់និងអ្នកទិញមិនអាចមានលក្ខណៈដូចគ្នាទេ @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,ម្ចាស់នាំមុខ DocType: Share Transfer,Transfer,ផ្ទេរ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),ធាតុស្វែងរក (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} លទ្ធផលដែលបានបញ្ជូន +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,ពីកាលបរិច្ឆេទមិនអាចធំជាងកាលបរិច្ឆេទបានទេ DocType: Supplier,Supplier of Goods or Services.,អ្នកផ្គត់ផ្គង់ទំនិញឬសេវាកម្ម។ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,ឈ្មោះគណនីថ្មី។ ចំណាំ: សូមកុំបង្កើតគណនីសម្រាប់អតិថិជននិងអ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,ក្រុមនិស្សិតឬកាលវិភាគនៃវគ្គសិក្សាគឺជាការចាំបាច់ @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,ទិន្ DocType: Skill,Skill Name,ឈ្មោះជំនាញ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,បោះពុម្ពរបាយការណ៍កាត DocType: Soil Texture,Ternary Plot,អាថ៌កំបាំង -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,គាំទ្រសំបុត្រ DocType: Asset Category Account,Fixed Asset Account,គណនីមានកាលកំណត់ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,ចុងក្រោយ @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,ចម្ងាយ UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,កាតព្វកិច្ចសម្រាប់សន្លឹកតុល្យភាព DocType: Payment Entry,Total Allocated Amount,ចំនួនសរុបដែលបានបម្រុងទុក DocType: Sales Invoice,Get Advances Received,ទទួលប្រាក់កម្រៃដែលបានទទួល +DocType: Shift Type,Last Sync of Checkin,ធ្វើសមកាលកម្មចុងក្រោយនៃការធីក DocType: Student,B-,ខ - DocType: Purchase Invoice Item,Item Tax Amount Included in Value,បរិមាណពន្ធធាតុរាប់បញ្ចូលក្នុងតម្លៃ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,ផែនការបរិវិ DocType: Student,Blood Group,ក្រុមឈាម apps/erpnext/erpnext/config/healthcare.py,Masters,ថ្នាក់អនុបណ្ឌិត DocType: Crop,Crop Spacing UOM,ច្រឹបដំណាំ UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,ពេលវេលាបន្ទាប់ពីការចាប់ផ្តើមការផ្លាស់ប្តូរនៅពេលពិនិត្យមើលត្រូវបានចាត់ទុកថាជាការយឺត (គិតជានាទី) ។ apps/erpnext/erpnext/templates/pages/home.html,Explore,រុករក +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,រកមិនឃើញវិក័យប័ត្រដែលនៅសល់ DocType: Promotional Scheme,Product Discount Slabs,ផលិតផលថលបញ្ចុះតម្លៃ DocType: Hotel Room Package,Amenities,គ្រឿងបរិក្ខារ DocType: Lab Test Groups,Add Test,បន្ថែមតេស្ត @@ -1003,6 +1008,7 @@ DocType: Attendance,Attendance Request,សំណើចូលរួម DocType: Item,Moving Average,ការផ្លាស់ប្តូរមធ្យម DocType: Employee Attendance Tool,Unmarked Attendance,ការចូលរួមមិនបានសម្គាល់ DocType: Homepage Section,Number of Columns,ចំនួនជួរឈរ +DocType: Issue Priority,Issue Priority,ដាក់បញ្ហាអាទិភាព DocType: Holiday List,Add Weekly Holidays,បន្ថែមថ្ងៃឈប់សម្រាកប្រចាំសប្តាហ៍ DocType: Shopify Log,Shopify Log,ចុះឈ្មោះចូលទំនិញ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,បង្កើតប្រាក់ខែ @@ -1011,6 +1017,7 @@ DocType: Job Offer Term,Value / Description,តម្លៃ / ការពិព DocType: Warranty Claim,Issue Date,កាលបរិច្ឆេទចេញផ្សាយ 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} ។ មិនអាចស្វែងរកឡូហ្គោតែមួយដែលបំពេញតាមតម្រូវការនេះ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,មិនអាចបង្កើតប្រាក់លើកទឹកចិត្តសំរាប់បុគ្គលិកដែលនៅសល់ +DocType: Employee Checkin,Location / Device ID,ទីតាំង / លេខសម្គាល់ឧបករណ៍ DocType: Purchase Order,To Receive,ទទួល apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,អ្នកនៅក្នុងរបៀបក្រៅបណ្ដាញ។ អ្នកនឹងមិនអាចផ្ទុកឡើងវិញបានទេលុះត្រាតែអ្នកមានបណ្តាញ។ DocType: Course Activity,Enrollment,ចុះឈ្មោះចូលរៀន @@ -1019,7 +1026,6 @@ DocType: Lab Test Template,Lab Test Template,គំរូតេស្តមន apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},អតិបរមា: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ពត៌មានវិក័យប័ត្រដែលបាត់ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,គ្មានការស្នើសុំសម្ភារៈដែលបានបង្កើត -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,លេខកូដធាតុ> ក្រុមធាតុ> ម៉ាក DocType: Loan,Total Amount Paid,ចំនួនទឹកប្រាក់សរុបបង់ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,ធាតុទាំងនេះទាំងអស់ត្រូវបានទូទាត់រួចហើយ DocType: Training Event,Trainer Name,ឈ្មោះគ្រូបង្គោល @@ -1129,6 +1135,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},សូមរៀបរាប់ពីឈ្មោះនាំមុខក្នុង {0} DocType: Employee,You can enter any date manually,អ្នកអាចបញ្ចូលកាលបរិច្ឆេទណាមួយដោយដៃ DocType: Stock Reconciliation Item,Stock Reconciliation Item,ធាតុផ្សះផ្សាផ្សារភាគហ៊ុន +DocType: Shift Type,Early Exit Consequence,លទ្ធផលចេញពីដំណាក់កាលដំបូង DocType: Item Group,General Settings,ការកំណត់ទូទៅ apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,កាលបរិច្ឆេទដល់កំណត់មិនអាចនៅមុនថ្ងៃប្រកាសវិក័យប័ត្រ / អ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,បញ្ចូលឈ្មោះរបស់អ្នកទទួលផលមុនពេលបញ្ជូន។ @@ -1167,6 +1174,7 @@ DocType: Account,Auditor,សវនករ apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,ការបញ្ជាក់ការទូទាត់ ,Available Stock for Packing Items,មានស្តុកសម្រាប់ការវេចខ្ចប់ធាតុ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},សូមលុបវិក័យប័ត្រនេះ {0} ពី C-Form {1} +DocType: Shift Type,Every Valid Check-in and Check-out,រាល់ការបញ្ចូលនិងពិនិត្យចេញមានសុពលភាព DocType: Support Search Source,Query Route String,ខ្សែអក្សរស្នើសុំផ្លូវ DocType: Customer Feedback Template,Customer Feedback Template,គំរូមតិយោបល់របស់អតិថិជន apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,សម្រង់ទៅនាំមុខឬអតិថិជន។ @@ -1201,6 +1209,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,ការគ្រប់គ្រងការអនុញ្ញាតិ ,Daily Work Summary Replies,ស្នាដៃសង្ខេបការងារប្រចាំថ្ងៃ apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},អ្នកត្រូវបានអញ្ជើញឱ្យចូលរួមសហការលើគម្រោង: {0} +DocType: Issue,Response By Variance,ការឆ្លើយតបដោយវ៉ារ្យង់ DocType: Item,Sales Details,ព័ត៌មានលក់ apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,ក្បាលអក្សរសម្រាប់ពុម្ពបោះពុម្ព។ DocType: Salary Detail,Tax on additional salary,ពន្ធលើប្រាក់ខែបន្ថែម @@ -1324,6 +1333,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,អាស DocType: Project,Task Progress,កិច្ចការវឌ្ឍនភាព DocType: Journal Entry,Opening Entry,បើកធាតុ DocType: Bank Guarantee,Charges Incurred,ការចោទប្រកាន់កើតឡើង +DocType: Shift Type,Working Hours Calculation Based On,ការគណនាម៉ោងធ្វើការផ្អែកលើ DocType: Work Order,Material Transferred for Manufacturing,បញ្ជូនសម្ភារៈសម្រាប់ផលិត DocType: Products Settings,Hide Variants,លាក់វ៉ារ្យង់ DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,បិទដំណើរការផែនការសមត្ថភាពនិងតាមដានពេលវេលា @@ -1353,6 +1363,7 @@ DocType: Account,Depreciation,រំលស់ DocType: Guardian,Interests,ផលប្រយោជន៍ DocType: Purchase Receipt Item Supplied,Consumed Qty,ចំនួនអ្នកប្រើប្រាស់ DocType: Education Settings,Education Manager,កម្មវិធីអប់រំ +DocType: Employee Checkin,Shift Actual Start,ប្ដូរវេនពិតប្រាកដ DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,កំណត់ពេលម៉ោងកំណត់នៅខាងក្រៅស្ថានីយការងារម៉ោងធ្វើការ។ apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},ពិន្ទុស្មោះត្រង់: {0} DocType: Healthcare Settings,Registration Message,សារចុះឈ្មោះ @@ -1377,9 +1388,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,វិក្កយបត្រត្រូវបានបង្កើតរួចរាល់សម្រាប់រាល់វិក័យប័ត្រ DocType: Sales Partner,Contact Desc,ទំនាក់ទំនងដេ DocType: Purchase Invoice,Pricing Rules,ច្បាប់កំណត់តម្លៃ +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}",ដោយសារមានប្រតិបត្តិការដែលមានស្រាប់ប្រឆាំងនឹងធាតុ {0} អ្នកមិនអាចប្តូរតម្លៃនៃ {1} DocType: Hub Tracked Item,Image List,បញ្ជីរូបភាព DocType: Item Variant Settings,Allow Rename Attribute Value,អនុញ្ញាតឱ្យប្តូរឈ្មោះគុណលក្ខណៈគុណលក្ខណៈ -DocType: Price List,Price Not UOM Dependant,តម្លៃមិនមែន UOM អ្នកអាស្រ័យ apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),ពេលវេលា (គិតជានាទី) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,មូលដ្ឋាន DocType: Loan,Interest Income Account,គណនីចំណូលការប្រាក់ @@ -1389,6 +1400,7 @@ DocType: Employee,Employment Type,ប្រភេទការងារ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,ជ្រើសរើសពត៌មាន POS DocType: Support Settings,Get Latest Query,ទទួលយកសំណួរចុងក្រោយបំផុត DocType: Employee Incentive,Employee Incentive,ការលើកទឹកចិត្តបុគ្គលិក +DocType: Service Level,Priorities,អាទិភាព apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,បន្ថែមកាតឬផ្នែកផ្ទាល់ខ្លួននៅលើគេហទំព័រ DocType: Homepage,Hero Section Based On,ផ្នែកវីរបុរសដោយផ្អែកលើ DocType: Project,Total Purchase Cost (via Purchase Invoice),តម្លៃការទិញសរុប (តាមរយៈវិក័យប័ត្រទិញ) @@ -1449,7 +1461,7 @@ DocType: Work Order,Manufacture against Material Request,ផលិតប្រ DocType: Blanket Order Item,Ordered Quantity,បរិមាណបញ្ជា apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ជួរដេក # {0}: ឃ្លាំងដែលច្រានចោលគឺជាការចាំបាច់ប្រឆាំងនឹងធាតុបដិសេធ {1} ,Received Items To Be Billed,បានទទួលធាតុដែលត្រូវបានចេញវិក្កយបត្រ -DocType: Salary Slip Timesheet,Working Hours,ម៉ោងធ្វើការ +DocType: Attendance,Working Hours,ម៉ោងធ្វើការ apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,របៀបបង់ប្រាក់ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,ការបញ្ជាទិញទំនិញដែលមិនទាន់បានទទួល apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,រយៈពេលជាថ្ងៃ @@ -1569,7 +1581,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,ព័ត៌មានតាមផ្លូវច្បាប់និងព័ត៌មានទូទៅផ្សេងទៀតអំពីអ្នកផ្គត់ផ្គង់របស់អ្នក DocType: Item Default,Default Selling Cost Center,មជឈមណ្ឌលថ្លៃលក់លំនាំដើម DocType: Sales Partner,Address & Contacts,អាសយដ្ឋាននិងទំនាក់ទំនង -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈ Setup> Serial Number DocType: Subscriber,Subscriber,អតិថិជន apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# សំណុំបែបបទ / ធាតុ / {0}) គឺអស់ពីស្តុក apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,សូមជ្រើសកាលបរិច្ឆេទប្រកាសជាមុនសិន @@ -1580,7 +1591,7 @@ DocType: Project,% Complete Method,% Complete Method DocType: Detected Disease,Tasks Created,កិច្ចការត្រូវបានបង្កើត apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,BOM លំនាំដើម ({0}) ត្រូវតែសកម្មសម្រាប់ធាតុនេះឬគំរូរបស់វា apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,អត្រាគណៈកម្មការ% -DocType: Service Level,Response Time,ពេលវេលាឆ្លើយតប +DocType: Service Level Priority,Response Time,ពេលវេលាឆ្លើយតប DocType: Woocommerce Settings,Woocommerce Settings,ការកំណត់ Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,បរិមាណត្រូវតែជាវិជ្ជមាន DocType: Contract,CRM,CRM @@ -1597,7 +1608,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,ថ្លៃព្យា DocType: Bank Statement Settings,Transaction Data Mapping,ការធ្វើផែនទីទិន្នន័យប្រតិបត្តិការ apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,អ្នកដឹកនាំត្រូវការឈ្មោះរបស់បុគ្គលឬឈ្មោះអង្គការ DocType: Student,Guardians,អាណាព្យាបាល -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះគ្រូបង្រៀននៅក្នុងការអប់រំ> ការកំណត់អប់រំ apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ជ្រើសរើសម៉ាក ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,ចំណូលកណ្តាល DocType: Shipping Rule,Calculate Based On,គណនាផ្អែកលើ @@ -1634,6 +1644,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,កំណត់គ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},កំណត់ត្រាចូលរួម {0} មានប្រឆាំងនឹងសិស្ស {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,កាលបរិច្ឆេទនៃប្រតិបត្តិការ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,បោះបង់ការជាវ +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,មិនអាចកំណត់កិច្ចព្រមព្រៀងកម្រិតសេវា {0} ។ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,ចំនួនប្រាក់ខែសុទ្ធ DocType: Account,Liability,ការទទួលខុសត្រូវ DocType: Employee,Bank A/C No.,ធនាគារអេស៊ីស៊ី No. @@ -1699,7 +1710,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,លេខកូដសម្ភារៈវត្ថុដើម apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,ការទិញវិក័យប័ត្រ {0} ត្រូវបានដាក់ស្នើរួចហើយ DocType: Fees,Student Email,អ៊ីមែលសិស្ស -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},ការហៅតាមលេខរៀង: {0} មិនអាចជាមេឬកូននៃ {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ទទួលបានរបស់របរពីសេវាកម្មសុខភាព apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,ធាតុបញ្ចូល {0} មិនត្រូវបានដាក់ស្នើទេ DocType: Item Attribute Value,Item Attribute Value,តម្លៃគុណលក្ខណៈធាតុ @@ -1723,7 +1733,6 @@ DocType: POS Profile,Allow Print Before Pay,អនុញ្ញាតបោះព DocType: Production Plan,Select Items to Manufacture,ជ្រើសធាតុដើម្បីផលិត DocType: Leave Application,Leave Approver Name,ទុកឈ្មោះអ្នកអនុម័ត DocType: Shareholder,Shareholder,ម្ចាស់ហ៊ុន -DocType: Issue,Agreement Status,ស្ថានភាពកិច្ចព្រមព្រៀង apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,ការកំណត់លំនាំដើមសម្រាប់ការលក់ប្រតិបត្តិការ។ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,សូមជ្រើសរើសការចូលរៀនរបស់សិស្សដែលចាំបាច់សំរាប់អ្នកដាក់ពាក្យស្នើសុំ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,ជ្រើសមូលបត្រ @@ -1986,6 +1995,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,គណនីចំណូល apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,ឃ្លាំងទាំងអស់ DocType: Contract,Signee Details,ព័ត៌មានលម្អិតអ្នកចុះហត្ថលេខា +DocType: Shift Type,Allow check-out after shift end time (in minutes),អនុញ្ញាតឱ្យចាកចេញបន្ទាប់ពីវេនបញ្ចប់វេន (គិតជានាទី) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,លទ្ធកម្ម DocType: Item Group,Check this if you want to show in website,សូមពិនិត្យមើលនេះប្រសិនបើអ្នកចង់បង្ហាញនៅក្នុងគេហទំព័រ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,រកមិនឃើញឆ្នាំសារពើពន្ធ {0} @@ -2052,6 +2062,7 @@ DocType: Asset Finance Book,Depreciation Start Date,ចាប់ផ្តើម DocType: Activity Cost,Billing Rate,អត្រាចេញវិក្កយបត្រ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},ព្រមាន: {0} # {1} ផ្សេងទៀតកើតឡើងប្រឆាំងនឹងធាតុភាគហ៊ុន {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,សូមបើកការកំណត់ផែនទី Google ដើម្បីប៉ាន់ស្មាននិងបង្កើនផ្លូវ +DocType: Purchase Invoice Item,Page Break,ការបំបែកទំព័រ DocType: Supplier Scorecard Criteria,Max Score,ពិន្ទុអតិបរមា apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,ថ្ងៃចាប់ផ្តើមនៃការបង់ប្រាក់មិនអាចនៅមុនកាលបរិច្ឆេទបញ្ចេញ។ DocType: Support Search Source,Support Search Source,ប្រភពស្វែងរកការគាំទ្រ @@ -2120,6 +2131,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,គោលដៅគុណ DocType: Employee Transfer,Employee Transfer,ការផ្ទេរបុគ្គលិក ,Sales Funnel,ការលក់បំពង់ DocType: Agriculture Analysis Criteria,Water Analysis,ការវិភាគទឹក +DocType: Shift Type,Begin check-in before shift start time (in minutes),ចាប់ផ្តើមចូលមុនពេលវេនពេលវេលាចាប់ផ្តើម (គិតជានាទី) DocType: Accounts Settings,Accounts Frozen Upto,គណនីជាប់គាំងរហូតដល់ apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,មិនមានអ្វីត្រូវកែសម្រួលទេ។ apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",ប្រតិបត្តិការ {0} វែងជាងម៉ោងធ្វើការណាមួយនៅក្នុងស្ថានីយការងារ {1} បំបែកប្រតិបត្ដិការទៅជាប្រតិបត្តិការច្រើន @@ -2133,7 +2145,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,គ apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},លំដាប់លក់ {0} គឺ {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ពន្យារពេលក្នុងការទូទាត់ (ថ្ងៃ) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,បញ្ចូលព័ត៌មានលម្អិតរំលោះ +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,PO អតិថិជន apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,កាលបរិច្ឆេទដឹកជញ្ជូនដែលរំពឹងទុកគួរតែនៅក្រោយកាលបរិច្ឆេទបញ្ជាទិញ +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,បរិមាណវត្ថុមិនអាចជាសូន្យទេ apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,គុណលក្ខណៈមិនត្រឹមត្រូវ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},សូមជ្រើសរើស BOM ប្រឆាំងនឹងធាតុ {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,ប្រភេទវិក្កយបត្រ @@ -2143,6 +2157,7 @@ DocType: Maintenance Visit,Maintenance Date,កាលបរិច្ឆេទថ DocType: Volunteer,Afternoon,ពេលរសៀល DocType: Vital Signs,Nutrition Values,តម្លៃអាហារូបត្ថម្ភ DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),វត្តមាននៃជំងឺគ្រុនក្តៅ (temp> 38.5 ° C / 101.3 ° F ឬមានរយះពេលយូរ> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះនិយោជិកនៅក្នុងធនធានមនុស្ស> ការកំណត់ធនធានមនុស្ស apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC បញ្ច្រាស DocType: Project,Collect Progress,ប្រមូលដំណើរការ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,ថាមពល @@ -2193,6 +2208,7 @@ DocType: Setup Progress,Setup Progress,រៀបចំវឌ្ឍនភាព ,Ordered Items To Be Billed,ធាតុដែលបានបញ្ជាទិញត្រូវបានចេញវិក្កយបត្រ DocType: Taxable Salary Slab,To Amount,ចំនួនទឹកប្រាក់ DocType: Purchase Invoice,Is Return (Debit Note),គឺជាការវិលមកវិញ (កំណត់សំគាល់ឥណពន្ធ) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ដែនដី apps/erpnext/erpnext/config/desktop.py,Getting Started,ចាប់ផ្តើម apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,បញ្ចូលចូលគ្នា apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,មិនអាចផ្លាស់ប្តូរកាលបរិច្ឆេទចាប់ផ្តើមឆ្នាំសារពើពន្ធនិងកាលបរិច្ឆេទបញ្ចប់នៃសារពើពន្ធនៅពេលដែលឆ្នាំសារពើពន្ធត្រូវបានរក្សាទុក។ @@ -2211,8 +2227,10 @@ DocType: Maintenance Schedule Detail,Actual Date,កាលបរិច្ឆេ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},កាលបរិច្ឆេទនៃការរៀបចំថែរក្សាមិនអាចនៅមុនកាលបរិច្ឆេទចែកចាយសម្រាប់ស៊េរីលេខ {0} ទេ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,ជួរដេក {0}: អត្រាប្តូរប្រាក់គឺចាំបាច់ DocType: Purchase Invoice,Select Supplier Address,ជ្រើសរើសអាស័យដ្ឋានអ្នកផ្គត់ផ្គង់ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}",មានបរិមាណគឺ {0} អ្នកត្រូវការ {1} apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,សូមបញ្ចូលសម្ងាត់អ្នកប្រើ API DocType: Program Enrollment Fee,Program Enrollment Fee,តម្លៃចុះឈ្មោះចូលរៀន +DocType: Employee Checkin,Shift Actual End,ប្ដូរចុងក្រោយពិតប្រាកដ DocType: Serial No,Warranty Expiry Date,កាលបរិច្ឆេទផុតកំណត់នៃការធានា DocType: Hotel Room Pricing,Hotel Room Pricing,តម្លៃបន្ទប់សណ្ឋាគារ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted",ការផ្គត់ផ្គង់ជាប់ពន្ធខាងក្រៅ (លើសពីតម្លៃសូន្យដែលត្រូវបានវាយតម្លៃនិងត្រូវបានលើកលែង @@ -2272,6 +2290,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,ការអាន 5 DocType: Shopping Cart Settings,Display Settings,បង្ហាញការកំណត់ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,សូមកំណត់ចំនួនប័ណ្ណបោះឆ្នោតដែលបានកក់ +DocType: Shift Type,Consequence after,ផលវិបាកបន្ទាប់ពី apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,តើអ្នកត្រូវការជំនួយអ្វីខ្លះ? DocType: Journal Entry,Printing Settings,ការកំណត់ការបោះពុម្ព apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,ធនាគារ @@ -2281,6 +2300,7 @@ DocType: Purchase Invoice Item,PR Detail,ពត៍មានលំអិត apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,អាសយដ្ឋានចេញវិក្កយបត្រគឺដូចគ្នានឹងអាសយដ្ឋានដឹកជញ្ជូនដែរ DocType: Account,Cash,សាច់ប្រាក់ DocType: Employee,Leave Policy,ចាកចេញពីគោលនយោបាយ +DocType: Shift Type,Consequence,ផលវិបាក apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,អាសយដ្ឋានរបស់សិស្ស DocType: GST Account,CESS Account,គណនី CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: មជ្ឈមណ្ឌលចំណាយត្រូវបានទាមទារសម្រាប់គណនី "ចំណេញនិងការបាត់បង់" {2} ។ សូមបង្កើតមជ្ឈមណ្ឌលតម្លៃលំនាំដើមសម្រាប់ក្រុមហ៊ុន។ @@ -2345,6 +2365,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN Code DocType: Period Closing Voucher,Period Closing Voucher,រយៈពេលបិទវិញ្ញាបនបត្រ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,ឈ្មោះ Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,សូមបញ្ចូលគណនីចំណាយ +DocType: Issue,Resolution By Variance,គុណភាពបង្ហាញដោយវ៉ារ្យង់ DocType: Employee,Resignation Letter Date,កាលបរិច្ឆេទលាលែងពីតំណែង DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,វត្តមានដល់កាលបរិច្ឆេត @@ -2357,6 +2378,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,មើលឥឡូវ DocType: Item Price,Valid Upto,មានសុពលភាពរហូតដល់ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},យោង Doctype ត្រូវតែជាផ្នែកមួយនៃ {0} +DocType: Employee Checkin,Skip Auto Attendance,រំលងការចូលរួមស្វ័យប្រវត្តិ DocType: Payment Request,Transaction Currency,រូបិយប័ណ្ណប្រតិបត្តិការ DocType: Loan,Repayment Schedule,កាលវិភាគសងប្រាក់ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,បង្កើតគំរូរក្សាធាតុគំរូ @@ -2428,6 +2450,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,ការកំ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,កាតបិទបាំងប័ណ្ណ POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,សកម្មភាពត្រូវបានចាប់ផ្ដើម DocType: POS Profile,Applicable for Users,អាចប្រើបានសម្រាប់អ្នកប្រើប្រាស់ +,Delayed Order Report,របាយការណ៍បញ្ជាទិញដែលពន្យារពេល DocType: Training Event,Exam,ការប្រឡង apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,រកមិនឃើញធាតុបញ្ចូលទូទៅនៃសៀវភៅបញ្ជី។ អ្នកប្រហែលជាបានជ្រើសរើសគណនីខុសនៅក្នុងប្រតិបត្តិការ។ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,ការលក់បំពង់បង្ហូរ @@ -2442,10 +2465,11 @@ DocType: Account,Round Off,បិទជុំ DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,លក្ខខណ្ឌនឹងត្រូវបានអនុវត្តនៅលើធាតុទាំងអស់ដែលបានជ្រើសរួមបញ្ចូលគ្នា។ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,កំណត់រចនាសម្ព័ន្ធ DocType: Hotel Room,Capacity,សមត្ថភាព +DocType: Employee Checkin,Shift End,ប្ដូរ (Shift End) DocType: Installation Note Item,Installed Qty,បានដំឡើង Qty apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,បាច់ {0} នៃធាតុ {1} ត្រូវបានបិទ។ DocType: Hotel Room Reservation,Hotel Reservation User,អ្នកកក់សណ្ឋាគារ -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,ថ្ងៃធ្វើការត្រូវបានធ្វើម្តងទៀតពីរដង +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,កិច្ចព្រមព្រៀងកម្រិតសេវាកម្មជាមួយប្រភេទធាតុ {0} និង Entity {1} មានរួចហើយ។ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},ក្រុមធាតុដែលមិនបានរៀបរាប់នៅក្នុងធាតុមេសម្រាប់ធាតុ {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},ឈ្មោះកំហុស: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,ដែនដីត្រូវបានទាមទារនៅក្នុងពត៌មាន POS @@ -2493,6 +2517,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,កាលវិភាគកាលបរិច្ឆេទ DocType: Packing Slip,Package Weight Details,ព័ត៌មានលម្អិតអំពីទំងន់កញ្ចប់ DocType: Job Applicant,Job Opening,បើកការងារ +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,បានធ្វើសមកាលកម្មចុងក្រោយនៃការចុះឈ្មោះនិយោជិត។ កំណត់វាឡើងវិញបើអ្នកប្រាកដថាកំណត់ហេតុទាំងអស់ត្រូវបានធ្វើសមកាលកម្មពីគ្រប់ទីតាំង។ សូមកុំកែប្រែវាប្រសិនបើអ្នកមិនប្រាកដ។ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,តម្លៃជាក់ស្តែង apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ប្រាក់ចំណូលសរុប ({0}) ប្រឆាំងនឹងលំដាប់ {1} មិនអាចធំជាង Grand Total ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,វ៉ារ្យ៉ង់ធាតុត្រូវបានធ្វើបច្ចុប្បន្នភាព @@ -2537,6 +2562,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,បង្កាន់ដ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,ទទួលបានការញុះញង់ DocType: Tally Migration,Is Day Book Data Imported,ទិន្នន័យសៀវភៅថ្ងៃបាននាំចូល ,Sales Partners Commission,គណៈកម្មការលក់ដៃគូ +DocType: Shift Type,Enable Different Consequence for Early Exit,អនុញ្ញាតឱ្យមានផលវិបាកផ្សេងៗសម្រាប់ការចេញដំណើរដំបូង apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,ច្បាប់ DocType: Loan Application,Required by Date,ទាមទារដោយកាលបរិច្ឆេទ DocType: Quiz Result,Quiz Result,លទ្ធផលសំណួរ @@ -2596,7 +2622,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,ឆ្ន DocType: Pricing Rule,Pricing Rule,វិធានការកំណត់តម្លៃ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},បញ្ជីថ្ងៃឈប់សម្រាកដែលមិនកំណត់សម្រាប់រយៈពេលឈប់សម្រាក {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,សូមកំណត់វាលលេខសម្គាល់អ្នកប្រើនៅក្នុងកំណត់ត្រានិយោជិកដើម្បីកំណត់តួនាទីនិយោជិក -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,ពេលវេលាដើម្បីដោះស្រាយ DocType: Training Event,Training Event,ព្រឹត្តិការណ៍បណ្តុះបណ្តាល DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",សម្ពាធឈាមធម្មតាក្នុងមនុស្សពេញវ័យគឺប្រហែល 120 មីលីលីត្រស៊ីហ្គ្យូមនិង 80 មីលីមេសអេដប៊ីលីក្រាមអក្សរកាត់ "120/80 មមអេហជី" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,ប្រព័ន្ធនឹងប្រមូលធាតុទាំងអស់ប្រសិនបើតម្លៃកំណត់គឺសូន្យ។ @@ -2640,6 +2665,7 @@ DocType: Woocommerce Settings,Enable Sync,បើកការធ្វើសម DocType: Student Applicant,Approved,បានអនុម័ត apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},ចាប់ពីកាលបរិច្ឆេទត្រូវស្ថិតនៅក្នុងឆ្នាំសារពើពន្ធ។ សន្មត់ពីកាលបរិច្ឆេទ = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,សូមកំណត់ក្រុមអ្នកផ្គត់ផ្គង់ក្នុងការទិញការកំណត់។ +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} គឺជាស្ថានភាពវត្តមានមិនត្រឹមត្រូវ។ DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,គណនីបើកបណ្តោះអាសន្ន DocType: Purchase Invoice,Cash/Bank Account,សាច់ប្រាក់ / គណនីធនាគារ DocType: Quality Meeting Table,Quality Meeting Table,តារាងកិច្ចប្រជុំប្រកបដោយគុណភាព @@ -2675,6 +2701,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco",ម្ហូបអាហារភេសជ្ជៈនិងថ្នាំជក់ apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,កាលវិភាគវគ្គសិក្សា DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ធាតុលម្អិតស្តីពីពន្ធប្រាជ្ញា +DocType: Shift Type,Attendance will be marked automatically only after this date.,ការចូលរួមនឹងត្រូវបានសម្គាល់ដោយស្វ័យប្រវត្តិបន្ទាប់ពីកាលបរិច្ឆេទនេះ។ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,ការផ្គត់ផ្គង់ដល់អ្នកកាន់ UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,សំណើសុំសម្រង់ apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,រូបិយប័ណ្ណមិនអាចត្រូវបានផ្លាស់ប្តូរទេបន្ទាប់ពីធ្វើធាតុដោយប្រើរូបិយប័ណ្ណផ្សេង @@ -2723,7 +2750,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,គឺជាធាតុពី Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,នីតិវិធីគុណភាព។ DocType: Share Balance,No of Shares,ចំនួនភាគហ៊ុន -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ជួរដេក {0}: Qty មិនមានសម្រាប់ {4} នៅក្នុងឃ្លាំង {1} នៅពេលប្រកាសនៃធាតុ ({2} {3}) DocType: Quality Action,Preventive,ការការពារ DocType: Support Settings,Forum URL,URL វេទិកា apps/erpnext/erpnext/config/hr.py,Employee and Attendance,និយោជិកនិងវត្តមាន @@ -2945,7 +2971,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,ប្រភេទប DocType: Hotel Settings,Default Taxes and Charges,ពន្ធនិងការគិតថ្លៃលំនាំដើម apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,នេះគឺផ្អែកទៅលើប្រតិបត្តិការជាមួយអ្នកផ្គត់ផ្គង់នេះ។ សូមមើលតារាងពេលវេលាខាងក្រោមសម្រាប់ព័ត៌មានលំអិត apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},ចំនួនប្រាក់អត្ថប្រយោជន៍អតិបរមារបស់បុគ្គលិក {0} លើសពី {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,បញ្ចូលកាលបរិច្ឆេទចាប់ផ្ដើមនិងបញ្ចប់សម្រាប់កិច្ចព្រមព្រៀង។ DocType: Delivery Note Item,Against Sales Invoice,ប្រឆាំងនឹងវិក័យប័ត្រលក់ DocType: Loyalty Point Entry,Purchase Amount,បរិមាណទិញ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,មិនអាចកំណត់ថាបានបាត់បង់ដូចលំដាប់បញ្ជាទំនិញ។ @@ -2969,7 +2994,7 @@ DocType: Homepage,"URL for ""All Products""",URL សម្រាប់ "ផ DocType: Lead,Organization Name,ឈ្មោះអង្គការ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,សុពលភាពពីវាលដែលមានសុពលភាពនិងមានសុពលភាពគឺចាំបាច់សម្រាប់ការតម្លើង apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},ជួរដេក # {0}: បាច់លេខត្រូវតែដូចគ្នានឹង {1} {2} -DocType: Employee,Leave Details,ទុកសេចក្ដីលម្អិត +DocType: Employee Checkin,Shift Start,ចាប់ផ្តើមប្ដូរ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,ប្រតិបត្តិការភាគហ៊ុនមុន {0} ត្រជាក់ DocType: Driver,Issuing Date,កាលបរិច្ឆេទចេញ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,អ្នកស្នើសុំ @@ -3014,9 +3039,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ពត៌មានលំអិតគំរូលំហូរសាច់ប្រាក់ apps/erpnext/erpnext/config/hr.py,Recruitment and Training,ការជ្រើសរើសនិងបណ្តុះបណ្តាល DocType: Drug Prescription,Interval UOM,ចន្លោះពេលវេលា UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,ការកំណត់ពេលវេលាព្រះគុណសម្រាប់ការចូលរួមដោយស្វ័យប្រវត្តិ apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,ពីរូបិយប័ណ្ណនិងរូបិយប័ណ្ណមិនអាចដូចគ្នាទេ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ឱសថ DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,ការគាំទ្រម៉ោង apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} ត្រូវបានលុបចោលឬបិទ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,ជួរដេក {0}: ការចំណាយលើអតិថិជនត្រូវតែជាឥណទាន apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),ក្រុមដោយប័ណ្ណ (រួម) @@ -3126,6 +3153,7 @@ DocType: Asset Repair,Repair Status,ជួសជុលស្ថានភាព DocType: Territory,Territory Manager,អ្នកគ្រប់គ្រងដែនដី DocType: Lab Test,Sample ID,លេខសម្គាល់គំរូ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,កោធន៍ទទេ +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,ការចូលរួមត្រូវបានសម្គាល់ដោយបុគ្គលិកពិនិត្យចូល apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,ត្រូវតែដាក់បញ្ចូលទ្រព្យសម្បត្តិ {0} ,Absent Student Report,របាយការណ៍សិស្សអវត្តមាន apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,បានរួមបញ្ចូលនៅក្នុងប្រាក់ចំណេញសុទ្ធ @@ -3133,7 +3161,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,ចំនួនទឹកប្រាក់ដែលបានផ្តល់មូលនិធិ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} មិនត្រូវបានដាក់ស្នើដូច្នេះសកម្មភាពនេះមិនអាចបញ្ចប់បានទេ DocType: Subscription,Trial Period End Date,កាលបរិច្ឆេទបញ្ចប់សវនាការ +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,ធាតុជំនួសគឺ IN និង OUT ក្នុងអំឡុងពេលដូចគ្នា DocType: BOM Update Tool,The new BOM after replacement,BOM ថ្មីបន្ទាប់ពីការជំនួស +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ក្រុមហ៊ុនផ្គត់ផ្គង់> ប្រភេទក្រុមហ៊ុនផ្គត់ផ្គង់ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,ធាតុទី 5 DocType: Employee,Passport Number,លេខលិខិតឆ្លងដែន apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,បើកបណ្តោះអាសន្ន @@ -3249,6 +3279,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,របាយការណ៍ស apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,អ្នកផ្គត់ផ្គង់ដែលអាចធ្វើបាន ,Issued Items Against Work Order,ចេញនូវវត្ថុប្រឆាំងនឹងការងារ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,បង្កើត {0} វិក័យប័ត្រ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះគ្រូបង្រៀននៅក្នុងការអប់រំ> ការកំណត់អប់រំ DocType: Student,Joining Date,ចូលរួមកាលបរិច្ឆេទ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,ស្នើសុំតំបន់ DocType: Purchase Invoice,Against Expense Account,ប្រឆាំងនឹងគណនីចំណាយ @@ -3288,6 +3319,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,ការចោទប្រកាន់ ,Point of Sale,ចំនុចនៃការលក់ DocType: Authorization Rule,Approving User (above authorized value),ការអនុម័តអ្នកប្រើប្រាស់ (ខាងលើតម្លៃដែលបានអនុញ្ញាត) +DocType: Service Level Agreement,Entity,អង្គភាព apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},ចំនួនទឹកប្រាក់ {0} {1} បានផ្ទេរពី {2} ទៅ {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},អតិថិជន {0} មិនមែនជាកម្មសិទ្ធិរបស់គម្រោង {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,ពីឈ្មោះគណបក្ស @@ -3334,6 +3366,7 @@ DocType: Asset,Opening Accumulated Depreciation,ការបើករំលស DocType: Soil Texture,Sand Composition (%),សមាសធាតុខ្សាច់ (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP -YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,នាំចូលទិន្នន័យសៀវភៅថ្ងៃ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,សូមកំណត់ស៊ុមឈ្មោះសម្រាប់ {0} តាម Setup> Settings> Naming Series DocType: Asset,Asset Owner Company,ក្រុមហ៊ុនទ្រព្យសកម្ម apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,មជ្ឈមណ្ឌលចំណាយត្រូវបានទាមទារដើម្បីកក់ពាក្យបណ្តឹងចំណាយ apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} សៀរៀលត្រឹមត្រូវសម្រាប់ធាតុ {1} @@ -3394,7 +3427,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,ម្ចាស់ទ្រព្យ apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},ឃ្លាំងគឺចាំបាច់សម្រាប់ធាតុហ៊ុន {0} នៅក្នុងជួរដេក {1} DocType: Stock Entry,Total Additional Costs,ចំណាយបន្ថែមសរុប -DocType: Marketplace Settings,Last Sync On,ធ្វើសមកាលកម្មចុងក្រោយ apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,សូមកំណត់យ៉ាងហោចណាស់មួយជួរនៅក្នុងតារាងពន្ធនិងការចោទប្រកាន់ DocType: Asset Maintenance Team,Maintenance Team Name,ឈ្មោះក្រុមថែទាំ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,តារាងនៃមជ្ឈមណ្ឌលចំណាយ @@ -3410,12 +3442,12 @@ DocType: Sales Order Item,Work Order Qty,លំដាប់ការងារ DocType: Job Card,WIP Warehouse,ឃ្លាំង WIP DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-yYYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},លេខសម្គាល់អ្នកប្រើមិនបានកំណត់សម្រាប់និយោជិក {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}",មាន qty គឺ {0} អ្នកត្រូវការ {1} apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,បានបង្កើត {0} អ្នកប្រើ DocType: Stock Settings,Item Naming By,ធាតុដាក់ឈ្មោះតាម apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,បញ្ជា apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,នេះជាក្រុមអតិថិជន root ហើយមិនអាចកែប្រែបានទេ។ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,សំណើសម្ភារៈ {0} ត្រូវបានលុបចោលឬបញ្ឈប់ +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,ផ្អែកយ៉ាងតឹងរ៉ឹងលើប្រភេទកំណត់ហេតុក្នុងការពិនិត្យបុគ្គលិក DocType: Purchase Order Item Supplied,Supplied Qty,បានផ្គត់ផ្គង់ Qty DocType: Cash Flow Mapper,Cash Flow Mapper,ឧបករណ៍ពិនិត្យលំហូរសាច់ប្រាក់ DocType: Soil Texture,Sand,ខ្សាច់ @@ -3474,6 +3506,7 @@ DocType: Lab Test Groups,Add new line,បន្ថែមបន្ទាត់ថ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,ស្ទួនក្រុមធាតុដែលរកឃើញក្នុងតារាងក្រុមធាតុ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,ប្រាក់ខែប្រចាំឆ្នាំ DocType: Supplier Scorecard,Weighting Function,មុខងារថ្លឹង +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,កំហុសក្នុងការវាយតម្លៃរូបមន្តលក្ខណៈវិនិច្ឆ័យ ,Lab Test Report,របាយការណ៍តេស្តមន្ទីរពិសោធន៍ DocType: BOM,With Operations,ជាមួយប្រតិបត្តិការ @@ -3487,6 +3520,7 @@ DocType: Expense Claim Account,Expense Claim Account,គណនីទាមទា apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,គ្មានការទូទាត់សងសម្រាប់ធាតុទិនានុប្បវត្តិទេ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} គឺជាសិស្សអសកម្ម apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,ធ្វើឱ្យធាតុបញ្ចូល +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},ការហៅតាមលេខសម្គាល់: {0} មិនអាចជាមេឬកូននៃ {1} DocType: Employee Onboarding,Activities,សកម្មភាព apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,មានឃ្លាំងមួយយ៉ាងហោចណាស់ចាំបាច់ ,Customer Credit Balance,តុល្យភាពឥណទានអតិថិជន @@ -3499,9 +3533,11 @@ DocType: Supplier Scorecard Period,Variables,អថេរ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,កម្មវិធីភក្តីភាពជាច្រើនបានរកឃើញសំរាប់អតិថិជន។ សូមជ្រើសរើសដោយដៃ។ DocType: Patient,Medication,ថ្នាំ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,ជ្រើសកម្មវិធីភក្ដីភាព +DocType: Employee Checkin,Attendance Marked,វត្តមានត្រូវបានសម្គាល់ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,វត្ថុធាតុដើម DocType: Sales Order,Fully Billed,បានចេញវិក្កយបត្រពេញលេញ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},សូមកំណត់តម្លៃបន្ទប់សណ្ឋាគារលើ {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ជ្រើសតែអាទិភាពមួយជាលំនាំដើម។ apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},សូមកំណត់អត្តសញ្ញាណឬបង្កើតគណនី (Ledger) សម្រាប់ប្រភេទ - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,ចំនួនទឹកប្រាក់ឥណទាន / ឥណពន្ធសរុបគួរតែដូចគ្នានឹងតំណភ្ជាប់ធាតុទិនានុប្បវត្តិ DocType: Purchase Invoice Item,Is Fixed Asset,គឺជាទ្រព្យមានតម្លៃ @@ -3522,6 +3558,7 @@ DocType: Purpose of Travel,Purpose of Travel,គោលបំណងនៃកា DocType: Healthcare Settings,Appointment Confirmation,ការបញ្ជាក់អំពីការណាត់ជួប DocType: Shopping Cart Settings,Orders,ការបញ្ជាទិញ DocType: HR Settings,Retirement Age,អាយុចូលនិវត្តន៍ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈ Setup> Serial Number apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,គិតជាចំនួន apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},ការលុបមិនត្រូវបានអនុញ្ញាតសម្រាប់ប្រទេស {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},ជួរដេក # {0}: ទ្រព្យសម្បត្តិ {1} មានរួចហើយ {2} @@ -3605,11 +3642,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,គណនេយ្យ apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},ប័ណ្ណទូទាត់វិក្កយបត្របូកនឹងមាន {0} រវាងកាលបរិច្ឆេទ {1} និង {2} apps/erpnext/erpnext/config/help.py,Navigating,កំពុងរុករក +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,គ្មានវិក័យប័ត្រដែលមិនទាន់ទូទាត់ត្រូវការការវាយតម្លៃអត្រាប្តូរប្រាក់ DocType: Authorization Rule,Customer / Item Name,ឈ្មោះអតិថិជន / ឈ្មោះ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,លេខស៊េរីថ្មីមិនអាចមានឃ្លាំង។ ឃ្លាំងត្រូវតែកំណត់តាមធាតុចូលឬបង្កាន់ដៃទិញ DocType: Issue,Via Customer Portal,តាមរយៈវិបផតថលរបស់អតិថិជន DocType: Work Order Operation,Planned Start Time,ពេលវេលាចាប់ផ្តើមដែលបានគ្រោងទុក apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} គឺ {2} +DocType: Service Level Priority,Service Level Priority,អាទិភាពកម្រិតសេវា apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ចំនួននៃកម្រើកចំណូលដែលបានកក់មិនអាចច្រើនជាងចំនួនសរុបនៃកម្រៃ apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,ចែករំលែក Ledger DocType: Journal Entry,Accounts Payable,គណនីត្រូវបង់ @@ -3720,7 +3759,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,បញ្ជូនទៅ DocType: Bank Statement Transaction Settings Item,Bank Data,ទិន្នន័យធនាគារ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,គ្រោងទុករហូតដល់ -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,ថែរក្សាម៉ោងទូទាត់និងម៉ោងធ្វើការដូចទៅនឹងតារាងពេលវេលា apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,បទដឹកនាំដោយប្រភពនាំមុខ។ DocType: Clinical Procedure,Nursing User,អ្នកប្រើថែទាំ DocType: Support Settings,Response Key List,បញ្ជីគន្លឹះឆ្លើយតប @@ -3888,6 +3926,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,ម៉ោងចាប់ផ្ដើមពិតប្រាកដ DocType: Antibiotic,Laboratory User,អ្នកប្រើមន្ទីរពិសោធន៍ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,ការដេញថ្លៃលើបណ្តាញ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,អាទិភាព {0} ត្រូវបានធ្វើម្តងទៀត។ DocType: Fee Schedule,Fee Creation Status,ស្ថានភាពថ្លៃសេវា apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,កម្មវិធី apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ការបញ្ជាទិញដើម្បីទូទាត់ @@ -3954,6 +3993,7 @@ DocType: Patient Encounter,In print,នៅក្នុងការបោះព apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,មិនអាចរកបានព័ត៌មានសម្រាប់ {0} ។ apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,រូបិយប័ណ្ណវិក័យប័ត្រត្រូវតែស្មើនឹងរូបិយប័ណ្ណឬរូបិយប័ណ្ណគណនីរបស់ភាគីដើម apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,សូមបញ្ចូលលេខសំគាល់បុគ្គលិកនៃអ្នកលក់នេះ +DocType: Shift Type,Early Exit Consequence after,លទ្ធផលចេញពីដំណាក់កាលដំបូង apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,បង្កើតការបើកនិងការទិញវិក្កយបត្រ DocType: Disease,Treatment Period,រយៈពេលព្យាបាល apps/erpnext/erpnext/config/settings.py,Setting up Email,ការបង្កើតអ៊ីម៉ែល @@ -3971,7 +4011,6 @@ DocType: Employee Skill Map,Employee Skills,ជំនាញរបស់និយ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,ឈ្មោះរបស់សិស្ស: DocType: SMS Log,Sent On,បានបញ្ជូន DocType: Bank Statement Transaction Invoice Item,Sales Invoice,វិក័យប័ត្រលក់ -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,ពេលវេលាឆ្លើយតបមិនអាចធំជាងពេលវេលាដោះស្រាយទេ DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",សម្រាប់ក្រុមនិស្សិតតាមវគ្គសិក្សាវគ្គសិក្សានឹងត្រូវបានផ្តល់សុពលភាពសម្រាប់សិស្សគ្រប់រូបពីវគ្គសិក្សាចុះឈ្មោះចូលរៀន។ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,ការផ្គត់ផ្គង់នៅក្នុងរដ្ឋ DocType: Employee,Create User Permission,បង្កើតសិទ្ធិអ្នកប្រើ @@ -4010,6 +4049,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,លក្ខខណ្ឌកិច្ចសន្យាស្តង់ដារសម្រាប់ការលក់ឬការទិញ។ DocType: Sales Invoice,Customer PO Details,ពត៌មានលម្អិតអតិថិជន apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,រកមិនឃើញអ្នកជម្ងឺ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,ជ្រើសអាទិភាពលំនាំដើម។ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,យកធាតុចេញប្រសិនបើការគិតប្រាក់មិនអនុវត្តចំពោះធាតុនោះ apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ក្រុមអតិថិជនមានឈ្មោះដូចគ្នាសូមផ្លាស់ប្តូរឈ្មោះអតិថិជនឬប្តូរឈ្មោះក្រុមអតិថិជន 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. @@ -4049,6 +4089,7 @@ DocType: Quality Goal,Quality Goal,គោលដៅគុណភាព DocType: Support Settings,Support Portal,ការគាំទ្រវិបផតថល apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},កាលបរិច្ឆេទបញ្ចប់នៃកិច្ចការ {0} មិនអាចតិចជាង {1} កាលបរិច្ឆេទចាប់ផ្ដើមដែលរំពឹងទុក {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},និយោជិក {0} បានបើកទុកនៅលើ {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},កិច្ចព្រមព្រៀងកម្រិតសេវានេះគឺជាក់លាក់ចំពោះអតិថិជន {0} DocType: Employee,Held On,បានប្រារព្ធឡើង DocType: Healthcare Practitioner,Practitioner Schedules,កាលវិភាគកម្មវិធី DocType: Project Template Task,Begin On (Days),ចាប់ផ្ដើមថ្ងៃ (ថ្ងៃ) @@ -4056,6 +4097,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},លំដាប់ការងារត្រូវបានគេ {0} DocType: Inpatient Record,Admission Schedule Date,កាលបរិច្ឆេទចូលរៀន apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,ការលៃតម្រូវតម្លៃទ្រព្យសម្បត្តិ +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Mark ចូលរៀនដោយផ្អែកលើ 'Employee Checkin' សម្រាប់និយោជិតដែលបានចាត់តាំងអោយធ្វើការផ្លាស់ប្តូរនេះ។ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,ការផ្គត់ផ្គង់ដល់អ្នកដែលមិនបានចុះបញ្ជី apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,ការងារទាំងអស់ DocType: Appointment Type,Appointment Type,ប្រភេទការតែងតាំង @@ -4169,7 +4211,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),ទំងន់សរុបនៃកញ្ចប់។ ជាធម្មតាទម្ងន់សុទ្ធ + ទំងន់សម្ភារៈវេចខ្ចប់។ (សម្រាប់ការបោះពុម្ព) DocType: Plant Analysis,Laboratory Testing Datetime,ការធ្វើតេស្តមន្ទីរពិសោធន៍រយៈពេល apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,ធាតុ {0} មិនអាចមានបំណះ -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,ការលក់បំពង់បង្ហូរប្រេងតាមដំណាក់កាល apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,កម្លាំងសិស្សក្រុម DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,របាយការណ៍ប្រតិបត្តិការធនាគារ DocType: Purchase Order,Get Items from Open Material Requests,ទទួលយកធាតុពីសំណើសម្ភារៈបើកចំហ @@ -4251,7 +4292,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,បង្ហាញឃ្លាំងចាស់ - ឆ្លាត DocType: Sales Invoice,Write Off Outstanding Amount,សរសេរបរិមាណឆ្នើម DocType: Payroll Entry,Employee Details,ព័ត៌មានលំអិតពីនិយោជិក -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,ម៉ោងចាប់ផ្ដើមមិនអាចធំជាងពេលវេលាបញ្ចប់សម្រាប់ {0} ។ DocType: Pricing Rule,Discount Amount,ចំនួនបញ្ចុះតម្លៃ DocType: Healthcare Service Unit Type,Item Details,ព័ត៌មានលម្អិតអំពីទំនិញ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},សេចក្តីប្រកាសពន្ធដែលស្ទួនពី {0} សម្រាប់រយៈពេល {1} @@ -4304,7 +4344,7 @@ DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,ប្រាក់ខែសុទ្ធមិនអាចជាអវិជ្ជមានទេ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,លេខនៃអន្តរកម្ម 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 {1} មិនអាចត្រូវបានផ្ទេរច្រើនជាង {2} ទល់នឹងបញ្ជាទិញ {3} ទេ -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,ប្ដូរ +DocType: Attendance,Shift,ប្ដូរ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,ដំណើរការប្លង់គណនេយ្យនិងភាគី DocType: Stock Settings,Convert Item Description to Clean HTML,បម្លែងពិពណ៌នាធាតុទៅស្អាត HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,ក្រុមអ្នកផ្គត់ផ្គង់ទាំងអស់ @@ -4375,6 +4415,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,សកម្ DocType: Healthcare Service Unit,Parent Service Unit,អង្គភាពសេវាមាតាឬបិតា DocType: Sales Invoice,Include Payment (POS),រួមបញ្ចូលការបង់ប្រាក់ (ម៉ាស៊ីនឆូតកាត) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,សមធម៌ឯកជន +DocType: Shift Type,First Check-in and Last Check-out,ពិនិត្យមុននិងពិនិត្យចុងក្រោយ DocType: Landed Cost Item,Receipt Document,ឯកសារបង្កាន់ដៃ DocType: Supplier Scorecard Period,Supplier Scorecard Period,រយៈពេលនៃតារាងពិន្ទុអ្នកផ្គត់ផ្គង់ DocType: Employee Grade,Default Salary Structure,រចនាសម្ព័ន្ធប្រាក់ខែលំនាំដើម @@ -4457,6 +4498,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,បង្កើតលំដាប់ទិញ apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,កំណត់ថវិកាសម្រាប់ឆ្នាំហិរញ្ញវត្ថុ។ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,តារាងគណនីមិនអាចទទេបានទេ។ +DocType: Employee Checkin,Entry Grace Period Consequence,ពេលវេលាចូលនិវត្តន៍ ,Payment Period Based On Invoice Date,រយៈពេលបង់ប្រាក់ដោយផ្អែកលើកាលបរិច្ឆេទវិក្កយបត្រ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},កាលបរិច្ឆេទដំឡើងមិនអាចនៅមុនកាលបរិវិស័យសម្រាប់ធាតុ {0} ទេ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,ភ្ជាប់ទៅសំណើសម្ភារៈ @@ -4465,6 +4507,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,ប្រភ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},ជួរដេក {0}: ធាតុតម្រៀបមានរួចហើយសម្រាប់ឃ្លាំងនេះ {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,កាលបរិច្ឆេទឯកសារ DocType: Monthly Distribution,Distribution Name,ឈ្មោះចែកចាយ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,ថ្ងៃធ្វើការ {0} ត្រូវបានធ្វើម្តងទៀត។ apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,ក្រុមទៅក្រុមមិនមែន apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,កំពុងធ្វើបច្ចុប្បន្នភាព។ វាអាចចំណាយពេលបន្តិច។ DocType: Item,"Example: ABCD.##### @@ -4477,6 +4520,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,ប្រេងឥន្ធនៈ Qty apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,អាណាព្យាបាល 1 ទូរស័ព្ទដៃលេខ DocType: Invoice Discounting,Disbursed,ការចំណាយ +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,ពេលវេលាបន្ទាប់ពីការបញ្ចប់ការផ្លាស់ប្តូរក្នុងកំឡុងពេលពិនិត្យចេញត្រូវបានចាត់ទុកថាចូលរួម។ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ការផ្លាស់ប្តូរគណនីត្រូវបង់ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,មិនអាច apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,ក្រៅម៉ោង @@ -4490,7 +4534,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,ឱក apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,បង្ហាញ PDC នៅក្នុងការបោះពុម្ព apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,ទិញទំនិញអ្នកទិញ DocType: POS Profile User,POS Profile User,អ្នកប្រើប្រាស់បណ្តាញ POS -DocType: Student,Middle Name,ជាឈ្មោះកណ្តាល DocType: Sales Person,Sales Person Name,ឈ្មោះអ្នកលក់ DocType: Packing Slip,Gross Weight,ទំងន់សរុប DocType: Journal Entry,Bill No,លេខវិក្កយបត្រ @@ -4499,7 +4542,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,ទ DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG -YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,កិច្ចព្រមព្រៀងកម្រិតសេវា -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,សូមជ្រើសរើសបុគ្គលិកនិងកាលបរិច្ឆេទជាមុន apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,អត្រាតម្លៃវត្ថុត្រូវបានគណនាឡើងវិញដោយពិចារណាលើចំនួនទឹកប្រាក់នៃប័ណ្ណបញ្ចុះតម្លៃ DocType: Timesheet,Employee Detail,ពត៌មានលំអិតបុគ្គលិក DocType: Tally Migration,Vouchers,ប័ណ្ណទូទាត់ @@ -4534,7 +4576,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,កិច្ច DocType: Additional Salary,Date on which this component is applied,កាលបរិច្ឆេទដែលសមាសភាគនេះត្រូវបានអនុវត្ត apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,បញ្ជីឈ្មោះម្ចាស់ភាគហ៊ុនដែលមានលេខទូរស័ព្ទ apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,រៀបចំគណនី Gateway ។ -DocType: Service Level,Response Time Period,កំឡុងពេលឆ្លើយតប +DocType: Service Level Priority,Response Time Period,កំឡុងពេលឆ្លើយតប DocType: Purchase Invoice,Purchase Taxes and Charges,ទិញពន្ធនិងការចោទប្រកាន់ DocType: Course Activity,Activity Date,កាលបរិច្ឆេទសកម្មភាព apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,ជ្រើសឬបន្ថែមអតិថិជនថ្មី @@ -4559,6 +4601,7 @@ DocType: Sales Person,Select company name first.,ជ្រើសរើសឈ្ apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,ឆ្នាំហិរញ្ញវត្ថុ DocType: Sales Invoice Item,Deferred Revenue,ចំណូលដែលពន្យាពេល apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,ត្រូវតែជ្រើសរើសមួយក្នុងចំណោមការលក់ឬការទិញ +DocType: Shift Type,Working Hours Threshold for Half Day,ចំនួនម៉ោងធ្វើការរយៈពេលពាក់កណ្ដាល ,Item-wise Purchase History,ប្រវត្តិទិញទំនិញ apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},មិនអាចប្តូរកាលបរិច្ឆេទបញ្ឈប់សេវាកម្មសម្រាប់ធាតុក្នុងជួរដេក {0} DocType: Production Plan,Include Subcontracted Items,រួមបញ្ចូលធាតុដែលបានបន្តកិច្ចសន្យា @@ -4591,6 +4634,7 @@ DocType: Journal Entry,Total Amount Currency,ចំនួនទឹកប្រ DocType: BOM,Allow Same Item Multiple Times,អនុញ្ញាតធាតុដូចគ្នាច្រើនដង apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,បង្កើត BOM DocType: Healthcare Practitioner,Charges,ការចោទប្រកាន់ +DocType: Employee,Attendance and Leave Details,ព័ត៌មានលំអិតពីការចូលរួមនិងការចាកចេញ DocType: Student,Personal Details,ព័ត៌មានផ្ទាល់ខ្លួន DocType: Sales Order,Billing and Delivery Status,ស្ថានភាពវិក្កយបត្រនិងដឹកជញ្ជូន apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,ជួរដេក {0}: សំរាប់អាសយដ្ឋានផ្គត់ផ្គង់ {0} អាស័យដ្ឋានអ៊ីម៉ែលត្រូវបានទាមទារដើម្បីផ្ញើអ៊ីម៉ែល @@ -4642,7 +4686,6 @@ DocType: Bank Guarantee,Supplier,អ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},បញ្ចូលតម្លៃ betweeen {0} និង {1} DocType: Purchase Order,Order Confirmation Date,កាលបរិច្ឆេទបញ្ជាក់ការបញ្ជាទិញ DocType: Delivery Trip,Calculate Estimated Arrival Times,គណនាពេលវេលាមកដល់ប៉ាន់ស្មាន -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះនិយោជិកនៅក្នុងធនធានមនុស្ស> ការកំណត់ធនធានមនុស្ស apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,ប្រើប្រាស់ DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS -YYYY.- DocType: Subscription,Subscription Start Date,កាលបរិច្ឆេទចាប់ផ្តើមការជាវប្រចាំ @@ -4665,7 +4708,7 @@ DocType: Installation Note Item,Installation Note Item,ធាតុចំណា DocType: Journal Entry Account,Journal Entry Account,គណនីធាតុទិនានុប្បវត្តិ apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,វ៉ារ្យង់ apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,សកម្មភាពវេទិកា -DocType: Service Level,Resolution Time Period,រយៈពេលនៃដំណោះស្រាយ +DocType: Service Level Priority,Resolution Time Period,រយៈពេលនៃដំណោះស្រាយ DocType: Request for Quotation,Supplier Detail,ព័ត៌មានលម្អិតអ្នកផ្គត់ផ្គង់ DocType: Project Task,View Task,មើលភារកិច្ច DocType: Serial No,Purchase / Manufacture Details,ព័ត៌មានលម្អិតទិញ / ផលិត @@ -4732,6 +4775,7 @@ DocType: Sales Invoice,Commission Rate (%),អត្រាគណៈកម្ម DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,ឃ្លាំងអាចត្រូវបានផ្លាស់ប្តូរតែតាមរយៈធាតុចូលទំនិញ / លិខិតប្រគល់ទំនិញ / វិក័យប័ត្រទិញប៉ុណ្ណោះ DocType: Support Settings,Close Issue After Days,បិទបញ្ហាបន្ទាប់ពីថ្ងៃ DocType: Payment Schedule,Payment Schedule,កាលវិភាគទូទាត់ +DocType: Shift Type,Enable Entry Grace Period,បើកដំណើរការពេលវេលាអនុគ្រោះ DocType: Patient Relation,Spouse,ប្តីប្រពន្ធ DocType: Purchase Invoice,Reason For Putting On Hold,ហេតុផលសម្រាប់ដាក់នៅរង់ចាំ DocType: Item Attribute,Increment,ការកើនឡើង @@ -4871,6 +4915,7 @@ DocType: Authorization Rule,Customer or Item,អតិថិជនឬធាត DocType: Vehicle Log,Invoice Ref,ការទូទាត់វិក័យប័ត្រ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},សំណុំបែបបទ -C មិនអាចអនុវត្តចំពោះវិក្កយបត្រ: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,វិក្កយប័ត្របានបង្កើត +DocType: Shift Type,Early Exit Grace Period,រយៈពេលទទួលព្រះគុណពីដំណាក់កាលដំបូង DocType: Patient Encounter,Review Details,ពិនិត្យឡើងវិញលម្អិត apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,ជួរដេក {0}: តម្លៃម៉ោងត្រូវតែធំជាងសូន្យ។ DocType: Account,Account Number,លេខគណនី @@ -4882,7 +4927,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","អាចអនុវត្តបានប្រសិនបើក្រុមហ៊ុននេះមាន SpA, SApA ឬ SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,លក្ខខណ្ឌត្រួតស៊ីគ្នាបានរកឃើញរវាង: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,បានបង់និងមិនបានបញ្ជូន -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,កូដធាតុគឺចាំបាច់ពីព្រោះធាតុមិនត្រូវបានបង់លេខដោយស្វ័យប្រវត្តិទេ DocType: GST HSN Code,HSN Code,លេខ HSN DocType: GSTR 3B Report,September,កញ្ញា apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,ចំណាយរដ្ឋបាល @@ -4918,6 +4962,8 @@ DocType: Travel Itinerary,Travel From,ធ្វើដំណើរពី apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,គណនី CWIP DocType: SMS Log,Sender Name,ឈ្មោះអ្នកផ្ញើ DocType: Pricing Rule,Supplier Group,ក្រុមអ្នកផ្គត់ផ្គង់ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",កំណត់ពេលវេលាចាប់ផ្តើមនិងពេលវេលាបញ្ចប់សម្រាប់ \ ថ្ងៃគាំទ្រ {0} នៅលិបិក្រម {1} ។ DocType: Employee,Date of Issue,កាលបរិច្ឆេទចេញផ្សាយ ,Requested Items To Be Transferred,ទំនិញដែលបានស្នើត្រូវផ្ទេរ DocType: Employee,Contract End Date,កាលបរិច្ឆេទបញ្ចប់កិច្ចសន្យា @@ -4928,6 +4974,7 @@ DocType: Healthcare Service Unit,Vacant,ទំនេរ DocType: Opportunity,Sales Stage,ដំណាក់កាលលក់ DocType: Sales Order,In Words will be visible once you save the Sales Order.,នៅក្នុងពាក្យនឹងត្រូវបានមើលឃើញនៅពេលដែលអ្នករក្សាទុកលំដាប់លក់។ DocType: Item Reorder,Re-order Level,លំដាប់ឡើងវិញ +DocType: Shift Type,Enable Auto Attendance,បើកការចូលរួមស្វ័យប្រវត្តិ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,ចំណូលចិត្ត ,Department Analytics,នាយកដ្ឋានវិភាគ DocType: Crop,Scientific Name,ឈ្មោះវិទ្យាសាស្រ្ត @@ -4940,6 +4987,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},ស្ថានភា DocType: Quiz Activity,Quiz Activity,សកម្មភាពសំណួរ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} មិនស្ថិតនៅក្នុងអំឡុងពេលបើកប្រាក់ខែដែលមានសុពលភាពទេ DocType: Timesheet,Billed,បានចេញវិក្កយបត្រ +apps/erpnext/erpnext/config/support.py,Issue Type.,ប្រភេទបញ្ហា។ DocType: Restaurant Order Entry,Last Sales Invoice,វិក័យប័ត្រលក់ចុងក្រោយ DocType: Payment Terms Template,Payment Terms,ល័ក្ខខ័ណ្ឌទូទាត់ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",Qty បានបំរុង: បរិមាណដែលបានបញ្ជាទិញសម្រាប់លក់ប៉ុន្តែមិនត្រូវបានប្រគល់ឱ្យ។ @@ -5035,6 +5083,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,ទ្រព្យសកម្ម apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} មិនមានកាលវិភាគសុខភាពអ្នកអនុវត្តន៍។ បន្ថែមវានៅក្នុងមេថែទាំសុខភាព DocType: Vehicle,Chassis No,តួលេខ +DocType: Employee,Default Shift,ប្តូរលំនាំដើម apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,ក្រុមហ៊ុនអក្សរកាត់ apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,មែកធាងតារាងនៃសំភារៈ DocType: Article,LMS User,អ្នកប្រើ LMS @@ -5083,6 +5132,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST -YYYY.- DocType: Sales Person,Parent Sales Person,ការលក់របស់ឪពុកម្តាយ DocType: Student Group Creation Tool,Get Courses,ទទួលបានវគ្គសិក្សា 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, ជាធាតុគឺជាទ្រព្យសកម្មថេរ។ សូមប្រើជួរដេកដាច់ដោយឡែកសម្រាប់ qty ច្រើន។" +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),ម៉ោងធ្វើការខាងក្រោមអវត្តមានត្រូវបានសម្គាល់។ (សូន្យដើម្បីបិទ) DocType: Customer Group,Only leaf nodes are allowed in transaction,មានតែសញ្ញាថ្នាំងប៉ុណ្ណោះដែលត្រូវបានអនុញ្ញាតនៅក្នុងប្រតិបត្តិការ DocType: Grant Application,Organization,អង្គការ DocType: Fee Category,Fee Category,ថ្លៃសេវា @@ -5095,6 +5145,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,សូមធ្វើបច្ចុប្បន្នភាពស្ថានភាពរបស់អ្នកសម្រាប់ព្រឹត្តិការណ៍បណ្តុះបណ្តាលនេះ DocType: Volunteer,Morning,ព្រឹក DocType: Quotation Item,Quotation Item,ធាតុសម្រង់ +apps/erpnext/erpnext/config/support.py,Issue Priority.,ដាក់បញ្ហាអាទិភាព។ DocType: Journal Entry,Credit Card Entry,កាតឥណទាន apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",រន្ធដោតបានរំលងរន្ធដោត {0} ដល់ {1} ត្រួតលើរន្ធដោត {2} ទៅ {3} DocType: Journal Entry Account,If Income or Expense,ប្រសិនបើប្រាក់ចំណូលឬចំណាយ @@ -5145,11 +5196,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,ការនាំចូលទិន្នន័យនិងការកំណត់ 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: Account,Expense Account,គណនីចំណាយ +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,ពេលវេលាមុនពេលចាប់ផ្តើមផ្លាស់ប្តូរអំឡុងពេលដែលនិយោជិកចូលពិនិត្យត្រូវបានពិចារណាសម្រាប់ការចូលរួម។ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,ទំនាក់ទំនងជាមួយអាណាព្យាបាល 1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,បង្កើតវិក្កយបត្រ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},សំណើទូទាត់រួចហើយ {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',និយោជិកធូរចិត្តនៅ {0} ត្រូវតែកំណត់ជា 'Left' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},បង់ {0} {1} +DocType: Company,Sales Settings,ការកំណត់ការលក់ DocType: Sales Order Item,Produced Quantity,ផលិតបរិមាណ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,សំណូមពរសម្រាប់សម្រង់អាចត្រូវបានចូលដំណើរការដោយចុចលើតំណខាងក្រោម DocType: Monthly Distribution,Name of the Monthly Distribution,ឈ្មោះនៃការចែកចាយប្រចាំខែ @@ -5228,6 +5281,7 @@ DocType: Company,Default Values,តម្លៃលំនាំដើម apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,គំរូពន្ធលំនាំដើមសម្រាប់ការលក់និងការទិញត្រូវបានបង្កើត។ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,ចាកចេញពីប្រភេទ {0} មិនអាចបញ្ជូនបន្តបានទេ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,ឥណពន្ធទៅគណនីត្រូវតែជាគណនីដែលអាចទទួលបាន +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},សូមកំណត់គណនីនៅក្នុងឃ្លាំង {0} ឬបញ្ជីសារពើភណ្ឌលំនាំដើមនៅក្នុងក្រុមហ៊ុន {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,កំណត់ជាលំនាំដើម DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ទំងន់សុទ្ធនៃកញ្ចប់នេះ។ (គណនាដោយស្វ័យប្រវត្តិជាការបូកនៃទំងន់សុទ្ធនៃធាតុ) @@ -5254,8 +5308,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,ការស៊ីសងដែលផុតកំណត់ DocType: Shipping Rule,Shipping Rule Type,ដឹកជញ្ជូនប្រភេទច្បាប់ DocType: Job Offer,Accepted,បានទទួល -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","សូមលុបនិយោជិក {0} \ ដើម្បីបោះបង់ឯកសារនេះ" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,អ្នកបានវាយតំលៃរួចហើយសម្រាប់លក្ខណៈវិនិច្ឆ័យវាយតម្លៃ {} ។ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ជ្រើសលេខបាច់ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),អាយុ (ថ្ងៃ) @@ -5282,6 +5334,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,ជ្រើសដែនរបស់អ្នក DocType: Agriculture Task,Task Name,ឈ្មោះភារកិច្ច apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,ធាតុភាគហ៊ុនដែលបានបង្កើតរួចហើយសម្រាប់លំដាប់ការងារ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","សូមលុបនិយោជិក {0} \ ដើម្បីបោះបង់ឯកសារនេះ" ,Amount to Deliver,បរិមាណដើម្បីផ្តល់ apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,ក្រុមហ៊ុន {0} មិនមានទេ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,គ្មានការស្នើសុំសម្ភារៈដែលមិនទាន់បានរកឃើញដើម្បីភ្ជាប់សម្រាប់ធាតុដែលបានផ្តល់។ @@ -5331,6 +5385,7 @@ DocType: Program Enrollment,Enrolled courses,វគ្គសិក្សាច DocType: Lab Prescription,Test Code,កូដសាកល្បង DocType: Purchase Taxes and Charges,On Previous Row Total,នៅលើសរុបជួរដេកសរុប DocType: Student,Student Email Address,អាស័យដ្ឋានអ៊ីម៉ែលរបស់សិស្ស +,Delayed Item Report,របាយការណ៍ធាតុពន្យាពេល DocType: Academic Term,Education,ការអប់រំ DocType: Supplier Quotation,Supplier Address,អាសយដ្ឋានអ្នកផ្គត់ផ្គង់ DocType: Salary Detail,Do not include in total,កុំរួមបញ្ចូលសរុប @@ -5338,7 +5393,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} មិនមានទេ DocType: Purchase Receipt Item,Rejected Quantity,បរិមាណច្រានចោល DocType: Cashier Closing,To TIme,ដើម្បី TIme -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: Daily Work Summary Group User,Daily Work Summary Group User,អ្នកប្រើក្រុមសង្ខេបការងារប្រចាំថ្ងៃ DocType: Fiscal Year Company,Fiscal Year Company,ក្រុមហ៊ុនសារពើពន្ធប្រចាំឆ្នាំ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,ធាតុជំនួសមិនត្រូវដូចគ្នានឹងលេខកូដធាតុទេ @@ -5390,6 +5444,7 @@ DocType: Program Fee,Program Fee,តម្លៃកម្មវិធី DocType: Delivery Settings,Delay between Delivery Stops,ការពន្យារពេលរវាងការដឹកជញ្ជូនឈប់ DocType: Stock Settings,Freeze Stocks Older Than [Days],បង្កកភាគហ៊ុនចាស់ជាង [ថ្ងៃ] DocType: Promotional Scheme,Promotional Scheme Product Discount,គ្រោងការណ៍ផ្សព្វផ្សាយការបញ្ចុះតម្លៃផលិតផល +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,អាទិភាពបញ្ហាមានរួចហើយ DocType: Account,Asset Received But Not Billed,ទ្រព្យសកម្មបានទទួលប៉ុន្តែមិនបានទូទាត់ DocType: POS Closing Voucher,Total Collected Amount,ចំនួនសរុបដែលបានប្រមូល DocType: Course,Default Grading Scale,មាត្រដ្ឋានធ្វើមាត្រដ្ឋានលំនាំដើម @@ -5432,6 +5487,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,លក្ខខណ្ឌនៃការបំពេញ apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,មិនមែនជាក្រុមទៅជាក្រុម DocType: Student Guardian,Mother,ម្តាយ +DocType: Issue,Service Level Agreement Fulfilled,កិច្ចព្រមព្រៀងកម្រិតសេវាកម្មបានបំពេញ DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,កាត់បន្ថយពន្ធសម្រាប់អត្ថប្រយោជន៍របស់និយោជិកដែលមិនបានទាមទារ DocType: Travel Request,Travel Funding,ការធ្វើដំណើរថវិកា DocType: Shipping Rule,Fixed,ថេរ @@ -5461,10 +5517,12 @@ DocType: Item,Warranty Period (in days),រយៈពេលនៃការធា apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,រកមិនឃើញធាតុ។ DocType: Item Attribute,From Range,ពីជួរ DocType: Clinical Procedure,Consumables,ការប្រើប្រាស់ +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' និង 'timestamp' ត្រូវបានទាមទារ។ DocType: Purchase Taxes and Charges,Reference Row #,សេចក្តីយោងជួរដេក # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},សូមកំណត់ 'មជ្ឈមណ្ឌលតម្លៃរំលស់ទ្រព្យសម្បត្តិ' នៅក្នុងក្រុមហ៊ុន {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,ជួរដេក # {0}: ឯកសារបង់ប្រាក់ត្រូវបានទាមទារដើម្បីបញ្ចប់ការបំលែង DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ចុចប៊ូតុងនេះដើម្បីទាញទិន្នន័យការបញ្ជាទិញរបស់អ្នកពី Amazon MWS ។ +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),ម៉ោងធ្វើការខាងក្រោមដែលពាក់កណ្តាលថ្ងៃត្រូវបានសម្គាល់។ (សូន្យដើម្បីបិទ) ,Assessment Plan Status,ស្ថានភាពផែនការវាយតម្លៃ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,សូមជ្រើសរើស {0} ជាមុន apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,ដាក់ស្នើនេះដើម្បីបង្កើតកំណត់ត្រានិយោជិក @@ -5535,6 +5593,7 @@ DocType: Quality Procedure,Parent Procedure,នីតិវិធីមាតា apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,កំណត់បើក apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,បិទ / បើកតម្រង DocType: Production Plan,Material Request Detail,សម្ភារៈស្នើសុំពត៌មាន +DocType: Shift Type,Process Attendance After,ដំណើរការវត្តមានបន្ទាប់ពី DocType: Material Request Item,Quantity and Warehouse,បរិមាណនិងឃ្លាំង apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,ចូលទៅកាន់កម្មវិធី apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},ជួរដេក # {0}: ធាតុស្ទួននៅក្នុងសេចក្តីយោង {1} {2} @@ -5592,6 +5651,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,ពត៌មានគណបក្ស apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),អ្នកបំណុល ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,ដល់កាលបរិច្ឆេតមិនអាចធំជាងថ្ងៃធ្វើការរបស់និយោជិតទេ +DocType: Shift Type,Enable Exit Grace Period,បើកដំណើរការការលើកលែងការចាកចេញ DocType: Expense Claim,Employees Email Id,អ៊ីម៉ែលបុគ្គលិកអ៊ីម៉ែល DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ធ្វើបច្ចុប្បន្នភាពតម្លៃពីបញ្ជីតម្លៃទំនិញពីហាង Shopify ទៅក្នុងតារាងតម្លៃ ERPNext DocType: Healthcare Settings,Default Medical Code Standard,ស្តង់ដារវេជ្ជសាស្ត្រលំនាំដើម @@ -5622,7 +5682,6 @@ DocType: Item Group,Item Group Name,ឈ្មោះក្រុមធាតុ DocType: Budget,Applicable on Material Request,អនុវត្តលើសំណើសុំសម្ភារៈ DocType: Support Settings,Search APIs,ស្វែងរក APIs DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,ភាគរយលើសផលិតកម្មសម្រាប់លំដាប់លក់ -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,ការបញ្ជាក់ DocType: Purchase Invoice,Supplied Items,ធាតុដែលបានផ្គត់ផ្គង់ DocType: Leave Control Panel,Select Employees,ជ្រើសបុគ្គលិក apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},ជ្រើសរើសគណនីប្រាក់ចំណូលក្នុងការប្រាក់ {0} @@ -5648,7 +5707,7 @@ DocType: Salary Slip,Deductions,បំណាច់ ,Supplier-Wise Sales Analytics,អ្នកផ្គត់ផ្គង់ - វិភាគការលក់ឆ្លាត DocType: GSTR 3B Report,February,ខែកុម្ភៈ DocType: Appraisal,For Employee,សម្រាប់បុគ្គលិក -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,កាលបរិច្ឆេទដឹកជញ្ជូនជាក់ស្តែង +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,កាលបរិច្ឆេទដឹកជញ្ជូនជាក់ស្តែង DocType: Sales Partner,Sales Partner Name,ឈ្មោះដៃគូលក់ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,រំលោះជួរដេក {0}: កាលបរិច្ឆេទចាប់ផ្តើមរំលោះត្រូវបានបញ្ចូលជាកាលបរិច្ឆេទកន្លងមក DocType: GST HSN Code,Regional,តំបន់ @@ -5687,6 +5746,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,វ DocType: Supplier Scorecard,Supplier Scorecard,ប័ណ្ណពិន្ទុរបស់អ្នកផ្គត់ផ្គង់ DocType: Travel Itinerary,Travel To,ធ្វើដំណើរទៅកាន់ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Mark Attendance +DocType: Shift Type,Determine Check-in and Check-out,កំណត់ការចូលនិងចេញ DocType: POS Closing Voucher,Difference,ភាពខុសគ្នា apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,តូច DocType: Work Order Item,Work Order Item,កិច្ចការបញ្ជាទិញ @@ -5720,6 +5780,7 @@ DocType: Sales Invoice,Shipping Address Name,បញ្ជូនឈ្មោះ apps/erpnext/erpnext/healthcare/setup.py,Drug,ឱសថ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} ត្រូវបានបិទ DocType: Patient,Medical History,ប្រវត្តិពេទ្យ +DocType: Expense Claim,Expense Taxes and Charges,ពន្ធលើថ្លៃចំណាយនិងថ្លៃឈ្នួល DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,ចំនួនថ្ងៃបន្ទាប់ពីកាលវិក័យប័ត្របានកន្លងផុតមុនពេលលុបចោលការជាវឬការចុះឈ្មៃថាជាការមិនបង់ប្រាក់ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,ចំណាំដំឡើង {0} ត្រូវបានដាក់ស្នើរួចហើយ DocType: Patient Relation,Family,គ្រួសារ @@ -5752,7 +5813,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,កម្លាំង apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} ឯកតា {1} ដែលត្រូវការក្នុង {2} ដើម្បីបញ្ចប់ប្រតិបត្តិការនេះ។ DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush វត្ថុធាតុដើមនៃកិច្ចសន្យាដែលមានមូលដ្ឋានលើ -DocType: Bank Guarantee,Customer,អតិថិជន DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",ប្រសិនបើបានបើកដំណើរការវគ្គសិក្សាសិក្សាគឺចាំបាច់នៅក្នុងឧបករណ៍ចុះឈ្មោះកម្មវិធី។ DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","សម្រាប់ក្រុមនិស្សិតដែលមានមូលដ្ឋានគ្រាប់បញ្ចប់, សិស្សបាច់នឹងត្រូវបានធ្វើឱ្យមានសុពលភាពសម្រាប់សិស្សគ្រប់រូបពីការចុះឈ្មោះចូលរៀន។" DocType: Course,Topics,ប្រធានបទ @@ -5832,6 +5892,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,ជំពូកសមាជិក DocType: Warranty Claim,Service Address,អាសយដ្ឋានសេវាកម្ម DocType: Journal Entry,Remark,សម្គាល់ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ជួរដេក {0}: បរិមាណមិនមានសម្រាប់ {4} នៅក្នុងឃ្លាំង {1} នៅពេលប្រកាសនៃធាតុ ({2} {3}) DocType: Patient Encounter,Encounter Time,ពេលវេលាជួប DocType: Serial No,Invoice Details,ព័ត៌មានលម្អិតអំពីវិក្កយបត្រ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","គណនីផ្សេងទៀតអាចត្រូវបានធ្វើឡើងក្រោមក្រុម, ប៉ុន្តែធាតុអាចត្រូវបានធ្វើឡើងប្រឆាំងនឹងក្រុមដែលមិនមែនជាក្រុម" @@ -5912,6 +5973,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.", apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),ការបិទ (បើក + សរុប) DocType: Supplier Scorecard Criteria,Criteria Formula,រូបមន្តលក្ខណៈវិនិច្ឆ័យ apps/erpnext/erpnext/config/support.py,Support Analytics,ការគាំទ្រវិភាគ +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),លេខសម្គាល់ឧបករណ៍វត្តមាន (លេខសម្គាល់ស្លាក Biometric / RF) apps/erpnext/erpnext/config/quality_management.py,Review and Action,ពិនិត្យឡើងវិញនិងសកម្មភាព DocType: Account,"If the account is frozen, entries are allowed to restricted users.",ប្រសិនបើគណនីត្រូវបានបង្កកធាតុត្រូវបានអនុញ្ញាតឱ្យដាក់កម្រិតអ្នកប្រើ។ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,ចំនួនទឹកប្រាក់បន្ទាប់ពីការរំលស់ @@ -5933,6 +5995,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,ការសងប្រាក់កម្ចី DocType: Employee Education,Major/Optional Subjects,មុខវិជ្ជាសំខាន់ៗ / ជម្រើស DocType: Soil Texture,Silt,ខ្សាច់ +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,អាស័យដ្ឋានអ្នកផ្គត់ផ្គង់និងទំនាក់ទំនង DocType: Bank Guarantee,Bank Guarantee Type,ប្រភេទលិខិតធានា DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",ប្រសិនបើបិទដំណើរការវាលសរុប 'Rounded Total' នឹងមិនអាចមើលឃើញនៅក្នុងប្រតិបត្តិការណាមួយទេ DocType: Pricing Rule,Min Amt,Min Amt @@ -5971,6 +6034,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,បើកធាតុឧបករណ៍បង្កើតវិក័យប័ត្រ DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,បញ្ចូលប្រតិបត្តិការលក់ម៉ាស៊ីនឆូតកាត +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},រកមិនឃើញនិយោជិកសម្រាប់តម្លៃវាលបុគ្គលិកដែលបានផ្តល់។ '{}': {} DocType: Payment Entry,Received Amount (Company Currency),ចំនួនទឹកប្រាក់ដែលទទួលបាន (រូបិយប័ណ្ណក្រុមហ៊ុន) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage ពេញ, មិនរក្សាទុកទេ" DocType: Chapter Member,Chapter Member,ជំពូកសមាជិក @@ -6003,6 +6067,7 @@ DocType: SMS Center,All Lead (Open),នាំមុខទាំងអស់ (ប apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,មិនមានក្រុមនិស្សិតបង្កើតឡើយ។ apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},ស្ទួនជួរ {0} ជាមួយ {1} ដូចគ្នា DocType: Employee,Salary Details,ព័ត៌មានលម្អិតអំពីប្រាក់ខែ +DocType: Employee Checkin,Exit Grace Period Consequence,ចេញពេលសមស្រប DocType: Bank Statement Transaction Invoice Item,Invoice,វិក្កយបត្រ DocType: Special Test Items,Particulars,ពិសេស apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,សូមកំណត់តម្រងដែលមានមូលដ្ឋានលើធាតុឬឃ្លាំង @@ -6104,6 +6169,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,ចេញពី AMC DocType: Job Opening,"Job profile, qualifications required etc.",ប្រវត្តិរូបការងារលក្ខណៈសម្បត្តិដែលត្រូវការ។ ល។ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,នាវាទៅរដ្ឋ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,តើអ្នកចង់ដាក់ស្នើសម្ភារៈ DocType: Opportunity Item,Basic Rate,អត្រាជាមូលដ្ឋាន DocType: Compensatory Leave Request,Work End Date,កាលបរិច្ឆេទបញ្ចប់ការងារ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,ស្នើសុំវត្ថុធាតុដើម @@ -6289,6 +6355,7 @@ DocType: Depreciation Schedule,Depreciation Amount,ចំនួនរំលស DocType: Sales Order Item,Gross Profit,ប្រាក់ចំណេញដុល DocType: Quality Inspection,Item Serial No,លេខស៊េរីលេខ DocType: Asset,Insurer,ធានារ៉ាប់រង +DocType: Employee Checkin,OUT,ចេញ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,ការទិញចំនួនទឹកប្រាក់ DocType: Asset Maintenance Task,Certificate Required,វិញ្ញាបនបត្រត្រូវបានទាមទារ DocType: Retention Bonus,Retention Bonus,ប្រាក់លើកទឹកចិត្ត @@ -6404,6 +6471,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),ចំនួនទ DocType: Invoice Discounting,Sanctioned,បានដាក់ទណ្ឌកម្ម DocType: Course Enrollment,Course Enrollment,ចុះឈ្មោះចូលរៀនវគ្គសិក្សា DocType: Item,Supplier Items,របស់អ្នកផ្គត់ផ្គង់ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",ពេលវេលាចាប់ផ្ដើមមិនអាចធំជាងឬស្មើនឹងពេលវេលាបញ្ចប់ \ for {0} ។ DocType: Sales Order,Not Applicable,មិនអាចអនុវត្តបាន DocType: Support Search Source,Response Options,ជម្រើសឆ្លើយតប apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} គួរតែជាតម្លៃចន្លោះ 0 និង 100 @@ -6490,7 +6559,6 @@ DocType: Travel Request,Costing,ការចំណាយ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,ទ្រព្យមានកាលកំណត់ DocType: Purchase Order,Ref SQ,Ref QQ DocType: Salary Structure,Total Earning,ការរកប្រាក់ចំណូលសរុប -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ដែនដី DocType: Share Balance,From No,ពីលេខ DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,វិក័យប័ត្រសម្រុះសម្រួលការទូទាត់ DocType: Purchase Invoice,Taxes and Charges Added,ពន្ធនិងបន្ទុកដែលបានបន្ថែម @@ -6598,6 +6666,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,មិនអើពើគោលការណ៍កំណត់តម្លៃ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,អាហារ DocType: Lost Reason Detail,Lost Reason Detail,ព័ត៌មានលំអិតដែលបានបាត់បង់ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},លេខសៀរៀលខាងក្រោមត្រូវបានបង្កើតឡើង:
{0} DocType: Maintenance Visit,Customer Feedback,មតិយោបល់របស់អតិថិជន DocType: Serial No,Warranty / AMC Details,ព័ត៌មានលម្អិតអំពីការធានា / AMC DocType: Issue,Opening Time,បើកម៉ោង @@ -6647,6 +6716,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,ឈ្មោះក្រុមហ៊ុនមិនដូចគ្នាទេ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,ការលើកកម្ពស់និយោជិកមិនអាចត្រូវបានដាក់ជូនមុនកាលបរិច្ឆេទផ្សព្វផ្សាយទេ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},មិនត្រូវបានអនុញ្ញាតឱ្យធ្វើបច្ចុប្បន្នភាពប្រតិបតិ្តការហ៊ុនចាស់ជាង {0} +DocType: Employee Checkin,Employee Checkin,និយោជិកពិនិត្យ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},កាលបរិច្ឆេទចាប់ផ្តើមគួរតែតិចជាងកាលបរិច្ឆេទបញ្ចប់សម្រាប់ធាតុ {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,បង្កើតសម្រង់អតិថិជន DocType: Buying Settings,Buying Settings,ការទិញការកំណត់ @@ -6668,6 +6738,7 @@ DocType: Job Card Time Log,Job Card Time Log,ម៉ោងការងារក DocType: Patient,Patient Demographics,ប្រជាសាស្ត្រអ្នកជំងឺ DocType: Share Transfer,To Folio No,ទៅ Folio លេខ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,លំហូរសាច់ប្រាក់ពីប្រតិបត្តិការ +DocType: Employee Checkin,Log Type,ប្រភេទកំណត់ហេតុ DocType: Stock Settings,Allow Negative Stock,អនុញ្ញាតឱ្យភាគហ៊ុនអវិជ្ជមាន apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,គ្មានធាតុណាមួយមានការប្រែប្រួលណាមួយលើបរិមាណឬតម្លៃទេ។ DocType: Asset,Purchase Date,កាលបរិច្ឆេទទិញ @@ -6712,6 +6783,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,ខ្លាំងណាស់ apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,ជ្រើសរើសលក្ខណៈអាជីវកម្មរបស់អ្នក។ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,សូមជ្រើសរើសខែនិងឆ្នាំ +DocType: Service Level,Default Priority,អាទិភាពលំនាំដើម DocType: Student Log,Student Log,កំណត់ហេតុសិស្ស DocType: Shopping Cart Settings,Enable Checkout,បើកដំណើរការ Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,ធនធានមនុស្ស @@ -6740,7 +6812,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ភ្ជាប់ Connectify ជាមួយ ERPNext DocType: Homepage Section Card,Subtitle,ចំណងជើងរង DocType: Soil Texture,Loam,លាមក -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ក្រុមហ៊ុនផ្គត់ផ្គង់> ប្រភេទក្រុមហ៊ុនផ្គត់ផ្គង់ DocType: BOM,Scrap Material Cost(Company Currency),ចំណាយសម្ភារៈសំណល់អេតចាយ (រូបិយប័ណ្ណក្រុមហ៊ុន) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,មិនត្រូវបញ្ជូនសេចក្តីជូនដំណឹង {0} DocType: Task,Actual Start Date (via Time Sheet),កាលបរិច្ឆេទចាប់ផ្ដើមពិតប្រាកដ (តាមរយៈសន្លឹកពេល) @@ -6796,6 +6867,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,កិតើ DocType: Cheque Print Template,Starting position from top edge,ចាប់ផ្តើមទីតាំងពីគែមកំពូល apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),រយៈពេលនៃការតែងតាំង (នាទី) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},និយោជិតនេះមានកំណត់ត្រាដែលមានត្រាពេលវេលាដូចគ្នា។ {0} DocType: Accounting Dimension,Disable,បិទ DocType: Email Digest,Purchase Orders to Receive,ទិញការបញ្ជាទិញដើម្បីទទួល apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,ការបញ្ជាទិញផលិតផលមិនអាចត្រូវបានលើកឡើងសម្រាប់: @@ -6811,7 +6883,6 @@ DocType: Production Plan,Material Requests,សំណើសម្ភារៈ DocType: Buying Settings,Material Transferred for Subcontract,បញ្ជូនសម្ភារៈសម្រាប់កិច្ចសន្យាម៉ៅការ DocType: Job Card,Timing Detail,ពត៌មានពេលវេលា apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,ទាមទារលើ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},ការនាំចូល {0} នៃ {1} DocType: Job Offer Term,Job Offer Term,រយៈពេលផ្តល់ការងារ DocType: SMS Center,All Contact,ទំនាក់ទំនងទាំងអស់ DocType: Project Task,Project Task,ភារកិច្ចគម្រោង @@ -6862,7 +6933,6 @@ DocType: Student Log,Academic,ការសិក្សា apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,ធាតុ {0} មិនត្រូវបានរៀបចំសម្រាប់លេខស៊េរីទេ។ ពិនិត្យធាតុមេ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,ពីរដ្ឋ DocType: Leave Type,Maximum Continuous Days Applicable,ថ្ងៃបន្តអតិបរមាអាចអនុវត្តបាន -apps/erpnext/erpnext/config/support.py,Support Team.,ក្រុមគាំទ្រ។ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,សូមបញ្ចូលឈ្មោះក្រុមហ៊ុនដំបូង apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,នាំចូលជោគជ័យ DocType: Guardian,Alternate Number,លេខជម្មើសជំនួស @@ -6954,6 +7024,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,ជួរដេក # {0}: ធាតុបានបន្ថែម DocType: Student Admission,Eligibility and Details,សិទ្ធិទទួលនិងព័ត៌មានលម្អិត DocType: Staffing Plan,Staffing Plan Detail,ពត៌មានលំអិតបុគ្គលិក +DocType: Shift Type,Late Entry Grace Period,ពេលចូលសម័យយឺត ៗ DocType: Email Digest,Annual Income,ចំនូលប្រចាំឆ្នាំ DocType: Journal Entry,Subscription Section,ផ្នែកបរិវិសកម្ម DocType: Salary Slip,Payment Days,ថ្ងៃទូទាត់ @@ -7004,6 +7075,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,សមតុល្យគណនី DocType: Asset Maintenance Log,Periodicity,រយៈពេល apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,កំណត់ត្រាវេជ្ជសាស្រ្ត +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,ប្រភេទកំណត់ហេតុត្រូវបានទាមទារសម្រាប់ការចុះឈ្មោះធ្លាក់ក្នុងវេន: {0} ។ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,ការប្រតិបត្តិ DocType: Item,Valuation Method,វិធីសាស្រ្តវាយតម្លៃ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} ប្រឆាំងនឹងការលក់វិក័យប័ត្រ {1} @@ -7088,6 +7160,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,តម្លៃប៉ DocType: Loan Type,Loan Name,ឈ្មោះឥណទាន apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,កំណត់របៀបទូទាត់លំនាំដើម DocType: Quality Goal,Revision,ការពិនិត្យឡើងវិញ +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,ពេលវេលាមុនពេលម៉ោងវេនវេននៅពេលពិនិត្យចេញត្រូវបានគេចាត់ទុកថាឆាប់រហ័ស (គិតជានាទី) ។ DocType: Healthcare Service Unit,Service Unit Type,ប្រភេទសេវាកម្ម DocType: Purchase Invoice,Return Against Purchase Invoice,ត្រឡប់មកវិក័យប័ត្រទិញ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,បង្កើតសម្ងាត់ @@ -7243,11 +7316,13 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,គ្រឿងសំអាង DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,ពិនិត្យនេះប្រសិនបើអ្នកចង់បង្ខំអ្នកប្រើឱ្យជ្រើសរើសស៊េរីមុនពេលរក្សាទុក។ វានឹងមិនមានលំនាំដើមទេប្រសិនបើអ្នកពិនិត្យមើលវា។ DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,អ្នកប្រើដែលមានតួនាទីនេះត្រូវបានអនុញ្ញាតឱ្យកំណត់គណនីដែលបង្កកនិងបង្កើត / កែប្រែធាតុគណនេយ្យប្រឆាំងនឹងគណនីដែលបង្កក +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,លេខកូដធាតុ> ក្រុមធាតុ> ម៉ាក DocType: Expense Claim,Total Claimed Amount,បរិមាណសរុបដែលបានទាមទារ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,រុំឡើង apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,អ្នកអាចបន្តបានលុះត្រាតែសមាជិកភាពរបស់អ្នកផុតកំណត់ក្នុងរយៈពេល 30 ថ្ងៃ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},តម្លៃត្រូវតែនៅចន្លោះ {0} និង {1} DocType: Quality Feedback,Parameters,ប៉ារ៉ាម៉ែត្រ +DocType: Shift Type,Auto Attendance Settings,ការកំណត់វត្តមានស្វ័យប្រវត្តិ ,Sales Partner Transaction Summary,សង្ខេបប្រតិបត្តិការលក់ដៃគូ DocType: Asset Maintenance,Maintenance Manager Name,ឈ្មោះអ្នកគ្រប់គ្រងថែទាំ apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,វាចាំបាច់ដើម្បីទៅយកព័ត៌មានលំអិតអំពីធាតុ។ @@ -7339,10 +7414,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,ធ្វើឱ្យមានសុពលភាពអនុវត្តវិធាន DocType: Job Card Item,Job Card Item,ធាតុកាតការងារ DocType: Homepage,Company Tagline for website homepage,ក្រុមហ៊ុនសរសេរពាក្យសំរាប់វេបសាយវេបសាយ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,កំណត់ម៉ោងឆ្លើយតបនិងដំណោះស្រាយសម្រាប់អាទិភាព {0} នៅសន្ទស្សន៍ {1} ។ DocType: Company,Round Off Cost Center,មជ្ឈមណ្ឌលមជ្ឈដ្ឋានជុំបិទ DocType: Supplier Scorecard Criteria,Criteria Weight,លក្ខណៈវិនិច្ឆ័យទំងន់ DocType: Asset,Depreciation Schedules,តារាងរំលោះ -DocType: Expense Claim Detail,Claim Amount,ចំនួនប្រាក់សំណង DocType: Subscription,Discounts,ការបញ្ចុះតម្លៃ DocType: Shipping Rule,Shipping Rule Conditions,ល័ក្ខខ័ណ្ឌច្បាប់ដឹកជញ្ជូន DocType: Subscription,Cancelation Date,កាលបរិច្ឆេទបោះបង់ @@ -7370,7 +7445,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,បង្កើតគ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,បង្ហាញតម្លៃសូន្យ DocType: Employee Onboarding,Employee Onboarding,បុគ្គលិកនៅលើនាវា DocType: POS Closing Voucher,Period End Date,កាលបរិច្ឆេទបញ្ចប់ -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,ឱកាសលក់តាមប្រភព DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,អ្នកគាំទ្រដំបូងនៅក្នុងបញ្ជីនេះនឹងត្រូវបានកំណត់ជាលំនាំដើមទុកអ្នកអនុម័ត។ DocType: POS Settings,POS Settings,ការកំណត់ POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,គណនីទាំងអស់ @@ -7391,7 +7465,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ធន apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ជួរដេក # {0}: អត្រាត្រូវតែដូចគ្នានឹង {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-yYYYY.- DocType: Healthcare Settings,Healthcare Service Items,សេវាកម្មថែទាំសុខភាព -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,មិនមានកំណត់ត្រា apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,អាយុជំពូក 3 DocType: Vital Signs,Blood Pressure,សម្ពាធឈាម apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,គោលដៅលើ @@ -7438,6 +7511,7 @@ DocType: Company,Existing Company,ក្រុមហ៊ុនដែលមាន apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ជំនាន់ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,ការពារ DocType: Item,Has Batch No,មានបំណះលេខ +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,ថ្ងៃពន្យារពេល DocType: Lead,Person Name,ឈ្មោះបុគ្គល DocType: Item Variant,Item Variant,ធាតុវ៉ារ្យ៉ង់ DocType: Training Event Employee,Invited,បានអញ្ជើញ @@ -7459,7 +7533,7 @@ DocType: Purchase Order,To Receive and Bill,ទទួលនិងបង់ប្ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",កាលបរិច្ឆេទចាប់ផ្ដើមនិងបញ្ចប់មិននៅក្នុងអំឡុងពេលបើកប្រាក់បៀវត្សរ៍ត្រឹមត្រូវមិនអាចគណនា {0} ។ DocType: POS Profile,Only show Customer of these Customer Groups,បង្ហាញតែអតិថិជននៃក្រុមអតិថិជនទាំងនេះ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ជ្រើសធាតុដើម្បីរក្សាទុកវិក័យប័ត្រ -DocType: Service Level,Resolution Time,ពេលវេលាដោះស្រាយ +DocType: Service Level Priority,Resolution Time,ពេលវេលាដោះស្រាយ DocType: Grading Scale Interval,Grade Description,កម្រិតពណ៌នា DocType: Homepage Section,Cards,កាត DocType: Quality Meeting Minutes,Quality Meeting Minutes,នាទីប្រជុំគុណភាព @@ -7486,6 +7560,7 @@ DocType: Project,Gross Margin %,ប្រាក់ចំណេញដុល% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,សមតុល្យគណនីធនាគារតាមបញ្ជីរាយនាមទូទៅ apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),សុខភាព (បែតា) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,ឃ្លាំងលំនាំដើមដើម្បីបង្កើតលំដាប់លក់និងកំណត់សំគាល់ការដឹកជញ្ជូន +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,ពេលវេលាឆ្លើយតបសម្រាប់ {0} នៅលិបិក្រម {1} មិនអាចធំជាងពេលវេលាដោះស្រាយបានទេ។ DocType: Opportunity,Customer / Lead Name,ឈ្មោះអតិថិជន / នាំមុខ DocType: Student,EDU-STU-.YYYY.-,EDU-STU-yYYYY.- DocType: Expense Claim Advance,Unclaimed amount,ចំនួនទឹកប្រាក់មិនបានទាមទារ @@ -7532,7 +7607,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,ការនាំចូលភាគីនិងអាសយដ្ឋាន DocType: Item,List this Item in multiple groups on the website.,រាយធាតុនេះជាក្រុមច្រើននៅលើគេហទំព័រ។ DocType: Request for Quotation,Message for Supplier,សារសំរាប់អ្នកផ្គត់ផ្គង់ -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,មិនអាចប្តូរ {0} ជាសកម្មភាពប្រតិបត្តិការសម្រាប់ធាតុ {1} បានទេ។ DocType: Healthcare Practitioner,Phone (R),ទូរស័ព្ទ (R) DocType: Maintenance Team Member,Team Member,សមាជិកក្រុម DocType: Asset Category Account,Asset Category Account,គណនីប្រភេទទ្រព្យ diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv index 798557160c..706e14e9cc 100644 --- a/erpnext/translations/kn.csv +++ b/erpnext/translations/kn.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,ಟರ್ಮ್ ಪ್ರಾರಂಭ ದ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,ನೇಮಕಾತಿ {0} ಮತ್ತು ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ {1} ರದ್ದುಗೊಳಿಸಲಾಗಿದೆ DocType: Purchase Receipt,Vehicle Number,ವಾಹನ ಸಂಖ್ಯೆ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,ನಿಮ್ಮ ಇಮೇಲ್ ವಿಳಾಸ ... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,ಡೀಫಾಲ್ಟ್ ಬುಕ್ ನಮೂದುಗಳನ್ನು ಸೇರಿಸಿ +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,ಡೀಫಾಲ್ಟ್ ಬುಕ್ ನಮೂದುಗಳನ್ನು ಸೇರಿಸಿ DocType: Activity Cost,Activity Type,ಚಟುವಟಿಕೆ ಪ್ರಕಾರ DocType: Purchase Invoice,Get Advances Paid,ಅಡ್ವಾನ್ಸ್ ಪಾವತಿಸಿ DocType: Company,Gain/Loss Account on Asset Disposal,ಸ್ವತ್ತು ವಿಲೇವಾರಿ ಮೇಲೆ ಲಾಭ / ನಷ್ಟ ಖಾತೆ @@ -222,7 +222,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,ಅದು ಏನ DocType: Bank Reconciliation,Payment Entries,ಪಾವತಿ ನಮೂದುಗಳು DocType: Employee Education,Class / Percentage,ವರ್ಗ / ಶೇಕಡಾವಾರು ,Electronic Invoice Register,ವಿದ್ಯುನ್ಮಾನ ಸರಕುಪಟ್ಟಿ ನೋಂದಣಿ +DocType: Shift Type,The number of occurrence after which the consequence is executed.,ಪರಿಣಾಮವನ್ನು ಕಾರ್ಯಗತಗೊಳಿಸಿದ ನಂತರ ಸಂಭವಿಸಿದ ಸಂಖ್ಯೆ. DocType: Sales Invoice,Is Return (Credit Note),ರಿಟರ್ನ್ (ಕ್ರೆಡಿಟ್ ಗಮನಿಸಿ) +DocType: Price List,Price Not UOM Dependent,ಬೆಲೆ UOM ಅವಲಂಬಿತವಲ್ಲ DocType: Lab Test Sample,Lab Test Sample,ಲ್ಯಾಬ್ ಪರೀಕ್ಷಾ ಮಾದರಿ DocType: Shopify Settings,status html,ಸ್ಥಿತಿ html DocType: Fiscal Year,"For e.g. 2012, 2012-13","ಉದಾಹರಣೆಗೆ 2012, 2012-13" @@ -324,6 +326,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,ಉತ್ಪನ DocType: Salary Slip,Net Pay,ನಿವ್ವಳ ಪೇ apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,ಒಟ್ಟು ಇನ್ವಾಯ್ಸ್ಡ್ ಆಮ್ಟ್ DocType: Clinical Procedure,Consumables Invoice Separately,ಗ್ರಾಹಕರ ಸರಕುಪಟ್ಟಿ ಪ್ರತ್ಯೇಕವಾಗಿ +DocType: Shift Type,Working Hours Threshold for Absent,ಗೈರುಹಾಜರಿಗಾಗಿ ಕೆಲಸದ ಸಮಯ ಮಿತಿ DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},ಗುಂಪಿನ ಖಾತೆಗೆ ಬಜೆಟ್ ಅನ್ನು ನಿಯೋಜಿಸಲಾಗುವುದಿಲ್ಲ {0} DocType: Purchase Receipt Item,Rate and Amount,ದರ ಮತ್ತು ಮೊತ್ತ @@ -377,7 +380,6 @@ DocType: Sales Invoice,Set Source Warehouse,ಮೂಲ ವೇರ್ಹೌಸ್ DocType: Healthcare Settings,Out Patient Settings,ರೋಗಿಯ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು ಔಟ್ ಮಾಡಿ DocType: Asset,Insurance End Date,ವಿಮಾ ಮುಕ್ತಾಯ ದಿನಾಂಕ DocType: Bank Account,Branch Code,ಶಾಖೆ ಕೋಡ್ -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,ಪ್ರತಿಕ್ರಿಯಿಸಲು ಸಮಯ apps/erpnext/erpnext/public/js/conf.js,User Forum,ಬಳಕೆದಾರ ವೇದಿಕೆ DocType: Landed Cost Item,Landed Cost Item,ಭೂಮಿ ವೆಚ್ಚದ ಐಟಂ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,ಮಾರಾಟಗಾರ ಮತ್ತು ಖರೀದಿದಾರರು ಒಂದೇ ಆಗಿರಬಾರದು @@ -594,6 +596,7 @@ DocType: Lead,Lead Owner,ಲೀಡ್ ಮಾಲೀಕ DocType: Share Transfer,Transfer,ವರ್ಗಾವಣೆ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),ಹುಡುಕಾಟ ಐಟಂ (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} ಫಲಿತಾಂಶವನ್ನು ಸಲ್ಲಿಸಲಾಗಿದೆ +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,ದಿನಾಂಕದಿಂದ ಇಲ್ಲಿಯವರೆಗೆ ದೊಡ್ಡದಾಗಿರಬಾರದು DocType: Supplier,Supplier of Goods or Services.,ಸರಕು ಅಥವಾ ಸೇವೆಗಳ ಪೂರೈಕೆದಾರ. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,ಹೊಸ ಖಾತೆಯ ಹೆಸರು. ಗಮನಿಸಿ: ದಯವಿಟ್ಟು ಗ್ರಾಹಕರಿಗೆ ಮತ್ತು ಪೂರೈಕೆದಾರರಿಗಾಗಿ ಖಾತೆಗಳನ್ನು ರಚಿಸಬೇಡಿ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಅಥವಾ ಕೋರ್ಸ್ ವೇಳಾಪಟ್ಟಿ ಕಡ್ಡಾಯವಾಗಿದೆ @@ -688,6 +691,7 @@ DocType: Job Card,Total Time in Mins,ಮಿನ್ಸ್ನಲ್ಲಿ ಒಟ್ DocType: Shipping Rule,Shipping Amount,ಶಿಪ್ಪಿಂಗ್ ಮೊತ್ತ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Absent,ಒಟ್ಟು ಆಬ್ಸೆಂಟ್ DocType: Fee Validity,Reference Inv,ರೆಫರೆನ್ಸ್ ಆಹ್ವಾನ +apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Row {0}: {1} is required to create the Opening {2} Invoices,ಆರಂಭಿಕ {2} ಇನ್‌ವಾಯ್ಸ್‌ಗಳನ್ನು ರಚಿಸಲು ಸಾಲು {0}: {1} ಅಗತ್ಯವಿದೆ DocType: Bank Account,Is Company Account,ಕಂಪನಿ ಖಾತೆ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Do you want to notify all the customers by email?,ಎಲ್ಲಾ ಗ್ರಾಹಕರನ್ನು ಇಮೇಲ್ ಮೂಲಕ ತಿಳಿಸಲು ನೀವು ಬಯಸುವಿರಾ? DocType: Opening Invoice Creation Tool,Sales,ಮಾರಾಟ @@ -707,6 +711,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/templates/pages/demo.html,ERPNext Demo,ERPNext ಡೆಮೊ DocType: Patient,Other Risk Factors,ಇತರೆ ಅಪಾಯಕಾರಿ ಅಂಶಗಳು DocType: Item Attribute,To Range,ರೇಂಜ್ಗೆ +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,{0} applicable after {1} working days,{1} ಕೆಲಸದ ದಿನಗಳ ನಂತರ {0} ಅನ್ವಯಿಸುತ್ತದೆ DocType: Task,Task Description,ಕಾರ್ಯ ವಿವರಣೆ DocType: Bank Account,SWIFT Number,ಸ್ವಿಫ್ಟ್ ಸಂಖ್ಯೆ DocType: Accounts Settings,Show Payment Schedule in Print,ಮುದ್ರಣದಲ್ಲಿ ಪಾವತಿ ವೇಳಾಪಟ್ಟಿ ತೋರಿಸಿ @@ -887,6 +892,7 @@ DocType: Delivery Trip,Distance UOM,ದೂರ UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್‌ಗೆ ಕಡ್ಡಾಯ DocType: Payment Entry,Total Allocated Amount,ಒಟ್ಟು ಹಂಚಿಕೆ ಮೊತ್ತ DocType: Sales Invoice,Get Advances Received,ಅಡ್ವಾನ್ಸಸ್ ಸ್ವೀಕರಿಸಲಾಗಿದೆ +DocType: Shift Type,Last Sync of Checkin,ಚೆಕ್ಇನ್ನ ಕೊನೆಯ ಸಿಂಕ್ DocType: Student,B-,ಬಿ- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,ಮೌಲ್ಯದಲ್ಲಿ ಐಟಂ ತೆರಿಗೆ ಪ್ರಮಾಣವನ್ನು ಸೇರಿಸಲಾಗಿದೆ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -895,7 +901,9 @@ DocType: Subscription Plan,Subscription Plan,ಚಂದಾದಾರಿಕೆ ಯ DocType: Student,Blood Group,ರಕ್ತ ಗುಂಪು apps/erpnext/erpnext/config/healthcare.py,Masters,ಮಾಸ್ಟರ್ಸ್ DocType: Crop,Crop Spacing UOM,ಕ್ರಾಪ್ ಸ್ಪೇಸಿಂಗ್ UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,ಚೆಕ್-ಇನ್ ಅನ್ನು ತಡವಾಗಿ (ನಿಮಿಷಗಳಲ್ಲಿ) ಪರಿಗಣಿಸಿದಾಗ ಶಿಫ್ಟ್ ಪ್ರಾರಂಭದ ಸಮಯದ ನಂತರ. apps/erpnext/erpnext/templates/pages/home.html,Explore,ಅನ್ವೇಷಿಸಿ +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,ಯಾವುದೇ ಅತ್ಯುತ್ತಮ ಇನ್‌ವಾಯ್ಸ್‌ಗಳು ಕಂಡುಬಂದಿಲ್ಲ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} ಹುದ್ದೆಯ ಮತ್ತು {1} ಬಜೆಟ್ {2} ಈಗಾಗಲೇ {3} ನ ಅಂಗಸಂಸ್ಥೆ ಕಂಪೆನಿಗಳಿಗೆ ಯೋಜಿಸಲಾಗಿದೆ. \ ನೀವು ಪೋಷಕ ಕಂಪನಿಗೆ {3} ಸಿಬ್ಬಂದಿ ಯೋಜನೆ {6} ಪ್ರಕಾರ {4} ಹುದ್ದೆಯವರೆಗೆ ಮತ್ತು ಬಜೆಟ್ {5} ವರೆಗೆ ಮಾತ್ರ ಯೋಜಿಸಬಹುದು. DocType: Promotional Scheme,Product Discount Slabs,ಉತ್ಪನ್ನ ಡಿಸ್ಕೌಂಟ್ ಸ್ಲ್ಯಾಬ್ಗಳು @@ -996,6 +1004,7 @@ DocType: Attendance,Attendance Request,ಹಾಜರಾತಿ ವಿನಂತಿ DocType: Item,Moving Average,ಸರಾಸರಿ ಸರಿಸಲಾಗುತ್ತಿದೆ DocType: Employee Attendance Tool,Unmarked Attendance,ಗುರುತಿಸದ ಹಾಜರಾತಿ DocType: Homepage Section,Number of Columns,ಕಾಲಮ್ಗಳ ಸಂಖ್ಯೆ +DocType: Issue Priority,Issue Priority,ಸಂಚಿಕೆ ಆದ್ಯತೆ DocType: Holiday List,Add Weekly Holidays,ಸಾಪ್ತಾಹಿಕ ರಜಾದಿನಗಳನ್ನು ಸೇರಿಸಿ DocType: Shopify Log,Shopify Log,ಲಾಗ್ Shopify apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,ಸಂಬಳ ಸ್ಲಿಪ್ ರಚಿಸಿ @@ -1004,6 +1013,7 @@ DocType: Job Offer Term,Value / Description,ಮೌಲ್ಯ / ವಿವರಣೆ DocType: Warranty Claim,Issue Date,ಸಂಚಿಕೆ ದಿನಾಂಕ 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}. ಈ ಅಗತ್ಯವನ್ನು ಪೂರೈಸುವ ಒಂದೇ ಬ್ಯಾಚ್ ಅನ್ನು ಹುಡುಕಲಾಗಲಿಲ್ಲ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,ಎಡ ನೌಕರರಿಗೆ ಧಾರಣ ಬೋನಸ್ ರಚಿಸಲಾಗುವುದಿಲ್ಲ +DocType: Employee Checkin,Location / Device ID,ಸ್ಥಳ / ಸಾಧನ ID DocType: Purchase Order,To Receive,ಸ್ವೀಕರಿಸಲು apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,ನೀವು ಆಫ್ಲೈನ್ ಮೋಡ್ನಲ್ಲಿರುವಿರಿ. ನೀವು ನೆಟ್ವರ್ಕ್ ಹೊಂದಿದವರೆಗೂ ನೀವು ಮರುಲೋಡ್ ಮಾಡಲು ಸಾಧ್ಯವಾಗುವುದಿಲ್ಲ. DocType: Course Activity,Enrollment,ದಾಖಲಾತಿ @@ -1012,7 +1022,6 @@ DocType: Lab Test Template,Lab Test Template,ಲ್ಯಾಬ್ ಟೆಸ್ಟ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},ಗರಿಷ್ಠ: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ಇ-ಇನ್ವಾಯ್ಸಿಂಗ್ ಮಾಹಿತಿ ಕಾಣೆಯಾಗಿದೆ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,ಯಾವುದೇ ವಸ್ತು ವಿನಂತಿಯು ರಚಿಸಲಾಗಿಲ್ಲ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗುಂಪು> ಬ್ರಾಂಡ್ DocType: Loan,Total Amount Paid,ಒಟ್ಟು ಮೊತ್ತ ಪಾವತಿಸಿದೆ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,ಈ ಎಲ್ಲ ವಸ್ತುಗಳನ್ನು ಈಗಾಗಲೇ ಇನ್ವಾಯ್ಸ್ ಮಾಡಲಾಗಿದೆ DocType: Training Event,Trainer Name,ತರಬೇತುದಾರ ಹೆಸರು @@ -1122,6 +1131,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},ಲೀಡ್ನಲ್ಲಿರುವ ಲೀಡ್ ಹೆಸರು {0} ಅನ್ನು ದಯವಿಟ್ಟು ಗಮನಿಸಿ. DocType: Employee,You can enter any date manually,ನೀವು ಯಾವುದೇ ದಿನಾಂಕವನ್ನು ಹಸ್ತಚಾಲಿತವಾಗಿ ನಮೂದಿಸಬಹುದು DocType: Stock Reconciliation Item,Stock Reconciliation Item,ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಐಟಂ +DocType: Shift Type,Early Exit Consequence,ಆರಂಭಿಕ ನಿರ್ಗಮನ ಪರಿಣಾಮ DocType: Item Group,General Settings,ಸಾಮಾನ್ಯ ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,ಕಾರಣ ದಿನಾಂಕ ಪೋಸ್ಟಿಂಗ್ / ಪೂರೈಕೆದಾರ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕದ ಮೊದಲು ಇರುವಂತಿಲ್ಲ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,ಸಲ್ಲಿಸುವ ಮೊದಲು ಫಲಾನುಭವಿಯ ಹೆಸರನ್ನು ನಮೂದಿಸಿ. @@ -1160,6 +1170,7 @@ DocType: Account,Auditor,ಆಡಿಟರ್ apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,ಹಣ ಪಾವತಿ ದೃಢೀಕರಣ ,Available Stock for Packing Items,ಐಟಂಗಳನ್ನು ಪ್ಯಾಕಿಂಗ್ ಲಭ್ಯವಿರುವ ಸ್ಟಾಕ್ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},ದಯವಿಟ್ಟು C- ಫಾರ್ಮ್ {1} ನಿಂದ ಈ ಸರಕುಪಟ್ಟಿ {0} ತೆಗೆದುಹಾಕಿ +DocType: Shift Type,Every Valid Check-in and Check-out,ಪ್ರತಿ ಮಾನ್ಯ ಚೆಕ್-ಇನ್ ಮತ್ತು ಚೆಕ್- .ಟ್ DocType: Support Search Source,Query Route String,ಪ್ರಶ್ನೆ ಮಾರ್ಗ ಸ್ಟ್ರಿಂಗ್ DocType: Customer Feedback Template,Customer Feedback Template,ಗ್ರಾಹಕ ಪ್ರತಿಕ್ರಿಯೆ ಟೆಂಪ್ಲೇಟು apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,ಲೀಡ್ಸ್ ಅಥವಾ ಗ್ರಾಹಕರಿಗೆ ಉಲ್ಲೇಖಗಳು. @@ -1194,6 +1205,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,ಅಧಿಕಾರ ನಿಯಂತ್ರಣ ,Daily Work Summary Replies,ಡೈಲಿ ವರ್ಕ್ ಸಾರಾಂಶ ಪ್ರತ್ಯುತ್ತರಗಳನ್ನು apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},ಯೋಜನೆಯಲ್ಲಿ ಸಹಯೋಗಿಸಲು ನಿಮ್ಮನ್ನು ಆಹ್ವಾನಿಸಲಾಗಿದೆ: {0} +DocType: Issue,Response By Variance,ವ್ಯತ್ಯಾಸದಿಂದ ಪ್ರತಿಕ್ರಿಯೆ DocType: Item,Sales Details,ಮಾರಾಟದ ವಿವರಗಳು apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,ಪತ್ರ ಮುದ್ರಣ ಟೆಂಪ್ಲೆಟ್ಗಳಿಗಾಗಿ ಮುಖ್ಯಸ್ಥರು. DocType: Salary Detail,Tax on additional salary,ಹೆಚ್ಚುವರಿ ಸಂಬಳದ ತೆರಿಗೆ @@ -1317,10 +1329,12 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,ಗ್ರ DocType: Project,Task Progress,ಟಾಸ್ಕ್ ಪ್ರೋಗ್ರೆಸ್ DocType: Journal Entry,Opening Entry,ಪ್ರವೇಶ ಪ್ರವೇಶ DocType: Bank Guarantee,Charges Incurred,ಶುಲ್ಕಗಳು ಉಂಟಾಗಿದೆ +DocType: Shift Type,Working Hours Calculation Based On,ಕೆಲಸದ ಸಮಯದ ಲೆಕ್ಕಾಚಾರವನ್ನು ಆಧರಿಸಿದೆ DocType: Work Order,Material Transferred for Manufacturing,ಉತ್ಪಾದನೆಗೆ ವಸ್ತು ವರ್ಗಾಯಿಸಲಾಗಿದೆ DocType: Products Settings,Hide Variants,ರೂಪಾಂತರಗಳನ್ನು ಮರೆಮಾಡಿ DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ಸಾಮರ್ಥ್ಯ ಯೋಜನೆ ಮತ್ತು ಸಮಯ ಟ್ರ್ಯಾಕಿಂಗ್ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* ವ್ಯವಹಾರದಲ್ಲಿ ಲೆಕ್ಕ ಹಾಕಲಾಗುವುದು. +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Balance Sheet' account {1}.,'ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್' ಖಾತೆಗೆ {0} ಅಗತ್ಯವಿದೆ {1}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} not allowed to transact with {1}. Please change the Company.,{0} {1} ನೊಂದಿಗೆ ವರ್ಗಾವಣೆ ಮಾಡಲು ಅನುಮತಿಸಲಾಗಿಲ್ಲ. ದಯವಿಟ್ಟು ಕಂಪನಿ ಬದಲಿಸಿ. 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} ಗಾಗಿ ಖರೀದಿಯ ರಸೀದಿವನ್ನು ಮೊದಲು ರಚಿಸಬೇಕಾಗಿದೆ." DocType: Delivery Trip,Delivery Details,ವಿತರಣಾ ವಿವರಗಳು @@ -1345,6 +1359,7 @@ DocType: Account,Depreciation,ಸವಕಳಿ DocType: Guardian,Interests,ಆಸಕ್ತಿಗಳು DocType: Purchase Receipt Item Supplied,Consumed Qty,ಕ್ಯೂಟಿ ಬಳಕೆ DocType: Education Settings,Education Manager,ಶಿಕ್ಷಣ ನಿರ್ವಾಹಕ +DocType: Employee Checkin,Shift Actual Start,ನಿಜವಾದ ಪ್ರಾರಂಭವನ್ನು ಬದಲಾಯಿಸಿ DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,ಕಾರ್ಯಕ್ಷೇತ್ರದ ಕೆಲಸದ ಸಮಯದ ಹೊರಗೆ ಯೋಜನೆ ಸಮಯದ ದಾಖಲೆಗಳು. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},ಲಾಯಲ್ಟಿ ಪಾಯಿಂಟುಗಳು: {0} DocType: Healthcare Settings,Registration Message,ನೋಂದಣಿ ಸಂದೇಶ @@ -1371,7 +1386,6 @@ DocType: Sales Partner,Contact Desc,ಸಂಪರ್ಕ Desc DocType: Purchase Invoice,Pricing Rules,ಬೆಲೆ ನಿಯಮಗಳು DocType: Hub Tracked Item,Image List,ಇಮೇಜ್ ಪಟ್ಟಿ DocType: Item Variant Settings,Allow Rename Attribute Value,ಗುಣಲಕ್ಷಣ ಮೌಲ್ಯವನ್ನು ಮರುಹೆಸರಿಸಲು ಅನುಮತಿಸಿ -DocType: Price List,Price Not UOM Dependant,ಬೆಲೆ UOM ಅವಲಂಬಿತವಲ್ಲ apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),ಸಮಯ (ನಿಮಿಷಗಳಲ್ಲಿ) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,ಮೂಲಭೂತ DocType: Loan,Interest Income Account,ಬಡ್ಡಿ ಆದಾಯ ಖಾತೆ @@ -1381,6 +1395,7 @@ DocType: Employee,Employment Type,ಉದ್ಯೋಗದ ರೀತಿ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,POS ಪ್ರೊಫೈಲ್ ಆಯ್ಕೆಮಾಡಿ DocType: Support Settings,Get Latest Query,ಇತ್ತೀಚಿನ ಪ್ರಶ್ನೆ ಪಡೆಯಿರಿ DocType: Employee Incentive,Employee Incentive,ನೌಕರರ ಪ್ರೋತ್ಸಾಹ +DocType: Service Level,Priorities,ಆದ್ಯತೆಗಳು apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,ಮುಖಪುಟದಲ್ಲಿ ಕಾರ್ಡ್ಗಳನ್ನು ಅಥವಾ ಕಸ್ಟಮ್ ವಿಭಾಗಗಳನ್ನು ಸೇರಿಸಿ DocType: Homepage,Hero Section Based On,ಹೀರೋ ವಿಭಾಗವು ಆಧರಿಸಿರುತ್ತದೆ DocType: Project,Total Purchase Cost (via Purchase Invoice),ಒಟ್ಟು ಖರೀದಿ ವೆಚ್ಚ (ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಮೂಲಕ) @@ -1441,7 +1456,7 @@ DocType: Work Order,Manufacture against Material Request,ಮೆಟೀರಿಯ DocType: Blanket Order Item,Ordered Quantity,ಆದೇಶ ಪ್ರಮಾಣ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ಸಾಲು # {0}: ನಿರಾಕರಿಸಿದ ಐಟಂ ವಿರುದ್ಧ ತಿರಸ್ಕರಿಸಲಾದ ವೇರ್ಹೌಸ್ ಕಡ್ಡಾಯವಾಗಿದೆ {1} ,Received Items To Be Billed,ಸ್ವೀಕರಿಸಿದ ಐಟಂಗಳು ಬಿಲ್ ಮಾಡಲು -DocType: Salary Slip Timesheet,Working Hours,ಕೆಲಸದ ಸಮಯ +DocType: Attendance,Working Hours,ಕೆಲಸದ ಸಮಯ apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,ಪಾವತಿ ಮೋಡ್ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,ಖರೀದಿ ಆರ್ಡರ್ ಐಟಂಗಳನ್ನು ಸಮಯಕ್ಕೆ ಸ್ವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,ದಿನಗಳಲ್ಲಿ ಅವಧಿ @@ -1561,7 +1576,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,ನಿಮ್ಮ ಸರಬರಾಜುದಾರರ ಬಗ್ಗೆ ಶಾಸನಬದ್ಧ ಮಾಹಿತಿ ಮತ್ತು ಇತರ ಸಾಮಾನ್ಯ ಮಾಹಿತಿ DocType: Item Default,Default Selling Cost Center,ಡೀಫಾಲ್ಟ್ ಸೆಲ್ಲಿಂಗ್ ವೆಚ್ಚ ಕೇಂದ್ರ DocType: Sales Partner,Address & Contacts,ವಿಳಾಸ & ಸಂಪರ್ಕಗಳು -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್> ಸಂಖ್ಯೆಯ ಸರಣಿಯ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ದಯವಿಟ್ಟು ಸಂಖ್ಯೆಯ ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿ DocType: Subscriber,Subscriber,ಚಂದಾದಾರ apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ಫಾರ್ಮ್ / ಐಟಂ / {0}) ಸ್ಟಾಕ್ ಇಲ್ಲ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,ಪೋಸ್ಟ್ ದಿನಾಂಕವನ್ನು ಮೊದಲು ಆಯ್ಕೆಮಾಡಿ @@ -1572,7 +1586,7 @@ DocType: Project,% Complete Method,% ಸಂಪೂರ್ಣ ವಿಧಾನ DocType: Detected Disease,Tasks Created,ಕಾರ್ಯಗಳು ರಚಿಸಲಾಗಿದೆ apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,ಡೀಫಾಲ್ಟ್ BOM ({0}) ಈ ಐಟಂ ಅಥವಾ ಅದರ ಟೆಂಪ್ಲೇಟ್ಗಾಗಿ ಸಕ್ರಿಯವಾಗಿರಬೇಕು apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,ಕಮೀಷನ್ ದರ% -DocType: Service Level,Response Time,ಪ್ರತಿಕ್ರಿಯೆ ಸಮಯ +DocType: Service Level Priority,Response Time,ಪ್ರತಿಕ್ರಿಯೆ ಸಮಯ DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,ಪ್ರಮಾಣ ಧನಾತ್ಮಕವಾಗಿರಬೇಕು DocType: Contract,CRM,ಸಿಆರ್ಎಂ @@ -1589,7 +1603,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,ಒಳರೋಗಿ ಭ DocType: Bank Statement Settings,Transaction Data Mapping,ವ್ಯವಹಾರ ಡೇಟಾ ಮ್ಯಾಪಿಂಗ್ apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,ಲೀಡ್ಗೆ ಒಬ್ಬ ವ್ಯಕ್ತಿಯ ಹೆಸರು ಅಥವಾ ಸಂಸ್ಥೆಯ ಹೆಸರು ಬೇಕಾಗುತ್ತದೆ DocType: Student,Guardians,ಗಾರ್ಡಿಯನ್ಸ್ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ಶಿಕ್ಷಣ> ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ಬೋಧಕ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ಬ್ರ್ಯಾಂಡ್ ಆಯ್ಕೆಮಾಡಿ ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,ಮಧ್ಯಮ ಆದಾಯ DocType: Shipping Rule,Calculate Based On,ಆಧರಿಸಿ ಲೆಕ್ಕಾಚಾರ @@ -1689,7 +1702,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,ರಾ ಮೆಟೀರಿಯಲ್ ಐಟಂ ಕೋಡ್ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ {0} ಈಗಾಗಲೇ ಸಲ್ಲಿಸಲಾಗಿದೆ DocType: Fees,Student Email,ವಿದ್ಯಾರ್ಥಿ ಇಮೇಲ್ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM ರಿಕರ್ಶನ್: {0} ಪೋಷಕ ಅಥವಾ ಮಗುವಿನ {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ಆರೋಗ್ಯ ಸೇವೆಗಳಿಂದ ವಸ್ತುಗಳನ್ನು ಪಡೆಯಿರಿ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,ಸ್ಟಾಕ್ ಎಂಟ್ರಿ {0} ಅನ್ನು ಸಲ್ಲಿಸಲಾಗಿಲ್ಲ DocType: Item Attribute Value,Item Attribute Value,ಐಟಂ ಗುಣಲಕ್ಷಣ ಮೌಲ್ಯ @@ -1714,7 +1726,6 @@ DocType: POS Profile,Allow Print Before Pay,ಪೇ ಮೊದಲು ಮುದ್ DocType: Production Plan,Select Items to Manufacture,ಉತ್ಪಾದನೆಗೆ ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ DocType: Leave Application,Leave Approver Name,ಅಪ್ರೋವರ್ ಹೆಸರನ್ನು ಬಿಡಿ DocType: Shareholder,Shareholder,ಷೇರುದಾರ -DocType: Issue,Agreement Status,ಒಪ್ಪಂದದ ಸ್ಥಿತಿ apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,ವ್ಯವಹಾರಗಳನ್ನು ಮಾರಾಟ ಮಾಡಲು ಡೀಫಾಲ್ಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳು. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,ವಿದ್ಯಾರ್ಥಿಗಳ ಅರ್ಜಿದಾರರಿಗೆ ಕಡ್ಡಾಯವಾಗಿರುವ ವಿದ್ಯಾರ್ಥಿ ಪ್ರವೇಶವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOM ಆಯ್ಕೆಮಾಡಿ @@ -1975,6 +1986,7 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,ಐಟಂ 4 DocType: Account,Income Account,ವರಮಾನ ಖಾತೆ apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,ಎಲ್ಲಾ ಗೋದಾಮುಗಳು DocType: Contract,Signee Details,ಸಿಗ್ನಿ ವಿವರಗಳು +DocType: Shift Type,Allow check-out after shift end time (in minutes),ಶಿಫ್ಟ್ ಅಂತಿಮ ಸಮಯದ ನಂತರ (ನಿಮಿಷಗಳಲ್ಲಿ) ಚೆಕ್- out ಟ್ ಮಾಡಲು ಅನುಮತಿಸಿ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,ಖರೀದಿ DocType: Item Group,Check this if you want to show in website,ನೀವು ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ತೋರಿಸಲು ಬಯಸಿದರೆ ಇದನ್ನು ಪರಿಶೀಲಿಸಿ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ಹಣಕಾಸಿನ ವರ್ಷ {0} ಕಂಡುಬಂದಿಲ್ಲ @@ -2040,6 +2052,7 @@ DocType: Asset Finance Book,Depreciation Start Date,ಸವಕಳಿ ಪ್ರಾ DocType: Activity Cost,Billing Rate,ಬಿಲ್ಲಿಂಗ್ ದರ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},ಎಚ್ಚರಿಕೆ: ಮತ್ತೊಂದು {0} # {1} ಸ್ಟಾಕ್ ನಮೂದನ್ನು ಎದುರಿಸಿದೆ {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,ಮಾರ್ಗಸೂಚಿಯನ್ನು ಅಂದಾಜು ಮಾಡಲು ಮತ್ತು ಉತ್ತಮಗೊಳಿಸಲು Google ನಕ್ಷೆಗಳ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ +DocType: Purchase Invoice Item,Page Break,ಪುಟ ಬ್ರೇಕ್ DocType: Supplier Scorecard Criteria,Max Score,ಗರಿಷ್ಠ ಸ್ಕೋರ್ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,ಮರುಪಾವತಿಯ ಪ್ರಾರಂಭ ದಿನಾಂಕವನ್ನು ವಿತರಣೆ ದಿನಾಂಕಕ್ಕಿಂತ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ. DocType: Support Search Source,Support Search Source,ಹುಡುಕಾಟ ಮೂಲವನ್ನು ಬೆಂಬಲಿಸು @@ -2108,6 +2121,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,ಗುಣಮಟ್ಟದ DocType: Employee Transfer,Employee Transfer,ಉದ್ಯೋಗಿ ವರ್ಗಾವಣೆ ,Sales Funnel,ಮಾರಾಟದ ಸುರಂಗ DocType: Agriculture Analysis Criteria,Water Analysis,ನೀರಿನ ವಿಶ್ಲೇಷಣೆ +DocType: Shift Type,Begin check-in before shift start time (in minutes),ಶಿಫ್ಟ್ ಪ್ರಾರಂಭದ ಸಮಯದ ಮೊದಲು (ನಿಮಿಷಗಳಲ್ಲಿ) ಚೆಕ್-ಇನ್ ಪ್ರಾರಂಭಿಸಿ DocType: Accounts Settings,Accounts Frozen Upto,ಖಾತೆಗಳು ಫ್ರೋಜನ್ ವರೆಗೆ apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,ಸಂಪಾದಿಸಲು ಏನೂ ಇಲ್ಲ. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","ಕಾರ್ಯಸ್ಥಳ {1} ನಲ್ಲಿ ಲಭ್ಯವಿರುವ ಯಾವುದೇ ಕೆಲಸದ ಸಮಯಕ್ಕಿಂತಲೂ ಆಪರೇಷನ್ {0} ಉದ್ದವಾಗಿದೆ, ಕಾರ್ಯಾಚರಣೆಯನ್ನು ಬಹು ಕಾರ್ಯಾಚರಣೆಗಳಾಗಿ ವಿಭಜಿಸುತ್ತದೆ" @@ -2121,7 +2135,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,ಸ apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},ಮಾರಾಟದ ಆದೇಶ {0} ಆಗಿದೆ {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ಪಾವತಿ ವಿಳಂಬ (ದಿನಗಳು) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,ಸವಕಳಿ ವಿವರಗಳನ್ನು ನಮೂದಿಸಿ +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,ಗ್ರಾಹಕ ಪಿಒ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,ನಿರೀಕ್ಷಿತ ಡೆಲಿವರಿ ದಿನಾಂಕ ಮಾರಾಟದ ಆದೇಶದ ದಿನಾಂಕದ ನಂತರ ಇರಬೇಕು +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,ಐಟಂ ಪ್ರಮಾಣ ಶೂನ್ಯವಾಗಿರಬಾರದು apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,ಅಮಾನ್ಯ ಗುಣಲಕ್ಷಣ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},ದಯವಿಟ್ಟು ಐಟಂನ ವಿರುದ್ಧ BOM ಅನ್ನು ಆಯ್ಕೆ ಮಾಡಿ {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,ಸರಕುಪಟ್ಟಿ ಪ್ರಕಾರ @@ -2131,6 +2147,7 @@ DocType: Maintenance Visit,Maintenance Date,ನಿರ್ವಹಣೆ ದಿನ DocType: Volunteer,Afternoon,ಮಧ್ಯಾಹ್ನ DocType: Vital Signs,Nutrition Values,ನ್ಯೂಟ್ರಿಷನ್ ಮೌಲ್ಯಗಳು DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),ಜ್ವರದ ಉಪಸ್ಥಿತಿ (ಟೆಂಪ್> 38.5 ° C / 101.3 ° F ಅಥವಾ ನಿರಂತರ ತಾಪಮಾನವು> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ದಯವಿಟ್ಟು ಮಾನವ ಸಂಪನ್ಮೂಲ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ನೌಕರರ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಹೊಂದಿಸಿ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ಐಟಿಸಿ ರಿವರ್ಸ್ಡ್ DocType: Project,Collect Progress,ಪ್ರೋಗ್ರೆಸ್ ಸಂಗ್ರಹಿಸಿ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,ಶಕ್ತಿ @@ -2180,6 +2197,7 @@ DocType: Setup Progress,Setup Progress,ಸೆಟಪ್ ಪ್ರೋಗ್ರೆ ,Ordered Items To Be Billed,ಆದೇಶಿಸಿದ ಐಟಂಗಳನ್ನು ಬಿಲ್ ಮಾಡಿ DocType: Taxable Salary Slab,To Amount,ಮೊತ್ತಕ್ಕೆ DocType: Purchase Invoice,Is Return (Debit Note),ರಿಟರ್ನ್ (ಡೆಬಿಟ್ ಸೂಚನೆ) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕ ಗುಂಪು> ಪ್ರದೇಶ apps/erpnext/erpnext/config/desktop.py,Getting Started,ಶುರುವಾಗುತ್ತಿದೆ apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,ವಿಲೀನಗೊಳ್ಳಲು apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,ಹಣಕಾಸಿನ ವರ್ಷವನ್ನು ಉಳಿಸಿದ ನಂತರ ಹಣಕಾಸಿನ ವರ್ಷ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮತ್ತು ಹಣಕಾಸಿನ ವರ್ಷಾಂತ್ಯದ ದಿನಾಂಕವನ್ನು ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ. @@ -2200,6 +2218,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Ex DocType: Purchase Invoice,Select Supplier Address,ಪೂರೈಕೆದಾರ ವಿಳಾಸವನ್ನು ಆಯ್ಕೆಮಾಡಿ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,ದಯವಿಟ್ಟು API ಗ್ರಾಹಕ ರಹಸ್ಯವನ್ನು ನಮೂದಿಸಿ DocType: Program Enrollment Fee,Program Enrollment Fee,ಪ್ರೋಗ್ರಾಂ ದಾಖಲಾತಿ ಶುಲ್ಕ +DocType: Employee Checkin,Shift Actual End,ನಿಜವಾದ ಅಂತ್ಯವನ್ನು ಬದಲಾಯಿಸಿ DocType: Serial No,Warranty Expiry Date,ಖಾತರಿ ಅವಧಿ ದಿನಾಂಕ DocType: Hotel Room Pricing,Hotel Room Pricing,ಹೋಟೆಲ್ ರೂಂ ಬೆಲೆ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","ಹೊರಗಣ ತೆರಿಗೆ ಮಾಡಬಹುದಾದ ಸರಬರಾಜುಗಳು (ಶೂನ್ಯ ದರದ ಹೊರತಾಗಿ, ರೇಟ್ ಮಾಡದ ಮತ್ತು ವಿನಾಯಿತಿ ಮಾಡಲಾಗುವುದಿಲ್ಲ" @@ -2259,6 +2278,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,ಓದುವಿಕೆ 5 DocType: Shopping Cart Settings,Display Settings,ಪ್ರದರ್ಶನ ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,ದಯವಿಟ್ಟು ಬುಕ್ ಮಾಡಲಾದ ಸಂಖ್ಯೆಗಳ ಸಂಖ್ಯೆಯನ್ನು ನಿಗದಿಪಡಿಸಿ +DocType: Shift Type,Consequence after,ನಂತರದ ಪರಿಣಾಮ apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,ನಿಮಗೆ ಯಾವ ಸಹಾಯ ಬೇಕು? DocType: Journal Entry,Printing Settings,ಮುದ್ರಣ ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,ಬ್ಯಾಂಕಿಂಗ್ @@ -2268,6 +2288,7 @@ DocType: Purchase Invoice Item,PR Detail,PR ವಿವರ apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,ಬಿಲ್ಲಿಂಗ್ ವಿಳಾಸವು ಶಿಪ್ಪಿಂಗ್ ವಿಳಾಸದಂತೆ ಇರುತ್ತದೆ DocType: Account,Cash,ನಗದು DocType: Employee,Leave Policy,ಪಾಲಿಸಿಯನ್ನು ಬಿಡಿ +DocType: Shift Type,Consequence,ಪರಿಣಾಮ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,ವಿದ್ಯಾರ್ಥಿ ವಿಳಾಸ DocType: GST Account,CESS Account,CESS ಖಾತೆ apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","ಮಗುವಿನ ಕಂಪನಿ {0} ಖಾತೆ ರಚಿಸುವಾಗ, ಮೂಲ ಖಾತೆ {1} ಕಂಡುಬಂದಿಲ್ಲ. ದಯವಿಟ್ಟು ಸಂಬಂಧಿಸಿದ COA ನಲ್ಲಿ ಪೋಷಕ ಖಾತೆಯನ್ನು ರಚಿಸಿ" @@ -2331,6 +2352,7 @@ DocType: GST HSN Code,GST HSN Code,ಜಿಎಸ್ಟಿ ಎಚ್ಎಸ್ಎ DocType: Period Closing Voucher,Period Closing Voucher,ಅವಧಿ ಮುಕ್ತಾಯದ ಚೀಟಿ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,ಗಾರ್ಡಿಯನ್ 2 ಹೆಸರು apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,ದಯವಿಟ್ಟು ಖರ್ಚು ಖಾತೆ ನಮೂದಿಸಿ +DocType: Issue,Resolution By Variance,ವ್ಯತ್ಯಾಸದಿಂದ ನಿರ್ಣಯ DocType: Employee,Resignation Letter Date,ರಾಜೀನಾಮೆ ಪತ್ರ ದಿನಾಂಕ DocType: Soil Texture,Sandy Clay,ಸ್ಯಾಂಡಿ ಕ್ಲೇ DocType: Upload Attendance,Attendance To Date,ಹಾಜರಾತಿಗೆ ದಿನಾಂಕ @@ -2343,6 +2365,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,ಈಗ ವೀಕ್ಷಿಸಿ DocType: Item Price,Valid Upto,ವರೆಗೆ ಮಾನ್ಯ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},ಉಲ್ಲೇಖ ಡಾಕ್ಟೈಪ್ {0} +DocType: Employee Checkin,Skip Auto Attendance,ಸ್ವಯಂ ಹಾಜರಾತಿಯನ್ನು ಬಿಟ್ಟುಬಿಡಿ DocType: Payment Request,Transaction Currency,ವ್ಯವಹಾರ ಕರೆನ್ಸಿ DocType: Loan,Repayment Schedule,ಮರುಪಾವತಿಯ ವೇಳಾಪಟ್ಟಿ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,ಮಾದರಿ ಧಾರಣ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ರಚಿಸಿ @@ -2414,6 +2437,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,ವೇತನ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,ಪಿಓಎಸ್ ವೂಚರ್ ತೆರಿಗೆಗಳನ್ನು ಮುಕ್ತಾಯಗೊಳಿಸುತ್ತದೆ apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,ಆಕ್ಷನ್ ಪ್ರಾರಂಭಿಸಲಾಗಿದೆ DocType: POS Profile,Applicable for Users,ಬಳಕೆದಾರರಿಗೆ ಅನ್ವಯಿಸುತ್ತದೆ +,Delayed Order Report,ವಿಳಂಬ ಆದೇಶ ವರದಿ DocType: Training Event,Exam,ಪರೀಕ್ಷೆ apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,ತಪ್ಪಾದ ಸಂಖ್ಯೆಯ ಜನರಲ್ ಲೆಡ್ಜರ್ ನಮೂದುಗಳು ಕಂಡುಬಂದಿವೆ. ನೀವು ವಹಿವಾಟಿನಲ್ಲಿ ತಪ್ಪು ಖಾತೆಯನ್ನು ಆಯ್ಕೆ ಮಾಡಿರಬಹುದು. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,ಮಾರಾಟದ ಪೈಪ್ಲೈನ್ @@ -2428,10 +2452,10 @@ DocType: Account,Round Off,ರೌಂಡ್ ಆಫ್ DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,ಸಂಯೋಜಿಸಲಾದ ಎಲ್ಲಾ ಆಯ್ಕೆಮಾಡಿದ ಐಟಂಗಳಲ್ಲಿ ನಿಯಮಗಳು ಅನ್ವಯವಾಗುತ್ತವೆ. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,ಕಾನ್ಫಿಗರ್ ಮಾಡಿ DocType: Hotel Room,Capacity,ಸಾಮರ್ಥ್ಯ +DocType: Employee Checkin,Shift End,ಶಿಫ್ಟ್ ಎಂಡ್ DocType: Installation Note Item,Installed Qty,Qty ಸ್ಥಾಪಿಸಲಾಗಿದೆ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,ಐಟಂ {1} ದ ಬ್ಯಾಚ್ {0} ಅನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ. DocType: Hotel Room Reservation,Hotel Reservation User,ಹೋಟೆಲ್ ಮೀಸಲಾತಿ ಬಳಕೆದಾರ -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,ಕೆಲಸದ ದಿನವನ್ನು ಎರಡು ಬಾರಿ ಪುನರಾವರ್ತಿಸಲಾಗಿದೆ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},ಐಟಂ ಗ್ರೂಪ್ನಲ್ಲಿ item master ನಲ್ಲಿ ಉಲ್ಲೇಖಿಸಲಾಗಿಲ್ಲ {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},ಹೆಸರು ದೋಷ: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,ಪ್ರದೇಶವು POS ಪ್ರೊಫೈಲ್ನಲ್ಲಿ ಅಗತ್ಯವಿದೆ @@ -2479,6 +2503,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,ವೇಳಾಪಟ್ಟಿ ದಿನಾಂಕ DocType: Packing Slip,Package Weight Details,ಪ್ಯಾಕೇಜ್ ತೂಕ ವಿವರಗಳು DocType: Job Applicant,Job Opening,ಉದ್ಯೋಗಾವಕಾಶದ +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,ನೌಕರರ ಚೆಕ್ಇನ್‌ನ ಕೊನೆಯ ತಿಳಿದಿರುವ ಯಶಸ್ವಿ ಸಿಂಕ್. ಎಲ್ಲಾ ಲಾಗ್‌ಗಳನ್ನು ಎಲ್ಲಾ ಸ್ಥಳಗಳಿಂದ ಸಿಂಕ್ ಮಾಡಲಾಗಿದೆ ಎಂದು ನಿಮಗೆ ಖಚಿತವಾಗಿದ್ದರೆ ಮಾತ್ರ ಇದನ್ನು ಮರುಹೊಂದಿಸಿ. ನಿಮಗೆ ಖಚಿತವಿಲ್ಲದಿದ್ದರೆ ದಯವಿಟ್ಟು ಇದನ್ನು ಮಾರ್ಪಡಿಸಬೇಡಿ. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ವಾಸ್ತವಿಕ ವೆಚ್ಚ apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ಆರ್ಡರ್ {1} ವಿರುದ್ಧ ಒಟ್ಟು ಮುಂಗಡ ({0}) ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,ಐಟಂ ರೂಪಾಂತರಗಳು ನವೀಕರಿಸಲಾಗಿದೆ @@ -2523,6 +2548,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,ಉಲ್ಲೇಖ ಖರ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,ಆಕ್ರಮಣಗಳನ್ನು ಪಡೆಯಿರಿ DocType: Tally Migration,Is Day Book Data Imported,ದಿನ ಪುಸ್ತಕ ಡೇಟಾ ಆಮದು ಮಾಡಲಾಗಿದೆ ,Sales Partners Commission,ಮಾರಾಟ ಪಾಲುದಾರರ ಆಯೋಗ +DocType: Shift Type,Enable Different Consequence for Early Exit,ಆರಂಭಿಕ ನಿರ್ಗಮನಕ್ಕಾಗಿ ವಿಭಿನ್ನ ಪರಿಣಾಮಗಳನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,ಕಾನೂನು DocType: Loan Application,Required by Date,ದಿನಾಂಕದ ಅಗತ್ಯವಿದೆ DocType: Quiz Result,Quiz Result,ರಸಪ್ರಶ್ನೆ ಫಲಿತಾಂಶ @@ -2582,7 +2608,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,ಹಣಕ DocType: Pricing Rule,Pricing Rule,ಬೆಲೆ ನಿಯಮ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},ಐಚ್ಛಿಕ ಹಾಲಿಡೇ ಪಟ್ಟಿ ರಜೆಯ ಅವಧಿಯನ್ನು ಹೊಂದಿಸುವುದಿಲ್ಲ {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,ನೌಕರರ ಪಾತ್ರವನ್ನು ಹೊಂದಿಸಲು ನೌಕರರ ದಾಖಲೆ ಯಲ್ಲಿ ಬಳಕೆದಾರ ID ಕ್ಷೇತ್ರವನ್ನು ಹೊಂದಿಸಿ -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,ಪರಿಹರಿಸಲು ಸಮಯ DocType: Training Event,Training Event,ತರಬೇತಿ ಕಾರ್ಯಕ್ರಮ DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","ವಯಸ್ಕರಲ್ಲಿ ಸಾಮಾನ್ಯವಾದ ವಿಶ್ರಾಂತಿ ರಕ್ತದೊತ್ತಡ ಸುಮಾರು 120 mmHg ಸಂಕೋಚನ, ಮತ್ತು 80 mmHg ಡಯಾಸ್ಟೊಲಿಕ್, ಸಂಕ್ಷಿಪ್ತ "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,ಮಿತಿ ಮೌಲ್ಯವು ಶೂನ್ಯವಾಗಿದ್ದರೆ ಸಿಸ್ಟಮ್ ಎಲ್ಲಾ ನಮೂದುಗಳನ್ನು ಪಡೆದುಕೊಳ್ಳುತ್ತದೆ. @@ -2626,6 +2651,7 @@ DocType: Woocommerce Settings,Enable Sync,ಸಿಂಕ್ ಸಕ್ರಿಯಗ DocType: Student Applicant,Approved,ಅನುಮೋದಿಸಲಾಗಿದೆ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},ದಿನಾಂಕದಿಂದ ಹಣಕಾಸಿನ ವರ್ಷದೊಳಗೆ ಇರಬೇಕು. ದಿನಾಂಕದಿಂದ ಊಹಿಸಲಾಗುತ್ತಿದೆ = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,ದಯವಿಟ್ಟು ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು ಖರೀದಿಸಲು ಸರಬರಾಜುದಾರ ಗುಂಪನ್ನು ಹೊಂದಿಸಿ. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,}} ಅಮಾನ್ಯ ಹಾಜರಾತಿ ಸ್ಥಿತಿ. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,ತಾತ್ಕಾಲಿಕ ತೆರೆಯುವ ಖಾತೆ DocType: Purchase Invoice,Cash/Bank Account,ನಗದು / ಬ್ಯಾಂಕ್ ಖಾತೆ DocType: Quality Meeting Table,Quality Meeting Table,ಗುಣಮಟ್ಟ ಸಭೆ ಪಟ್ಟಿ @@ -2661,6 +2687,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS ಪ್ರಮಾಣ ಟೋಕನ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","ಆಹಾರ, ಪಾನೀಯ ಮತ್ತು ತಂಬಾಕು" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,ಕೋರ್ಸ್ ವೇಳಾಪಟ್ಟಿ DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ಐಟಂ ವೈಸ್ ತೆರಿಗೆ ವಿವರ +DocType: Shift Type,Attendance will be marked automatically only after this date.,ಈ ದಿನಾಂಕದ ನಂತರ ಮಾತ್ರ ಹಾಜರಾತಿಯನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಗುರುತಿಸಲಾಗುತ್ತದೆ. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,UIN ಹೊಂದಿರುವವರಿಗೆ ಪೂರೈಕೆ apps/erpnext/erpnext/hooks.py,Request for Quotations,ಉಲ್ಲೇಖಗಳಿಗಾಗಿ ವಿನಂತಿ apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,ಕೆಲವು ಕರೆನ್ಸಿಯನ್ನು ಬಳಸಿಕೊಂಡು ನಮೂದುಗಳನ್ನು ಮಾಡಿದ ನಂತರ ಕರೆನ್ಸಿಯನ್ನು ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ @@ -2927,7 +2954,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,ರಿಯಾಯಿತ DocType: Hotel Settings,Default Taxes and Charges,ಡೀಫಾಲ್ಟ್ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,ಇದು ಈ ಸರಬರಾಜುದಾರರ ವಿರುದ್ಧ ವ್ಯವಹಾರಗಳನ್ನು ಆಧರಿಸಿದೆ. ವಿವರಗಳಿಗಾಗಿ ಕೆಳಗೆ ಟೈಮ್ಲೈನ್ ನೋಡಿ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},ಉದ್ಯೋಗಿಗಳ ಗರಿಷ್ಠ ಲಾಭದ ಮೊತ್ತವು {0} ಮೀರುತ್ತದೆ {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,ಒಪ್ಪಂದಕ್ಕೆ ಪ್ರಾರಂಭ ಮತ್ತು ಅಂತಿಮ ದಿನಾಂಕವನ್ನು ನಮೂದಿಸಿ. DocType: Delivery Note Item,Against Sales Invoice,ಮಾರಾಟದ ಸರಕುಗಳ ವಿರುದ್ಧ DocType: Loyalty Point Entry,Purchase Amount,ಖರೀದಿ ಮೊತ್ತ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,ಮಾರಾಟದ ಆರ್ಡರ್ ಮಾಡಿದಂತೆ ಲಾಸ್ಟ್ ಆಗಿ ಹೊಂದಿಸಲಾಗುವುದಿಲ್ಲ. @@ -2951,7 +2977,7 @@ DocType: Homepage,"URL for ""All Products""","ಎಲ್ಲಾ ಉತ್ಪ DocType: Lead,Organization Name,ಸಂಸ್ಥೆ ಹೆಸರು apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,ಕ್ಷೇತ್ರದಿಂದ ಮಾನ್ಯವಾದ ಮತ್ತು ಮಾನ್ಯ ವರೆಗೆ ಕಡ್ಡಾಯವಾಗಿ ಕಡ್ಡಾಯವಾಗಿದೆ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},ಸಾಲು # {0}: ಬ್ಯಾಚ್ ಸಂಖ್ಯೆ {1} {2} -DocType: Employee,Leave Details,ವಿವರಗಳನ್ನು ಬಿಡಿ +DocType: Employee Checkin,Shift Start,ಶಿಫ್ಟ್ ಪ್ರಾರಂಭ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} ಮೊದಲು ಸ್ಟಾಕ್ ವಹಿವಾಟುಗಳು ಫ್ರೀಜ್ ಆಗಿದೆ DocType: Driver,Issuing Date,ವಿತರಿಸುವ ದಿನಾಂಕ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,ಕೋರಿಕೆ @@ -2996,9 +3022,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ಕ್ಯಾಶ್ ಫ್ಲೋ ಮ್ಯಾಪಿಂಗ್ ಟೆಂಪ್ಲೇಟು ವಿವರಗಳು apps/erpnext/erpnext/config/hr.py,Recruitment and Training,ನೇಮಕಾತಿ ಮತ್ತು ತರಬೇತಿ DocType: Drug Prescription,Interval UOM,ಮಧ್ಯಂತರ UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,ಸ್ವಯಂ ಹಾಜರಾತಿಗಾಗಿ ಗ್ರೇಸ್ ಅವಧಿ ಸೆಟ್ಟಿಂಗ್‌ಗಳು apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,ಕರೆನ್ಸಿ ಮತ್ತು ಕರೆನ್ಸಿಗೆ ಒಂದೇ ಆಗಿರಬಾರದು apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ಫಾರ್ಮಾಸ್ಯುಟಿಕಲ್ಸ್ DocType: Employee,HR-EMP-,ಮಾನವ ಸಂಪನ್ಮೂಲ- EMP- +DocType: Service Level,Support Hours,ಬೆಂಬಲ ಸಮಯಗಳು apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} ಅನ್ನು ರದ್ದುಗೊಳಿಸಲಾಗಿದೆ ಅಥವಾ ಮುಚ್ಚಲಾಗಿದೆ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,ಸಾಲು {0}: ಗ್ರಾಹಕರ ವಿರುದ್ಧ ಅಡ್ವಾನ್ಸ್ ಕ್ರೆಡಿಟ್ ಆಗಿರಬೇಕು apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),ಗ್ರೂಪ್ ಬೈ ಚೀಟಿ (ಕನ್ಸಾಲಿಡೇಟೆಡ್) @@ -3108,6 +3136,7 @@ DocType: Asset Repair,Repair Status,ದುರಸ್ತಿ ಸ್ಥಿತಿ DocType: Territory,Territory Manager,ಪ್ರದೇಶ ನಿರ್ವಾಹಕ DocType: Lab Test,Sample ID,ಮಾದರಿ ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,ಕಾರ್ಟ್ ಖಾಲಿಯಾಗಿದೆ +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,ನೌಕರರ ಚೆಕ್-ಇನ್‌ಗಳ ಪ್ರಕಾರ ಹಾಜರಾತಿಯನ್ನು ಗುರುತಿಸಲಾಗಿದೆ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,ಆಸ್ತಿ {0} ಅನ್ನು ಸಲ್ಲಿಸಬೇಕು ,Absent Student Report,ಆಬ್ಸೆಂಟ್ ವಿದ್ಯಾರ್ಥಿ ವರದಿ apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,ಒಟ್ಟು ಲಾಭದಲ್ಲಿ ಸೇರಿಸಲಾಗಿದೆ @@ -3115,7 +3144,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,ಹಣದ ಮೊತ್ತ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ಅನ್ನು ಸಲ್ಲಿಸಲಾಗಿಲ್ಲ ಆದ್ದರಿಂದ ಕ್ರಿಯೆಯನ್ನು ಪೂರ್ಣಗೊಳಿಸಲಾಗುವುದಿಲ್ಲ DocType: Subscription,Trial Period End Date,ಪ್ರಯೋಗ ಅವಧಿ ಅಂತ್ಯ ದಿನಾಂಕ +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,ಒಂದೇ ಶಿಫ್ಟ್ ಸಮಯದಲ್ಲಿ ನಮೂದುಗಳನ್ನು IN ಮತ್ತು OUT DocType: BOM Update Tool,The new BOM after replacement,ಬದಲಿ ನಂತರ ಹೊಸ BOM +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಪೂರೈಕೆದಾರ ಪ್ರಕಾರ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,ಐಟಂ 5 DocType: Employee,Passport Number,ಪಾಸ್ಪೋರ್ಟ್ ಸಂಖ್ಯೆ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,ತಾತ್ಕಾಲಿಕ ತೆರೆಯುವಿಕೆ @@ -3218,6 +3249,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ಸಾಲು {0}: BOM # {1} ನ ಕರೆನ್ಸಿ ಆಯ್ಕೆಮಾಡಿದ ಕರೆನ್ಸಿಗೆ ಸಮಾನವಾಗಿರುತ್ತದೆ {2} DocType: Pricing Rule,Product,ಉತ್ಪನ್ನ apps/erpnext/erpnext/controllers/item_variant.py,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},ಗುಣಲಕ್ಷಣ {1} ಗೆ ಮೌಲ್ಯ {0} ಐಟಂಗಾಗಿ ಮಾನ್ಯ ಐಟಂ ಲಕ್ಷಣ ಮೌಲ್ಯಗಳ ಪಟ್ಟಿಯಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ {2} +apps/erpnext/erpnext/utilities/bot.py,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),[{2}] (# ಫಾರ್ಮ್ / ಗೋದಾಮು / {2}) ನಲ್ಲಿ ಕಂಡುಬರುವ [{1}] (# ಫಾರ್ಮ್ / ಐಟಂ / {1}) {0} ಘಟಕಗಳು DocType: Vital Signs,Weight (In Kilogram),ತೂಕ (ಕಿಲೋಗ್ರಾಂನಲ್ಲಿ) DocType: Department,Leave Approver,ಅನುಮೋದನೆಯನ್ನು ಬಿಡಿ apps/erpnext/erpnext/hr/doctype/leave_period/leave_period_dashboard.py,Transactions,ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ @@ -3229,6 +3261,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,ಪ್ರಮುಖ ವರದ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,ಸಂಭಾವ್ಯ ಪೂರೈಕೆದಾರ ,Issued Items Against Work Order,ಕೆಲಸದ ಆದೇಶಕ್ಕೆ ವಿರುದ್ಧವಾಗಿ ನೀಡಿರುವ ಐಟಂಗಳು apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} ಸರಕುಪಟ್ಟಿ ರಚಿಸಲಾಗುತ್ತಿದೆ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ಶಿಕ್ಷಣ> ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ಬೋಧಕ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ DocType: Student,Joining Date,ಸೇರುವ ದಿನಾಂಕ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,ಸೈಟ್ಗೆ ವಿನಂತಿಸಲಾಗುತ್ತಿದೆ DocType: Purchase Invoice,Against Expense Account,ಖರ್ಚು ಖಾತೆಗೆ ವಿರುದ್ಧವಾಗಿ @@ -3268,6 +3301,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,ಅನ್ವಯಿಸುವ ಶುಲ್ಕಗಳು ,Point of Sale,ಪಾಯಿಂಟ್ ಆಫ್ ಮಾರಾಟ DocType: Authorization Rule,Approving User (above authorized value),ಅನುಮೋದಿಸುವ ಬಳಕೆದಾರ (ಅಧಿಕೃತ ಮೌಲ್ಯದ ಮೇಲೆ) +DocType: Service Level Agreement,Entity,ಅಸ್ತಿತ್ವ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{0} {1} {2} ರಿಂದ {3} ಕ್ಕೆ ವರ್ಗಾಯಿಸಲಾದ ಮೊತ್ತ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},ಗ್ರಾಹಕ {0} ಪ್ರಾಜೆಕ್ಟ್ಗೆ ಸೇರಿಲ್ಲ {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,ಪಕ್ಷದ ಹೆಸರು @@ -3370,7 +3404,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,ಆಸ್ತಿ ಮಾಲೀಕ apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},ಸಾಲು {1} ನಲ್ಲಿ ಸ್ಟಾಕ್ ಐಟಂ {0} ಗಾಗಿ ವೇರ್ಹೌಸ್ ಕಡ್ಡಾಯವಾಗಿದೆ. DocType: Stock Entry,Total Additional Costs,ಒಟ್ಟು ಹೆಚ್ಚುವರಿ ವೆಚ್ಚಗಳು -DocType: Marketplace Settings,Last Sync On,ಕೊನೆಯ ಸಿಂಕ್ ಆನ್ apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,ತೆರಿಗೆಗಳು ಮತ್ತು ಚಾರ್ಜಸ್ ಟೇಬಲ್ನಲ್ಲಿ ಕನಿಷ್ಠ ಒಂದು ಸಾಲನ್ನು ಹೊಂದಿಸಿ DocType: Asset Maintenance Team,Maintenance Team Name,ನಿರ್ವಹಣೆ ತಂಡದ ಹೆಸರು apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,ವೆಚ್ಚ ಕೇಂದ್ರಗಳ ಚಾರ್ಟ್ @@ -3386,12 +3419,12 @@ DocType: Sales Order Item,Work Order Qty,ಕೆಲಸದ ಆದೇಶ Qty DocType: Job Card,WIP Warehouse,ಡಬ್ಲ್ಯೂಐಪಿ ವೇರ್ಹೌಸ್ DocType: Payment Request,ACC-PRQ-.YYYY.-,ಎಸಿಸಿ- PRQ- .YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ಉದ್ಯೋಗಿ {0} ಗಾಗಿ ಬಳಕೆದಾರ ID ಅನ್ನು ಹೊಂದಿಸಲಾಗಿಲ್ಲ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","ಲಭ್ಯವಿರುವ qty {0} ಆಗಿದೆ, ನಿಮಗೆ {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,ಬಳಕೆದಾರ {0} ರಚಿಸಲಾಗಿದೆ DocType: Stock Settings,Item Naming By,ಐಟಂ ಹೆಸರಿಸುವಿಕೆ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,ಆದೇಶಿಸಲಾಗಿದೆ apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,ಇದು ರೂಟ್ ಗ್ರಾಹಕರ ಗುಂಪಾಗಿದೆ ಮತ್ತು ಸಂಪಾದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,ವಸ್ತು ವಿನಂತಿ {0} ಅನ್ನು ರದ್ದುಗೊಳಿಸಲಾಗಿದೆ ಅಥವಾ ನಿಲ್ಲಿಸಲಾಗಿದೆ +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,ನೌಕರರ ಚೆಕ್‌ಇನ್‌ನಲ್ಲಿ ಲಾಗ್ ಪ್ರಕಾರವನ್ನು ಕಟ್ಟುನಿಟ್ಟಾಗಿ ಆಧರಿಸಿದೆ DocType: Purchase Order Item Supplied,Supplied Qty,ಸರಬರಾಜು ಮಾಡಿದ ಕ್ಯೂಟಿ DocType: Cash Flow Mapper,Cash Flow Mapper,ಕ್ಯಾಶ್ ಫ್ಲೋ ಮ್ಯಾಪರ್ DocType: Soil Texture,Sand,ಮರಳು @@ -3450,6 +3483,7 @@ DocType: Lab Test Groups,Add new line,ಹೊಸ ಸಾಲನ್ನು ಸೇರ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,ಐಟಂ ಗ್ರೂಪ್ ಟೇಬಲ್ನಲ್ಲಿ ನಕಲಿ ಐಟಂ ಗುಂಪು ಕಂಡುಬರುತ್ತದೆ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,ವಾರ್ಷಿಕ ವೇತನ DocType: Supplier Scorecard,Weighting Function,ತೂಕ ನಷ್ಟ ಕ್ರಿಯೆ +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,ಮಾನದಂಡ ಸೂತ್ರವನ್ನು ಮೌಲ್ಯಮಾಪನ ಮಾಡುವಲ್ಲಿ ದೋಷ ,Lab Test Report,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ವರದಿ DocType: BOM,With Operations,ಕಾರ್ಯಾಚರಣೆಗಳೊಂದಿಗೆ @@ -3475,9 +3509,11 @@ DocType: Supplier Scorecard Period,Variables,ವೇರಿಯೇಬಲ್ಸ್ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,ಗ್ರಾಹಕನಿಗೆ ಬಹು ಲಾಯಲ್ಟಿ ಕಾರ್ಯಕ್ರಮ ಕಂಡುಬಂದಿದೆ. ದಯವಿಟ್ಟು ಹಸ್ತಚಾಲಿತವಾಗಿ ಆಯ್ಕೆಮಾಡಿ. DocType: Patient,Medication,ಔಷಧಿ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,ಲಾಯಲ್ಟಿ ಪ್ರೋಗ್ರಾಂ ಆಯ್ಕೆಮಾಡಿ +DocType: Employee Checkin,Attendance Marked,ಹಾಜರಾತಿ ಗುರುತಿಸಲಾಗಿದೆ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,ಕಚ್ಚಾ ವಸ್ತುಗಳು DocType: Sales Order,Fully Billed,ಸಂಪೂರ್ಣವಾಗಿ ಬಿಲ್ ಮಾಡಲಾಗಿದೆ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},ಹೋಟೆಲ್ ಕೊಠಡಿ ದರವನ್ನು ದಯವಿಟ್ಟು {@} ಹೊಂದಿಸಿ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ಡೀಫಾಲ್ಟ್ ಆಗಿ ಕೇವಲ ಒಂದು ಆದ್ಯತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},ದಯವಿಟ್ಟು ಕೌಟುಂಬಿಕತೆಗಾಗಿ ಖಾತೆಯನ್ನು (ಲೆಡ್ಜರ್) ಗುರುತಿಸಿ / ರಚಿಸಿ - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,ಲಿಂಕ್ಡ್ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಯಂತೆ ಒಟ್ಟು ಕ್ರೆಡಿಟ್ / ಡೆಬಿಟ್ ಮೊತ್ತವು ಇರಬೇಕು DocType: Purchase Invoice Item,Is Fixed Asset,ಸ್ಥಿರ ಆಸ್ತಿ ಇದೆ @@ -3498,6 +3534,7 @@ DocType: Purpose of Travel,Purpose of Travel,ಪ್ರಯಾಣ ಉದ್ದೇ DocType: Healthcare Settings,Appointment Confirmation,ನೇಮಕಾತಿ ದೃಢೀಕರಣ DocType: Shopping Cart Settings,Orders,ಆದೇಶಗಳು DocType: HR Settings,Retirement Age,ನಿವೃತ್ತಿ ವಯಸ್ಸು +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್> ಸಂಖ್ಯೆಯ ಸರಣಿಯ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ದಯವಿಟ್ಟು ಸಂಖ್ಯೆಯ ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,ಯೋಜಿತ Qty apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},ದೇಶಕ್ಕಾಗಿ {0} ಅಳಿಸುವಿಕೆಗೆ ಅನುಮತಿ ಇಲ್ಲ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},ಸಾಲು # {0}: ಸ್ವತ್ತು {1} ಈಗಾಗಲೇ {2} ಆಗಿದೆ @@ -3581,11 +3618,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,ಅಕೌಂಟೆಂಟ್ apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},ಪಿಓಎಸ್ ಕ್ಲೋಸಿಂಗ್ ವೋಚರ್ ಅಲ್ಡೆರೆ ದಿನಾಂಕಕ್ಕೆ {0} ಮತ್ತು {2} ನಡುವೆ {0} apps/erpnext/erpnext/config/help.py,Navigating,ನ್ಯಾವಿಗೇಟ್ ಮಾಡಲಾಗುತ್ತಿದೆ +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,ಯಾವುದೇ ಬಾಕಿ ಇನ್‌ವಾಯ್ಸ್‌ಗಳಿಗೆ ವಿನಿಮಯ ದರ ಮರುಮೌಲ್ಯಮಾಪನ ಅಗತ್ಯವಿಲ್ಲ DocType: Authorization Rule,Customer / Item Name,ಗ್ರಾಹಕ / ಐಟಂ ಹೆಸರು apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ಹೊಸ ಸೀರಿಯಲ್ ಸಂಖ್ಯೆಗೆ ವೇರ್ಹೌಸ್ ಇರಬಾರದು. ವೇರ್ಹೌಸ್ ಅನ್ನು ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ಅಥವಾ ಖರೀದಿ ರಶೀದಿ ಹೊಂದಿಸಬೇಕು DocType: Issue,Via Customer Portal,ಗ್ರಾಹಕರ ಪೋರ್ಟಲ್ ಮೂಲಕ DocType: Work Order Operation,Planned Start Time,ಯೋಜಿತ ಪ್ರಾರಂಭ ಸಮಯ apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} {2} +DocType: Service Level Priority,Service Level Priority,ಸೇವಾ ಮಟ್ಟದ ಆದ್ಯತೆ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ಗೊತ್ತುಪಡಿಸಿದ ಡಿಪ್ರೆಶೇಷನ್ಸ್ ಸಂಖ್ಯೆ ಒಟ್ಟು ಇಳಿಕೆಯ ಮೊತ್ತಕ್ಕಿಂತ ಹೆಚ್ಚಿರಬಾರದು apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,ಲೆಡ್ಜರ್ ಹಂಚಿಕೊಳ್ಳಿ DocType: Journal Entry,Accounts Payable,ಪಾವತಿಸಬಹುದಾದ ಖಾತೆಗಳು @@ -3696,7 +3735,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,ಇವರಿಗೆ ತಲುಪಿಸಲ್ಪಡುವಂಥದ್ದು DocType: Bank Statement Transaction Settings Item,Bank Data,ಬ್ಯಾಂಕ್ ಡೇಟಾ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,ವರೆಗೆ ನಿಗದಿಪಡಿಸಲಾಗಿದೆ -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,ಬಿಲ್ಲಿಂಗ್ ಅವರ್ಸ್ ಮತ್ತು ಕೆಲಸದ ಅವಧಿಗಳನ್ನು ಟೈಮ್ಸ್ಶೀಟ್ನಲ್ಲಿಯೇ ನಿರ್ವಹಿಸಿ apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,ಲೀಡ್ ಮೂಲದಿಂದ ಟ್ರ್ಯಾಕ್ ಲೀಡ್ಸ್. DocType: Clinical Procedure,Nursing User,ನರ್ಸಿಂಗ್ ಬಳಕೆದಾರ DocType: Support Settings,Response Key List,ಪ್ರತಿಕ್ರಿಯೆ ಕೀ ಪಟ್ಟಿ @@ -3930,6 +3968,7 @@ DocType: Patient Encounter,In print,ಮುದ್ರಣದಲ್ಲಿ apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0} ಗಾಗಿ ಮಾಹಿತಿಯನ್ನು ಹಿಂಪಡೆಯಲು ಸಾಧ್ಯವಾಗಲಿಲ್ಲ. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,ಬಿಲ್ಲಿಂಗ್ ಕರೆನ್ಸಿ ಡೀಫಾಲ್ಟ್ ಕಂಪನಿಯ ಕರೆನ್ಸಿಯ ಅಥವಾ ಪಾರ್ಟಿ ಖಾತೆ ಕರೆನ್ಸಿಗೆ ಸಮನಾಗಿರಬೇಕು apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,ದಯವಿಟ್ಟು ಈ ಮಾರಾಟಗಾರರ ನೌಕರನ ಐಡಿ ಅನ್ನು ನಮೂದಿಸಿ +DocType: Shift Type,Early Exit Consequence after,ಆರಂಭಿಕ ನಿರ್ಗಮನ ಪರಿಣಾಮ apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,ಮಾರಾಟ ಮತ್ತು ಖರೀದಿ ಇನ್ವಾಯ್ಸ್ಗಳನ್ನು ತೆರೆಯುವುದನ್ನು ರಚಿಸಿ DocType: Disease,Treatment Period,ಚಿಕಿತ್ಸೆಯ ಅವಧಿ apps/erpnext/erpnext/config/settings.py,Setting up Email,ಇಮೇಲ್ ಅನ್ನು ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ @@ -3947,7 +3986,6 @@ DocType: Employee Skill Map,Employee Skills,ಉದ್ಯೋಗಿ ಕೌಶಲ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,ವಿದ್ಯಾರ್ಥಿಯ ಹೆಸರು: DocType: SMS Log,Sent On,ಕಳುಹಿಸಲಾಗಿದೆ DocType: Bank Statement Transaction Invoice Item,Sales Invoice,ಮಾರಾಟ ಸರಕುಪಟ್ಟಿ -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,ಪ್ರತಿಕ್ರಿಯೆ ಸಮಯ ರೆಸಲ್ಯೂಶನ್ ಸಮಯಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರಲು ಸಾಧ್ಯವಿಲ್ಲ DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","ಕೋರ್ಸ್ ಆಧಾರಿತ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪುಗಾಗಿ, ಪ್ರೋಗ್ರಾಮ್ ದಾಖಲಾತಿಯಲ್ಲಿ ದಾಖಲಾದ ಕೋರ್ಸ್ಗಳ ಮೂಲಕ ಪ್ರತಿ ವಿದ್ಯಾರ್ಥಿಗೂ ಕೋರ್ಸ್ ಅನ್ನು ಮೌಲ್ಯೀಕರಿಸಲಾಗುತ್ತದೆ." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,ಒಳ-ರಾಜ್ಯ ಸರಬರಾಜು DocType: Employee,Create User Permission,ಬಳಕೆದಾರರ ಅನುಮತಿಯನ್ನು ರಚಿಸಿ @@ -3986,6 +4024,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,ಮಾರಾಟ ಅಥವಾ ಖರೀದಿಗಾಗಿ ಸ್ಟ್ಯಾಂಡರ್ಡ್ ಒಪ್ಪಂದದ ನಿಯಮಗಳು. DocType: Sales Invoice,Customer PO Details,ಗ್ರಾಹಕರ PO ವಿವರಗಳು apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,ರೋಗಿಯು ಕಂಡುಬಂದಿಲ್ಲ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,ಡೀಫಾಲ್ಟ್ ಆದ್ಯತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,ಆ ಐಟಂಗೆ ಶುಲ್ಕಗಳು ಅನ್ವಯವಾಗದಿದ್ದರೆ ಐಟಂ ಅನ್ನು ತೆಗೆದುಹಾಕಿ apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ಗ್ರಾಹಕರ ಗುಂಪು ಒಂದೇ ಹೆಸರಿನೊಂದಿಗೆ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಗ್ರಾಹಕ ಹೆಸರನ್ನು ಬದಲಿಸಿ ಅಥವಾ ಗ್ರಾಹಕರ ಗುಂಪನ್ನು ಮರುಹೆಸರಿಸಿ 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. @@ -4032,6 +4071,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},ಕೆಲಸದ ಆದೇಶವು {0} DocType: Inpatient Record,Admission Schedule Date,ಪ್ರವೇಶ ವೇಳಾಪಟ್ಟಿ ದಿನಾಂಕ apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,ಆಸ್ತಿ ಮೌಲ್ಯ ಹೊಂದಾಣಿಕೆ +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,ಈ ಶಿಫ್ಟ್‌ಗೆ ನಿಯೋಜಿಸಲಾದ ಉದ್ಯೋಗಿಗಳಿಗೆ 'ಉದ್ಯೋಗಿ ಚೆಕ್ಇನ್' ಆಧರಿಸಿ ಹಾಜರಾತಿಯನ್ನು ಗುರುತಿಸಿ. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,ನೋಂದಾಯಿಸದ ವ್ಯಕ್ತಿಗಳಿಗೆ ಸರಬರಾಜು ಮಾಡಲಾಗಿದೆ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,ಎಲ್ಲಾ ಕೆಲಸ DocType: Appointment Type,Appointment Type,ನೇಮಕಾತಿ ಪ್ರಕಾರ @@ -4144,7 +4184,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),ಪ್ಯಾಕೇಜ್ನ ಸಮಗ್ರ ತೂಕ. ಸಾಮಾನ್ಯವಾಗಿ ನಿವ್ವಳ ತೂಕ + ಪ್ಯಾಕೇಜಿಂಗ್ ವಸ್ತು ತೂಕ. (ಮುದ್ರಣಕ್ಕಾಗಿ) DocType: Plant Analysis,Laboratory Testing Datetime,ಪ್ರಯೋಗಾಲಯ ಪರೀಕ್ಷೆ ದಿನಾಂಕ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,ಐಟಂ {0} ಬ್ಯಾಚ್ ಅನ್ನು ಹೊಂದಿಲ್ಲ -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,ಹಂತದ ಮೂಲಕ ಮಾರಾಟದ ಪೈಪ್ಲೈನ್ apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಸಾಮರ್ಥ್ಯ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,ಬ್ಯಾಂಕ್ ಸ್ಟೇಟ್ಮೆಂಟ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಎಂಟ್ರಿ DocType: Purchase Order,Get Items from Open Material Requests,ಮುಕ್ತ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳಿಂದ ಐಟಂಗಳನ್ನು ಪಡೆಯಿರಿ @@ -4226,7 +4265,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,ಏಜಿಂಗ್ ವೇರ್ಹೌಸ್ ಬುದ್ಧಿವಂತವನ್ನು ತೋರಿಸಿ DocType: Sales Invoice,Write Off Outstanding Amount,ಅತ್ಯುತ್ತಮ ಮೊತ್ತವನ್ನು ಬರೆಯಿರಿ DocType: Payroll Entry,Employee Details,ಉದ್ಯೋಗಿ ವಿವರಗಳು -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,ಪ್ರಾರಂಭದ ಸಮಯವು {0} ಗಾಗಿ ಅಂತ್ಯ ಸಮಯಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರುವುದಿಲ್ಲ. DocType: Pricing Rule,Discount Amount,ರಿಯಾಯಿತಿ ಮೊತ್ತ DocType: Healthcare Service Unit Type,Item Details,ಐಟಂ ವಿವರಗಳು apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},ಅವಧಿಗೆ {0} ನ ನಕಲಿ ತೆರಿಗೆ ಘೋಷಣೆ {1} @@ -4279,7 +4317,7 @@ DocType: Customer,CUST-.YYYY.-,CUST- .YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,ನಿವ್ವಳ ವೇತನ ಋಣಾತ್ಮಕವಾಗಿರಬಾರದು apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,ಸಂವಹನಗಳ ಸಂಖ್ಯೆ 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/hr/doctype/employee/employee_dashboard.py,Shift,ಶಿಫ್ಟ್ +DocType: Attendance,Shift,ಶಿಫ್ಟ್ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,ಖಾತೆಗಳು ಮತ್ತು ಪಕ್ಷಗಳ ಪ್ರಕ್ರಿಯೆ ಚಾರ್ಟ್ DocType: Stock Settings,Convert Item Description to Clean HTML,HTML ಅನ್ನು ಸ್ವಚ್ಛಗೊಳಿಸಲು ಐಟಂ ವಿವರಣೆಯನ್ನು ಪರಿವರ್ತಿಸಿ apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,ಎಲ್ಲಾ ಪೂರೈಕೆದಾರ ಗುಂಪುಗಳು @@ -4349,6 +4387,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,ಉದ್ಯ DocType: Healthcare Service Unit,Parent Service Unit,ಪೋಷಕ ಸೇವಾ ಘಟಕ DocType: Sales Invoice,Include Payment (POS),ಪಾವತಿಯನ್ನು ಸೇರಿಸಿ (ಪಿಓಎಸ್) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,ಖಾಸಗಿ ಷೇರುಗಳ +DocType: Shift Type,First Check-in and Last Check-out,ಮೊದಲ ಚೆಕ್-ಇನ್ ಮತ್ತು ಕೊನೆಯ ಚೆಕ್- .ಟ್ DocType: Landed Cost Item,Receipt Document,ರಿಸೀಪ್ಟ್ ಡಾಕ್ಯುಮೆಂಟ್ DocType: Supplier Scorecard Period,Supplier Scorecard Period,ಪೂರೈಕೆದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ ಅವಧಿ DocType: Employee Grade,Default Salary Structure,ಡೀಫಾಲ್ಟ್ ಸ್ಯಾಲರಿ ಸ್ಟ್ರಕ್ಚರ್ @@ -4431,6 +4470,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,ಖರೀದಿ ಆದೇಶವನ್ನು ರಚಿಸಿ apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,ಆರ್ಥಿಕ ವರ್ಷದ ಬಜೆಟ್ ಅನ್ನು ವಿವರಿಸಿ. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,ಖಾತೆಗಳ ಟೇಬಲ್ ಖಾಲಿ ಇರುವಂತಿಲ್ಲ. +DocType: Employee Checkin,Entry Grace Period Consequence,ಪ್ರವೇಶ ಗ್ರೇಸ್ ಅವಧಿ ಪರಿಣಾಮ ,Payment Period Based On Invoice Date,ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕದಂದು ಪಾವತಿ ಅವಧಿಯನ್ನು ಆಧರಿಸಿ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},ಐಟಂ {0} ಗಾಗಿ ವಿತರಣಾ ದಿನಾಂಕದ ಮೊದಲು ಸ್ಥಾಪನೆಯ ದಿನಾಂಕವು ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,ವಸ್ತು ವಿನಂತಿಗೆ ಲಿಂಕ್ @@ -4451,6 +4491,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,ಇಂಧನ ಕ್ಯೂಟಿ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,ಗಾರ್ಡಿಯನ್ 1 ಮೊಬೈಲ್ ಸಂಖ್ಯೆ DocType: Invoice Discounting,Disbursed,ವಿತರಿಸಲಾಗಿದೆ +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,ಶಿಫ್ಟ್ ಮುಗಿದ ನಂತರ ಚೆಕ್- out ಟ್ ಅನ್ನು ಹಾಜರಾತಿಗಾಗಿ ಪರಿಗಣಿಸಲಾಗುತ್ತದೆ. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ಪಾವತಿಸಬಹುದಾದ ಖಾತೆಗಳಲ್ಲಿನ ನೆಟ್ ಚೇಂಜ್ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,ಲಭ್ಯವಿಲ್ಲ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,ಅರೆಕಾಲಿಕ @@ -4464,7 +4505,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,ಮಾ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,ಪ್ರಿಂಟ್ನಲ್ಲಿ ತೋರಿಸಿ PDC apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify ಸರಬರಾಜುದಾರ DocType: POS Profile User,POS Profile User,ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಬಳಕೆದಾರ -DocType: Student,Middle Name,ಮಧ್ಯದ ಹೆಸರು DocType: Sales Person,Sales Person Name,ಮಾರಾಟದ ವ್ಯಕ್ತಿ ಹೆಸರು DocType: Packing Slip,Gross Weight,ಒಟ್ಟು ತೂಕ DocType: Journal Entry,Bill No,ಬಿಲ್ ನಂ @@ -4473,7 +4513,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,ಹ DocType: Vehicle Log,HR-VLOG-.YYYY.-,ಮಾನವ ಸಂಪನ್ಮೂಲ-. YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,ಸೇವೆ ಮಟ್ಟದ ಒಪ್ಪಂದ -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,ದಯವಿಟ್ಟು ನೌಕರರು ಮತ್ತು ದಿನಾಂಕವನ್ನು ಮೊದಲು ಆಯ್ಕೆಮಾಡಿ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,ಐಟಂ ಮೌಲ್ಯಾಂಕನ ದರವನ್ನು ಭೂಮಿ ವೆಚ್ಚದ ಚೀಟಿ ಮೊತ್ತವನ್ನು ಪರಿಗಣಿಸಲಾಗುವುದು DocType: Timesheet,Employee Detail,ಉದ್ಯೋಗಿ ವಿವರ DocType: Tally Migration,Vouchers,ವೋಚರ್ @@ -4508,7 +4547,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,ಸೇವೆ DocType: Additional Salary,Date on which this component is applied,ಈ ಘಟಕವನ್ನು ಅನ್ವಯಿಸುವ ದಿನಾಂಕ apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ಪೋಲಿಯೊ ಸಂಖ್ಯೆಗಳೊಂದಿಗೆ ಲಭ್ಯವಿರುವ ಷೇರುದಾರರ ಪಟ್ಟಿ apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,ಸೆಟಪ್ ಗೇಟ್ವೇ ಖಾತೆಗಳು. -DocType: Service Level,Response Time Period,ಪ್ರತಿಕ್ರಿಯೆ ಸಮಯ ಅವಧಿ +DocType: Service Level Priority,Response Time Period,ಪ್ರತಿಕ್ರಿಯೆ ಸಮಯ ಅವಧಿ DocType: Purchase Invoice,Purchase Taxes and Charges,ಖರೀದಿ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು DocType: Course Activity,Activity Date,ಚಟುವಟಿಕೆ ದಿನಾಂಕ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,ಹೊಸ ಗ್ರಾಹಕರನ್ನು ಆಯ್ಕೆಮಾಡಿ ಅಥವಾ ಸೇರಿಸಿ @@ -4533,6 +4572,7 @@ DocType: Sales Person,Select company name first.,ಕಂಪನಿಯ ಹೆಸರ apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,ಹಣಕಾಸು ವರ್ಷ DocType: Sales Invoice Item,Deferred Revenue,ಮುಂದೂಡಲ್ಪಟ್ಟ ಆದಾಯ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,ಕನಿಷ್ಠ ಒಂದು ಸೆಲ್ಲಿಂಗ್ ಅಥವಾ ಬೈಯಿಂಗ್ ಆಯ್ಕೆ ಮಾಡಬೇಕು +DocType: Shift Type,Working Hours Threshold for Half Day,ಅರ್ಧ ದಿನಕ್ಕೆ ಕೆಲಸದ ಸಮಯ ಮಿತಿ ,Item-wise Purchase History,ಐಟಂ-ಬುದ್ಧಿವಂತ ಖರೀದಿ ಇತಿಹಾಸ apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},ಸಾಲು {0} ನಲ್ಲಿ ಐಟಂಗೆ ಸ್ಟಾಪ್ ಸ್ಟಾಪ್ ದಿನಾಂಕವನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ DocType: Production Plan,Include Subcontracted Items,ಉಪಗುತ್ತಿಗೆಗೊಂಡ ವಸ್ತುಗಳನ್ನು ಸೇರಿಸಿ @@ -4565,6 +4605,7 @@ DocType: Journal Entry,Total Amount Currency,ಒಟ್ಟು ಮೊತ್ತದ DocType: BOM,Allow Same Item Multiple Times,ಒಂದೇ ಐಟಂ ಬಹು ಸಮಯಗಳನ್ನು ಅನುಮತಿಸಿ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,BOM ರಚಿಸಿ DocType: Healthcare Practitioner,Charges,ಶುಲ್ಕಗಳು +DocType: Employee,Attendance and Leave Details,ಹಾಜರಾತಿ ಮತ್ತು ವಿವರಗಳನ್ನು ಬಿಡಿ DocType: Student,Personal Details,ವೈಯಕ್ತಿಕ ವಿವರಗಳು DocType: Sales Order,Billing and Delivery Status,ಬಿಲ್ಲಿಂಗ್ ಮತ್ತು ಡೆಲಿವರಿ ಸ್ಥಿತಿ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,ಸಾಲು {0}: ಪೂರೈಕೆದಾರರಿಗೆ {0} ಇಮೇಲ್ ವಿಳಾಸವನ್ನು ಇಮೇಲ್ ಕಳುಹಿಸಲು ಅಗತ್ಯವಿದೆ @@ -4616,7 +4657,6 @@ DocType: Bank Guarantee,Supplier,ಪೂರೈಕೆದಾರ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},ಮೌಲ್ಯ ಬೆಟ್ವೀನ್ {0} ಮತ್ತು {1} DocType: Purchase Order,Order Confirmation Date,ಆರ್ಡರ್ ದೃಢೀಕರಣ ದಿನಾಂಕ DocType: Delivery Trip,Calculate Estimated Arrival Times,ಅಂದಾಜು ಆಗಮನದ ಸಮಯವನ್ನು ಲೆಕ್ಕಾಚಾರ ಮಾಡಿ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ಮಾನವ ಸಂಪನ್ಮೂಲ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಉದ್ಯೋಗಿ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಸಿದ್ಧಗೊಳಿಸಿ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,ಗ್ರಾಹಕ DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS - .YYYY.- DocType: Subscription,Subscription Start Date,ಚಂದಾದಾರಿಕೆ ಪ್ರಾರಂಭ ದಿನಾಂಕ @@ -4639,7 +4679,7 @@ DocType: Installation Note Item,Installation Note Item,ಅನುಸ್ಥಾಪ DocType: Journal Entry Account,Journal Entry Account,ಜರ್ನಲ್ ಎಂಟ್ರಿ ಖಾತೆ apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,ಭಿನ್ನ apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,ವೇದಿಕೆ ಚಟುವಟಿಕೆ -DocType: Service Level,Resolution Time Period,ರೆಸಲ್ಯೂಶನ್ ಸಮಯದ ಅವಧಿ +DocType: Service Level Priority,Resolution Time Period,ರೆಸಲ್ಯೂಶನ್ ಸಮಯದ ಅವಧಿ DocType: Request for Quotation,Supplier Detail,ಪೂರೈಕೆದಾರ ವಿವರ DocType: Project Task,View Task,ಟಾಸ್ಕ್ ವೀಕ್ಷಿಸಿ DocType: Serial No,Purchase / Manufacture Details,ಖರೀದಿ / ತಯಾರಿಕೆ ವಿವರಗಳು @@ -4706,6 +4746,7 @@ DocType: Sales Invoice,Commission Rate (%),ಆಯೋಗ ದರ (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,ಸ್ಟಾಕ್ ಎಂಟ್ರಿ / ಡೆಲಿವರಿ ನೋಟ್ / ಪರ್ಸೇಸ್ ರಿಸೀಟ್ಟ್ ಮೂಲಕ ಮಾತ್ರ ವೇರ್ಹೌಸ್ ಬದಲಾಯಿಸಬಹುದು DocType: Support Settings,Close Issue After Days,ದಿನಗಳ ನಂತರ ಸಂಚಿಕೆ ಮುಚ್ಚಿ DocType: Payment Schedule,Payment Schedule,ಪಾವತಿ ವೇಳಾಪಟ್ಟಿ +DocType: Shift Type,Enable Entry Grace Period,ಪ್ರವೇಶ ಗ್ರೇಸ್ ಅವಧಿಯನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ DocType: Patient Relation,Spouse,ಸಂಗಾತಿಯ DocType: Purchase Invoice,Reason For Putting On Hold,ತಡೆಹಿಡಿಯುವುದು ಕಾರಣ DocType: Item Attribute,Increment,ಹೆಚ್ಚಳ @@ -4843,6 +4884,7 @@ DocType: Authorization Rule,Customer or Item,ಗ್ರಾಹಕ ಅಥವಾ ಐ DocType: Vehicle Log,Invoice Ref,ಸರಕುಪಟ್ಟಿ ಉಲ್ಲೇಖ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},ಸರಕುಪಟ್ಟಿಗಾಗಿ ಸಿ-ಫಾರ್ಮ್ ಅನ್ವಯಿಸುವುದಿಲ್ಲ: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,ಸರಕುಪಟ್ಟಿ ರಚಿಸಲಾಗಿದೆ +DocType: Shift Type,Early Exit Grace Period,ಆರಂಭಿಕ ನಿರ್ಗಮನ ಗ್ರೇಸ್ ಅವಧಿ DocType: Patient Encounter,Review Details,ವಿವರಗಳನ್ನು ಪರಿಶೀಲಿಸಿ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,ಸಾಲು {0}: ಗಂಟೆ ಮೌಲ್ಯವು ಶೂನ್ಯಕ್ಕಿಂತ ಹೆಚ್ಚಿನದಾಗಿರಬೇಕು. DocType: Account,Account Number,ಖಾತೆ ಸಂಖ್ಯೆ @@ -4854,7 +4896,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","ಕಂಪನಿಯು SpA, SApA ಅಥವಾ SRL ಆಗಿದ್ದರೆ ಅನ್ವಯಿಸುತ್ತದೆ" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,ನಡುವೆ ಅತಿಕ್ರಮಿಸುವ ಪರಿಸ್ಥಿತಿಗಳು ಕಂಡುಬರುತ್ತವೆ: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,ಪಾವತಿಸಲಾಗಿದೆ ಮತ್ತು ತಲುಪಿಸಲಾಗಿಲ್ಲ -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,ಐಟಂ ಸಂಕೇತವು ಕಡ್ಡಾಯವಾಗಿದೆ ಏಕೆಂದರೆ ಐಟಂ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸಂಖ್ಯೆಯಲ್ಲ DocType: GST HSN Code,HSN Code,ಎಚ್ಎಸ್ಎನ್ ಕೋಡ್ DocType: GSTR 3B Report,September,ಸೆಪ್ಟೆಂಬರ್ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,ಆಡಳಿತಾತ್ಮಕ ವೆಚ್ಚಗಳು @@ -4900,6 +4941,7 @@ DocType: Healthcare Service Unit,Vacant,ಖಾಲಿ DocType: Opportunity,Sales Stage,ಮಾರಾಟದ ಹಂತ DocType: Sales Order,In Words will be visible once you save the Sales Order.,ನೀವು ಮಾರಾಟದ ಆದೇಶವನ್ನು ಉಳಿಸಿದ ನಂತರ ವರ್ಡ್ಗಳಲ್ಲಿ ಗೋಚರಿಸುತ್ತದೆ. DocType: Item Reorder,Re-order Level,ಪುನಃ ಆದೇಶದ ಮಟ್ಟ +DocType: Shift Type,Enable Auto Attendance,ಸ್ವಯಂ ಹಾಜರಾತಿಯನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,ಆದ್ಯತೆ ,Department Analytics,ಇಲಾಖೆ ಅನಾಲಿಟಿಕ್ಸ್ DocType: Crop,Scientific Name,ವೈಜ್ಞಾನಿಕ ಹೆಸರು @@ -4912,6 +4954,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} ಸ್ಥಿ DocType: Quiz Activity,Quiz Activity,ಕ್ವಿಜ್ ಚಟುವಟಿಕೆ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} ಮಾನ್ಯ ವೇತನದಾರರ ಅವಧಿಯಲ್ಲ DocType: Timesheet,Billed,ಬಿಲ್ ಮಾಡಲಾಗಿದೆ +apps/erpnext/erpnext/config/support.py,Issue Type.,ಸಂಚಿಕೆ ಪ್ರಕಾರ. DocType: Restaurant Order Entry,Last Sales Invoice,ಕೊನೆಯ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ DocType: Payment Terms Template,Payment Terms,ಪಾವತಿ ನಿಯಮಗಳು apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","ಕಾಯ್ದಿರಿಸಲಾಗಿದೆ Qty: ಪ್ರಮಾಣ ಮಾರಾಟ ಆದೇಶ, ಆದರೆ ವಿತರಿಸಲಾಯಿತು." @@ -5007,6 +5050,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,ಆಸ್ತಿ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} ಹೆಲ್ತ್ಕೇರ್ ಪ್ರಾಕ್ಟೀಷನರ್ ವೇಳಾಪಟ್ಟಿ ಹೊಂದಿಲ್ಲ. ಇದನ್ನು ಹೆಲ್ತ್ಕೇರ್ ಪ್ರಾಕ್ಟೀಷನರ್ ಮಾಸ್ಟರ್ನಲ್ಲಿ ಸೇರಿಸಿ DocType: Vehicle,Chassis No,ಚಾಸಿಸ್ ಇಲ್ಲ +DocType: Employee,Default Shift,ಡೀಫಾಲ್ಟ್ ಶಿಫ್ಟ್ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,ಕಂಪನಿ ಸಂಕ್ಷೇಪಣ apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,ಮರಗಳ ವಸ್ತುಗಳ ಮರದ DocType: Article,LMS User,ಎಲ್ಎಂಎಸ್ ಬಳಕೆದಾರ @@ -5055,6 +5099,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST - .YYYY.- DocType: Sales Person,Parent Sales Person,ಪೋಷಕ ಮಾರಾಟದ ವ್ಯಕ್ತಿ DocType: Student Group Creation Tool,Get Courses,ಕೋರ್ಸ್ಗಳನ್ನು ಪಡೆಯಿರಿ apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",ಸಾಲು # {0}: ಐಟಂ ಸ್ಥಿರವಾದ ಆಸ್ತಿಯಾಗಿರುವುದರಿಂದ Qty 1 ಆಗಿರಬೇಕು. ದಯವಿಟ್ಟು ಬಹು ಕ್ಯೂಟಿಗಾಗಿ ಪ್ರತ್ಯೇಕ ಸಾಲನ್ನು ಬಳಸಿ. +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),ಆಬ್ಸೆಂಟ್ ಅನ್ನು ಗುರುತಿಸಿರುವ ಕೆಲಸದ ಸಮಯಕ್ಕಿಂತ ಕಡಿಮೆ. (ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲು ಶೂನ್ಯ) DocType: Customer Group,Only leaf nodes are allowed in transaction,ವಹಿವಾಟಿನಲ್ಲಿ ಮಾತ್ರ ಎಲೆ ನೋಡ್ಗಳನ್ನು ಅನುಮತಿಸಲಾಗುತ್ತದೆ DocType: Grant Application,Organization,ಸಂಸ್ಥೆ DocType: Fee Category,Fee Category,ಶುಲ್ಕ ವರ್ಗ @@ -5067,6 +5112,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,ದಯವಿಟ್ಟು ಈ ತರಬೇತಿ ಕಾರ್ಯಕ್ರಮಕ್ಕಾಗಿ ನಿಮ್ಮ ಸ್ಥಿತಿಯನ್ನು ನವೀಕರಿಸಿ DocType: Volunteer,Morning,ಮಾರ್ನಿಂಗ್ DocType: Quotation Item,Quotation Item,ಉದ್ಧರಣ ಐಟಂ +apps/erpnext/erpnext/config/support.py,Issue Priority.,ಸಂಚಿಕೆ ಆದ್ಯತೆ. DocType: Journal Entry,Credit Card Entry,ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್ ಎಂಟ್ರಿ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","ಸಮಯ ಸ್ಲಾಟ್ ಅನ್ನು ಬಿಟ್ಟುಬಿಡಲಾಗಿದೆ, {1} ಗೆ {1} ಸ್ಲಾಟ್ ಎಲಾಸಿಟಿಂಗ್ ಸ್ಲಾಟ್ {2} ಗೆ {3}" DocType: Journal Entry Account,If Income or Expense,ಆದಾಯ ಅಥವಾ ಖರ್ಚು ವೇಳೆ @@ -5117,11 +5163,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,ಡೇಟಾ ಆಮದು ಮತ್ತು ಸೆಟ್ಟಿಂಗ್ಗಳು 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: Account,Expense Account,ಖರ್ಚು ಖಾತೆ +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,ಶಿಫ್ಟ್ ಪ್ರಾರಂಭದ ಸಮಯದ ಮೊದಲು ನೌಕರರ ಚೆಕ್-ಇನ್ ಅನ್ನು ಹಾಜರಾತಿಗಾಗಿ ಪರಿಗಣಿಸಲಾಗುತ್ತದೆ. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,ಗಾರ್ಡಿಯನ್ 1 ರೊಂದಿಗಿನ ಸಂಬಂಧ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,ಸರಕುಪಟ್ಟಿ ರಚಿಸಿ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},ಪಾವತಿ ವಿನಂತಿ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} ನಲ್ಲಿ ನಿವೃತ್ತರಾಗಿರುವ ನೌಕರನು 'ಎಡ' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},ಪಾವತಿಸಿ {0} {1} +DocType: Company,Sales Settings,ಮಾರಾಟ ಸೆಟ್ಟಿಂಗ್‌ಗಳು DocType: Sales Order Item,Produced Quantity,ನಿರ್ಮಾಣದ ಪ್ರಮಾಣ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,ಉದ್ಧರಣಕ್ಕಾಗಿ ವಿನಂತಿಯನ್ನು ಕೆಳಗಿನ ಲಿಂಕ್ ಅನ್ನು ಕ್ಲಿಕ್ ಮಾಡುವುದರ ಮೂಲಕ ಪ್ರವೇಶಿಸಬಹುದು DocType: Monthly Distribution,Name of the Monthly Distribution,ಮಾಸಿಕ ವಿತರಣೆಯ ಹೆಸರು @@ -5200,6 +5248,7 @@ DocType: Company,Default Values,ಡೀಫಾಲ್ಟ್ ಮೌಲ್ಯಗಳ apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,ಮಾರಾಟ ಮತ್ತು ಖರೀದಿಯ ಡೀಫಾಲ್ಟ್ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,ಬಿಡಿ ಕೌಟುಂಬಿಕತೆ {0} ಸಾಗಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,ಡೆಬಿಟ್ ಖಾತೆಗೆ ಸ್ವೀಕೃತವಾದ ಖಾತೆಯಾಗಿರಬೇಕು +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},ದಯವಿಟ್ಟು ಖಾತೆಯಲ್ಲಿನ ಖಾತೆಯಲ್ಲಿ {0} ಅಥವಾ ಡೀಫಾಲ್ಟ್ ಇನ್ವೆಂಟರಿ ಖಾತೆಯನ್ನು ಹೊಂದಿಸಿ {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,ಪೂರ್ವನಿಯೋಜಿತವಾಗಿಡು DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ಈ ಪ್ಯಾಕೇಜ್ನ ನಿವ್ವಳ ತೂಕ. (ಐಟಂಗಳನ್ನು ನಿವ್ವಳ ತೂಕದ ಮೊತ್ತವಾಗಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಲೆಕ್ಕಾಚಾರ) @@ -5226,8 +5275,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,ಅವಧಿ ಮೀರಿದ ಬ್ಯಾಚ್ಗಳು DocType: Shipping Rule,Shipping Rule Type,ಶಿಪ್ಪಿಂಗ್ ರೂಲ್ ಟೈಪ್ DocType: Job Offer,Accepted,ಅಂಗೀಕರಿಸಲಾಗಿದೆ -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ರದ್ದುಮಾಡಲು ಉದ್ಯೋಗಿ {0} \ ಅನ್ನು ಅಳಿಸಿ" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,ನೀವು ಈಗಾಗಲೇ ಮೌಲ್ಯಮಾಪನ ಮಾನದಂಡಕ್ಕಾಗಿ ಮೌಲ್ಯಮಾಪನ ಮಾಡಿದ್ದೀರಿ {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ಬ್ಯಾಚ್ ಸಂಖ್ಯೆಗಳು ಆಯ್ಕೆಮಾಡಿ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),ವಯಸ್ಸು (ದಿನಗಳು) @@ -5254,6 +5301,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,ನಿಮ್ಮ ಡೊಮೇನ್ಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ DocType: Agriculture Task,Task Name,ಕಾರ್ಯನಾಮ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,ವರ್ಕ್ ಆರ್ಡರ್ಗಾಗಿ ಈಗಾಗಲೇ ಸ್ಟಾಕ್ ನಮೂದುಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ರದ್ದುಗೊಳಿಸಲು ದಯವಿಟ್ಟು ನೌಕರ {0} delete ಅನ್ನು ಅಳಿಸಿ" ,Amount to Deliver,ತಲುಪಿಸಲು ಮೊತ್ತ apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,ಕಂಪನಿ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,ನೀಡಲಾದ ಐಟಂಗಳಿಗೆ ಲಿಂಕ್ ಮಾಡಲು ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ಬಾಕಿ ಉಳಿದಿಲ್ಲ. @@ -5303,6 +5352,7 @@ DocType: Program Enrollment,Enrolled courses,ದಾಖಲಾತಿ ಶಿಕ್ DocType: Lab Prescription,Test Code,ಪರೀಕ್ಷಾ ಕೋಡ್ DocType: Purchase Taxes and Charges,On Previous Row Total,ಹಿಂದಿನ ರೋ ಒಟ್ಟು DocType: Student,Student Email Address,ವಿದ್ಯಾರ್ಥಿ ಇಮೇಲ್ ವಿಳಾಸ +,Delayed Item Report,ವಿಳಂಬವಾದ ಐಟಂ ವರದಿ DocType: Academic Term,Education,ಶಿಕ್ಷಣ DocType: Supplier Quotation,Supplier Address,ಪೂರೈಕೆದಾರ ವಿಳಾಸ DocType: Salary Detail,Do not include in total,ಒಟ್ಟು ಸೇರಿಸಬೇಡಿ @@ -5310,7 +5360,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ DocType: Purchase Receipt Item,Rejected Quantity,ನಿರಾಕರಿಸಿದ ಪ್ರಮಾಣ DocType: Cashier Closing,To TIme,ಟೀಮ್ ಮಾಡಲು -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: Daily Work Summary Group User,Daily Work Summary Group User,ಡೈಲಿ ವರ್ಕ್ ಸಾರಾಂಶ ಗುಂಪು ಬಳಕೆದಾರ DocType: Fiscal Year Company,Fiscal Year Company,ಹಣಕಾಸಿನ ವರ್ಷದ ಕಂಪನಿ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,ಪರ್ಯಾಯ ಐಟಂ ಐಟಂ ಕೋಡ್ನಂತೆ ಇರಬಾರದು @@ -5362,6 +5411,7 @@ DocType: Program Fee,Program Fee,ಕಾರ್ಯಕ್ರಮ ಶುಲ್ಕ DocType: Delivery Settings,Delay between Delivery Stops,ಡೆಲಿವರಿ ನಿಲ್ದಾಣಗಳ ನಡುವೆ ವಿಳಂಬ DocType: Stock Settings,Freeze Stocks Older Than [Days],[ದಿನಗಳು] ಗಿಂತ ಹಳೆಯದಾದ ಸ್ಟಾಕ್ಗಳನ್ನು ಫ್ರೀಜ್ ಮಾಡಿ DocType: Promotional Scheme,Promotional Scheme Product Discount,ಪ್ರಚಾರದ ಯೋಜನೆ ಉತ್ಪನ್ನ ರಿಯಾಯಿತಿ +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ಸಂಚಿಕೆ ಆದ್ಯತೆ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ DocType: Account,Asset Received But Not Billed,ಪಡೆದ ಆಸ್ತಿ ಆದರೆ ಬಿಲ್ ಮಾಡಿಲ್ಲ DocType: POS Closing Voucher,Total Collected Amount,ಒಟ್ಟು ಸಂಗ್ರಹಿಸಿದ ಮೊತ್ತ DocType: Course,Default Grading Scale,ಡೀಫಾಲ್ಟ್ ಗ್ರೇಡಿಂಗ್ ಸ್ಕೇಲ್ @@ -5403,6 +5453,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,ಪೂರೈಸುವ ನಿಯಮಗಳು apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,ಗುಂಪಿಗೆ ಗುಂಪು ಇಲ್ಲ DocType: Student Guardian,Mother,ತಾಯಿ +DocType: Issue,Service Level Agreement Fulfilled,ಸೇವಾ ಮಟ್ಟದ ಒಪ್ಪಂದವನ್ನು ಪೂರೈಸಲಾಗಿದೆ DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,ಹಕ್ಕು ನಿರಾಕರಿಸದ ನೌಕರರ ಲಾಭಕ್ಕಾಗಿ ತೆರಿಗೆ ಕಡಿತಗೊಳಿಸಿ DocType: Travel Request,Travel Funding,ಪ್ರವಾಸ ಫಂಡಿಂಗ್ DocType: Shipping Rule,Fixed,ಪರಿಹರಿಸಲಾಗಿದೆ @@ -5432,10 +5483,12 @@ DocType: Item,Warranty Period (in days),ಖಾತರಿ ಅವಧಿಯು (ದ apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,ಯಾವುದೇ ಐಟಂಗಳು ಕಂಡುಬಂದಿಲ್ಲ. DocType: Item Attribute,From Range,ರೇಂಜ್ನಿಂದ DocType: Clinical Procedure,Consumables,ಗ್ರಾಹಕರು +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'ಉದ್ಯೋಗಿ_ಕ್ಷೇತ್ರ_ಮೌಲ್ಯ' ಮತ್ತು 'ಟೈಮ್‌ಸ್ಟ್ಯಾಂಪ್' ಅಗತ್ಯವಿದೆ. DocType: Purchase Taxes and Charges,Reference Row #,ಉಲ್ಲೇಖ ಸಾಲು # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},ಕಂಪೆನಿಯಲ್ಲಿ 'ಆಸ್ತಿ ಸವಕಳಿ ಖರ್ಚಿನ ಕೇಂದ್ರವನ್ನು' ಹೊಂದಿಸಿ {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,ಸಾಲು # {0}: ಟ್ರಾಸ್ಯಾಕ್ಷನ್ ಪೂರ್ಣಗೊಳಿಸಲು ಪಾವತಿ ಡಾಕ್ಯುಮೆಂಟ್ ಅಗತ್ಯವಿದೆ DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ಅಮೆಜಾನ್ MWS ನಿಂದ ನಿಮ್ಮ ಮಾರಾಟದ ಆರ್ಡರ್ ಡೇಟಾವನ್ನು ಎಳೆಯಲು ಈ ಬಟನ್ ಅನ್ನು ಕ್ಲಿಕ್ ಮಾಡಿ. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),ಅರ್ಧ ದಿನವನ್ನು ಗುರುತಿಸಿರುವ ಕೆಲಸದ ಸಮಯಕ್ಕಿಂತ ಕಡಿಮೆ. (ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲು ಶೂನ್ಯ) ,Assessment Plan Status,ಅಸೆಸ್ಮೆಂಟ್ ಯೋಜನೆ ಸ್ಥಿತಿ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,ದಯವಿಟ್ಟು ಮೊದಲು {0} ಆಯ್ಕೆಮಾಡಿ apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,ನೌಕರರ ದಾಖಲೆ ರಚಿಸಲು ಇದನ್ನು ಸಲ್ಲಿಸಿ @@ -5506,6 +5559,7 @@ DocType: Quality Procedure,Parent Procedure,ಪೋಷಕ ಪ್ರಕ್ರಿ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,ತೆರೆಯಿರಿ ಹೊಂದಿಸಿ apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,ಟಾಗಲ್ ಶೋಧಕಗಳು DocType: Production Plan,Material Request Detail,ವಸ್ತು ವಿನಂತಿ ವಿವರ +DocType: Shift Type,Process Attendance After,ಪ್ರಕ್ರಿಯೆಯ ಹಾಜರಾತಿ ನಂತರ DocType: Material Request Item,Quantity and Warehouse,ಪ್ರಮಾಣ ಮತ್ತು ವೇರ್ಹೌಸ್ apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,ಪ್ರೋಗ್ರಾಂಗಳಿಗೆ ಹೋಗಿ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},ಸಾಲು # {0}: ಉಲ್ಲೇಖಗಳಲ್ಲಿನ ನಕಲಿ ಪ್ರವೇಶ {1} {2} @@ -5563,6 +5617,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,ಪಕ್ಷದ ಮಾಹಿತಿ apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),ಸಾಲಗಾರರು ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,ಇಲ್ಲಿಯವರೆಗೆ ಉದ್ಯೋಗಿಗಳ ನಿವಾರಣೆ ದಿನಾಂಕಕ್ಕಿಂತ ಹೆಚ್ಚಿನದನ್ನು ಮಾಡಲಾಗುವುದಿಲ್ಲ +DocType: Shift Type,Enable Exit Grace Period,ನಿರ್ಗಮನ ಗ್ರೇಸ್ ಅವಧಿಯನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ DocType: Expense Claim,Employees Email Id,ನೌಕರರು ಇಮೇಲ್ ಐಡಿ DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify ರಿಂದ ERPNext ಬೆಲೆ ಪಟ್ಟಿಗೆ ಬೆಲೆ ನವೀಕರಿಸಿ DocType: Healthcare Settings,Default Medical Code Standard,ಡೀಫಾಲ್ಟ್ ವೈದ್ಯಕೀಯ ಕೋಡ್ ಸ್ಟ್ಯಾಂಡರ್ಡ್ @@ -5593,7 +5648,6 @@ DocType: Item Group,Item Group Name,ಐಟಂ ಗ್ರೂಪ್ ಹೆಸರು DocType: Budget,Applicable on Material Request,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗೆ ಅನ್ವಯಿಸುತ್ತದೆ DocType: Support Settings,Search APIs,ಹುಡುಕಾಟ API ಗಳು DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,ಮಾರಾಟದ ಆದೇಶಕ್ಕಾಗಿ ಉತ್ಪಾದನೆ ಶೇಕಡಾವಾರು -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,ವಿಶೇಷಣಗಳು DocType: Purchase Invoice,Supplied Items,ಸರಬರಾಜು ಐಟಂಗಳು DocType: Leave Control Panel,Select Employees,ಉದ್ಯೋಗಿಗಳನ್ನು ಆಯ್ಕೆ ಮಾಡಿ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},ಸಾಲದಲ್ಲಿ ಬಡ್ಡಿ ಆದಾಯದ ಖಾತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ {0} @@ -5619,7 +5673,7 @@ DocType: Salary Slip,Deductions,ಕಳೆಯುವಿಕೆಗಳು ,Supplier-Wise Sales Analytics,ಪೂರೈಕೆದಾರ-ವೈಸ್ ಸೇಲ್ಸ್ ಅನಾಲಿಟಿಕ್ಸ್ DocType: GSTR 3B Report,February,ಫೆಬ್ರುವರಿ DocType: Appraisal,For Employee,ಉದ್ಯೋಗಿಗೆ -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,ನಿಜವಾದ ವಿತರಣೆ ದಿನಾಂಕ +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,ನಿಜವಾದ ವಿತರಣೆ ದಿನಾಂಕ DocType: Sales Partner,Sales Partner Name,ಮಾರಾಟದ ಸಂಗಾತಿ ಹೆಸರು apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,ಸವಕಳಿ ಸಾಲು {0}: ಸವಕಳಿ ಆರಂಭ ದಿನಾಂಕ ಕಳೆದ ದಿನಾಂಕದಂತೆ ನಮೂದಿಸಲಾಗಿದೆ DocType: GST HSN Code,Regional,ಪ್ರಾದೇಶಿಕ @@ -5658,6 +5712,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,ಅ DocType: Supplier Scorecard,Supplier Scorecard,ಪೂರೈಕೆದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ DocType: Travel Itinerary,Travel To,ಪ್ರಯಾಣಕ್ಕೆ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,ಹಾಜರಾತಿ ಗುರುತಿಸಿ +DocType: Shift Type,Determine Check-in and Check-out,ಚೆಕ್-ಇನ್ ಮತ್ತು ಚೆಕ್- .ಟ್ ಅನ್ನು ನಿರ್ಧರಿಸಿ DocType: POS Closing Voucher,Difference,ವ್ಯತ್ಯಾಸ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,ಸಣ್ಣ DocType: Work Order Item,Work Order Item,ಆರ್ಡರ್ ಐಟಂ ಕೆಲಸ @@ -5691,6 +5746,7 @@ DocType: Sales Invoice,Shipping Address Name,ಶಿಪ್ಪಿಂಗ್ ವಿ apps/erpnext/erpnext/healthcare/setup.py,Drug,ಡ್ರಗ್ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} ಮುಚ್ಚಲಾಗಿದೆ DocType: Patient,Medical History,ವೈದ್ಯಕೀಯ ಇತಿಹಾಸ +DocType: Expense Claim,Expense Taxes and Charges,ಖರ್ಚು ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,ಇನ್ವಾಯ್ಸ್ ದಿನಾಂಕದ ನಂತರದ ದಿನಗಳ ಸಂಖ್ಯೆ ಚಂದಾದಾರಿಕೆಯನ್ನು ರದ್ದುಗೊಳಿಸುವುದಕ್ಕೂ ಮುಂಚಿತವಾಗಿ ಅಥವಾ ಚಂದಾದಾರಿಕೆಯನ್ನು ಪಾವತಿಸದೇ ಇರುವಂತೆ ಮುಗಿದಿದೆ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,ಅನುಸ್ಥಾಪನಾ ಸೂಚನೆ {0} ಅನ್ನು ಈಗಾಗಲೇ ಸಲ್ಲಿಸಲಾಗಿದೆ DocType: Patient Relation,Family,ಕುಟುಂಬ @@ -5723,7 +5779,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,ಬಲ apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} {1} ಘಟಕಗಳು ಈ ವ್ಯವಹಾರವನ್ನು ಪೂರ್ಣಗೊಳಿಸಲು {2} ನಲ್ಲಿ ಅಗತ್ಯವಿದೆ. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,ಸಬ್ ಕಾಂಟ್ರಾಕ್ಟ್ ಆಧಾರದ ಮೇಲೆ ಕಚ್ಚಾ ವಸ್ತುಗಳು -DocType: Bank Guarantee,Customer,ಗ್ರಾಹಕರು DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","ಸಕ್ರಿಯಗೊಳಿಸಿದಲ್ಲಿ, ಫೀಲ್ಡ್ ಅಕಾಡೆಮಿಕ್ ಟರ್ಮ್ ಪ್ರೋಗ್ರಾಮ್ ಎನ್ರೋಲ್ಮೆಂಟ್ ಟೂಲ್ನಲ್ಲಿ ಕಡ್ಡಾಯವಾಗಿರುತ್ತದೆ." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","ಬ್ಯಾಚ್ ಆಧಾರಿತ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪುಗಾಗಿ, ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್ ಪ್ರೋಗ್ರಾಂ ದಾಖಲಾತಿಯಿಂದ ಪ್ರತಿ ವಿದ್ಯಾರ್ಥಿಗೆ ಮೌಲ್ಯೀಕರಿಸಲಾಗುತ್ತದೆ." DocType: Course,Topics,ವಿಷಯಗಳು @@ -5880,6 +5935,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),ಮುಚ್ಚುವುದು (ಒಟ್ಟು + ತೆರೆಯುವಿಕೆ) DocType: Supplier Scorecard Criteria,Criteria Formula,ಮಾನದಂಡ ಫಾರ್ಮುಲಾ apps/erpnext/erpnext/config/support.py,Support Analytics,ಬೆಂಬಲ ಅನಾಲಿಟಿಕ್ಸ್ +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ಹಾಜರಾತಿ ಸಾಧನ ID (ಬಯೋಮೆಟ್ರಿಕ್ / ಆರ್ಎಫ್ ಟ್ಯಾಗ್ ಐಡಿ) apps/erpnext/erpnext/config/quality_management.py,Review and Action,ವಿಮರ್ಶೆ ಮತ್ತು ಕ್ರಿಯೆ DocType: Account,"If the account is frozen, entries are allowed to restricted users.","ಖಾತೆಯನ್ನು ಫ್ರೀಜ್ ಮಾಡಿದರೆ, ನಿರ್ಬಂಧಿತ ಬಳಕೆದಾರರಿಗೆ ನಮೂದುಗಳನ್ನು ಅನುಮತಿಸಲಾಗುತ್ತದೆ." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,ಸವಕಳಿ ನಂತರ ಪ್ರಮಾಣ @@ -5901,6 +5957,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,ಸಾಲ ಮರಪಾವತಿ DocType: Employee Education,Major/Optional Subjects,ಪ್ರಮುಖ / ಐಚ್ಛಿಕ ವಿಷಯಗಳು DocType: Soil Texture,Silt,ಸಿಲ್ಟ್ +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,ಪೂರೈಕೆದಾರ ವಿಳಾಸಗಳು ಮತ್ತು ಸಂಪರ್ಕಗಳು DocType: Bank Guarantee,Bank Guarantee Type,ಬ್ಯಾಂಕ್ ಗ್ಯಾರಂಟಿ ಟೈಪ್ DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿದಲ್ಲಿ, ಯಾವುದೇ ವ್ಯವಹಾರದಲ್ಲಿ 'ವೃತ್ತದ ಒಟ್ಟು' ಕ್ಷೇತ್ರವು ಗೋಚರಿಸುವುದಿಲ್ಲ" DocType: Pricing Rule,Min Amt,ಮಿನ್ ಆಮ್ಟ್ @@ -5937,6 +5994,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,ಇನ್ವಾಯ್ಸ್ ಸೃಷ್ಟಿ ಟೂಲ್ ಐಟಂ ತೆರೆಯಲಾಗುತ್ತಿದೆ DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,ಪಿಓಎಸ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ಸೇರಿಸಿ +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ನೀಡಿರುವ ಉದ್ಯೋಗಿ ಕ್ಷೇತ್ರ ಮೌಲ್ಯಕ್ಕೆ ಯಾವುದೇ ಉದ್ಯೋಗಿ ಕಂಡುಬಂದಿಲ್ಲ. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),ಸ್ವೀಕರಿಸಿದ ಮೊತ್ತ (ಕಂಪನಿ ಕರೆನ್ಸಿ) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage ತುಂಬಿದೆ, ಉಳಿಸಲಿಲ್ಲ" DocType: Chapter Member,Chapter Member,ಅಧ್ಯಾಯ ಸದಸ್ಯ @@ -5969,6 +6027,7 @@ DocType: SMS Center,All Lead (Open),ಆಲ್ ಲೀಡ್ (ಓಪನ್) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,ಯಾವುದೇ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪುಗಳು ರಚಿಸಲಾಗಿಲ್ಲ. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},ಒಂದೇ {1} ಜೊತೆ ಸಾಲು {0} ನಕಲು DocType: Employee,Salary Details,ವೇತನ ವಿವರಗಳು +DocType: Employee Checkin,Exit Grace Period Consequence,ಗ್ರೇಸ್ ಅವಧಿಯ ಪರಿಣಾಮವಾಗಿ ನಿರ್ಗಮಿಸಿ DocType: Bank Statement Transaction Invoice Item,Invoice,ಸರಕುಪಟ್ಟಿ DocType: Special Test Items,Particulars,ವಿವರಗಳು apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,ಐಟಂ ಅಥವಾ ವೇರ್ಹೌಸ್ ಆಧಾರದ ಮೇಲೆ ಫಿಲ್ಟರ್ ಅನ್ನು ಹೊಂದಿಸಿ @@ -6069,6 +6128,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,ಎಎಮ್ಸಿಯ ಔಟ್ DocType: Job Opening,"Job profile, qualifications required etc.","ಜಾಬ್ ಪ್ರೊಫೈಲ್, ವಿದ್ಯಾರ್ಹತೆಗಳು ಇತ್ಯಾದಿ." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,ರಾಜ್ಯಕ್ಕೆ ಸಾಗಿಸು +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,ವಸ್ತು ವಿನಂತಿಯನ್ನು ಸಲ್ಲಿಸಲು ನೀವು ಬಯಸುವಿರಾ DocType: Opportunity Item,Basic Rate,ಮೂಲ ದರ DocType: Compensatory Leave Request,Work End Date,ಕೆಲಸದ ಕೊನೆಯ ದಿನಾಂಕ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,ರಾ ಮೆಟೀರಿಯಲ್ಸ್ಗಾಗಿ ವಿನಂತಿ @@ -6253,6 +6313,7 @@ DocType: Depreciation Schedule,Depreciation Amount,ಸವಕಳಿ ಪ್ರಮ DocType: Sales Order Item,Gross Profit,ಒಟ್ಟು ಲಾಭ DocType: Quality Inspection,Item Serial No,ಐಟಂ ಸೀರಿಯಲ್ ಇಲ್ಲ DocType: Asset,Insurer,ವಿಮೆಗಾರ +DocType: Employee Checkin,OUT,ಹೊರಗಿದೆ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,ಮೊತ್ತವನ್ನು ಖರೀದಿಸಿ DocType: Asset Maintenance Task,Certificate Required,ಪ್ರಮಾಣಪತ್ರ ಅಗತ್ಯವಿದೆ DocType: Retention Bonus,Retention Bonus,ಧಾರಣ ಬೋನಸ್ @@ -6453,7 +6514,6 @@ DocType: Travel Request,Costing,ವೆಚ್ಚ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,ಸ್ಥಿರ ಆಸ್ತಿ DocType: Purchase Order,Ref SQ,SQ ಉಲ್ಲೇಖಿಸಿ DocType: Salary Structure,Total Earning,ಒಟ್ಟು ಸಂಪಾದನೆ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕರ ಗುಂಪು> ಪ್ರದೇಶ DocType: Share Balance,From No,ಇಲ್ಲ DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ಪಾವತಿ ಸಾಮರಸ್ಯ ಸರಕುಪಟ್ಟಿ DocType: Purchase Invoice,Taxes and Charges Added,ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ಸೇರಿಸಲಾಗಿದೆ @@ -6561,6 +6621,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,ಬೆಲೆ ನಿಯಮವನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ಆಹಾರ DocType: Lost Reason Detail,Lost Reason Detail,ಲಾಸ್ಟ್ ರೀಸನ್ ವಿವರ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},ಕೆಳಗಿನ ಸರಣಿ ಸಂಖ್ಯೆಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ:
{0} DocType: Maintenance Visit,Customer Feedback,ಗ್ರಾಹಕ ಪ್ರತಿಕ್ರಿಯೆ DocType: Serial No,Warranty / AMC Details,ಖಾತರಿ / ಎಎಂಸಿ ವಿವರಗಳು DocType: Issue,Opening Time,ತೆರೆಯುವ ಸಮಯ @@ -6610,6 +6671,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,ಕಂಪೆನಿ ಹೆಸರು ಒಂದೇ ಅಲ್ಲ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,ಪ್ರಚಾರದ ದಿನಾಂಕದ ಮೊದಲು ನೌಕರರ ಪ್ರಚಾರವನ್ನು ಸಲ್ಲಿಸಲಾಗುವುದಿಲ್ಲ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} ಕ್ಕಿಂತ ಹಳೆಯದಾದ ಸ್ಟಾಕ್ ವಹಿವಾಟುಗಳನ್ನು ನವೀಕರಿಸಲು ಅನುಮತಿಸಲಾಗಿಲ್ಲ +DocType: Employee Checkin,Employee Checkin,ಉದ್ಯೋಗಿ ಚೆಕ್ಇನ್ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},ಪ್ರಾರಂಭ ದಿನಾಂಕವು ಐಟಂಗೆ ಅಂತಿಮ ದಿನಾಂಕಕ್ಕಿಂತ ಕಡಿಮೆ ಇರಬೇಕು {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,ಗ್ರಾಹಕರ ಉಲ್ಲೇಖಗಳನ್ನು ರಚಿಸಿ DocType: Buying Settings,Buying Settings,ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು ಖರೀದಿಸುವುದು @@ -6631,6 +6693,7 @@ DocType: Job Card Time Log,Job Card Time Log,ಜಾಬ್ ಕಾರ್ಡ್ ಸ DocType: Patient,Patient Demographics,ರೋಗಿಯ ಜನಸಂಖ್ಯಾಶಾಸ್ತ್ರ DocType: Share Transfer,To Folio No,ಪೋಲಿಯೋ ಸಂಖ್ಯೆ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ಕಾರ್ಯಾಚರಣೆಗಳಿಂದ ನಗದು ಹರಿವು +DocType: Employee Checkin,Log Type,ಲಾಗ್ ಪ್ರಕಾರ DocType: Stock Settings,Allow Negative Stock,ಋಣಾತ್ಮಕ ಸ್ಟಾಕ್ ಅನ್ನು ಅನುಮತಿಸಿ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,ಯಾವುದೇ ಅಂಶಗಳು ಪ್ರಮಾಣ ಅಥವಾ ಮೌಲ್ಯದಲ್ಲಿ ಯಾವುದೇ ಬದಲಾವಣೆಯನ್ನು ಹೊಂದಿಲ್ಲ. DocType: Asset,Purchase Date,ಖರೀದಿಸಿದ ದಿನಾಂಕ @@ -6675,6 +6738,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,ಬಹಳ ಹೈಪರ್ apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,ನಿಮ್ಮ ವ್ಯವಹಾರದ ಸ್ವರೂಪವನ್ನು ಆಯ್ಕೆಮಾಡಿ. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,ದಯವಿಟ್ಟು ತಿಂಗಳು ಮತ್ತು ವರ್ಷವನ್ನು ಆಯ್ಕೆಮಾಡಿ +DocType: Service Level,Default Priority,ಡೀಫಾಲ್ಟ್ ಆದ್ಯತೆ DocType: Student Log,Student Log,ವಿದ್ಯಾರ್ಥಿ ಲಾಗ್ DocType: Shopping Cart Settings,Enable Checkout,ಚೆಕ್ಔಟ್ ಸಕ್ರಿಯಗೊಳಿಸಿ apps/erpnext/erpnext/config/settings.py,Human Resources,ಮಾನವ ಸಂಪನ್ಮೂಲಗಳು @@ -6703,7 +6767,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext ನೊಂದಿಗೆ Shopify ಅನ್ನು ಸಂಪರ್ಕಿಸಿ DocType: Homepage Section Card,Subtitle,ಉಪಶೀರ್ಷಿಕೆ DocType: Soil Texture,Loam,ಲೋಮ್ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಪೂರೈಕೆದಾರ ಕೌಟುಂಬಿಕತೆ DocType: BOM,Scrap Material Cost(Company Currency),ಸ್ಕ್ರ್ಯಾಪ್ ವಸ್ತು ವೆಚ್ಚ (ಕಂಪನಿ ಕರೆನ್ಸಿ) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ಡೆಲಿವರಿ ನೋಟ್ {0} ಅನ್ನು ಸಲ್ಲಿಸಬಾರದು DocType: Task,Actual Start Date (via Time Sheet),ನಿಜವಾದ ಪ್ರಾರಂಭ ದಿನಾಂಕ (ಟೈಮ್ ಶೀಟ್ ಮೂಲಕ) @@ -6759,6 +6822,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,ಡೋಸೇಜ್ DocType: Cheque Print Template,Starting position from top edge,ಉನ್ನತ ಅಂಚಿನಿಂದ ಸ್ಥಾನ ಪ್ರಾರಂಭಿಸಿ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),ನೇಮಕಾತಿ ಅವಧಿ (ನಿಮಿಷಗಳು) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},ಈ ಉದ್ಯೋಗಿಗೆ ಈಗಾಗಲೇ ಅದೇ ಟೈಮ್‌ಸ್ಟ್ಯಾಂಪ್‌ನೊಂದಿಗೆ ಲಾಗ್ ಇದೆ. {0} DocType: Accounting Dimension,Disable,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ DocType: Email Digest,Purchase Orders to Receive,ಖರೀದಿ ಆದೇಶಗಳನ್ನು ಸ್ವೀಕರಿಸಿ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,ಪ್ರೊಡಕ್ಷನ್ಸ್ ಆರ್ಡರ್ಗಳನ್ನು ಈ ಕೆಳಗಿನವುಗಳಿಗೆ ಎಬ್ಬಿಸಲಾಗುವುದಿಲ್ಲ: @@ -6774,7 +6838,6 @@ DocType: Production Plan,Material Requests,ವಸ್ತು ವಿನಂತಿಗ DocType: Buying Settings,Material Transferred for Subcontract,ಸಬ್ ಕಾಂಟ್ರಾಕ್ಟ್ಗಾಗಿ ಮೆಟೀರಿಯಲ್ ಟ್ರಾನ್ಸ್ಫರ್ಡ್ DocType: Job Card,Timing Detail,ಸಮಯ ವಿವರ apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,ಅಗತ್ಯವಿದೆ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{1} ರಲ್ಲಿ {0} ಆಮದು ಮಾಡಲಾಗುತ್ತಿದೆ DocType: Job Offer Term,Job Offer Term,ಜಾಬ್ ಆಫರ್ ಟರ್ಮ್ DocType: SMS Center,All Contact,ಎಲ್ಲಾ ಸಂಪರ್ಕ DocType: Project Task,Project Task,ಪ್ರಾಜೆಕ್ಟ್ ಟಾಸ್ಕ್ @@ -6825,7 +6888,6 @@ DocType: Student Log,Academic,ಶೈಕ್ಷಣಿಕ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,ಐಟಂ {0} ಸೀರಿಯಲ್ ನೊಸ್ಗಾಗಿ ಸೆಟಪ್ ಆಗಿಲ್ಲ. ಐಟಂ ಮಾಸ್ಟರ್ ಅನ್ನು ಪರಿಶೀಲಿಸಿ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,ರಾಜ್ಯದಿಂದ DocType: Leave Type,Maximum Continuous Days Applicable,ಗರಿಷ್ಠ ನಿರಂತರ ದಿನಗಳು ಅನ್ವಯಿಸುತ್ತವೆ -apps/erpnext/erpnext/config/support.py,Support Team.,ಬೆಂಬಲ ತಂಡ. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,ದಯವಿಟ್ಟು ಮೊದಲು ಕಂಪನಿಯ ಹೆಸರನ್ನು ನಮೂದಿಸಿ apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,ಆಮದು ಯಶಸ್ವಿಯಾಗಿದೆ DocType: Guardian,Alternate Number,ಪರ್ಯಾಯ ಸಂಖ್ಯೆ @@ -6917,6 +6979,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,ಸಾಲು # {0}: ಐಟಂ ಸೇರಿಸಲಾಗಿದೆ DocType: Student Admission,Eligibility and Details,ಅರ್ಹತೆ ಮತ್ತು ವಿವರಗಳು DocType: Staffing Plan,Staffing Plan Detail,ಸಿಬ್ಬಂದಿ ಯೋಜನೆ ವಿವರ +DocType: Shift Type,Late Entry Grace Period,ಲೇಟ್ ಎಂಟ್ರಿ ಗ್ರೇಸ್ ಅವಧಿ DocType: Email Digest,Annual Income,ವಾರ್ಷಿಕ ಆದಾಯ DocType: Journal Entry,Subscription Section,ಚಂದಾದಾರಿಕೆ ವಿಭಾಗ DocType: Salary Slip,Payment Days,ಪಾವತಿ ದಿನಗಳು @@ -6967,6 +7030,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,ಖಾತೆ ಬ್ಯಾಲೆನ್ಸ್ DocType: Asset Maintenance Log,Periodicity,ಆವರ್ತಕ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,ವೈದ್ಯಕೀಯ ವರದಿ +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,ಶಿಫ್ಟ್‌ನಲ್ಲಿ ಬೀಳುವ ಚೆಕ್‌-ಇನ್‌ಗಳಿಗೆ ಲಾಗ್ ಪ್ರಕಾರದ ಅಗತ್ಯವಿದೆ: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,ಮರಣದಂಡನೆ DocType: Item,Valuation Method,ಮೌಲ್ಯಾಂಕನ ವಿಧಾನ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ವಿರುದ್ಧ {0} {0} @@ -7051,6 +7115,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,ಸ್ಥಾನಕ್ DocType: Loan Type,Loan Name,ಸಾಲ ಹೆಸರು apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ಪಾವತಿಯ ಡೀಫಾಲ್ಟ್ ಮೋಡ್ ಅನ್ನು ಹೊಂದಿಸಿ DocType: Quality Goal,Revision,ಪರಿಷ್ಕರಣೆ +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,ಚೆಕ್- out ಟ್ ಅನ್ನು ಆರಂಭಿಕ (ನಿಮಿಷಗಳಲ್ಲಿ) ಎಂದು ಪರಿಗಣಿಸಿದಾಗ ಶಿಫ್ಟ್ ಅಂತ್ಯದ ಸಮಯ. DocType: Healthcare Service Unit,Service Unit Type,ಸೇವಾ ಘಟಕ ಪ್ರಕಾರ DocType: Purchase Invoice,Return Against Purchase Invoice,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ವಿರುದ್ಧ ಹಿಂತಿರುಗಿ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,ಸೀಕ್ರೆಟ್ ರಚಿಸಿ @@ -7206,12 +7271,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,ಕಾಸ್ಮೆಟಿಕ್ಸ್ DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,ಉಳಿಸುವ ಮೊದಲು ಸರಣಿಯನ್ನು ಆಯ್ಕೆ ಮಾಡಲು ಬಳಕೆದಾರನನ್ನು ಒತ್ತಾಯಿಸಲು ನೀವು ಬಯಸಿದರೆ ಇದನ್ನು ಪರಿಶೀಲಿಸಿ. ನೀವು ಇದನ್ನು ಪರಿಶೀಲಿಸಿದರೆ ಪೂರ್ವನಿಯೋಜಿತವಾಗಿರುವುದಿಲ್ಲ. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ಈ ಪಾತ್ರವನ್ನು ಹೊಂದಿರುವ ಬಳಕೆದಾರರು ಹೆಪ್ಪುಗಟ್ಟಿದ ಖಾತೆಗಳನ್ನು ಹೊಂದಿಸಲು ಮತ್ತು ಹೆಪ್ಪುಗಟ್ಟಿದ ಖಾತೆಗಳ ವಿರುದ್ಧ ಲೆಕ್ಕಪತ್ರ ನಮೂದುಗಳನ್ನು ರಚಿಸಲು / ಮಾರ್ಪಡಿಸಲು ಅನುಮತಿಸಲಾಗಿದೆ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗುಂಪು> ಬ್ರಾಂಡ್ DocType: Expense Claim,Total Claimed Amount,ಒಟ್ಟು ಹಕ್ಕು ಮೊತ್ತ 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} ದಿನಗಳಲ್ಲಿ ಟೈಮ್ ಸ್ಲಾಟ್ ಅನ್ನು ಹುಡುಕಲಾಗಲಿಲ್ಲ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,ಅಪ್ ಸುತ್ತುವುದನ್ನು apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,ನಿಮ್ಮ ಸದಸ್ಯತ್ವ 30 ದಿನಗಳಲ್ಲಿ ಅವಧಿ ಮೀರಿದರೆ ಮಾತ್ರ ನವೀಕರಿಸಬಹುದು apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},ಮೌಲ್ಯವು {0} ಮತ್ತು {1} ನಡುವೆ ಇರಬೇಕು DocType: Quality Feedback,Parameters,ನಿಯತಾಂಕಗಳು +DocType: Shift Type,Auto Attendance Settings,ಸ್ವಯಂ ಹಾಜರಾತಿ ಸೆಟ್ಟಿಂಗ್‌ಗಳು ,Sales Partner Transaction Summary,ಮಾರಾಟದ ಸಂಗಾತಿ ವ್ಯವಹಾರದ ಸಾರಾಂಶ DocType: Asset Maintenance,Maintenance Manager Name,ನಿರ್ವಹಣೆ ವ್ಯವಸ್ಥಾಪಕರ ಹೆಸರು apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,ಐಟಂ ವಿವರಗಳನ್ನು ಪಡೆದುಕೊಳ್ಳಲು ಇದು ಅಗತ್ಯವಿದೆ. @@ -7250,6 +7317,7 @@ DocType: Student Admission,Student Admission,ವಿದ್ಯಾರ್ಥಿ ಪ DocType: Designation Skill,Skill,ನೈಪುಣ್ಯ DocType: Budget Account,Budget Account,ಬಜೆಟ್ ಖಾತೆ DocType: Employee Transfer,Create New Employee Id,ಹೊಸ ಉದ್ಯೋಗಿ ಐಡಿ ರಚಿಸಿ +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} is required for 'Profit and Loss' account {1}.,'ಲಾಭ ಮತ್ತು ನಷ್ಟ' ಖಾತೆಗೆ {0} ಅಗತ್ಯವಿದೆ {1}. apps/erpnext/erpnext/config/accounting.py,Goods and Services Tax (GST India),ಸರಕು ಮತ್ತು ಸೇವಾ ತೆರಿಗೆ (ಜಿಎಸ್ಟಿ ಭಾರತ) apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Creating Salary Slips...,ಸಂಬಳ ಸ್ಲಿಪ್ಸ್ ರಚಿಸಲಾಗುತ್ತಿದೆ ... DocType: Employee Skill,Employee Skill,ಉದ್ಯೋಗಿ ಕೌಶಲ್ಯ @@ -7304,7 +7372,6 @@ DocType: Homepage,Company Tagline for website homepage,ವೆಬ್ಸೈಟ್ DocType: Company,Round Off Cost Center,ರೌಂಡ್ ಆಫ್ ಕಾಸ್ಟ್ ಸೆಂಟರ್ DocType: Supplier Scorecard Criteria,Criteria Weight,ಮಾನದಂಡ ತೂಕ DocType: Asset,Depreciation Schedules,ಸವಕಳಿ ವೇಳಾಪಟ್ಟಿ -DocType: Expense Claim Detail,Claim Amount,ಹಕ್ಕು ಮೊತ್ತ DocType: Subscription,Discounts,ರಿಯಾಯಿತಿಗಳು DocType: Shipping Rule,Shipping Rule Conditions,ಶಿಪ್ಪಿಂಗ್ ರೂಲ್ ನಿಯಮಗಳು DocType: Subscription,Cancelation Date,ರದ್ದು ದಿನಾಂಕ @@ -7332,7 +7399,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,ಮುನ್ನಡೆ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,ಶೂನ್ಯ ಮೌಲ್ಯಗಳನ್ನು ತೋರಿಸು DocType: Employee Onboarding,Employee Onboarding,ಉದ್ಯೋಗಿ ಆನ್ಬೋರ್ಡಿಂಗ್ DocType: POS Closing Voucher,Period End Date,ಅವಧಿ ಅಂತ್ಯ ದಿನಾಂಕ -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,ಮೂಲದಿಂದ ಮಾರಾಟದ ಅವಕಾಶಗಳು DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,ಪಟ್ಟಿಯಲ್ಲಿರುವ ಮೊದಲ ಬಿಡಿ ಅನುಮೋದಕವು ಡೀಫಾಲ್ಟ್ ಲೀವ್ ಅಪ್ರೋವರ್ ಆಗಿ ಹೊಂದಿಸಲ್ಪಡುತ್ತದೆ. DocType: POS Settings,POS Settings,ಪಿಓಎಸ್ ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,ಎಲ್ಲಾ ಖಾತೆಗಳು @@ -7353,7 +7419,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ಬ್ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ಸಾಲು # {0}: ದರವು {1} ಆಗಿರಬೇಕು: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,ಹೆಚ್ಎಲ್ಸಿ-ಸಿಪಿಆರ್ - .YYYY.- DocType: Healthcare Settings,Healthcare Service Items,ಆರೋಗ್ಯ ಸೇವೆ ವಸ್ತುಗಳು -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,ಯಾವುದೇ ದಾಖಲೆಗಳು ಕಂಡುಬಂದಿಲ್ಲ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,ಏಜಿಂಗ್ ರೇಂಜ್ 3 DocType: Vital Signs,Blood Pressure,ರಕ್ತದೊತ್ತಡ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,ಟಾರ್ಗೆಟ್ ಆನ್ @@ -7400,6 +7465,7 @@ DocType: Company,Existing Company,ಅಸ್ತಿತ್ವದಲ್ಲಿರು apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ಬ್ಯಾಚ್ಗಳು apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,ರಕ್ಷಣಾ DocType: Item,Has Batch No,ಹ್ಯಾಚ್ ಬ್ಯಾಚ್ ಇಲ್ಲ +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,ವಿಳಂಬವಾದ ದಿನಗಳು DocType: Lead,Person Name,ವ್ಯಕ್ತಿಯ ಹೆಸರು DocType: Item Variant,Item Variant,ಐಟಂ ರೂಪಾಂತರ DocType: Training Event Employee,Invited,ಆಹ್ವಾನಿಸಲಾಗಿದೆ @@ -7421,7 +7487,7 @@ DocType: Purchase Order,To Receive and Bill,ಸ್ವೀಕರಿಸಲು ಮ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","ಪ್ರಾರಂಭ ಮತ್ತು ಅಂತ್ಯದ ದಿನಾಂಕಗಳು ಮಾನ್ಯವಾದ ವೇತನದಾರರ ಅವಧಿಯಲ್ಲ, {0} ಲೆಕ್ಕಾಚಾರ ಮಾಡಲಾಗುವುದಿಲ್ಲ." DocType: POS Profile,Only show Customer of these Customer Groups,ಈ ಗ್ರಾಹಕರ ಗುಂಪಿನ ಗ್ರಾಹಕನನ್ನು ಮಾತ್ರ ತೋರಿಸು apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ಸರಕುಪಟ್ಟಿ ಉಳಿಸಲು ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ -DocType: Service Level,Resolution Time,ರೆಸಲ್ಯೂಶನ್ ಸಮಯ +DocType: Service Level Priority,Resolution Time,ರೆಸಲ್ಯೂಶನ್ ಸಮಯ DocType: Grading Scale Interval,Grade Description,ಗ್ರೇಡ್ ವಿವರಣೆ DocType: Homepage Section,Cards,ಕಾರ್ಡ್ಗಳು DocType: Quality Meeting Minutes,Quality Meeting Minutes,ಗುಣಮಟ್ಟ ಸಭೆ ನಿಮಿಷಗಳು @@ -7494,7 +7560,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,ಪಕ್ಷಗಳು ಮತ್ತು ವಿಳಾಸಗಳನ್ನು ಆಮದು ಮಾಡಿಕೊಳ್ಳುವಿಕೆ DocType: Item,List this Item in multiple groups on the website.,ಈ ಐಟಂ ಅನ್ನು ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ಅನೇಕ ಗುಂಪುಗಳಲ್ಲಿ ಪಟ್ಟಿ ಮಾಡಿ. DocType: Request for Quotation,Message for Supplier,ಸರಬರಾಜುದಾರರಿಗೆ ಸಂದೇಶ -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,{1} ಐಟಂಗೆ ಸ್ಟಾಕ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಆಗಿ {0} ಬದಲಾಗುವುದಿಲ್ಲ. DocType: Healthcare Practitioner,Phone (R),ಫೋನ್ (ಆರ್) DocType: Maintenance Team Member,Team Member,ತಂಡದ ಸದಸ್ಯ DocType: Asset Category Account,Asset Category Account,ಆಸ್ತಿ ವರ್ಗ ಖಾತೆ diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv index 34019d1e82..cc70fcd100 100644 --- a/erpnext/translations/ko.csv +++ b/erpnext/translations/ko.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,학기 시작일 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,약속 {0} 및 판매 송장 {1}이 취소되었습니다. DocType: Purchase Receipt,Vehicle Number,차량 번호 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,귀하의 이메일 주소 ... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,기본 도서 항목 포함 +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,기본 도서 항목 포함 DocType: Activity Cost,Activity Type,활동 유형 DocType: Purchase Invoice,Get Advances Paid,급여 지불 DocType: Company,Gain/Loss Account on Asset Disposal,자산 처분 이익 / 손실 계정 @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,그것은 무엇 DocType: Bank Reconciliation,Payment Entries,지불 항목 DocType: Employee Education,Class / Percentage,클래스 / 백분율 ,Electronic Invoice Register,전자 인보이스 등록 +DocType: Shift Type,The number of occurrence after which the consequence is executed.,결과가 실행 된 후의 발생 수입니다. DocType: Sales Invoice,Is Return (Credit Note),돌아온다 (신용 정보) +DocType: Price List,Price Not UOM Dependent,UOM에 의존하지 않는 가격 DocType: Lab Test Sample,Lab Test Sample,실험실 테스트 샘플 DocType: Shopify Settings,status html,상태 HTML DocType: Fiscal Year,"For e.g. 2012, 2012-13","예 : 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,제품 검색 DocType: Salary Slip,Net Pay,순 유료 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,총 청구 금액 DocType: Clinical Procedure,Consumables Invoice Separately,소모품 송장 별도 +DocType: Shift Type,Working Hours Threshold for Absent,결근 시간 DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},그룹 계정 {0}에 예산을 할당 할 수 없습니다. DocType: Purchase Receipt Item,Rate and Amount,요금 및 금액 @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,원본 창고 설정 DocType: Healthcare Settings,Out Patient Settings,환자 설정 DocType: Asset,Insurance End Date,보험 종료일 DocType: Bank Account,Branch Code,지점 코드 -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,응답 할 시간 apps/erpnext/erpnext/public/js/conf.js,User Forum,사용자 포럼 DocType: Landed Cost Item,Landed Cost Item,상륙 비용 항목 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,판매자와 구매자는 같을 수 없습니다. @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,리드 소유자 DocType: Share Transfer,Transfer,이전 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),항목 검색 (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} 결과 제출 +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,시작일은 이전보다 클 수 없습니다. DocType: Supplier,Supplier of Goods or Services.,물품 또는 서비스 공급자. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,새 계정의 이름입니다. 참고 : 고객 및 공급 업체 계정을 만들지 마십시오. apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,학생 그룹 또는 과정 일정은 필수 @@ -882,7 +885,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,잠재 고 DocType: Skill,Skill Name,기술 이름 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,성적서 인쇄 DocType: Soil Texture,Ternary Plot,삼원 계획 -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,티켓 지원 DocType: Asset Category Account,Fixed Asset Account,고정 자산 계정 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,최근 @@ -895,6 +897,7 @@ DocType: Delivery Trip,Distance UOM,거리 UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,대차 대조표 필수 DocType: Payment Entry,Total Allocated Amount,총 할당 금액 DocType: Sales Invoice,Get Advances Received,선불 받기 +DocType: Shift Type,Last Sync of Checkin,마지막 체크인 동기화 DocType: Student,B-,비- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,값에 포함 된 품목 세금 금액 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -903,7 +906,9 @@ DocType: Subscription Plan,Subscription Plan,구독 계획 DocType: Student,Blood Group,혈액형 apps/erpnext/erpnext/config/healthcare.py,Masters,석사 DocType: Crop,Crop Spacing UOM,자르기 간격 UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,체크인이 늦은 것으로 간주되는 시프트 시작 시간 이후의 시간 (분). apps/erpnext/erpnext/templates/pages/home.html,Explore,탐색 +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,미결제 인보이스가 없습니다. apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{3}의 자회사에 대해 이미 계획된 {2}의 {0} 공석 및 {1} 예산. \ 모회사 인 {3}에 대한 인력 계획 {6}에 따라 {4} 개의 공석 만 계획 할 수 있으며 예산은 {5}입니다. DocType: Promotional Scheme,Product Discount Slabs,제품 할인 석판 @@ -1005,6 +1010,7 @@ DocType: Attendance,Attendance Request,출석 요청 DocType: Item,Moving Average,이동 평균 DocType: Employee Attendance Tool,Unmarked Attendance,표시되지 않은 출석 DocType: Homepage Section,Number of Columns,열 개수 +DocType: Issue Priority,Issue Priority,이슈 우선 순위 DocType: Holiday List,Add Weekly Holidays,주중 휴일 추가 DocType: Shopify Log,Shopify Log,Shopify 로그 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,급여 전표 작성 @@ -1013,6 +1019,7 @@ DocType: Job Offer Term,Value / Description,값 / 설명 DocType: Warranty Claim,Issue Date,발행일 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}에 대한 배치를 선택하십시오. 이 요구 사항을 충족하는 단일 배치를 찾을 수 없습니다. apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,왼쪽 직원에 대해 보유 보너스를 생성 할 수 없음 +DocType: Employee Checkin,Location / Device ID,위치 / 기기 ID DocType: Purchase Order,To Receive,받다 apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,오프라인 모드입니다. 네트워크를 가질 때까지 다시로드 할 수 없습니다. DocType: Course Activity,Enrollment,등록 @@ -1021,7 +1028,6 @@ DocType: Lab Test Template,Lab Test Template,실험실 테스트 템플릿 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},최대 값 : {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,이메일 송장 정보 누락 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,중요한 요청이 생성되지 않았습니다. -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 DocType: Loan,Total Amount Paid,총 지불 금액 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,이 모든 항목은 이미 인보이스 발행되었습니다. DocType: Training Event,Trainer Name,강사 이름 @@ -1132,6 +1138,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Lead {0}의 리드 이름을 언급하십시오. DocType: Employee,You can enter any date manually,수동으로 날짜를 입력 할 수 있습니다. DocType: Stock Reconciliation Item,Stock Reconciliation Item,주식 조정 항목 +DocType: Shift Type,Early Exit Consequence,조기 퇴거 결과 DocType: Item Group,General Settings,일반 설정 apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,만기일은 전기 / 공급 업체 인보이스 날짜 이전 일 수 없습니다. apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,제출하기 전에 수혜자의 이름을 입력하십시오. @@ -1170,6 +1177,7 @@ DocType: Account,Auditor,감사 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,지불 확인서 ,Available Stock for Packing Items,포장 항목에 사용할 수있는 재고 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},C-Form {1}에서이 송장 {0}을 (를) 제거하십시오. +DocType: Shift Type,Every Valid Check-in and Check-out,모든 유효한 체크인 및 체크 아웃 DocType: Support Search Source,Query Route String,경로 문자열 쿼리 DocType: Customer Feedback Template,Customer Feedback Template,고객 피드백 템플릿 apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,리드 또는 고객의 의견. @@ -1204,6 +1212,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,권한 부여 제어 ,Daily Work Summary Replies,일별 작업 요약 회신 apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},프로젝트에서 공동 작업하도록 초대되었습니다 : {0} +DocType: Issue,Response By Variance,분산 별 응답 DocType: Item,Sales Details,판매 세부 정보 apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,편지 템플리트 DocType: Salary Detail,Tax on additional salary,추가 급여에 대한 세금 @@ -1327,6 +1336,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,고객 DocType: Project,Task Progress,작업 진행률 DocType: Journal Entry,Opening Entry,Opening Entry DocType: Bank Guarantee,Charges Incurred,발생 된 요금 +DocType: Shift Type,Working Hours Calculation Based On,근무 시간 계산에 근거 DocType: Work Order,Material Transferred for Manufacturing,제조용으로 이전 된 자재 DocType: Products Settings,Hide Variants,변형 숨기기 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,용량 계획 및 시간 추적 비활성화 @@ -1356,6 +1366,7 @@ DocType: Account,Depreciation,감가 상각 DocType: Guardian,Interests,이해 DocType: Purchase Receipt Item Supplied,Consumed Qty,소비 된 수량 DocType: Education Settings,Education Manager,교육 관리자 +DocType: Employee Checkin,Shift Actual Start,실제 시작 이동 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,워크 스테이션 근무 시간 이외의 시간 계획 로그. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},충성도 점수 : {0} DocType: Healthcare Settings,Registration Message,등록 메시지 @@ -1380,9 +1391,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,모든 결제 시간에 대해 이미 생성 된 인보이스 DocType: Sales Partner,Contact Desc,연락처 정보 DocType: Purchase Invoice,Pricing Rules,가격 결정 규칙 +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}",항목 {0}에 대한 기존 트랜잭션이 있으므로 {1}의 값을 변경할 수 없습니다. DocType: Hub Tracked Item,Image List,이미지 목록 DocType: Item Variant Settings,Allow Rename Attribute Value,특성 값 이름 바꾸기 허용 -DocType: Price List,Price Not UOM Dependant,UOM에 의존하지 않는 가격 apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),시간 (분) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,기본 DocType: Loan,Interest Income Account,이자 소득 계정 @@ -1392,6 +1403,7 @@ DocType: Employee,Employment Type,고용 유형 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,POS 프로파일 선택 DocType: Support Settings,Get Latest Query,최신 질의 얻기 DocType: Employee Incentive,Employee Incentive,직원 인센티브 +DocType: Service Level,Priorities,우선 순위 apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,홈페이지에 카드 또는 맞춤 섹션 추가 DocType: Homepage,Hero Section Based On,히어로 섹션 기반 DocType: Project,Total Purchase Cost (via Purchase Invoice),총 구매 비용 (구매 송장을 통해) @@ -1452,7 +1464,7 @@ DocType: Work Order,Manufacture against Material Request,자재 요청에 대한 DocType: Blanket Order Item,Ordered Quantity,주문 수량 apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},행 번호 {0} : 거절 된 창고는 거부 된 아이템 {1}에 대해 의무적입니다. ,Received Items To Be Billed,수령 한 수령 품목 -DocType: Salary Slip Timesheet,Working Hours,근무 시간 +DocType: Attendance,Working Hours,근무 시간 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,지불 모드 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,구매 오더 항목을 정시에받지 못함 apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,기간 (일) @@ -1572,7 +1584,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,공급자에 관한 법령 정보 및 기타 일반 정보 DocType: Item Default,Default Selling Cost Center,기본 판매 코스트 센터 DocType: Sales Partner,Address & Contacts,주소 및 연락처 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,셋업> 번호 매기기 시리즈를 통해 출석을위한 번호 매기기 시리즈를 설정하십시오. DocType: Subscriber,Subscriber,구독자 apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# 양식 / 항목 / {0}) 재고가 없습니다 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,먼저 전기 일을 선택하십시오. @@ -1583,7 +1594,7 @@ DocType: Project,% Complete Method,완료 방법 % DocType: Detected Disease,Tasks Created,생성 된 작업 apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,이 항목 또는 해당 템플릿에 대해 기본 BOM ({0})이 활성화되어 있어야합니다. apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,수수료율 -DocType: Service Level,Response Time,응답 시간 +DocType: Service Level Priority,Response Time,응답 시간 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce 설정 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,수량은 양수 여야합니다. DocType: Contract,CRM,CRM @@ -1600,7 +1611,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,입원 환자 방문 비 DocType: Bank Statement Settings,Transaction Data Mapping,트랜잭션 데이터 매핑 apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,리드는 개인의 이름이나 조직의 이름이 필요합니다. DocType: Student,Guardians,수호자 -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,강사 네이밍 시스템> 교육 환경 설정 apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,브랜드 선택 ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,중간 수입 DocType: Shipping Rule,Calculate Based On,계산 기준 @@ -1637,6 +1647,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,목표 설정 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},학생 {1}에 대한 출석 기록 {0}이 (가) 있습니다. apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,거래 일자 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,구독 취소 +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,서비스 수준 계약 {0}을 (를) 설정할 수 없습니다. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,순 급여 금액 DocType: Account,Liability,책임 DocType: Employee,Bank A/C No.,은행 A / C 번호 @@ -1702,7 +1713,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,원자재 품목 코드 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,구매 송장 {0}이 이미 제출되었습니다. DocType: Fees,Student Email,학생 이메일 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM 재귀 : {0}은 (는) {2}의 부모 또는 자식이 될 수 없습니다. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,의료 서비스에서 아이템을 얻으십시오. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,재고 항목 {0}이 (가) 제출되지 않았습니다. DocType: Item Attribute Value,Item Attribute Value,항목 속성 값 @@ -1727,7 +1737,6 @@ DocType: POS Profile,Allow Print Before Pay,지불 전 인쇄 허용 DocType: Production Plan,Select Items to Manufacture,제조 품목 선택 DocType: Leave Application,Leave Approver Name,승인자 이름 남기기 DocType: Shareholder,Shareholder,주주 -DocType: Issue,Agreement Status,계약 상태 apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,거래 판매를위한 기본 설정. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,유급 학생 지원자에게 의무적 인 학생 입학을 선택하십시오. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOM 선택 @@ -1989,6 +1998,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,소득 계정 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,모든 창고 DocType: Contract,Signee Details,서명자 세부 정보 +DocType: Shift Type,Allow check-out after shift end time (in minutes),근무 시간 종료 후 체크 아웃 허용 (분) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,획득 DocType: Item Group,Check this if you want to show in website,웹 사이트에 표시하려면이 항목을 선택하십시오. apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,회계 연도 {0}을 (를) 찾을 수 없습니다. @@ -2055,6 +2065,7 @@ DocType: Asset Finance Book,Depreciation Start Date,감가 상각 시작일 DocType: Activity Cost,Billing Rate,청구 비율 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},경고 : 재고 항목 {2}에 대해 다른 {0} # {1}이 (가) 있습니다. apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,경로를 추정하고 최적화하려면 Google지도 설정을 사용하십시오. +DocType: Purchase Invoice Item,Page Break,페이지 나누기 DocType: Supplier Scorecard Criteria,Max Score,최대 점수 apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,상환 시작일은 지급일 이전 일 수 없습니다. DocType: Support Search Source,Support Search Source,지원 검색 소스 @@ -2123,6 +2134,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,품질 목표 목표 DocType: Employee Transfer,Employee Transfer,직원 이동 ,Sales Funnel,영업 유입 경로 DocType: Agriculture Analysis Criteria,Water Analysis,수질 분석 +DocType: Shift Type,Begin check-in before shift start time (in minutes),근무 시작 시간 (분) 전에 체크인 시작 DocType: Accounts Settings,Accounts Frozen Upto,계정 최대 냉동 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,편집 할 내용이 없습니다. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",워크 스테이션 {1}에서 사용 가능한 작업 시간보다 {0} 작업이 길면 작업을 여러 작업으로 나누십시오. @@ -2136,7 +2148,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,현 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},판매 주문 {0}은 {1}입니다. apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),지불 지연 (일) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,감가 상각 세부 정보 입력 +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,고객 PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,예상 배달 날짜는 판매 주문 날짜 이후 여야합니다. +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,항목 수량은 0 일 수 없습니다. apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,잘못된 속성 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},항목 {0}에 대한 BOM을 선택하십시오. DocType: Bank Statement Transaction Invoice Item,Invoice Type,송장 유형 @@ -2146,6 +2160,7 @@ DocType: Maintenance Visit,Maintenance Date,유지 관리 날짜 DocType: Volunteer,Afternoon,대낮 DocType: Vital Signs,Nutrition Values,영양가 DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),발열 (38.5 ° C / 101.3 ° F 또는 38 ° C / 100.4 ° F의 지속 온도) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,인력> 인사말 설정에서 직원 네이밍 시스템을 설정하십시오. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,역전 된 ITC DocType: Project,Collect Progress,진행 상황 수집 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,에너지 @@ -2196,6 +2211,7 @@ DocType: Setup Progress,Setup Progress,설치 진행률 ,Ordered Items To Be Billed,주문 항목 DocType: Taxable Salary Slab,To Amount,금액까지 DocType: Purchase Invoice,Is Return (Debit Note),반품 여부 (직불 카드) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,고객> 고객 그룹> 지역 apps/erpnext/erpnext/config/desktop.py,Getting Started,시작하기 apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,병합 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,회계 연도가 저장되면 회계 연도 시작일과 회계 연도 종료일을 변경할 수 없습니다. @@ -2214,8 +2230,10 @@ DocType: Maintenance Schedule Detail,Actual Date,실제 날짜 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},유지 관리 시작일은 일련 번호 {0}의 인도 일일 수 없습니다. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,행 {0} : 환율은 필수 항목입니다. DocType: Purchase Invoice,Select Supplier Address,공급 업체 주소 선택 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}",사용 가능한 수량은 {0}입니다. {1}이 (가) 필요합니다. apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,API 소비자 비밀번호를 입력하십시오. DocType: Program Enrollment Fee,Program Enrollment Fee,프로그램 등록비 +DocType: Employee Checkin,Shift Actual End,실제 최종 이동 DocType: Serial No,Warranty Expiry Date,보증 유효 기간 DocType: Hotel Room Pricing,Hotel Room Pricing,호텔 객실 가격 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","외적으로 과세 대상 물품 (0 등급 이외, 면제 및 면제" @@ -2275,6 +2293,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,독서 5 DocType: Shopping Cart Settings,Display Settings,화면 설정 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,예약 감가 상각 수를 설정하십시오. +DocType: Shift Type,Consequence after,결과 후 apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,어떤 도움이 필요 하신가요? DocType: Journal Entry,Printing Settings,인쇄 설정 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,은행업 @@ -2284,6 +2303,7 @@ DocType: Purchase Invoice Item,PR Detail,홍보 세부 정보 apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,대금 청구 주소는 배송 주소와 동일합니다. DocType: Account,Cash,현금 DocType: Employee,Leave Policy,정책 퇴장 +DocType: Shift Type,Consequence,결과 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,학생 주소 DocType: GST Account,CESS Account,CESS 계정 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1} : 비용 센터는 '손익'계정 {2}에 필요합니다. 회사에 대한 기본 코스트 센터를 설정하십시오. @@ -2348,6 +2368,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN 코드 DocType: Period Closing Voucher,Period Closing Voucher,기 결산권 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 이름 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,비용 계정을 입력하십시오. +DocType: Issue,Resolution By Variance,분산 별 해상도 DocType: Employee,Resignation Letter Date,사직서 날짜 DocType: Soil Texture,Sandy Clay,샌디 클레이 DocType: Upload Attendance,Attendance To Date,현재까지의 출석 @@ -2360,6 +2381,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,지금보기 DocType: Item Price,Valid Upto,유효 Upto apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},참조 Doctype은 {0} 중 하나 여야합니다. +DocType: Employee Checkin,Skip Auto Attendance,자동 출석 건너 뛰기 DocType: Payment Request,Transaction Currency,거래 통화 DocType: Loan,Repayment Schedule,상환 일정 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,샘플 보유 재고 항목 생성 @@ -2431,6 +2453,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,급여 구조 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS 클로징 바우처 세 apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,초기화 된 동작 DocType: POS Profile,Applicable for Users,사용자에게 적용 가능 +,Delayed Order Report,지연된 주문 보고서 DocType: Training Event,Exam,시험 apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,총계정 원장 항목 수가 잘못되었습니다. 거래에서 잘못된 계좌를 선택했을 수 있습니다. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,판매 파이프 라인 @@ -2445,10 +2468,11 @@ DocType: Account,Round Off,완전하게하다 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,선택한 모든 항목을 결합한 조건이 적용됩니다. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,구성 DocType: Hotel Room,Capacity,생산 능력 +DocType: Employee Checkin,Shift End,시프트 종료 DocType: Installation Note Item,Installed Qty,설치된 수량 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,{1} 항목의 일괄 처리 {0}이 (가) 비활성화되었습니다. DocType: Hotel Room Reservation,Hotel Reservation User,호텔 예약 사용자 -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,평일은 두 번 반복되었습니다. +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,엔티티 유형 {0} 및 엔티티 {1}을 (를) 사용하는 서비스 수준 계약이 이미 존재합니다. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},항목 그룹이 항목 {0}에 대해 언급되지 않았습니다. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},이름 오류 : {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,POS 프로필에 지역이 필요합니다. @@ -2496,6 +2520,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,일정 날짜 DocType: Packing Slip,Package Weight Details,포장 무게 세부 사항 DocType: Job Applicant,Job Opening,일자리 창출 +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,마지막으로 성공한 직원 수표 동기화 성공. 모든 로그가 모든 위치에서 동기화되었다고 확신하는 경우에만 재설정하십시오. 확실하지 않은 경우 수정하지 마십시오. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,실제 비용 apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),주문 {1}에 대한 총 진척도 ({0})는 총계 ({2})보다 클 수 없습니다. apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,아이템 변형이 업데이트되었습니다. @@ -2540,6 +2565,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,구매 영수증 참조 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Invocies 받기 DocType: Tally Migration,Is Day Book Data Imported,데이 북 데이터 가져 오기 여부 ,Sales Partners Commission,판매 파트너위원회 +DocType: Shift Type,Enable Different Consequence for Early Exit,조기 퇴출시 다른 결과 활성화 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,적법한 DocType: Loan Application,Required by Date,날짜 별 필요 DocType: Quiz Result,Quiz Result,퀴즈 결과 @@ -2599,7 +2625,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,재무 / DocType: Pricing Rule,Pricing Rule,가격 결정 규칙 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},휴무 기간 {0}에 대해 선택 가능한 공휴일 목록이 설정되지 않았습니다. apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,직원 역할을 설정하려면 직원 레코드의 사용자 ID 필드를 설정하십시오. -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,해결할 시간 DocType: Training Event,Training Event,교육 행사 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",성인의 정상적인 휴식 혈압은 수축기의 경우 약 120 mmHg이고 이완기의 경우 80 mmHg이며 "120/80 mmHg" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,제한값이 0이면 시스템은 모든 항목을 가져옵니다. @@ -2643,6 +2668,7 @@ DocType: Woocommerce Settings,Enable Sync,동기화 사용 DocType: Student Applicant,Approved,승인 됨 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},From Date는 회계 연도 내에 있어야합니다. 시작 날짜 가정 = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,구매 설정에서 공급 업체 그룹을 설정하십시오. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{}은 (는) 잘못된 출석 상태입니다. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,임시 개회 계좌 DocType: Purchase Invoice,Cash/Bank Account,현금 / 은행 계좌 DocType: Quality Meeting Table,Quality Meeting Table,품질 회의 테이블 @@ -2678,6 +2704,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS 인증 토큰 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","식품, 음료 및 담배" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,수업 일정 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,품목 현명한 세금 세부 사항 +DocType: Shift Type,Attendance will be marked automatically only after this date.,출석은이 날짜 이후에만 자동으로 표시됩니다. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,UIN 홀더에 공급 된 물품 apps/erpnext/erpnext/hooks.py,Request for Quotations,견적 요청 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,다른 통화를 사용하여 입력 한 후에 통화를 변경할 수 없습니다. @@ -2726,7 +2753,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,허브로부터의 아이템인가 apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,품질 절차. DocType: Share Balance,No of Shares,주식수 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),행 {0} : 항목 게시 시간 ({2} {3})에 창고 {1}의 {4}에 대해 수량을 사용할 수 없습니다 DocType: Quality Action,Preventive,예방법 DocType: Support Settings,Forum URL,포럼 URL apps/erpnext/erpnext/config/hr.py,Employee and Attendance,직원 및 출석 @@ -2948,7 +2974,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,할인 유형 DocType: Hotel Settings,Default Taxes and Charges,기본 세금 및 수수료 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,이것은이 공급자에 대한 거래를 기반으로합니다. 자세한 내용은 아래 일정을 참조하십시오. apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},직원의 최대 혜택 금액 {0}이 (가) {1}을 (를) 초과했습니다. -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,계약의 시작일과 종료일을 입력하십시오. DocType: Delivery Note Item,Against Sales Invoice,판매 송장 대비 DocType: Loyalty Point Entry,Purchase Amount,구매 금액 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,판매 주문서가 분실 됨으로 설정할 수 없습니다. @@ -2972,7 +2997,7 @@ DocType: Homepage,"URL for ""All Products""",'모든 제품'의 URL DocType: Lead,Organization Name,조직 이름 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,유효 기간 및 유효 기간은 누적 된 항목에 대해 필수 항목입니다. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},행 # {0} : 배치 번호는 {1}과 같아야합니다 {2} -DocType: Employee,Leave Details,세부 정보 남기기 +DocType: Employee Checkin,Shift Start,시프트 시작 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} 이전의 주식 거래가 고정되었습니다. DocType: Driver,Issuing Date,발행 날짜 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,요청자 @@ -3017,9 +3042,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,현금 흐름 매핑 템플릿 세부 정보 apps/erpnext/erpnext/config/hr.py,Recruitment and Training,채용 및 교육 DocType: Drug Prescription,Interval UOM,간격 UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,자동 출석을위한 유예 기간 설정 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,통화 및 원화는 동일 할 수 없습니다. apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,제약 DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,지원 시간 apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1}이 (가) 취소되거나 닫힙니다. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,행 {0} : 고객에 대한 대출은 크레딧이어야합니다. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),바우처 그룹 (연결) @@ -3129,6 +3156,7 @@ DocType: Asset Repair,Repair Status,수리 상태 DocType: Territory,Territory Manager,지역 관리자 DocType: Lab Test,Sample ID,샘플 ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,장바구니가 비어 있습니다. +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,직원 체크 인당 출석이 표시되었습니다. apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,애셋 {0}을 제출해야합니다. ,Absent Student Report,부재 학생 보고서 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,매출 총 이익에 포함 @@ -3136,7 +3164,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,자금 금액 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1}이 (가) 제출되지 않았으므로 작업을 완료 할 수 없습니다. DocType: Subscription,Trial Period End Date,평가판 종료일 +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,동일한 시프트 동안 IN 및 OUT으로 항목 교번 DocType: BOM Update Tool,The new BOM after replacement,교체 후 새로운 BOM +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,공급 업체> 공급 업체 유형 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,항목 5 DocType: Employee,Passport Number,여권 번호 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,임시 개업 @@ -3252,6 +3282,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,주요 보고서 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,가능한 공급 업체 ,Issued Items Against Work Order,작업 지시서와 관련하여 발급 된 품목 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,송장 생성 {0} +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,강사 네이밍 시스템> 교육 환경 설정 DocType: Student,Joining Date,가입 날짜 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,요청 사이트 DocType: Purchase Invoice,Against Expense Account,경비 계정 대비 @@ -3291,6 +3322,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,해당 요금 ,Point of Sale,판매 시점 DocType: Authorization Rule,Approving User (above authorized value),사용자 승인 (승인 된 값 이상) +DocType: Service Level Agreement,Entity,실재 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{2}에서 {3}으로 이전 된 금액 {0} {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},고객 {0}은 (는) 프로젝트 {1}에 속해 있지 않습니다. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,파티 이름에서 @@ -3337,6 +3369,7 @@ DocType: Asset,Opening Accumulated Depreciation,영업 누계 감가 상각 DocType: Soil Texture,Sand Composition (%),모래 조성 (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP- .YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,데이 북 데이터 가져 오기 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,설정> 설정> 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오. DocType: Asset,Asset Owner Company,자산 소유자 회사 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,경비 청구서를 예약하려면 코스트 센터가 필요합니다. apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},Item {1}에 대한 {0} 유효한 일련 번호 @@ -3397,7 +3430,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,애셋 소유자 apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},창고는 {1} 행의 재고 품목 {0}에 대해 필수입니다. DocType: Stock Entry,Total Additional Costs,총 추가 비용 -DocType: Marketplace Settings,Last Sync On,마지막 동기화 apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,세금 및 비용 표에 행을 하나 이상 설정하십시오. DocType: Asset Maintenance Team,Maintenance Team Name,유지 보수 팀 이름 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,코스트 센터 차트 @@ -3413,12 +3445,12 @@ DocType: Sales Order Item,Work Order Qty,작업 주문 수량 DocType: Job Card,WIP Warehouse,WIP 창고 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ- .YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},직원 {0}에 대해 사용자 ID가 설정되지 않았습니다. -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}",사용 가능한 수량은 {0}입니다. {1}이 (가) 필요합니다. apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,사용자가 {0}이 (가) 생성되었습니다. DocType: Stock Settings,Item Naming By,항목 이름 지정 기준 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,주문 됨 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,이것은 루트 고객 그룹이며 편집 할 수 없습니다. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,자재 요청 {0}이 취소 또는 중지되었습니다. +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,엄격하게 직원 유형의 로그 유형을 기준으로합니다. DocType: Purchase Order Item Supplied,Supplied Qty,공급 된 수량 DocType: Cash Flow Mapper,Cash Flow Mapper,캐시 플로 매퍼 DocType: Soil Texture,Sand,모래 @@ -3477,6 +3509,7 @@ DocType: Lab Test Groups,Add new line,새 줄 추가 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,항목 그룹 테이블에서 중복 된 항목 그룹을 찾았습니다. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,연봉 DocType: Supplier Scorecard,Weighting Function,가중치 함수 +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,기준 수식을 평가하는 중 오류가 발생했습니다. ,Lab Test Report,실험실 테스트 보고서 DocType: BOM,With Operations,운영과 함께 @@ -3490,6 +3523,7 @@ DocType: Expense Claim Account,Expense Claim Account,경비 청구 계정 apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,분개에 대해 상환하지 않음 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1}은 (는) 비활성 학생입니다. apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,재고 항목 만들기 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM 재귀 : {0}은 (는) {1}의 부모 또는 자식이 될 수 없습니다. DocType: Employee Onboarding,Activities,활동 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,최소한 하나의 창고가 필수입니다. ,Customer Credit Balance,고객 신용 잔액 @@ -3502,9 +3536,11 @@ DocType: Supplier Scorecard Period,Variables,변수 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,고객을 위해 여러 로열티 프로그램이 있습니다. 수동으로 선택하십시오. DocType: Patient,Medication,약물 치료 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,로열티 프로그램 선택 +DocType: Employee Checkin,Attendance Marked,출석 표식 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,원자재 DocType: Sales Order,Fully Billed,완전히 청구 됨 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{}에 호텔 객실 요금을 설정하십시오. +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Priority as Default를 하나만 선택하십시오. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},유형 - {0}에 대한 계정 (원장)을 식별 / 생성하십시오. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,총 크레딧 / 데빗 금액은 연결된 분개와 동일해야합니다. DocType: Purchase Invoice Item,Is Fixed Asset,고정 자산 @@ -3525,6 +3561,7 @@ DocType: Purpose of Travel,Purpose of Travel,여행 목적 DocType: Healthcare Settings,Appointment Confirmation,예약 확인 DocType: Shopping Cart Settings,Orders,명령 DocType: HR Settings,Retirement Age,퇴직 연령 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,셋업> 번호 매기기 시리즈를 통해 출석을위한 번호 매기기 시리즈를 설정하십시오. apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,예상 수량 apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},{0} 국가에서는 삭제할 수 없습니다. apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},행 # {0} : 자산 {1}이 (가) 이미 {2} @@ -3608,11 +3645,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,회계사 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Closing Voucher 날짜가 {1}에서 {2} 사이의 {0} apps/erpnext/erpnext/config/help.py,Navigating,네비게이션 +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,미결제 인보이스에는 환율 재평가가 필요 없습니다. DocType: Authorization Rule,Customer / Item Name,고객 / 품목 이름 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,새로운 일련 번호에는 창고가 없습니다. 창고는 재고 입력 또는 구매 영수증에 의해 설정되어야합니다. DocType: Issue,Via Customer Portal,고객 포털을 통해 DocType: Work Order Operation,Planned Start Time,계획된 시작 시간 apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1}은 (는) {2}입니다. +DocType: Service Level Priority,Service Level Priority,서비스 수준 우선 순위 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,감가 상각 된 수는 감가 상각의 총 수보다 클 수 없습니다. apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,공유 원장 DocType: Journal Entry,Accounts Payable,채무 @@ -3723,7 +3762,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,에 배달하다 DocType: Bank Statement Transaction Settings Item,Bank Data,은행 데이터 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,예정된 개까지 -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,작업 표에서 동일한 청구 시간 및 근무 시간 유지 apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,리드 소스 별 리드 추적 DocType: Clinical Procedure,Nursing User,간호 사용자 DocType: Support Settings,Response Key List,응답 키 목록 @@ -3891,6 +3929,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,실제 시작 시간 DocType: Antibiotic,Laboratory User,실험실 사용자 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,온라인 경매 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,우선 순위 {0}이 반복되었습니다. DocType: Fee Schedule,Fee Creation Status,수수료 생성 상태 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,소프트웨어 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,지불을위한 판매 주문 @@ -3957,6 +3996,7 @@ DocType: Patient Encounter,In print,출판중인 apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0}에 대한 정보를 검색 할 수 없습니다. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,결제 통화는 기본 회사 통화 또는 당좌 계좌 통화와 동일해야합니다. apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,이 영업 사원의 직원 ID를 입력하십시오. +DocType: Shift Type,Early Exit Consequence after,조기 퇴거 후 결과 apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,개시 판매 및 구매 송장 생성 DocType: Disease,Treatment Period,치료 기간 apps/erpnext/erpnext/config/settings.py,Setting up Email,이메일 설정하기 @@ -3974,7 +4014,6 @@ DocType: Employee Skill Map,Employee Skills,직원 기술 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,학생 이름: DocType: SMS Log,Sent On,보낸 날짜 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,판매 송장 -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,응답 시간은 해결 시간보다 클 수 없습니다. DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","과정 기반 학생 그룹의 경우, 프로그램 등록 과정에 등록 된 과정의 모든 학생에 대해 과정이 검증됩니다." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,주내 공급품 DocType: Employee,Create User Permission,사용자 권한 생성 @@ -4013,6 +4052,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,판매 또는 구매에 대한 표준 계약 조건. DocType: Sales Invoice,Customer PO Details,고객 PO 세부 사항 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,환자를 찾을 수 없음 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,기본 우선 순위를 선택하십시오. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,해당 항목에 청구가 적용되지 않는 경우 항목 삭제 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,이름이 같은 고객 그룹이 존재합니다. 고객 이름을 변경하거나 고객 그룹의 이름을 변경하십시오. 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. @@ -4052,6 +4092,7 @@ DocType: Quality Goal,Quality Goal,품질 목표 DocType: Support Settings,Support Portal,지원 포털 apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},작업 {0}의 종료일은 {1} 예상 시작일 {2} 보다 낮을 수 없습니다. apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},직원 {0}이 (가) {1}에 출발합니다. +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},"이 서비스 수준 계약은 고객 {0}에만 해당되며," DocType: Employee,Held On,에 개최 DocType: Healthcare Practitioner,Practitioner Schedules,개업 의사 일정 DocType: Project Template Task,Begin On (Days),시작일 (일) @@ -4059,6 +4100,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},작업 지시가 {0}되었습니다. DocType: Inpatient Record,Admission Schedule Date,입학 예정일 apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,자산 가치 조정 +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,이 교대 근무자에게 '직원 수표'를 기준으로 출석을 표시하십시오. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,미등록 된 사람들에게 공급 된 물품 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,모든 일 DocType: Appointment Type,Appointment Type,예약 유형 @@ -4172,7 +4214,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),포장의 총중량. 보통 순 중량 + 포장재 무게. (인쇄용) DocType: Plant Analysis,Laboratory Testing Datetime,실험실 테스트 날짜 시간 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,{0} 항목은 일괄 처리 할 수 없습니다. -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,단계별 판매 파이프 라인 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,학생 그룹의 힘 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,은행 거래 명세서 DocType: Purchase Order,Get Items from Open Material Requests,미적재 요청에서 항목 가져 오기 @@ -4254,7 +4295,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,웨어 하우스 고령화 표시 DocType: Sales Invoice,Write Off Outstanding Amount,미 지불 금액 상각 DocType: Payroll Entry,Employee Details,직원 세부 정보 -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,시작 시간은 {0}의 종료 시간보다 클 수 없습니다. DocType: Pricing Rule,Discount Amount,할인 량 DocType: Healthcare Service Unit Type,Item Details,상품 상세 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},기간 {1}에 대한 중복 세금 선언 {0} @@ -4307,7 +4347,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,순 임금은 음수가 될 수 없습니다. apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,상호 작용 수 없음 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/hr/doctype/employee/employee_dashboard.py,Shift,시프트 +DocType: Attendance,Shift,시프트 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,계정과 당사자의 처리 차트 DocType: Stock Settings,Convert Item Description to Clean HTML,항목 설명을 HTML로 변환 apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,모든 공급 업체 그룹 @@ -4378,6 +4418,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,직원 입회 DocType: Healthcare Service Unit,Parent Service Unit,학부모 서비스 부서 DocType: Sales Invoice,Include Payment (POS),지불 포함 (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,사모 +DocType: Shift Type,First Check-in and Last Check-out,첫 번째 체크인 및 마지막 체크 아웃 DocType: Landed Cost Item,Receipt Document,영수증 문서 DocType: Supplier Scorecard Period,Supplier Scorecard Period,공급 업체 성과 기록표 기간 DocType: Employee Grade,Default Salary Structure,기본 연봉 구조 @@ -4460,6 +4501,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,구매 주문 만들기 apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,회계 연도의 예산을 정의하십시오. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,계정 표는 비워 둘 수 없습니다. +DocType: Employee Checkin,Entry Grace Period Consequence,엔트리 유예 기간 결과 ,Payment Period Based On Invoice Date,송장 일 기준 지급 기간 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},{0} 품목의 설치 날짜가 배송일보다 이전 일 수 없습니다. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,자재 요청 링크 @@ -4468,6 +4510,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,매핑 된 apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},행 {0} :이 창고 {1}에 대한 Reorder 항목이 이미 있습니다. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,문서 날짜 DocType: Monthly Distribution,Distribution Name,배포 이름 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,평일 ({0})이 반복되었습니다. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,비 그룹화 그룹 apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,진행중인 업데이트. 시간이 좀 걸릴 수 있습니다. DocType: Item,"Example: ABCD.##### @@ -4480,6 +4523,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,연료 수량 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 모바일 아니요 DocType: Invoice Discounting,Disbursed,지불 +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,체크 아웃이 출석으로 간주되는 이동 종료 후 시간. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,채무 순액 변경 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,사용 불가 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,파트 타임 @@ -4493,7 +4537,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,판매 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,프린트에서 PDC 표시 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify 공급 업체 DocType: POS Profile User,POS Profile User,POS 프로필 사용자 -DocType: Student,Middle Name,중간 이름 DocType: Sales Person,Sales Person Name,영업 담당자 이름 DocType: Packing Slip,Gross Weight,총 중량 DocType: Journal Entry,Bill No,빌 번호 @@ -4502,7 +4545,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,새 DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG- .YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,서비스 수준 계약 -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,직원과 날짜를 먼저 선택하십시오. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,항목 평가율은 착지 비용 쿠폰 금액을 고려하여 다시 계산됩니다. DocType: Timesheet,Employee Detail,직원 세부 정보 DocType: Tally Migration,Vouchers,바우처 @@ -4537,7 +4579,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,서비스 수준 DocType: Additional Salary,Date on which this component is applied,이 구성 요소가 적용되는 날짜 apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Folio 번호가있는 사용 가능한 주주 목록 apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,게이트웨이 계정 설정. -DocType: Service Level,Response Time Period,응답 시간 +DocType: Service Level Priority,Response Time Period,응답 시간 DocType: Purchase Invoice,Purchase Taxes and Charges,구매 세금 및 요금 DocType: Course Activity,Activity Date,활동 날짜 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,신규 고객 선택 또는 추가 @@ -4562,6 +4604,7 @@ DocType: Sales Person,Select company name first.,먼저 회사 이름을 선택 apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,회계 연도 DocType: Sales Invoice Item,Deferred Revenue,지연된 수익 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,적어도 판매 또는 구매 중 하나를 선택해야합니다. +DocType: Shift Type,Working Hours Threshold for Half Day,반나절 근무 시간 기준 ,Item-wise Purchase History,아이템 별 구매 내역 apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},{0} 행의 항목에 대한 서비스 중지 날짜를 변경할 수 없습니다. DocType: Production Plan,Include Subcontracted Items,외주 품목 포함 @@ -4594,6 +4637,7 @@ DocType: Journal Entry,Total Amount Currency,총 금액 통화 DocType: BOM,Allow Same Item Multiple Times,동일한 항목을 여러 번 허용 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,BOM 생성 DocType: Healthcare Practitioner,Charges,요금 +DocType: Employee,Attendance and Leave Details,출석 및 휴가 세부 정보 DocType: Student,Personal Details,개인 세부 정보 DocType: Sales Order,Billing and Delivery Status,청구서 발송 및 배송 상태 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,행 {0} : 공급 업체 {0}의 경우 전자 메일을 보내려면 전자 메일 주소가 필요합니다. @@ -4644,7 +4688,6 @@ DocType: Bank Guarantee,Supplier,공급자 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},{0}에서 {1} 사이의 값을 입력하십시오. DocType: Purchase Order,Order Confirmation Date,주문 확인 날짜 DocType: Delivery Trip,Calculate Estimated Arrival Times,예상 도착 시간 계산 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,인력> 인사말 설정에서 직원 네이밍 시스템을 설정하십시오. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,소모품 DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS- .YYYY.- DocType: Subscription,Subscription Start Date,구독 시작 날짜 @@ -4667,7 +4710,7 @@ DocType: Installation Note Item,Installation Note Item,설치 참고 항목 DocType: Journal Entry Account,Journal Entry Account,분개 계정 apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,다른 apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,포럼 활동 -DocType: Service Level,Resolution Time Period,해결 기간 +DocType: Service Level Priority,Resolution Time Period,해결 기간 DocType: Request for Quotation,Supplier Detail,공급 업체 세부 정보 DocType: Project Task,View Task,작업보기 DocType: Serial No,Purchase / Manufacture Details,구매 / 제조 세부 사항 @@ -4734,6 +4777,7 @@ DocType: Sales Invoice,Commission Rate (%),수수료율 (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,창고는 재고 / 납품서 / 구매 영수증을 통해서만 변경할 수 있습니다. DocType: Support Settings,Close Issue After Days,일 이후 마감 된 문제 DocType: Payment Schedule,Payment Schedule,지불 일정 +DocType: Shift Type,Enable Entry Grace Period,입력 유예 기간 활성화 DocType: Patient Relation,Spouse,배우자 DocType: Purchase Invoice,Reason For Putting On Hold,보류중인 이유 DocType: Item Attribute,Increment,증가 @@ -4873,6 +4917,7 @@ DocType: Authorization Rule,Customer or Item,고객 또는 품목 DocType: Vehicle Log,Invoice Ref,송장 참조 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C- 양식은 송장에 적용 할 수 없습니다 : {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,생성 된 송장 +DocType: Shift Type,Early Exit Grace Period,조기 퇴거 유예 기간 DocType: Patient Encounter,Review Details,세부 정보 검토 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,행 {0} : 시간 값은 0보다 커야합니다. DocType: Account,Account Number,계좌 번호 @@ -4884,7 +4929,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","회사가 SpA, SApA 또는 SRL 인 경우 적용 가능" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,다음 중 겹치는 조건이 있음 : apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,유료 및 미제출 -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,품목 번호가 자동으로 매겨지지 않기 때문에 품목 코드는 필수 항목입니다. DocType: GST HSN Code,HSN Code,HSN 코드 DocType: GSTR 3B Report,September,구월 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,행정 비용 @@ -4920,6 +4964,8 @@ DocType: Travel Itinerary,Travel From,여행 출발지 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP 계정 DocType: SMS Log,Sender Name,발신자 이름 DocType: Pricing Rule,Supplier Group,공급 업체 그룹 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",\ Support Day {0}의 시작 시간과 종료 시간을 인덱스 {1}에 설정하십시오. DocType: Employee,Date of Issue,발행일 ,Requested Items To Be Transferred,요청 항목 전송 됨 DocType: Employee,Contract End Date,계약 종료일 @@ -4930,6 +4976,7 @@ DocType: Healthcare Service Unit,Vacant,빈 DocType: Opportunity,Sales Stage,판매 단계 DocType: Sales Order,In Words will be visible once you save the Sales Order.,Sales Order를 저장하면 단어가 표시됩니다. DocType: Item Reorder,Re-order Level,레벨 재정렬 +DocType: Shift Type,Enable Auto Attendance,자동 출석 사용 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,우선권 ,Department Analytics,부서 분석 DocType: Crop,Scientific Name,과학적인 이름 @@ -4942,6 +4989,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} 상태는 {2} DocType: Quiz Activity,Quiz Activity,퀴즈 활동 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0}은 (는) 유효한 급여 기간에 없습니다. DocType: Timesheet,Billed,과금 된 +apps/erpnext/erpnext/config/support.py,Issue Type.,문제 유형. DocType: Restaurant Order Entry,Last Sales Invoice,마지막 판매 송장 DocType: Payment Terms Template,Payment Terms,지불 조건 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",예약 된 수량 : 판매 주문되었지만 배달되지 않은 수량. @@ -5037,6 +5085,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,유산 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0}에는 건강 관리사 일정이 없습니다. Healthcare Practitioner 마스터에 추가하십시오. DocType: Vehicle,Chassis No,섀시 번호 +DocType: Employee,Default Shift,기본 Shift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,회사 약어 apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,BOM 트리 DocType: Article,LMS User,LMS 사용자 @@ -5085,6 +5134,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,학부모 판매원 DocType: Student Group Creation Tool,Get Courses,코스 얻기 apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",행 # {0} : 항목은 고정 자산이므로 수량은 1이어야합니다. 여러 개의 수량에 대해 별도의 행을 사용하십시오. +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),결근이 표시된 근무 시간. (사용하지 않으려면 0으로 설정) DocType: Customer Group,Only leaf nodes are allowed in transaction,트랜잭션에서 리프 노드 만 허용됩니다. DocType: Grant Application,Organization,조직 DocType: Fee Category,Fee Category,수수료 카테고리 @@ -5097,6 +5147,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,이 교육 이벤트의 상태를 업데이트하십시오. DocType: Volunteer,Morning,아침 DocType: Quotation Item,Quotation Item,견적 항목 +apps/erpnext/erpnext/config/support.py,Issue Priority.,이슈 우선 순위. DocType: Journal Entry,Credit Card Entry,신용 카드 기입 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",시간 슬롯을 건너 뛰고 슬롯 {0}을 (를) {1} (으)로 이동하여 기존 슬롯 {2}을 (를) {3} DocType: Journal Entry Account,If Income or Expense,소득 또는 지출 @@ -5147,11 +5198,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,데이터 가져 오기 및 설정 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: Account,Expense Account,지출 계좌 +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,직원 수표가 출석으로 간주되는 근무 시작 시간 전의 시간. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Guardian1과의 관계 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,송장 생성 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},지불 요청이 이미 있습니다. {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0}에서 구제받는 직원은 '왼쪽'으로 설정해야합니다. apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},{0} {1} 지불 +DocType: Company,Sales Settings,판매 설정 DocType: Sales Order Item,Produced Quantity,생산 수량 apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,견적 요청은 다음 링크를 클릭하여 액세스 할 수 있습니다 DocType: Monthly Distribution,Name of the Monthly Distribution,월간 배포의 이름 @@ -5230,6 +5283,7 @@ DocType: Company,Default Values,기본값 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,판매 및 구매에 대한 기본 세금 템플릿이 생성됩니다. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,탈퇴 유형 {0}은 (는) 이월 될 수 없습니다. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,직불 계정은 미수금 계정이어야합니다. +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Company {1}의 창고 {0} 또는 기본 재고 계정에 계정을 설정하십시오. apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,기본값으로 설정 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),이 패키지의 순 중량. (항목의 순중량의 합계로 자동 계산됨) @@ -5256,8 +5310,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,만료 된 배치 DocType: Shipping Rule,Shipping Rule Type,선적 규칙 유형 DocType: Job Offer,Accepted,수락 된 -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","이 문서를 취소하려면 직원 {0} \을 (를) 삭제하십시오." apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,귀하는 이미 평가 기준 {}을 평가했습니다. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,배치 번호 선택 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),연령 (일) @@ -5284,6 +5336,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,도메인 선택 DocType: Agriculture Task,Task Name,작업 이름 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,작업 공정을 위해 이미 생성 된 재고 항목 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","이 문서를 취소하려면 직원 {0} \을 (를) 삭제하십시오." ,Amount to Deliver,배달 금액 apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,회사가 {0} 존재하지 않습니다. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,주어진 아이템에 대한 링크 요청이 보류 중입니다. @@ -5333,6 +5387,7 @@ DocType: Program Enrollment,Enrolled courses,등록 과정 DocType: Lab Prescription,Test Code,테스트 코드 DocType: Purchase Taxes and Charges,On Previous Row Total,이전 행 합계 DocType: Student,Student Email Address,학생 이메일 주소 +,Delayed Item Report,지연된 품목 신고 DocType: Academic Term,Education,교육 DocType: Supplier Quotation,Supplier Address,공급 업체 주소 DocType: Salary Detail,Do not include in total,전체에 포함시키지 마십시오. @@ -5340,7 +5395,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0} : {1}이 (가) 존재하지 않습니다. DocType: Purchase Receipt Item,Rejected Quantity,거부 된 수량 DocType: Cashier Closing,To TIme,TIme하려면 -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: Daily Work Summary Group User,Daily Work Summary Group User,일별 작업 요약 그룹 사용자 DocType: Fiscal Year Company,Fiscal Year Company,회계 연도 회사 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,대체 품목은 품목 코드와 같으면 안됩니다. @@ -5392,6 +5446,7 @@ DocType: Program Fee,Program Fee,프로그램 비용 DocType: Delivery Settings,Delay between Delivery Stops,배달 중단 사이의 지연 DocType: Stock Settings,Freeze Stocks Older Than [Days],[Days]보다 오래된 주식 고정 DocType: Promotional Scheme,Promotional Scheme Product Discount,프로모션 제도 제품 할인 +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,문제 우선 순위 이미 있음 DocType: Account,Asset Received But Not Billed,자산은 수령되었지만 청구되지 않음 DocType: POS Closing Voucher,Total Collected Amount,수집 된 총 금액 DocType: Course,Default Grading Scale,기본 채점 척도 @@ -5434,6 +5489,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,이행 조건 apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,그룹이 아닌 그룹 DocType: Student Guardian,Mother,어머니 +DocType: Issue,Service Level Agreement Fulfilled,서비스 수준 계약 완료 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,청구되지 않은 종업원 급여에 대한 세금 공제 DocType: Travel Request,Travel Funding,여행 기금 DocType: Shipping Rule,Fixed,결정된 @@ -5463,10 +5519,12 @@ DocType: Item,Warranty Period (in days),보증 기간 (일) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,제품을 찾지 못했습니다. DocType: Item Attribute,From Range,범위에서 DocType: Clinical Procedure,Consumables,소모품 +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value'및 'timestamp'가 필요합니다. DocType: Purchase Taxes and Charges,Reference Row #,참조 행 # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},{0} 회사의 '자산 감가 상각비 센터'를 설정하십시오. apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,행 # {0} : 거래 완료를 위해 지불 문서가 필요합니다. DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Amazon MWS에서 판매 주문 데이터를 가져 오려면이 단추를 클릭하십시오. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),반나절이 표시된 근무 시간. (사용하지 않으려면 0으로 설정) ,Assessment Plan Status,평가 계획 상태 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,먼저 {0}을 (를) 선택하십시오. apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Employee 레코드를 생성하려면 이것을 제출하십시오. @@ -5537,6 +5595,7 @@ DocType: Quality Procedure,Parent Procedure,학부모 절차 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,세트 열기 apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,토글 필터 DocType: Production Plan,Material Request Detail,자재 요청 세부 사항 +DocType: Shift Type,Process Attendance After,프로세스 출석 이후 DocType: Material Request Item,Quantity and Warehouse,수량 및 창고 apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,프로그램으로 이동 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},행 # {0} : 참조 {1}에 중복 항목이 있습니다. {2} @@ -5594,6 +5653,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,파티 정보 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),채무자 ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,현재까지 직원의 해고 날짜보다 클 수 없습니다. +DocType: Shift Type,Enable Exit Grace Period,유예 기간 종료 사용 DocType: Expense Claim,Employees Email Id,직원 전자 메일 ID DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify에서 ERPNext 가격 목록으로 가격 업데이트 DocType: Healthcare Settings,Default Medical Code Standard,기본 의료법 표준 @@ -5624,7 +5684,6 @@ DocType: Item Group,Item Group Name,항목 그룹 이름 DocType: Budget,Applicable on Material Request,자재 요청에 적용 가능 DocType: Support Settings,Search APIs,검색 API DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,판매 주문의 과잉 생산 백분율 -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,명세서 DocType: Purchase Invoice,Supplied Items,기본 제공 품목 DocType: Leave Control Panel,Select Employees,직원 선택 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},대출 {0}에서이자 소득 계좌를 선택하십시오. @@ -5650,7 +5709,7 @@ DocType: Salary Slip,Deductions,공제 ,Supplier-Wise Sales Analytics,공급 업체 - 현명한 판매 분석 DocType: GSTR 3B Report,February,이월 DocType: Appraisal,For Employee,직원 용 -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,실제 배송 날짜 +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,실제 배송 날짜 DocType: Sales Partner,Sales Partner Name,판매 파트너 이름 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,감가 상각 행 {0} : 감가 상각 시작일이 과거 날짜로 입력됩니다. DocType: GST HSN Code,Regional,지역 @@ -5689,6 +5748,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,소 DocType: Supplier Scorecard,Supplier Scorecard,공급 업체 성과표 DocType: Travel Itinerary,Travel To,여행지 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,출석 표식 +DocType: Shift Type,Determine Check-in and Check-out,체크인 및 체크 아웃 결정 DocType: POS Closing Voucher,Difference,차 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,작은 DocType: Work Order Item,Work Order Item,작업 주문 항목 @@ -5722,6 +5782,7 @@ DocType: Sales Invoice,Shipping Address Name,배송 주소 이름 apps/erpnext/erpnext/healthcare/setup.py,Drug,약 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1}이 (가) 닫힙니다. DocType: Patient,Medical History,의료 기록 +DocType: Expense Claim,Expense Taxes and Charges,경비 및 세금 DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,가입을 취소하거나 가입을 미결제로 표시하기까지 인보이스 일자가 경과 한 날 수 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,설치 노트 {0}이 (가) 이미 제출되었습니다. DocType: Patient Relation,Family,가족 @@ -5753,7 +5814,6 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 2,항목 2 apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,거래에 적용되는 세금 원천 징수. DocType: Dosage Strength,Strength,힘 DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,하청의 원자재 Backflush -DocType: Bank Guarantee,Customer,고객 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",이 옵션을 사용하면 프로그램 등록 도구에서 Academic Term 필드가 필수 항목이됩니다. DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","배치 기반 학생 그룹의 경우, 학생 배치는 프로그램 등록에서 모든 학생에 대해 유효성이 검사됩니다." DocType: Course,Topics,토픽 @@ -5833,6 +5893,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,지부 회원들 DocType: Warranty Claim,Service Address,서비스 주소 DocType: Journal Entry,Remark,말 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),행 {0} : 항목 게시 시간 ({2} {3})에 창고 {1}의 {4}에 수량을 사용할 수 없습니다 DocType: Patient Encounter,Encounter Time,만남의 시간 DocType: Serial No,Invoice Details,인보이스 세부 정보 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",그룹에서 추가 계정을 만들 수 있지만 비 그룹스에 대해 항목을 만들 수 있습니다. @@ -5913,6 +5974,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),결산 (개회 + 총) DocType: Supplier Scorecard Criteria,Criteria Formula,기준 수식 apps/erpnext/erpnext/config/support.py,Support Analytics,지원 분석 +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),출석 장치 ID (생체 / RF 태그 ID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,검토 및 조치 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",계정이 고정되어 있으면 제한된 사용자에게 항목을 허용합니다. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,감가 상각 후 금액 @@ -5934,6 +5996,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,대출 상환 DocType: Employee Education,Major/Optional Subjects,전공 선택 과목 DocType: Soil Texture,Silt,미사 +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,공급 업체 주소 및 연락처 DocType: Bank Guarantee,Bank Guarantee Type,은행 보증 유형 DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",사용 중지 된 경우 'Rounded Total'입력란은 거래에서 표시되지 않습니다. DocType: Pricing Rule,Min Amt,민 암트 @@ -5972,6 +6035,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,개설 송장 생성 도구 항목 DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,POS 트랜잭션 포함 +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},주어진 직원 필드 값에 대해 직원이 없습니다. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),수령 금액 (회사 통화) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",LocalStorage가 꽉 찼습니다. 저장하지 않았습니다. DocType: Chapter Member,Chapter Member,지부장 @@ -6004,6 +6068,7 @@ DocType: SMS Center,All Lead (Open),모든 리드 (열기) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,학생 그룹이 생성되지 않았습니다. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},동일한 {1} 행이있는 {0} 행이 중복되었습니다. DocType: Employee,Salary Details,급여 세부 정보 +DocType: Employee Checkin,Exit Grace Period Consequence,유예 기간 종료 퇴장 DocType: Bank Statement Transaction Invoice Item,Invoice,송장 DocType: Special Test Items,Particulars,상세 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Item 또는 Warehouse를 기준으로 필터를 설정하십시오. @@ -6104,6 +6169,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,AMC 외 DocType: Job Opening,"Job profile, qualifications required etc.","직업 프로필, 자격 요건 등" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,배송지 국가 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,자료 요청을 제출 하시겠습니까 DocType: Opportunity Item,Basic Rate,기본 요율 DocType: Compensatory Leave Request,Work End Date,작업 종료 날짜 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,원료 요청 @@ -6288,6 +6354,7 @@ DocType: Depreciation Schedule,Depreciation Amount,감가 상각액 DocType: Sales Order Item,Gross Profit,매출 총 이익 DocType: Quality Inspection,Item Serial No,항목 일련 번호 DocType: Asset,Insurer,보험 회사 +DocType: Employee Checkin,OUT,아웃 apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,구매 금액 DocType: Asset Maintenance Task,Certificate Required,인증서 필요 DocType: Retention Bonus,Retention Bonus,회원 유지 보너스 @@ -6403,6 +6470,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),차액 (회사 통 DocType: Invoice Discounting,Sanctioned,제재 DocType: Course Enrollment,Course Enrollment,코스 등록 DocType: Item,Supplier Items,공급 업체 품목 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",시작 시간은 {0}의 종료 시간 \보다 크거나 같을 수 없습니다. DocType: Sales Order,Not Applicable,해당 사항 없음 DocType: Support Search Source,Response Options,응답 옵션 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0}은 0과 100 사이의 값이어야합니다. @@ -6489,7 +6558,6 @@ DocType: Travel Request,Costing,원가 계산 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,고정 자산 DocType: Purchase Order,Ref SQ,심판 SQ DocType: Salary Structure,Total Earning,총 적립 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,고객> 고객 그룹> 지역 DocType: Share Balance,From No,~부터 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,지불 화해 청구서 DocType: Purchase Invoice,Taxes and Charges Added,추가 된 세금 및 요금 @@ -6597,6 +6665,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,가격 규칙 무시 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,식품 DocType: Lost Reason Detail,Lost Reason Detail,잃어버린 이유 세부 정보 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},다음 일련 번호가 생성되었습니다.
{0} DocType: Maintenance Visit,Customer Feedback,고객 피드백 DocType: Serial No,Warranty / AMC Details,보증 / AMC 세부 정보 DocType: Issue,Opening Time,개장 시간 @@ -6646,6 +6715,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,회사 이름이 같지 않음 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,승진 날짜 전에 직원 승진을 제출할 수 없습니다. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0}보다 오래된 주식 거래를 업데이트 할 수 없습니다. +DocType: Employee Checkin,Employee Checkin,직원 수표 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},{0} 항목의 시작 날짜가 종료 날짜보다 작아야합니다. apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,고객 견적 생성 DocType: Buying Settings,Buying Settings,구매 설정 @@ -6667,6 +6737,7 @@ DocType: Job Card Time Log,Job Card Time Log,작업 카드 시간 기록 DocType: Patient,Patient Demographics,환자 인구 통계 DocType: Share Transfer,To Folio No,Folio No로 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,운영 현금 흐름 +DocType: Employee Checkin,Log Type,로그 유형 DocType: Stock Settings,Allow Negative Stock,음수 허용 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,항목 중 수량이나 값이 변경되지 않았습니다. DocType: Asset,Purchase Date,구입 날짜 @@ -6711,6 +6782,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,매우 하이퍼 apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,귀하의 비즈니스 특성을 선택하십시오. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,월과 연도를 선택하십시오. +DocType: Service Level,Default Priority,기본 우선 순위 DocType: Student Log,Student Log,학생 기록 DocType: Shopping Cart Settings,Enable Checkout,체크 아웃 사용 apps/erpnext/erpnext/config/settings.py,Human Resources,인적 자원 @@ -6739,7 +6811,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Shopify를 ERPNext와 연결하십시오. DocType: Homepage Section Card,Subtitle,부제 DocType: Soil Texture,Loam,옥토 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,공급 업체> 공급 업체 유형 DocType: BOM,Scrap Material Cost(Company Currency),스크랩 자재 원가 (회사 통화) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,납품서 {0}을 제출할 수 없습니다. DocType: Task,Actual Start Date (via Time Sheet),실제 시작일 (시간표를 통해) @@ -6795,6 +6866,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,복용량 DocType: Cheque Print Template,Starting position from top edge,상단 가장자리에서 시작 위치 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),예약 기간 (분) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},이 직원은 이미 동일한 타임 스탬프가있는 로그를 가지고 있습니다. {0} DocType: Accounting Dimension,Disable,사용 안함 DocType: Email Digest,Purchase Orders to Receive,구매 주문 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,프로덕션 오더는 다음을 위해 제기 할 수 없습니다. @@ -6810,7 +6882,6 @@ DocType: Production Plan,Material Requests,자재 요청 DocType: Buying Settings,Material Transferred for Subcontract,외주로 이전 된 자재 DocType: Job Card,Timing Detail,타이밍 세부 정보 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,필수 항목 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{1} 중 {0} 가져 오는 중 DocType: Job Offer Term,Job Offer Term,고용 제안 기간 DocType: SMS Center,All Contact,모든 연락처 DocType: Project Task,Project Task,프로젝트 작업 @@ -6860,7 +6931,6 @@ DocType: C-Form,IV,IV DocType: Student Log,Academic,학생 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,주에서 DocType: Leave Type,Maximum Continuous Days Applicable,최대 연속 일수 -apps/erpnext/erpnext/config/support.py,Support Team.,지원팀. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,먼저 회사 이름을 입력하십시오. apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,가져 오기 성공 DocType: Guardian,Alternate Number,대체 번호 @@ -6952,6 +7022,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,행 # {0} : 항목이 추가되었습니다. DocType: Student Admission,Eligibility and Details,자격 및 세부 정보 DocType: Staffing Plan,Staffing Plan Detail,인력 계획 세부 사항 +DocType: Shift Type,Late Entry Grace Period,후기 유예 기간 DocType: Email Digest,Annual Income,연간 소득 DocType: Journal Entry,Subscription Section,구독 섹션 DocType: Salary Slip,Payment Days,지불 일수 @@ -7002,6 +7073,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,계정 잔액 DocType: Asset Maintenance Log,Periodicity,주기성 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,의료 기록 +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,로그 유형은 근무 교대에있는 체크인에 필요합니다 : {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,실행 DocType: Item,Valuation Method,평가 방법 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},판매 송장 {1}에 대한 {0} @@ -7086,6 +7158,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,게재 순위 당 예 DocType: Loan Type,Loan Name,대출 명 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,기본 결제 방법 설정 DocType: Quality Goal,Revision,개정 +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,체크 아웃이 이른 것으로 간주되는 교대 종료 시간 전의 시간 (분). DocType: Healthcare Service Unit,Service Unit Type,서비스 단위 유형 DocType: Purchase Invoice,Return Against Purchase Invoice,구매 송장에 대한 반품 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,비밀 생성 @@ -7241,12 +7314,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,화장품 DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,사용자가 저장하기 전에 시리즈를 선택하게하려면이 옵션을 선택하십시오. 이것을 체크하면 기본값이 없습니다. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,이 역할을 가진 사용자는 고정 된 계정을 설정하고 고정 된 계정에 대해 계정 항목을 작성 / 수정할 수 있습니다 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 DocType: Expense Claim,Total Claimed Amount,총 청구 금액 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} 일 내에 타임 슬롯을 찾을 수 없습니다. apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,마무리 apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,회원 자격이 30 일 이내에 만료되는 경우에만 갱신 할 수 있습니다. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},값은 {0} ~ {1} 사이 여야합니다. DocType: Quality Feedback,Parameters,매개 변수 +DocType: Shift Type,Auto Attendance Settings,자동 출석 설정 ,Sales Partner Transaction Summary,영업 파트너 거래 요약 DocType: Asset Maintenance,Maintenance Manager Name,유지 보수 관리자 이름 apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Item Details를 가져 오는 데 필요합니다. @@ -7338,10 +7413,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,적용된 규칙 검증 DocType: Job Card Item,Job Card Item,직업 카드 항목 DocType: Homepage,Company Tagline for website homepage,회사 웹 사이트 홈페이지에 대한 태그 라인 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,우선 순위 {0}에 대한 응답 시간 및 해상도를 인덱스 {1}에 설정하십시오. DocType: Company,Round Off Cost Center,원가 절감 센터 DocType: Supplier Scorecard Criteria,Criteria Weight,기준 무게 DocType: Asset,Depreciation Schedules,감가 상각 계획 -DocType: Expense Claim Detail,Claim Amount,청구 금액 DocType: Subscription,Discounts,할인 DocType: Shipping Rule,Shipping Rule Conditions,출하 규칙 조건 DocType: Subscription,Cancelation Date,취소 일 @@ -7369,7 +7444,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,리드 생성 apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,0 값 표시 DocType: Employee Onboarding,Employee Onboarding,직원 온 보딩 DocType: POS Closing Voucher,Period End Date,기간 종료 날짜 -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,출처 별 영업 기회 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,목록의 첫 번째 휴가 승인자는 기본 휴가 승인자로 설정됩니다. DocType: POS Settings,POS Settings,POS 설정 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,모든 계정 @@ -7390,7 +7464,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,행 # {0} : 비율은 {1}과 같아야합니다 : {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR- .YYYY.- DocType: Healthcare Settings,Healthcare Service Items,의료 서비스 품목 -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,기록이 없습니다 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,노화 범위 3 DocType: Vital Signs,Blood Pressure,혈압 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,목표 설정 @@ -7437,6 +7510,7 @@ DocType: Company,Existing Company,기존 회사 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,배치 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,방어 DocType: Item,Has Batch No,일괄 처리 없음 +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,지연된 일 DocType: Lead,Person Name,사람 이름 DocType: Item Variant,Item Variant,품목 변형 DocType: Training Event Employee,Invited,초대 됨 @@ -7458,7 +7532,7 @@ DocType: Purchase Order,To Receive and Bill,수령 및 청구서 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",유효한 급여 기간이 아닌 시작 및 종료 날짜는 {0}을 계산할 수 없습니다. DocType: POS Profile,Only show Customer of these Customer Groups,이 고객 그룹의 고객에게만 표시하십시오. apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,인보이스 저장 항목 선택 -DocType: Service Level,Resolution Time,해결 시간 +DocType: Service Level Priority,Resolution Time,해결 시간 DocType: Grading Scale Interval,Grade Description,학년 설명 DocType: Homepage Section,Cards,카드 DocType: Quality Meeting Minutes,Quality Meeting Minutes,품질 회의 회의록 @@ -7485,6 +7559,7 @@ DocType: Project,Gross Margin %,총 마진 % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,총계정 원장 별 은행 잔고 증명서 잔액 apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),의료 (베타) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,판매 오더 및 납품서를 생성하는 기본 창고 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,인덱스 {1}에서 {0}의 응답 시간은 해결 시간보다 클 수 없습니다. DocType: Opportunity,Customer / Lead Name,고객 / 리드 이름 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,청구되지 않은 금액 @@ -7531,7 +7606,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,파티 및 주소 가져 오기 DocType: Item,List this Item in multiple groups on the website.,이 항목을 웹 사이트의 여러 그룹으로 나열하십시오. DocType: Request for Quotation,Message for Supplier,공급자 메시지 -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,{1} 품목의 재고 트랜잭션이 존재하므로 {0}을 (를) 변경할 수 없습니다. DocType: Healthcare Practitioner,Phone (R),전화 (R) DocType: Maintenance Team Member,Team Member,팀 구성원 DocType: Asset Category Account,Asset Category Account,자산 카테고리 계정 diff --git a/erpnext/translations/ku.csv b/erpnext/translations/ku.csv index a55d3ba983..04ad408e17 100644 --- a/erpnext/translations/ku.csv +++ b/erpnext/translations/ku.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Dîroka Destpêk Dîrok apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Destnîşankirin {0} û Şîfreya Bexdayê {1} betal kirin DocType: Purchase Receipt,Vehicle Number,Hejmara Vehicle apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Navnîşa nameya we ... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Navnîşan Default Book Entries +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Navnîşan Default Book Entries DocType: Activity Cost,Activity Type,Tîpa Çalakiyê DocType: Purchase Invoice,Get Advances Paid,Tezmînata Pêşîn DocType: Company,Gain/Loss Account on Asset Disposal,Gain / Loss Hesabê li ser Destûra Bêguman @@ -222,7 +222,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Çi dike? DocType: Bank Reconciliation,Payment Entries,Entment Entries DocType: Employee Education,Class / Percentage,Çar / Perî ,Electronic Invoice Register,Şîfreya Bijare ya Elektronîkî +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Hejmara pêvajoya piştî ku encama encam hate darizandin. DocType: Sales Invoice,Is Return (Credit Note),Vegerîn (Têbînî Kredî) +DocType: Price List,Price Not UOM Dependent,Bersaziya UOM Dependent DocType: Lab Test Sample,Lab Test Sample,Sample Lab Lab DocType: Shopify Settings,status html,HTML DocType: Fiscal Year,"For e.g. 2012, 2012-13","Ji bo nimûne 2012, 2012-13" @@ -322,6 +324,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Lêgerîna Lêko DocType: Salary Slip,Net Pay,Net Pay apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Total Invoiced Amt DocType: Clinical Procedure,Consumables Invoice Separately,Daxuyanîna Daxuyaniyê cûda +DocType: Shift Type,Working Hours Threshold for Absent,Ji bo Neserkirina Karên Xebatê DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Bexdayê li dijî Koma Hesabê {0} DocType: Purchase Receipt Item,Rate and Amount,Nirxandin û mesrefê @@ -376,7 +379,6 @@ DocType: Sales Invoice,Set Source Warehouse,Saziya Çavkaniya Warehouse DocType: Healthcare Settings,Out Patient Settings,Setup Patient DocType: Asset,Insurance End Date,Dîroka Sîgorta Dawiyê DocType: Bank Account,Branch Code,Koda Branchê -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Time To Respond apps/erpnext/erpnext/public/js/conf.js,User Forum,Forumê bikarhêner DocType: Landed Cost Item,Landed Cost Item,Niştecîhên Landed Cost apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Ji bazirganî û kirrûpir nabe @@ -592,6 +594,7 @@ apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Amûdê bacê DocType: Lead,Lead Owner,Owner Leader DocType: Share Transfer,Transfer,Derbaskirin apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Vîdeo Bigere (Ctrl + i) +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Dîroka ji hêja Dîroka mezintirîn mezintirîn DocType: Supplier,Supplier of Goods or Services.,Amûrên Xweser an Xizmet apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Navnîşa nû ya nû. Têbînî: Ji kerema xwe ji bo karsaz û karmendên hesab naxwazin apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Koma Girtîgehê yan Schedulea kursî pêwîst e @@ -872,7 +875,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Daneyên dan DocType: Skill,Skill Name,Navê Pêdivî ye apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Card Card Print DocType: Soil Texture,Ternary Plot,Ternary Plot -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ji kerema xwe veşartî ji bo {0} bi Sîstema Setup> Sîstemên * Naming Series apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Kolanên piştevanîya DocType: Asset Category Account,Fixed Asset Account,Hesabê Girtîgeha Girtî apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Dawîtirîn @@ -885,6 +887,7 @@ DocType: Delivery Trip,Distance UOM,UOM dûr DocType: Accounting Dimension,Mandatory For Balance Sheet,Ji bo Balance Sheet for Mandatory DocType: Payment Entry,Total Allocated Amount,Giştî Hatina Tevahiya Tevahiya DocType: Sales Invoice,Get Advances Received,Piştgiriya Pêşniyar bibin +DocType: Shift Type,Last Sync of Checkin,Syncê ya Dawîn DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Amûre Bacê Li Di Nirxê apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -893,7 +896,9 @@ DocType: Subscription Plan,Subscription Plan,Plana Serlêdana DocType: Student,Blood Group,Koma Blood apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Crop,Crop Spacing UOM,UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Piştî dema veguherîna destpêkê dema ku kontrol-ê di derengî de (deqîqe) tête tête kirin. apps/erpnext/erpnext/templates/pages/home.html,Explore,Lêkolîn +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,No invoices no found DocType: Promotional Scheme,Product Discount Slabs,Product Discount Slabs DocType: Hotel Room Package,Amenities,Amenities DocType: Lab Test Groups,Add Test,Test Add @@ -992,6 +997,7 @@ DocType: Attendance,Attendance Request,Serdana Tevlêbûnê DocType: Item,Moving Average,Rêjeya Moving DocType: Employee Attendance Tool,Unmarked Attendance,Tevlêbûna Navdarkirî DocType: Homepage Section,Number of Columns,Hejmara Columnan +DocType: Issue Priority,Issue Priority,Pêşniyara meseleyê DocType: Holiday List,Add Weekly Holidays,Holidays weekly DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Vebijêrîna Salaryê @@ -999,6 +1005,7 @@ DocType: Customs Tariff Number,Customs Tariff Number,Hejmarên Tariffê DocType: Job Offer Term,Value / Description,Nirx / Dîrok DocType: Warranty Claim,Issue Date,Dîroka Dîroka apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Bo karûbarên çepgir ên çepê nekarin nikare berevanîya berevanîya berxwedanê +DocType: Employee Checkin,Location / Device ID,Nasname / Nasnameya Dokumentê DocType: Purchase Order,To Receive,Hildan apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Tu di moda negirêdayî de. Hûn ê nikarin heta ku hûn nexşeya we re barkirin. DocType: Course Activity,Enrollment,Nivîsînî @@ -1007,7 +1014,6 @@ DocType: Lab Test Template,Lab Test Template,Template Test Lab apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Agahdariya E-Invoicing Missing apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Naveroka maddî tune -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kodê Asayîş> Tîpa Group> Brand DocType: Loan,Total Amount Paid,Tiştek Tiştek Paid apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Hemî van tiştan berê berê veguhestin DocType: Training Event,Trainer Name,Navnavê @@ -1117,6 +1123,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operat apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},Post-timestamp divê piştî {0} DocType: Employee,You can enter any date manually,Hûn dikarin her demek bi dest bi xwe re binivîse DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Respiliation Item +DocType: Shift Type,Early Exit Consequence,Pevçûnek Zûtirîn DocType: Item Group,General Settings,Sîstema Giştî apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Beriya Dîroka Beriya Beriya Şandina Postê / Desteya Mirovan Berê apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Navê navê Xweseriya Berî berî radest bikin. @@ -1154,6 +1161,7 @@ DocType: Account,Auditor,Auditor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Daxuyaniya Weqfa ,Available Stock for Packing Items,Stock Stock for Packing Items Available apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Ji kerema xwe vexwendina vî awayî {0} ji C-Form {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Her Check-in and Check-Out DocType: Support Search Source,Query Route String,Query Route String DocType: Customer Feedback Template,Customer Feedback Template,Şablon apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Quotes to Leads or Customers. @@ -1187,6 +1195,7 @@ DocType: Serial No,Under AMC,Under AMC DocType: Authorization Control,Authorization Control,Control Control ,Daily Work Summary Replies,Bersivên Bersivê Rojane apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Hûn ji bo projeyê hevkariyê vexwendin: {0} +DocType: Issue,Response By Variance,Pirsgirêka Variance DocType: Item,Sales Details,Agahiya Firotanê apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Nîşaneyên çapkirinê yên çapemeniyê. DocType: Salary Detail,Tax on additional salary,Bacê li ser heqê bêtir @@ -1308,6 +1317,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Navnîşa DocType: Project,Task Progress,Pêşveçûnê Task DocType: Journal Entry,Opening Entry,Endamê vekirî DocType: Bank Guarantee,Charges Incurred,Tezmînat +DocType: Shift Type,Working Hours Calculation Based On,Guherandinên Bingehî Li Qeydkirina Karên Kar DocType: Work Order,Material Transferred for Manufacturing,Material Transferred for Manufacturing DocType: Products Settings,Hide Variants,Variant veşêre DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Karanîna Karanîna Derbasbûnê û Demjimêrdana Qanûna Disable @@ -1336,6 +1346,7 @@ DocType: Account,Depreciation,Bêguman DocType: Guardian,Interests,Interests DocType: Purchase Receipt Item Supplied,Consumed Qty,Qut kirin DocType: Education Settings,Education Manager,Rêvebirê Perwerdehiyê +DocType: Employee Checkin,Shift Actual Start,Destpêka Destpêk Çift DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Plana demjimêr derveyî derveyî Karên Karkeran a karûbarê. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Point of loyalty: {0} DocType: Healthcare Settings,Registration Message,Peyama Serkeftinê @@ -1360,9 +1371,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Daxistina ji bo hemû demjimêrên hemî biseket hate afirandin DocType: Sales Partner,Contact Desc,Desc Desc DocType: Purchase Invoice,Pricing Rules,Qanûna Nirxandinê +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Çawa ku li dijî derheqê heyî de hebe {0}, hûn nikarin nirxê {1}" DocType: Hub Tracked Item,Image List,Lîsteya wêneya wêneyê DocType: Item Variant Settings,Allow Rename Attribute Value,Destûrê bide Hilbijartina Attribute Value -DocType: Price List,Price Not UOM Dependant,Bersaziya UOM Dependent apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Wext apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Bingehîn DocType: Loan,Interest Income Account,Account Income Interest @@ -1372,6 +1383,7 @@ DocType: Employee,Employment Type,Tenduristiyê apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,POS Profîl hilbijêre DocType: Support Settings,Get Latest Query,Query Latest DocType: Employee Incentive,Employee Incentive,Karkerê Kişandin +DocType: Service Level,Priorities,Pêşdibistan apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Karta kart û taybetmendiyê li ser malperê zêde bikin DocType: Homepage,Hero Section Based On,Li ser Bingeha Hero Hero DocType: Project,Total Purchase Cost (via Purchase Invoice),Biha Kirîna Giştî (Bi rêya Purchase Invoice) @@ -1432,7 +1444,7 @@ DocType: Work Order,Manufacture against Material Request,Pêşniyara dijî Daxwa DocType: Blanket Order Item,Ordered Quantity,Hejmarê Birêvekirî apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Warehouse Rejected li dijî şîfreyê {1} ,Received Items To Be Billed,Hîndarkirina Bêguman Bikin -DocType: Salary Slip Timesheet,Working Hours,Karên Kar +DocType: Attendance,Working Hours,Karên Kar apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Mode Peyrê apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Li ser wextê nexşirandin Biryara kirînê apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Dema Demjimêr @@ -1552,7 +1564,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,Q DocType: Supplier,Statutory info and other general information about your Supplier,Agahdariya zagonî û agahdariyên gelemperî derbarê derveyî we DocType: Item Default,Default Selling Cost Center,Navenda Bazirganî ya Navendî Default DocType: Sales Partner,Address & Contacts,Navnîşan û Têkilî -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ji kerema xwe veşartina hejmarek ji bo Tevlêbûnê ya Setup> Pirtûka Nimûne DocType: Subscriber,Subscriber,Hemû apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (Forma / Forma / {0}) ji ber firotanê ye apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Ji kerema xwe pêşîn Dîroka Dîroka Pêşîn hilbijêre @@ -1563,7 +1574,7 @@ DocType: Project,% Complete Method,% Complete Method DocType: Detected Disease,Tasks Created,Tasks afirandin apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) ji bo vê item an jî pelê wê çalak be apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Komîsyona% -DocType: Service Level,Response Time,Response Time +DocType: Service Level Priority,Response Time,Response Time DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Settings apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Hejmar divê erênî ye DocType: Contract,CRM,CRM @@ -1580,7 +1591,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Nexşeya Serûpelê DocType: Bank Statement Settings,Transaction Data Mapping,Daxuyaniya Data Mapping apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Leşkerek an navê an kes an navê navê rêxistinê heye DocType: Student,Guardians,Cerdevan -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ji kerema xwe vexwendina Sîstema Navneteweyî ya Perwerdehiya Mamosteyê> Sîstema Perwerdehiyê apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Hilbijêre Brand ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Hatina Navîn DocType: Shipping Rule,Calculate Based On,Li ser bingeha Bingehîn @@ -1617,6 +1627,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Target Target apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Tevlêbûna xwendinê {0} li dijî xwendekaran {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Dîroka Transaction apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Daxistina Cancel +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Peymana Rêjeya Saziyê {0} saz nekin. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Amînê ya Net Salary DocType: Account,Liability,Bar DocType: Employee,Bank A/C No.,Banka A / C @@ -1681,7 +1692,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Koda Kodê Raw Material apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Alîkariya veguhestinê {0} ve hatî şandin DocType: Fees,Student Email,Xwendekarek Email -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM revandin: {0} dê nikarin bav û bavê {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Xizmetên ji Xizmetên Tenduristiyê Bistînin apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Endamê Stock Entry {0} nehatiye şandin DocType: Item Attribute Value,Item Attribute Value,Item Attribute Value @@ -1706,7 +1716,6 @@ DocType: POS Profile,Allow Print Before Pay,Berî Berê Print Print Allowed DocType: Production Plan,Select Items to Manufacture,Hilbijêre Ji bo hilberînê hilbijêre DocType: Leave Application,Leave Approver Name,Navekî Derbasbûnê Name DocType: Shareholder,Shareholder,Pardar -DocType: Issue,Agreement Status,Peymanê Status apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Guhertoya standard ji bo kiryarên veguherînê. 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ê Xwendekaran hilbijêre ku ji bo daxwaznameya xwendekarê drav anîn e apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOM hilbijêrin @@ -1968,6 +1977,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Hesabê dahatiyê apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Hemû xaniyan DocType: Contract,Signee Details,Agahdariyên Signix +DocType: Shift Type,Allow check-out after shift end time (in minutes),Piştre piştî kontrola dawiya demê de apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Pawlos DocType: Item Group,Check this if you want to show in website,Ger hûn bixwazin malpera xwe nîşanî bikin apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Salê Fiscal Year {0} nehat dîtin @@ -2033,6 +2043,7 @@ DocType: Employee Benefit Application,Remaining Benefits (Yearly),Xizmetên Bazi DocType: Asset Finance Book,Depreciation Start Date,Tezmînata Destpêk Dîrok DocType: Activity Cost,Billing Rate,Rêjeya Billing apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Ji kerema xwe veguhastina Google Maps Settings bikirîne û rêyên pêşniyar kirin +DocType: Purchase Invoice Item,Page Break,Page Break DocType: Supplier Scorecard Criteria,Max Score,Max Score apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Daxwaza Destpêk Dibe Berî Berî Dabeşandina Dabeşkirinê be. DocType: Support Search Source,Support Search Source,Çavkaniya Çavkaniyê Lêgerîna @@ -2101,6 +2112,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Armancên Kalîteya Arman DocType: Employee Transfer,Employee Transfer,Transfera karmendê ,Sales Funnel,Firotanê Sales DocType: Agriculture Analysis Criteria,Water Analysis,Analysis +DocType: Shift Type,Begin check-in before shift start time (in minutes),Ji destpêkê veguhestina destpêkê veguherîna kontrola destpêkê (di çend deqîqan) DocType: Accounts Settings,Accounts Frozen Upto,Hesabên jorkirî li jor apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Ti tiştek tune ye. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operasyon {0} dirêjtirîn demjimêrên xebatê yên li karkeriyê {1} bêtir, operasyonê di çalakiyê de gelek operasyonan bike" @@ -2114,7 +2126,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Hesa apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Order Order {0} ye {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Pawlos di dayîn de apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Agahdariya nirxandinê binivîse +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,PO Pêwirîn apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Divê Dîroka Daxuyaniya Dîrokê Divê piştî Sermarkirina Dibistanê +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Kêmeya nirx nikare zero apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Att Attt apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Ji kerema xwe BOM ê li dijî hilbijêre {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tîpa Şaxa @@ -2124,6 +2138,7 @@ DocType: Maintenance Visit,Maintenance Date,Dîroka Navîn DocType: Volunteer,Afternoon,Piştînîvroj DocType: Vital Signs,Nutrition Values,Nirxên nerazîbûnê DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),Pevçûnek tûşî (temaşe> 38.5 ° C / 101.3 ° F an tempê * 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ji kerema xwe veguhastina Sîstema Sîstema Navnetewî di Çavkaniya Mirovan> HR Set apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Reversed DocType: Project,Collect Progress,Pêşveçûnê hilbijêre apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Înercî @@ -2174,6 +2189,7 @@ DocType: Setup Progress,Setup Progress,Pêşveçûna Pêşveçûn ,Ordered Items To Be Billed,Niştecîhên Biryara Bêguman Bikin DocType: Taxable Salary Slab,To Amount,Ji bo Weqfa DocType: Purchase Invoice,Is Return (Debit Note),Vegerîn (Debit Note) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Giştî> Giştî ya Giştî> Herêmî apps/erpnext/erpnext/config/desktop.py,Getting Started,Getting Started apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Bihevkelyan apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Dema ku Fînala Salê hat rizgarkirin Dîroka Destpêk Dest û Dîroka Neteweyî ya Guherîn nabe. @@ -2191,8 +2207,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Dîroka rastîn apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Dîroka destpêkê ya destpêkê nikare beriya danûstandinê ji bo Serial No {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Row {0}: Rêjeya pevçûnê pêwîst e DocType: Purchase Invoice,Select Supplier Address,Navnîşana Navnîşan hilbijêre +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Hejmara hêja heye {0}, hûn hewce ne {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Ji kerema xwe kerema API Consumer DocType: Program Enrollment Fee,Program Enrollment Fee,Bernameya Enrollmentê +DocType: Employee Checkin,Shift Actual End,End Actual Shift DocType: Serial No,Warranty Expiry Date,Daxuyaniya Daxistinê DocType: Hotel Room Pricing,Hotel Room Pricing,Pricing Room Room apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Derfetên bacê yên derveyî (ji bilî rêjeya xurek, nil û şaş kirin" @@ -2251,6 +2269,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Xwendinê 5 DocType: Shopping Cart Settings,Display Settings,Settings Settings apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Ji kerema xwe hejmara hejmarên nirxandinê binivîsin +DocType: Shift Type,Consequence after,Piştî encam apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Hûn hewceyê alîkarî bi çi hewce? DocType: Journal Entry,Printing Settings,Settings Settings apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banking @@ -2260,6 +2279,7 @@ DocType: Purchase Invoice Item,PR Detail,PR Detail apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Navnîşan Navnîşana Navnîşanê ya Navnîşanê ya Navnîşanê ye DocType: Account,Cash,Perê pêşîn DocType: Employee,Leave Policy,Pêwîste Leave +DocType: Shift Type,Consequence,Paşî apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Navnîşana xwendekaran DocType: GST Account,CESS Account,Hesabê CESS apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","Dema ku hesab ji bo Kompaniya Zarokan {0} çêkirin, hesabê bavê {1} nehat dîtin. Ji kerema xwe ji hesabê bavê xwe di nav peymana COA de çêbikin" @@ -2323,6 +2343,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN DocType: Period Closing Voucher,Period Closing Voucher,Wexta Dawiyê Vûda apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Navê apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Ji kerema xwe re hesabê hesabê bistînin +DocType: Issue,Resolution By Variance,Biryara Variance DocType: Employee,Resignation Letter Date,Daxwaznameya Niştimanî DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Tevlêbûna Dawîn @@ -2334,6 +2355,7 @@ DocType: Crop,Produced Items,Produced Items apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Divê Rewşa Destûra Divê 'Approved' an 'Rejected' be apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Now Niha DocType: Item Price,Valid Upto,Bi rast +DocType: Employee Checkin,Skip Auto Attendance,Tevlêbûna xweseriyê vekin DocType: Payment Request,Transaction Currency,Dirûrek Kirînê DocType: Loan,Repayment Schedule,Kirêdariya Kirina apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Stock Entry @@ -2404,6 +2426,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Destûra Hilbij DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Bacên Voucher POS POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Çalakiya Destpêk DocType: POS Profile,Applicable for Users,Ji bo Bikaranîna bikarhêneran +,Delayed Order Report,Raporta Daxuyaniyê DocType: Training Event,Exam,Îmtîhan apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Navnîşên çewt ên General Ledger Entries dîtin. Hûn dikarin di nav veguhestineke çewt de bijartin. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Pipeline Sales @@ -2418,10 +2441,11 @@ DocType: Account,Round Off,Round Round DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Şertên li ser tevahiya hilbijartî hatine hevgirtin kirin. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Configure DocType: Hotel Room,Capacity,Kanîn +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Qty saz kirin apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} ya Jêder {1} qedexekirin. DocType: Hotel Room Reservation,Hotel Reservation User,User Reservation User -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Workday du caran dubare kir +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Peymanê Rêjeya Navîn bi Tîpa Navîn {0} û Entity {1} berê heye. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Gelek Giştî ya ku di nav babetê mîvanê de navekî nirxandin {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Sernav Navê: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Territory di POS Profile de pêwîst e @@ -2468,6 +2492,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Dîroka Schedule DocType: Packing Slip,Package Weight Details,Package Details Weight DocType: Job Applicant,Job Opening,Karên Civakî +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Dawiya Navnîşana Serkeftî ya Navnîşana Dawîn ya Navenda Checkin. Tenê vê yekê hilbijêre eger hûn bawer bikin ku hemû Logs ji hemî cihan veguherandin têne hev kirin. Ji kerema xwe hûn nexwestin vê guhartinê nake. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Bihayê rastîn apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Tevahiya pêşîn ({0}) li dijî Order {1} ji hêla Grand Total ({2} ve mezintir be apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Variant Variants updated @@ -2512,6 +2537,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Rice Purchase Rice apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Daxistin DocType: Tally Migration,Is Day Book Data Imported,Dîroka danûstandinên pirtûka Dîjan Roj e ,Sales Partners Commission,Komîsyona Sales Sales +DocType: Shift Type,Enable Different Consequence for Early Exit,Ji bo derketina zûtirîn Vebijêrîn Çalakî apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Mafî DocType: Loan Application,Required by Date,Pêdivî ye Dîroka DocType: Quiz Result,Quiz Result,Quiz Result @@ -2570,7 +2596,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Salê / h DocType: Pricing Rule,Pricing Rule,Rule Pricing apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Lîsteya betalên niştecihan nayê destnîşankirin {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Ji kerema xwe qada nasnameyê ya bikarhêner di karmendê karmendê da ku ji bo karmendê karmendê kar bikin -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Time To Resolve DocType: Training Event,Training Event,Event Event DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Gelek tedbîrên xwînê ya normal di nav zilamê de nêzîkî 120 mmHg sîstolol e, û 80 mmHg diastolic, bişkoka "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Pergala ku hebûna nirxê sifrê ye, dê tevahiya navnîşan pêk bînin." @@ -2614,6 +2639,7 @@ DocType: Woocommerce Settings,Enable Sync,Sync çalak bike DocType: Student Applicant,Approved,Pejirandin apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Ji Dîroka Divê di salê Fînansê de be. Daxuyanî Ji Date = {0} 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ê. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} Rewşa Tevlêbûna neyek e. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Account Accounting DocType: Purchase Invoice,Cash/Bank Account,Hesabê kred / bank DocType: Quality Meeting Table,Quality Meeting Table,Qada Kalîteyê @@ -2649,6 +2675,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Nivîskar Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Xwarin, Beverage & Tobacco" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Derseya kursiyê DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Pirtûka bacê ya balkêş e +DocType: Shift Type,Attendance will be marked automatically only after this date.,Tevlêbûna wê tenê piştî vê roja xwe nîşankirin. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Tenduristî ji bo xwediyên xwedan apps/erpnext/erpnext/hooks.py,Request for Quotations,Daxuyaniya ji bo Quotations apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Pêvek piştî ku navnîşên hinek pereyên din bikar tînin guhertin nikare guhertin @@ -2913,7 +2940,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Tişta dîsanê DocType: Hotel Settings,Default Taxes and Charges,Deynên bac û bihayên apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Ev li ser vê veguhestinê veguheztin. Ji bo agahdariyên jêrîn binêrin apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Gelek xercê karmendê {0} zêde dike {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Ji bo Peymana Destpêk û Dawî ve bistînin. DocType: Delivery Note Item,Against Sales Invoice,Li Bexdayê Bazirganî DocType: Loyalty Point Entry,Purchase Amount,Ameya Kirînê apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Dibe ku wekî Biryara Sermonê winda dibe winda ne. @@ -2937,7 +2963,7 @@ DocType: Homepage,"URL for ""All Products""",Ji bo "All Products" DocType: Lead,Organization Name,Navê Navekî apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Ji hêla ji deverên derbasdar û deverên derbasdar divê ji bo tevlîheviyê ne apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Batch Ne wek {1} {2} -DocType: Employee,Leave Details,Dîtin bistînin +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Transferên bazirganî berî {0} vekirî ye DocType: Driver,Issuing Date,Daxuyaniya Dîroka apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Requester @@ -2982,9 +3008,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Daxuyaniyên Kredê Mapping Dike apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Recruitment and Training DocType: Drug Prescription,Interval UOM,UOM Interval +DocType: Shift Type,Grace Period Settings For Auto Attendance,Sermaseya Xweseriya Xweseriya Otomobîlê apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Ji Zîndanê û To Currency To do it apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Dermanan DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Heta Demjimêr apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} betal an girtin apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Row {0}: Agahdariya Bexdayê divê kredî be apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Koma alîyê Voucher (Consolidated) @@ -3093,6 +3121,7 @@ DocType: Asset Repair,Repair Status,Rewşa Rewşê DocType: Territory,Territory Manager,Rêveberê Territory DocType: Lab Test,Sample ID,Nasnameya nimûne apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Kart eşkere ye +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Tevlêbûna ku li karmendê kontrola karmendê tête kirin apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Asset {0} divê were şandin ,Absent Student Report,Report Report Absent apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Di Gross Profitê de @@ -3100,7 +3129,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,L DocType: Travel Request Costing,Funded Amount,Amûr Bekir apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nehatiye pêşkêş kirin so ku çalak nikare temam kirin DocType: Subscription,Trial Period End Date,Dîroka Doza Têkoşînê +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Vebijêrkên alternatîf wek IN û OUT di dema heman heman demê de derbas kirin DocType: BOM Update Tool,The new BOM after replacement,BOM a piştî nûvekirinê +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Supplier> Supplier Type apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Item 5 DocType: Employee,Passport Number,Nimareya pasaportê apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Vekirî vekin @@ -3213,6 +3244,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Raportên Key apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Pargîdanek Pispor ,Issued Items Against Work Order,Li dijî Armanca Karê Daxuyan kirin apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Creating {0} Invoice +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ji kerema xwe vexwendina Sîstema Navneteweyî ya Perwerdehiya Mamosteyê> Sîstema Perwerdehiyê DocType: Student,Joining Date,Join Date apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Malperê Request DocType: Purchase Invoice,Against Expense Account,Li Bexdayê Expense @@ -3251,6 +3283,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Tezmînata Serdar ,Point of Sale,Point Point DocType: Authorization Rule,Approving User (above authorized value),Daxuyaniya Bikarhêner (ji hêla nirxa desthilatdar) +DocType: Service Level Agreement,Entity,Entity apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Amount {0} {1} ji {2} ji {3} veguherandin apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Mirovan {0} ne girêdayî projeyê {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Ji navê Partiyê @@ -3296,6 +3329,7 @@ DocType: Asset,Opening Accumulated Depreciation,Vebijandina Nerazîbûnê Barkir DocType: Soil Texture,Sand Composition (%),Sand Composition (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-YYYY- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Data Data Import Import +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ji kerema xwe veşartî ji bo {0} bi Sîstema Setup> Sîstemên * Naming Series DocType: Asset,Asset Owner Company,Şîrketê Saziyê apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Navenda mesrefê mesref e ku hûn îdîaya dravaniyê bibînin apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} nirxên serîlêdanê yên ji bo Peldanka {1} @@ -3353,7 +3387,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Xwedêkariya xwedan apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Warehouse ji bo pelê {0} li ser rêza {1} DocType: Stock Entry,Total Additional Costs,Gelek lêçûnên zêde -DocType: Marketplace Settings,Last Sync On,Sync Dîroka Dawîn apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Ji kerema xwe re bi kêmanî yek qeq di di bacên bacê û bargehan de bicîh bikin DocType: Asset Maintenance Team,Maintenance Team Name,Tîma Barkirina Navîn apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Chart ya Navendên Krediyê @@ -3369,12 +3402,12 @@ DocType: Sales Order Item,Work Order Qty,Karê Karê Qty DocType: Job Card,WIP Warehouse,WIP Warehouse DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Nasnameyeke nasnameyê ji bo Karmendê {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Qty heye {0}, hûn hewce ne {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Bikarhêner {0} hat afirandin DocType: Stock Settings,Item Naming By,Naming By apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Birêvekirin apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Ev grûpek karmendek root e û nikare guherandinê ne. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Request Request {0} betal kirin an rawestandin +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Bi zûtirîn li ser şîfreya Log-in ya karmendê Checkin DocType: Purchase Order Item Supplied,Supplied Qty,Qanûn DocType: Cash Flow Mapper,Cash Flow Mapper,Mapper cash cash DocType: Soil Texture,Sand,Qûm @@ -3433,6 +3466,7 @@ DocType: Lab Test Groups,Add new line,Rêza nû bike apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Duplicate item group di tabloya materyalê de hat dîtin apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Salarya salane DocType: Supplier Scorecard,Weighting Function,Performansa Barkirina +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktora UOM ({0} -> {1}) nehatiye dîtin: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Çewtiya nirxandina formula standard ,Lab Test Report,Raporta Lab Lab DocType: BOM,With Operations,Bi Operasyonan @@ -3446,6 +3480,7 @@ DocType: Expense Claim Account,Expense Claim Account,Hesabê mûzayê apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Ne vegerandin ji bo Journal Entry apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} xwendekarek nexwend e apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Endamê Stock Entry +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM revandin: {0} dê nikarin bav û bavê {1} DocType: Employee Onboarding,Activities,Çalakî apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast yek xanî heye ,Customer Credit Balance,Balance Customer Kirance @@ -3458,9 +3493,11 @@ DocType: Supplier Scorecard Period,Variables,Variables apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Bernameya Bila Welatiya Mirovan ji bo Mişteriyê dît. Ji kerema xwe bi destê xwe hilbijêrin. DocType: Patient,Medication,Dermankirinê apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Bername Bernameya Hilbijartinê hilbijêre +DocType: Employee Checkin,Attendance Marked,Beşdariya Marked apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Raw Materials DocType: Sales Order,Fully Billed,Fully Billed 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/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Bi tenê yek pêşdibistanê wekî bijartî hilbijêre. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Ji kerema xwe ji bo cureyê - Hesabê (Ledger) çêbikin / {0} 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: Purchase Invoice Item,Is Fixed Asset,Bêguman Assisted Is @@ -3479,6 +3516,7 @@ DocType: Purpose of Travel,Purpose of Travel,Armanca Rêwîtiyê DocType: Healthcare Settings,Appointment Confirmation,Daxuyaniya rûniştinê DocType: Shopping Cart Settings,Orders,Orders DocType: HR Settings,Retirement Age,Pirtûka Retirement +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ji kerema xwe veşartina hejmarek ji bo Tevlêbûnê ya Setup> Pirtûka Nimûne apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Qediyek Proje apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Deletion ji bo welat {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} ji berî {2} @@ -3561,11 +3599,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Hesabdar apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Closing Voucher ji bo {0} di dîroka {1} û {2} de heye. apps/erpnext/erpnext/config/help.py,Navigating,Navîgasyon +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Naverokên berbiçav nirxandin nirxandina veguherîna pêdivî ye DocType: Authorization Rule,Customer / Item Name,Navê / Navê Navnîşê apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,No Serial Na No Warehouse tune. Warehouse divê ji hêla Stock Entry an Rice Purchase DocType: Issue,Via Customer Portal,Via Portal ya Viya DocType: Work Order Operation,Planned Start Time,Demjimartinê Destpêk apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} ye {2} +DocType: Service Level Priority,Service Level Priority,Berfirehiya Xizmetiyê apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Gelek Nirxên Têkilî Nabe ku Hêjeya Gelek Nirxên Hêjayî mezintir be apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger DocType: Journal Entry,Accounts Payable,Accounts Payable @@ -3673,7 +3713,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Pêdivî ye DocType: Bank Statement Transaction Settings Item,Bank Data,Data Data apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Dema Scheduled Up -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Hêzên Times Times Bi Saziya Demjimêr û Karên Demjimar biparêzin apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Track Source by Lead Source. DocType: Clinical Procedure,Nursing User,Nursing User DocType: Support Settings,Response Key List,Lîsteya Keyê @@ -3840,6 +3879,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Dema Destpêk Destpêk DocType: Antibiotic,Laboratory User,Bikaranîna Bikaranîna bikarhêner apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Auctions +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Pêşdibistan {0} hate dubare kirin. DocType: Fee Schedule,Fee Creation Status,Status Creation Fee apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Softwares apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Birêvebirinê Bargirtina Serdanînê @@ -3904,6 +3944,7 @@ DocType: Patient Encounter,In print,Di çapkirinê de apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Agahdarî ji bo {0} agahdar nekir. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Pêdivî ye ku pêdivî ye ku pêdivî ye ku an jî heya karsaziya şîrket an diravê hesabê partiyê be apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Ji kerema xwe kesê xerîdarê Îdamê karmendê xwe bistînin +DocType: Shift Type,Early Exit Consequence after,Pevçûnek destpêkê apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Dabeşandina firotin û firotanê vekin vekin DocType: Disease,Treatment Period,Dermankirinê apps/erpnext/erpnext/config/settings.py,Setting up Email,Sazkirina Email @@ -3921,7 +3962,6 @@ DocType: Employee Skill Map,Employee Skills,Karkerên Xweser apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Navê Şagirt: DocType: SMS Log,Sent On,Şandin DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Invoice Sales -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Vebijêrk Dema ku ji Biryara Biryara bêtir mezintir be DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Ji bo Bersîvê Xwendekarê Xwendekarê Xwendekarê Xwendekaran ji bo her xwendekaran ji Kursên Nused-ê di Bernameya Bernameyê de were pejirandin. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Barkirina Navneteweyî DocType: Employee,Create User Permission,Destûra Bikarhêner hilbijêre @@ -3958,6 +3998,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Peymanên standard ji bo firotanê yan kirînê. DocType: Sales Invoice,Customer PO Details,Pêwendiyên Pêkûpêk apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Nexweş nayê dîtin +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Default Preference Hilbijêre. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Heger hilweşînin eger heger li ser vê tiştê nayê derbas kirin apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Koma Giştî ya Gelek Navnîşê heman navnîşê heye, ji kerema xwe navê navnîşa bazirganî an navnîşê Giştî ya Giştî" 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. @@ -3996,6 +4037,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Tendurê Girtîgeha Gişt DocType: Quality Goal,Quality Goal,Goaliya Kalîteyê DocType: Support Settings,Support Portal,Portela Piştgiriyê apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Xebatkar {0} li Niştecîh {1} ye +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Peymana Dema Ewlekariya Taybet e ku taybetmendiya mişterî {0} DocType: Employee,Held On,Held On DocType: Healthcare Practitioner,Practitioner Schedules,Schedule Practitioner DocType: Project Template Task,Begin On (Days),On Start (Days) @@ -4003,6 +4045,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Karê Karê Saziyê {0} DocType: Inpatient Record,Admission Schedule Date,Dîroka Schedule Hatina apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Peymana Nirxandinê +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Li ser bingeha veguherandina vê karmendê ji bo 'Serkevtina Checkin' li ser bingeha Marxanê ye. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Tenduristên Kesên Neqeydkirî hatine kirin apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Hemû Kar DocType: Appointment Type,Appointment Type,Tîpa rûniştinê @@ -4115,7 +4158,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bi giraniya pakêtê. Bi giraniya nerm + + pargîdaniya materyalê. (ji bo çapkirinê) DocType: Plant Analysis,Laboratory Testing Datetime,Datetime Testing Testatory apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Peyva {0} nikare Batch -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Pipeline Sales by Stage apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Stratejiya Xwendekaran DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Navnîşa Transferê ya Bexdayê Entry DocType: Purchase Order,Get Items from Open Material Requests,Ji daxwaznameyên Open Material Requests Get Items @@ -4196,7 +4238,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Vebijêrk Warehouse-wise DocType: Sales Invoice,Write Off Outstanding Amount,Girtîgeha Bêbaweriyê binivîse DocType: Payroll Entry,Employee Details,Agahdarî -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Destpêk Destpêk Ji hêla End-time ji {0} ve bêtir mezintirîn. DocType: Pricing Rule,Discount Amount,Discount Amount DocType: Healthcare Service Unit Type,Item Details,Agahdarî apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js,From Delivery Note,Ji Têgihîştinê ve @@ -4247,7 +4288,7 @@ DocType: Global Defaults,Disable In Words,Peyvên Peyvan DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Paya Net nikare neyînî apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Naverokî tune -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Tarloqî +DocType: Attendance,Shift,Tarloqî apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Projeya Karûbarên Hesab û Partiyan DocType: Stock Settings,Convert Item Description to Clean HTML,Vebijêrk Nîşan Bigere HTML to Clean apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,All Supplier Groups @@ -4318,6 +4359,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Karmendiya On DocType: Healthcare Service Unit,Parent Service Unit,Yekîneya Xizmetiya Mirovan DocType: Sales Invoice,Include Payment (POS),Payment (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Yekîtiya Xweser +DocType: Shift Type,First Check-in and Last Check-out,Yekem Check-in û Dawîn Paşîn-der DocType: Landed Cost Item,Receipt Document,Belgeya belgeyê DocType: Supplier Scorecard Period,Supplier Scorecard Period,Supplier Scorecard Period DocType: Employee Grade,Default Salary Structure,Structural Salary Default @@ -4399,6 +4441,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Daxuyaniya kirînê bikî apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Performansa budceyê ji bo salek fînansî. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Qanûna hesab nikare nebixwe. +DocType: Employee Checkin,Entry Grace Period Consequence,Bêvajoya Bendava Grace ,Payment Period Based On Invoice Date,Dîroka Daxuyaniya Dîroka Bingeha Demjimêr apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Dîroka sazkirinê ji beriya danûstandinê ya berî {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Link to Material Request @@ -4407,6 +4450,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Dîteya Data apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Ji bo vê vegereyê ya veguhestina navnîşê ji berî {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Dîrok DocType: Monthly Distribution,Distribution Name,Nav Nabe +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Workday {0} hate dubare kirin. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Koma Bi Non-Group apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Pêşkeftina pêşveçûnê. Ew dikare demekê bigirin. DocType: Item,"Example: ABCD.##### @@ -4419,6 +4463,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Fuel Qty apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile Na DocType: Invoice Discounting,Disbursed,Perçekirin +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Piştî dema dawiya veguherandina dema ku lêpirsînek ji bo beşdarî tê de tête kirin. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Guhertoya Net Neteweyek Payable apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Not Available apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Nîvdem @@ -4432,7 +4477,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Derfetê apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,PDC di çapkirinê de nîşan bide apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Supplier DocType: POS Profile User,POS Profile User,POS Profîl User -DocType: Student,Middle Name,Navê navbendî DocType: Sales Person,Sales Person Name,Navê Kesê Xweser DocType: Packing Slip,Gross Weight,Gross Weight DocType: Journal Entry,Bill No,Bill No @@ -4441,7 +4485,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Cihê DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-YYYY- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Peymanê Rêjeya Navîn -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Ji kerema xwe pêşî yê karmend û dîrokê hilbijêrin apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Rêjeya nirxê nirxê li gorî nirxê xerca kirê ya xemgîniyê ye DocType: Timesheet,Employee Detail,Daxuyaniya karker DocType: Tally Migration,Vouchers,Vouchers @@ -4476,7 +4519,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Peymanê Rêjeya DocType: Additional Salary,Date on which this component is applied,Dîrok li ser vê beşê ye apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Lîsteya lîsansên peywendîdar bi bi hejmarên folio re apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Hesabên Gateway Setup -DocType: Service Level,Response Time Period,Dema Demjimêra Response +DocType: Service Level Priority,Response Time Period,Dema Demjimêra Response DocType: Purchase Invoice,Purchase Taxes and Charges,Xercan û bihayên kirînê DocType: Course Activity,Activity Date,Çalakiya Dîroka apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Hilbijêre an mişterek nû bike @@ -4501,6 +4544,7 @@ DocType: Sales Person,Select company name first.,Navê yekem hilbijêre. apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Sala Financial DocType: Sales Invoice Item,Deferred Revenue,Revenue Deferred apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Atleast yek ji Bazirganî an Bazirganî divê bê hilbijartin +DocType: Shift Type,Working Hours Threshold for Half Day,Ji bo Nîvê Nîv Demjimar Karên Xebatê ,Item-wise Purchase History,Dîroka kirîna Dîroka Bargiraniyê apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Dibe ku xizmeta astengkirina astengkirina astengkirina navxweyî de li ser rêzê {0} DocType: Production Plan,Include Subcontracted Items,Têkilî Subcontracted Items @@ -4532,6 +4576,7 @@ DocType: Journal Entry,Total Amount Currency,Tişta Hatîn DocType: BOM,Allow Same Item Multiple Times,Destûra Siyaseta Pirrjimar Pirrjimar Dike apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,BOM DocType: Healthcare Practitioner,Charges,Tezmînata +DocType: Employee,Attendance and Leave Details,Tevlêbûnê û Dervekirinê DocType: Student,Personal Details,Agahiyên kesane DocType: Sales Order,Billing and Delivery Status,Status Status apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Row {0}: Ji bo peywenddarê {0} Navnîşa e-nameya pêwîst e-nameyê bişînin @@ -4583,7 +4628,6 @@ DocType: Bank Guarantee,Supplier,Şandevan apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Heqê valahiyê {0} û {1} binivîse DocType: Purchase Order,Order Confirmation Date,Daxuyaniya Daxuyaniya Daxuyaniyê DocType: Delivery Trip,Calculate Estimated Arrival Times,Hilbijartina Hatîn Hatîn Times -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ji kerema xwe veguhastina Sîstema Sîstema Navnetewî di Çavkaniya Mirovan> HR Set apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Bawer DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-YYYY- DocType: Subscription,Subscription Start Date,Daxuyaniya destpêkê @@ -4605,7 +4649,7 @@ DocType: Installation Note Item,Installation Note Item,Pirtûka Têkilandinê DocType: Journal Entry Account,Journal Entry Account,Hesabê rojnamevanê apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variant apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Çalakiya Forum -DocType: Service Level,Resolution Time Period,Demjimêra Demjimêra Biryara +DocType: Service Level Priority,Resolution Time Period,Demjimêra Demjimêra Biryara DocType: Request for Quotation,Supplier Detail,Supplier Detail DocType: Project Task,View Task,Task DocType: Serial No,Purchase / Manufacture Details,Dîrok / Pêşniyarên Bazirganiyê @@ -4672,6 +4716,7 @@ DocType: Sales Invoice,Commission Rate (%),Rêjeya Komîsyonê (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Warehouse tenê bi Stock Entry / Remarkirina Kirînê / Reya Kirînê veguherîne DocType: Support Settings,Close Issue After Days,Piştî rojan paşde DocType: Payment Schedule,Payment Schedule,Schedule Payment +DocType: Shift Type,Enable Entry Grace Period,Demjimêra Grace Entry Enable DocType: Patient Relation,Spouse,Jin DocType: Purchase Invoice,Reason For Putting On Hold,Reason for Putting On Hold DocType: Item Attribute,Increment,Zêdebûna @@ -4810,6 +4855,7 @@ DocType: Authorization Rule,Customer or Item,Mişterî an tiştek DocType: Vehicle Log,Invoice Ref,Refugee Invoice apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-form ji bo vexwendinê ne derbas e: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Invoice afirandin +DocType: Shift Type,Early Exit Grace Period,Dema destpêka derheqê destpêkê DocType: Patient Encounter,Review Details,Agahdariyên Çavdêriya apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Row {0}: Hêjeya nirxên ku ji sîvanê mezintir be. DocType: Account,Account Number,Hejmara Hesabê @@ -4821,7 +4867,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Bêguman eger şirket SPA, SAPA û SRL ye" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Gelek mercên pêkanîna di navbera: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Paid û Not Delivered -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Kodê Pêwîst e ku ji hêla xweya xwe bixweber nabe DocType: GST HSN Code,HSN Code,Kodê HSN DocType: GSTR 3B Report,September,Îlon apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Mesrefên îdarî @@ -4857,6 +4902,8 @@ DocType: Travel Itinerary,Travel From,Travel From apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Account CWIP DocType: SMS Log,Sender Name,Navê Navekî DocType: Pricing Rule,Supplier Group,Suppliers Group +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Di encama {1} de di dema \ \ Dayan piştgirî {0} de Destpêk Destpêk û Dawî veke. DocType: Employee,Date of Issue,Dîroka Nîqaş ,Requested Items To Be Transferred,Tiştên Pêdivî kirin Ji bo Transferred DocType: Employee,Contract End Date,Peymana End Date @@ -4867,6 +4914,7 @@ DocType: Healthcare Service Unit,Vacant,Vala DocType: Opportunity,Sales Stage,Stage DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Dema ku hûn ji Biryara Firotinê biparêzin, gotinên di binçavkirinê de xuya bibin." DocType: Item Reorder,Re-order Level,Re-order +DocType: Shift Type,Enable Auto Attendance,Tevlêbûna Otomobîlan çalak bike apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Hezî ,Department Analytics,Analytics DocType: Crop,Scientific Name,Navê zanistî @@ -4879,6 +4927,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} statuya {2} DocType: Quiz Activity,Quiz Activity,Çalakiya Quiz apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} Di heyama Payrollê de ne ne DocType: Timesheet,Billed,Billed +apps/erpnext/erpnext/config/support.py,Issue Type.,Tîpa Nimûne. DocType: Restaurant Order Entry,Last Sales Invoice,Last Sales Invoice DocType: Payment Terms Template,Payment Terms,Şertên Payan apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Qty Reserved: Hêjeya ji bo firotanê ji bo firotanê, lê ne diyar kir." @@ -4973,6 +5022,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Asset apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} Schedule a Dozgehên Xizmetkariya Xizmetiyê tune. Di masterê Xizmetkariya Tenduristiyê de zêde bike DocType: Vehicle,Chassis No,Chassis No +DocType: Employee,Default Shift,Default Shift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Şirketek Nirxandin apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Dariya Bill Bill Material DocType: Article,LMS User,LMS Bikarhêner @@ -5021,6 +5071,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY- DocType: Sales Person,Parent Sales Person,Kesê Mirovan Parêzer DocType: Student Group Creation Tool,Get Courses,Bersiv bibin apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Divê Qty be 1, wekî ku materyalek xelet e. Ji kerema xwe ji bo qutiyek pirjimêr bikar bînin." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Karên saetan yên jêrîn ku Nerazî ne diyar kirin. (Zero to disable) DocType: Customer Group,Only leaf nodes are allowed in transaction,Tenê nîwanên tenê tenê di veguhestinê de ne DocType: Grant Application,Organization,Sazûman DocType: Fee Category,Fee Category,Category Category @@ -5033,6 +5084,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Ji kerema xwe ji bo çalakiya vê perwerdehiya xwe nû bike DocType: Volunteer,Morning,Sib DocType: Quotation Item,Quotation Item,Item Quotation +apps/erpnext/erpnext/config/support.py,Issue Priority.,Pêşniyara meseleyê DocType: Journal Entry,Credit Card Entry,Karta Krediyê apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Demjimêrk veşartî, slot {0} heta {1} serlêdana jêbirinê {2} ji {3}" DocType: Journal Entry Account,If Income or Expense,Heke dahat an lêçûn @@ -5083,11 +5135,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Import Import and Settings 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, wê paşê dê mişterî dê bixweber bi bernameya Loyalty re têkildar bibin (li ser parastinê)" DocType: Account,Expense Account,Hesabê mesrefê +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Dema ku berê veguherîna destpêka dema ku Karmendê Check-in tê dayîn ji bo beşdarî tête kirin. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Têkilî bi Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Vebijêrk çêbikin apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Request Payment already exists {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Karmendê li ser xilaskirina {0} divê divê 'Left' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Pay {0} {1} +DocType: Company,Sales Settings,Setups Sales DocType: Sales Order Item,Produced Quantity,Hêjeya hilberîn apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Daxwaza daxuyaniyê ji hêla girêdana jêrîn ve bitikînin DocType: Monthly Distribution,Name of the Monthly Distribution,Navbera belavkirina mehane @@ -5165,6 +5219,7 @@ DocType: Company,Default Values,Nirxên standard apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Saziyên bacê yên ji bo firotin û kirînê ji nû ve tên afirandin. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Vebijêrk {0} nikare bistînin apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Debît divê hesabê hesab be +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Dîroka Peymana Dîroka îro ji kêmtir be. apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Ji kerema xwe re li Hesabê Warehouse {0} an Hesabê Gerînendeya Navîn li Company Company {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Set as Default DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nerazîbûna vê pakêtê. (otomatîk wekî wek kûya neteweyî ya nirxandin) @@ -5191,8 +5246,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,R apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Piçikên Expired DocType: Shipping Rule,Shipping Rule Type,Rêwira Qanûna Rêwîtiyê DocType: Job Offer,Accepted,Qebûl kirin -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ji kerema xwe kerema xwe ya karmend {0} \ ji bo vê belgeyê betal bikin" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Hûn ji bo pîvanên nirxandina nirxên xwe ji berî nirxandin. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Nîşeyên Batch Hilbijêre apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Dîrok (Rojan) @@ -5219,6 +5272,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Domainên xwe hilbijêrin DocType: Agriculture Task,Task Name,Navê Task apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Dîroka Stock Entries ji bo karûbarê kar ji bo xebitandin +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ji kerema xwe kerema xwe ya karmend {0} \ ji bo vê belgeyê betal bikin" ,Amount to Deliver,Amûr to Deliver apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Şirket {0} nîne apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Naverokên Daxuyaniya Pîroz nehat dîtin ku ji bo peyda tiştên girêdanê. @@ -5268,6 +5323,7 @@ DocType: Program Enrollment,Enrolled courses,Kursên navnîşkirî DocType: Lab Prescription,Test Code,Kodê testê DocType: Purchase Taxes and Charges,On Previous Row Total,Li Row Row DocType: Student,Student Email Address,Navnîşana Şîfreya Xwendekarê +,Delayed Item Report,Şîrovekirina Ameyê DocType: Academic Term,Education,Zanyarî DocType: Supplier Quotation,Supplier Address,Address Address DocType: Salary Detail,Do not include in total,Bi tevahî nabe @@ -5275,7 +5331,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} tune DocType: Purchase Receipt Item,Rejected Quantity,Pîvana Rejected DocType: Cashier Closing,To TIme,To TIme -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktora UOM ({0} -> {1}) nehatiye dîtin: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Koma Giştî ya Koma Giştî ya Rojane DocType: Fiscal Year Company,Fiscal Year Company,Şirketa Fiscal Year apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Divê belgeya alternatîf divê wekî kodê kodê ne @@ -5327,6 +5382,7 @@ DocType: Program Fee,Program Fee,Fee Program DocType: Delivery Settings,Delay between Delivery Stops,Between Between Delivery Stops DocType: Stock Settings,Freeze Stocks Older Than [Days],Stock Stocks Freeze Than [Days] DocType: Promotional Scheme,Promotional Scheme Product Discount,Disc Disc Promotional Product Discount +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Pêşniyariya pêşî ya berê berê ye DocType: Account,Asset Received But Not Billed,Bêguman Received But Billed Not DocType: POS Closing Voucher,Total Collected Amount,Giştî Hatin Collected DocType: Course,Default Grading Scale,Default Grading Scale @@ -5368,6 +5424,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Şertên Fîlm apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Bi Group-Non-Group DocType: Student Guardian,Mother,Dê +DocType: Issue,Service Level Agreement Fulfilled,Peymaneka Rêjeya Xweyê DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Ji bo Xercên Karkerên Neheqdar yên Xercê Dravê DocType: Travel Request,Travel Funding,Fona Rêwîtiyê DocType: Shipping Rule,Fixed,Tişt @@ -5397,10 +5454,12 @@ DocType: Item,Warranty Period (in days),Wextê Şertê (rojan) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Ti tişt nehat dîtin. DocType: Item Attribute,From Range,Ji Range DocType: Clinical Procedure,Consumables,Consumables +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' û 'timestamp' pêwîst e. DocType: Purchase Taxes and Charges,Reference Row #,Row # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Ji kerema xwe 'Navenda Krediya Bexdayê' li Kompaniyê binivîse {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Daxistina pelê pêwîst e ku tevlihevkirina kravê bigirin DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Vebijêrk vê pêvekê hilbijêre da ku daneyên firotina firotanê ya ji M Amazon-MWS ve vekin. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Karên ku li Dalf Half Dayê tête nîşankirin (Zero to disable) ,Assessment Plan Status,Rewşa Nirxandina Rewşa Rewşa apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Ji kerema xwe ya yekem {0} hilbijêrin apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Vê şîfre bikin ku ji bo reklama karker biafirîne @@ -5471,6 +5530,7 @@ DocType: Quality Procedure,Parent Procedure,Prosesa Parent apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Vekirî veke apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Toggle Filters DocType: Production Plan,Material Request Detail,Pêdivî ye +DocType: Shift Type,Process Attendance After,Pêvajoya Pêvajoya Pêvajojê DocType: Material Request Item,Quantity and Warehouse,Gelek û Warehouse apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Herin bernameyan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: Di navnîşên têketinê de tête navnîşan {1} {2} @@ -5528,6 +5588,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Agahdariya Partiya apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debtors ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Dîrok nikare bêtir karmendek ji karmendê xwe bigire +DocType: Shift Type,Enable Exit Grace Period,Demjimêra Xweşînek Derkeve DocType: Expense Claim,Employees Email Id,Karmendên E-Mail DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Pirtûka nûjen ji Shopify ya ERPNext Bi bihayê bihîstinê DocType: Healthcare Settings,Default Medical Code Standard,Standard Code @@ -5557,7 +5618,6 @@ DocType: Item Group,Item Group Name,Navê Giştî DocType: Budget,Applicable on Material Request,Li ser daxwaznameya materyalê bicîh kirin DocType: Support Settings,Search APIs,APIs lêgerîn DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Percentage Overgduction For Sale Order -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Specifications DocType: Purchase Invoice,Supplied Items,Peyda kirin DocType: Leave Control Panel,Select Employees,Karker hilbijêre apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,Hemû tiştên ku ji ber vê yekê ji bo Karê Karker ve hatibû veguhestin. @@ -5582,7 +5642,7 @@ DocType: Salary Slip,Deductions,Deductions ,Supplier-Wise Sales Analytics,Supplier-Wise Sales Analytics DocType: GSTR 3B Report,February,Reşemî DocType: Appraisal,For Employee,Ji bo karmendê -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Dîroka Demkî ya Actual +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Dîroka Demkî ya Actual DocType: Sales Partner,Sales Partner Name,Navê Niştimanî Hevkariyê apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Rêjeya Bexdayê {0} DocType: GST HSN Code,Regional,Dorane @@ -5621,6 +5681,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Inv DocType: Supplier Scorecard,Supplier Scorecard,Supplier Scorecard DocType: Travel Itinerary,Travel To,Travel To apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Beşdariya Mark +DocType: Shift Type,Determine Check-in and Check-out,Di binçavkirinê de Check-in û Check-out DocType: POS Closing Voucher,Difference,Ferq apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Biçûk DocType: Work Order Item,Work Order Item,Karê Karê Kar @@ -5654,6 +5715,7 @@ DocType: Sales Invoice,Shipping Address Name,Navnîşana Navnîşanê Navnîşan apps/erpnext/erpnext/healthcare/setup.py,Drug,Tevazok apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} girtî ye DocType: Patient,Medical History,Dîroka Tenduristiyê +DocType: Expense Claim,Expense Taxes and Charges,Xercên Baca û Bargiran DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Hejmara rojan piştî roja bihayê vekişînê ji ber betalkirina betalkirinê an betalkirina betaleyê bête betal kirin apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Têgihîştinê Têkilî {0} hatibû şandin DocType: Patient Relation,Family,Malbat @@ -5686,7 +5748,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Qawet apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} yekîneyên {1} di hewceya {2} de hewceya vê veguhestinê tije bikin. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Raw Material of Deposit Based On -DocType: Bank Guarantee,Customer,Miştirî DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Heke çalak, zeviya Termê Akademîk dê di navmalê Bernameya Navneteweyî de Nerast be." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Ji bo Koma Koma Xwendekarê Bingeha Batch, Batchê ya Xwendekaran ji bo her xwendekar ji Bernameya Enrollmentê ve tê destnîşankirin." DocType: Course,Topics,Mijarek @@ -5764,6 +5825,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Endamên Beşê DocType: Warranty Claim,Service Address,Navnîşana Xizmet DocType: Journal Entry,Remark,Bingotin +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Kuştî ji bo navnîşan {4} di nav xaniyê {1} de naxwaze navnîşa navnîşan ({2} {3} DocType: Patient Encounter,Encounter Time,Demjimêr Dike DocType: Serial No,Invoice Details,Agahdariya Bexdayê apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Di heman demê de bêhtir hesabên di bin koman de têne çêkirin, lê navnîşan dikarin li dijî ne-Groups bêne çêkirin" @@ -5843,6 +5905,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","A apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Pevçûn DocType: Supplier Scorecard Criteria,Criteria Formula,Formula Formula apps/erpnext/erpnext/config/support.py,Support Analytics,Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Nasnameya Amûriyê ya Tevlêbûnê (ID-ê Biometric / RF-ê) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Dîtin û Çalakiyê DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ger hesabek zindî ye, lêgerîn bi bikarhênerên sînor têne qedexekirin." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Piştî paşveçûnê @@ -5864,6 +5927,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Deynkirina Lînansê DocType: Employee Education,Major/Optional Subjects,Babetên sereke / navendî DocType: Soil Texture,Silt,Silt +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Navnîşan Navnîşan û Têkilî DocType: Bank Guarantee,Bank Guarantee Type,Tîpa Qanûna Bankê DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Heke neheqê, qada tevahî 'field' dê di nav ti veguhestinê de xuya nakin" DocType: Pricing Rule,Min Amt,Min Amt @@ -5901,6 +5965,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Di veguhestina Înfiroşa Makseyê de vekin DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Têkiliyên POSê de +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Na karmend ji bo karûbarê xanî yê nirxê dît. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Gelek Gotin (Firotana Kredî) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage tije ye, ne rizgar kirin" DocType: Chapter Member,Chapter Member,Beşa Endamê @@ -5932,6 +5997,7 @@ DocType: Crop Cycle,List of diseases detected on the field. When selected it'll DocType: SMS Center,All Lead (Open),All Lead (Open) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Koma Komên No Student nehat afirandin. DocType: Employee,Salary Details,Daxuyaniyê +DocType: Employee Checkin,Exit Grace Period Consequence,Vebijdana Dawîn DocType: Bank Statement Transaction Invoice Item,Invoice,Biha DocType: Special Test Items,Particulars,Peyvên apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Ji kerema xwe re peldanka li ser naveroka an jî Warehouse hilbijêre @@ -6032,6 +6098,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Ji AMC DocType: Job Opening,"Job profile, qualifications required etc.","Profîla karûbar, karsaziyê pêwîst" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Ship To State +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Ma hûn dixwazin daxwaza materyalê bikin DocType: Opportunity Item,Basic Rate,Rêjeya bingehîn DocType: Compensatory Leave Request,Work End Date,Dîroka Karê Dawîn apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Serdana Rawêjiya Rawayî @@ -6212,6 +6279,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Ameya Dravê DocType: Sales Order Item,Gross Profit,Gross Profit DocType: Quality Inspection,Item Serial No,Serial No Item No DocType: Asset,Insurer,Sîgorteyê +DocType: Employee Checkin,OUT,DERVE apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Amînê Kirînê DocType: Asset Maintenance Task,Certificate Required,Sertîfîkaya pêwîst DocType: Retention Bonus,Retention Bonus,Bonus retain @@ -6327,6 +6395,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Gelek Bersivê DocType: Invoice Discounting,Sanctioned,Pejirandin DocType: Course Enrollment,Course Enrollment,Bernameya enrollment DocType: Item,Supplier Items,Supplier Items +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Destpêk Destpêk Ji hêla dawîn \ ji {0} ve bêtir an jî wekhev be. DocType: Sales Order,Not Applicable,Rêveber DocType: Support Search Source,Response Options,Options Options apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,Divê {0} nirxek di navbera 0 û 100 de @@ -6413,7 +6483,6 @@ DocType: Travel Request,Costing,Bikin apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Alîkarî DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Tiştê Tevahî -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Giştî> Giştî ya Giştî> Herêmî DocType: Share Balance,From No,Ji Na DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Alîkariya Bacêkirinê DocType: Purchase Invoice,Taxes and Charges Added,Tax û Dezgehên Têkilî @@ -6521,6 +6590,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Rule Pricing Binirxînin apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Xûrek DocType: Lost Reason Detail,Lost Reason Detail,Reason Detailed +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Hejmarên serialê hatine afirandin:
{0} DocType: Maintenance Visit,Customer Feedback,Feedback Feedback DocType: Serial No,Warranty / AMC Details,Agahdariya / AMC Agahdariyê DocType: Issue,Opening Time,Dema vekirî @@ -6569,6 +6639,7 @@ DocType: Payment Request,Transaction Details,Guherandinên Agahdariyê DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock available in this warehouse.",Li ser vê barehouse li "Li Stock" an "Hîn In Stock" ye. apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Navekî şirket nayê apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Berhemên Pêşveçûnê Berî beriya Pêşveçûn Dîrok nikare nabe +DocType: Employee Checkin,Employee Checkin,Karmendê Checkin apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Dîroka destpêkê divê ji dawiya dawîn ji bo Mijarek {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Bersivên bargiraniyê çêbikin DocType: Buying Settings,Buying Settings,Mîhengên kirînê @@ -6590,6 +6661,7 @@ DocType: Job Card Time Log,Job Card Time Log,Navnîşa Karê Karta Karê DocType: Patient,Patient Demographics,Demografiya Nexweş DocType: Share Transfer,To Folio No,To Folio No apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Flêwaya Kredê ji Operasyonê +DocType: Employee Checkin,Log Type,Tîpa Logê DocType: Stock Settings,Allow Negative Stock,Destûra Negative Bikin apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Ne tu tiştek guhertin an jî hejmar an jî nirxê xwe tune. DocType: Asset,Purchase Date,Dîroka kirînê @@ -6632,6 +6704,7 @@ DocType: Homepage Section,Section Based On,Li ser bingeha Bendê DocType: Vital Signs,Very Hyper,Gelek Hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Xwezayî ya xwezayî hilbijêre. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Ji kerema xwe meha û salê hilbijêrin +DocType: Service Level,Default Priority,Default Priority DocType: Student Log,Student Log,Xwendekarên Xwendekar DocType: Shopping Cart Settings,Enable Checkout,Enable Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Çavkaniyên Mirovan @@ -6660,7 +6733,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Têkilî bi ERPNext Connect Shopify DocType: Homepage Section Card,Subtitle,Binnivîs DocType: Soil Texture,Loam,Loam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Supplier> Supplier Type DocType: BOM,Scrap Material Cost(Company Currency),Scrap Material Cost (Company Company) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Têkiliya şandina {0} divê nayê pêşkêş kirin DocType: Task,Actual Start Date (via Time Sheet),Dîroka Destpêka Destpêkê (bi rêya Şertê ve) @@ -6715,6 +6787,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Pîvanîk DocType: Cheque Print Template,Starting position from top edge,Desteya avakirina ji binê çermê apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Demjimardana Demjimêr (min) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Ev karmend ji berî heman timestamp heye. {0} DocType: Accounting Dimension,Disable,Disable DocType: Email Digest,Purchase Orders to Receive,Navnîşan kirîna Kirîna Kirînê apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Productions Orders ji bo ku bêne avakirin ne: @@ -6730,7 +6803,6 @@ DocType: Production Plan,Material Requests,Pêdivî ye DocType: Buying Settings,Material Transferred for Subcontract,Mînak ji bo veguhestinê veguhastin DocType: Job Card,Timing Detail,Dîroka Demjimêr apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Pêdivî ye -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Import {0} ji {1} DocType: Job Offer Term,Job Offer Term,Karê Xwendina Kar DocType: SMS Center,All Contact,All Contact DocType: Project Task,Project Task,Task Project @@ -6781,7 +6853,6 @@ DocType: Student Log,Academic,Danişgayî apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Item {0} ji bo Serial Nos saz nake apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Ji Dewletê DocType: Leave Type,Maximum Continuous Days Applicable,Rojên Xwerû Dema Rojane Têkilî -apps/erpnext/erpnext/config/support.py,Support Team.,Tîma piştevanîya apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Ji kerema xwe re navê yekem şirket bike apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Import Successful DocType: Guardian,Alternate Number,Hejmarên Alternatîf @@ -6871,6 +6942,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Row # {0}: Tiştek zêdekirin DocType: Student Admission,Eligibility and Details,Nirx û Agahdariyê DocType: Staffing Plan,Staffing Plan Detail,Pîlana Karanîna Determî +DocType: Shift Type,Late Entry Grace Period,Wextê Gracea Dawiyê DocType: Email Digest,Annual Income,Hatina salane DocType: Journal Entry,Subscription Section,Beşê Beşê DocType: Salary Slip,Payment Days,Rojên Payan @@ -6921,6 +6993,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Balance Account DocType: Asset Maintenance Log,Periodicity,Demjimêr apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Radyoya Tenduristiyê +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Tîpa têketinê pêwist e ku ji bo kontrola kontrola kontrol-insê ye: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Birêverbirî DocType: Item,Valuation Method,Vebijandin apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} Li dijî Barkirina firotanê {1} @@ -7005,6 +7078,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Bersaziya Bersîv DocType: Loan Type,Loan Name,Navê Lînanê apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Modela default default of payment set DocType: Quality Goal,Revision,Nûxwestin +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Dema ku berê veguherandina dawiya dema ku kontrola pêşî (di çend deqîqan) tê tête têne tête kirin. DocType: Healthcare Service Unit,Service Unit Type,Yekîneya Xizmetiyê DocType: Purchase Invoice,Return Against Purchase Invoice,Li Beriya Bûxandina Bersivê Vegere apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Secret secret @@ -7160,12 +7234,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Cosmetics DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Heke hûn bixwazin bikarhêner bikar bînin ku hûn bikarhênerek rêzikek berî hilbijêre hêz bikin. Heke hûn kontrol bikin, dê nayê çêkirin." DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Bikarhênerên ku ev rola destûr dide ku ji hesabên vekirî saz bikin û çêkirina hesabên hesabê li dijî hesabên jîn têne çêkirin +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kodê Asayîş> Tîpa Group> Brand DocType: Expense Claim,Total Claimed Amount,Giştî Hatina Gelek apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Ne ku li rojên {0} ji bo operasyonê {1} Dema Demê Slot bibînin. apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Wrapping up apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Hûn dikarin tenê nûve bikin eger endametiya we di nav 30 rojan de derbas dibe apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Nirx divê di navbera {0} û {1} de DocType: Quality Feedback,Parameters,Parameters +DocType: Shift Type,Auto Attendance Settings,Sîstema Tevlêbûna Otomobîlê ,Sales Partner Transaction Summary,Hevpeyivîna Hevpeymaniya Hevpeymaniyê DocType: Asset Maintenance,Maintenance Manager Name,Navê Mersûmê Navend apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Pêdivî ye ku ji bo agahdariya tiştên tomar bike. @@ -7255,10 +7331,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Rule Applied Approved DocType: Job Card Item,Job Card Item,Item Card DocType: Homepage,Company Tagline for website homepage,Ji bo malpera malperê ya Tagline Company +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Sermaseya Destnîşan û Biryara ji bo pêşîn {0} li ser index {1} veke. DocType: Company,Round Off Cost Center,Navenda Kontrolê ya Çolê DocType: Supplier Scorecard Criteria,Criteria Weight,Nirxên giran DocType: Asset,Depreciation Schedules,Schedule -DocType: Expense Claim Detail,Claim Amount,Amadekariyê DocType: Subscription,Discounts,Disc Discounts DocType: Shipping Rule,Shipping Rule Conditions,Rewşa Qanûna Rêwîtiyê DocType: Subscription,Cancelation Date,Dîroka Cancelkirinê @@ -7286,7 +7362,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Create Leads apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Nirxên sifir nîşan bidin DocType: Employee Onboarding,Employee Onboarding,Karker Onboarding DocType: POS Closing Voucher,Period End Date,Dîroka Dawîn Dîrok -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Opportunities ji hêla Çavkaniyê ve DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Pêveka pêşîn ya pêşîn di lîsteyê dê wekî veberhênana dermana pêşniyazkirî be. DocType: POS Settings,POS Settings,POS Settings apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Hemû hesab @@ -7306,7 +7381,6 @@ apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Repor apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Dezgeha Banka DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-YYYY- DocType: Healthcare Settings,Healthcare Service Items,Xizmetên tendurustî yên tenduristî -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,No records found apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Aging Range 3 DocType: Vital Signs,Blood Pressure,Pressure Pressure 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 At @@ -7351,6 +7425,7 @@ DocType: Company,Existing Company,Kompaniya heyî ya apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Çep apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Parastinî DocType: Item,Has Batch No,Batch No No +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Rojên Dereng DocType: Lead,Person Name,Navê Nasnav DocType: Item Variant,Item Variant,Variant Vîdeo DocType: Training Event Employee,Invited,Invited @@ -7370,7 +7445,7 @@ DocType: Inpatient Record,O Negative,O Negative DocType: Purchase Order,To Receive and Bill,Ji bo Receive û Bill DocType: POS Profile,Only show Customer of these Customer Groups,Tenê tenê Gelek Gelek Giştî ya Giştî apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Hilbijêrin hilbijêrin ku ji berevaniya tomar bikî -DocType: Service Level,Resolution Time,Dema Biryara Hilbijartinê +DocType: Service Level Priority,Resolution Time,Dema Biryara Hilbijartinê DocType: Grading Scale Interval,Grade Description,Dîroka Gêjeya DocType: Homepage Section,Cards,Karta DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kuştinên Kuştinê @@ -7397,6 +7472,7 @@ DocType: Project,Gross Margin %,Tevahiya Margin% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Li gorî Lîgerê Giştî ya Danûstandinê Bank apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Tenduristiyê (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Navnîşana Warehouse ya ku ji bo çêkirina Peymana Rêwirmend û Kirînê ya Firotinê çêbikin +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Dema bersiva bersiva {0} li ser index {1} ji hêla Biryara Resolutionê ve mezintir be. DocType: Opportunity,Customer / Lead Name,Navnîşan / Lead Navê DocType: Student,EDU-STU-.YYYY.-,EDU-STU-YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Heqê nenaskirî diff --git a/erpnext/translations/lo.csv b/erpnext/translations/lo.csv index 38634dd7c4..97365786d0 100644 --- a/erpnext/translations/lo.csv +++ b/erpnext/translations/lo.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,ວັນເລີ່ມຕົ້ນໄ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,ໃບສະເຫນີ {0} ແລະໃບແຈ້ງຍອດຂາຍ {1} ຖືກຍົກເລີກ DocType: Purchase Receipt,Vehicle Number,ຫມາຍເລກຍານພາຫະນະ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,ທີ່ຢູ່ອີເມວຂອງເຈົ້າ... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,ປ້ອນລາຍະການປື້ມຄູ່ມືມາດຕະຖານ +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,ປ້ອນລາຍະການປື້ມຄູ່ມືມາດຕະຖານ DocType: Activity Cost,Activity Type,ປະເພດກິດຈະກໍາ DocType: Purchase Invoice,Get Advances Paid,Get Advances Paid DocType: Company,Gain/Loss Account on Asset Disposal,ບັນຊີການສູນເສຍ / ສູນເສຍໃນການກໍາຈັດຊັບສິນ @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,ມັນເຮ DocType: Bank Reconciliation,Payment Entries,ລາຍການການຈ່າຍເງິນ DocType: Employee Education,Class / Percentage,Class / Percentage ,Electronic Invoice Register,Electronic Invoice Register +DocType: Shift Type,The number of occurrence after which the consequence is executed.,ຈໍານວນຂອງການເກີດຂຶ້ນຫຼັງຈາກທີ່ຜົນໄດ້ຮັບຖືກປະຕິບັດ. DocType: Sales Invoice,Is Return (Credit Note),ແມ່ນການກັບຄືນ (ຫມາຍເຫດການປ່ອຍສິນເຊື່ອ) +DocType: Price List,Price Not UOM Dependent,Price Not UOM Dependent DocType: Lab Test Sample,Lab Test Sample,Lab Test Sample DocType: Shopify Settings,status html,html ສະຖານະພາບ DocType: Fiscal Year,"For e.g. 2012, 2012-13","ສໍາລັບຕົວຢ່າງ 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,ຄົ້ນຫ DocType: Salary Slip,Net Pay,Net Pay apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Total Invoiced Amt DocType: Clinical Procedure,Consumables Invoice Separately,ບັນຊີເງິນຝາກປະຢັດແຍກຕ່າງຫາກ +DocType: Shift Type,Working Hours Threshold for Absent,ການເຮັດວຽກຊົ່ວໂມງສໍາລັບການຂາດ DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-YY-MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},ບໍ່ສາມາດກໍານົດງົບປະມານຕໍ່ບັນຊີກຸ່ມ {0} DocType: Purchase Receipt Item,Rate and Amount,ອັດຕາແລະຈໍານວນ @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,ຕັ້ງຄ່າ Warehouse ແ DocType: Healthcare Settings,Out Patient Settings,Out Patient Settings DocType: Asset,Insurance End Date,ວັນສິ້ນສຸດການປະກັນໄພ DocType: Bank Account,Branch Code,ລະຫັດສາຂາ -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,ເວລາທີ່ຈະຕອບສະຫນອງ apps/erpnext/erpnext/public/js/conf.js,User Forum,User Forum DocType: Landed Cost Item,Landed Cost Item,ລາຄາທີ່ດິນທີ່ມີລາຍໄດ້ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,ຜູ້ຂາຍແລະຜູ້ຊື້ບໍ່ສາມາດດຽວກັນ @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,ຜູ້ນໍາຫນ້າ DocType: Share Transfer,Transfer,ການໂອນເງິນ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Search Item (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} ຜົນໄດ້ຮັບສົ່ງ +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,ຈາກວັນທີບໍ່ສາມາດຈະສູງກວ່າວັນທີ DocType: Supplier,Supplier of Goods or Services.,ຜູ້ໃຫ້ບໍລິການສິນຄ້າຫຼືບໍລິການ. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,ຊື່ບັນຊີໃຫມ່. ຫມາຍເຫດ: ກະລຸນາຢ່າສ້າງບັນຊີສໍາລັບລູກຄ້າແລະຜູ້ໃຫ້ບໍລິການ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,ກຸ່ມນັກຮຽນຫຼືກໍານົດເວລາແນ່ນອນແມ່ນຈໍາເປັນ @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,ຖານຂ DocType: Skill,Skill Name,ຊື່ສີມືແຮງງານ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Print Report Card DocType: Soil Texture,Ternary Plot,Ternary Plot -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ສະຫນັບສະຫນູນປີ້ DocType: Asset Category Account,Fixed Asset Account,Fixed Asset Account apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,ຫຼ້າສຸດ @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Distance UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,ຂໍ້ບັງຄັບສໍາລັບໃບດຸ່ນດ່ຽງ DocType: Payment Entry,Total Allocated Amount,ຈໍານວນເງິນທີ່ຖືກມອບຫມາຍ DocType: Sales Invoice,Get Advances Received,Get Advances Received +DocType: Shift Type,Last Sync of Checkin,ສຸດທ້າຍ Sync ຂອງ Checkin DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,ຈໍານວນເງິນພາສີປະກອບມີໃນມູນຄ່າ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,ແຜນການຈອງ DocType: Student,Blood Group,ກຸ່ມເລືອດ apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Crop,Crop Spacing UOM,ການລວບລວມພື້ນທີ່ UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,ເວລາຫຼັງຈາກເວລາເລີ່ມຕົ້ນທີ່ປ່ຽນເວລາໃນເວລາເຊັກອິນແມ່ນຖືວ່າເປັນເວລາຊັກຊ້າ (ໃນນາທີ). apps/erpnext/erpnext/templates/pages/home.html,Explore,ການສໍາຫຼວດ +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,ບໍ່ມີໃບເກັບເງິນທີ່ຍັງເຫຼືອ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} ຫວ່າງແລະ {1} ງົບປະມານສໍາລັບ {2} ແລ້ວໄດ້ວາງແຜນໄວ້ສໍາລັບບໍລິສັດຍ່ອຍຂອງ {3}. \ ທ່ານພຽງແຕ່ສາມາດວາງແຜນໄວ້ສໍາລັບ {4} ຫວ່າງງານແລະງົບປະມານ {5} ຕໍ່ແຜນທຸລະກິດ {6} ສໍາລັບບໍລິສັດແມ່ {3}. DocType: Promotional Scheme,Product Discount Slabs,Product Sheets @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,ການເຂົ້າຮ່ວມກ DocType: Item,Moving Average,Moving Average DocType: Employee Attendance Tool,Unmarked Attendance,ການເຂົ້າຮ່ວມທີ່ບໍ່ໄດ້ຫມາຍຄວາມວ່າ DocType: Homepage Section,Number of Columns,ຈໍານວນຄໍລໍາ +DocType: Issue Priority,Issue Priority,ລໍາດັບຄວາມສໍາຄັນ DocType: Holiday List,Add Weekly Holidays,ເພີ່ມວັນຢຸດຕໍ່ອາທິດ DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,ສ້າງລາຍຈ່າຍເງິນເດືອນ @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,ມູນຄ່າ / ລາຍລະ DocType: Warranty Claim,Issue Date,Issue Date 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 for Item {0}. ບໍ່ສາມາດຊອກຫາຊຸດດຽວທີ່ປະຕິບັດຕາມຂໍ້ກໍານົດນີ້ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,ບໍ່ສາມາດສ້າງເງິນບໍານານເກັບຮັກສາໄວ້ສໍາລັບພະນັກງານຊ້າຍ +DocType: Employee Checkin,Location / Device ID,ທີ່ຕັ້ງ / ອຸປະກອນ ID DocType: Purchase Order,To Receive,ການໄດ້ຮັບ apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,ທ່ານຢູ່ໃນຮູບແບບອອບໄລນ໌. ທ່ານຈະບໍ່ສາມາດໂຫຼດຄືນໄດ້ຈົນກວ່າທ່ານຈະມີເຄືອຂ່າຍ. DocType: Course Activity,Enrollment,ການລົງທະບຽນ @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},ສູງສຸດ: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ຂໍ້ມູນ E -Invoicing ຫາຍໄປ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,ບໍ່ມີການຂໍອຸປະກອນການສ້າງ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມສິນຄ້າ> ຍີ່ຫໍ້ DocType: Loan,Total Amount Paid,ຈໍານວນເງິນທີ່ຈ່າຍ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,ລາຍການທັງຫມົດເຫຼົ່ານີ້ໄດ້ຖືກມອບໃຫ້ແລ້ວ DocType: Training Event,Trainer Name,ຊື່ຄູຝຶກ @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},ກະລຸນາລະບຸຊື່ທີ່ນໍາມານໍາໃນ {0} DocType: Employee,You can enter any date manually,ທ່ານສາມາດປ້ອນວັນທີດ້ວຍຕົນເອງ DocType: Stock Reconciliation Item,Stock Reconciliation Item,Item Reconciliation Item +DocType: Shift Type,Early Exit Consequence,Early Exit Consequence DocType: Item Group,General Settings,ການຕັ້ງຄ່າທົ່ວໄປ apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,ວັນຄົບກໍານົດບໍ່ສາມາດເປັນໄປໄດ້ກ່ອນ Posting / Supplier Invoice Date apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,ກະລຸນາໃສ່ຊື່ຂອງ Beneficiary ກ່ອນສົ່ງຄໍາສັ່ງ. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,ຜູ້ສອບບັນຊີ apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,ການຍືນຍັນການຈ່າຍເງິນ ,Available Stock for Packing Items,ຫຼັກຊັບທີ່ມີຢູ່ສໍາລັບບັນຈຸສິນຄ້າ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},ກະລຸນາເອົາໃບແຈ້ງຫນີ້ {0} ນີ້ອອກຈາກ C-Form {1} +DocType: Shift Type,Every Valid Check-in and Check-out,ທຸກໆເຊັກອິນແລະເຊັກເອົາ DocType: Support Search Source,Query Route String,Query Route String DocType: Customer Feedback Template,Customer Feedback Template,Customer Feedback Template apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,ຄໍາຊີ້ແຈງໃຫ້ຜູ້ນໍາຫຼືລູກຄ້າ. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,ການຄວບຄຸມການອະນຸຍາດ ,Daily Work Summary Replies,ຕອບຫຼ້າສຸດ apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},ທ່ານໄດ້ຖືກເຊື້ອເຊີນໃຫ້ຮ່ວມມືໃນໂຄງການນີ້: {0} +DocType: Issue,Response By Variance,ການຕອບສະຫນອງໂດຍ Variance DocType: Item,Sales Details,ລາຍະລະອຽດການຂາຍ apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,ຫົວຈົດຫມາຍສໍາລັບແມ່ພິມພິມ. DocType: Salary Detail,Tax on additional salary,ພາສີກ່ຽວກັບເງິນເດືອນເພີ່ມເຕີມ @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,ທີ່ DocType: Project,Task Progress,Task Progress DocType: Journal Entry,Opening Entry,Opening Entry DocType: Bank Guarantee,Charges Incurred,Charges Incurred +DocType: Shift Type,Working Hours Calculation Based On,ການຄິດໄລ່ຊົ່ວໂມງເຮັດວຽກອີງໃສ່ DocType: Work Order,Material Transferred for Manufacturing,ວັດສະດຸທີ່ຖືກໂອນສໍາລັບການຜະລິດ DocType: Products Settings,Hide Variants,Hide Variants DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ການປິດການຈັດວາງແຜນການແລະການຕິດຕາມເວລາ @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,ການເສື່ອມຄຸນຄ່າ DocType: Guardian,Interests,ຄວາມສົນໃຈ DocType: Purchase Receipt Item Supplied,Consumed Qty,Qty ນໍາໃຊ້ DocType: Education Settings,Education Manager,Education Manager +DocType: Employee Checkin,Shift Actual Start,Shift Actual Start DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,ວາງຕາຕະລາງເວລາທີ່ຢູ່ນອກເວລາເຮັດວຽກຂອງ Workstation. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},ຜະລິດແນນຄວາມສັດຊື່: {0} DocType: Healthcare Settings,Registration Message,ຂໍ້ຄວາມລົງທະບຽນ @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,ໃບເກັບເງິນທີ່ສ້າງແລ້ວສໍາລັບຊົ່ວໂມງເອີ້ນເກັບເງິນທັງຫມົດ DocType: Sales Partner,Contact Desc,Contact Desc DocType: Purchase Invoice,Pricing Rules,ລາຄາກໍານົດ +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","ຍ້ອນວ່າມີການໂອນເງິນທີ່ມີຢູ່ແລ້ວກັບ {0}, ທ່ານບໍ່ສາມາດປ່ຽນຄ່າຂອງ {1}" DocType: Hub Tracked Item,Image List,ລາຍະການຮູບພາບ DocType: Item Variant Settings,Allow Rename Attribute Value,ອະນຸຍາດໃຫ້ປ່ຽນຊື່ຄ່າຄຸນລັກສະນະ -DocType: Price List,Price Not UOM Dependant,Price Not UOM Dependent apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),ເວລາ (ໃນນາທີ) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,ພື້ນຖານ DocType: Loan,Interest Income Account,ບັນຊີລາຍຮັບດອກເບ້ຍ @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,ປະເພດການຈ້າງງານ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,ເລືອກລາຍຊື່ POS DocType: Support Settings,Get Latest Query,Get Query ຫຼ້າສຸດ DocType: Employee Incentive,Employee Incentive,ແຮງຈູງໃຈ +DocType: Service Level,Priorities,ຄວາມສໍາຄັນ apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,ເພີ່ມບັດຫຼືສ່ວນບຸກຄົນໃນຫນ້າເວັບທໍາອິດ DocType: Homepage,Hero Section Based On,Hero Section Based On DocType: Project,Total Purchase Cost (via Purchase Invoice),ຄ່າໃຊ້ຈ່າຍໃນການຊື້ທັງຫມົດ (ຜ່ານການຊື້ໃບເກັບເງິນ) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,ຜະລິດຕ້ DocType: Blanket Order Item,Ordered Quantity,ຈໍານວນສັ່ງຊື້ apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ແຖວ # {0}: ຂໍ້ມູນສາງທີ່ຖືກປະຕິເສດແມ່ນບັງຄັບໃຊ້ຕໍ່ກັບລາຍການທີ່ຖືກປະຕິເສດ {1} ,Received Items To Be Billed,ບັນດາລາຍການທີ່ໄດ້ມາເພື່ອຈະຖືກເອີ້ນເກັບເງິນ -DocType: Salary Slip Timesheet,Working Hours,ຊົ່ວໂມງເຮັດວຽກ +DocType: Attendance,Working Hours,ຊົ່ວໂມງເຮັດວຽກ apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,ໂຫມດການຊໍາລະເງິນ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,ລາຍການຄໍາສັ່ງຊື້ບໍ່ໄດ້ຮັບໃນເວລາ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,ໄລຍະເວລາໃນວັນ @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,ຂໍ້ມູນກົດລະບຽບແລະຂໍ້ມູນທົ່ວໄປກ່ຽວກັບຜູ້ຜະລິດຂອງທ່ານ DocType: Item Default,Default Selling Cost Center,ສູນຕົ້ນທຶນຂາຍແບບເດີມ DocType: Sales Partner,Address & Contacts,ທີ່ຢູ່ & ການຕິດຕໍ່ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕັ້ງຄ່າຊຸດຈໍານວນສໍາລັບການເຂົ້າຮ່ວມໂດຍຜ່ານ Setup> ເລກລໍາດັບ DocType: Subscriber,Subscriber,Subscriber apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ແບບຟອມ / ລາຍການ / {0}) ແມ່ນອອກຫຼັກຊັບ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,ກະລຸນາເລືອກວັນທີ່ລົງໂຄສະນາກ່ອນ @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,% Complete Method DocType: Detected Disease,Tasks Created,Tasks Created apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) ຕ້ອງໃຊ້ສໍາລັບລາຍການນີ້ຫຼືແບບຂອງມັນ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,ຄະນະກໍາມະການອັດຕາ% -DocType: Service Level,Response Time,ເວລາຕອບສະຫນອງ +DocType: Service Level Priority,Response Time,ເວລາຕອບສະຫນອງ DocType: Woocommerce Settings,Woocommerce Settings,ການຕັ້ງຄ່າ Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,ຈໍານວນຕ້ອງເປັນບວກ DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,ຄ່າທໍານຽ DocType: Bank Statement Settings,Transaction Data Mapping,Transaction Data Mapping apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,ຜູ້ນໍາຕ້ອງຮຽກຮ້ອງຊື່ຂອງບຸກຄົນຫຼືຊື່ຂອງອົງການ DocType: Student,Guardians,ຜູ້ປົກຄອງ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ກະລຸນາຕັ້ງຊື່ລະບົບການໃຫ້ຄໍາແນະນໍາໃນການສຶກສາ> ການສຶກສາການສຶກສາ apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ເລືອກຍີ່ຫໍ້ ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,ລາຍໄດ້ກາງ DocType: Shipping Rule,Calculate Based On,ຄິດໄລ່ອີງໃສ່ @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ຕັ້ງຄ່ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},ບັນທຶກການເຂົ້າຮ່ວມ {0} ມີຕໍ່ Student {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Date of Transaction apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,ຍົກເລີກການຈອງ +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,ບໍ່ສາມາດຕັ້ງສັນຍາລະດັບການບໍລິການ {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,ເງິນເດືອນສຸດທິ DocType: Account,Liability,ຄວາມຮັບຜິດຊອບ DocType: Employee,Bank A/C No.,Bank A / C No @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Raw Material Item Code apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,ຊື້ໃບແຈ້ງຫນີ້ {0} ແລ້ວ DocType: Fees,Student Email,Email ນັກຮຽນ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},ການເອີ້ນຄືນຄະດີ: {0} ບໍ່ສາມາດເປັນພໍ່ແມ່ຫລືເດັກຂອງ {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ເອົາລາຍການຈາກບໍລິການສຸຂະພາບ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,ບໍ່ມີການສົ່ງເອກະສານເຂົ້າ {0} DocType: Item Attribute Value,Item Attribute Value,Item Attribute Value @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,ອະນຸຍາດໃຫ້ພິ DocType: Production Plan,Select Items to Manufacture,ເລືອກລາຍການເພື່ອຜະລິດ DocType: Leave Application,Leave Approver Name,ອອກຊື່ຊື່ຜູ້ພິພາກສາ DocType: Shareholder,Shareholder,ຜູ້ຖືຫຸ້ນ -DocType: Issue,Agreement Status,ສະຖານະສັນຍາ apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,ການຕັ້ງຄ່າເລີ່ມຕົ້ນສໍາລັບການຂາຍຂາຍ. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,ກະລຸນາເລືອກການເຂົ້າຮຽນຂອງນັກຮຽນເຊິ່ງບັງຄັບໃຫ້ນັກຮຽນທີ່ໄດ້ຮັບຄ່າຈ້າງ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,ເລືອກ BOM @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,ບັນຊີລາຍຮັບ apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,ທຸກຄັງສິນຄ້າ DocType: Contract,Signee Details,Signee Details +DocType: Shift Type,Allow check-out after shift end time (in minutes),ອະນຸຍາດໃຫ້ອອກເດີນທາງຫຼັງຈາກເວລາສິ້ນສຸດລົງ (ໃນນາທີ) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,ການຈັດຊື້ DocType: Item Group,Check this if you want to show in website,ກວດເບິ່ງນີ້ຖ້າທ່ານຕ້ອງການສະແດງໃນເວັບໄຊທ໌ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ປີງົບປະມານ {0} ບໍ່ພົບ @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,ວັນເລີ່ມຕ DocType: Activity Cost,Billing Rate,ອັດຕາດອກເບ້ຍ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},ຄໍາເຕືອນ: ມີ {0} # {1} ອີກຕໍ່ໄປຕໍ່ກັບການເຂົ້າຮຸ້ນ {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,ກະລຸນາເປີດໃຊ້ Google Maps Settings ເພື່ອປະເມີນແລະ optimize ເສັ້ນທາງ +DocType: Purchase Invoice Item,Page Break,Page Break DocType: Supplier Scorecard Criteria,Max Score,Max Score apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,ວັນທີເລີ່ມຕົ້ນການຊໍາລະເງິນບໍ່ສາມາດເປັນວັນທີທີ່ໄດ້ຮັບເງິນປັນຜົນ. DocType: Support Search Source,Support Search Source,ສະຫນັບສະຫນູນຄົ້ນຫາແຫຼ່ງຂໍ້ມູນ @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Quality Goal Objective DocType: Employee Transfer,Employee Transfer,ການໂອນເງິນພະນັກງານ ,Sales Funnel,Funnel ຂາຍ DocType: Agriculture Analysis Criteria,Water Analysis,ການວິເຄາະນ້ໍາ +DocType: Shift Type,Begin check-in before shift start time (in minutes),ເລີ່ມຕົ້ນກວດສອບກ່ອນເວລາເລີ່ມຕົ້ນຂອງການປ່ຽນເວລາ (ໃນນາທີ) DocType: Accounts Settings,Accounts Frozen Upto,Accounts Frozen Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,ບໍ່ມີຫຍັງທີ່ຈະແກ້ໄຂ. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","ການເຮັດວຽກ {0} ຍາວກວ່າເວລາເຮັດວຽກທີ່ມີຢູ່ໃນສະຖານທີ່ເຮັດວຽກ {1}, ເຮັດໃຫ້ລະບົບປະຕິບັດງານແຕກຕ່າງກັນ" @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,ບ apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},ຄໍາສັ່ງຂາຍ {0} ແມ່ນ {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ຊັກຊ້າໃນການຊໍາລະເງິນ (ວັນ) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,ກະລຸນາໃສ່ລາຍະລະຄ່າເສື່ອມລາຄາ +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Customer PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,ວັນສົ່ງມອບຕ້ອງແມ່ນຫຼັງຈາກວັນທີ່ສັ່ງຊື້ +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,ຈໍານວນຂອງສິນຄ້າບໍ່ສາມາດເປັນສູນ apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Invalid Attribute apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},ກະລຸນາເລືອກ BOM ຕໍ່ກັບລາຍການ {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,ປະເພດໃບເກັບເງິນ @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,ວັນທີ່ການບໍາ DocType: Volunteer,Afternoon,ຕອນບ່າຍ DocType: Vital Signs,Nutrition Values,Nutrition Values DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),ການມີອາການໄຂ້ (ຄວາມຮ້ອນ> 385 ° C / 1013 ° F ຫຼືຄວາມຊ້າ> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕັ້ງລະບົບການຕັ້ງຊື່ຂອງພະນັກງານໃນຊັບພະຍາກອນມະນຸດ> HR Settings apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Reversed DocType: Project,Collect Progress,ເກັບກໍາຄວາມກ້າວຫນ້າ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,ພະລັງງານ @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,Setup Progress ,Ordered Items To Be Billed,ລາຍການສັ່ງຊື້ທີ່ຈະຖືກເອີ້ນເກັບເງິນ DocType: Taxable Salary Slab,To Amount,ເພື່ອຈໍານວນເງິນ DocType: Purchase Invoice,Is Return (Debit Note),ແມ່ນການກັບຄືນ (ຫມາຍເຫດການປ່ອຍສິນເຊື່ອ) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ລູກຄ້າ> ກຸ່ມລູກຄ້າ> ອານາເຂດ apps/erpnext/erpnext/config/desktop.py,Getting Started,ການເລີ່ມຕົ້ນ apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,ປ້ອນຂໍ້ມູນ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,ບໍ່ສາມາດປ່ຽນແປງວັນທີເລີ່ມຕົ້ນຂອງປີງົບປະມານແລະວັນສິ້ນສຸດປີງົບປະມານເມື່ອປີງົບປະມານໄດ້ຖືກບັນທຶກໄວ້. @@ -2216,8 +2232,10 @@ DocType: Maintenance Schedule Detail,Actual Date,ວັນທີທີ່ຈິ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},ວັນເລີ່ມຕົ້ນການບໍາລຸງຮັກສາບໍ່ສາມາດເປັນວັນສົ່ງມອບສໍາລັບ Serial No {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,ແຖວ {0}: ອັດຕາແລກປ່ຽນແມ່ນຈໍາເປັນ DocType: Purchase Invoice,Select Supplier Address,ເລືອກທີ່ຢູ່ຂອງຜູ້ສະຫນອງ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","ປະລິມານທີ່ມີຢູ່ແມ່ນ {0}, ທ່ານຕ້ອງການ {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,ກະລຸນາໃສ່ລະຫັດລັບ Consumer Secret DocType: Program Enrollment Fee,Program Enrollment Fee,ຄ່າທໍານຽມການເຂົ້າຮຽນຂອງໂຄງການ +DocType: Employee Checkin,Shift Actual End,Shift Actual End DocType: Serial No,Warranty Expiry Date,ວັນທີການຍືນຍັນການຮັບປະກັນ DocType: Hotel Room Pricing,Hotel Room Pricing,Hotel Room Pricing apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","ອຸປະກອນການຈ່າຍພາສີພາຍນອກ (ນອກເຫນືອຈາກອັດຕາທີ່ບໍ່ມີການປະເມີນ, ບໍ່ມີການປະເມີນແລະຍົກເວັ້ນ" @@ -2277,6 +2295,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,ອ່ານ 5 DocType: Shopping Cart Settings,Display Settings,Display Settings apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,ກະລຸນາຕັ້ງຄ່າຈໍານວນເງິນທີ່ຖືກຈອງໄວ້ +DocType: Shift Type,Consequence after,ຜົນສະທ້ອນຫຼັງຈາກນັ້ນ apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,ທ່ານຈໍາເປັນຕ້ອງໄດ້ຊ່ວຍຫຍັງແດ່? DocType: Journal Entry,Printing Settings,ການຕັ້ງຄ່າການພິມ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,ທະນາຄານ @@ -2286,6 +2305,7 @@ DocType: Purchase Invoice Item,PR Detail,PR Detail apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,ທີ່ຢູ່ບັນຊີໃບບິນແມ່ນດຽວກັນກັບທີ່ຢູ່ສົ່ງ DocType: Account,Cash,ເງິນສົດ DocType: Employee,Leave Policy,ອອກຈາກນະໂຍບາຍ +DocType: Shift Type,Consequence,ຜົນສະທ້ອນ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,ທີ່ຢູ່ໂຮງຮຽນ DocType: GST Account,CESS Account,CESS Account apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: ສູນຕົ້ນທຶນແມ່ນຕ້ອງການສໍາລັບບັນຊີ 'ກໍາໄຮແລະການສູນເສຍ' {2}. ກະລຸນາຕັ້ງຄ່າຄ່າສູນຕົ້ນຕໍສໍາລັບບໍລິສັດ. @@ -2350,6 +2370,7 @@ DocType: GST HSN Code,GST HSN Code,ລະຫັດ GST HSN DocType: Period Closing Voucher,Period Closing Voucher,ໄລຍະເວລາປິດໃບຍືມ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Name apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,ກະລຸນາໃສ່ບັນຊີລາຍຈ່າຍ +DocType: Issue,Resolution By Variance,Resolution by Variance DocType: Employee,Resignation Letter Date,ວັນທີອອກໃບລາຍງານ DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,ເຂົ້າຮ່ວມວັນທີ @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,ເບິ່ງຕອນນີ້ DocType: Item Price,Valid Upto,Valid to Up apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Doctype ອ້າງອີງຕ້ອງເປັນຫນຶ່ງໃນ {0} +DocType: Employee Checkin,Skip Auto Attendance,ຂ້າມການເຂົ້າຮ່ວມອັດຕະໂນມັດ DocType: Payment Request,Transaction Currency,ເງິນຕາການເຮັດທຸລະກໍາ DocType: Loan,Repayment Schedule,ຕາຕະລາງການຈ່າຍຄືນ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,ສ້າງເອກະສານການເກັບຮັກສາແບບຕົວຢ່າງ @@ -2433,6 +2455,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Salary Structur DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,ໃບຢັ້ງຢືນການປິດໃບຢັ້ງຢືນຍອດຂາຍ POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Action Initialised DocType: POS Profile,Applicable for Users,ສາມາດໃຊ້ໄດ້ສໍາລັບຜູ້ໃຊ້ +,Delayed Order Report,ລາຍງານຄໍາສັ່ງຊ້າລົງ DocType: Training Event,Exam,Exam apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,ຈໍານວນທີ່ບໍ່ຖືກຕ້ອງຂອງບັນຊີລາຍການ Ledger ທົ່ວໄປພົບ. ທ່ານອາດຈະໄດ້ເລືອກບັນຊີຜິດໃນການເຮັດທຸລະກໍາ. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Sales Pipeline @@ -2447,10 +2470,11 @@ DocType: Account,Round Off,ປິດຮອບ DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,ເງື່ອນໄຂເຫຼົ່ານີ້ຈະຕ້ອງໄດ້ຮັບການບໍລິການກ່ຽວກັບການຄັດທັງຫມົດ. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Configure DocType: Hotel Room,Capacity,ຄວາມສາມາດ +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Installed Qty apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,ລະຫັດ {0} ຂອງລາຍການ {1} ຖືກປິດໃຊ້ງານ. DocType: Hotel Room Reservation,Hotel Reservation User,Hotel Reservation User -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,ມື້ເຮັດວຽກໄດ້ຖືກຊ້ໍາສອງເທື່ອ +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,ສັນຍາການບໍລິການທີ່ມີປະເພດຂອງ Entity {0} ແລະ Entity {1} ມີຢູ່ແລ້ວ. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},ກຸ່ມສິນຄ້າທີ່ບໍ່ໄດ້ກ່າວໃນຫົວຂໍ້ຕົ້ນສະບັບສໍາລັບລາຍການ {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},ຊື່ຄວາມຜິດພາດ: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,ອານາເຂດແມ່ນຕ້ອງການໃນ POS Profile @@ -2498,6 +2522,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Schedule Date DocType: Packing Slip,Package Weight Details,Package Weight Details DocType: Job Applicant,Job Opening,ວຽກເປີດ +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,ສຸດທ້າຍຊື່ Sync ທີ່ປະສົບຜົນສໍາເລັດຂອງ Employee Checkin. ຕັ້ງຄ່າໃຫມ່ນີ້ເທົ່ານັ້ນຖ້າທ່ານແນ່ໃຈວ່າບັນທຶກທັງຫມົດຈະຖືກ sync ຈາກທຸກສະຖານທີ່. ກະລຸນາຢ່າແກ້ໄຂບັນຫານີ້ຖ້າທ່ານບໍ່ແນ່ໃຈ. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ຄ່າໃຊ້ຈ່າຍຈິງ apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ຍອດລ່ວງຫນ້າ ({0}) ຕໍ່ຄໍາສັ່ງ {1} ບໍ່ສາມາດຈະສູງກວ່າ Grand Total ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Variants Item updated @@ -2542,6 +2567,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,ໃບຢັ້ງຢື apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Get Invocies DocType: Tally Migration,Is Day Book Data Imported,ແມ່ນບັນດາລາຍການປື້ມວັນທີທີ່ນໍາເຂົ້າ ,Sales Partners Commission,Sales Partners Commission +DocType: Shift Type,Enable Different Consequence for Early Exit,ເຮັດໃຫ້ຜົນກະທົບທີ່ແຕກຕ່າງກັນສໍາລັບການອອກຈາກອອກມາກ່ອນ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,ກົດຫມາຍ DocType: Loan Application,Required by Date,Required by Date DocType: Quiz Result,Quiz Result,Quiz Result @@ -2601,7 +2627,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,ປີກ DocType: Pricing Rule,Pricing Rule,Pricing Rule apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},ລາຍຊື່ວັນພັກທາງເລືອກບໍ່ຖືກກໍານົດໄວ້ໃນໄລຍະເວລາພັກໄວ້ {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,ກະລຸນາຕັ້ງຊື່ຜູ້ໃຊ້ ID ໃນບັນທຶກພະນັກງານເພື່ອກໍານົດຕໍາແຫນ່ງພະນັກງານ -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,ເວລາທີ່ຈະແກ້ໄຂ DocType: Training Event,Training Event,ການຝຶກອົບຮົມເຫດການ DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","ຄວາມດັນເລືອດປົກກະຕິຢູ່ໃນຜູ້ໃຫຍ່ແມ່ນປະມານ 120 mmHg systolic, ແລະ 80 mmHg diastolic, ຫຍໍ້ວ່າ "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,ລະບົບຈະລວບລວມລາຍະການທັງຫມົດຖ້າຄ່າຈໍາກັດແມ່ນສູນ. @@ -2645,6 +2670,7 @@ DocType: Woocommerce Settings,Enable Sync,Enable Sync DocType: Student Applicant,Approved,ອະນຸມັດ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},ຈາກວັນຄວນຢູ່ພາຍໃນປີງົບປະມານ. ສົມມຸດຈາກວັນ = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,ກະລຸນາຕັ້ງກຸ່ມຜູ້ໃຫ້ບໍລິການໃນການຊື້ການຕັ້ງຄ່າ. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} ເປັນສະຖານະການເຂົ້າຮ່ວມທີ່ບໍ່ຖືກຕ້ອງ. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,ບັນຊີເປີດຊົ່ວຄາວ DocType: Purchase Invoice,Cash/Bank Account,ເງິນສົດ / ບັນຊີທະນາຄານ DocType: Quality Meeting Table,Quality Meeting Table,Quality Meeting Table @@ -2680,6 +2706,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","ອາຫານ, ເຄື່ອງດື່ມແລະຢາສູບ" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Schedule Schedule DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Item Wise Tax Detail +DocType: Shift Type,Attendance will be marked automatically only after this date.,ການເຂົ້າຮ່ວມຈະຖືກຫມາຍອັດຕະໂນມັດພາຍຫຼັງວັນທີນີ້. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,ອຸປະກອນທີ່ເຮັດໃຫ້ຜູ້ຖື UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Request for Quotations apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,ເງິນສະກຸນເງິນບໍ່ສາມາດປ່ຽນແປງໄດ້ຫຼັງຈາກການເຮັດລາຍະການໂດຍນໍາໃຊ້ສະກຸນເງິນອື່ນ @@ -2728,7 +2755,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,ແມ່ນຈຸດຈາກ Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Quality Procedure DocType: Share Balance,No of Shares,ບໍ່ມີການແບ່ງປັນ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: ບໍ່ມີສໍາລັບການ {4} ໃນສາງ {1} ໃນເວລາທີ່ປ້ອນຂໍ້ມູນ ({2} {3}) DocType: Quality Action,Preventive,ການປ້ອງກັນ DocType: Support Settings,Forum URL,Forum URL apps/erpnext/erpnext/config/hr.py,Employee and Attendance,ພະນັກງານແລະຜູ້ເຂົ້າຮ່ວມ @@ -2950,7 +2976,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,ປະເພດລາ DocType: Hotel Settings,Default Taxes and Charges,ພາສີແລະຄ່າທໍານຽມມາດຕະຖານ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,ນີ້ແມ່ນອີງໃສ່ການໂອນກັບຜູ້ຜະລິດນີ້. ເບິ່ງຕາຕະລາງຂ້າງລຸ່ມສໍາລັບລາຍລະອຽດ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},ຈໍານວນເງິນປະກັນໄພສູງສຸດຂອງພະນັກງານ {0} ເກີນ {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,ໃສ່ວັນເລີ່ມຕົ້ນແລະວັນສິ້ນສຸດສໍາລັບສັນຍາ. DocType: Delivery Note Item,Against Sales Invoice,Against Invoice Sales DocType: Loyalty Point Entry,Purchase Amount,ຈໍານວນການຊື້ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,ບໍ່ສາມາດຕັ້ງຄ່າ Lost as Sales Order ໄດ້ຖືກສ້າງຂຶ້ນ. @@ -2974,7 +2999,7 @@ DocType: Homepage,"URL for ""All Products""",URL ສໍາລັບ "ຜະ DocType: Lead,Organization Name,ຊື່ອົງກອນ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,ຂໍ້ມູນທີ່ຖືກຕ້ອງແລະຖືກຕ້ອງເຖິງແມ່ນຈະຕ້ອງບັງຄັບສໍາລັບການສະສົມ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},ແຖວ # {0}: ຈໍານວນບໍ່ຕ້ອງມີຄືກັນກັບ {1} {2} -DocType: Employee,Leave Details,ອອກຈາກລາຍລະອຽດ +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,ການໂອນຫຼັກຊັບກ່ອນ {0} ແມ່ນ frozen DocType: Driver,Issuing Date,ວັນທີອອກໃບອະນຸຍາດ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Requestor @@ -3019,9 +3044,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ລາຍະລະອຽດແບບແຜນກາຟ Flow Mapping apps/erpnext/erpnext/config/hr.py,Recruitment and Training,ການຝຶກອົບຮົມແລະການຝຶກອົບຮົມ DocType: Drug Prescription,Interval UOM,ໄລຍະເວລາ UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Grace Period Settings ສໍາລັບ Auto Attendance apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,ຈາກສະກຸນເງິນແລະເພື່ອສະກຸນເງິນບໍ່ສາມາດມີຄວາມຄືກັນ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Pharmaceuticals DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,ສະຫນັບສະຫນູນຊົ່ວໂມງ apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} ຖືກຍົກເລີກຫຼືປິດ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,ແຖວ {0}: ການລ່ວງລະເມີດຕໍ່ລູກຄ້າຕ້ອງເປັນຫນີ້ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Group by Voucher (Consolidated) @@ -3131,6 +3158,7 @@ DocType: Asset Repair,Repair Status,Repair Status DocType: Territory,Territory Manager,Territory Manager DocType: Lab Test,Sample ID,ID ຕົວຢ່າງ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,ໂຄງຮ່າງການແມ່ນຫວ່າງເປົ່າ +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,ການເຂົ້າຮ່ວມໄດ້ຮັບການຈົດທະບຽນໂດຍການກວດສອບຂອງພະນັກງານ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,ຕ້ອງໄດ້ສົ່ງສິນຄ້າ {0} ,Absent Student Report,Reported Student Absent apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,ລວມຢູ່ໃນກໍາໄຮຂັ້ນຕົ້ນ @@ -3138,7 +3166,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,ຈໍານວນເງິນທີ່ໄດ້ຮັບທຶນ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ບໍ່ໄດ້ຖືກສົ່ງດັ່ງນັ້ນການປະຕິບັດບໍ່ສາມາດສໍາເລັດ DocType: Subscription,Trial Period End Date,ໄລຍະເວລາການທົດລອງຂອງການທົດລອງ +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,ການຄັດເລືອກການເຂົ້າຫາເປັນ IN ແລະ OUT ໃນລະຫວ່າງການປ່ຽນແປງດຽວກັນ DocType: BOM Update Tool,The new BOM after replacement,BOM ໃຫມ່ຫຼັງຈາກການທົດແທນ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Supplier> Supplier Type apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Item 5 DocType: Employee,Passport Number,Passport Number apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,ຊົ່ວຄາວເປີດ @@ -3254,6 +3284,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Key Reports apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,ຜູ້ຜະລິດທີ່ເປັນໄປໄດ້ ,Issued Items Against Work Order,ລາຍການລາຍການອອກຈາກວຽກງານ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,ການສ້າງ {0} ໃບເກັບເງິນ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ກະລຸນາຕັ້ງຊື່ລະບົບການໃຫ້ຄໍາແນະນໍາໃນການສຶກສາ> ການສຶກສາການສຶກສາ DocType: Student,Joining Date,ເຂົ້າຮ່ວມວັນທີ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Requesting Site DocType: Purchase Invoice,Against Expense Account,Against Expense Account @@ -3293,6 +3324,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,ຄ່າທໍານຽມທີ່ສາມາດນໍາໃຊ້ໄດ້ ,Point of Sale,ຈຸດຂອງການຂາຍ DocType: Authorization Rule,Approving User (above authorized value),ການອະນຸມັດຜູ້ໃຊ້ (ຂ້າງເທິງມູນຄ່າທີ່ໄດ້ຮັບອະນຸຍາດ) +DocType: Service Level Agreement,Entity,Entity apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},ຈໍານວນເງິນ {0} {1} ຖືກໂອນຈາກ {2} ກັບ {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},ລູກຄ້າ {0} ບໍ່ຂຶ້ນກັບໂຄງການ {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,From Party Name @@ -3339,6 +3371,7 @@ DocType: Asset,Opening Accumulated Depreciation,ການເປີດເສີ DocType: Soil Texture,Sand Composition (%),ອົງປະກອບຂອງທາຍ (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Import Day Book Data +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,ກະລຸນາຕັ້ງຊື່ຊຸດຊື່ສໍາລັບ {0} ຜ່ານ Setup> Settings> Naming Series DocType: Asset,Asset Owner Company,Asset Owner Company apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,ສູນຕົ້ນທຶນແມ່ນຕ້ອງການທີ່ຈະຈອງຄໍາຮ້ອງຂໍຄ່າໃຊ້ຈ່າຍ apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} serial Nos ທີ່ຖືກຕ້ອງສໍາລັບລາຍການ {1} @@ -3399,7 +3432,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,ເຈົ້າຂອງຊັບສິນ apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},ຄັງສິນຄ້າແມ່ນຈໍາເປັນສໍາລັບຫຼັກຊັບສິນຄ້າ {0} ໃນແຖວ {1} DocType: Stock Entry,Total Additional Costs,ຄ່າໃຊ້ຈ່າຍລວມທັງຫມົດ -DocType: Marketplace Settings,Last Sync On,Last Sync On apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,ກະລຸນາຕັ້ງຄ່າຢ່າງນ້ອຍຫນຶ່ງແຖວໃນຕາລາງພາສີແລະຄ່າບໍລິການ DocType: Asset Maintenance Team,Maintenance Team Name,ຊື່ທີມບໍາລຸງຮັກສາ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,ຕາຕະລາງຂອງສູນຕົ້ນທຶນ @@ -3415,12 +3447,12 @@ DocType: Sales Order Item,Work Order Qty,Work Order Qty DocType: Job Card,WIP Warehouse,WIP Warehouse DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ລະຫັດຜູ້ໃຊ້ບໍ່ຖືກກໍານົດສໍາລັບພະນັກງານ {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","ທີ່ມີ qty ແມ່ນ {0}, ທ່ານຕ້ອງການ {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,User {0} ສ້າງ DocType: Stock Settings,Item Naming By,Item Naming By apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,ຄໍາສັ່ງ apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,ນີ້ແມ່ນກຸ່ມລູກຮາກແລະບໍ່ສາມາດແກ້ໄຂໄດ້. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,ການຮ້ອງຂໍວັດສະດຸ {0} ຖືກຍົກເລີກຫຼືຢຸດເຊົາ +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,ໂດຍອີງໃສ່ຢ່າງເຂັ້ມງວດກ່ຽວກັບປະເພດໃບປະກາດໃນການກວດສອບພະນັກງານ DocType: Purchase Order Item Supplied,Supplied Qty,ຈໍານວນທີ່ຈໍາຫນ່າຍ DocType: Cash Flow Mapper,Cash Flow Mapper,Cash Flow Mapper DocType: Soil Texture,Sand,ຊາຍ @@ -3479,6 +3511,7 @@ DocType: Lab Test Groups,Add new line,ເພີ່ມສາຍໃຫມ່ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,ຄັດລອກກຸ່ມລາຍການທີ່ພົບຢູ່ໃນຕາຕະລາງກຸ່ມລາຍການ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,ເງິນເດືອນປະຈໍາປີ DocType: Supplier Scorecard,Weighting Function,Functional Weighting +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,ຂໍ້ຜິດພາດໃນການປະເມີນສູດຂໍ້ກໍານົດ ,Lab Test Report,Lab Report Test DocType: BOM,With Operations,ມີການດໍາເນີນງານ @@ -3492,6 +3525,7 @@ DocType: Expense Claim Account,Expense Claim Account,ບັນຊີໃບຄໍ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ບໍ່ມີການຊໍາລະເງິນສໍາລັບວາລະສານເຂົ້າ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ແມ່ນນັກຮຽນບໍ່ມີປະສົບການ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Make Stock Entry +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},ການເອີ້ນຄືນຄະດີ: {0} ບໍ່ສາມາດເປັນພໍ່ແມ່ຫລືເດັກຂອງ {1} DocType: Employee Onboarding,Activities,ກິດຈະກໍາ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,ສາງຫນຶ່ງແມ່ນຄ້ໍາປະກັນ ,Customer Credit Balance,ຍອດລູກຫນີ້ສິນຄ້າຂອງລູກຄ້າ @@ -3504,9 +3538,11 @@ DocType: Supplier Scorecard Period,Variables,Variables apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,ໂປລແກລມຄວາມພັກດີຫຼາຍໆຄົນພົບເຫັນສໍາລັບລູກຄ້າ. Please select manually DocType: Patient,Medication,ການໃຊ້ຢາ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,ເລືອກໂຄງການຄວາມພັກດີ +DocType: Employee Checkin,Attendance Marked,ເຂົ້າຮ່ວມພິທີມອບຫມາຍ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,ວັດຖຸດິບ DocType: Sales Order,Fully Billed,Fully Billed apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},ກະລຸນາຕັ້ງໂຮງແຮມ Rate on {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ເລືອກເອົາພຽງແຕ່ຄວາມຕ້ອງການເປັນຄວາມສໍາຄັນເທົ່ານັ້ນ. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},ກະລຸນາລະບຸ / ສ້າງບັນຊີ (Ledger) ສໍາລັບປະເພດ - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,ຈໍານວນເງິນເຄດິດ / ເງິນຝາກທະນາຄານທັງຫມົດຄວນຈະມີການເຊື່ອມໂຍງກັນກັບວາລະສານ DocType: Purchase Invoice Item,Is Fixed Asset,ແມ່ນຊັບສິນຄົງທີ່ @@ -3527,6 +3563,7 @@ DocType: Purpose of Travel,Purpose of Travel,ຈຸດປະສົງຂອງ DocType: Healthcare Settings,Appointment Confirmation,ການຍືນຍັນການແຕ່ງຕັ້ງ DocType: Shopping Cart Settings,Orders,ຄໍາສັ່ງ DocType: HR Settings,Retirement Age,Age Retirement +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕັ້ງຄ່າຊຸດຈໍານວນສໍາລັບການເຂົ້າຮ່ວມໂດຍຜ່ານ Setup> ເລກລໍາດັບ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,ຄາດຄະເນຈໍານວນ apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},ການຍົກເລີກບໍ່ໄດ້ຮັບອະນຸຍາດສໍາລັບປະເທດ {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},ແຖວ # {0}: ຊັບສິນ {1} ແມ່ນແລ້ວ {2} @@ -3610,11 +3647,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Accountant apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},ໃບຢັ້ງຢືນການປິດໃບຢັ້ງຢືນ POS ສໍາລັບ {0} ລະຫວ່າງວັນ {1} ແລະ {2} apps/erpnext/erpnext/config/help.py,Navigating,ການທ່ອງທ່ຽວ +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,ບໍ່ມີໃບເກັບເງິນທີ່ຍັງເຫຼືອຕ້ອງການການປະເມີນຄືນອັດຕາແລກປ່ຽນ DocType: Authorization Rule,Customer / Item Name,ລູກຄ້າ / ຊື່ສິນຄ້າ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ບໍ່ຈໍາເປັນຕ້ອງມີຄັງສິນຄ້າໃຫມ່. ຄັງສິນຄ້າຕ້ອງຖືກກໍານົດໄວ້ໂດຍການເຂົ້າຊື້ສິນຄ້າຫຼືໃບຢັ້ງຢືນການຊື້ DocType: Issue,Via Customer Portal,ຜ່ານເວັບໄຊທ໌ຂອງລູກຄ້າ DocType: Work Order Operation,Planned Start Time,ເວລາເລີ່ມຕົ້ນທີ່ວາງແຜນ apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} ແມ່ນ {2} +DocType: Service Level Priority,Service Level Priority,Service Priority apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ຈໍານວນການຫັກເງິນທີ່ຖືກຈອງບໍ່ສາມາດຈະສູງກວ່າຈໍານວນເງິນຫນີ້ທັງຫມົດ apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger DocType: Journal Entry,Accounts Payable,ບັນຊີທີ່ຕ້ອງຈ່າຍ @@ -3725,7 +3764,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Delivery To DocType: Bank Statement Transaction Settings Item,Bank Data,Bank Data apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,ກໍານົດໄວ້ Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,ຮັກສາເວລາໃບບິນແລະເວລາເຮັດວຽກຄືກັນກັບເວລາ apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,ຕິດຕາມນໍາໂດຍແຫຼ່ງທີ່ມາ. DocType: Clinical Procedure,Nursing User,ຜູ້ໃຊ້ພະຍາບານ DocType: Support Settings,Response Key List,ບັນຊີລາຍຊື່ສໍາຄັນ @@ -3893,6 +3931,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,ເວລາເລີ່ມຕົ້ນທີ່ແທ້ຈິງ DocType: Antibiotic,Laboratory User,User Laboratory apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Online Auctions +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,ຄວາມສໍາຄັນ {0} ໄດ້ຖືກຊ້ໍາ. DocType: Fee Schedule,Fee Creation Status,ສະຖານະການສ້າງຄ່າທໍານຽມ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Softwares apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ຄໍາສັ່ງສັ່ງຊື້ໄປຊໍາລະເງິນ @@ -3959,6 +3998,7 @@ DocType: Patient Encounter,In print,ໃນການພິມ apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,ບໍ່ສາມາດດຶງຂໍ້ມູນສໍາລັບ {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,ສະກຸນເງິນໃບຢັ້ງຢືນຕ້ອງມີເງີນເທົ່າກັບສະກຸນເງິນສະກຸນເງິນຂອງບໍລິສັດຫຼືຄ່າສະກຸນເງິນຂອງບໍລິສັດ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,ກະລຸນາໃສ່ Id ພະນັກງານຂອງຜູ້ຂາຍນີ້ +DocType: Shift Type,Early Exit Consequence after,ຜົນອອກມາກ່ອນອອກມາກ່ອນ apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,ສ້າງໃບສັ່ງຊື້ຂາຍແລະຊື້ໃບຢັ້ງຢືນການຊື້ DocType: Disease,Treatment Period,ໄລຍະເວລາການປິ່ນປົວ apps/erpnext/erpnext/config/settings.py,Setting up Email,ການຕັ້ງຄ່າອີເມວ @@ -3976,7 +4016,6 @@ DocType: Employee Skill Map,Employee Skills,ພະນັກງານທັກສ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,ຊື່ນັກຮຽນ: DocType: SMS Log,Sent On,Sent On DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Sales Invoice -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,ເວລາຕອບໂຕ້ບໍ່ສາມາດຈະສູງກວ່າເວລາທີ່ມີຄວາມລະອຽດ DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","ສໍາລັບກຸ່ມນັກຮຽນທີ່ມີຫຼັກສູດຫຼັກສູດ, ຫຼັກສູດຈະຖືກຮັບຮອງສໍາລັບນັກຮຽນທຸກຄົນຈາກຫຼັກສູດການລົງທະບຽນເຂົ້າຮຽນໃນລະບົບ." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,ອຸປະກອນພາຍໃນລັດ DocType: Employee,Create User Permission,ສ້າງການອະນຸຍາດໃຫ້ຜູ້ໃຊ້ @@ -4015,6 +4054,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,ເງື່ອນໄຂສັນຍາມາດຕະຖານສໍາລັບການຂາຍຫຼືການຊື້. DocType: Sales Invoice,Customer PO Details,ລາຍະລະອຽດຂອງລູກຄ້າ apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,ບໍ່ພົບຄົນເຈັບ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,ເລືອກຄວາມສໍາຄັນ Default. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,ລົບລາຍະການຖ້າຫາກວ່າຄ່າບໍລິການບໍ່ສາມາດນໍາໃຊ້ກັບລາຍການນັ້ນໄດ້ apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ກຸ່ມລູກຄ້າມີຊື່ດຽວກັນກະລຸນາປ່ຽນຊື່ລູກຄ້າຫຼືປ່ຽນຊື່ລູກຄ້າ 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. @@ -4054,6 +4094,7 @@ DocType: Quality Goal,Quality Goal,Quality Goal DocType: Support Settings,Support Portal,Support Portal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},ວັນທີສຸດທ້າຍຂອງວຽກ {0} ບໍ່ສາມາດນ້ອຍກວ່າ {1} ວັນເລີ່ມຕົ້ນທີ່ຄາດໄວ້ {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},ພະນັກງານ {0} ແມ່ນຢູ່ໃນວັນພັກສຸດ {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},ສັນຍາລະດັບການບໍລິການນີ້ແມ່ນສະເພາະກັບລູກຄ້າ {0} DocType: Employee,Held On,Held On DocType: Healthcare Practitioner,Practitioner Schedules,ປະຕິບັດຕາຕະລາງປະຕິບັດ DocType: Project Template Task,Begin On (Days),ເລີ່ມຕົ້ນ (ວັນ) @@ -4061,6 +4102,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},ຄໍາສັ່ງເຮັດວຽກແມ່ນ {0} DocType: Inpatient Record,Admission Schedule Date,ວັນທີ Admission Schedule apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,ການປັບຄ່າມູນຄ່າຊັບສິນ +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Mark attendance ອີງໃສ່ 'Employee Checkin' ສໍາລັບພະນັກງານທີ່ໄດ້ຮັບມອບຫມາຍໃນການປ່ຽນແປງນີ້. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,ອຸປະກອນທີ່ເຮັດໃຫ້ຜູ້ທີ່ບໍ່ໄດ້ຈົດທະບຽນ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,All Jobs DocType: Appointment Type,Appointment Type,ປະເພດການນັດຫມາຍ @@ -4174,7 +4216,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),ນ້ໍາຫນັກລວມຂອງແພກເກດ. ປົກກະຕິນ້ໍາຫນັກສຸດທິ + ນ້ໍາຫນັກອຸປະກອນການຫຸ້ມຫໍ່ (ສໍາລັບການພິມ) DocType: Plant Analysis,Laboratory Testing Datetime,ທົດລອງທົດລອງທົດລອງໄລຍະເວລາ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Item {0} ບໍ່ສາມາດມີ Batch -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Sales Pipeline by Stage apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Student Group Strength DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bank Statement Transaction Entry DocType: Purchase Order,Get Items from Open Material Requests,ໄດ້ຮັບລາຍການຈາກຄໍາຮ້ອງຂໍວັດຖຸທີ່ເປີດ @@ -4256,7 +4297,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,ສະແດງອາຍຸເກົ່າແກ່ - ຄັງສິນຄ້າ DocType: Sales Invoice,Write Off Outstanding Amount,ຂຽນຈໍານວນເງິນທີ່ຍັງຄ້າງຄາ DocType: Payroll Entry,Employee Details,ລາຍລະອຽດຂອງພະນັກງານ -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,ເວລາເລີ່ມຕົ້ນບໍ່ສາມາດໃຫຍ່ກວ່າເວລາທີ່ສິ້ນສຸດສໍາລັບ {0}. DocType: Pricing Rule,Discount Amount,ສ່ວນລົດ DocType: Healthcare Service Unit Type,Item Details,ລາຍະລະອຽດຂອງສິນຄ້າ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},ໃບລາຍງານພາສີຂອງຄູ່ສໍາລັບ {0} ສໍາລັບໄລຍະເວລາ {1} @@ -4309,7 +4349,7 @@ DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,ເງິນສົດສຸດທິບໍ່ສາມາດລົບໄດ້ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,No of Interactions 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/hr/doctype/employee/employee_dashboard.py,Shift,Shift +DocType: Attendance,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,ຕາຕະລາງການປຸງແຕ່ງຂອງບັນຊີແລະພາກສ່ວນຕ່າງໆ DocType: Stock Settings,Convert Item Description to Clean HTML,ແປງລາຍລະອຽດຂອງລາຍການເພື່ອຄວາມສະອາດ HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,ກຸ່ມຜູ້ສະຫນອງທັງຫມົດ @@ -4380,6 +4420,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Employee Onbo DocType: Healthcare Service Unit,Parent Service Unit,ຫນ່ວຍບໍລິການຂອງພໍ່ແມ່ DocType: Sales Invoice,Include Payment (POS),ລວມການຊໍາລະເງິນ (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Private Equity +DocType: Shift Type,First Check-in and Last Check-out,ເຊັກອິນຄັ້ງທໍາອິດແລະເຊັກເອົາຄັ້ງສຸດທ້າຍ DocType: Landed Cost Item,Receipt Document,ເອກະສານໃບຮັບເງິນ DocType: Supplier Scorecard Period,Supplier Scorecard Period,ໄລຍະເວລາຂອງການທົດສອບຜູ້ຜະລິດ DocType: Employee Grade,Default Salary Structure,Default Structure ເງິນເດືອນ @@ -4462,6 +4503,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,ສ້າງການສັ່ງຊື້ apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,ກໍານົດງົບປະມານສໍາລັບປີການເງິນ. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,ຕາຕະລາງບັນຊີບໍ່ສາມາດເປົ່າຫວ່າງ. +DocType: Employee Checkin,Entry Grace Period Consequence,Entry Grace Period Consequence ,Payment Period Based On Invoice Date,ໄລຍະເວລາການຈ່າຍເງິນອີງໃສ່ວັນທີໃບຢັ້ງຢືນ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},ວັນທີຕິດຕັ້ງບໍ່ສາມາດເປັນວັນສົ່ງມອບສໍາລັບລາຍການ {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,ການເຊື່ອມຕໍ່ຫາຄໍາຮ້ອງຂໍວັດຖຸ @@ -4470,6 +4512,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapped Data T apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},ແຖວ {0}: ມີລາຍະການ Reorder ແລ້ວສໍາລັບສາງນີ້ {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date DocType: Monthly Distribution,Distribution Name,ຊື່ການແຜ່ກະຈາຍ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,ວັນເຮັດວຽກ {0} ໄດ້ຖືກຊ້ໍາ. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,ກຸ່ມທີ່ບໍ່ແມ່ນກຸ່ມ apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,ປັບປຸງໃນຄວາມຄືບຫນ້າ. ມັນອາດຈະໃຊ້ເວລາໃນຂະນະທີ່. DocType: Item,"Example: ABCD.##### @@ -4482,6 +4525,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Fuel Qty apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile No DocType: Invoice Discounting,Disbursed,ເງິນກູ້ຢືມ +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,ເວລາຫຼັງຈາກສິ້ນສຸດການປ່ຽນແປງໃນເວລາທີ່ການກວດສອບໄດ້ຖືກພິຈາລະນາສໍາລັບການເຂົ້າຮ່ວມ. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ການປ່ຽນແປງຂອງບັນຊີທີ່ຕ້ອງຈ່າຍ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,ບໍ່ສາມາດໃຊ້ໄດ້ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,ສ່ວນທີ່ໃຊ້ເວລາ @@ -4495,7 +4539,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,ໂອ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,ສະແດງ PDC ໃນການພິມ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Supplier DocType: POS Profile User,POS Profile User,POS User Profile -DocType: Student,Middle Name,ຊື່ກາງ DocType: Sales Person,Sales Person Name,ຊື່ຜູ້ຂາຍ DocType: Packing Slip,Gross Weight,ນ້ໍາຫນັກລວມ DocType: Journal Entry,Bill No,Bill No @@ -4504,7 +4547,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,ສ DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,ຂໍ້ຕົກລົງໃນລະດັບການບໍລິການ -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,ກະລຸນາເລືອກພະນັກງານແລະວັນທີທໍາອິດ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,ອັດຕາການປະເມີນມູນຄ່າແມ່ນຖືກຄິດໄລ່ຄືນໃຫມ່ໃນການພິຈາລະນາມູນຄ່າການລົງທຶນຂອງລູກຄ້າ DocType: Timesheet,Employee Detail,ລາຍລະອຽດພະນັກງານ DocType: Tally Migration,Vouchers,ວີດີໂອ @@ -4539,7 +4581,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,ຂໍ້ຕົ DocType: Additional Salary,Date on which this component is applied,ວັນທີທີ່ອົງປະກອບນີ້ຖືກນໍາໃຊ້ apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ລາຍຊື່ຜູ້ຖືຫຸ້ນທີ່ມີຈໍານວນຜູ້ເຂົ້າຮ່ວມ apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,ບັນຊີ Setup Gateway. -DocType: Service Level,Response Time Period,ໄລຍະເວລາຕອບໂຕ້ +DocType: Service Level Priority,Response Time Period,ໄລຍະເວລາຕອບໂຕ້ DocType: Purchase Invoice,Purchase Taxes and Charges,ຊື້ຄ່າພາສີແລະຄ່າບໍລິການ DocType: Course Activity,Activity Date,ວັນທີກິດຈະກໍາ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,ເລືອກຫຼືເພີ່ມລູກຄ້າໃຫມ່ @@ -4564,6 +4606,7 @@ DocType: Sales Person,Select company name first.,ເລືອກຊື່ບໍ apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,ປີການເງິນ DocType: Sales Invoice Item,Deferred Revenue,ລາຍໄດ້ທີ່ຄ້າງຊໍາລະ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,ຕ້ອງໄດ້ຮັບການຄັດເລືອກຢ່າງຫນ້ອຍຫນຶ່ງຂອງການຂາຍຫຼືການຊື້ +DocType: Shift Type,Working Hours Threshold for Half Day,ເວລາເຮັດວຽກຊົ່ວໂມງສໍາລັບເຄິ່ງມື້ ,Item-wise Purchase History,ປະຫວັດການຊື້ສິນຄ້າແບບສະຫລາດ apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},ບໍ່ສາມາດປ່ຽນວັນຢຸດການບໍລິການສໍາລັບລາຍການໃນແຖວ {0} DocType: Production Plan,Include Subcontracted Items,ລວມເອົາລາຍການທີ່ຕິດຕໍ່ພາຍໃຕ້ເງື່ອນໄຂ @@ -4596,6 +4639,7 @@ DocType: Journal Entry,Total Amount Currency,ສະກຸນເງິນທັ DocType: BOM,Allow Same Item Multiple Times,ອະນຸຍາດໃຫ້ເອກະສານດຽວກັນຫຼາຍຄັ້ງ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,ສ້າງລະຫັດຜ່ານ DocType: Healthcare Practitioner,Charges,ຄ່າບໍລິການ +DocType: Employee,Attendance and Leave Details,ລາຍະລະອຽດການເຂົ້າຮ່ວມແລະການອອກກໍາລັງກາຍ DocType: Student,Personal Details,ຂໍ້ມູນສ່ວນຕົວ DocType: Sales Order,Billing and Delivery Status,ສະຖານະການໂອນເງິນແລະການຈັດສົ່ງ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,ແຖວ {0}: ສໍາລັບຜູ້ສະຫນອງ {0} ທີ່ຢູ່ອີເມວແມ່ນຕ້ອງການສົ່ງອີເມວ @@ -4647,7 +4691,6 @@ DocType: Bank Guarantee,Supplier,ຜູ້ໃຫ້ບໍລິການ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},ກະລຸນາໃສ່ມູນຄ່າ betweeen {0} ແລະ {1} DocType: Purchase Order,Order Confirmation Date,ວັນທີທີ່ຢືນຢັນການສັ່ງຊື້ DocType: Delivery Trip,Calculate Estimated Arrival Times,ຄິດໄລ່ເວລາມາຮອດປະມານ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕັ້ງລະບົບການຕັ້ງຊື່ຂອງພະນັກງານໃນຊັບພະຍາກອນມະນຸດ> HR Settings apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,ສາມາດໃຊ້ໄດ້ DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,ວັນທີເລີ່ມຕົ້ນສະມາຊິກ @@ -4670,7 +4713,7 @@ DocType: Installation Note Item,Installation Note Item,Installation Note Item DocType: Journal Entry Account,Journal Entry Account,Journal Entry Account apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variant apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Forum Activity -DocType: Service Level,Resolution Time Period,Resolution Time Period +DocType: Service Level Priority,Resolution Time Period,Resolution Time Period DocType: Request for Quotation,Supplier Detail,Supplier Detail DocType: Project Task,View Task,ເບິ່ງວຽກງານ DocType: Serial No,Purchase / Manufacture Details,ລາຍລະອຽດການຊື້ / ຜະລິດຕະພັນ @@ -4737,6 +4780,7 @@ DocType: Sales Invoice,Commission Rate (%),ອັດຕາດອກເບ້ຍ DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,ຄັງສິນຄ້າສາມາດປ່ຽນແປງໄດ້ໂດຍຜ່ານການເຂົ້າຊື້ / ຈັດສົ່ງສິນຄ້າ / ໃບຢັ້ງຢືນການຊື້ DocType: Support Settings,Close Issue After Days,ປິດບັນຫາຫຼັງຈາກມື້ DocType: Payment Schedule,Payment Schedule,ຕາຕະລາງການຈ່າຍເງິນ +DocType: Shift Type,Enable Entry Grace Period,ເປີດໃຊ້ເວລາເຂົ້າ Grace ໄລຍະເວລາ DocType: Patient Relation,Spouse,ຄູ່ສົມລົດ DocType: Purchase Invoice,Reason For Putting On Hold,ເຫດຜົນສໍາລັບການວາງໄວ້ DocType: Item Attribute,Increment,ເພີ່ມຂຶ້ນ @@ -4876,6 +4920,7 @@ DocType: Authorization Rule,Customer or Item,ລູກຄ້າຫຼືລາ DocType: Vehicle Log,Invoice Ref,Invoice Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},ແບບຟອມ C ບໍ່ສາມາດໃຊ້ໄດ້ສໍາລັບໃບເກັບເງິນ: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Invoice Created +DocType: Shift Type,Early Exit Grace Period,Early Exit Grace Period DocType: Patient Encounter,Review Details,ລາຍະລະອຽດການທົບທວນ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,ແຖວ {0}: ຄ່າເວລາຕ້ອງສູງກວ່າສູນ. DocType: Account,Account Number,ເລກບັນຊີ @@ -4887,7 +4932,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","ສາມາດໃຊ້ໄດ້ຖ້າບໍລິສັດແມ່ນ SpA, SApA ຫຼື SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,ເງື່ອນໄຂທີ່ຊ້ໍາກັນພົບເຫັນລະຫວ່າງ: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,ຈ່າຍແລະບໍ່ຈັດສົ່ງ -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,ລະຫັດສິນຄ້າແມ່ນບັງຄັບເພາະວ່າສິນຄ້າບໍ່ໄດ້ຖືກນັບເລກໄວ້ໂດຍອັດຕະໂນມັດ DocType: GST HSN Code,HSN Code,HSN Code DocType: GSTR 3B Report,September,ເດືອນກັນຍາ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administrative Expenses @@ -4923,6 +4967,8 @@ DocType: Travel Itinerary,Travel From,ການເດີນທາງຈາກ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,ບັນຊີ CWIP DocType: SMS Log,Sender Name,Sender Name DocType: Pricing Rule,Supplier Group,Supplier Group +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",ຕັ້ງເວລາເລີ່ມຕົ້ນແລະເວລາສິ້ນສຸດສໍາລັບ \ ວັນທີ່ສະຫນັບສະຫນູນ {0} ທີ່ດັດສະນີ {1}. DocType: Employee,Date of Issue,Date of Issue ,Requested Items To Be Transferred,ລາຍການທີ່ຕ້ອງການຈະຖືກໂອນ DocType: Employee,Contract End Date,ວັນສິ້ນສຸດຂອງສັນຍາ @@ -4933,6 +4979,7 @@ DocType: Healthcare Service Unit,Vacant,Vacant DocType: Opportunity,Sales Stage,Sales Stage DocType: Sales Order,In Words will be visible once you save the Sales Order.,ໃນຄໍາສັບຕ່າງໆຈະຖືກເບິ່ງເຫັນເມື່ອທ່ານປະຢັດຄໍາສັ່ງຂາຍ. DocType: Item Reorder,Re-order Level,Re-order Level +DocType: Shift Type,Enable Auto Attendance,ເປີດຕົວອັດຕະໂນມັດ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Preference ,Department Analytics,Department Analytics DocType: Crop,Scientific Name,ຊື່ວິທະຍາສາດ @@ -4945,6 +4992,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} ສະຖາ DocType: Quiz Activity,Quiz Activity,Quiz Activity apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} ບໍ່ຢູ່ໃນໄລຍະເວລາຊໍາລະເງິນທີ່ຖືກຕ້ອງ DocType: Timesheet,Billed,Billed +apps/erpnext/erpnext/config/support.py,Issue Type.,ປະເພດບັນຫາ. DocType: Restaurant Order Entry,Last Sales Invoice,ໃບຄໍາສັ່ງຊື້ຂາຍສຸດທ້າຍ DocType: Payment Terms Template,Payment Terms,ເງື່ອນໄຂການຊໍາລະເງິນ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","ຈໍານວນທີ່ຖືກເກັບໄວ້: ຈໍານວນສັ່ງຊື້ຂາຍ, ແຕ່ບໍ່ຖືກສົ່ງ." @@ -5040,6 +5088,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,ຊັບສິນ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} ບໍ່ມີແຜນການປະຕິບັດດ້ານສຸຂະພາບ. ຕື່ມມັນໃນແມ່ບົດດ້ານການດູແລສຸຂະພາບ DocType: Vehicle,Chassis No,Chassis No +DocType: Employee,Default Shift,Default Shift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Company Abbreviation apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,ຕົ້ນໄມ້ຂອງບັນຊີວັດສະດຸ DocType: Article,LMS User,ຜູ້ໃຊ້ LMS @@ -5088,6 +5137,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-yYYY.- DocType: Sales Person,Parent Sales Person,ພໍ່ຄ້າຂາຍພໍ່ແມ່ DocType: Student Group Creation Tool,Get Courses,Get Courses 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, ຍ້ອນວ່າລາຍະການເປັນຊັບສິນຄົງທີ່. ກະລຸນາໃຊ້ແຖວແຍກຕ່າງຫາກສໍາລັບຫຼາຍ qty." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),ເວລາເຮັດວຽກຂ້າງລຸ່ມນີ້ທີ່ຖືກຍົກເລີກ. (ສູນທີ່ຈະປິດການໃຊ້ງານ) DocType: Customer Group,Only leaf nodes are allowed in transaction,ມີພຽງໃບອະນຸຍາດໃບອະນຸຍາດໃນການເຮັດທຸລະກໍາ DocType: Grant Application,Organization,ອົງການຈັດຕັ້ງ DocType: Fee Category,Fee Category,ຫມວດຄ່າທໍານຽມ @@ -5100,6 +5150,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,ໂປດອັບເດດສະຖານະຂອງທ່ານສໍາລັບເຫດການຝຶກອົບຮົມນີ້ DocType: Volunteer,Morning,ເຊົ້າ DocType: Quotation Item,Quotation Item,Item Quotation +apps/erpnext/erpnext/config/support.py,Issue Priority.,ລໍາດັບຄວາມສໍາຄັນ. DocType: Journal Entry,Credit Card Entry,Credit Card Entry apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","ທີ່ໃຊ້ເວລາ slot skiped, slot {0} ກັບ {1} ຂື້ນ exiting slot {2} ກັບ {3}" DocType: Journal Entry Account,If Income or Expense,ຖ້າລາຍໄດ້ຫລືຄ່າໃຊ້ຈ່າຍ @@ -5150,11 +5201,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,ການນໍາເຂົ້າຂໍ້ມູນແລະການຕັ້ງຄ່າ 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: Account,Expense Account,ບັນຊີລາຍຈ່າຍ +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,ເວລາກ່ອນທີ່ຈະປ່ຽນເວລາປ່ຽນເວລາໃນເວລາທີ່ລູກຈ້າງເຂົ້າເບິ່ງຖືກພິຈາລະນາເຂົ້າຮຽນ. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,ການພົວພັນກັບ Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,ສ້າງໃບເກັບເງິນ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},ຕ້ອງການການຊໍາລະເງິນແລ້ວ {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',ພະນັກງານຜ່ອນຜັນກ່ຽວກັບ {0} ຕ້ອງຖືກຕັ້ງເປັນ 'Left' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},ຈ່າຍ {0} {1} +DocType: Company,Sales Settings,Sales Settings DocType: Sales Order Item,Produced Quantity,ຜະລິດຈໍານວນ apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,ສາມາດເຂົ້າຫາຄໍາຮ້ອງຂໍສໍາລັບຄໍາສັ່ງໄດ້ໂດຍການຄລິກໃສ່ການເຊື່ອມຕໍ່ຕໍ່ໄປນີ້ DocType: Monthly Distribution,Name of the Monthly Distribution,Name of the Monthly Distribution @@ -5233,6 +5286,7 @@ DocType: Company,Default Values,Default Values apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,ແມ່ແບບພາສີມາດຕະຖານສໍາລັບການຂາຍແລະການຊື້ໄດ້ຖືກສ້າງຂຶ້ນ. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,ອອກຈາກປະເພດ {0} ບໍ່ສາມາດສົ່ງຕໍ່ໄດ້ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,ບັນຊີຫນີ້ສິນຕ້ອງເປັນບັນຊີຮັບຫນີ້ +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},ກະລຸນາຕັ້ງຄ່າ Account in Warehouse {0} ຫຼື Account Inventory Default ໃນບໍລິສັດ {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,ກໍານົດເປັນຄ່າເລີ່ມຕົ້ນ DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ນ້ໍາຫນັກສຸດທິຂອງຊຸດນີ້. (ຄິດໄລ່ໂດຍອັດຕະໂນມັດເປັນຜົນລວມຂອງນ້ໍາຫນັກສຸດທິຂອງລາຍການ) @@ -5259,8 +5313,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,ແບດເຕີລີ່ທີ່ຫມົດອາຍຸ DocType: Shipping Rule,Shipping Rule Type,Shipping Rule Type DocType: Job Offer,Accepted,ຍອມຮັບ -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ກະລຸນາລົບ Employee {0} \ ເພື່ອຍົກເລີກເອກະສານນີ້" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,ທ່ານໄດ້ປະເມີນຜົນສໍາລັບເງື່ອນໄຂການປະເມີນຜົນ {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ເລືອກຈໍານວນຜະລິດຕະພັນ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),ອາຍຸ (ວັນ) @@ -5287,6 +5339,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,ເລືອກໂດເມນຂອງທ່ານ DocType: Agriculture Task,Task Name,ຊື່ວຽກງານ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,ບັນດາຜະລິດຕະພັນທີ່ໄດ້ສ້າງແລ້ວສໍາລັບຄໍາສັ່ງເຮັດວຽກ +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ກະລຸນາລົບ Employee {0} \ ເພື່ອຍົກເລີກເອກະສານນີ້" ,Amount to Deliver,Amount to Deliver apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,ບໍລິສັດ {0} ບໍ່ມີຢູ່ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,ບໍ່ມີການສະເຫນີຂໍ້ມູນວັດຖຸທີ່ຍັງຄ້າງຢູ່ເພື່ອເຊື່ອມຕໍ່ສໍາລັບລາຍການທີ່ກໍານົດໄວ້. @@ -5336,6 +5390,7 @@ DocType: Program Enrollment,Enrolled courses,ຫຼັກສູດການລ DocType: Lab Prescription,Test Code,Test Code DocType: Purchase Taxes and Charges,On Previous Row Total,ໃນແຖວກ່ອນຫນ້າທັງຫມົດ DocType: Student,Student Email Address,ທີ່ຢູ່ອີເມວນັກຮຽນ +,Delayed Item Report,ລາຍງານຂໍ້ມູນທີ່ລ່າຊ້າ DocType: Academic Term,Education,ການສຶກສາ DocType: Supplier Quotation,Supplier Address,ທີ່ຢູ່ຂອງຜູ້ສະຫນອງ DocType: Salary Detail,Do not include in total,ບໍ່ລວມຢູ່ໃນທັງຫມົດ @@ -5343,7 +5398,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ບໍ່ມີ DocType: Purchase Receipt Item,Rejected Quantity,ປະຕິເສດຈໍານວນ DocType: Cashier Closing,To TIme,ເພື່ອ TIme -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: Daily Work Summary Group User,Daily Work Summary Group User,ຜູ້ປະສານງານກຸ່ມປະຈໍາວັນປະຈໍາວັນ DocType: Fiscal Year Company,Fiscal Year Company,Fiscal Year Company apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,ລາຍການທາງເລືອກຕ້ອງບໍ່ຄືກັບລະຫັດສິນຄ້າ @@ -5395,6 +5449,7 @@ DocType: Program Fee,Program Fee,ຄ່າທໍານຽມຂອງໂຄງ DocType: Delivery Settings,Delay between Delivery Stops,ການຊັກຊ້າລະຫວ່າງຈັດສົ່ງຢຸດ DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Stocks Older Than [Days] DocType: Promotional Scheme,Promotional Scheme Product Discount,Promotional Scheme Product Discount +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ປະສິດທິພາບບັນຫາມີຢູ່ແລ້ວ DocType: Account,Asset Received But Not Billed,ຊັບສິນໄດ້ຮັບແຕ່ບໍ່ຖືກເອີ້ນເກັບເງິນ DocType: POS Closing Voucher,Total Collected Amount,ຈໍານວນລວມທີ່ໄດ້ເກັບກໍາ DocType: Course,Default Grading Scale,Default Grading Scale @@ -5437,6 +5492,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,ເງື່ອນໄຂການປະຕິບັດ apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,ກຸ່ມທີ່ບໍ່ແມ່ນກຸ່ມ DocType: Student Guardian,Mother,ແມ່ +DocType: Issue,Service Level Agreement Fulfilled,ລະດັບການໃຫ້ບໍລິການທີ່ໄດ້ປະຕິບັດ DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,ເອົາພາສີອາກອນສໍາລັບຜົນປະໂຫຍດຂອງພະນັກງານທີ່ບໍ່ໄດ້ຮັບຄວາມເອົາໃຈໃສ່ DocType: Travel Request,Travel Funding,ເງິນທຶນການເດີນທາງ DocType: Shipping Rule,Fixed,ແກ້ໄຂ @@ -5466,10 +5522,12 @@ DocType: Item,Warranty Period (in days),ໄລຍະເວລາຮັບປະ apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,ບໍ່ພົບລາຍການ. DocType: Item Attribute,From Range,From Range DocType: Clinical Procedure,Consumables,Consumables +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' ແລະ 'timestamp' ແມ່ນຕ້ອງການ. DocType: Purchase Taxes and Charges,Reference Row #,Reference Row # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},ກະລຸນາຕັ້ງຄ່າສູນຕົ້ນທຶນການຫັກຄ່າສິນຊັບໃນບໍລິສັດ {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,ລະດັບ # {0}: ເອກະສານການຈ່າຍເງິນແມ່ນຕ້ອງການເພື່ອໃຫ້ສໍາເລັດການປະຕິບັດງານ DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ກົດປຸ່ມນີ້ເພື່ອດຶງຂໍ້ມູນສັ່ງຊື້ຂາຍຂອງທ່ານຈາກ Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),ເວລາເຮັດວຽກຂ້າງລຸ່ມນີ້ເຊິ່ງຫມາຍເຖິງມື້ເຄິ່ງມື້. (ສູນທີ່ຈະປິດການໃຊ້ງານ) ,Assessment Plan Status,ສະຖານະພາບແຜນການປະເມີນຜົນ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,ກະລຸນາເລືອກ {0} ກ່ອນ apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,ສົ່ງຂໍ້ມູນນີ້ເພື່ອສ້າງບັນທຶກພະນັກງານ @@ -5540,6 +5598,7 @@ DocType: Quality Procedure,Parent Procedure,ຂັ້ນຕອນຂອງພໍ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Set Open apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Toggle Filters DocType: Production Plan,Material Request Detail,Material Request Detail +DocType: Shift Type,Process Attendance After,Process Attendance After DocType: Material Request Item,Quantity and Warehouse,ຈໍານວນແລະຄັງສິນຄ້າ apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,ໄປທີ່ໂຄງການ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},ແຖວ # {0}: ການຄັດລອກເຂົ້າໃນເອກະສານອ້າງອີງ {1} {2} @@ -5597,6 +5656,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,ຂໍ້ມູນຂອງພັກ apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),ເຈົ້າຫນີ້ ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,ເຖິງວັນທີບໍ່ສາມາດມີຫຼາຍກ່ວາວັນທີ່ໄດ້ຮັບການຍົກເວັ້ນຂອງພະນັກງານ +DocType: Shift Type,Enable Exit Grace Period,ອະນຸຍາດໃຫ້ໄລຍະເວລາການປ່ອຍກໍາໄລອອກ DocType: Expense Claim,Employees Email Id,Email Id Employees DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ປັບປຸງລາຄາຈາກ Shopify ກັບລາຄາລາຍະການ ERPNext ລາຍະການ DocType: Healthcare Settings,Default Medical Code Standard,ມາດຕະຖານມາດຕະຖານການແພດ @@ -5627,7 +5687,6 @@ DocType: Item Group,Item Group Name,ຊື່ກຸ່ມສິນຄ້າ DocType: Budget,Applicable on Material Request,ສາມາດໃຊ້ໄດ້ກັບການຮ້ອງຂໍວັດສະດຸ DocType: Support Settings,Search APIs,ຊອກຫາ APIs DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,ອັດຕາສ່ວນເກີນມູນຄ່າສໍາລັບຄໍາສັ່ງຂາຍ -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,ຂໍ້ມູນຈໍາເພາະ DocType: Purchase Invoice,Supplied Items,ສິນຄ້າທີ່ສະຫນອງ DocType: Leave Control Panel,Select Employees,ເລືອກພະນັກງານ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},ເລືອກບັນຊີລາຍຮັບດອກເບ້ຍໃນການກູ້ຢືມເງິນ {0} @@ -5653,7 +5712,7 @@ DocType: Salary Slip,Deductions,ການຫັກລົບ ,Supplier-Wise Sales Analytics,ການວິເຄາະຝ່າຍຂາຍຜູ້ສະຫນອງ - ສະຫລາດ DocType: GSTR 3B Report,February,ເດືອນກຸມພາ DocType: Appraisal,For Employee,ສໍາລັບພະນັກງານ -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,ວັນຈັດສົ່ງທີ່ແທ້ຈິງ +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,ວັນຈັດສົ່ງທີ່ແທ້ຈິງ DocType: Sales Partner,Sales Partner Name,ຊື່ຜູ້ຂາຍຂາຍ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,ໄລຍະຫັກຄ່າທໍານຽມ {0}: ວັນທີເລີ່ມຕົ້ນການເສື່ອມລາຄາຖືກລົງເປັນວັນທີ່ຜ່ານມາ DocType: GST HSN Code,Regional,ພາກພື້ນ @@ -5692,6 +5751,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,ໃ DocType: Supplier Scorecard,Supplier Scorecard,Scorecard Supplier DocType: Travel Itinerary,Travel To,ການເດີນທາງໄປ apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Mark Attendance +DocType: Shift Type,Determine Check-in and Check-out,ກໍານົດເຊັກອິນແລະເຊັກເອົາ DocType: POS Closing Voucher,Difference,ຄວາມແຕກຕ່າງ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,ຂະຫນາດນ້ອຍ DocType: Work Order Item,Work Order Item,Work Order Item @@ -5725,6 +5785,7 @@ DocType: Sales Invoice,Shipping Address Name,ຊື່ສະຖານທີ່ apps/erpnext/erpnext/healthcare/setup.py,Drug,ຢາເສບຕິດ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} ຖືກປິດ DocType: Patient,Medical History,ປະຫວັດການແພດ +DocType: Expense Claim,Expense Taxes and Charges,ຄ່າພາສີແລະຄ່າບໍລິການ DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,ຈໍານວນວັນນັບແຕ່ວັນທີໃບແຈ້ງຫນີ້ໄດ້ຖືກຍົກເລີກກ່ອນທີ່ຈະຍົກເລີກການຈອງຫຼືລົງທະບຽນເຄື່ອງຫມາຍທີ່ບໍ່ເສຍຄ່າ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,ຫມາຍເຫດການຕິດຕັ້ງ {0} ໄດ້ຖືກສົ່ງແລ້ວ DocType: Patient Relation,Family,ຄອບຄົວ @@ -5757,7 +5818,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,ຄວາມເຂັ້ມແຂງ apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} ຫນ່ວຍງານຂອງ {1} ຕ້ອງການໃນ {2} ເພື່ອສໍາເລັດການເຮັດທຸລະກໍານີ້. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush ວັດຖຸດິບຂອງ Subcontract Based On -DocType: Bank Guarantee,Customer,ລູກຄ້າ DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","ຖ້າເປີດໃຊ້, ໄລຍະທາງວິຊາການຈະເປັນການບັງຄັບໃນເຄື່ອງມືການເຂົ້າຮຽນຂອງໂຄງການ." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","ສໍາລັບກຸ່ມນັກຮຽນຂັ້ນພື້ນຖານ, ລະຫັດນັກຮຽນຈະໄດ້ຮັບການກວດສອບສໍາລັບນັກຮຽນທຸກຄົນຈາກການລົງທະບຽນເຂົ້າຮຽນ." DocType: Course,Topics,ຫົວຂໍ້ @@ -5837,6 +5897,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,ຫມວດສະມາຊິກ DocType: Warranty Claim,Service Address,ທີ່ຢູ່ບໍລິການ DocType: Journal Entry,Remark,ຫມາຍເຫດ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ແຖວ {0}: ຈໍານວນບໍ່ສາມາດໃຊ້ໄດ້ສໍາລັບ {4} ໃນສາງ {1} ໃນເວລາຂຽນຂອງການເຂົ້າ ({2} {3}) DocType: Patient Encounter,Encounter Time,Encounter Time DocType: Serial No,Invoice Details,ລາຍະລະອຽດໃບເກັບເງິນ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","ບັນຊີອື່ນສາມາດເຮັດໄດ້ພາຍໃຕ້ກຸ່ມ, ແຕ່ສາມາດບັນທຶກຂໍ້ມູນຕໍ່ກຸ່ມທີ່ບໍ່ແມ່ນກຸ່ມ" @@ -5916,6 +5977,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),ປິດ (ເປີດ + ລວມ) DocType: Supplier Scorecard Criteria,Criteria Formula,Criteria Formula apps/erpnext/erpnext/config/support.py,Support Analytics,ສະຫນັບສະຫນູນການວິເຄາະ +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID ອຸປະກອນການເຂົ້າຮ່ວມ (Identity ID Biometric / RF) apps/erpnext/erpnext/config/quality_management.py,Review and Action,ການທົບທວນແລະການປະຕິບັດ DocType: Account,"If the account is frozen, entries are allowed to restricted users.","ຖ້າບັນຊີຖືກແຊກແຊງ, ລາຍການຈະຖືກອະນຸຍາດໃຫ້ຜູ້ໃຊ້ຖືກຈໍາກັດ." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,ຈໍານວນເງິນຫລັງການຫັກຄ່າ @@ -5937,6 +5999,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,ການຊໍາລະເງິນກູ້ DocType: Employee Education,Major/Optional Subjects,ຫົວຂໍ້ຕົ້ນຕໍ / ທາງເລືອກ DocType: Soil Texture,Silt,Silt +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,ທີ່ຢູ່ຂອງຜູ້ສະຫນອງແລະລາຍຊື່ຜູ້ຕິດຕໍ່ DocType: Bank Guarantee,Bank Guarantee Type,Bank Guarantee Type DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","ຖ້າຫາກວ່າປິດການໃຊ້ງານ, ກໍລະນີ 'Rounded Total' ຈະບໍ່ສາມາດເຫັນໄດ້ໃນການເຮັດທຸລະກໍາໃດໆ" DocType: Pricing Rule,Min Amt,Min Amt @@ -5975,6 +6038,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,ການເປີດບັນຊີລາຍການເຄື່ອງມືການສ້າງໃບເກັບເງິນ DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,ລວມທຸລະກໍາ POS +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ບໍ່ມີພະນັກງານພົບເຫັນສໍາລັບມູນຄ່າພາກສະຫນາມຂອງພະນັກງານທີ່ໄດ້ຮັບ. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),ຈໍານວນເງິນທີ່ໄດ້ຮັບ (ເງິນສະກຸນຂອງບໍລິສັດ) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage ເຕັມ, ບໍ່ໄດ້ປະຢັດ" DocType: Chapter Member,Chapter Member,Chapter Member @@ -6007,6 +6071,7 @@ DocType: SMS Center,All Lead (Open),ທັງຫມົດນໍາ (ເປີດ apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,ບໍ່ມີກຸ່ມນັກສຶກສາສ້າງ. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},ລວບລວມແຖວ {0} ທີ່ມີ {1} ດຽວ DocType: Employee,Salary Details,ລາຍະລະອຽດເງິນເດືອນ +DocType: Employee Checkin,Exit Grace Period Consequence,Exit Grace Period Consequence DocType: Bank Statement Transaction Invoice Item,Invoice,ໃບແຈ້ງຫນີ້ DocType: Special Test Items,Particulars,Particulars apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,ກະລຸນາຕັ້ງຄ່າຕົວກອງທີ່ອີງໃສ່ Item ຫຼື Warehouse @@ -6108,6 +6173,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,ອອກຈາກ AMC DocType: Job Opening,"Job profile, qualifications required etc.","ປະວັດການເຮັດວຽກ, ຄຸນສົມບັດທີ່ຕ້ອງການແລະອື່ນໆ." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Ship To State +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,ທ່ານຕ້ອງການສົ່ງຄໍາຮ້ອງຂໍອຸປະກອນ DocType: Opportunity Item,Basic Rate,ອັດຕາພື້ນຖານ DocType: Compensatory Leave Request,Work End Date,Work End Date apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Request for Raw Materials @@ -6292,6 +6358,7 @@ DocType: Depreciation Schedule,Depreciation Amount,ຄ່າເສື່ອມ DocType: Sales Order Item,Gross Profit,Gross Profit DocType: Quality Inspection,Item Serial No,Item Serial No DocType: Asset,Insurer,ຜູ້ປະກັນໄພ +DocType: Employee Checkin,OUT,ອອກໄປ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,ຈໍານວນຊື້ DocType: Asset Maintenance Task,Certificate Required,ໃບຢັ້ງຢືນທີ່ຕ້ອງການ DocType: Retention Bonus,Retention Bonus,Bonus Retention @@ -6407,6 +6474,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),ຈໍານວນ DocType: Invoice Discounting,Sanctioned,ຖືກລົງໂທດ DocType: Course Enrollment,Course Enrollment,Course enrollment DocType: Item,Supplier Items,ສິນຄ້າຜູ້ຜະລິດ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",ເວລາເລີ່ມຕົ້ນບໍ່ສາມາດໃຫຍ່ກວ່າຫລືເທົ່າກັບເວລາສິ້ນສຸດສໍາລັບ {0}. DocType: Sales Order,Not Applicable,ບໍ່ສາມາດນໍາໃຊ້ໄດ້ DocType: Support Search Source,Response Options,ຕົວເລືອກການຕອບສະຫນອງ apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} ຄວນເປັນຄ່າລະຫວ່າງ 0 ແລະ 100 @@ -6493,7 +6562,6 @@ DocType: Travel Request,Costing,ຄ່າໃຊ້ຈ່າຍ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Fixed Assets DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,ລວມລາຍໄດ້ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ລູກຄ້າ> ກຸ່ມລູກຄ້າ> ອານາເຂດ DocType: Share Balance,From No,ຈາກ No DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ໃບເກັບເງິນການຄືນເງິນການຊໍາລະເງິນ DocType: Purchase Invoice,Taxes and Charges Added,ພາສີແລະຄ່າບໍລິການເພີ່ມ @@ -6601,6 +6669,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignore Rule ລາຄາ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ອາຫານ DocType: Lost Reason Detail,Lost Reason Detail,Lost Reason Detail +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},ຈໍານວນ serial ດັ່ງຕໍ່ໄປນີ້ໄດ້ຖືກສ້າງຂື້ນ:
{0} DocType: Maintenance Visit,Customer Feedback,Customer Feedback DocType: Serial No,Warranty / AMC Details,ລາຍະລະອຽດການຮັບປະກັນ / AMC DocType: Issue,Opening Time,ເປີດເວລາ @@ -6650,6 +6719,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,ຊື່ບໍລິສັດບໍ່ຄືກັນ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,ບໍ່ສາມາດສົ່ງສົ່ງເສີມການພະນັກງານກ່ອນວັນສົ່ງເສີມໄດ້ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ບໍ່ອະນຸຍາດໃຫ້ອັບເດດການເຮັດທຸລະກໍາເກົ່າກວ່າ {0} +DocType: Employee Checkin,Employee Checkin,Employee Checkin apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},ວັນເລີ່ມຕົ້ນຄວນຈະນ້ອຍກວ່າວັນທີສຸດທ້າຍສໍາລັບລາຍການ {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,ສ້າງວົງຢືມຂອງລູກຄ້າ DocType: Buying Settings,Buying Settings,ຊື້ການຕັ້ງຄ່າ @@ -6671,6 +6741,7 @@ DocType: Job Card Time Log,Job Card Time Log,Job Card Time Log DocType: Patient,Patient Demographics,Patient Demographics DocType: Share Transfer,To Folio No,To Folio No apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Cash Flow from Operations +DocType: Employee Checkin,Log Type,ປະເພດລາຍເຊັນ DocType: Stock Settings,Allow Negative Stock,ອະນຸຍາດໃຫ້ຊື້ຂາຍຫຼັກຊັບ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,ບໍ່ມີລາຍການໃດໆມີການປ່ຽນແປງໃນປະລິມານຫຼືມູນຄ່າ. DocType: Asset,Purchase Date,ວັນທີ່ຊື້ @@ -6715,6 +6786,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Very Hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,ເລືອກລັກສະນະຂອງທຸລະກິດຂອງທ່ານ. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,ກະລຸນາເລືອກເດືອນແລະປີ +DocType: Service Level,Default Priority,ຄວາມສໍາຄັນເບື້ອງຕົ້ນ DocType: Student Log,Student Log,Student Log DocType: Shopping Cart Settings,Enable Checkout,Enable Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,ຊັບພະຍາກອນມະນຸດ @@ -6743,7 +6815,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ເຊື່ອມຕໍ່ Shopify ກັບ ERPNext DocType: Homepage Section Card,Subtitle,Subtitle DocType: Soil Texture,Loam,Loam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Supplier> Supplier Type DocType: BOM,Scrap Material Cost(Company Currency),ຕົ້ນທຶນວັດຖຸດິບ (ເງິນບໍລິສັດ) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ບໍ່ຕ້ອງສົ່ງຄໍາສົ່ງ {0} ໄປ DocType: Task,Actual Start Date (via Time Sheet),ວັນທີເລີ່ມຕົ້ນທີ່ແທ້ຈິງ (ຜ່ານເວລາ) @@ -6799,6 +6870,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosage DocType: Cheque Print Template,Starting position from top edge,ຕໍາແຫນ່ງເລີ່ມຕົ້ນຈາກຂອບດ້ານເທິງ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),ໄລຍະເວລານັດຫມາຍ (ນາທີ) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},ພະນັກງານນີ້ມີບັນທຶກທີ່ມີເວລາດຽວກັນ. {0} DocType: Accounting Dimension,Disable,ປິດການໃຊ້ວຽກ DocType: Email Digest,Purchase Orders to Receive,ຊື້ຄໍາສັ່ງທີ່ຈະໄດ້ຮັບ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,ໃບສັ່ງຜະລິດບໍ່ສາມາດຍົກຂຶ້ນມາໄດ້ສໍາລັບ: @@ -6814,7 +6886,6 @@ DocType: Production Plan,Material Requests,Material Requests DocType: Buying Settings,Material Transferred for Subcontract,ການໂອນສິນຄ້າສໍາລັບການເຮັດສັນຍາຍ່ອຍ DocType: Job Card,Timing Detail,Timing Detail apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Required On -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},ການນໍາເຂົ້າ {0} ຂອງ {1} DocType: Job Offer Term,Job Offer Term,Job Offer Term DocType: SMS Center,All Contact,ຕິດຕໍ່ທັງຫມົດ DocType: Project Task,Project Task,ໂຄງການໂຄງການ @@ -6865,7 +6936,6 @@ DocType: Student Log,Academic,ການສຶກສາ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,ລາຍການ {0} ບໍ່ແມ່ນການຕິດຕັ້ງສໍາລັບ Serial Nos apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,ຈາກລັດ DocType: Leave Type,Maximum Continuous Days Applicable,ມື້ຕໍ່ເນື່ອງສູງສຸດສາມາດໃຊ້ໄດ້ -apps/erpnext/erpnext/config/support.py,Support Team.,ທີມງານສະຫນັບສະຫນູນ. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,ກະລຸນາໃສ່ຊື່ບໍລິສັດກ່ອນ apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,ນໍາເຂົ້າປະສົບຜົນສໍາເລັດ DocType: Guardian,Alternate Number,Alternate Number @@ -6957,6 +7027,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,ແຖວ # {0}: ລາຍການເພີ່ມ DocType: Student Admission,Eligibility and Details,ສິດແລະລາຍລະອຽດ DocType: Staffing Plan,Staffing Plan Detail,Staffing Plan Detail +DocType: Shift Type,Late Entry Grace Period,Late Entry Grace Period DocType: Email Digest,Annual Income,ລາຍຮັບປະຈໍາປີ DocType: Journal Entry,Subscription Section,Section Subscription DocType: Salary Slip,Payment Days,ວັນຈ່າຍ @@ -7007,6 +7078,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,ຍອດເງິນຂອງບັນຊີ DocType: Asset Maintenance Log,Periodicity,ໄລຍະເວລາ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Medical Record +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,ປະເພດໃບປະກາດແມ່ນຕ້ອງການສໍາລັບການກວດສອບການຕົກລົງໃນການປ່ຽນແປງ: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,ການປະຕິບັດ DocType: Item,Valuation Method,Valuation Method apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} ຕໍ່ Sales Invoice {1} @@ -7091,6 +7163,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,ຄ່າໃຊ້ຈ DocType: Loan Type,Loan Name,ຊື່ການກູ້ຢືມ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ຕັ້ງຄ່າໂຫມດການຈ່າຍເງິນແບບເດີມ DocType: Quality Goal,Revision,ການແກ້ໄຂ +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,ເວລາກ່ອນທີ່ຈະປ່ຽນເວລາປ່ຽນເວລາເຊັກເອົາແມ່ນຖືວ່າເປັນຕົ້ນ (ໃນນາທີ). DocType: Healthcare Service Unit,Service Unit Type,Service Unit Type DocType: Purchase Invoice,Return Against Purchase Invoice,ກັບຄືນໄປບ່ອນຊື້ໃບເກັບເງິນ apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,ສ້າງຄວາມລັບ @@ -7246,12 +7319,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,ເຄື່ອງສໍາອາງ DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,ກວດເບິ່ງນີ້ຖ້າທ່ານຕ້ອງການບັງຄັບໃຫ້ຜູ້ໃຊ້ເລືອກຊຸດກ່ອນທີ່ຈະບັນທຶກ. ຈະບໍ່ມີຄ່າເລີ່ມຕົ້ນຖ້າທ່ານກວດສອບນີ້. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ຜູ້ທີ່ມີພາລະບົດບາດນີ້ຖືກອະນຸຍາດໃຫ້ຕັ້ງບັນຊີທີ່ແຊກແຊງແລະສ້າງ / ດັດແກ້ບັນຊີການບັນຊີກັບບັນຊີ frozen +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມສິນຄ້າ> ຍີ່ຫໍ້ DocType: Expense Claim,Total Claimed Amount,ຈໍານວນການຮ້ອງຂໍທັງຫມົດ 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} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Wrapping up apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,ທ່ານພຽງແຕ່ສາມາດຕໍ່ອາຍຸຖ້າວ່າສະມາຊິກຂອງທ່ານຫມົດອາຍຸພາຍໃນ 30 ວັນ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},ມູນຄ່າຕ້ອງລະຫວ່າງ {0} ແລະ {1} DocType: Quality Feedback,Parameters,Parameters +DocType: Shift Type,Auto Attendance Settings,Auto Attendance Settings ,Sales Partner Transaction Summary,Sales Partner Summary Summary DocType: Asset Maintenance,Maintenance Manager Name,Maintenance Manager Name apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,ມັນຈໍາເປັນຕ້ອງໄດ້ຄົ້ນຫາລາຍະລະອຽດຂອງສິນຄ້າ. @@ -7343,10 +7418,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Validate Applied Rule DocType: Job Card Item,Job Card Item,Job Card Item DocType: Homepage,Company Tagline for website homepage,Company Tagline for homepage homepage +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,ກໍານົດເວລາຕອບສະຫນອງແລະຄວາມລະອຽດສໍາລັບຄວາມເຫມາະສົມ {0} ທີ່ດັດສະນີ {1}. DocType: Company,Round Off Cost Center,ສູນສໍາລັບຈຸດສູນກາງ DocType: Supplier Scorecard Criteria,Criteria Weight,Criteria Weight DocType: Asset,Depreciation Schedules,ຕາຕະລາງການຫັກຄ່າ -DocType: Expense Claim Detail,Claim Amount,ຈໍານວນເງິນທີ່ຮ້ອງຂໍ DocType: Subscription,Discounts,ລາຄາຜ່ອນຜັນ DocType: Shipping Rule,Shipping Rule Conditions,Shipping Rule ເງື່ອນໄຂ DocType: Subscription,Cancelation Date,ວັນທີຍົກເລີກ @@ -7374,7 +7449,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,ສ້າງລາຍ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,ສະແດງຄ່າສູນ DocType: Employee Onboarding,Employee Onboarding,Employee Onboarding DocType: POS Closing Voucher,Period End Date,ວັນສິ້ນສຸດໄລຍະເວລາ -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,ໂອກາດການຂາຍໂດຍແຫຼ່ງຂໍ້ມູນ DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,ຜູ້ອອກໃບອະນຸຍາດທໍາອິດໃນບັນຊີຈະໄດ້ຮັບການກໍານົດໄວ້ເປັນຜູ້ໃຫ້ໃບອະນຸຍາດໄວ້ໃນຕອນຕົ້ນ. DocType: POS Settings,POS Settings,POS Settings apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,ບັນຊີທັງຫມົດ @@ -7395,7 +7469,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ລະດັບ # {0}: ອັດຕາຕ້ອງຄືກັບ {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR -YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Health Care Service Items -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,ບໍ່ພົບບັນທຶກ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Aging Range 3 DocType: Vital Signs,Blood Pressure,ຄວາມດັນເລືອດ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,ເປົ້າຫມາຍສຸດ @@ -7442,6 +7515,7 @@ DocType: Company,Existing Company,ບໍລິສັດທີ່ມີຢູ່ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Batches apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,ປ້ອງກັນ DocType: Item,Has Batch No,Has Batch No +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,ວັນທີລ່າຊ້າ DocType: Lead,Person Name,ຊື່ບຸກຄົນ DocType: Item Variant,Item Variant,Item Variant DocType: Training Event Employee,Invited,ເຊີນ @@ -7463,7 +7537,7 @@ DocType: Purchase Order,To Receive and Bill,ຮັບແລະຮັບເງິ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","ວັນທີເລີ່ມຕົ້ນແລະສິ້ນສຸດບໍ່ໄດ້ຢູ່ໃນໄລຍະເວລາຊໍາລະເງິນທີ່ຖືກຕ້ອງ, ບໍ່ສາມາດຄິດໄລ່ {0}." DocType: POS Profile,Only show Customer of these Customer Groups,ສະແດງໃຫ້ເຫັນລູກຄ້າຂອງກຸ່ມລູກຄ້າເຫຼົ່ານີ້ເທົ່ານັ້ນ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ເລືອກລາຍການເພື່ອບັນທຶກໃບເກັບເງິນ -DocType: Service Level,Resolution Time,Resolution Time +DocType: Service Level Priority,Resolution Time,Resolution Time DocType: Grading Scale Interval,Grade Description,ລາຍລະອຽດຂອງຊັ້ນ DocType: Homepage Section,Cards,ບັດ DocType: Quality Meeting Minutes,Quality Meeting Minutes,Quality Meeting Minutes @@ -7490,6 +7564,7 @@ DocType: Project,Gross Margin %,Gross Margin% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,ຍອດເງິນງົບປະມານຂອງທະນາຄານຕາມລາຍຊື່ຜູ້ນໍາທົ່ວໄປ apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),ສຸຂະພາບ (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,ຄັງສິນຄ້າມາດຕະຖານເພື່ອສ້າງຄໍາສັ່ງຊື້ຂາຍແລະຫມາຍສົ່ງສິນຄ້າ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,ເວລາຕອບສະຫນອງສໍາລັບ {0} ຢູ່ດັດຊະນີ {1} ບໍ່ສາມາດຈະສູງກວ່າເວລາທີ່ມີຄວາມລະອຽດ. DocType: Opportunity,Customer / Lead Name,ຊື່ລູກຄ້າ / ຊື່ຜູ້ນໍາ DocType: Student,EDU-STU-.YYYY.-,EDU-STU-yYYY.- DocType: Expense Claim Advance,Unclaimed amount,ຈໍານວນເງິນທີ່ບໍ່ໄດ້ຮັບການເອີ້ນ @@ -7536,7 +7611,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,ການນໍາເຂົ້າພາກສ່ວນແລະທີ່ຢູ່ອາໄສ DocType: Item,List this Item in multiple groups on the website.,ລາຍຊື່ລາຍການນີ້ຢູ່ໃນຫລາຍກຸ່ມຢູ່ໃນເວັບໄຊທ໌. DocType: Request for Quotation,Message for Supplier,ຂໍ້ຄວາມສໍາລັບຜູ້ຜະລິດ -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,ບໍ່ສາມາດປ່ຽນແປງ {0} ເປັນການຊື້ຂາຍຫຼັກຊັບສໍາລັບລາຍການ {1}. DocType: Healthcare Practitioner,Phone (R),ໂທລະສັບ (R) DocType: Maintenance Team Member,Team Member,ທີມງານສະມາຊິກ DocType: Asset Category Account,Asset Category Account,Asset Category Account diff --git a/erpnext/translations/lt.csv b/erpnext/translations/lt.csv index 63422b2adc..7e631f1d2f 100644 --- a/erpnext/translations/lt.csv +++ b/erpnext/translations/lt.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Termino pradžios data apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Paskyrimas {0} ir pardavimo sąskaita {1} atšauktos DocType: Purchase Receipt,Vehicle Number,Transporto priemonės numeris apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Jūsų elektroninio pašto adresas... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Įtraukti numatytuosius knygų įrašus +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Įtraukti numatytuosius knygų įrašus DocType: Activity Cost,Activity Type,Veiklos tipas DocType: Purchase Invoice,Get Advances Paid,Gauti išankstinius mokėjimus DocType: Company,Gain/Loss Account on Asset Disposal,Pelno (nuostolio) ataskaita dėl turto disponavimo @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Ką tai daro? DocType: Bank Reconciliation,Payment Entries,Mokėjimo įrašai DocType: Employee Education,Class / Percentage,Klasė / procentinė dalis ,Electronic Invoice Register,Elektroninių sąskaitų faktūrų registras +DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Įvykių skaičius, po kurio įvykdoma pasekmė." DocType: Sales Invoice,Is Return (Credit Note),Ar grąža (kredito pastaba) +DocType: Price List,Price Not UOM Dependent,Kaina nėra UOM priklausoma DocType: Lab Test Sample,Lab Test Sample,Laboratorinio tyrimo pavyzdys DocType: Shopify Settings,status html,būsena html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Pavyzdžiui, 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Produkto paiešk DocType: Salary Slip,Net Pay,Grynasis darbo užmokestis apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Iš viso sąskaitoje faktūroje nurodyta suma DocType: Clinical Procedure,Consumables Invoice Separately,Eksploatacinių medžiagų sąskaita faktūra atskirai +DocType: Shift Type,Working Hours Threshold for Absent,Nėra darbo valandų ribos DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Biudžetas negali būti priskirtas prie grupės paskyros {0} DocType: Purchase Receipt Item,Rate and Amount,Kursas ir suma @@ -377,7 +380,6 @@ DocType: Sales Invoice,Set Source Warehouse,Nustatykite šaltinio sandėlį DocType: Healthcare Settings,Out Patient Settings,Iš paciento nustatymų DocType: Asset,Insurance End Date,Draudimo pabaigos data DocType: Bank Account,Branch Code,Filialo kodas -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Laikas reaguoti apps/erpnext/erpnext/public/js/conf.js,User Forum,Vartotojo forumas DocType: Landed Cost Item,Landed Cost Item,Išvesties kaina 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 @@ -595,6 +597,7 @@ DocType: Lead,Lead Owner,Pagrindinis savininkas DocType: Share Transfer,Transfer,Perkėlimas apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Paieškos elementas (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Rezultatai pateikiami +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Nuo datos negali būti daugiau nei iki šiol DocType: Supplier,Supplier of Goods or Services.,Prekių ar paslaugų teikėjas. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Naujos paskyros pavadinimas. Pastaba: nesukurkite klientų ir tiekėjų paskyrų apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentų grupė arba kursų tvarkaraštis yra privalomas @@ -879,7 +882,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Potencialių DocType: Skill,Skill Name,Įgūdžių pavadinimas apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Spausdinti ataskaitos kortelę DocType: Soil Texture,Ternary Plot,Trivietis sklypas -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nustatykite {0} pavadinimo seriją naudodami sąrankos nustatymus> Nustatymai> Pavadinimo serija apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Palaikymo bilietai DocType: Asset Category Account,Fixed Asset Account,Fiksuoto turto sąskaita apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Naujausi @@ -892,6 +894,7 @@ DocType: Delivery Trip,Distance UOM,Atstumas UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Privalomas balansui DocType: Payment Entry,Total Allocated Amount,Bendra skirta suma DocType: Sales Invoice,Get Advances Received,Gaukite gautus avansus +DocType: Shift Type,Last Sync of Checkin,Paskutinis „Checkin“ sinchronizavimas DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,"Sumos, įtrauktos į vertę, suma" apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -900,7 +903,9 @@ DocType: Subscription Plan,Subscription Plan,Prenumeratos planas DocType: Student,Blood Group,Kraujo grupė apps/erpnext/erpnext/config/healthcare.py,Masters,Meistrai DocType: Crop,Crop Spacing UOM,Apkarpyti tarpą UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,"Laikas po pamainos pradžios, kai registracija laikoma vėlyvu (minutėmis)." apps/erpnext/erpnext/templates/pages/home.html,Explore,Naršyti +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nerasta neapmokėtų sąskaitų faktūrų apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} laisvų darbo vietų ir {1} biudžetas {2} jau numatytas {3} dukterinėms įmonėms. Jūs galite planuoti tik iki {4} laisvas darbo vietas ir biudžetą {5} pagal personalo planą {6} patronuojančiai bendrovei {3}. DocType: Promotional Scheme,Product Discount Slabs,Produkto nuolaidų plokštės @@ -1001,6 +1006,7 @@ DocType: Attendance,Attendance Request,Dalyvavimo prašymas DocType: Item,Moving Average,Kintantis vidurkis DocType: Employee Attendance Tool,Unmarked Attendance,Nepažymėtas lankymas DocType: Homepage Section,Number of Columns,Stulpelių skaičius +DocType: Issue Priority,Issue Priority,Emisijos prioritetas DocType: Holiday List,Add Weekly Holidays,Pridėti savaitės šventes DocType: Shopify Log,Shopify Log,„Shopify“ žurnalas apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Sukurkite atlyginimo lapelį @@ -1009,6 +1015,7 @@ DocType: Job Offer Term,Value / Description,Vertė / aprašymas DocType: Warranty Claim,Issue Date,Išdavimo data 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,"Pasirinkite elementą {0}. Nepavyko rasti vienos partijos, kuri atitinka šį reikalavimą" apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Nepavyksta sukurti kairiojo darbuotojo išlaikymo premijos +DocType: Employee Checkin,Location / Device ID,Vietos / įrenginio ID DocType: Purchase Order,To Receive,Gauti apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,"Esate neprisijungus. Jūs negalėsite įkrauti, kol neturėsite tinklo." DocType: Course Activity,Enrollment,Registracija @@ -1017,7 +1024,6 @@ DocType: Lab Test Template,Lab Test Template,Lab bandymo šablonas apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks.: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informacijos apie e. Sąskaitą faktūros trūksta apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nėra sukurtas materialus prašymas -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Elemento kodas> Prekių grupė> Gamintojas DocType: Loan,Total Amount Paid,Iš viso sumokėta suma apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Visi šie elementai jau buvo išrašyti sąskaitoje DocType: Training Event,Trainer Name,Trenerio vardas @@ -1128,6 +1134,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Nurodykite pagrindinį pavadinimą lyderyje {0} DocType: Employee,You can enter any date manually,Bet kurią datą galite įvesti rankiniu būdu DocType: Stock Reconciliation Item,Stock Reconciliation Item,Akcijų suderinimo punktas +DocType: Shift Type,Early Exit Consequence,Ankstyvo išėjimo pasekmė DocType: Item Group,General Settings,Bendrieji nustatymai apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Galutinė data negali būti iki paskelbimo / tiekėjo sąskaitos faktūros datos apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Prieš pateikdami nurodykite gavėjo vardą. @@ -1166,6 +1173,7 @@ DocType: Account,Auditor,Auditorius apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Mokėjimo patvirtinimas ,Available Stock for Packing Items,Galimos pakuotės atsargos apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Pašalinkite šią sąskaitą faktūrą {0} iš „C“ formos {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Kiekvienas galiojantis įsiregistravimas ir išsiregistravimas DocType: Support Search Source,Query Route String,Užklausos maršruto eilutė DocType: Customer Feedback Template,Customer Feedback Template,Klientų atsiliepimų šablonas apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Citatos vadovams arba klientams. @@ -1200,6 +1208,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Autorizacijos kontrolė ,Daily Work Summary Replies,Dienos darbo santrauka Atsakymai apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Jus pakvietė bendradarbiauti projekte: {0} +DocType: Issue,Response By Variance,Atsakymas pagal dispersiją DocType: Item,Sales Details,Pardavimo duomenys apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Spausdinimo šablonų raidės. DocType: Salary Detail,Tax on additional salary,Mokestis už papildomą atlyginimą @@ -1323,6 +1332,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Kliento a DocType: Project,Task Progress,Užduočių eiga DocType: Journal Entry,Opening Entry,Atidarymo įrašas DocType: Bank Guarantee,Charges Incurred,Mokesčiai +DocType: Shift Type,Working Hours Calculation Based On,Darbo valandų skaičiavimas pagrįstas DocType: Work Order,Material Transferred for Manufacturing,Gamybai perduota medžiaga DocType: Products Settings,Hide Variants,Slėpti variantus DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Išjungti pajėgumų planavimą ir laiko stebėjimą @@ -1352,6 +1362,7 @@ DocType: Account,Depreciation,Nusidėvėjimas DocType: Guardian,Interests,Pomėgiai DocType: Purchase Receipt Item Supplied,Consumed Qty,Vartojamas kiekis DocType: Education Settings,Education Manager,Švietimo vadybininkas +DocType: Employee Checkin,Shift Actual Start,„Shift Actual Start“ DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planuokite laiko žurnalus už darbo vietos darbo valandų. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Lojalumo taškai: {0} DocType: Healthcare Settings,Registration Message,Registracijos pranešimas @@ -1376,9 +1387,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Sąskaita jau sukurta visiems atsiskaitymo valandoms DocType: Sales Partner,Contact Desc,Susisiekite su Desc DocType: Purchase Invoice,Pricing Rules,Kainodaros taisyklės +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Kadangi esama operacijų pagal {0} elementą, {1} reikšmės negalite keisti" DocType: Hub Tracked Item,Image List,Vaizdų sąrašas DocType: Item Variant Settings,Allow Rename Attribute Value,Leisti Pervardyti atributo vertę -DocType: Price List,Price Not UOM Dependant,Kaina nėra UOM priklausoma apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Laikas (min.) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Pagrindiniai DocType: Loan,Interest Income Account,Palūkanų pajamų sąskaita @@ -1388,6 +1399,7 @@ DocType: Employee,Employment Type,Užimtumo tipas apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Pasirinkite POS profilį DocType: Support Settings,Get Latest Query,Gaukite naujausią užklausą DocType: Employee Incentive,Employee Incentive,Darbuotojų paskata +DocType: Service Level,Priorities,Prioritetai apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Pridėkite kortelių ar pasirinktinių skyrių pagrindiniame puslapyje DocType: Homepage,Hero Section Based On,„Hero“ skyrius pagrįstas DocType: Project,Total Purchase Cost (via Purchase Invoice),Bendra pirkimo kaina (naudojant pirkimo sąskaitą faktūrą) @@ -1448,7 +1460,7 @@ DocType: Work Order,Manufacture against Material Request,Gamyba pagal materialin DocType: Blanket Order Item,Ordered Quantity,Užsakytas kiekis apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},# {0} eilutė: atmestas sandėlis yra privalomas prieš atmestą {1} elementą ,Received Items To Be Billed,"Gauti daiktai, kuriuos reikia apmokėti" -DocType: Salary Slip Timesheet,Working Hours,Darbo valandos +DocType: Attendance,Working Hours,Darbo valandos apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Mokėjimo būdas apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,"Pirkimo užsakymas Prekių, kurie nebuvo gauti laiku" apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Trukmė dienomis @@ -1568,7 +1580,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,K DocType: Supplier,Statutory info and other general information about your Supplier,Teisinė informacija ir kita bendra informacija apie jūsų tiekėją DocType: Item Default,Default Selling Cost Center,Numatytojo pardavimo kainos centras DocType: Sales Partner,Address & Contacts,Adresas ir kontaktai -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Prašome nustatyti numeravimo serijas dalyvavimui naudojant sąranką> Numeracijos serija DocType: Subscriber,Subscriber,Abonentas apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) yra nepasiekiamas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Pirmiausia pasirinkite paskelbimo datą @@ -1579,7 +1590,7 @@ DocType: Project,% Complete Method,% Užbaigtas metodas DocType: Detected Disease,Tasks Created,Užduotys sukurtos apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Numatytasis BOM ({0}) turi būti aktyvus šiam elementui arba jo šablonui apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Komisijos tarifas% -DocType: Service Level,Response Time,Atsakymo laikas +DocType: Service Level Priority,Response Time,Atsakymo laikas DocType: Woocommerce Settings,Woocommerce Settings,„Woocommerce“ nustatymai apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Kiekis turi būti teigiamas DocType: Contract,CRM,CRM @@ -1596,7 +1607,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Stacionarinio apsilankym DocType: Bank Statement Settings,Transaction Data Mapping,Operacijų duomenų atvaizdavimas apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Švinas reikalauja asmens vardo arba organizacijos pavadinimo DocType: Student,Guardians,Globėjai -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Švietimo> Švietimo nustatymuose nustatykite instruktoriaus pavadinimo sistemą apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Pasirinkite prekės ženklą ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Vidutinės pajamos DocType: Shipping Rule,Calculate Based On,Apskaičiuokite pagrindu @@ -1633,6 +1643,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Nustatykite taikin apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Dalyvio įrašas {0} egzistuoja prieš studentą {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Sandorio data apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Atšaukti prenumeratą +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nepavyko nustatyti paslaugos lygio sutarties {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Grynoji darbo užmokesčio suma DocType: Account,Liability,Atsakomybė DocType: Employee,Bank A/C No.,Banko A / C Nr. @@ -1698,7 +1709,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Žaliavinio produkto kodas apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Pirkimo sąskaita-faktūra {0} jau pateikta DocType: Fees,Student Email,Studentų el -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} negali būti {2} tėvas ar vaikas apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Gaukite elementus iš sveikatos priežiūros paslaugų apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Nėra pateikiamas atsargų įrašas {0} DocType: Item Attribute Value,Item Attribute Value,Elemento atributo vertė @@ -1723,7 +1733,6 @@ DocType: POS Profile,Allow Print Before Pay,Leisti spausdinti prieš mokėjimą DocType: Production Plan,Select Items to Manufacture,"Pasirinkite elementus, kuriuos norite gaminti" DocType: Leave Application,Leave Approver Name,Palikite patvirtinimo pavadinimą DocType: Shareholder,Shareholder,Akcininkas -DocType: Issue,Agreement Status,Susitarimo būsena apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Numatytieji pardavimo sandorių nustatymai. 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 mokamo studento pareiškėjui" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Pasirinkite BOM @@ -1986,6 +1995,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Pajamų sąskaita apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Visi sandėliai DocType: Contract,Signee Details,Pareiškėjo duomenys +DocType: Shift Type,Allow check-out after shift end time (in minutes),Leisti išsiregistruoti po pamainos pabaigos laiko (minutėmis) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Pirkimas DocType: Item Group,Check this if you want to show in website,"Patikrinkite, ar norite rodyti svetainėje" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskaliniai metai {0} nerastas @@ -2052,6 +2062,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Nusidėvėjimo pradžios dat DocType: Activity Cost,Billing Rate,Atsiskaitymo norma apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Įspėjimas: dar {0} # {1} egzistuoja prieš atsargų įrašą {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,"Jei norite įvertinti ir optimizuoti maršrutus, įgalinkite „Google“ žemėlapių nustatymus" +DocType: Purchase Invoice Item,Page Break,Puslapio lūžis DocType: Supplier Scorecard Criteria,Max Score,Maksimalus balas apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Grąžinimo pradžios data negali būti prieš išmokėjimo datą. DocType: Support Search Source,Support Search Source,Pagalbos paieškos šaltinis @@ -2120,6 +2131,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Kokybės tikslo tikslas DocType: Employee Transfer,Employee Transfer,Darbuotojų perkėlimas ,Sales Funnel,Pardavimų piltuvas DocType: Agriculture Analysis Criteria,Water Analysis,Vandens analizė +DocType: Shift Type,Begin check-in before shift start time (in minutes),Pradėkite registraciją prieš pamainos pradžios laiką (minutėmis) DocType: Accounts Settings,Accounts Frozen Upto,Sąskaitos užšaldytos iki apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,"Nėra nieko, ką reikia redaguoti." apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operacija {0} ilgiau nei bet kuri darbo valandos darbo vietoje {1}, suskirstykite operaciją į kelias operacijas" @@ -2133,7 +2145,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Pini apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Pardavimo užsakymas {0} yra {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Mokėjimo vėlavimas (dienos) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Įveskite nusidėvėjimo duomenis +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Kliento PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Laukiama pristatymo data turėtų būti po pardavimo užsakymo datos +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Prekių kiekis negali būti lygus nuliui apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Neteisingas atributas apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Pasirinkite BOM prieš elementą {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Sąskaitos faktūros tipas @@ -2143,6 +2157,7 @@ DocType: Maintenance Visit,Maintenance Date,Priežiūros data DocType: Volunteer,Afternoon,Po pietų DocType: Vital Signs,Nutrition Values,Mitybos vertės DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Karščiavimas (temp> 38,5 ° C / 101,3 ° F arba ilgalaikis tempas> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Prašome nustatyti darbuotojų pavadinimo sistemą žmogiškųjų išteklių> HR nustatymuose apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC atšauktas DocType: Project,Collect Progress,Surinkite pažangą apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energija @@ -2193,6 +2208,7 @@ DocType: Setup Progress,Setup Progress,Nustatyti pažangą ,Ordered Items To Be Billed,"Užsakyti elementai, kuriuos reikia apmokėti" DocType: Taxable Salary Slab,To Amount,Į sumą DocType: Purchase Invoice,Is Return (Debit Note),Ar grąža (debeto pastaba) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klientas> Klientų grupė> Teritorija apps/erpnext/erpnext/config/desktop.py,Getting Started,Darbo pradžia apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Sujungti apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,"Neįmanoma pakeisti fiskalinių metų pradžios datos ir fiskalinių metų pabaigos datos, kai fiskaliniai metai yra išsaugoti." @@ -2210,8 +2226,10 @@ DocType: Sales Invoice Item,Sales Order Item,Pardavimo užsakymo elementas DocType: Maintenance Schedule Detail,Actual Date,Faktinė data apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,{0} eilutė: kursas yra privalomas DocType: Purchase Invoice,Select Supplier Address,Pasirinkite Tiekėjo adresą +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Turimas kiekis yra {0}, jums reikia {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Įveskite API vartotojų paslaptį DocType: Program Enrollment Fee,Program Enrollment Fee,Programos registracijos mokestis +DocType: Employee Checkin,Shift Actual End,Shift Actual End DocType: Serial No,Warranty Expiry Date,Garantijos galiojimo data DocType: Hotel Room Pricing,Hotel Room Pricing,Viešbučio kambarių kainos apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Išoriniai apmokestinamieji sandoriai (išskyrus nulinį, nulinis ir neapmokestinamas)" @@ -2271,6 +2289,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Skaitymas 5 DocType: Shopping Cart Settings,Display Settings,Ekrano nustatymai apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Nustatykite nuskaitytų rezervų skaičių +DocType: Shift Type,Consequence after,Pasekmė po apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Ką jums reikia pagalbos? DocType: Journal Entry,Printing Settings,Spausdinimo nustatymai apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bankininkystė @@ -2280,6 +2299,7 @@ DocType: Purchase Invoice Item,PR Detail,PR detalė apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Atsiskaitymo adresas yra toks pat kaip ir siuntimo adresas DocType: Account,Cash,Pinigai DocType: Employee,Leave Policy,Palikite politiką +DocType: Shift Type,Consequence,Pasekmė apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Studentų adresas DocType: GST Account,CESS Account,CESS sąskaita apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: „Pelno ir nuostolių“ paskyros {2} išlaidų centras reikalingas. Nustatykite bendrovei numatytąjį išlaidų centrą. @@ -2344,6 +2364,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN kodas DocType: Period Closing Voucher,Period Closing Voucher,Termino uždarymo kuponas apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 pavadinimas apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Įveskite išlaidų sąskaitą +DocType: Issue,Resolution By Variance,Rezoliucija pagal dispersiją DocType: Employee,Resignation Letter Date,Atsistatydinimo laiško data DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Dalyvavimas data @@ -2356,6 +2377,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Peržiūrėti dabar DocType: Item Price,Valid Upto,Galioja Upto apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Nuoroda Doctype turi būti {0} +DocType: Employee Checkin,Skip Auto Attendance,Praleisti „Auto“ lankomumą DocType: Payment Request,Transaction Currency,Sandorio valiuta DocType: Loan,Repayment Schedule,Grąžinimo grafikas apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Sukurti mėginio saugojimo atsargų įrašą @@ -2427,6 +2449,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Atlyginimų str DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS uždarymo čekių mokesčiai apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Veiksmas inicijuotas DocType: POS Profile,Applicable for Users,Taikoma naudotojams +,Delayed Order Report,Atidėto užsakymo ataskaita DocType: Training Event,Exam,Egzaminas apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nerasta klaidingų pagrindinių knygų įrašų. Galbūt pasirinkote neteisingą paskyrą operacijoje. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Pardavimų vamzdynas @@ -2441,10 +2464,11 @@ DocType: Account,Round Off,Apvali DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Sąlygos bus taikomos visoms pasirinktoms prekėms. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Konfigūruoti DocType: Hotel Room,Capacity,Talpa +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Įdiegtas kiekis apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,{1} partijos {1} partija išjungta. DocType: Hotel Room Reservation,Hotel Reservation User,Viešbučio rezervacijos vartotojas -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Darbo diena buvo pakartota du kartus +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Paslaugų lygio sutartis su Entity Type {0} ir Entity {1} jau egzistuoja. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},"Elementų grupė, kuri nebuvo nurodyta elemento kapitale {0} elementui" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Pavadinimo klaida: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Teritorija reikalinga POS profilyje @@ -2492,6 +2516,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Tvarkaraščio data DocType: Packing Slip,Package Weight Details,Pakuotės svorio duomenys DocType: Job Applicant,Job Opening,Darbo atidarymas +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Paskutinis žinomas sėkmingas darbuotojų patikrinimas. Atstatykite tai tik tada, jei esate tikri, kad visi žurnalai yra sinchronizuojami iš visų vietų. Jei nesate tikri, nekeiskite." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Tikroji kaina apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Bendras išankstinis mokėjimas ({0}) prieš užsakymą {1} negali būti didesnis nei „Grand Total“ ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Atnaujinti elemento variantai @@ -2536,6 +2561,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Nuoroda Pirkimo kvitas apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Gaukite „Invocies“ DocType: Tally Migration,Is Day Book Data Imported,Ar importuojami dienos knygų duomenys ,Sales Partners Commission,Pardavimų partnerių komisija +DocType: Shift Type,Enable Different Consequence for Early Exit,Įgalinti kitą pasekmę ankstyvam išėjimui apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Teisinis DocType: Loan Application,Required by Date,Reikalaujama pagal datą DocType: Quiz Result,Quiz Result,Viktorina Rezultatas @@ -2595,7 +2621,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finansini DocType: Pricing Rule,Pricing Rule,Kainodaros taisyklė 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} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,"Norėdami nustatyti Darbuotojų vaidmenį, darbuotojo įraše nustatykite lauką „Vartotojo ID“" -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Laikas išspręsti DocType: Training Event,Training Event,Mokymo renginys DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normalus kraujo spaudimas suaugusiesiems yra maždaug 120 mmHg sistolinis ir 80 mmHg diastolinis, sutrumpintas "120/80 mmHg"." DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Sistema atneš visus įrašus, jei ribinė vertė yra lygi nuliui." @@ -2639,6 +2664,7 @@ DocType: Woocommerce Settings,Enable Sync,Įgalinti sinchronizavimą DocType: Student Applicant,Approved,Patvirtinta apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Nuo datos turi būti fiskaliniai metai. Darant prielaidą iš datos = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Pirkimo nustatymuose nustatykite tiekėjų grupę. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} yra netinkama dalyvavimo būsena. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Laikina atidarymo sąskaita DocType: Purchase Invoice,Cash/Bank Account,Grynųjų pinigų / banko sąskaita DocType: Quality Meeting Table,Quality Meeting Table,Kokybės susitikimų lentelė @@ -2674,6 +2700,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Maistas, gėrimai ir tabakas" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Modulio tvarkaraštis DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Elementas Išmintinė mokesčių informacija +DocType: Shift Type,Attendance will be marked automatically only after this date.,Dalyvavimas bus pažymėtas automatiškai tik po šios datos. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,"Prekės, pagamintos UIN laikikliams" apps/erpnext/erpnext/hooks.py,Request for Quotations,Prašymas pateikti pasiūlymus apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Negalima keisti valiutos po įrašų panaudojimo kita valiuta @@ -2943,7 +2970,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Nuolaidos tipas DocType: Hotel Settings,Default Taxes and Charges,Numatytieji mokesčiai ir mokesčiai apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Tai grindžiama sandoriais prieš šį tiekėją. Išsamesnės informacijos ieškokite žemiau apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Maksimali darbuotojo {0} išmokos suma viršija {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Įveskite sutarties pradžios ir pabaigos datą. DocType: Delivery Note Item,Against Sales Invoice,Prieš pardavimo sąskaitą DocType: Loyalty Point Entry,Purchase Amount,Pirkimo suma apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Negalima nustatyti kaip prarastas kaip pardavimo užsakymas. @@ -2967,7 +2993,7 @@ DocType: Homepage,"URL for ""All Products""",URL „Visi produktai“ DocType: Lead,Organization Name,Organizacijos pavadinimas apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Galiojantys ir galiojantys laukai yra privalomi kaupiamiesiems apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},# {0} eilutė: partijos Nr. Turi būti toks pat kaip {1} {2} -DocType: Employee,Leave Details,Palikite išsamią informaciją +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Akcijų sandoriai iki {0} yra užšaldyti DocType: Driver,Issuing Date,Išdavimo data apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Prašytojas @@ -3012,9 +3038,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Pinigų srautų žemėlapių šablono informacija apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Įdarbinimas ir mokymas DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Automatinio lankomumo malonės periodo nustatymai apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Nuo valiutos ir valiutos negali būti vienodi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmacija DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Pagalbos valandos apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} atšauktas arba uždarytas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,{0} eilutė: avansas prieš klientą turi būti kreditas apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grupė pagal kuponus (konsoliduota) @@ -3124,6 +3152,7 @@ DocType: Asset Repair,Repair Status,Remonto būsena DocType: Territory,Territory Manager,Teritorijos valdytojas DocType: Lab Test,Sample ID,Pavyzdžio ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Krepšelis tuščias +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Dalyvavimas buvo pažymėtas kaip darbuotojų registracija apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Turi būti pateiktas {0} turtas ,Absent Student Report,Nėra studentų ataskaitos apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Įtrauktas į bendrąjį pelną @@ -3131,7 +3160,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,K DocType: Travel Request Costing,Funded Amount,Finansuojama suma apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nebuvo pateikta, todėl veiksmas negali būti baigtas" DocType: Subscription,Trial Period End Date,Bandomojo laikotarpio pabaigos data +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Pakeitus įrašus kaip IN ir OUT per tą patį pamainą DocType: BOM Update Tool,The new BOM after replacement,Naujas BOM po pakeitimo +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tiekėjas> Tiekėjo tipas apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,5 punktas DocType: Employee,Passport Number,Paso numeris apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Laikinas atidarymas @@ -3246,6 +3277,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Pagrindinės ataskaitos apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Galimas tiekėjas ,Issued Items Against Work Order,Išduoti daiktai prieš darbo tvarką apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Sukurti {0} sąskaitą faktūrą +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Švietimo> Švietimo nustatymuose nustatykite instruktoriaus pavadinimo sistemą DocType: Student,Joining Date,Įstojimo data apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Prašoma svetainė DocType: Purchase Invoice,Against Expense Account,Prieš išlaidų sąskaitą @@ -3285,6 +3317,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Taikomi mokesčiai ,Point of Sale,Pardavimo punktas DocType: Authorization Rule,Approving User (above authorized value),Patvirtinantis vartotojas (virš patvirtintos vertės) +DocType: Service Level Agreement,Entity,Subjektas apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Suma {0} {1} perkelta iš {2} į {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Klientas {0} nepriklauso projektui {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Iš partijos pavadinimo @@ -3331,6 +3364,7 @@ DocType: Asset,Opening Accumulated Depreciation,Sukaupto nusidėvėjimo atidarym DocType: Soil Texture,Sand Composition (%),Smėlio sudėtis (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importuoti dienos knygų duomenis +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nustatykite {0} pavadinimo seriją naudodami sąrankos nustatymus> Nustatymai> Pavadinimo serija DocType: Asset,Asset Owner Company,Turto savininko bendrovė apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Išlaidų reikalavimo rezervavimui reikalingas išlaidų centras apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} galiojantis serijos Nr. {1} elementui @@ -3390,7 +3424,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Turto savininkas apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Sandėlis {0} eilutėje {1} yra privalomas DocType: Stock Entry,Total Additional Costs,Iš viso papildomų išlaidų -DocType: Marketplace Settings,Last Sync On,Paskutinis sinchronizavimas apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Mokesčių ir mokesčių lentelėje nustatykite bent vieną eilutę DocType: Asset Maintenance Team,Maintenance Team Name,Priežiūros komandos pavadinimas apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Išlaidų centrų diagrama @@ -3406,12 +3439,12 @@ DocType: Sales Order Item,Work Order Qty,Darbo užsakymo kiekis DocType: Job Card,WIP Warehouse,WIP sandėlis DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ -YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},"Vartotojo ID, nenustatytas darbuotojui {0}" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Galimas kiekis yra {0}, jums reikia {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Naudotojas {0} sukurtas DocType: Stock Settings,Item Naming By,Elemento pavadinimas pagal apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Užsakyta apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Tai pagrindinė klientų grupė ir negali būti redaguojama. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materialinė užklausa {0} atšaukiama arba sustabdoma +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Griežtai grindžiamas žurnalo tipu darbuotojo patikrinime DocType: Purchase Order Item Supplied,Supplied Qty,Pateikiamas kiekis DocType: Cash Flow Mapper,Cash Flow Mapper,Pinigų srautų žemėlapis DocType: Soil Texture,Sand,Smėlis @@ -3470,6 +3503,7 @@ DocType: Lab Test Groups,Add new line,Pridėti naują eilutę apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Elementų grupės lentelėje pateikiama dublikato elementų grupė apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Metinis atlyginimas DocType: Supplier Scorecard,Weighting Function,Svorio funkcija +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}) elementui: {2} nerastas apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Vertinant kriterijų formulę įvyko klaida ,Lab Test Report,Laboratorinių tyrimų ataskaita DocType: BOM,With Operations,Su operacijomis @@ -3483,6 +3517,7 @@ DocType: Expense Claim Account,Expense Claim Account,Sąnaudų reikalavimo sąsk apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,„Journal Entry“ nėra jokių grąžinamų mokėjimų apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} yra neaktyvus studentas apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Padaryti atsargų įrašą +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM recursion: {0} negali būti {1} tėvas ar vaikas DocType: Employee Onboarding,Activities,Veikla apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,„Atleast“ vienas sandėlis yra privalomas ,Customer Credit Balance,Kliento kreditų likutis @@ -3495,9 +3530,11 @@ DocType: Supplier Scorecard Period,Variables,Kintamieji apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Klientui nustatyta kelių lojalumo programa. Pasirinkite rankiniu būdu. DocType: Patient,Medication,Vaistas apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Pasirinkite lojalumo programą +DocType: Employee Checkin,Attendance Marked,Pažymėtas lankymas apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Žaliavos DocType: Sales Order,Fully Billed,Pilnai apmokėtas 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ą {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Pasirinkite tik vieną prioritetą kaip numatytąjį. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Nurodykite / sukurkite sąskaitą („Ledger“) tipui - {0} 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 turėtų būti tokia pati kaip ir susieto žurnalo įrašo DocType: Purchase Invoice Item,Is Fixed Asset,Ar fiksuotas turtas @@ -3518,6 +3555,7 @@ DocType: Purpose of Travel,Purpose of Travel,Kelionės tikslas DocType: Healthcare Settings,Appointment Confirmation,Paskyrimo patvirtinimas DocType: Shopping Cart Settings,Orders,Užsakymai DocType: HR Settings,Retirement Age,Senatvės amžius +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Prašome nustatyti numeravimo serijas dalyvavimui naudojant sąranką> Numeracijos serija apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Numatomas kiekis apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Šalinimas {0} neleidžiamas apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},# {0} eilutė: turtas {1} jau yra {2} @@ -3600,11 +3638,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Buhalteris apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},„POS“ uždarymo kuponas „alreday“ yra {0} tarp {1} ir {2} apps/erpnext/erpnext/config/help.py,Navigating,Naršymas +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Nė viena neapmokėta sąskaita faktūra nereikalauja valiutos kurso perkainojimo DocType: Authorization Rule,Customer / Item Name,Klientas / prekės pavadinimas apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Naujas serijos numeris negali turėti Sandėlio. Sandėlis turi būti nustatomas pagal atsargų įrašą arba pirkimo čekį DocType: Issue,Via Customer Portal,Klientų portale DocType: Work Order Operation,Planned Start Time,Planuojamas pradžios laikas apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} yra {2} +DocType: Service Level Priority,Service Level Priority,Paslaugų lygio prioritetas apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Rezervuotų nusidėvėjimų skaičius negali būti didesnis nei bendras nusidėvėjimo skaičius apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Dalytis Ledger DocType: Journal Entry,Accounts Payable,Mokėtinos sąskaitos @@ -3715,7 +3755,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Pristatyti DocType: Bank Statement Transaction Settings Item,Bank Data,Banko duomenys apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planuojama Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Išlaikyti apmokėjimo valandas ir darbo valandas tą patį laiko lape apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Sekite švino šaltinius. DocType: Clinical Procedure,Nursing User,Slaugantis vartotojas DocType: Support Settings,Response Key List,Atsakymo raktų sąrašas @@ -3883,6 +3922,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Faktinis pradžios laikas DocType: Antibiotic,Laboratory User,Laboratorijos vartotojas apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Internetiniai aukcionai +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,{0} prioritetas buvo pakartotas. DocType: Fee Schedule,Fee Creation Status,Mokesčių kūrimo būsena apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Programinės įrangos apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Pardavimo pavedimas mokėti @@ -3949,6 +3989,7 @@ DocType: Patient Encounter,In print,Spausdinama apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Nepavyko gauti informacijos apie {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Atsiskaitymo valiuta turi būti lygi numatytai įmonės valiutai arba šalies sąskaitos valiutai apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Prašome įvesti šio pardavėjo darbuotojo ID +DocType: Shift Type,Early Exit Consequence after,Ankstyvo pasitraukimo pasekmė po apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Sukurti atidarymo pardavimo ir pirkimo sąskaitas DocType: Disease,Treatment Period,Gydymo laikotarpis apps/erpnext/erpnext/config/settings.py,Setting up Email,El. Pašto nustatymas @@ -3966,7 +4007,6 @@ DocType: Employee Skill Map,Employee Skills,Darbuotojų įgūdžiai apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Studento vardas: DocType: SMS Log,Sent On,Išsiųsta DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Pardavimo sąskaita faktūra -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Atsakymo laikas negali būti didesnis nei skyros laikas DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Kurso studento grupei kursas bus patvirtintas kiekvienam studentui iš įtrauktų kursų programoje. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Valstybinės prekės DocType: Employee,Create User Permission,Kurti naudotojo leidimą @@ -4005,6 +4045,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standartinės pardavimo arba pirkimo sutarties sąlygos. DocType: Sales Invoice,Customer PO Details,Kliento PO informacija apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacientas nerastas +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Pasirinkite numatytąjį prioritetą. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Pašalinti elementą, jei mokesčiai netaikomi šiam elementui" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Klientų grupė egzistuoja su tuo pačiu pavadinimu, pakeiskite Kliento vardą arba pervadinkite klientų grupę" 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. @@ -4044,6 +4085,7 @@ DocType: Quality Goal,Quality Goal,Kokybės tikslas DocType: Support Settings,Support Portal,Paramos portalas apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Užduoties {0} pabaigos data negali būti mažesnė nei {1} tikėtina pradžios data {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Darbuotojas {0} yra paliktas {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Ši Paslaugų lygio sutartis yra specifinė Klientui {0} DocType: Employee,Held On,Laikoma DocType: Healthcare Practitioner,Practitioner Schedules,Praktikų tvarkaraščiai DocType: Project Template Task,Begin On (Days),Pradėti (dienos) @@ -4051,6 +4093,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Darbo užsakymas buvo {0} DocType: Inpatient Record,Admission Schedule Date,Priėmimo tvarkaraštis apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Turto vertės koregavimas +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Pažymėkite lankomumą pagal „Darbuotojų patikrinimą“ darbuotojams, paskirtiems į šį pamainą." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,"Prekės, padarytos neregistruotiems asmenims" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Visi darbai DocType: Appointment Type,Appointment Type,Paskyrimo tipas @@ -4164,7 +4207,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bendras pakuotės svoris. Paprastai grynasis svoris + pakavimo medžiagos svoris. (spausdinimui) DocType: Plant Analysis,Laboratory Testing Datetime,Laboratoriniai tyrimai Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,{0} elementas negali turėti partijos -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Pardavimų vamzdynas pagal etapus apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Studentų grupės stiprybė DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Banko ataskaitos operacijos įrašas DocType: Purchase Order,Get Items from Open Material Requests,Gaukite elementus iš atvirų materialinių užklausų @@ -4246,7 +4288,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Rodyti senėjimo sandėlį DocType: Sales Invoice,Write Off Outstanding Amount,Nurašykite neįvykdytą sumą DocType: Payroll Entry,Employee Details,Darbuotojų duomenys -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Pradžios laikas negali būti didesnis nei {0} pabaigos laikas. DocType: Pricing Rule,Discount Amount,Nuolaidos suma DocType: Healthcare Service Unit Type,Item Details,Elemento informacija apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Dukart {0} mokesčių deklaracija laikotarpiui {1} @@ -4299,7 +4340,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Grynasis darbo užmokestis negali būti neigiamas apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Sąveikos Nr 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} # eilutė {1} negali būti perkelta daugiau nei {2} nuo užsakymo {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Shift +DocType: Attendance,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Apskaitos diagrama ir Šalys DocType: Stock Settings,Convert Item Description to Clean HTML,Konvertuoti elemento aprašą į švarų HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Visos tiekėjų grupės @@ -4370,6 +4411,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Darbuotojų v DocType: Healthcare Service Unit,Parent Service Unit,Tėvų aptarnavimo skyrius DocType: Sales Invoice,Include Payment (POS),Įtraukti mokėjimą (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Privatus kapitalas +DocType: Shift Type,First Check-in and Last Check-out,Pirmasis įsiregistravimas ir paskutinis išsiregistravimas DocType: Landed Cost Item,Receipt Document,Gavimo dokumentas DocType: Supplier Scorecard Period,Supplier Scorecard Period,Tiekėjas Scorecard laikotarpis DocType: Employee Grade,Default Salary Structure,Numatytoji atlyginimo struktūra @@ -4452,6 +4494,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Sukurti užsakymą apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Apibrėžti finansinių metų biudžetą. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Sąskaitų lentelė negali būti tuščia. +DocType: Employee Checkin,Entry Grace Period Consequence,Įrašo malonės periodo pasekmė ,Payment Period Based On Invoice Date,Mokėjimo laikotarpis pagal sąskaitos faktūros datą apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Diegimo data negali būti prieš {0} elemento pristatymo datą apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Nuoroda į medžiagos užklausą @@ -4460,6 +4503,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Žemėlapio d apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},{0} eilutė: šiam sandėliui jau yra įrašų perrašymas {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dokumento data DocType: Monthly Distribution,Distribution Name,Platinimo pavadinimas +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Darbo diena {0} buvo pakartota. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Grupė ne grupei apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Vyksta atnaujinimas. Tai gali užtrukti. DocType: Item,"Example: ABCD.##### @@ -4472,6 +4516,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Kuro kiekis apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,„Guardian1 Mobile“ Nr DocType: Invoice Discounting,Disbursed,Išmokėta +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Laikas pasibaigus pamainai, kurios metu tikrinamas atvykimas." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Grynieji mokėtinų sąskaitų pokyčiai apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Nepasiekiamas apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Ne visą darbo dieną @@ -4485,7 +4530,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Galimos apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Rodyti PDC spausdinimui apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Tiekėjas DocType: POS Profile User,POS Profile User,POS profilio vartotojas -DocType: Student,Middle Name,Antras vardas DocType: Sales Person,Sales Person Name,Pardavėjo vardas DocType: Packing Slip,Gross Weight,Bendras svoris DocType: Journal Entry,Bill No,Bill Nr @@ -4494,7 +4538,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nauja DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Susitarimą dėl paslaugų lygio -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Pirmiausia pasirinkite Darbuotojai ir data apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Prekių vertės nustatymo norma perskaičiuojama atsižvelgiant į iškrautų išlaidų čekio sumą DocType: Timesheet,Employee Detail,Darbuotojų informacija DocType: Tally Migration,Vouchers,Kuponai @@ -4529,7 +4572,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Susitarimą dėl DocType: Additional Salary,Date on which this component is applied,"Data, kada šis komponentas taikomas" apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,"Galimų akcininkų, turinčių folio numerių, sąrašas" apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Nustatykite sąsajos sąsajas. -DocType: Service Level,Response Time Period,Atsakymo trukmė +DocType: Service Level Priority,Response Time Period,Atsakymo trukmė DocType: Purchase Invoice,Purchase Taxes and Charges,Pirkimo mokesčiai ir rinkliavos DocType: Course Activity,Activity Date,Veiklos data apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Pasirinkite arba pridėkite naują klientą @@ -4554,6 +4597,7 @@ DocType: Sales Person,Select company name first.,Pirmiausia pasirinkite įmonės apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Finansiniai metai DocType: Sales Invoice Item,Deferred Revenue,Atidėtosios pajamos apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Turi būti pasirinktas „Atleast“ vienas iš pardavimo ar pirkimo +DocType: Shift Type,Working Hours Threshold for Half Day,Darbo valandų slenkstis per pusę dienos ,Item-wise Purchase History,Prekių supirkimo istorija apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Negalima pakeisti eilutės {0} elemento paslaugos sustabdymo datos DocType: Production Plan,Include Subcontracted Items,Įtraukti subrangos elementus @@ -4586,6 +4630,7 @@ DocType: Journal Entry,Total Amount Currency,Bendra suma valiuta DocType: BOM,Allow Same Item Multiple Times,Leisti tą patį elementą kelis kartus apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Sukurti BOM DocType: Healthcare Practitioner,Charges,Mokesčiai +DocType: Employee,Attendance and Leave Details,Dalyvavimas ir išsami informacija DocType: Student,Personal Details,Asmeninės detalės DocType: Sales Order,Billing and Delivery Status,Atsiskaitymo ir pristatymo būsena apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,"{0} eilutė: tiekėjui {0}, norint siųsti el" @@ -4637,7 +4682,6 @@ DocType: Bank Guarantee,Supplier,Tiekėjas apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Įveskite vertę {0} ir {1} DocType: Purchase Order,Order Confirmation Date,Užsakymo patvirtinimo data DocType: Delivery Trip,Calculate Estimated Arrival Times,Apskaičiuokite numatomus atvykimo laikus -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Prašome nustatyti darbuotojų pavadinimo sistemą žmogiškųjų išteklių> HR nustatymuose apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Vartojimas DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS - .YYYY.- DocType: Subscription,Subscription Start Date,Prenumeratos pradžios data @@ -4660,7 +4704,7 @@ DocType: Installation Note Item,Installation Note Item,Montavimo pastaba DocType: Journal Entry Account,Journal Entry Account,Žurnalo įrašo paskyra apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variantas apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Forumo veikla -DocType: Service Level,Resolution Time Period,Rezoliucijos laikas +DocType: Service Level Priority,Resolution Time Period,Rezoliucijos laikas DocType: Request for Quotation,Supplier Detail,Tiekėjo informacija DocType: Project Task,View Task,Peržiūrėti užduotį DocType: Serial No,Purchase / Manufacture Details,Pirkimo / gamybos informacija @@ -4727,6 +4771,7 @@ DocType: Sales Invoice,Commission Rate (%),Komisijos tarifas (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Sandėlį galima keisti tik per sandėlio įrašą / pristatymo pastabą / pirkimo čekį DocType: Support Settings,Close Issue After Days,Uždaryti problemą po dienų DocType: Payment Schedule,Payment Schedule,Mokėjimo planas +DocType: Shift Type,Enable Entry Grace Period,Įgalinti atvykimo malonės laikotarpį DocType: Patient Relation,Spouse,Sutuoktinis DocType: Purchase Invoice,Reason For Putting On Hold,Patvirtinimo priežastis DocType: Item Attribute,Increment,Didėjimas @@ -4864,6 +4909,7 @@ DocType: Authorization Rule,Customer or Item,Klientas arba Elementas DocType: Vehicle Log,Invoice Ref,Sąskaitos faktūros Nr apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-forma netaikoma sąskaitoje faktūroje: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Sukurta sąskaita +DocType: Shift Type,Early Exit Grace Period,Ankstyvo pasitraukimo laikotarpis DocType: Patient Encounter,Review Details,Peržiūrėkite informaciją apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,{0} eilutė: valandų vertė turi būti didesnė už nulį. DocType: Account,Account Number,Paskyros numeris @@ -4875,7 +4921,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Taikoma, jei bendrovė yra SpA, SApA arba SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Tarp sutapančių sąlygų nustatyta: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Mokama ir nepateikta -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Elemento kodas yra privalomas, nes elementas nėra automatiškai sunumeruotas" DocType: GST HSN Code,HSN Code,HSN kodas DocType: GSTR 3B Report,September,Rugsėjo mėn apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administracinės išlaidos @@ -4921,6 +4966,7 @@ DocType: Healthcare Service Unit,Vacant,Laisvas DocType: Opportunity,Sales Stage,Pardavimų etapas DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Žodžiai bus matomi, kai išsaugosite pardavimų užsakymą." DocType: Item Reorder,Re-order Level,Pakartokite užsakymo lygį +DocType: Shift Type,Enable Auto Attendance,Įgalinti automatinį lankomumą apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Pirmenybė ,Department Analytics,Departamento analizė DocType: Crop,Scientific Name,Mokslinis vardas @@ -4933,6 +4979,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} būsena yra { DocType: Quiz Activity,Quiz Activity,Viktorina apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} nėra galiojančiame darbo užmokesčio laikotarpyje DocType: Timesheet,Billed,Atsiskaityta +apps/erpnext/erpnext/config/support.py,Issue Type.,Problemos tipas. DocType: Restaurant Order Entry,Last Sales Invoice,Paskutinė pardavimo sąskaita DocType: Payment Terms Template,Payment Terms,Mokėjimo sąlygos apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Rezervuota Kiekis: Parduodamas, bet nepateiktas kiekis." @@ -5028,6 +5075,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Turtas apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} neturi sveikatos priežiūros specialisto tvarkaraščio. Įdėkite ją į sveikatos priežiūros specialisto šeimininką DocType: Vehicle,Chassis No,Važiuoklės Nr +DocType: Employee,Default Shift,Numatytasis perkėlimas apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Įmonės santrumpa apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Medžiagų medis DocType: Article,LMS User,LMS vartotojas @@ -5075,6 +5123,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Tėvų pardavimo asmuo DocType: Student Group Creation Tool,Get Courses,Gaukite kursus 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} eilutė: Kiekis turi būti 1, nes elementas yra ilgalaikis turtas. Naudokite atskirą eilutę keliems kiekiams." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Darbo valandos, po kurių pažymėtas „Absent“ ženklas. (Nulis, jei norite išjungti)" DocType: Customer Group,Only leaf nodes are allowed in transaction,Operacijoje leidžiami tik lapų mazgai DocType: Grant Application,Organization,Organizacija DocType: Fee Category,Fee Category,Mokesčių kategorija @@ -5087,6 +5136,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Atnaujinkite savo mokomojo renginio būseną DocType: Volunteer,Morning,Rytas DocType: Quotation Item,Quotation Item,Citatos elementas +apps/erpnext/erpnext/config/support.py,Issue Priority.,Emisijos prioritetas. DocType: Journal Entry,Credit Card Entry,Kredito kortelės įvedimas apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Laiko lizdas praleistas, lizdas {0} iki {1} persidengia iš esamų lizdų {2} į {3}" DocType: Journal Entry Account,If Income or Expense,Jei pajamos ar išlaidos @@ -5134,11 +5184,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Duomenų importavimas ir nustatymai 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 įjungimas, klientai bus automatiškai susieti su atitinkama lojalumo programa (išsaugota)" DocType: Account,Expense Account,Išlaidų sąskaita +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Laikas iki pamainos pradžios laiko, per kurį įdarbinamas Darbuotojų registravimas." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Santykis su Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Sukurti sąskaitą faktūrą 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/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Darbuotojas, atleistas {0}, turi būti nustatytas kaip „Kairė“" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Mokėkite {0} {1} +DocType: Company,Sales Settings,Pardavimų nustatymai DocType: Sales Order Item,Produced Quantity,Pagamintas kiekis apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Užklausos užklausą galima rasti spustelėję šią nuorodą DocType: Monthly Distribution,Name of the Monthly Distribution,Mėnesinio paskirstymo pavadinimas @@ -5217,6 +5269,7 @@ DocType: Company,Default Values,Numatytosios vertės apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Sukuriami numatyti pardavimų ir pirkimo mokesčių šablonai. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} negalima palikti apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Debeto į paskyrą turi būti gautina sąskaita +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Galutinė sutarties data negali būti mažesnė nei šiandien. apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Nustatykite paskyrą sandėliuose {0} arba numatytąjį inventoriaus paskyrą kompanijoje {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Nustatykite kaip numatytąjį DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Šio paketo grynasis svoris. (automatiškai apskaičiuojamas kaip elementų grynojo svorio suma) @@ -5243,8 +5296,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,V apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Pasibaigusios partijos DocType: Shipping Rule,Shipping Rule Type,Pristatymo taisyklės tipas DocType: Job Offer,Accepted,Priimta -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Jei norite atšaukti šį dokumentą, ištrinkite darbuotoją {0}" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Jūs jau įvertinote vertinimo kriterijus {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Pasirinkite partijos numerius apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Amžius (dienos) @@ -5271,6 +5322,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Pasirinkite domenus DocType: Agriculture Task,Task Name,Užduoties pavadinimas apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Atsargų įrašai jau sukurti darbo užsakymui +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Jei norite atšaukti šį dokumentą, ištrinkite darbuotoją {0}" ,Amount to Deliver,Pateikiama suma apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Įmonės {0} nėra apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,"Nėra laukiamų esminių užklausų, susijusių su nurodytais elementais." @@ -5320,6 +5373,7 @@ DocType: Program Enrollment,Enrolled courses,Įtraukti kursai DocType: Lab Prescription,Test Code,Bandymo kodas DocType: Purchase Taxes and Charges,On Previous Row Total,Ankstesnėje eilutėje DocType: Student,Student Email Address,Studentų el. Pašto adresas +,Delayed Item Report,Atidėto elemento ataskaita DocType: Academic Term,Education,Švietimas DocType: Supplier Quotation,Supplier Address,Tiekėjo adresas DocType: Salary Detail,Do not include in total,Neįtraukite viso @@ -5327,7 +5381,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nėra DocType: Purchase Receipt Item,Rejected Quantity,Atmestas kiekis DocType: Cashier Closing,To TIme,TIme -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}) elementui: {2} nerastas DocType: Daily Work Summary Group User,Daily Work Summary Group User,Dienos darbo suvestinė Grupės vartotojas DocType: Fiscal Year Company,Fiscal Year Company,Finansinių metų bendrovė apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternatyvus elementas neturi būti toks pats kaip prekės kodas @@ -5379,6 +5432,7 @@ DocType: Program Fee,Program Fee,Programos mokestis DocType: Delivery Settings,Delay between Delivery Stops,Vėlavimas tarp pristatymo sustabdymo DocType: Stock Settings,Freeze Stocks Older Than [Days],Užšaldyti atsargas senesniems nei [dienos] DocType: Promotional Scheme,Promotional Scheme Product Discount,Reklaminės schemos produktų nuolaida +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Problemos prioritetas jau egzistuoja DocType: Account,Asset Received But Not Billed,"Turtas gautas, bet ne apmokestintas" DocType: POS Closing Voucher,Total Collected Amount,Iš viso surinkta suma DocType: Course,Default Grading Scale,Numatytoji skalės skalė @@ -5421,6 +5475,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Užpildymo sąlygos apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Grupė ne grupei DocType: Student Guardian,Mother,Motina +DocType: Issue,Service Level Agreement Fulfilled,Įgyvendintas paslaugų lygio susitarimas DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Mokėti mokesčius už neprašytus darbuotojo išmokas DocType: Travel Request,Travel Funding,Kelionių finansavimas DocType: Shipping Rule,Fixed,Fiksuotas @@ -5450,10 +5505,12 @@ DocType: Item,Warranty Period (in days),Garantijos laikotarpis (dienomis) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Nerasta elementų. DocType: Item Attribute,From Range,Nuo diapazono DocType: Clinical Procedure,Consumables,Eksploatacinės medžiagos +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,Reikalingi „worker_field_value“ ir „timestamp“. DocType: Purchase Taxes and Charges,Reference Row #,Nuorodos eilutė # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},„{0}“ nustatykite „Turto nusidėvėjimo savikainos centrą“ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,"# {0} eilutė: norint užbaigti operaciją, reikalingas mokėjimo dokumentas" DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Spustelėkite šį mygtuką, kad ištrauktumėte pardavimų užsakymo duomenis iš „Amazon MWS“." +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Darbo valandos, po kurių pusė dienos yra pažymėtos. (Nulis, jei norite išjungti)" ,Assessment Plan Status,Vertinimo plano būklė apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Pirmiausia pasirinkite {0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Jei norite sukurti „Darbuotojų“ įrašą, pateikite šią informaciją" @@ -5524,6 +5581,7 @@ DocType: Quality Procedure,Parent Procedure,Tėvų procedūra apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Nustatykite atidarytą apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Perjungti filtrus DocType: Production Plan,Material Request Detail,Medžiagos užklausos išsami informacija +DocType: Shift Type,Process Attendance After,Proceso lankomumas po DocType: Material Request Item,Quantity and Warehouse,Kiekis ir sandėlis apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Eikite į programas apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Eilė # {0}: dublikatas įraše „{1} {2} @@ -5581,6 +5639,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Šalies informacija apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Skolininkai ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Iki šiol negali būti didesnis nei darbuotojo atleidimo data +DocType: Shift Type,Enable Exit Grace Period,Įgalinti išėjimo laikotarpį DocType: Expense Claim,Employees Email Id,Darbuotojų el DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Atnaujinkite kainą iš „Shopify“ į ERPNext Kainoraštį DocType: Healthcare Settings,Default Medical Code Standard,Numatytasis medicinos kodo standartas @@ -5611,7 +5670,6 @@ DocType: Item Group,Item Group Name,Elemento grupės pavadinimas DocType: Budget,Applicable on Material Request,Taikoma materialinės užklausos atveju DocType: Support Settings,Search APIs,Paieškos API DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Perprodukcija Pardavimo užsakymo procentas -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Specifikacijos DocType: Purchase Invoice,Supplied Items,Pateikiami elementai DocType: Leave Control Panel,Select Employees,Pasirinkite Darbuotojai apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Paskoloje {0} pasirinkite palūkanų pajamų sąskaitą @@ -5637,7 +5695,7 @@ DocType: Salary Slip,Deductions,Atskaitos ,Supplier-Wise Sales Analytics,Tiekėjo-protingo pardavimo analitika DocType: GSTR 3B Report,February,Vasario mėn DocType: Appraisal,For Employee,Darbuotojui -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Faktinė pristatymo data +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Faktinė pristatymo data DocType: Sales Partner,Sales Partner Name,Pardavimo partnerio pavadinimas apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Nusidėvėjimo eilutė {0}: nusidėvėjimo pradžios data įrašoma kaip ankstesnė data DocType: GST HSN Code,Regional,Regioninis @@ -5676,6 +5734,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Akc DocType: Supplier Scorecard,Supplier Scorecard,Tiekėjas Scorecard DocType: Travel Itinerary,Travel To,Keliauti į apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Pažymėkite lankomumą +DocType: Shift Type,Determine Check-in and Check-out,Nustatykite įsiregistravimą ir išsiregistravimą DocType: POS Closing Voucher,Difference,Skirtumas apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Mažas DocType: Work Order Item,Work Order Item,Darbo užsakymo elementas @@ -5709,6 +5768,7 @@ DocType: Sales Invoice,Shipping Address Name,Pristatymo adreso pavadinimas apps/erpnext/erpnext/healthcare/setup.py,Drug,Narkotikai apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} uždarytas DocType: Patient,Medical History,Medicinos istorija +DocType: Expense Claim,Expense Taxes and Charges,Išlaidos ir mokesčiai DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,"Praėjus kelioms dienoms po sąskaitų faktūrų išrašymo dienos, prieš atšaukiant prenumeratą ar žymėjimą kaip nemokamą" apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Diegimo pastaba {0} jau pateikta DocType: Patient Relation,Family,Šeima @@ -5741,7 +5801,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Jėga apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} vieneto {1} reikėjo {2} užbaigti šią operaciją. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,„Subfonth“ subrangos pagrindu pagamintos žaliavos -DocType: Bank Guarantee,Customer,Klientas DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Jei įjungta, laukas „Akademinis terminas“ bus privalomas programos registravimo priemonėje." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Studentų grupė pagal partiją pagrįsta kiekvienam studentui iš programos registracijos. DocType: Course,Topics,Temos @@ -5821,6 +5880,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Skyrių nariai DocType: Warranty Claim,Service Address,Paslaugų adresas DocType: Journal Entry,Remark,Pastaba +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),{0} eilutė: {4} sandėlyje {1} nepasiekiamas kiekis įrašo pateikimo metu ({2} {3}) DocType: Patient Encounter,Encounter Time,Susitikimo laikas DocType: Serial No,Invoice Details,Sąskaitos faktūros duomenys apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Papildomos paskyros gali būti pateikiamos grupėse, tačiau įrašai gali būti daromi ne grupėms" @@ -5899,6 +5959,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","P apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Uždarymas (atidarymas + iš viso) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterijų formulė apps/erpnext/erpnext/config/support.py,Support Analytics,„Analytics“ palaikymas +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Dalyvavimo įrenginio ID (biometrinis / RF žymės ID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Peržiūra ir veiksmai DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Jei paskyra užšaldyta, įrašai leidžiami ribotiems vartotojams." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Suma po nusidėvėjimo @@ -5920,6 +5981,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Paskolų grąžinimas DocType: Employee Education,Major/Optional Subjects,Pagrindiniai / neprivalomi dalykai DocType: Soil Texture,Silt,Silt +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Tiekėjo adresai ir kontaktai DocType: Bank Guarantee,Bank Guarantee Type,Banko garantijos tipas DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Jei išjungta, laukas „Apvalus bendras“ nebus matomas jokioje operacijoje" DocType: Pricing Rule,Min Amt,Min @@ -5958,6 +6020,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Sąskaitos faktūros kūrimo įrankio elemento atidarymas DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Įtraukti POS operacijas +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},"Nėra Darbuotojo, nustatyto pagal darbuotojo lauko vertę. „{}“: {}" DocType: Payment Entry,Received Amount (Company Currency),Gauta suma (įmonės valiuta) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","„LocalStorage“ yra pilna, neišsaugojo" DocType: Chapter Member,Chapter Member,Skyrius Narys @@ -5987,6 +6050,7 @@ DocType: SMS Center,All Lead (Open),Visi švino (atidaryti) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Nėra sukurtos studentų grupės. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Pasikartojanti eilutė {0} su tuo pačiu {1} DocType: Employee,Salary Details,Atlyginimų duomenys +DocType: Employee Checkin,Exit Grace Period Consequence,Išeiti iš malonės periodo pasekmės DocType: Bank Statement Transaction Invoice Item,Invoice,Sąskaita DocType: Special Test Items,Particulars,Informacija apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Prašome nustatyti filtrą pagal elementą arba sandėlį @@ -6088,6 +6152,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Iš AMC DocType: Job Opening,"Job profile, qualifications required etc.","Darbo profilis, reikalingos kvalifikacijos ir kt." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Laivas į valstybę +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Ar norite pateikti materialinę užklausą DocType: Opportunity Item,Basic Rate,Pagrindinis tarifas DocType: Compensatory Leave Request,Work End Date,Darbo pabaigos data apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Žaliavų prašymas @@ -6273,6 +6338,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Nusidėvėjimo suma DocType: Sales Order Item,Gross Profit,Bendrasis pelnas DocType: Quality Inspection,Item Serial No,Prekės serijos Nr DocType: Asset,Insurer,Draudikas +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Pirkimo suma DocType: Asset Maintenance Task,Certificate Required,Reikalingas sertifikatas DocType: Retention Bonus,Retention Bonus,Išlaikymo premija @@ -6387,6 +6453,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Skirtumo suma (įmon DocType: Invoice Discounting,Sanctioned,Sankcija DocType: Course Enrollment,Course Enrollment,Kursų registravimas DocType: Item,Supplier Items,Tiekėjo elementai +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Pradžios laikas negali būti didesnis arba lygus pabaigos laikotarpiui {0}. DocType: Sales Order,Not Applicable,Netaikoma DocType: Support Search Source,Response Options,Atsakymo parinktys apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} turėtų būti nuo 0 iki 100 @@ -6472,7 +6540,6 @@ DocType: Travel Request,Costing,Sąnaudų apskaičiavimas apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Ilgalaikis turtas DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Visas uždarbis -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klientas> Klientų grupė> Teritorija DocType: Share Balance,From No,Nuo Nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Mokėjimo suderinimo sąskaita DocType: Purchase Invoice,Taxes and Charges Added,Įtraukti mokesčiai ir mokesčiai @@ -6580,6 +6647,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignoruoti kainodaros taisyklę apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Maistas DocType: Lost Reason Detail,Lost Reason Detail,Pamesta priežastis +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Buvo sukurti šie serijos numeriai:
{0} DocType: Maintenance Visit,Customer Feedback,Klientų atsiliepimai DocType: Serial No,Warranty / AMC Details,Garantija / AMC informacija DocType: Issue,Opening Time,Atidarymo laikas @@ -6629,6 +6697,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Įmonės pavadinimas nėra tas pats apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Darbuotojų skatinimas negali būti pateiktas prieš reklamos datą apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Neleidžiama atnaujinti senesnių nei {0} akcijų sandorių +DocType: Employee Checkin,Employee Checkin,Darbuotojų patikrinimas 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žesnė už {0} elemento pabaigos datą apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Kurkite klientų kainas DocType: Buying Settings,Buying Settings,Pirkimo nustatymai @@ -6650,6 +6719,7 @@ DocType: Job Card Time Log,Job Card Time Log,Darbo kortelės laiko žurnalas DocType: Patient,Patient Demographics,Pacientų demografija DocType: Share Transfer,To Folio No,Į „Folio“ Nr apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Pinigų srautas iš operacijų +DocType: Employee Checkin,Log Type,Žurnalo tipas DocType: Stock Settings,Allow Negative Stock,Leisti neigiamas atsargas apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Nė vienas iš elementų neturi kiekio ar vertės pokyčių. DocType: Asset,Purchase Date,Pirkimo data @@ -6694,6 +6764,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Labai hiper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Pasirinkite savo verslo pobūdį. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Pasirinkite mėnesį ir metus +DocType: Service Level,Default Priority,Numatytasis prioritetas DocType: Student Log,Student Log,Studentų žurnalas DocType: Shopping Cart Settings,Enable Checkout,Įgalinti „Checkout“ apps/erpnext/erpnext/config/settings.py,Human Resources,Žmogiškieji ištekliai @@ -6722,7 +6793,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Prijunkite „Shopify“ su ERPNext DocType: Homepage Section Card,Subtitle,Subtitrai DocType: Soil Texture,Loam,Loam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tiekėjas> Tiekėjo tipas DocType: BOM,Scrap Material Cost(Company Currency),Metalo laužas (įmonės valiuta) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Pristatymo pastaba {0} negali būti pateikta DocType: Task,Actual Start Date (via Time Sheet),Faktinė pradžios data (per laiko lapą) @@ -6778,6 +6848,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dozavimas DocType: Cheque Print Template,Starting position from top edge,Pradinė padėtis nuo viršutinio krašto apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Paskyrimo trukmė (min.) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},"Šis darbuotojas jau turi žurnalą, turintį tą patį laiką. {0}" DocType: Accounting Dimension,Disable,Išjungti DocType: Email Digest,Purchase Orders to Receive,Pirkimo užsakymai gauti apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,„Productions“ užsakymai negali būti keliami: @@ -6793,7 +6864,6 @@ DocType: Production Plan,Material Requests,Pagrindiniai prašymai DocType: Buying Settings,Material Transferred for Subcontract,Subrangos būdu perduota medžiaga DocType: Job Card,Timing Detail,Laiko išsami informacija apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Reikalingas -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{0} importavimas iš {1} DocType: Job Offer Term,Job Offer Term,Darbo pasiūlymų terminas DocType: SMS Center,All Contact,Visi kontaktai DocType: Project Task,Project Task,Projekto užduotis @@ -6844,7 +6914,6 @@ DocType: Student Log,Academic,Akademinis apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,{0} elementas nėra nustatomas serijos Nr apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Iš valstybės DocType: Leave Type,Maximum Continuous Days Applicable,Taikomos maksimalios nuolatinės dienos -apps/erpnext/erpnext/config/support.py,Support Team.,Palaikymo komanda. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Pirmiausia įveskite įmonės pavadinimą apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Importuoti sėkmingai DocType: Guardian,Alternate Number,Alternatyvus numeris @@ -6936,6 +7005,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,# {0} eilutė: pridėtas elementas DocType: Student Admission,Eligibility and Details,Tinkamumas ir išsami informacija DocType: Staffing Plan,Staffing Plan Detail,Personalo plano detalė +DocType: Shift Type,Late Entry Grace Period,Vėlyvojo atvykimo atidėjimo laikotarpis DocType: Email Digest,Annual Income,Metinės pajamos DocType: Journal Entry,Subscription Section,Prenumeratos skyrius DocType: Salary Slip,Payment Days,Mokėjimo dienos @@ -6986,6 +7056,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Sąskaitos balansas DocType: Asset Maintenance Log,Periodicity,Periodiškumas apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Medicininis įrašas +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,"Žurnalo tipas reikalingas perėjimams, kurie patenka į pamainą: {0}." apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Vykdymas DocType: Item,Valuation Method,Vertinimo metodas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} prieš pardavimų sąskaitą {1} @@ -7070,6 +7141,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Numatoma kaina už poz DocType: Loan Type,Loan Name,Paskolos pavadinimas apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Nustatykite numatytąjį mokėjimo būdą DocType: Quality Goal,Revision,Peržiūra +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Laikas iki pamainos pabaigos, kai išvykimas laikomas ankstyvu (minutėmis)." DocType: Healthcare Service Unit,Service Unit Type,Paslaugos vieneto tipas DocType: Purchase Invoice,Return Against Purchase Invoice,Grįžti prieš pirkimo sąskaitą faktūrą apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Sukurti slaptą @@ -7225,12 +7297,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Kosmetika DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Patikrinkite, ar norite priversti vartotoją pasirinkti seriją prieš išsaugant. Jei tai patikrinsite, nebus numatytosios nuostatos." DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Vartotojai, turintys šį vaidmenį, gali nustatyti įšaldytas sąskaitas ir kurti / keisti apskaitos įrašus įšaldytas sąskaitas" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Elemento kodas> Prekių grupė> Gamintojas DocType: Expense Claim,Total Claimed Amount,Iš viso prašoma suma 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 lizdo kitoms {0} dienoms operacijai {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Apvyniojimas apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Galite atnaujinti tik jei narystė baigiasi per 30 dienų apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Reikšmė turi būti tarp {0} ir {1} DocType: Quality Feedback,Parameters,Parametrai +DocType: Shift Type,Auto Attendance Settings,Automatinio dalyvavimo nustatymai ,Sales Partner Transaction Summary,Pardavimų partnerių sandorių suvestinė DocType: Asset Maintenance,Maintenance Manager Name,Priežiūros vadybininko pavadinimas apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Reikia atsiųsti elemento duomenis. @@ -7321,10 +7395,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Patvirtinkite taikomą taisyklę DocType: Job Card Item,Job Card Item,Darbo kortelės elementas DocType: Homepage,Company Tagline for website homepage,Bendrovės „Tagline“ svetainė pagrindiniam tinklalapiui +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Nustatykite atsakymo laiką ir prioritetą {0} pagal indeksą {1}. DocType: Company,Round Off Cost Center,Apvalinimo išlaidų centras DocType: Supplier Scorecard Criteria,Criteria Weight,Kriterijai Svoris DocType: Asset,Depreciation Schedules,Nusidėvėjimo tvarkaraščiai -DocType: Expense Claim Detail,Claim Amount,Reikalavimo suma DocType: Subscription,Discounts,Nuolaidos DocType: Shipping Rule,Shipping Rule Conditions,Pristatymo taisyklės DocType: Subscription,Cancelation Date,Atšaukimo data @@ -7352,7 +7426,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Sukurti vadovus apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Rodyti nulines reikšmes DocType: Employee Onboarding,Employee Onboarding,Darbuotojo įlaipinimas DocType: POS Closing Voucher,Period End Date,Laikotarpio pabaigos data -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Pardavimo galimybės pagal šaltinį DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Pirmasis „Leave Approver“ sąraše bus nustatytas kaip numatytasis „Leave Approver“. DocType: POS Settings,POS Settings,POS nustatymai apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Visos paskyros @@ -7373,7 +7446,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,„Ban apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,# {0} eilutė: norma turi būti tokia pati kaip {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Sveikatos priežiūros paslaugos -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,įrašų nerasta apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Senėjimo diapazonas 3 DocType: Vital Signs,Blood Pressure,Kraujo spaudimas apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Tikslinis įjungimas @@ -7420,6 +7492,7 @@ DocType: Company,Existing Company,Esama įmonė apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Partijos apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Gynyba DocType: Item,Has Batch No,Ar partija Nr +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Atidėtos dienos DocType: Lead,Person Name,Asmens vardas DocType: Item Variant,Item Variant,Elementas Variantas DocType: Training Event Employee,Invited,Pakviestas @@ -7441,7 +7514,7 @@ DocType: Purchase Order,To Receive and Bill,Gauti ir Bill apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Pradžios ir pabaigos datos, kurios nėra galiojančiame darbo užmokesčio laikotarpyje, negali apskaičiuoti {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Rodyti tik šių klientų grupių klientus apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,"Pasirinkite elementus, kuriuos norite išsaugoti" -DocType: Service Level,Resolution Time,Skyros laikas +DocType: Service Level Priority,Resolution Time,Skyros laikas DocType: Grading Scale Interval,Grade Description,Įvertinimo aprašymas DocType: Homepage Section,Cards,Kortelės DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kokybės susitikimo protokolai @@ -7467,6 +7540,7 @@ DocType: Project,Gross Margin %,Bendrasis pelnas% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,"Banko išrašo balansas, kaip nurodyta generaliniame vadove" apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Sveikatos priežiūra (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,"Numatytasis sandėlis, skirtas sukurti pardavimo užsakymą ir pristatymo pastabą" +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,{0} atsakymo laikas rodyklėje {1} negali būti didesnis už skyros laiką. DocType: Opportunity,Customer / Lead Name,Kliento / vadovo vardas DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Nepareikalauta suma @@ -7513,7 +7587,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Šalių ir adresų importavimas DocType: Item,List this Item in multiple groups on the website.,Įrašykite šį elementą daugelyje grupių svetainėje. DocType: Request for Quotation,Message for Supplier,Pranešimas tiekėjui -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,"Negalima pakeisti {0}, nes yra {1} elemento sandoris." DocType: Healthcare Practitioner,Phone (R),Telefonas (R) DocType: Maintenance Team Member,Team Member,Komandos narys DocType: Asset Category Account,Asset Category Account,Turto kategorijos sąskaita diff --git a/erpnext/translations/lv.csv b/erpnext/translations/lv.csv index fd6fc75623..b9fc62cd2d 100644 --- a/erpnext/translations/lv.csv +++ b/erpnext/translations/lv.csv @@ -76,7 +76,7 @@ DocType: Academic Term,Term Start Date,Termiņa sākuma datums apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Tikšanās {0} un pārdošanas rēķins {1} tika atcelts DocType: Purchase Receipt,Vehicle Number,Transportlīdzekļa numurs apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Tava epasta adrese... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Iekļaut noklusētos grāmatu ierakstus +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Iekļaut noklusētos grāmatu ierakstus DocType: Activity Cost,Activity Type,Darbības veids DocType: Purchase Invoice,Get Advances Paid,Saņemiet avansa maksājumus DocType: Company,Gain/Loss Account on Asset Disposal,Guvuma / zaudējumu konts aktīvu atsavināšanā @@ -222,7 +222,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Ko tas dara? DocType: Bank Reconciliation,Payment Entries,Maksājumu ieraksti DocType: Employee Education,Class / Percentage,Klase / procentuālā daļa ,Electronic Invoice Register,Elektronisko rēķinu reģistrs +DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Notikumu skaits, pēc kura sekas tiek veiktas." DocType: Sales Invoice,Is Return (Credit Note),Vai atgriešanās (kredīta piezīme) +DocType: Price List,Price Not UOM Dependent,Cena nav atkarīga no UOM DocType: Lab Test Sample,Lab Test Sample,Laboratorijas testa paraugs DocType: Shopify Settings,status html,statuss html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Piemēram, 2012., 2012. – 2013" @@ -324,6 +326,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Produktu meklē DocType: Salary Slip,Net Pay,Neto maksājums apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Kopā rēķinā iekļautā summa DocType: Clinical Procedure,Consumables Invoice Separately,Izejmateriālu rēķins atsevišķi +DocType: Shift Type,Working Hours Threshold for Absent,"Darba stundu slieksnis, kas nav paredzēts" DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},"Budžetu nevar piešķirt, izmantojot grupas kontu {0}" DocType: Purchase Receipt Item,Rate and Amount,Likme un summa @@ -377,7 +380,6 @@ DocType: Sales Invoice,Set Source Warehouse,Iestatiet avota noliktavu DocType: Healthcare Settings,Out Patient Settings,Pacienta iestatījumi DocType: Asset,Insurance End Date,Apdrošināšanas beigu datums DocType: Bank Account,Branch Code,Filiāles kods -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Laiks atbildēt apps/erpnext/erpnext/public/js/conf.js,User Forum,Lietotāja forums DocType: Landed Cost Item,Landed Cost Item,Izkrauto izmaksu postenis 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 @@ -595,6 +597,7 @@ DocType: Lead,Lead Owner,Vadošais īpašnieks DocType: Share Transfer,Transfer,Pārskaitījums apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Meklēšanas vienums (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Rezultāts iesniegts +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,No datuma nevar būt lielāks par datumu DocType: Supplier,Supplier of Goods or Services.,Preču vai pakalpojumu piegādātājs. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Jaunā konta nosaukums. Piezīme. Lūdzu, neizveidojiet kontus klientiem un piegādātājiem" apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentu grupa vai kursu saraksts ir obligāts @@ -879,7 +882,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Potenciālo DocType: Skill,Skill Name,Prasmju nosaukums apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Drukāt atskaites karti DocType: Soil Texture,Ternary Plot,Trīskāršais zemes gabals -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Lūdzu, iestatiet nosaukuma sēriju {0}, izmantojot iestatījumu> Iestatījumi> Nosaukumu sērija" apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Atbalsta biļetes DocType: Asset Category Account,Fixed Asset Account,Fiksēto aktīvu konts apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Jaunākās @@ -892,6 +894,7 @@ DocType: Delivery Trip,Distance UOM,Attālums UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligāts bilancei DocType: Payment Entry,Total Allocated Amount,Kopā piešķirtā summa DocType: Sales Invoice,Get Advances Received,Saņemt saņemtos avansa maksājumus +DocType: Shift Type,Last Sync of Checkin,Checkin pēdējā sinhronizācija DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Vērtībā iekļautā nodokļa summa apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -900,7 +903,9 @@ DocType: Subscription Plan,Subscription Plan,Abonēšanas plāns DocType: Student,Blood Group,Asins grupa apps/erpnext/erpnext/config/healthcare.py,Masters,Meistari DocType: Crop,Crop Spacing UOM,Apgriezt atstarpi UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,"Laiks pēc maiņas sākuma laika, kad reģistrēšanās tiek uzskatīta par novēlotu (minūtēs)." apps/erpnext/erpnext/templates/pages/home.html,Explore,Izpētiet +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Netika atrasti neapmaksāti rēķini apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} vakances un {1} budžets {2} jau plānots meitasuzņēmumiem {3}. Mātesuzņēmumam {3} varat plānot tikai līdz {4} vakancēm un budžetu {5} kā personāla plānu {6}. DocType: Promotional Scheme,Product Discount Slabs,Produktu atlaižu plāksnes @@ -1001,6 +1006,7 @@ DocType: Attendance,Attendance Request,Dalības pieprasījums DocType: Item,Moving Average,Pārvietošanās vidējais DocType: Employee Attendance Tool,Unmarked Attendance,Neatzīmēts apmeklējums DocType: Homepage Section,Number of Columns,Kolonnu skaits +DocType: Issue Priority,Issue Priority,Emisijas prioritāte DocType: Holiday List,Add Weekly Holidays,Pievienot iknedēļas brīvdienas DocType: Shopify Log,Shopify Log,Shopify žurnāls apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Izveidot algu slīdēšanu @@ -1009,6 +1015,7 @@ DocType: Job Offer Term,Value / Description,Vērtība / apraksts DocType: Warranty Claim,Issue Date,Izdošanas datums 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, atlasiet partiju {0}. Nevar atrast vienu partiju, kas atbilst šai prasībai" apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Nevar izveidot saglabāšanas bonusu kreisajiem darbiniekiem +DocType: Employee Checkin,Location / Device ID,Atrašanās vietas / ierīces ID DocType: Purchase Order,To Receive,Saņemt apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,"Jūs atrodaties bezsaistes režīmā. Jūs nevarēsiet pārlādēt, kamēr nebūs tīkla." DocType: Course Activity,Enrollment,Reģistrācija @@ -1017,7 +1024,6 @@ DocType: Lab Test Template,Lab Test Template,Lab testa paraugs apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks.: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informācija par e-rēķinu trūkst apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nav izveidots materiāls pieprasījums -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Preces kods> Vienuma grupa> Zīmols DocType: Loan,Total Amount Paid,Kopā samaksātā summa apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Visi šie vienumi jau ir izrakstīti rēķinā DocType: Training Event,Trainer Name,Trenera vārds @@ -1128,6 +1134,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Lūdzu, pieminējiet Svina nosaukumu vadībā {0}" DocType: Employee,You can enter any date manually,Jebkuru datumu varat ievadīt manuāli DocType: Stock Reconciliation Item,Stock Reconciliation Item,Akciju saskaņošanas postenis +DocType: Shift Type,Early Exit Consequence,Agrās izejas sekas DocType: Item Group,General Settings,Vispārīgie iestatījumi apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Izpildes datums nevar būt pirms nosūtīšanas / piegādātāja rēķina datuma apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Pirms iesniegšanas ievadiet saņēmēja vārdu. @@ -1166,6 +1173,7 @@ DocType: Account,Auditor,Revidents apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Maksājuma apstiprinājums ,Available Stock for Packing Items,Pieejamie krājumi iepakošanas priekšmetiem apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},"Lūdzu, noņemiet šo rēķinu {0} no C-veidlapas {1}" +DocType: Shift Type,Every Valid Check-in and Check-out,Katra derīga reģistrēšanās un izrakstīšanās DocType: Support Search Source,Query Route String,Vaicājuma maršruta virkne DocType: Customer Feedback Template,Customer Feedback Template,Klientu atsauksmes veidne apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Citāti uz klientiem vai klientiem. @@ -1200,6 +1208,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Autorizācijas kontrole ,Daily Work Summary Replies,Ikdienas darba kopsavilkums Atbildes apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Jūs esat uzaicināts sadarboties projektā: {0} +DocType: Issue,Response By Variance,Atbildes reakcija DocType: Item,Sales Details,Informācija par pārdošanu apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Burtu galviņas drukāšanas veidnēm. DocType: Salary Detail,Tax on additional salary,Nodoklis par papildu algu @@ -1323,6 +1332,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Klientu a DocType: Project,Task Progress,Uzdevumu progress DocType: Journal Entry,Opening Entry,Atvēršanas ieraksts DocType: Bank Guarantee,Charges Incurred,Izmaksas iekasētas +DocType: Shift Type,Working Hours Calculation Based On,Darba stundu aprēķināšana balstīta uz DocType: Work Order,Material Transferred for Manufacturing,Ražošanai nodots materiāls DocType: Products Settings,Hide Variants,Slēpt variantus DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Atspējot jaudas plānošanu un laika uzskaiti @@ -1352,6 +1362,7 @@ DocType: Account,Depreciation,Nolietojums DocType: Guardian,Interests,Intereses DocType: Purchase Receipt Item Supplied,Consumed Qty,Patērētais daudzums DocType: Education Settings,Education Manager,Izglītības vadītājs +DocType: Employee Checkin,Shift Actual Start,Shift Actual Start DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Plānojiet laika žurnālus ārpus darbstacijas darba stundām. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Lojalitātes punkti: {0} DocType: Healthcare Settings,Registration Message,Reģistrācijas ziņojums @@ -1376,9 +1387,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Rēķins jau ir izveidots visām norēķinu stundām DocType: Sales Partner,Contact Desc,Sazinieties ar Desc DocType: Purchase Invoice,Pricing Rules,Cenu noteikšanas noteikumi +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Tā kā pastāv {0} vienuma esošie darījumi, {1} vērtību nevar mainīt" DocType: Hub Tracked Item,Image List,Attēlu saraksts DocType: Item Variant Settings,Allow Rename Attribute Value,Atļaut pārdēvēt atribūtu vērtību -DocType: Price List,Price Not UOM Dependant,Cena nav atkarīga no UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Laiks (min.) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Pamata DocType: Loan,Interest Income Account,Procentu ienākumu konts @@ -1388,6 +1399,7 @@ DocType: Employee,Employment Type,nodarbinatibas veids apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Izvēlieties POS profilu DocType: Support Settings,Get Latest Query,Saņemt jaunāko vaicājumu DocType: Employee Incentive,Employee Incentive,Darbinieku stimuls +DocType: Service Level,Priorities,Prioritātes apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Mājaslapā pievienojiet kartes vai pielāgotas sadaļas DocType: Homepage,Hero Section Based On,Varoņa sadaļa balstīta uz DocType: Project,Total Purchase Cost (via Purchase Invoice),Kopējā pirkuma cena (izmantojot pirkuma rēķinu) @@ -1447,7 +1459,7 @@ DocType: Work Order,Manufacture against Material Request,Ražošana pret materi DocType: Blanket Order Item,Ordered Quantity,Pasūtītais daudzums apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},# {0} rinda: noraidītais noliktava ir obligāta pret noraidīto vienumu {1} ,Received Items To Be Billed,"Saņemtie vienumi, kas jāapmaksā" -DocType: Salary Slip Timesheet,Working Hours,Darba stundas +DocType: Attendance,Working Hours,Darba stundas apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Maksājuma režīms apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,"Pirkuma pasūtījums Preces, kas nav saņemtas laikā" apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Ilgums dienās @@ -1567,7 +1579,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,C DocType: Supplier,Statutory info and other general information about your Supplier,Normatīvā informācija un cita vispārīga informācija par jūsu piegādātāju DocType: Item Default,Default Selling Cost Center,Noklusējuma pārdošanas izmaksu centrs DocType: Sales Partner,Address & Contacts,Adrese un kontakti -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Lūdzu, iestatiet numerācijas sērijas apmeklējumam, izmantojot iestatījumu> Numerācijas sērija" DocType: Subscriber,Subscriber,Abonents apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) nav noliktavā apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Lūdzu, vispirms atlasiet Posting Date" @@ -1578,7 +1589,7 @@ DocType: Project,% Complete Method,Pilnīga metode DocType: Detected Disease,Tasks Created,"Uzdevumi, kas izveidoti" apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Šim vienumam vai tā veidnei jābūt aktīvai BOM ({0}) apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Komisijas likme% -DocType: Service Level,Response Time,Reakcijas laiks +DocType: Service Level Priority,Response Time,Reakcijas laiks DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce iestatījumi apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Daudzumam jābūt pozitīvam DocType: Contract,CRM,CRM @@ -1595,7 +1606,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Stacionārā apmeklējum DocType: Bank Statement Settings,Transaction Data Mapping,Darījumu datu kartēšana apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Vadītājam ir nepieciešams personas vārds vai organizācijas nosaukums DocType: Student,Guardians,Aizbildņi -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Lūdzu, iestatiet instruktora nosaukumu sistēmu izglītībā> Izglītības iestatījumi" apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Atlasiet zīmolu ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Vidējie ienākumi DocType: Shipping Rule,Calculate Based On,"Aprēķināt, pamatojoties uz" @@ -1632,6 +1642,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Iestatiet mērķi apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Apmeklējuma ieraksts {0} pastāv pret studentu {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Darījuma datums apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Atcelt abonēšanu +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nevarēja iestatīt pakalpojuma līmeņa līgumu {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Neto alga DocType: Account,Liability,Atbildība DocType: Employee,Bank A/C No.,Bankas A / C numurs @@ -1697,7 +1708,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Izejvielu postenis apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Pirkuma rēķins {0} jau ir iesniegts DocType: Fees,Student Email,Studentu e-pasts -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} nevar būt vecāks vai bērns no {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Saņemiet vienumus no veselības aprūpes pakalpojumiem apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Krājuma ieraksts {0} netiek iesniegts DocType: Item Attribute Value,Item Attribute Value,Vienuma atribūtu vērtība @@ -1722,7 +1732,6 @@ DocType: POS Profile,Allow Print Before Pay,Atļaut drukāt pirms apmaksas DocType: Production Plan,Select Items to Manufacture,"Izvēlieties vienumus, kurus vēlaties ražot" DocType: Leave Application,Leave Approver Name,Atstājiet apstiprinājuma nosaukumu DocType: Shareholder,Shareholder,Akcionārs -DocType: Issue,Agreement Status,Līguma statuss apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Noklusējuma iestatījumi darījumu pārdošanai. 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ātā studenta pieteikuma iesniedzējam" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Izvēlieties BOM @@ -1983,6 +1992,7 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,4. punkts DocType: Account,Income Account,Ienākumu konts apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Visas noliktavas DocType: Contract,Signee Details,Signee Details +DocType: Shift Type,Allow check-out after shift end time (in minutes),Atļaut izrakstīšanos pēc maiņas beigu laika (minūtēs) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Iepirkums DocType: Item Group,Check this if you want to show in website,"Pārbaudiet, vai vēlaties parādīt vietnē" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskālais gads {0} nav atrasts @@ -2049,6 +2059,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Nolietojuma sākuma datums DocType: Activity Cost,Billing Rate,Norēķinu likme apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Brīdinājums: vēl {0} # {1} pastāv pret krājumu ierakstu {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,"Lūdzu, iespējojiet Google Maps iestatījumus, lai novērtētu un optimizētu maršrutus" +DocType: Purchase Invoice Item,Page Break,Lapas pārtraukums DocType: Supplier Scorecard Criteria,Max Score,Maksimālais punktu skaits apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Atmaksāšanas sākuma datums nevar būt pirms izmaksas datuma. DocType: Support Search Source,Support Search Source,Atbalsta meklēšanas avots @@ -2117,6 +2128,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Kvalitātes mērķa mēr DocType: Employee Transfer,Employee Transfer,Darbinieku pārcelšana ,Sales Funnel,Tirdzniecības piltuve DocType: Agriculture Analysis Criteria,Water Analysis,Ūdens analīze +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: Accounts Settings,Accounts Frozen Upto,Konti iesaldēti Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Nekas nav rediģējams. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Darbība {0} ilgāk nekā jebkurā darba vietā {1} pieejamā darba stunda, sadaliet darbību vairākās operācijās" @@ -2130,7 +2142,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Naud apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Pārdošanas pasūtījums {0} ir {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Maksājuma aizkavēšanās (dienas) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Ievadiet informāciju par amortizāciju +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Klientu PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Paredzamajam piegādes datumam jābūt pēc pārdošanas pasūtījuma datuma +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Vienuma daudzums nevar būt nulle apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Nederīgs atribūts apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},"Lūdzu, atlasiet BOM pret vienumu {0}" DocType: Bank Statement Transaction Invoice Item,Invoice Type,Rēķina veids @@ -2140,6 +2154,7 @@ DocType: Maintenance Visit,Maintenance Date,Uzturēšanas datums DocType: Volunteer,Afternoon,Pēcpusdiena DocType: Vital Signs,Nutrition Values,Uztura vērtības DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Drudzis (temp> 38,5 ° C / 101,3 ° F vai ilgstoša temperatūra> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Lūdzu, iestatiet darbinieku nosaukumu sistēmu cilvēkresursu> HR iestatījumos" apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC mainīts DocType: Project,Collect Progress,Savākt progresu apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Enerģija @@ -2190,6 +2205,7 @@ DocType: Setup Progress,Setup Progress,Iestatīšanas progress ,Ordered Items To Be Billed,"Pasūtītie vienumi, kas jāapmaksā" DocType: Taxable Salary Slab,To Amount,Uz summu DocType: Purchase Invoice,Is Return (Debit Note),Vai atgriešanās (debeta piezīme) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klients> Klientu grupa> Teritorija apps/erpnext/erpnext/config/desktop.py,Getting Started,Darba sākšana apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Apvienot apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,"Nevar mainīt fiskālā gada sākuma datumu un fiskālā gada beigu datumu, kad tiek saglabāts fiskālais gads." @@ -2208,8 +2224,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Faktiskais datums apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Uzturēšanas sākuma datums nevar būt pirms sērijas Nr. {0} piegādes datuma apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Rinda {0}: valūtas kurss ir obligāts DocType: Purchase Invoice,Select Supplier Address,Izvēlieties piegādātāja adresi +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Pieejamais daudzums ir {0}, jums ir nepieciešams {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,"Lūdzu, ievadiet API patērētāju noslēpumu" DocType: Program Enrollment Fee,Program Enrollment Fee,Programmas reģistrācijas maksa +DocType: Employee Checkin,Shift Actual End,Shift faktiskais beigas DocType: Serial No,Warranty Expiry Date,Garantijas termiņa beigu datums DocType: Hotel Room Pricing,Hotel Room Pricing,Viesnīcas numura cenas apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Ārējie nodokļi, kas apliekami ar nodokli (izņemot nulles nominālvērtību, nulli un atbrīvoti no nodokļa)" @@ -2269,6 +2287,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Lasīšana 5 DocType: Shopping Cart Settings,Display Settings,Displeja iestatījumi apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Lūdzu, norādiet rezervēto nolietojumu skaitu" +DocType: Shift Type,Consequence after,Sekas pēc apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Kam tev vajag palīdzību? DocType: Journal Entry,Printing Settings,Drukāšanas iestatījumi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banku darbība @@ -2278,6 +2297,7 @@ DocType: Purchase Invoice Item,PR Detail,PR detaļas apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Norēķinu adrese ir tāda pati kā piegādes adrese DocType: Account,Cash,Nauda DocType: Employee,Leave Policy,Atstāt politiku +DocType: Shift Type,Consequence,Sekas apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Studentu adrese DocType: GST Account,CESS Account,CESS konts apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: izmaksu centrs ir nepieciešams kontam “Peļņa un zaudējumi” {2}. Lūdzu, iestatiet uzņēmumam noklusējuma izmaksu centru." @@ -2342,6 +2362,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN kods DocType: Period Closing Voucher,Period Closing Voucher,Perioda slēgšanas kupons apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 nosaukums apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,"Lūdzu, ievadiet izdevumu kontu" +DocType: Issue,Resolution By Variance,Izšķirtspēja DocType: Employee,Resignation Letter Date,Atteikšanās vēstules datums DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Dalība datumā @@ -2354,6 +2375,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Skatīt tūlīt DocType: Item Price,Valid Upto,Valid Upto apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Atsauces dokumenta tipam jābūt {0} +DocType: Employee Checkin,Skip Auto Attendance,Izlaist automātisko apmeklējumu DocType: Payment Request,Transaction Currency,Darījuma valūta DocType: Loan,Repayment Schedule,Atmaksas grafiks apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Izveidot parauga saglabāšanas krājumu ierakstu @@ -2425,6 +2447,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Algu struktūra DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS slēgšanas kuponu nodokļi apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Darbība ir inicializēta DocType: POS Profile,Applicable for Users,Piemērojams lietotājiem +,Delayed Order Report,Atliktā pasūtījuma ziņojums DocType: Training Event,Exam,Eksāmens apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,"Atrasts nepareizs ģenerālgrāmatu ierakstu skaits. Iespējams, ka esat atlasījis nepareizu kontu." apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Pārdošanas cauruļvads @@ -2439,10 +2462,11 @@ DocType: Account,Round Off,Noapaļot DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Nosacījumi tiks piemēroti visiem atlasītajiem vienumiem. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Konfigurēt DocType: Hotel Room,Capacity,Jauda +DocType: Employee Checkin,Shift End,Shift beigas DocType: Installation Note Item,Installed Qty,Instalētais daudzums apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Partija {0} no vienuma {1} ir atspējota. DocType: Hotel Room Reservation,Hotel Reservation User,Viesnīcas rezervācijas lietotājs -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Darba diena ir atkārtota divas reizes +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Pakalpojuma līmeņa līgums ar entītijas veidu {0} un entītija {1} jau pastāv. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},"Vienuma grupa, kas nav pieminēta vienuma kapteiņā vienumam {0}" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Nosaukuma kļūda: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Teritorija ir nepieciešama POS profilā @@ -2490,6 +2514,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Kalendāra datums DocType: Packing Slip,Package Weight Details,Iepakojuma svars DocType: Job Applicant,Job Opening,Darba atvēršana +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Pēdējā zināma veiksmīga darbinieku reģistrēšanās sinhronizācija. Atiestatiet to tikai tad, ja esat pārliecināts, ka visi žurnāli tiek sinhronizēti no visām vietām. Lūdzu, neizmainiet to, ja neesat pārliecināts." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Faktiskās izmaksas apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Kopējais avanss ({0}) pret pasūtījumu {1} nevar būt lielāks par Grand Total ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Atjaunināti vienuma varianti @@ -2534,6 +2559,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Atsauces pirkuma kvīts apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Get Invocies DocType: Tally Migration,Is Day Book Data Imported,Ir importēti dienas grāmatu dati ,Sales Partners Commission,Pārdošanas partneru komisija +DocType: Shift Type,Enable Different Consequence for Early Exit,Iespējot dažādas sekas agrīnai izejai apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Juridiskā DocType: Loan Application,Required by Date,Nepieciešams pēc datuma DocType: Quiz Result,Quiz Result,Viktorīna rezultāts @@ -2592,7 +2618,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finanšu DocType: Pricing Rule,Pricing Rule,Cenu noteikšanas noteikums apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Izvēles brīvdienu saraksts nav noteikts atvaļinājuma periodam {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,"Lūdzu, iestatiet lietotāja ID lauku darbinieka ierakstā, lai iestatītu darbinieku lomu" -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Laiks atrisināt DocType: Training Event,Training Event,Apmācības pasākums DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Parastais asinsspiediens pieaugušajiem pieaugušajiem ir aptuveni 120 mmHg sistoliskais un 80 mmHg diastoliskais, saīsināts "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Sistēma ielādēs visus ierakstus, ja robežvērtība ir nulle." @@ -2635,6 +2660,7 @@ DocType: Woocommerce Settings,Enable Sync,Iespējot sinhronizāciju DocType: Student Applicant,Approved,Apstiprināts apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},"No datuma jābūt fiskālajā gadā. Pieņemot, ka no datuma = {0}" apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Pirkšanas iestatījumos iestatiet piegādātāju grupu. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} ir nederīgs apmeklējuma statuss. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Pagaidu atvēršanas konts DocType: Purchase Invoice,Cash/Bank Account,Naudas / bankas konts DocType: Quality Meeting Table,Quality Meeting Table,Kvalitātes sanāksmju tabula @@ -2670,6 +2696,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Pārtika, dzērieni un tabaka" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kursa grafiks DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Vienība Wise Tax Detail +DocType: Shift Type,Attendance will be marked automatically only after this date.,Dalība tiks atzīmēta automātiski tikai pēc šī datuma. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,"Izejmateriāli, kas izgatavoti no UIN turētājiem" apps/erpnext/erpnext/hooks.py,Request for Quotations,Cenu pieprasījums apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,"Pēc ierakstu veikšanas, izmantojot citu valūtu, nevar mainīt valūtu" @@ -2718,7 +2745,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Vai vienums no Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kvalitātes procedūra. DocType: Share Balance,No of Shares,Akciju skaits -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rinda {0}: daudzums nav pieejams {4} noliktavā {1} ieraksta nosūtīšanas laikā ({2} {3}) DocType: Quality Action,Preventive,Profilakse DocType: Support Settings,Forum URL,Foruma URL apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Darbinieku un apmeklējumu skaits @@ -2940,7 +2966,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Atlaides veids DocType: Hotel Settings,Default Taxes and Charges,Noklusējuma nodokļi un maksas apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Tas ir balstīts uz darījumiem pret šo piegādātāju. Sīkāku informāciju skatīt zemāk apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Maksimālais darbinieka {0} pabalsta apmērs pārsniedz {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Ievadiet Līguma sākuma un beigu datumu. DocType: Delivery Note Item,Against Sales Invoice,Pret pārdošanas rēķinu DocType: Loyalty Point Entry,Purchase Amount,Pirkuma summa apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Nevar iestatīt kā Lost as Sales Order. @@ -2964,7 +2989,7 @@ DocType: Homepage,"URL for ""All Products""",URL "Visi produkti" DocType: Lead,Organization Name,Organizācijas nosaukums apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Kumulatīvam ir obligāti derīgi un derīgi lauki apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Rinda Nr. {0}: partijas Nr. Jābūt vienādam ar {1} {2} -DocType: Employee,Leave Details,Atstājiet informāciju +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Krājumu darījumi pirms {0} ir iesaldēti DocType: Driver,Issuing Date,Izdošanas datums apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Pieprasītājs @@ -3009,9 +3034,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Naudas plūsmas kartēšanas veidnes dati apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Pieņemšana darbā un apmācība DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Automātiskās apmeklētības labvēlības perioda iestatījumi apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,No Valūtas un Valūtas nevar būt vienāds apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmācija DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Atbalsta stundas apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} tiek atcelts vai slēgts apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Rinda {0}: avansam pret Klientu jābūt kredītiem apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grupas pa kuponiem (konsolidēti) @@ -3121,6 +3148,7 @@ DocType: Asset Repair,Repair Status,Remonta statuss DocType: Territory,Territory Manager,Teritorijas pārvaldnieks DocType: Lab Test,Sample ID,Parauga ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Grozs ir tukšs +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Apmeklējums ir atzīmēts kā darbinieku reģistrēšanās apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Jāiesniedz {0} aktīvs ,Absent Student Report,Studentu ziņojuma trūkums apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Iekļauts bruto peļņā @@ -3128,7 +3156,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,C DocType: Travel Request Costing,Funded Amount,Finansētā summa apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nav iesniegts, tāpēc darbību nevar pabeigt" DocType: Subscription,Trial Period End Date,Izmēģinājuma perioda beigu datums +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Mainot ierakstus kā IN un OUT vienas maiņas laikā DocType: BOM Update Tool,The new BOM after replacement,Jaunais BOM pēc nomaiņas +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Piegādātājs> Piegādātāja veids apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,5. punkts DocType: Employee,Passport Number,Pases numurs apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Pagaidu atvēršana @@ -3244,6 +3274,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Galvenie ziņojumi apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Iespējamais piegādātājs ,Issued Items Against Work Order,Izdoti priekšmeti pret darba kārtību apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Rēķina izveide {0} +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Lūdzu, iestatiet instruktora nosaukumu sistēmu izglītībā> Izglītības iestatījumi" DocType: Student,Joining Date,Pievienošanās datums apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Pieprasītā vietne DocType: Purchase Invoice,Against Expense Account,Pret izdevumu rēķinu @@ -3283,6 +3314,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Piemērojamās maksas ,Point of Sale,Tirdzniecības vieta DocType: Authorization Rule,Approving User (above authorized value),Lietotāja apstiprināšana (virs atļautās vērtības) +DocType: Service Level Agreement,Entity,Uzņēmums apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Summa {0} {1} tika pārvietota no {2} uz {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Klients {0} nepieder pie projekta {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,No partijas nosaukuma @@ -3329,6 +3361,7 @@ DocType: Asset,Opening Accumulated Depreciation,Uzkrāto nolietojuma atvēršana DocType: Soil Texture,Sand Composition (%),Smilšu sastāvs (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importēt dienas grāmatu datus +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Lūdzu, iestatiet nosaukuma sēriju {0}, izmantojot iestatījumu> Iestatījumi> Nosaukumu sērija" DocType: Asset,Asset Owner Company,Asset Owner Company apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Izdevumu izmaksu rezervēšanai ir nepieciešams izmaksu centrs apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} derīgs sērijas Nr. Vienumam {1} @@ -3388,7 +3421,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Aktīvu īpašnieks apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Noliktava ir obligāta {0} rindas {1} rindā DocType: Stock Entry,Total Additional Costs,Kopējās papildu izmaksas -DocType: Marketplace Settings,Last Sync On,Pēdējā sinhronizācija ieslēgta apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Tabulā Nodokļi un maksas iestatiet vismaz vienu rindu DocType: Asset Maintenance Team,Maintenance Team Name,Apkopes komandas nosaukums apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Izmaksu centru diagramma @@ -3404,12 +3436,12 @@ DocType: Sales Order Item,Work Order Qty,Darba pasūtījuma daudzums DocType: Job Card,WIP Warehouse,WIP noliktava DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ -YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Lietotāja ID nav iestatīts darbiniekam {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Pieejams daudzums ir {0}, jums ir nepieciešams {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Lietotājs {0} izveidots DocType: Stock Settings,Item Naming By,Vienuma nosaukums ar apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Pasūtīts apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Tā ir sakņu klientu grupa un to nevar rediģēt. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materiāla pieprasījums {0} tiek atcelts vai apturēts +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Stingri jābalstās uz žurnāla veidu darbinieka pārbaudē DocType: Purchase Order Item Supplied,Supplied Qty,Piegādāts daudzums DocType: Cash Flow Mapper,Cash Flow Mapper,Naudas plūsmas karte DocType: Soil Texture,Sand,Smiltis @@ -3468,6 +3500,7 @@ DocType: Lab Test Groups,Add new line,Pievienot jaunu rindu apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Objektu grupas tabulā ir dublēta vienumu grupa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Gada alga DocType: Supplier Scorecard,Weighting Function,Svēruma funkcija +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM reklāmguvumu koeficients ({0} -> {1}) nav atrasts vienumam: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,"Novērtējot kritēriju formulu, radās kļūda" ,Lab Test Report,Lab testa ziņojums DocType: BOM,With Operations,Ar operācijām @@ -3481,6 +3514,7 @@ DocType: Expense Claim Account,Expense Claim Account,Izdevumu pieprasījuma kont apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Žurnāla ierakstam nav pieejami atmaksājumi apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ir neaktīvs students apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Veikt krājumu ierakstu +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM recursion: {0} nevar būt vecāks vai bērns no {1} DocType: Employee Onboarding,Activities,Darbības apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Viena noliktava ir obligāta ,Customer Credit Balance,Klientu kredīta atlikums @@ -3493,9 +3527,11 @@ DocType: Supplier Scorecard Period,Variables,Mainīgie apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,"Vairākas lojalitātes programmas, kas atrodamas Klientam. Lūdzu, atlasiet manuāli." DocType: Patient,Medication,Zāles apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Izvēlieties Lojalitātes programmu +DocType: Employee Checkin,Attendance Marked,Apmeklējums atzīmēts apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Izejvielas DocType: Sales Order,Fully Billed,Pilnībā uzpildīts apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Lūdzu, iestatiet viesnīcas numura cenu {}" +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Atlasiet tikai vienu prioritāti kā noklusējumu. apps/erpnext/erpnext/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 (Ledger) tipam - {0}" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Kopējai kredīta / debeta summai vajadzētu būt vienādai ar saistīto žurnāla ierakstu DocType: Purchase Invoice Item,Is Fixed Asset,Vai Fiksētie aktīvi @@ -3516,6 +3552,7 @@ DocType: Purpose of Travel,Purpose of Travel,Ceļojuma mērķis DocType: Healthcare Settings,Appointment Confirmation,Iecelšanas apstiprinājums DocType: Shopping Cart Settings,Orders,Pasūtījumi DocType: HR Settings,Retirement Age,Pensijas vecums +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Lūdzu, iestatiet numerācijas sērijas apmeklējumam, izmantojot iestatījumu> Numerācijas sērija" apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Plānotais daudzums apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Dzēšana nav atļauta valstī {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},# {0} rinda: aktīvs {1} jau ir {2} @@ -3599,11 +3636,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Grāmatvedis apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS slēgšanas kupons alreday pastāv {0} starp datumu {1} un {2} apps/erpnext/erpnext/config/help.py,Navigating,Navigācija +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Nevienam neapmaksātam rēķinam nav nepieciešama valūtas kursa pārvērtēšana DocType: Authorization Rule,Customer / Item Name,Klienta / vienuma nosaukums apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Jaunajam sērijas numuram nevar būt noliktava. Noliktava ir jānosaka ar krājumu ierakstu vai pirkuma kvīti DocType: Issue,Via Customer Portal,Izmantojot klientu portālu DocType: Work Order Operation,Planned Start Time,Plānotais sākuma laiks apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} ir {2} +DocType: Service Level Priority,Service Level Priority,Pakalpojumu līmeņa prioritāte apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Rezervēto nolietojumu skaits nedrīkst būt lielāks par kopējo nolietojumu skaitu apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger DocType: Journal Entry,Accounts Payable,Debitoru parādi @@ -3714,7 +3753,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Piegāde līdz DocType: Bank Statement Transaction Settings Item,Bank Data,Bankas dati apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Plānotais Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,"Saglabājiet norēķinu stundas un darba stundas, kas norādītas laika kontrolsarakstā" apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Track Leads ar Lead Source. DocType: Clinical Procedure,Nursing User,Aprūpes lietotājs DocType: Support Settings,Response Key List,Atbildes atslēgu saraksts @@ -3882,6 +3920,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Faktiskais sākuma laiks DocType: Antibiotic,Laboratory User,Laboratorijas lietotājs apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Tiešsaistes izsoles +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioritāte {0} ir atkārtota. DocType: Fee Schedule,Fee Creation Status,Maksas izveides statuss apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Programmatūras apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Pārdošanas pasūtījums maksājumam @@ -3948,6 +3987,7 @@ DocType: Patient Encounter,In print,Drukā apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Nevarēja iegūt informāciju par {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Norēķinu valūtai jābūt vienādai ar noklusējuma uzņēmuma valūtas vai partijas konta valūtu apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,"Lūdzu, ievadiet šīs pārdošanas personas darbinieku ID" +DocType: Shift Type,Early Exit Consequence after,Agrās izejas sekas pēc apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Izveidot atvēršanas pārdošanas un pirkuma rēķinus DocType: Disease,Treatment Period,Ārstēšanas periods apps/erpnext/erpnext/config/settings.py,Setting up Email,E-pasta iestatīšana @@ -3965,7 +4005,6 @@ DocType: Employee Skill Map,Employee Skills,Darbinieku prasmes apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Studenta vārds: DocType: SMS Log,Sent On,Nosūtīts DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Pārdošanas rēķins -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Atbildes laiks nevar būt lielāks par izšķirtspējas laiku DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Kursa studentu grupai kurss tiks apstiprināts katram studentam no uzņemto kursu programmas uzņemšanas kursos. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Valsts iekšējās piegādes DocType: Employee,Create User Permission,Izveidot lietotāja atļauju @@ -4004,6 +4043,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standarta līguma pārdošanas noteikumi vai pirkuma noteikumi. DocType: Sales Invoice,Customer PO Details,Klienta PO informācija apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacients nav atrasts +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Izvēlieties noklusējuma prioritāti. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Noņemiet vienumu, ja maksa nav attiecināma uz šo vienumu" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Klientu grupa pastāv ar tādu pašu nosaukumu, lūdzu, nomainiet Klienta nosaukumu vai pārdēvējiet klientu grupu" 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. @@ -4043,6 +4083,7 @@ DocType: Quality Goal,Quality Goal,Kvalitātes mērķis DocType: Support Settings,Support Portal,Atbalsta portāls apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},{0} uzdevuma beigu datums nevar būt mazāks par {1} paredzamo sākuma datumu {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Darbinieks {0} ir palicis atvaļinājumā {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Šis Pakalpojumu līmeņa līgums ir specifisks klientam {0} DocType: Employee,Held On,Tiek turēts DocType: Healthcare Practitioner,Practitioner Schedules,Praktizētāju grafiki DocType: Project Template Task,Begin On (Days),Sākt (dienas) @@ -4050,6 +4091,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Darba kārtība ir {0} DocType: Inpatient Record,Admission Schedule Date,Uzņemšanas grafiks Datums apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Aktīvu vērtības korekcija +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Atzīmēt apmeklējumu, pamatojoties uz darbiniekiem, kas norīkoti šajā maiņā." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,"Piegādes, kas veiktas nereģistrētām personām" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Visas darba vietas DocType: Appointment Type,Appointment Type,Iecelšanas veids @@ -4162,7 +4204,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Iepakojuma bruto svars. Parasti neto svars + iepakojuma materiāla svars. (drukāšanai) DocType: Plant Analysis,Laboratory Testing Datetime,Laboratorijas testēšana Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Vienumam {0} nevar būt partijas -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Pārdošanas cauruļvads pa posmiem apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Studentu grupas spēks DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bankas izraksta darījums DocType: Purchase Order,Get Items from Open Material Requests,Saņemt vienumus no atvērtajiem materiāliem @@ -4244,7 +4285,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Parādiet novecošanās noliktavu DocType: Sales Invoice,Write Off Outstanding Amount,Izrakstiet izcilu summu DocType: Payroll Entry,Employee Details,Darbinieku informācija -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Sākuma laiks nevar būt lielāks par {0} beigu laiku. DocType: Pricing Rule,Discount Amount,Atlaide DocType: Healthcare Service Unit Type,Item Details,Vienuma informācija apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Dublikāta {0} nodokļu deklarācija periodam {1} @@ -4297,7 +4337,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto atalgojums nevar būt negatīvs apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Mijiedarbību skaits 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} # postenis {1} nevar tikt pārsūtīts vairāk kā {2} pret pirkuma pasūtījumu {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Shift +DocType: Attendance,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Kontu un pušu apstrādes diagramma DocType: Stock Settings,Convert Item Description to Clean HTML,Konvertēt vienuma aprakstu uz tīru HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Visas piegādātāju grupas @@ -4368,6 +4408,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Darbinieku kl DocType: Healthcare Service Unit,Parent Service Unit,Vecāku apkalpošanas nodaļa DocType: Sales Invoice,Include Payment (POS),Iekļaut maksājumu (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Privātais kapitāls +DocType: Shift Type,First Check-in and Last Check-out,Pirmā reģistrēšanās un pēdējā izrakstīšanās DocType: Landed Cost Item,Receipt Document,Saņemšanas dokuments DocType: Supplier Scorecard Period,Supplier Scorecard Period,Piegādātāja rezultātu kartes periods DocType: Employee Grade,Default Salary Structure,Noklusējuma algu struktūra @@ -4450,6 +4491,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Izveidot pirkuma pasūtījumu apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definējiet finanšu gadu budžetu. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Kontu tabula nevar būt tukša. +DocType: Employee Checkin,Entry Grace Period Consequence,Ieejas labvēlības perioda sekas ,Payment Period Based On Invoice Date,"Maksājuma periods, pamatojoties uz rēķina datumu" apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Uzstādīšanas datums nevar būt pirms {0} vienuma piegādes datuma apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Saite uz materiālu pieprasījumu @@ -4458,6 +4500,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Kartes datu t apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Rinda {0}: šai noliktavai jau ir kārtas ieraksts {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Datums DocType: Monthly Distribution,Distribution Name,Izplatīšanas nosaukums +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Darba diena {0} ir atkārtota. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,"Grupa grupai, kas nav grupa" apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Notiek atjaunināšana. Tas var aizņemt kādu laiku. DocType: Item,"Example: ABCD.##### @@ -4470,6 +4513,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Degvielas daudzums apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobilais Nr DocType: Invoice Discounting,Disbursed,Izmaksāts +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 pārbaudīta izbraukšana." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Neto konta neto izmaiņas apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Nav pieejams apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Nepilna laika darbs @@ -4483,7 +4527,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Iespēja apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Rādīt PDC Print apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify piegādātājs DocType: POS Profile User,POS Profile User,POS profila lietotājs -DocType: Student,Middle Name,Otrais vārds DocType: Sales Person,Sales Person Name,Pārdošanas personas vārds DocType: Packing Slip,Gross Weight,Bruto svars DocType: Journal Entry,Bill No,Bill Nr @@ -4492,7 +4535,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Jauna DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Pakalpojumu līmeņa vienošanās -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,"Lūdzu, vispirms atlasiet Darbinieks un Datums" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,"Vienības novērtēšanas likme tiek pārrēķināta, ņemot vērā izkrauto izmaksu kuponu summu" DocType: Timesheet,Employee Detail,Darbinieku informācija DocType: Tally Migration,Vouchers,Kuponi @@ -4527,7 +4569,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Pakalpojumu līm DocType: Additional Salary,Date on which this component is applied,"Datums, kad šo komponentu piemēro" apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Pieejamo akcionāru saraksts ar folio numuriem apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Iestatīt vārtejas vārdus. -DocType: Service Level,Response Time Period,Atbildes laika periods +DocType: Service Level Priority,Response Time Period,Atbildes laika periods DocType: Purchase Invoice,Purchase Taxes and Charges,Pirkuma nodokļi un maksājumi DocType: Course Activity,Activity Date,Darbības datums apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Atlasiet vai pievienojiet jaunu klientu @@ -4552,6 +4594,7 @@ DocType: Sales Person,Select company name first.,Vispirms izvēlieties uzņēmum apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Finansiālais gads DocType: Sales Invoice Item,Deferred Revenue,Atliktie ieņēmumi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Jāizvēlas viens no pārdošanas vai pirkšanas darījumiem +DocType: Shift Type,Working Hours Threshold for Half Day,Darba stundu slieksnis pusdienām ,Item-wise Purchase History,Iepirkuma vēsture apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Nevar mainīt pakalpojuma beigu datumu vienumam {0} DocType: Production Plan,Include Subcontracted Items,Iekļaujiet apakšlīgumus @@ -4583,6 +4626,7 @@ DocType: Journal Entry,Total Amount Currency,Kopējā summa Valūta DocType: BOM,Allow Same Item Multiple Times,Atļaut pašus vienumus vairākas reizes apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Izveidot BOM DocType: Healthcare Practitioner,Charges,Maksa +DocType: Employee,Attendance and Leave Details,Apmeklējums un informācijas atstāšana DocType: Student,Personal Details,Personas dati DocType: Sales Order,Billing and Delivery Status,Norēķinu un piegādes statuss apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,"Rinda {0}: Lai nosūtītu e-pastu, piegādātājam {0} ir nepieciešama e-pasta adrese" @@ -4634,7 +4678,6 @@ DocType: Bank Guarantee,Supplier,Piegādātājs apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Ievadiet vērtību {0} un {1} DocType: Purchase Order,Order Confirmation Date,Pasūtījuma apstiprināšanas datums DocType: Delivery Trip,Calculate Estimated Arrival Times,Aprēķināt paredzamo ierašanās laiku -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Lūdzu, iestatiet darbinieku nosaukumu sistēmu cilvēkresursu> HR iestatījumos" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Patēriņš DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS - .YYYY.- DocType: Subscription,Subscription Start Date,Abonēšanas sākuma datums @@ -4657,7 +4700,7 @@ DocType: Installation Note Item,Installation Note Item,Uzstādīšanas piezīme DocType: Journal Entry Account,Journal Entry Account,Žurnāla ievades konts apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variants apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Foruma aktivitāte -DocType: Service Level,Resolution Time Period,Izšķirtspējas laiks +DocType: Service Level Priority,Resolution Time Period,Izšķirtspējas laiks DocType: Request for Quotation,Supplier Detail,Piegādātāja informācija DocType: Project Task,View Task,Skatīt uzdevumu DocType: Serial No,Purchase / Manufacture Details,Iegādes / izgatavošanas detaļas @@ -4724,6 +4767,7 @@ DocType: Sales Invoice,Commission Rate (%),Komisijas likme (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Noliktavu var mainīt tikai ar akciju ierakstu / piegādes norādi / pirkuma kvīti DocType: Support Settings,Close Issue After Days,Aizvērt problēmu pēc dienām DocType: Payment Schedule,Payment Schedule,Maksājumu grafiks +DocType: Shift Type,Enable Entry Grace Period,Iespējot ieceļošanas labvēlības periodu DocType: Patient Relation,Spouse,Laulātais DocType: Purchase Invoice,Reason For Putting On Hold,Aizturēšanas iemesls DocType: Item Attribute,Increment,Pieaugums @@ -4862,6 +4906,7 @@ DocType: Authorization Rule,Customer or Item,Klients vai Vienums DocType: Vehicle Log,Invoice Ref,Rēķina atsauce apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-veidlapa nav piemērojama rēķinam: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Rēķins ir izveidots +DocType: Shift Type,Early Exit Grace Period,Early Exit Grace Periods DocType: Patient Encounter,Review Details,Pārskatiet informāciju apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Rinda {0}: Stundu vērtībai jābūt lielākai par nulli. DocType: Account,Account Number,Konta numurs @@ -4873,7 +4918,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Piemērojams, ja uzņēmums ir SpA, SApA vai SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Starp: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Apmaksāts un netiek piegādāts -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Vienuma kods ir obligāts, jo vienums netiek automātiski numurēts" DocType: GST HSN Code,HSN Code,HSN kods DocType: GSTR 3B Report,September,Septembris apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administratīvie izdevumi @@ -4918,6 +4962,7 @@ DocType: Healthcare Service Unit,Vacant,Brīvs DocType: Opportunity,Sales Stage,Pārdošanas posms DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Vārdi būs redzami, kad būsit saglabājis pārdošanas pasūtījumu." DocType: Item Reorder,Re-order Level,Atkārtoti pasūtīt līmeni +DocType: Shift Type,Enable Auto Attendance,Iespējot automātisko apmeklējumu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Priekšroka ,Department Analytics,Departamenta analītika DocType: Crop,Scientific Name,Zinātniskais nosaukums @@ -4930,6 +4975,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} statuss ir {2 DocType: Quiz Activity,Quiz Activity,Viktorīna aktivitāte apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} nav derīgā algas periodā DocType: Timesheet,Billed,Norēķini +apps/erpnext/erpnext/config/support.py,Issue Type.,Emisijas veids. DocType: Restaurant Order Entry,Last Sales Invoice,Pēdējais pārdošanas rēķins DocType: Payment Terms Template,Payment Terms,Maksājuma nosacījumi apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Rezervēts Daudzums: Pārdošanai pasūtītais daudzums, bet nav piegādāts." @@ -5025,6 +5071,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Aktīvs apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} nav veselības aprūpes speciālista grafika. Pievienojiet to veselības aprūpes speciālista meistaram DocType: Vehicle,Chassis No,Šasijas Nr +DocType: Employee,Default Shift,Noklusējuma maiņa apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Uzņēmuma saīsinājums apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Materiālu kopums DocType: Article,LMS User,LMS lietotājs @@ -5073,6 +5120,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Vecāku pārdošanas persona DocType: Student Group Creation Tool,Get Courses,Iegūstiet kursus 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.","Rinda # {0}: daudzumam jābūt 1, jo vienums ir pamatlīdzeklis. Lūdzu, izmantojiet atsevišķu rindu vairākiem daudzumiem." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Darba laiks, zem kura ir atzīmēts trūkums. (Nulle, lai atspējotu)" DocType: Customer Group,Only leaf nodes are allowed in transaction,Darījumā var izmantot tikai lapu mezglus DocType: Grant Application,Organization,Organizācija DocType: Fee Category,Fee Category,Maksa kategorija @@ -5085,6 +5133,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,"Lūdzu, atjauniniet savu apmācību pasākuma statusu" DocType: Volunteer,Morning,Rīts DocType: Quotation Item,Quotation Item,Citātu postenis +apps/erpnext/erpnext/config/support.py,Issue Priority.,Emisijas prioritāte. DocType: Journal Entry,Credit Card Entry,Kredītkaršu ievadīšana apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Laika niša ir izlaista, slots {0} līdz {1} pārklājas ar pašreizējo slotu {2} uz {3}" DocType: Journal Entry Account,If Income or Expense,Ja ienākumi vai izdevumi @@ -5135,11 +5184,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Datu importēšana un iestatījumi 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 pārbaudīta automātiskā atlase, klienti tiks automātiski saistīti ar attiecīgo lojalitātes programmu (saglabājot)" DocType: Account,Expense Account,Izdevumu konts +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Laiks pirms maiņas sākuma laika, kurā tiek uzskatīts, ka apmeklējums ir reģistrēts." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Saistība ar Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Izveidot rēķinu apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Maksājuma pieprasījums jau pastāv {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Darbiniekam, kurš atbrīvots no {0}, jābūt iestatītam kā “Kreisais”" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Maksājiet {0} {1} +DocType: Company,Sales Settings,Pārdošanas iestatījumi DocType: Sales Order Item,Produced Quantity,Ražots daudzums apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,"Piedāvājuma pieprasījumam var piekļūt, noklikšķinot uz šādas saites" DocType: Monthly Distribution,Name of the Monthly Distribution,Mēneša sadalījuma nosaukums @@ -5218,6 +5269,7 @@ DocType: Company,Default Values,Noklusējuma vērtības apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Tiek izveidotas noklusējuma nodokļu veidnes pārdošanai un pirkšanai. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Atvaļinājuma veidu {0} nevar pārnest apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Debetam kontam jābūt debitoru kontam +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},"Lūdzu, iestatiet kontu noliktavā {0} vai noklusējuma krājumu kontā uzņēmumā {1}" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Iestatīta pēc noklusējuma DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Šī iepakojuma neto svars. (aprēķināts automātiski kā vienību neto svara summa) @@ -5244,8 +5296,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,V apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Beidzās partijas DocType: Shipping Rule,Shipping Rule Type,Piegādes noteikumu veids DocType: Job Offer,Accepted,Pieņemts -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Lūdzu, izdzēsiet Darbinieks {0}, lai atceltu šo dokumentu" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Jūs jau esat novērtējis vērtēšanas kritērijus {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Atlasiet Sērijas numuri apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Vecums (dienas) @@ -5272,6 +5322,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Izvēlieties savus domēnus DocType: Agriculture Task,Task Name,Uzdevuma nosaukums apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Krājumu ieraksti jau ir izveidoti darba kārtībai +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Lūdzu, izdzēsiet Darbinieks {0}, lai atceltu šo dokumentu" ,Amount to Deliver,Sniedzamā summa apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Uzņēmums {0} nepastāv apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,"Nav saņemti materiāli materiālie pieprasījumi, kas saistīti ar norādītajiem vienumiem." @@ -5321,6 +5373,7 @@ DocType: Program Enrollment,Enrolled courses,Uzņemtie kursi DocType: Lab Prescription,Test Code,Testa kods DocType: Purchase Taxes and Charges,On Previous Row Total,Iepriekšējā rindā kopā DocType: Student,Student Email Address,Studentu e-pasta adrese +,Delayed Item Report,Atliktā vienuma pārskats DocType: Academic Term,Education,Izglītība DocType: Supplier Quotation,Supplier Address,Piegādātāja adrese DocType: Salary Detail,Do not include in total,Neiekļaut kopā @@ -5328,7 +5381,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nepastāv DocType: Purchase Receipt Item,Rejected Quantity,Noraidīts daudzums DocType: Cashier Closing,To TIme,TIme -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM reklāmguvumu koeficients ({0} -> {1}) nav atrasts vienumam: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Ikdienas darba kopsavilkums Grupas lietotājs DocType: Fiscal Year Company,Fiscal Year Company,Fiskālā gada uzņēmums apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternatīvais vienums nedrīkst būt tāds pats kā vienuma kods @@ -5380,6 +5432,7 @@ DocType: Program Fee,Program Fee,Maksa par programmu DocType: Delivery Settings,Delay between Delivery Stops,Kavēšanās starp piegādes apstāšanos DocType: Stock Settings,Freeze Stocks Older Than [Days],Iesaldēt krājumus vecākus par [dienas] DocType: Promotional Scheme,Promotional Scheme Product Discount,Reklāmas shēmas produktu atlaide +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Jautājuma prioritāte jau pastāv DocType: Account,Asset Received But Not Billed,"Aktīvs saņemts, bet nav apmaksāts" DocType: POS Closing Voucher,Total Collected Amount,Kopā iekasētā summa DocType: Course,Default Grading Scale,Noklusējuma vērtēšanas skala @@ -5422,6 +5475,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Izpildes noteikumi apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Grupai nav grupas DocType: Student Guardian,Mother,Māte +DocType: Issue,Service Level Agreement Fulfilled,Ir izpildīts pakalpojumu līmeņa nolīgums DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Nodokļa atskaitīšana par nepieprasītajiem darbinieku pabalstiem DocType: Travel Request,Travel Funding,Ceļojumu finansēšana DocType: Shipping Rule,Fixed,Fiksēts @@ -5451,10 +5505,12 @@ DocType: Item,Warranty Period (in days),Garantijas periods (dienās) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Neviens vienums nav atrasts. DocType: Item Attribute,From Range,No diapazona DocType: Clinical Procedure,Consumables,Izejmateriāli +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,Nepieciešama 'worker_field_value' un 'timestamp'. DocType: Purchase Taxes and Charges,Reference Row #,Atsauces rinda # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Uzņēmumā {0} iestatiet „Aktīvu nolietojuma izmaksu centru” apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,"Rinda # {0}: Maksājuma dokuments ir nepieciešams, lai pabeigtu transakciju" DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Noklikšķiniet uz šīs pogas, lai vilktu pārdošanas pasūtījuma datus no Amazon MWS." +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Darba laiks, zem kura ir atzīmēta pusdienas diena. (Nulle, lai atspējotu)" ,Assessment Plan Status,Novērtējuma plāna statuss apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,"Lūdzu, vispirms izvēlieties {0}" apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Iesniedziet šo, lai izveidotu darbinieku ierakstu" @@ -5525,6 +5581,7 @@ DocType: Quality Procedure,Parent Procedure,Vecāku procedūra apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Iestatīt Open apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Pārslēgt filtrus DocType: Production Plan,Material Request Detail,Materiālu pieprasījuma detaļa +DocType: Shift Type,Process Attendance After,Procesa apmeklējums pēc DocType: Material Request Item,Quantity and Warehouse,Daudzums un noliktava apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Atveriet programmas apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Rinda # {0}: dublikāts ierakstā {1} {2} @@ -5582,6 +5639,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Informācija par partiju apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debitori ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Līdz šim tas nevar būt lielāks par darbinieka atbrīvošanas datumu +DocType: Shift Type,Enable Exit Grace Period,Iespējot pārtraukšanas periodu DocType: Expense Claim,Employees Email Id,Darbinieku e-pasta ID DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Atjaunināt cenu no Shopify līdz ERPNext Cenrādim DocType: Healthcare Settings,Default Medical Code Standard,Noklusējuma medicīnas koda standarts @@ -5612,7 +5670,6 @@ DocType: Item Group,Item Group Name,Vienuma grupas nosaukums DocType: Budget,Applicable on Material Request,Piemērojams pēc materiāla pieprasījuma DocType: Support Settings,Search APIs,Meklēt API DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Pārdošanas pasūtījuma procentuālā daļa -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Specifikācijas DocType: Purchase Invoice,Supplied Items,Piegādātās preces DocType: Leave Control Panel,Select Employees,Atlasiet Darbinieki apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Aizdevumā {0} izvēlieties procentu ienākumu kontu @@ -5638,7 +5695,7 @@ DocType: Salary Slip,Deductions,Atskaitījumi ,Supplier-Wise Sales Analytics,Piegādātāja-gudra pārdošanas analīze DocType: GSTR 3B Report,February,Februārī DocType: Appraisal,For Employee,Darbiniekam -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Faktiskais piegādes datums +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Faktiskais piegādes datums DocType: Sales Partner,Sales Partner Name,Pārdošanas partnera nosaukums apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Nolietojuma rinda {0}: nolietojuma sākuma datums tiek ievadīts kā iepriekšējais datums DocType: GST HSN Code,Regional,Reģionālais @@ -5677,6 +5734,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Akc DocType: Supplier Scorecard,Supplier Scorecard,Piegādātāju rezultātu karte DocType: Travel Itinerary,Travel To,Ceļot uz apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Atzīmējiet apmeklējumu +DocType: Shift Type,Determine Check-in and Check-out,Noteikt reģistrēšanos un izrakstīšanos DocType: POS Closing Voucher,Difference,Starpība apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Mazs DocType: Work Order Item,Work Order Item,Darba pasūtījuma postenis @@ -5710,6 +5768,7 @@ DocType: Sales Invoice,Shipping Address Name,Piegādes adreses nosaukums apps/erpnext/erpnext/healthcare/setup.py,Drug,Narkotika apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} ir aizvērts DocType: Patient,Medical History,Medicīniskā vēsture +DocType: Expense Claim,Expense Taxes and Charges,Izdevumu nodokļi un izmaksas DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,"Dienu skaits pēc tam, kad pagājis rēķina izrakstīšanas datums, pirms abonēšanas vai abonēšanas atzīmēšanas anulēšanas neapmaksāta" apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Instalācijas piezīme {0} jau ir iesniegta DocType: Patient Relation,Family,Ģimene @@ -5742,7 +5801,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Stiprums apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,"{2} vienības {1} bija nepieciešamas {2}, lai pabeigtu šo darījumu." DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,"Apakšuzņēmuma līgumi, kas balstīti uz apakšlīgumu" -DocType: Bank Guarantee,Customer,Klients DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ja tas ir iespējots, lauka akadēmiskais termins būs obligāts programmas uzņemšanas rīkā." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Studentu grupa, kas balstīta uz partijām, tiks apstiprināta katram studentam no programmas uzņemšanas." DocType: Course,Topics,Tēmas @@ -5822,6 +5880,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Nodaļas locekļi DocType: Warranty Claim,Service Address,Pakalpojuma adrese DocType: Journal Entry,Remark,Piezīme +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}),"Rinda {0}: daudzums, kas nav pieejams {4} noliktavā {1} pēc ieraksta nosūtīšanas laika ({2} {3})" DocType: Patient Encounter,Encounter Time,Tikšanās laiks DocType: Serial No,Invoice Details,Rēķina dati apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Papildu kontus var veikt grupās, bet ierakstus var veikt pret grupām, kas nav grupas" @@ -5902,6 +5961,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","P apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Slēgšana (atvēršana + kopējais) DocType: Supplier Scorecard Criteria,Criteria Formula,Kritēriju formula apps/erpnext/erpnext/config/support.py,Support Analytics,Atbalstīt Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Apmeklējuma ierīces ID (biometriskā / RF taga ID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Pārskatīšana un darbība DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ja konts ir iesaldēts, ierakstus drīkst ierobežot lietotājiem." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Summa pēc nolietojuma @@ -5923,6 +5983,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Aizdevuma atmaksa DocType: Employee Education,Major/Optional Subjects,Galvenie / izvēles priekšmeti DocType: Soil Texture,Silt,Silt +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Piegādātāju adreses un kontakti DocType: Bank Guarantee,Bank Guarantee Type,Bankas garantijas veids DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ja atspējots, lauks “noapaļots kopā” nebūs redzams nevienā transakcijā" DocType: Pricing Rule,Min Amt,Min @@ -5961,6 +6022,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Rēķina izveides rīka atvēršana DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Iekļaujiet POS darījumus +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Darbiniekam nav atrasts konkrētā darbinieku lauka vērtība. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Saņemtā summa (uzņēmuma valūta) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage ir pilna, nav saglabāts" DocType: Chapter Member,Chapter Member,Nodaļas loceklis @@ -5993,6 +6055,7 @@ DocType: SMS Center,All Lead (Open),Visi vadi (atvērts) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Nav izveidota neviena studentu grupa. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Dublējiet rindu {0} ar to pašu {1} DocType: Employee,Salary Details,Algas informācija +DocType: Employee Checkin,Exit Grace Period Consequence,Iziet no žēlastības perioda sekām DocType: Bank Statement Transaction Invoice Item,Invoice,Rēķins DocType: Special Test Items,Particulars,Informācija apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Lūdzu, iestatiet filtru, pamatojoties uz vienumu vai noliktavu" @@ -6094,6 +6157,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,No AMC DocType: Job Opening,"Job profile, qualifications required etc.","Darba profils, nepieciešamās kvalifikācijas utt." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Kuģis uz valsti +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Vai vēlaties iesniegt materiālo pieprasījumu DocType: Opportunity Item,Basic Rate,Pamatlikme DocType: Compensatory Leave Request,Work End Date,Darba beigu datums apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Izejvielu pieprasījums @@ -6279,6 +6343,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Nolietojuma summa DocType: Sales Order Item,Gross Profit,Bruto peļņa DocType: Quality Inspection,Item Serial No,Sērijas Nr DocType: Asset,Insurer,Apdrošinātājs +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Pirkšanas summa DocType: Asset Maintenance Task,Certificate Required,Nepieciešams sertifikāts DocType: Retention Bonus,Retention Bonus,Saglabāšanas bonuss @@ -6394,6 +6459,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Starpība (uzņēmum DocType: Invoice Discounting,Sanctioned,Sankcijas DocType: Course Enrollment,Course Enrollment,Kursa reģistrācija DocType: Item,Supplier Items,Piegādātāja preces +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Sākuma laiks nevar būt lielāks vai vienāds ar beigu laiku {0}. DocType: Sales Order,Not Applicable,Nav piemērojams DocType: Support Search Source,Response Options,Atbildes opcijas apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} jābūt vērtībai starp 0 un 100 @@ -6480,7 +6547,6 @@ DocType: Travel Request,Costing,Izmaksu aprēķināšana apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Pamatlīdzekļi DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Kopējā peļņa -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klients> Klientu grupa> Teritorija DocType: Share Balance,From No,No Nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Maksājuma saskaņošanas rēķins DocType: Purchase Invoice,Taxes and Charges Added,Pievienoti nodokļi un maksas @@ -6588,6 +6654,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignorēt cenu noteikšanas noteikumu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Ēdiens DocType: Lost Reason Detail,Lost Reason Detail,Zaudēts iemesls +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Tika izveidoti šādi sērijas numuri:
{0} DocType: Maintenance Visit,Customer Feedback,Klientu atsauksmes DocType: Serial No,Warranty / AMC Details,Garantija / AMC informācija DocType: Issue,Opening Time,Atvēršanas laiks @@ -6637,6 +6704,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Uzņēmuma nosaukums nav tas pats apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Darbinieku paaugstināšanu nevar iesniegt pirms reklāmas datuma apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},"Nav atļauts atjaunināt akciju darījumus, kas vecāki par {0}" +DocType: Employee Checkin,Employee Checkin,Darbinieku pārbaude apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Sākuma datumam jābūt mazākam par {0} vienuma beigu datumu apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Izveidojiet klientu cenas DocType: Buying Settings,Buying Settings,Pirkšanas iestatījumi @@ -6658,6 +6726,7 @@ DocType: Job Card Time Log,Job Card Time Log,Darba kartes laika žurnāls DocType: Patient,Patient Demographics,Pacientu demogrāfija DocType: Share Transfer,To Folio No,Uz Folio Nr apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Naudas plūsma no operācijām +DocType: Employee Checkin,Log Type,Žurnāla veids DocType: Stock Settings,Allow Negative Stock,Atļaut negatīvo krājumu apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Nevienam vienumam nav nekādas izmaiņas daudzumā vai vērtībā. DocType: Asset,Purchase Date,Pirkuma datums @@ -6702,6 +6771,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Ļoti hiper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Izvēlieties sava uzņēmuma raksturu. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,"Lūdzu, atlasiet mēnesi un gadu" +DocType: Service Level,Default Priority,Noklusējuma prioritāte DocType: Student Log,Student Log,Studentu žurnāls DocType: Shopping Cart Settings,Enable Checkout,Iespējot Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Cilvēku resursi @@ -6730,7 +6800,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Pievienojiet Shopify ar ERPNext DocType: Homepage Section Card,Subtitle,Apakšvirsraksts DocType: Soil Texture,Loam,Loam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Piegādātājs> Piegādātāja veids DocType: BOM,Scrap Material Cost(Company Currency),Metāllūžņu materiālu izmaksas (uzņēmuma valūta) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Piegādes piezīmi {0} nedrīkst iesniegt DocType: Task,Actual Start Date (via Time Sheet),Faktiskais sākuma datums (ar laika lapu) @@ -6786,6 +6855,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Devas DocType: Cheque Print Template,Starting position from top edge,Sākuma pozīcija no augšējās malas apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Iecelšanas ilgums (min) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Šim darbiniekam jau ir žurnāls ar tādu pašu laika zīmogu. {0} DocType: Accounting Dimension,Disable,Atspējot DocType: Email Digest,Purchase Orders to Receive,"Iegādāties pasūtījumus, lai saņemtu" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Productions Rīkojumus nevar izvirzīt: @@ -6801,7 +6871,6 @@ DocType: Production Plan,Material Requests,Materiālie pieprasījumi DocType: Buying Settings,Material Transferred for Subcontract,Apakšlīgumam nodotais materiāls DocType: Job Card,Timing Detail,Laika detaļas apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Nepieciešams -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{0} importēšana no {1} DocType: Job Offer Term,Job Offer Term,Darba piedāvājuma termiņš DocType: SMS Center,All Contact,Visi kontakti DocType: Project Task,Project Task,Projekta uzdevums @@ -6852,7 +6921,6 @@ DocType: Student Log,Academic,Akadēmiskais apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,{0} vienums nav iestatīts sērijas Nr apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,No valsts DocType: Leave Type,Maximum Continuous Days Applicable,Piemēro maksimālās nepārtrauktās dienas -apps/erpnext/erpnext/config/support.py,Support Team.,Atbalsta komanda. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,"Lūdzu, vispirms ievadiet uzņēmuma nosaukumu" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Importēt veiksmīgu DocType: Guardian,Alternate Number,Alternatīvais numurs @@ -6944,6 +7012,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Rinda # {0}: pievienots vienums DocType: Student Admission,Eligibility and Details,Atbilstība un informācija DocType: Staffing Plan,Staffing Plan Detail,Personāla plāns +DocType: Shift Type,Late Entry Grace Period,Late Entry Grace Periods DocType: Email Digest,Annual Income,Gada ienākumi DocType: Journal Entry,Subscription Section,Abonēšanas sadaļa DocType: Salary Slip,Payment Days,Maksājumu dienas @@ -6993,6 +7062,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Konta atlikums DocType: Asset Maintenance Log,Periodicity,Periodiskums apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Medicīniskais ieraksts +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,"Žurnāla veids ir vajadzīgs, lai reģistrētos maiņās: {0}." apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Izpilde DocType: Item,Valuation Method,Vērtēšanas metode apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} pret pārdošanas rēķinu {1} @@ -7077,6 +7147,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Paredzamās izmaksas p DocType: Loan Type,Loan Name,Aizdevuma nosaukums apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Iestatiet noklusējuma maksājuma veidu DocType: Quality Goal,Revision,Pārskatīšana +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Laiks pirms maiņas beigu laika, kad izrakstīšanās tiek uzskatīta par agru (minūtēs)." DocType: Healthcare Service Unit,Service Unit Type,Servisa vienības tips DocType: Purchase Invoice,Return Against Purchase Invoice,Atgriezties pret pirkuma rēķinu apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Izveidot noslēpumu @@ -7232,12 +7303,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Kosmētika DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Pārbaudiet, vai vēlaties piespiest lietotāju izvēlēties sēriju pirms saglabāšanas. Ja jūs to pārbaudīsiet, noklusējuma nav." DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Lietotājiem, kuriem ir šī loma, ir atļauts iestatīt iesaldētos kontus un izveidot / mainīt grāmatvedības ierakstus pret iesaldētiem kontiem" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Preces kods> Vienuma grupa> Zīmols DocType: Expense Claim,Total Claimed Amount,Kopējā pieprasītā summa 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ākamajā {0} dienā operācijai {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Ietīšana apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Jūs varat atjaunot tikai tad, ja jūsu dalība beidzas 30 dienu laikā" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vērtībai jābūt starp {0} un {1} DocType: Quality Feedback,Parameters,Parametri +DocType: Shift Type,Auto Attendance Settings,Auto apmeklējuma iestatījumi ,Sales Partner Transaction Summary,Pārdošanas partneru darījumu kopsavilkums DocType: Asset Maintenance,Maintenance Manager Name,Apkopes vadītāja nosaukums apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,"Ir nepieciešams, lai ielādētu vienuma detaļas." @@ -7328,10 +7401,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Apstipriniet lietoto noteikumu DocType: Job Card Item,Job Card Item,Darba kartes vienums DocType: Homepage,Company Tagline for website homepage,Uzņēmuma Tagline vietnes mājaslapai +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Iestatiet atbildes laiku un izšķirtspēju {0} indeksā {1}. DocType: Company,Round Off Cost Center,Noapaļošanas izmaksu centrs DocType: Supplier Scorecard Criteria,Criteria Weight,Kritēriji Svars DocType: Asset,Depreciation Schedules,Nolietojuma grafiki -DocType: Expense Claim Detail,Claim Amount,Prasības summa DocType: Subscription,Discounts,Atlaides DocType: Shipping Rule,Shipping Rule Conditions,Piegādes noteikumu nosacījumi DocType: Subscription,Cancelation Date,Atcelšanas datums @@ -7358,7 +7431,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Izveidot vadus apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Rādīt nulles vērtības DocType: Employee Onboarding,Employee Onboarding,Darbinieku uzņemšana DocType: POS Closing Voucher,Period End Date,Perioda beigu datums -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Pārdošanas iespējas pēc avotiem DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Pirmais Atstāt apstiprinātājs sarakstā tiks iestatīts kā noklusējuma Atstātāja apstiprinātājs. DocType: POS Settings,POS Settings,POS iestatījumi apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Visi konti @@ -7379,7 +7451,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bankas apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,# {0} rinda: likmei jābūt vienādai ar {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Veselības aprūpes pakalpojumu vienības -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Ieraksti nav atrasti apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Novecošanas diapazons 3 DocType: Vital Signs,Blood Pressure,Asinsspiediens 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ķis ir ieslēgts @@ -7426,6 +7497,7 @@ DocType: Company,Existing Company,Esošais uzņēmums apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Partijas apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Aizsardzība DocType: Item,Has Batch No,Ir partijas Nr +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Aizkavētās dienas DocType: Lead,Person Name,Personas vārds DocType: Item Variant,Item Variant,Vienība Variant DocType: Training Event Employee,Invited,Uzaicināts @@ -7447,7 +7519,7 @@ DocType: Purchase Order,To Receive and Bill,Saņemt un Bill apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Sākuma un beigu datumi, kas nav derīgā algas periodā, nevar aprēķināt {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Rādīt tikai šo klientu grupu klientu apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,"Atlasiet vienumus, lai saglabātu rēķinu" -DocType: Service Level,Resolution Time,Izšķirtspējas laiks +DocType: Service Level Priority,Resolution Time,Izšķirtspējas laiks DocType: Grading Scale Interval,Grade Description,Novērtējuma apraksts DocType: Homepage Section,Cards,Kartes DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kvalitātes sanāksmes protokoli @@ -7474,6 +7546,7 @@ DocType: Project,Gross Margin %,Bruto peļņa% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Bankas izraksta atlikums pēc galvenās virsgrāmatas apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Veselības aprūpe (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,"Noklusētā noliktava, lai izveidotu pārdošanas pasūtījumu un piegādes paziņojumu" +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,{0} atbildes laiks indeksā {1} nevar būt lielāks par izšķirtspējas laiku. DocType: Opportunity,Customer / Lead Name,Klienta / Svina nosaukums DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Nepieprasītā summa @@ -7520,7 +7593,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Pušu un adrešu importēšana DocType: Item,List this Item in multiple groups on the website.,Uzskaitiet šo vienumu vairākās tīmekļa vietnēs. DocType: Request for Quotation,Message for Supplier,Ziņojums piegādātājam -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,"Nevar mainīt {0}, jo ir pieejams darījums ar {1} vienumu." DocType: Healthcare Practitioner,Phone (R),Tālrunis (R) DocType: Maintenance Team Member,Team Member,Komandas biedrs DocType: Asset Category Account,Asset Category Account,Aktīvu kategorijas konts diff --git a/erpnext/translations/mk.csv b/erpnext/translations/mk.csv index d9b9e0df4c..da4ce7f548 100644 --- a/erpnext/translations/mk.csv +++ b/erpnext/translations/mk.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Термински датум за поч apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Именување {0} и фактура за продажба {1} откажани DocType: Purchase Receipt,Vehicle Number,Број на возило apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Твојата е-маил адреса... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Вклучете ги стандардните книги +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Вклучете ги стандардните книги DocType: Activity Cost,Activity Type,Тип на активност DocType: Purchase Invoice,Get Advances Paid,Да се платат напредок DocType: Company,Gain/Loss Account on Asset Disposal,Сметка за добивка / загуба за отуѓување на средства @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Што прав DocType: Bank Reconciliation,Payment Entries,Записи за исплата DocType: Employee Education,Class / Percentage,Класа / Процент ,Electronic Invoice Register,Електронски регистар на фактури +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Бројот на појавата по која последицата се извршува. DocType: Sales Invoice,Is Return (Credit Note),Е враќање (кредитната белешка) +DocType: Price List,Price Not UOM Dependent,Цена Не зависена од UOM DocType: Lab Test Sample,Lab Test Sample,Примерок за лабораториски испитувања DocType: Shopify Settings,status html,статус html DocType: Fiscal Year,"For e.g. 2012, 2012-13","За пример, 2012, 2012-13" @@ -324,6 +326,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Пребарув DocType: Salary Slip,Net Pay,Нето плати apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Вкупно фактурирани Амт DocType: Clinical Procedure,Consumables Invoice Separately,Потрошни фактури засебно +DocType: Shift Type,Working Hours Threshold for Absent,Праг на работното време за отсутен DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Буџетот не може да биде доделен во однос на групна сметка {0} DocType: Purchase Receipt Item,Rate and Amount,Стапка и износ @@ -379,7 +382,6 @@ DocType: Sales Invoice,Set Source Warehouse,Постави извор на ск DocType: Healthcare Settings,Out Patient Settings,Надвор од Пациентот DocType: Asset,Insurance End Date,Датум на осигурување DocType: Bank Account,Branch Code,Огранок законик -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Време за одговарање apps/erpnext/erpnext/public/js/conf.js,User Forum,Кориснички форум DocType: Landed Cost Item,Landed Cost Item,Објективна цена apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Продавачот и купувачот не можат да бидат исти @@ -597,6 +599,7 @@ DocType: Lead,Lead Owner,Олово сопственик DocType: Share Transfer,Transfer,Трансфер apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Ставка за пребарување (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Резултатот е поднесен +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Од датумот не може да биде поголем од До датум DocType: Supplier,Supplier of Goods or Services.,Добавувач на стоки или услуги. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Име на нова сметка. Забелешка: Ве молиме не креирајте сметки за купувачи и добавувачи apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Студентската група или распоредот на курсот е задолжителна @@ -882,7 +885,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,База н DocType: Skill,Skill Name,Име на вештина apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Печатење на извештај картичка DocType: Soil Texture,Ternary Plot,Троично заговор -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ве молиме наместете го Селектирањето за {0} преку Setup> Settings> Series за именување apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Поддршка Билети DocType: Asset Category Account,Fixed Asset Account,Фиксна сметка за средства apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Најнови @@ -895,6 +897,7 @@ DocType: Delivery Trip,Distance UOM,Растојание UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Задолжителен за биланс на состојба DocType: Payment Entry,Total Allocated Amount,Вкупен распределен износ DocType: Sales Invoice,Get Advances Received,Добие аванси +DocType: Shift Type,Last Sync of Checkin,Последна синхронизација на проверка DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Ставка Даночен износ вклучен во вредност apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -903,7 +906,9 @@ DocType: Subscription Plan,Subscription Plan,План за претплата DocType: Student,Blood Group,Крвна група apps/erpnext/erpnext/config/healthcare.py,Masters,Мајстори DocType: Crop,Crop Spacing UOM,Распределба на култури UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Времето по започнувањето на смената кога регистрацијата се смета за доцна (во минути). apps/erpnext/erpnext/templates/pages/home.html,Explore,Истражува +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Не се пронајдени извонредни фактури apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} слободни работни места и {1} буџет за {2} веќе планиран за подружници од {3}. \ Можете да планирате само до {4} слободни работни места и буџет {5} според планот за вработување {6} за матичната компанија {3}. DocType: Promotional Scheme,Product Discount Slabs,Плочи со попуст на производи @@ -1005,6 +1010,7 @@ DocType: Attendance,Attendance Request,Барање за пуштање DocType: Item,Moving Average,Движечки просек DocType: Employee Attendance Tool,Unmarked Attendance,Неозначено присуство DocType: Homepage Section,Number of Columns,Број на колони +DocType: Issue Priority,Issue Priority,Приоритет на прашање DocType: Holiday List,Add Weekly Holidays,Додади неделни празници DocType: Shopify Log,Shopify Log,Купувај дневник apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Креирај фискален лист @@ -1013,6 +1019,7 @@ DocType: Job Offer Term,Value / Description,Вредност / Опис DocType: Warranty Claim,Issue Date,Дата на издавање 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}. Не може да се најде единствена група што го исполнува ова барање apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Не може да се создаде бонус за задржување за вработените лево +DocType: Employee Checkin,Location / Device ID,Локација / ID на уредот DocType: Purchase Order,To Receive,Да прими apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Вие сте во офлајн режим. Вие нема да можете да ја превчитате се додека не сте на мрежа. DocType: Course Activity,Enrollment,Запишување @@ -1021,7 +1028,6 @@ DocType: Lab Test Template,Lab Test Template,Лабораториски тест apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Макс: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Недостасува информација за е-фактурирање apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Нема креирано материјално барање -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на производ> Група на производи> Бренд DocType: Loan,Total Amount Paid,Вкупен износ платен apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Сите овие елементи веќе се фактурирани DocType: Training Event,Trainer Name,Име на тренерот @@ -1132,6 +1138,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Ве молиме да го споменете Водечкото Име во Водач {0} DocType: Employee,You can enter any date manually,Можете да внесете кој било датум рачно DocType: Stock Reconciliation Item,Stock Reconciliation Item,Товар за помирување на акциите +DocType: Shift Type,Early Exit Consequence,Рано излезната последица DocType: Item Group,General Settings,Општи поставувања apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Датумот на достасаност не може да биде пред датумот на објавување / набавување на добавувачи apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Внесете го името на Корисникот пред да поднесете. @@ -1170,6 +1177,7 @@ DocType: Account,Auditor,Ревизор apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Потврда за исплата ,Available Stock for Packing Items,Достапни акции за пакувања apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Ве молиме отстранете ја оваа фактура {0} од C-Form {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Секој валиден Check-in и Check-out DocType: Support Search Source,Query Route String,Стринг на маршрутата за пребарување DocType: Customer Feedback Template,Customer Feedback Template,Шаблон за повратни информации за клиенти apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Цитати до води или клиенти. @@ -1204,6 +1212,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Контрола на овластување ,Daily Work Summary Replies,Дневни резимеа apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Ве поканија да соработувате на проектот: {0} +DocType: Issue,Response By Variance,Одговор со варијација DocType: Item,Sales Details,Детали за продажбата apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Писма глави за шаблони за печатење. DocType: Salary Detail,Tax on additional salary,Данок на дополнителна плата @@ -1327,6 +1336,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Адре DocType: Project,Task Progress,Напредок на задачата DocType: Journal Entry,Opening Entry,Отворање на влез DocType: Bank Guarantee,Charges Incurred,Нанесени надоместоци +DocType: Shift Type,Working Hours Calculation Based On,Работно време пресметка Врз основа DocType: Work Order,Material Transferred for Manufacturing,Пренесен материјал за производство DocType: Products Settings,Hide Variants,Сокриј варијанти DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Оневозможи планирање на капацитети и следење на време @@ -1356,6 +1366,7 @@ DocType: Account,Depreciation,Амортизација DocType: Guardian,Interests,Интереси DocType: Purchase Receipt Item Supplied,Consumed Qty,Потрошена количина DocType: Education Settings,Education Manager,Образование менаџер +DocType: Employee Checkin,Shift Actual Start,Стартувај го вистинскиот старт DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Планирајте време на дневници надвор работното работно време. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Лојални поени: {0} DocType: Healthcare Settings,Registration Message,Порака за регистрација @@ -1380,9 +1391,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Фактура веќе креирана за сите платежни часови DocType: Sales Partner,Contact Desc,Контакт Desc DocType: Purchase Invoice,Pricing Rules,Правила за цени +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Бидејќи постојат постоечки трансакции против ставка {0}, не можете да ја промените вредноста на {1}" DocType: Hub Tracked Item,Image List,Листа на слики DocType: Item Variant Settings,Allow Rename Attribute Value,Дозволи преименување на вредноста на атрибутот -DocType: Price List,Price Not UOM Dependant,Цена Не зависена од UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Време (во мините) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Основно DocType: Loan,Interest Income Account,Каматен профит @@ -1392,6 +1403,7 @@ DocType: Employee,Employment Type,вид на вработување apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Изберете POS профил DocType: Support Settings,Get Latest Query,Добијте најнови пребарувања DocType: Employee Incentive,Employee Incentive,Поттикнување на вработените +DocType: Service Level,Priorities,Приоритети apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Додајте картички или сопствени делови на почетната страница DocType: Homepage,Hero Section Based On,Херој дел врз основа на DocType: Project,Total Purchase Cost (via Purchase Invoice),Вкупен трошок за набавка (преку фактура за набавка) @@ -1452,7 +1464,7 @@ DocType: Work Order,Manufacture against Material Request,Производств DocType: Blanket Order Item,Ordered Quantity,Нареди количина apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ред # {0}: Отфрлен Магацин е задолжителен против отфрлена Точка {1} ,Received Items To Be Billed,Добиени ставки за да се фактурираат -DocType: Salary Slip Timesheet,Working Hours,Работно време +DocType: Attendance,Working Hours,Работно време apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Начин на исплата apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Нарачките не се добиени на време apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Времетраење во денови @@ -1572,7 +1584,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,Законски информации и други општи информации за добавувачот DocType: Item Default,Default Selling Cost Center,Стандарден трошок центар за продажба DocType: Sales Partner,Address & Contacts,Адреса и контакти -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ве молиме наместете серија за нумерација за Присуство преку Поставување> Нумерирање DocType: Subscriber,Subscriber,Претплатник apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Образец / точка / {0}) е надвор од акциите apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Ве молиме изберете прво да го објавите датумот @@ -1583,7 +1594,7 @@ DocType: Project,% Complete Method,Целосен метод DocType: Detected Disease,Tasks Created,Создадени задачи apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Стандардната BOM ({0}) мора да биде активна за оваа ставка или за нејзиниот шаблон apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Стапка на Комисијата% -DocType: Service Level,Response Time,Време на одговор +DocType: Service Level Priority,Response Time,Време на одговор DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Settings apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Количината мора да биде позитивна DocType: Contract,CRM,CRM @@ -1600,7 +1611,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Болничка пос DocType: Bank Statement Settings,Transaction Data Mapping,Мапирање податоци за трансакции apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Олово бара или име на лице или име на организацијата DocType: Student,Guardians,Чувари -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ве молиме поставете Систем за наведување на наставници во образованието> Образование apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Избери Бренд ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Среден приход DocType: Shipping Rule,Calculate Based On,Пресметајте врз основа на @@ -1637,6 +1647,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Постави це apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Записник за присуство {0} постои против Студент {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Датум на трансакција apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Откажи претплата +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Не може да се постави Договор за ниво на услуга {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Нето плата Износ DocType: Account,Liability,Одговорност DocType: Employee,Bank A/C No.,Банка A / C бр. @@ -1702,7 +1713,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Код на суровина apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Фактурата за набавка {0} е веќе доставена DocType: Fees,Student Email,Студентски е-пошта -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Бум рекурзија: {0} не може да биде родител или дете на {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Добијте предмети од здравствени услуги apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Внесот на акции {0} не е поднесен DocType: Item Attribute Value,Item Attribute Value,Вредност на атрибутот на објектот @@ -1727,7 +1737,6 @@ DocType: POS Profile,Allow Print Before Pay,Дозволи печатење пр DocType: Production Plan,Select Items to Manufacture,Изберете предмети за производство DocType: Leave Application,Leave Approver Name,Оставете го името на одобрување DocType: Shareholder,Shareholder,Сопственик -DocType: Issue,Agreement Status,Статус на договор apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Стандардни поставки за продажба на трансакции. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Ве молиме изберете Студентски прием кој е задолжителен за платен студент апликант apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Изберете BOM @@ -1990,6 +1999,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Приход сметка apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Сите магацини DocType: Contract,Signee Details,Детали за Сигните +DocType: Shift Type,Allow check-out after shift end time (in minutes),Овозможи одјавување по завршетокот на смената (во минути) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Набавки DocType: Item Group,Check this if you want to show in website,Проверете го ова ако сакате да се прикажете на веб-страница apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Фискалната година {0} не е пронајдена @@ -2056,6 +2066,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Датум на почето DocType: Activity Cost,Billing Rate,Стапка на наплата apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Предупредување: Уште {0} # {1} постои против влез на акции {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Ве молиме вклучете ги поставките на Google Maps за да ги процените и оптимизирате маршрутите +DocType: Purchase Invoice Item,Page Break,Страница пауза DocType: Supplier Scorecard Criteria,Max Score,Макс рејтинг apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Датумот на отплата не може да биде пред датумот на повлекување. DocType: Support Search Source,Support Search Source,Поддршка за пребарување @@ -2124,6 +2135,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Квалитетна це DocType: Employee Transfer,Employee Transfer,Трансфер на вработени ,Sales Funnel,Продажна инка DocType: Agriculture Analysis Criteria,Water Analysis,Анализа на вода +DocType: Shift Type,Begin check-in before shift start time (in minutes),Започнете пријавување пред да почнете време за менување (во минути) DocType: Accounts Settings,Accounts Frozen Upto,Сметки замрзнати apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Нема што да се уреди. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Операцијата {0} подолго од расположливите работни часови на работната станица {1}, ја прекинува операцијата во повеќе операции" @@ -2137,7 +2149,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Па apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Нарачка за продажба {0} е {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Одлагање во плаќање (дена) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Внесете детали за амортизација +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Клиент ПО apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Очекуваниот датум на испорака треба да биде по датумот на продажниот налог +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Количината на предметот не може да биде нула apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Невалиден атрибут apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Изберете BOM против ставка {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Тип на фактура @@ -2147,6 +2161,7 @@ DocType: Maintenance Visit,Maintenance Date,Датум на одржување DocType: Volunteer,Afternoon,Попладне DocType: Vital Signs,Nutrition Values,Вредности на исхрана DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),Присуство на треска (temp> 38.5 ° C / 101.3 ° F или постојана температура> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ве молиме подесете Систем за имиџ на вработените во човечки ресурси> Поставувања за човечки ресурси apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ИТЦ е обратен DocType: Project,Collect Progress,Собери напредок apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Енергија @@ -2197,6 +2212,7 @@ DocType: Setup Progress,Setup Progress,Прогрес за поставувањ ,Ordered Items To Be Billed,Нарачаните предмети да бидат наплатени DocType: Taxable Salary Slab,To Amount,До износ DocType: Purchase Invoice,Is Return (Debit Note),Е Враќање (Дебитна белешка) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Група на клиенти> Територија apps/erpnext/erpnext/config/desktop.py,Getting Started,Да започнеме apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Спојување apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Не може да се промени датум на почеток на фискалната година и крајниот датум на фискалната година откако ќе се зачува фискалната година. @@ -2215,8 +2231,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Активен датум apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Датумот на одржување не може да биде пред датумот на испорака за Сериски број {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Ред {0}: девизен курс е задолжителен DocType: Purchase Invoice,Select Supplier Address,Изберете адреса на добавувачот +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Достапната количина е {0}, потребна ви е {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Ве молиме внесете тајната на потрошувачите на API DocType: Program Enrollment Fee,Program Enrollment Fee,Провизија за запишување на програмата +DocType: Employee Checkin,Shift Actual End,Shift Actual End DocType: Serial No,Warranty Expiry Date,Датум на истекување на гаранцијата DocType: Hotel Room Pricing,Hotel Room Pricing,Цените на хотелската соба apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Надвор оданочливи резерви (освен нула, номинално и изземени" @@ -2276,6 +2294,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Читање 5 DocType: Shopping Cart Settings,Display Settings,Поставувањата на екранот apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Ве молиме поставете Број на резервирани амортизации +DocType: Shift Type,Consequence after,Последици по apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Што ти треба помош со? DocType: Journal Entry,Printing Settings,Поставки за печатење apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Банкарство @@ -2285,6 +2304,7 @@ DocType: Purchase Invoice Item,PR Detail,ПР Детали apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Адресата за фактурирање е иста како адреса за испорака DocType: Account,Cash,Пари DocType: Employee,Leave Policy,Оставете политика +DocType: Shift Type,Consequence,Последица apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Адреса на студентот DocType: GST Account,CESS Account,Смет сметка apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Ценовен центар е потребен за сметка "Профит и загуба" {2}. Поставете стандарден Центар за трошоци за компанијата. @@ -2349,6 +2369,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN код DocType: Period Closing Voucher,Period Closing Voucher,Период за затворање на ваучерот apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Име apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Те молам внеси сметка за расходи +DocType: Issue,Resolution By Variance,Резолуција со варијација DocType: Employee,Resignation Letter Date,Датум на оставка DocType: Soil Texture,Sandy Clay,Сенди Клеј DocType: Upload Attendance,Attendance To Date,Присуство до датум @@ -2361,6 +2382,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Види сега DocType: Item Price,Valid Upto,Валиден Upto apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Референтниот Doctype мора да биде еден од {0} +DocType: Employee Checkin,Skip Auto Attendance,Прескокнете го автоматското присуство DocType: Payment Request,Transaction Currency,Валута на трансакција DocType: Loan,Repayment Schedule,Распоред за отплата apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Креирај запис за задржување на примерокот @@ -2432,6 +2454,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Доделув DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS затворање на ваучерните такси apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Акција иницијализирана DocType: POS Profile,Applicable for Users,Применливо за корисници +,Delayed Order Report,Одложен извештај за нарачка DocType: Training Event,Exam,Испит apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Пронајден е неточен број на записи за Општи Книги. Можеби избравте погрешна сметка во трансакцијата. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Продажен гасовод @@ -2446,10 +2469,11 @@ DocType: Account,Round Off,Заокружуваат DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Условите ќе се применуваат на сите избрани предмети во комбинација. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Конфигурирај DocType: Hotel Room,Capacity,Капацитет +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Инсталирана количина apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Пакетот {0} од точка {1} е оневозможен. DocType: Hotel Room Reservation,Hotel Reservation User,Корисник за хотелски резерви -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Работен ден се повторува двапати +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Договор за ниво на услуга со тип на ентитет {0} и ентитет {1} веќе постои. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Елемент Група која не е наведена во господар на ставка за ставка {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Грешка во името: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Територијата е потребна во POS профилот @@ -2497,6 +2521,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Распоред на датум DocType: Packing Slip,Package Weight Details,Детали за тежина на пакетот DocType: Job Applicant,Job Opening,Отворена работа +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Последна позната успешна синхронизација на проверка на вработените. Ресетирајте го ова само ако сте сигурни дека сите дневни записи се синхронизираат од сите локации. Немојте да го менувате ова ако не сте сигурни. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Фактичка цена apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Вкупниот напредок ({0}) против Нарачката {1} не може да биде поголем од Grand Total ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Објекти Варијанти се ажурираат @@ -2541,6 +2566,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Референтен на apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Земете Invocies DocType: Tally Migration,Is Day Book Data Imported,Увезени се дневни податоци ,Sales Partners Commission,Комисија за продажба на партнери +DocType: Shift Type,Enable Different Consequence for Early Exit,Овозможи различна последица за почетокот на излезот apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Правни DocType: Loan Application,Required by Date,Бара до датум DocType: Quiz Result,Quiz Result,Резултат од квиз @@ -2600,7 +2626,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Фина DocType: Pricing Rule,Pricing Rule,Правило за цени apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Изборна листа за одмор не е поставена за период на одмор {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,"Поставете го корисничкото поле User in Record of Employee, за да поставите Улогата на вработените" -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Време да се реши DocType: Training Event,Training Event,Обука настан DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Нормалниот крвен притисок за одмор кај возрасни е приближно 120 mmHg систолен и дијастолен 80 mmHg, со кратенка "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Системот ќе ги преземе сите записи ако граничната вредност е нула. @@ -2644,6 +2669,7 @@ DocType: Woocommerce Settings,Enable Sync,Овозможи синхрониза DocType: Student Applicant,Approved,Одобрено apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Од датумот треба да биде во рамките на фискалната година. Претпоставувајќи од датумот = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Те молам Поставете група на добавувачи во Поставките за купување. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} е неважечки статус на присуство. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Привремена сметка за отворање DocType: Purchase Invoice,Cash/Bank Account,Готовина / банкарска сметка DocType: Quality Meeting Table,Quality Meeting Table,Табела за состаноци за квалитет @@ -2679,6 +2705,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Храна, пијалаци и тутун" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Распоред на курсот DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Детална мудра даночна детали +DocType: Shift Type,Attendance will be marked automatically only after this date.,Посетеноста ќе се означи автоматски само по овој датум. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Снабдувања направени за носители на UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Барање за цитати apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Валута не може да се промени по внесувањето на записи користејќи некоја друга валута @@ -2727,7 +2754,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Е предмет од Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Процедура за квалитет. DocType: Share Balance,No of Shares,Број на акции -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ред {0}: Кол не е достапен за {4} во магацин {1} при објавување на времето за внесување ({2} {3}) DocType: Quality Action,Preventive,Превентивен DocType: Support Settings,Forum URL,URL на форумот apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Вработен и присуство @@ -2949,7 +2975,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Тип на попус DocType: Hotel Settings,Default Taxes and Charges,Неподвижни даноци и надоместоци apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Ова се базира на трансакции против овој Добавувач. Погледнете временска рамка подолу за детали apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Максималниот износ на придонесот на вработените {0} надминува {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Внесете датум за почеток и крај на договорот. DocType: Delivery Note Item,Against Sales Invoice,Против фактурата за продажба DocType: Loyalty Point Entry,Purchase Amount,Износ за набавка apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Не може да се постави како изгубен како што е нарачката за продажба. @@ -2973,7 +2998,7 @@ DocType: Homepage,"URL for ""All Products""",URL за "Сите произ DocType: Lead,Organization Name,Името на организацијата apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Валидни и валидни до полиња се задолжителни за кумулативните apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Ред # {0}: Серија Не мора да биде ист како {1} {2} -DocType: Employee,Leave Details,Остави детали +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Пазарните трансакции пред {0} се замрзнати DocType: Driver,Issuing Date,Датум на издавање apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Барател @@ -3018,9 +3043,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Детали за шаблони за мапирање на готовинскиот тек apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Регрутирање и обука DocType: Drug Prescription,Interval UOM,Интервал UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Подесувања за грејс период за автоматско присуство apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Од валута и до валута не може да биде ист apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Фармацевтски производи DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Поддршка часа apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} е откажана или затворена apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Ред {0}: Унапредување на клиентот мора да биде кредит apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Група од ваучер (консолидирана) @@ -3130,6 +3157,7 @@ DocType: Asset Repair,Repair Status,Поправка статус DocType: Territory,Territory Manager,Територија менаџер DocType: Lab Test,Sample ID,Примерок проект apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Количката е празна +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Посетеноста е означена како најава на вработените apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Средство {0} мора да биде поднесено ,Absent Student Report,Отсутен студентски извештај apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Вклучени во бруто добивката @@ -3137,7 +3165,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,Финансиран износ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не е поднесено, па акцијата не може да се заврши" DocType: Subscription,Trial Period End Date,Датум на завршување на судечкиот период +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Изменувачките записи како IN и OUT за време на иста смена DocType: BOM Update Tool,The new BOM after replacement,Новиот Бум по замена +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добавувачот> Тип на добавувач apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Точка 5 DocType: Employee,Passport Number,Број на пасош apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Привремено отворање @@ -3253,6 +3283,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Клучни извештаи apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Можен снабдувач ,Issued Items Against Work Order,Издадени предмети против работниот налог apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Создавање {0} Фактура +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ве молиме поставете Систем за наведување на наставници во образованието> Образование DocType: Student,Joining Date,Датум на пристапување apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Барање на сајтот DocType: Purchase Invoice,Against Expense Account,Против сметка за расходи @@ -3292,6 +3323,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Применливи трошоци ,Point of Sale,Точка на продажба DocType: Authorization Rule,Approving User (above authorized value),Одобрувачки корисник (над дозволената вредност) +DocType: Service Level Agreement,Entity,Субјект apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Износ {0} {1} префрлен од {2} до {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Клиентот {0} не припаѓа на проект {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Од партија име @@ -3338,6 +3370,7 @@ DocType: Asset,Opening Accumulated Depreciation,Отворање акумули DocType: Soil Texture,Sand Composition (%),Композиција на песок (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Увези податоци за дневни книги +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ве молиме наместете го Селектирањето за {0} преку Setup> Settings> Series за именување DocType: Asset,Asset Owner Company,Друштво за сопственост на средства apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Трошок центар е потребно да се резервира барање за трошоци apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} важечки сериски број за точка {1} @@ -3398,7 +3431,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Сопственик на средства apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Магацинот е задолжителен за акции Точка {0} во ред {1} DocType: Stock Entry,Total Additional Costs,Вкупно дополнителни трошоци -DocType: Marketplace Settings,Last Sync On,Последно синхронизирање е вклучено apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Ве молиме поставете барем еден ред во табелата за такси и такси DocType: Asset Maintenance Team,Maintenance Team Name,Име на тимот за одржување apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Табела на трошок центри @@ -3414,12 +3446,12 @@ DocType: Sales Order Item,Work Order Qty,Работна нарачка Кол DocType: Job Card,WIP Warehouse,WIP складиште DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ИД на корисникот не е поставен за вработените {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Достапна количина е {0}, потребна ви е {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Создаден корисник {0} DocType: Stock Settings,Item Naming By,Именување на ставка од apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Нареди apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Ова е група корисници на root и не може да се уредува. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Барањето за материјал {0} е откажано или запрено +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Строго се базира на тип на дневник во проверка на вработените DocType: Purchase Order Item Supplied,Supplied Qty,Испорачани количини DocType: Cash Flow Mapper,Cash Flow Mapper,Мапа на готовински тек DocType: Soil Texture,Sand,Песок @@ -3478,6 +3510,7 @@ DocType: Lab Test Groups,Add new line,Додај нова линија apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Дупликат група на елементи пронајдени во групата табела на ставка apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Годишна плата DocType: Supplier Scorecard,Weighting Function,Тежина на функција +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Грешка во евалуацијата на формулата за критериуми ,Lab Test Report,Лабораториски тест извештај DocType: BOM,With Operations,Со операции @@ -3491,6 +3524,7 @@ DocType: Expense Claim Account,Expense Claim Account,Сметка за поба apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Нема достапни отплати за внесување на весници apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} е неактивен студент apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Направете берзански запис +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Бум рекурзија: {0} не може да биде родител или дете од {1} DocType: Employee Onboarding,Activities,Активности apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Само еден магацин е задолжителен ,Customer Credit Balance,Клиентски биланс @@ -3503,9 +3537,11 @@ DocType: Supplier Scorecard Period,Variables,Променливи apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Повеќекратна програма за лојалност е пронајдена за купувачот. Изберете рачно. DocType: Patient,Medication,Лекови apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Изберете Програма за лојалност +DocType: Employee Checkin,Attendance Marked,Обележан посетеност apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Суровини DocType: Sales Order,Fully Billed,Целосно фактурирани apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Те молам постави стапка на хотелска соба на { +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Изберете само еден Приоритет како стандарден. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Ве молиме идентификувајте / креирајте Сметка (Леџер) за тип - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Вкупниот износ на кредит / дебит треба да биде ист како поврзан весник DocType: Purchase Invoice Item,Is Fixed Asset,Е фиксен имот @@ -3526,6 +3562,7 @@ DocType: Purpose of Travel,Purpose of Travel,Цел на патување DocType: Healthcare Settings,Appointment Confirmation,Потврда за назначување DocType: Shopping Cart Settings,Orders,Нарачки DocType: HR Settings,Retirement Age,Возраста за пензионирање +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ве молиме наместете серија за нумерација за Присуство преку Поставување> Нумерирање apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Проектирано количество apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Бришењето не е дозволено за земјата {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Ред # {0}: Средство {1} е веќе {2} @@ -3609,11 +3646,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Сметководител apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS затворање ваучер alreday постои за {0} помеѓу датумот {1} и {2} apps/erpnext/erpnext/config/help.py,Navigating,Навигација +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Ниту една извонредна фактура не бара ревалоризација на девизниот курс DocType: Authorization Rule,Customer / Item Name,Име на клиент / предмет apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новиот сериски број не може да има Магацин. Магацинот мора да биде поставен преку влез или потврда за купување DocType: Issue,Via Customer Portal,Преку клиент портал DocType: Work Order Operation,Planned Start Time,Планирано време на започнување apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} е {2} +DocType: Service Level Priority,Service Level Priority,Приоритет на ниво на услуга apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Бројот на резервирани амортизации не може да биде поголем од вкупниот број на амортизација apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Сподели книга DocType: Journal Entry,Accounts Payable,Сметки се плаќаат @@ -3724,7 +3763,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Испорака до DocType: Bank Statement Transaction Settings Item,Bank Data,Податоци за банка apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Планиран Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Одржувајте ги времето за наплата и работните часови исто на табелите apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Следете ги главните извори на енергија. DocType: Clinical Procedure,Nursing User,Корисник на медицински сестри DocType: Support Settings,Response Key List,Листа со клучни зборови за одговор @@ -3892,6 +3930,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Реално време за почеток DocType: Antibiotic,Laboratory User,Лабораториски корисник apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Онлајн аукции +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Приоритет {0} се повторува. DocType: Fee Schedule,Fee Creation Status,Статус на креирање надоместоци apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Софтвер apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Нарачка за продажба до плаќање @@ -3958,6 +3997,7 @@ DocType: Patient Encounter,In print,Во печатена форма apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Не може да се добијат информации за {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Монетарната валута мора да биде еднаква на валутата на валутата на девизната или партиската сметка на партијата apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Ве молиме внесете Id на вработениот на ова продажно лице +DocType: Shift Type,Early Exit Consequence after,Рано излез Последици по apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Направете отворање на фактури за продажба и купување DocType: Disease,Treatment Period,Период на лекување apps/erpnext/erpnext/config/settings.py,Setting up Email,Поставување е-пошта @@ -3975,7 +4015,6 @@ DocType: Employee Skill Map,Employee Skills,Вработени вештини apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Име на студентот: DocType: SMS Log,Sent On,Испратено на DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Фактура за продажба -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Времето на одговор не може да биде поголемо од времето на резолуција DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","За студентска група заснована на курсот, курсот ќе биде потврден за секој студент од запишаните курсеви во програмата за запишување." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Внатрешни работи DocType: Employee,Create User Permission,Креирај дозвола за корисници @@ -4014,6 +4053,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Стандардни договорни услови за продажба или набавка. DocType: Sales Invoice,Customer PO Details,Детали на клиентот apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Пациентот не е пронајден +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Изберете стандарден приоритет. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Отстранете ја ставката ако давачките не се применуваат за таа ставка apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Група на клиенти постои со исто име, ве молиме да го промените името на клиентот или да ја преименувате Групата на клиенти" 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. @@ -4053,6 +4093,7 @@ DocType: Quality Goal,Quality Goal,Квалитетна цел DocType: Support Settings,Support Portal,Портал за поддршка apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Краен датум на задачата {0} не може да биде помал од {1} очекуваниот датум на почеток {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Вработениот {0} е на Остави на {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Договорот за ниво на услуга е специфичен за клиентот {0} DocType: Employee,Held On,Одржана на DocType: Healthcare Practitioner,Practitioner Schedules,Распоред на лекари DocType: Project Template Task,Begin On (Days),Започнете на (дена) @@ -4060,6 +4101,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Работна нарачка е {0} DocType: Inpatient Record,Admission Schedule Date,Распоред на приемот Датум apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Прилагодување на вредноста на средствата +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Означи присуство врз основа на "Employee Checkin" за вработените доделени на оваа смена. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Снабдувања направени за нерегистрирани лица apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Сите работни места DocType: Appointment Type,Appointment Type,Тип на назначување @@ -4173,7 +4215,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Бруто тежината на пакетот. Обично нето тежина + тежина на материјалот за пакување. (за печатење) DocType: Plant Analysis,Laboratory Testing Datetime,Лабораториско тестирање на податоци apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Точката {0} не може да има серија -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Продажен гасовод по сцена apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Студентска група Сила DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Внес на трансакција на изјава за банка DocType: Purchase Order,Get Items from Open Material Requests,Добијте предмети од барања за отворен материјал @@ -4255,7 +4296,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Покажи магацин за складирање на стареење DocType: Sales Invoice,Write Off Outstanding Amount,Напиши исклучите износ DocType: Payroll Entry,Employee Details,Детали за вработените -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Времето за започнување не може да биде поголемо од крајното време за {0}. DocType: Pricing Rule,Discount Amount,Износ на попуст DocType: Healthcare Service Unit Type,Item Details,Детали за точка apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Дупликат даночна декларација од {0} за период {1} @@ -4308,7 +4348,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Нето платата не може да биде негативна apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Број на интеракции 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/hr/doctype/employee/employee_dashboard.py,Shift,Shift +DocType: Attendance,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Обработка на сметки и странки DocType: Stock Settings,Convert Item Description to Clean HTML,Конвертирај ставка за да го исчистите HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Сите групи на добавувачи @@ -4378,6 +4418,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Вработ DocType: Healthcare Service Unit,Parent Service Unit,Единица за родителска служба DocType: Sales Invoice,Include Payment (POS),Вклучете го Плаќањето (ПОС) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Приватен капитал +DocType: Shift Type,First Check-in and Last Check-out,Прва пријава и последна заминување DocType: Landed Cost Item,Receipt Document,Документ за прием DocType: Supplier Scorecard Period,Supplier Scorecard Period,Период на оценување на добавувачи DocType: Employee Grade,Default Salary Structure,Стандардна структура на плата @@ -4460,6 +4501,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Креирај Нарачка за нарачка apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Дефинирајте го буџетот за финансиска година. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Табелата со сметки не може да биде празна. +DocType: Employee Checkin,Entry Grace Period Consequence,Влегување во периодот на грејс период ,Payment Period Based On Invoice Date,Период на плаќање врз основа на датумот на фактурата apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Датумот на инсталација не може да биде пред датумот на испорака за Точка {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Линк до материјално барање @@ -4468,6 +4510,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Мапира apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Ред {0}: за овој склад веќе постои запис за преуредување {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Док Датум DocType: Monthly Distribution,Distribution Name,Име на дистрибуцијата +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Работен ден {0} се повторува. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Група за не-група apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Ажурирањето е во тек. Тоа може да потрае некое време. DocType: Item,"Example: ABCD.##### @@ -4480,6 +4523,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Количина гориво apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Мобилен бр DocType: Invoice Discounting,Disbursed,Исплатени +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Време по крајот на смената за време на кое се смета за одјавување за присуство. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Нето промени во сметките што треба да се платат apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Не е достапно apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Скратено работно време @@ -4493,7 +4537,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Поте apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Прикажи го PDC во Print apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Купувај снабдувач DocType: POS Profile User,POS Profile User,ПОС профил корисникот -DocType: Student,Middle Name,Средно име DocType: Sales Person,Sales Person Name,Име на продажно лице DocType: Packing Slip,Gross Weight,Бруто тежина DocType: Journal Entry,Bill No,Бил бр @@ -4502,7 +4545,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Но DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Договор за ниво на услуга -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Ве молиме одберете Employee and Date first apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Стапката на проценка на ставката се пресметува со оглед на износот на ваучерот за изнајмување DocType: Timesheet,Employee Detail,Детали за вработените DocType: Tally Migration,Vouchers,Ваучери @@ -4537,7 +4579,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Договор DocType: Additional Salary,Date on which this component is applied,Датум на кој се применува оваа компонента apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Листа на достапни акционери со фолио броеви apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Поставување на профили за почетници. -DocType: Service Level,Response Time Period,Период на одговор на одговор +DocType: Service Level Priority,Response Time Period,Период на одговор на одговор DocType: Purchase Invoice,Purchase Taxes and Charges,Набавка на даноци и надоместоци DocType: Course Activity,Activity Date,Датум на активност apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Изберете или додадете нов клиент @@ -4562,6 +4604,7 @@ DocType: Sales Person,Select company name first.,Прво изберете им apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Финансиска година DocType: Sales Invoice Item,Deferred Revenue,Одложен приход apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Најмалку еден од продажбата или купувањето мора да биде избран +DocType: Shift Type,Working Hours Threshold for Half Day,Праг на работното време за половина ден ,Item-wise Purchase History,Историја на купување на предметите apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Не може да се промени Датум за запирање на услуги за ставка во ред {0} DocType: Production Plan,Include Subcontracted Items,Вклучи ги предметите што се поддовршени @@ -4594,6 +4637,7 @@ DocType: Journal Entry,Total Amount Currency,Вкупен износ на вал DocType: BOM,Allow Same Item Multiple Times,Дозволи истата точка повеќе пати apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Креирај BOM DocType: Healthcare Practitioner,Charges,Надоместоци +DocType: Employee,Attendance and Leave Details,Посетеност и детали за напуштање DocType: Student,Personal Details,Лични податоци DocType: Sales Order,Billing and Delivery Status,Статус на фактурирање и испорака apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Ред {0}: За добавувачот {0} Е-пошта е потребна за испраќање е-пошта @@ -4645,7 +4689,6 @@ DocType: Bank Guarantee,Supplier,Добавувач apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Внесете вредност помеѓу {0} и {1} DocType: Purchase Order,Order Confirmation Date,Датум на потврдување на нарачката DocType: Delivery Trip,Calculate Estimated Arrival Times,Пресметајте ги проценетите времиња на пристигнување -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ве молиме подесете Систем за имиџ на вработените во човечки ресурси> Поставувања за човечки ресурси apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Потрошена DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Датум на почеток на претплата @@ -4668,7 +4711,7 @@ DocType: Installation Note Item,Installation Note Item,Ставка за инс DocType: Journal Entry Account,Journal Entry Account,Сметка за внесување на весници apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Варијанта apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Форум активност -DocType: Service Level,Resolution Time Period,Временски период на резолуција +DocType: Service Level Priority,Resolution Time Period,Временски период на резолуција DocType: Request for Quotation,Supplier Detail,Детали за снабдувачот DocType: Project Task,View Task,Преглед на задачата DocType: Serial No,Purchase / Manufacture Details,Детали за купување / производство @@ -4735,6 +4778,7 @@ DocType: Sales Invoice,Commission Rate (%),Стапка на Комисијат DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Магацинот може да се менува само преку запис за запишување / испорака на берза DocType: Support Settings,Close Issue After Days,Затвори прашање по деновите DocType: Payment Schedule,Payment Schedule,Распоред на исплата +DocType: Shift Type,Enable Entry Grace Period,Овозможи Период за Грејс период DocType: Patient Relation,Spouse,Сопруг DocType: Purchase Invoice,Reason For Putting On Hold,Причина за ставање на чекање DocType: Item Attribute,Increment,Прирачник @@ -4874,6 +4918,7 @@ DocType: Authorization Rule,Customer or Item,Клиент или точка DocType: Vehicle Log,Invoice Ref,Фактура Реф apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-образецот не е применлив за фактура: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Создадена е фактура +DocType: Shift Type,Early Exit Grace Period,Рано излегување од грејс период DocType: Patient Encounter,Review Details,Детали за преглед apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Ред {0}: вредноста на часовникот мора да биде поголема од нула. DocType: Account,Account Number,Број на сметка @@ -4885,7 +4930,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Применливи ако компанијата е SpA, SApa или SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Преклопување услови пронајдени помеѓу: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Платени и не доставени -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Код на предметот е задолжителен бидејќи ставката не е автоматски нумерирана DocType: GST HSN Code,HSN Code,ХСН код DocType: GSTR 3B Report,September,Септември apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Административни трошоци @@ -4921,6 +4965,8 @@ DocType: Travel Itinerary,Travel From,Патување од apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Сметка за CWIP DocType: SMS Log,Sender Name,Име на испраќачот DocType: Pricing Rule,Supplier Group,Група на снабдувачи +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Поставете го почетното време и крајот на времето за \ Поддршка на денот {0} со индекс {1}. DocType: Employee,Date of Issue,Датум на издавање ,Requested Items To Be Transferred,Бараните предмети да бидат пренесени DocType: Employee,Contract End Date,Датум за завршување на договорот @@ -4931,6 +4977,7 @@ DocType: Healthcare Service Unit,Vacant,Празен DocType: Opportunity,Sales Stage,Продажната фаза DocType: Sales Order,In Words will be visible once you save the Sales Order.,Во Зборови ќе биде видливо откако ќе го зачувате Нарачката за продажба. DocType: Item Reorder,Re-order Level,Ниво на повторување +DocType: Shift Type,Enable Auto Attendance,Овозможи автоматско присуство apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Предност ,Department Analytics,Одделот за анализи DocType: Crop,Scientific Name,Научно име @@ -4943,6 +4990,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} статус DocType: Quiz Activity,Quiz Activity,Квиз активност apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} не е во валиден Период на платен список DocType: Timesheet,Billed,Платена +apps/erpnext/erpnext/config/support.py,Issue Type.,Тип на проблем. DocType: Restaurant Order Entry,Last Sales Invoice,Последна продажби фактура DocType: Payment Terms Template,Payment Terms,Услови на плаќање apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Резервирано Количина: нарачана за продажба, но не е испорачана." @@ -5038,6 +5086,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Средство apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} нема распоред за здравствени работници. Додади го во господар на здравствените работници DocType: Vehicle,Chassis No,Шасија бр +DocType: Employee,Default Shift,Стандарден Shift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Кратенка на компанијата apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Дрво на Бил Материјали DocType: Article,LMS User,Корисник на LMS @@ -5086,6 +5135,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Родител Продај лице DocType: Student Group Creation Tool,Get Courses,Земете курсеви apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ред # {0}: Кол мора да биде 1, бидејќи ставката е основно средство. Ве молам користете го посебниот ред за повеќе количини." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Работното време под кое не е означено Отсуството. (Нула за оневозможување) DocType: Customer Group,Only leaf nodes are allowed in transaction,Само лист јазли се дозволени во трансакцијата DocType: Grant Application,Organization,Организација DocType: Fee Category,Fee Category,Категорија на надоместоци @@ -5098,6 +5148,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Ве молиме да го ажурирате вашиот статус за овој тренинг настан DocType: Volunteer,Morning,Утро DocType: Quotation Item,Quotation Item,Предмет на понуда +apps/erpnext/erpnext/config/support.py,Issue Priority.,Приоритет на прашање. DocType: Journal Entry,Credit Card Entry,Внесување на кредитни картички apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Временскиот отвор е прескокнат, слотот {0} до {1} се преклопува со постоечкиот слот {2} до {3}" DocType: Journal Entry Account,If Income or Expense,Ако приходи или расходи @@ -5148,11 +5199,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Увоз и поставки на податоци 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: Account,Expense Account,Сметка за расходи +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Времето пред почетокот на смената започнува за време на кое се пријавува пријава за вработување за присуство. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Однос со Гардијан1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Креирај фактура apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Барањето за исплата веќе постои {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Вработените ослободени на {0} мора да бидат поставени како 'Лево' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Плаќаат {0} {1} +DocType: Company,Sales Settings,Поставки за продажба DocType: Sales Order Item,Produced Quantity,Произведена количина apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Барањето за понуда може да се пристапи со кликнување на следниов линк DocType: Monthly Distribution,Name of the Monthly Distribution,Име на месечната дистрибуција @@ -5231,6 +5284,7 @@ DocType: Company,Default Values,Стандардни вредности apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Основни даночни шаблони за продажба и купување се создаваат. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Оставете Тип {0} не може да се пренасочат apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Дебит На сметка мора да биде сметка за побарувања +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Поставете профил во Магацин {0} или Стандардна инвентарна сметка во компанијата {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Поставени како основни DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Нето тежината на овој пакет. (автоматски се пресметува како збир на нето-тежина на ставки) @@ -5257,8 +5311,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Истечени серии DocType: Shipping Rule,Shipping Rule Type,Тип на правила за испорака DocType: Job Offer,Accepted,Прифатено -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ве молиме избришете го вработениот {0} \ за да го откажете овој документ" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Веќе сте оценети за критериумите за оценување {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Изберете сериски броеви apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Возраст (денови) @@ -5285,6 +5337,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Изберете ги вашите домени DocType: Agriculture Task,Task Name,Име на задачата apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Записи на акции веќе креирани за работна нарачка +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ве молиме избришете го вработениот {0} \ за да го откажете овој документ" ,Amount to Deliver,Износ да се испорача apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Компанијата {0} не постои apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Не се очекуваат материјални барања што се очекуваат за да се поврзат за дадени предмети. @@ -5334,6 +5388,7 @@ DocType: Program Enrollment,Enrolled courses,Запишани курсеви DocType: Lab Prescription,Test Code,Тест законик DocType: Purchase Taxes and Charges,On Previous Row Total,На претходниот ред вкупно DocType: Student,Student Email Address,Студентски е-мејл адреса +,Delayed Item Report,Извештај за одложена ставка DocType: Academic Term,Education,Образование DocType: Supplier Quotation,Supplier Address,Адреса на добавувачот DocType: Salary Detail,Do not include in total,Не вклучувајте вкупно @@ -5341,7 +5396,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} не постои DocType: Purchase Receipt Item,Rejected Quantity,Отфрлена количина DocType: Cashier Closing,To TIme,За ТИМ -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: Daily Work Summary Group User,Daily Work Summary Group User,Корисник на дневна работа DocType: Fiscal Year Company,Fiscal Year Company,Фискална година Компанијата apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Алтернативната ставка не смее да биде иста како код на ставка @@ -5393,6 +5447,7 @@ DocType: Program Fee,Program Fee,Провизија за програмата DocType: Delivery Settings,Delay between Delivery Stops,Одлагање помеѓу прекин на испорака DocType: Stock Settings,Freeze Stocks Older Than [Days],Замрзнување акции постари од [дена] DocType: Promotional Scheme,Promotional Scheme Product Discount,Попуст на промотивната шема на производи +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Приоритет за издавање веќе постои DocType: Account,Asset Received But Not Billed,"Средствата добиени, но не се наплаќаат" DocType: POS Closing Voucher,Total Collected Amount,Вкупно собраниот износ DocType: Course,Default Grading Scale,Стандардна скала за оценување @@ -5435,6 +5490,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Условите за исполнување apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Не-група до група DocType: Student Guardian,Mother,Мајка +DocType: Issue,Service Level Agreement Fulfilled,Исполнет е договор за ниво на услуга DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Данок на доход за непризнаени придобивки од вработените DocType: Travel Request,Travel Funding,Патничко финансирање DocType: Shipping Rule,Fixed,Фиксна @@ -5464,10 +5520,12 @@ DocType: Item,Warranty Period (in days),Гарантен период (во де apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Нема пронајдени предмети. DocType: Item Attribute,From Range,Од опсег DocType: Clinical Procedure,Consumables,Потрошни материјали +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,потребни се 'employee_field_value' и 'timestamp'. DocType: Purchase Taxes and Charges,Reference Row #,Референтна линија # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Ве молиме поставете "Центар за трошоци за амортизација" во компанијата {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Ред # {0}: Потребна е документација за плаќање за да се заврши трасата DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Кликнете на ова копче за да ги повлечете податоците за продажниот налог од MWS на Amazon. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Работно време под кое се означува Половина ден. (Нула за оневозможување) ,Assessment Plan Status,Статус на планот за проценка apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Изберете {0} прво apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Поднесете го ова за да креирате запис за вработените @@ -5538,6 +5596,7 @@ DocType: Quality Procedure,Parent Procedure,Постапка за родител apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Поставете го отворен apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Вклучи филтри DocType: Production Plan,Material Request Detail,Детална информација за материјалот +DocType: Shift Type,Process Attendance After,Постапка за процесот после DocType: Material Request Item,Quantity and Warehouse,Количина и складиште apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Одете во Програми apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Ред # {0}: Дупликат внес во Референци {1} {2} @@ -5595,6 +5654,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Информации за партијата apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Должници ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,До денес не може да биде поголем од датумот на ослободување на вработениот +DocType: Shift Type,Enable Exit Grace Period,Овозможи Период на Излез Грејс DocType: Expense Claim,Employees Email Id,Id на персоналот за е-пошта DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Ажурирај цена од Shopify до ERPNext ценовник DocType: Healthcare Settings,Default Medical Code Standard,Стандарден стандарден медицински код @@ -5625,7 +5685,6 @@ DocType: Item Group,Item Group Name,Име на групата на ставка DocType: Budget,Applicable on Material Request,Применливо за материјално барање DocType: Support Settings,Search APIs,API за пребарување DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Процент на прекумерно производство за нарачка за продажба -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Спецификации DocType: Purchase Invoice,Supplied Items,Испорачани предмети DocType: Leave Control Panel,Select Employees,Изберете вработени apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Изберете сметка за приход од камата во заем {0} @@ -5651,7 +5710,7 @@ DocType: Salary Slip,Deductions,Одбивања ,Supplier-Wise Sales Analytics,Добавувач-мудар Продај анализи DocType: GSTR 3B Report,February,Февруари DocType: Appraisal,For Employee,За вработените -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Вистински датум на испорака +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Вистински датум на испорака DocType: Sales Partner,Sales Partner Name,Име на партнер за продажба DocType: GST HSN Code,Regional,Регионален DocType: Lead,Lead is an Organization,Олово е организација @@ -5689,6 +5748,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,А DocType: Supplier Scorecard,Supplier Scorecard,Оценка на добавувачи DocType: Travel Itinerary,Travel To,Патувај до apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Означи присуство +DocType: Shift Type,Determine Check-in and Check-out,Одредување на пријавување и заминување DocType: POS Closing Voucher,Difference,Разликата apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Мали DocType: Work Order Item,Work Order Item,Точка за работа @@ -5722,6 +5782,7 @@ DocType: Sales Invoice,Shipping Address Name,Име на адреса на ис apps/erpnext/erpnext/healthcare/setup.py,Drug,Дрога apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} е затворен DocType: Patient,Medical History,Медицинска историја +DocType: Expense Claim,Expense Taxes and Charges,Даноци на трошоци и надоместоци DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Бројот на денови по датумот на фактурата поминал пред да се откаже претплатата или да се обележи претплатата како неплатена apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Инсталационата белешка {0} веќе е поднесена DocType: Patient Relation,Family,Семејство @@ -5754,7 +5815,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Сила apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} единици од {1} потребни во {2} за да ја завршите оваа трансакција. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush суровини на Субконтракт Врз основа -DocType: Bank Guarantee,Customer,Клиент DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ако е овозможено, полето Академски термин ќе биде задолжително во алатката за запишување на програмата." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","За групна студентска група, Студентската група ќе биде потврдена за секој ученик од програмата за запишување." DocType: Course,Topics,Теми @@ -5834,6 +5894,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Членови на глава DocType: Warranty Claim,Service Address,Адреса на сервисот DocType: Journal Entry,Remark,Забелешка +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ред {0}: Количината не е достапна за {4} во магацин {1} при објавување на времето за внесување ({2} {3}) DocType: Patient Encounter,Encounter Time,Средба време DocType: Serial No,Invoice Details,Детали за фактурата apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Дополнителни групи можат да се направат под Групи, но записите може да се направат против не-Групи" @@ -5914,6 +5975,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Затворање (отворање + вкупно) DocType: Supplier Scorecard Criteria,Criteria Formula,Критериум Формула apps/erpnext/erpnext/config/support.py,Support Analytics,Поддршка за Анализа +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Идентификациски уред за посетување (биометриски / RF идентификациски број) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Преглед и акција DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ако сметката е замрзната, записите им се дозволени на ограничени корисници." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Износ по амортизација @@ -5935,6 +5997,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Отплата на заем DocType: Employee Education,Major/Optional Subjects,Големи / изборни предмети DocType: Soil Texture,Silt,Silt +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Адреси на адреси и контакти DocType: Bank Guarantee,Bank Guarantee Type,Тип на банкарска гаранција DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ако се оневозможи, полето "Заокружено вкупно" нема да биде видливо во ниедна трансакција" DocType: Pricing Rule,Min Amt,Min Amt @@ -5973,6 +6036,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Отворање инструмент за создавање фактура DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Вклучете POS-трансакции +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ниту еден вработен не е пронајден за дадената вредност на полето на вработените. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Добиен износ (Валута на компанијата) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Локалната меморија е полна, не спаси" DocType: Chapter Member,Chapter Member,Главен член @@ -6005,6 +6069,7 @@ DocType: SMS Center,All Lead (Open),Сите водич (отворен) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Не создадени студентски групи. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Дупликат ред {0} со ист {1} DocType: Employee,Salary Details,Детали за плата +DocType: Employee Checkin,Exit Grace Period Consequence,Излез од последица на грејс период DocType: Bank Statement Transaction Invoice Item,Invoice,Фактура DocType: Special Test Items,Particulars,Спецификации apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Ве молиме поставете филтер врз основа на ставка или складиште @@ -6106,6 +6171,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Од АМЦ DocType: Job Opening,"Job profile, qualifications required etc.","Профил на работа, потребни квалификации итн." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Брод до држава +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Дали сакате да го доставите материјалното барање DocType: Opportunity Item,Basic Rate,Основна стапка DocType: Compensatory Leave Request,Work End Date,Датум на работа apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Барање за сурови материјали @@ -6291,6 +6357,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Износ на аморти DocType: Sales Order Item,Gross Profit,Бруто добивка DocType: Quality Inspection,Item Serial No,Сериски број на предмет DocType: Asset,Insurer,Осигурувач +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Купување износ DocType: Asset Maintenance Task,Certificate Required,Потребен сертификат DocType: Retention Bonus,Retention Bonus,Бонус за задржување @@ -6406,6 +6473,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Износ на ра DocType: Invoice Discounting,Sanctioned,Санкционирани DocType: Course Enrollment,Course Enrollment,Упис на курсот DocType: Item,Supplier Items,Добавувачот предмети +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Времето за започнување не може да биде поголемо или еднакво на End Time \ for {0}. DocType: Sales Order,Not Applicable,Не е применливо DocType: Support Search Source,Response Options,Опции за одговор apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} треба да биде вредност помеѓу 0 и 100 @@ -6491,7 +6560,6 @@ DocType: Travel Request,Costing,Трошоци apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Фиксни средства DocType: Purchase Order,Ref SQ,Реф. SQ DocType: Salary Structure,Total Earning,Вкупно заработка -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Група на клиенти> Територија DocType: Share Balance,From No,Од бр DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Уплата за помирување на плаќањата DocType: Purchase Invoice,Taxes and Charges Added,Даноци и такси Додадено @@ -6599,6 +6667,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Игнорирај го правилото за цени apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Храна DocType: Lost Reason Detail,Lost Reason Detail,Детали за изгубени причини +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Се креираа следниве сериски броеви:
{0} DocType: Maintenance Visit,Customer Feedback,Поврат на клиенти DocType: Serial No,Warranty / AMC Details,Гаранција / AMC детали DocType: Issue,Opening Time,Време на отворање @@ -6648,6 +6717,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Името на компанијата не е исто apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Промоцијата на вработените не може да се поднесе пред Датум на промоција apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Не е дозволено да се ажурираат берзански трансакции постари од {0} +DocType: Employee Checkin,Employee Checkin,Проверка на вработените apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Почетниот датум треба да биде помал од крајниот датум за Точка {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Направете цитати на клиенти DocType: Buying Settings,Buying Settings,Подесувања за купување @@ -6669,6 +6739,7 @@ DocType: Job Card Time Log,Job Card Time Log,Вчитување на време DocType: Patient,Patient Demographics,Демографија на пациентот DocType: Share Transfer,To Folio No,На фолио бр apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Паричен тек од работењето +DocType: Employee Checkin,Log Type,Тип на дневникот DocType: Stock Settings,Allow Negative Stock,Дозволи Негативен фонд apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Ниту една од предметите нема промени во количината или вредноста. DocType: Asset,Purchase Date,Датум на купување @@ -6713,6 +6784,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Многу хипер apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Изберете ја природата на вашиот бизнис. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Изберете месец и година +DocType: Service Level,Default Priority,Стандарден приоритет DocType: Student Log,Student Log,Студентски дневник DocType: Shopping Cart Settings,Enable Checkout,Овозможи проверка apps/erpnext/erpnext/config/settings.py,Human Resources,Човечки ресурси @@ -6741,7 +6813,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Поврзете го Shopify со ERPNext DocType: Homepage Section Card,Subtitle,Превод DocType: Soil Texture,Loam,Loam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добавувачот> Тип на добавувач DocType: BOM,Scrap Material Cost(Company Currency),Трошок за отпадна материја (Валута на компанијата) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Забелешка за испорака {0} не смее да се поднесе DocType: Task,Actual Start Date (via Time Sheet),Датум на фактички почеток (преку временски лист) @@ -6797,6 +6868,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Дозирање DocType: Cheque Print Template,Starting position from top edge,Стартна позиција од горниот раб apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Времетраење на назначување (мин.) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Овој вработен веќе има дневник со ист временски ознака. {0} DocType: Accounting Dimension,Disable,Оневозможи DocType: Email Digest,Purchase Orders to Receive,Нарачка за набавка apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Нарачки за производство не може да се подигнат за: @@ -6812,7 +6884,6 @@ DocType: Production Plan,Material Requests,Материјални барања DocType: Buying Settings,Material Transferred for Subcontract,Пренесен материјал за поддоговор DocType: Job Card,Timing Detail,Детали за времето apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Потребна е -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Внесување на {0} на {1} DocType: Job Offer Term,Job Offer Term,Рок за понуда за работа DocType: SMS Center,All Contact,Сите контакти DocType: Project Task,Project Task,Проектна задача @@ -6863,7 +6934,6 @@ DocType: Student Log,Academic,Академски apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Елементот {0} не е поставен за сериски броеви apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Од држава DocType: Leave Type,Maximum Continuous Days Applicable,Применливи се максималните континуирани денови -apps/erpnext/erpnext/config/support.py,Support Team.,Тим за поддршка. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Внесете го името на компанијата прво apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Увозот е успешен DocType: Guardian,Alternate Number,Алтернативен број @@ -6955,6 +7025,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Ред # {0}: ставката е додадена DocType: Student Admission,Eligibility and Details,Подобност и детали DocType: Staffing Plan,Staffing Plan Detail,Детален план за персонал +DocType: Shift Type,Late Entry Grace Period,Краен период на грејс период DocType: Email Digest,Annual Income,Годишен приход DocType: Journal Entry,Subscription Section,Секција за претплата DocType: Salary Slip,Payment Days,Денови на исплата @@ -7005,6 +7076,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Состојба на сметката DocType: Asset Maintenance Log,Periodicity,Периодичност apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Медицински рекорд +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Тип на дневник е потребен за проверки што паѓаат во смената: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Извршување DocType: Item,Valuation Method,Метод на вреднување apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} против продажната фактура {1} @@ -7089,6 +7161,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Проценета ц DocType: Loan Type,Loan Name,Име на заем apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Поставете стандардниот начин на плаќање DocType: Quality Goal,Revision,Ревизија +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Времето пред крајот на смената кога се одјавува се смета за рано (во минути). DocType: Healthcare Service Unit,Service Unit Type,Тип на единица за сервисирање DocType: Purchase Invoice,Return Against Purchase Invoice,Врати се против фактура за набавка apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Генерирање на тајната @@ -7244,12 +7317,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Козметика DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Проверете го ова ако сакате да го натерате корисникот да избере серија пред да ја зачува. Нема да има стандардно ако го проверите ова. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,На корисниците со оваа улога им е дозволено да поставуваат замрзнати сметки и да креираат / менуваат сметководствени записи против замрзнати сметки +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на производ> Група на производи> Бренд DocType: Expense Claim,Total Claimed Amount,Вкупно задржан износ 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} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Завиткување apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Можете да обнови само ако вашето членство истекува во рок од 30 дена apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Вредноста мора да биде помеѓу {0} и {1} DocType: Quality Feedback,Parameters,Параметри +DocType: Shift Type,Auto Attendance Settings,Поставки за автоматско следење ,Sales Partner Transaction Summary,Резиме на трансакцијата на партнерот за продажба DocType: Asset Maintenance,Maintenance Manager Name,Име на менаџментот за одржување apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Потребно е да дознаете Детали за ставката. @@ -7341,10 +7416,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Потврдете го применетото правило DocType: Job Card Item,Job Card Item,Елемент за картичка за работа DocType: Homepage,Company Tagline for website homepage,Компанија Tagline за почетната страница на веб страната +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Поставете време на одговор и резолуција за приоритет {0} со индекс {1}. DocType: Company,Round Off Cost Center,Центар за заокружување на цената DocType: Supplier Scorecard Criteria,Criteria Weight,Тежина на критериумите DocType: Asset,Depreciation Schedules,Распоред за амортизација -DocType: Expense Claim Detail,Claim Amount,Износ на побарување DocType: Subscription,Discounts,Попусти DocType: Shipping Rule,Shipping Rule Conditions,Услови за испорака DocType: Subscription,Cancelation Date,Датум на откажување @@ -7372,7 +7447,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Креирај вод apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Прикажи нулта вредности DocType: Employee Onboarding,Employee Onboarding,Вработените DocType: POS Closing Voucher,Period End Date,Датум на завршување на периодот -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Можности за продажба по извор DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Првиот одобрение за напуштање на списокот ќе биде поставен како стандарден Оставете го одобрувачот. DocType: POS Settings,POS Settings,POS Settings apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Сите сметки @@ -7393,7 +7467,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Бан apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ред # {0}: Стапката мора да биде иста како {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Теми за здравствена заштита -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Не се пронајдени записи apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Стареење опсег 3 DocType: Vital Signs,Blood Pressure,Крвен притисок apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Целна на @@ -7440,6 +7513,7 @@ DocType: Company,Existing Company,Постоечка компанија apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Серии apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Одбрана DocType: Item,Has Batch No,Има серија бр +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Одложени денови DocType: Lead,Person Name,Име на лице DocType: Item Variant,Item Variant,Ставка Варијанта DocType: Training Event Employee,Invited,Поканети @@ -7461,7 +7535,7 @@ DocType: Purchase Order,To Receive and Bill,Да примам и давам apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Датумот на почеток и крај не е во валиден перолошки период, не може да се пресмета {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Прикажи само купувач на овие групи корисници apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Изберете предмети за да ја зачувате фактурата -DocType: Service Level,Resolution Time,Време на резолуција +DocType: Service Level Priority,Resolution Time,Време на резолуција DocType: Grading Scale Interval,Grade Description,Опис на оценката DocType: Homepage Section,Cards,Картички DocType: Quality Meeting Minutes,Quality Meeting Minutes,Квалитетни состаноци @@ -7488,6 +7562,7 @@ DocType: Project,Gross Margin %,Бруто маргина% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Извештај за банкарска изјава во согласност со главната книга apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Здравство (бета) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Стандардна магацин за да креирате белешка за нарачки и испорака +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Времето на одзив за {0} со индекс {1} не може да биде поголемо од времето за резолуција. DocType: Opportunity,Customer / Lead Name,Клиент / Водечко име DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Неизвесен износ @@ -7534,7 +7609,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Увезување странки и адреси DocType: Item,List this Item in multiple groups on the website.,Листа на оваа ставка во повеќе групи на веб-страницата. DocType: Request for Quotation,Message for Supplier,Порака за добавувачот -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,"Не може да се промени {0}, бидејќи постои трансакција на акција за точка {1}." DocType: Healthcare Practitioner,Phone (R),Телефон (R) DocType: Maintenance Team Member,Team Member,Член на тимот DocType: Asset Category Account,Asset Category Account,Сметка за категорија на средства diff --git a/erpnext/translations/ml.csv b/erpnext/translations/ml.csv index e1bb2e10d4..648274fd02 100644 --- a/erpnext/translations/ml.csv +++ b/erpnext/translations/ml.csv @@ -75,7 +75,7 @@ DocType: Academic Term,Term Start Date,ടേം ആരംഭിക്കുന apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,അപ്പോയിന്റ്മെന്റ് {0} കൂടാതെ വിൽപ്പന ഇൻവോയ്സ് {1} റദ്ദാക്കപ്പെട്ടു DocType: Purchase Receipt,Vehicle Number,വാഹന നമ്പർ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,നിങ്ങളുടെ ഇമെയിൽ വിലാസം... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Default Book Entries ഉള്പ്പെടുത്തുക +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Default Book Entries ഉള്പ്പെടുത്തുക DocType: Activity Cost,Activity Type,പ്രവർത്തന തരം DocType: Purchase Invoice,Get Advances Paid,പണമടയ്ക്കൽ മുൻകൂർ നേടുക DocType: Company,Gain/Loss Account on Asset Disposal,അസറ്റ് തീർപ്പുകൽപ്പിക്കുന്നതിൽ നഷ്ടം / നഷ്ടം അക്കൗണ്ട് @@ -197,6 +197,7 @@ DocType: Delivery Stop,Dispatch Information,ഡിസ്പാച്ച് വ DocType: BOM Scrap Item,Basic Amount (Company Currency),അടിസ്ഥാന തുക (കമ്പനി കറൻസി) DocType: Selling Settings,Selling Settings,സെറ്റിംഗ്സ് സെറ്റിംഗ്സ് apps/erpnext/erpnext/education/doctype/question/question.py,A question must have more than one options,ഒരു ചോദ്യത്തിന് ഒന്നിൽ കൂടുതൽ ഓപ്ഷനുകൾ ഉണ്ടായിരിക്കണം +apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ജീവനക്കാരനായി ചേരുന്ന തീയതി ദയവായി സജ്ജമാക്കുക {0} apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your company,നിങ്ങളുടെ കമ്പനിയെക്കുറിച്ച് apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} does not exist,ധനകാര്യ വർഷം {0} നിലവിലില്ല DocType: Attendance,Leave Application,അപ്ലിക്കേഷൻ വിടുക @@ -218,7 +219,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,അതെന് DocType: Bank Reconciliation,Payment Entries,പേയ്മെന്റ് എൻട്രികൾ DocType: Employee Education,Class / Percentage,ക്ലാസ് / ശതമാനം ,Electronic Invoice Register,ഇലക്ട്രോണിക് ഇൻവോയ്സ് രജിസ്റ്റർ +DocType: Shift Type,The number of occurrence after which the consequence is executed.,പരിണതഫലങ്ങൾ നടപ്പിലാക്കിയ സംഭവങ്ങളുടെ എണ്ണം. DocType: Sales Invoice,Is Return (Credit Note),മടങ്ങാണ് (ക്രെഡിറ്റ് നോട്ട്) +DocType: Price List,Price Not UOM Dependent,വില UOM ആശ്രിതമല്ല DocType: Lab Test Sample,Lab Test Sample,ലാബ് ടെസ്റ്റ് സാമ്പിൾ DocType: Shopify Settings,status html,സ്റ്റാറ്റസ് html DocType: Fiscal Year,"For e.g. 2012, 2012-13","ഉദാഹരണത്തിന് 2012, 2012-13" @@ -317,6 +320,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,ഉൽപ്പ DocType: Salary Slip,Net Pay,അറ്റ വേതനം apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,മൊത്തം ഇൻവോയ്ഡ് ആറ്റ് DocType: Clinical Procedure,Consumables Invoice Separately,പ്രത്യേകം പ്രത്യേകം ഇൻവോയ്സ് +DocType: Shift Type,Working Hours Threshold for Absent,ഇല്ലാത്തവർക്കുള്ള പ്രവർത്തന സമയം പരിധി DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},ഗ്രൂപ്പ് അക്കൗണ്ട് {0} DocType: Purchase Receipt Item,Rate and Amount,"നിരക്ക്, തുക" @@ -372,7 +376,6 @@ DocType: Sales Invoice,Set Source Warehouse,ഉറവിട വെയർഹൗ DocType: Healthcare Settings,Out Patient Settings,രോഗിയുടെ സജ്ജീകരണങ്ങൾ DocType: Asset,Insurance End Date,ഇൻഷുറൻസ് അവസാനിക്കുന്ന തീയതി DocType: Bank Account,Branch Code,ബ്രാഞ്ച് കോഡ് -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,പ്രതികരിക്കാനുള്ള സമയം apps/erpnext/erpnext/public/js/conf.js,User Forum,ഉപയോക്തൃ ഫോറം DocType: Landed Cost Item,Landed Cost Item,ചെലവില്ലാത്ത ഇനം apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,വിൽപ്പനക്കാരനും വാങ്ങുന്നവനും ഒന്നു തന്നെ @@ -587,6 +590,7 @@ DocType: Lead,Lead Owner,ലീഡ് ഉടമ DocType: Share Transfer,Transfer,കൈമാറുക apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),ഇനം തിരയുക (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} ഫലം സമർപ്പിച്ചു +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,തീയതി മുതൽ ഇന്നത്തേതിനേക്കാൾ വലുതായിരിക്കരുത് DocType: Supplier,Supplier of Goods or Services.,ഗുഡ്സ് അല്ലെങ്കിൽ സേവനങ്ങളുടെ വിതരണക്കാരൻ. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,പുതിയ അക്കൌണ്ടിന്റെ പേര്. കുറിപ്പ്: ഉപഭോക്താക്കൾക്കും വിതരണക്കാർക്കുമായി അക്കൌണ്ടുകൾ സൃഷ്ടിക്കാൻ പാടില്ല apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് അല്ലെങ്കിൽ കോഴ്സ് ഷെഡ്യൂൾ നിർബന്ധമാണ് @@ -695,6 +699,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/templates/pages/demo.html,ERPNext Demo,ERPNext ഡെമോ DocType: Patient,Other Risk Factors,മറ്റ് റിസ്ക് ഘടകങ്ങൾ DocType: Item Attribute,To Range,പരിധിയിലേക്കു +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,{0} applicable after {1} working days,{1} പ്രവൃത്തി ദിവസത്തിന് ശേഷം {0} ബാധകമാണ് DocType: Task,Task Description,ടാസ്ക് വിവരണം DocType: Bank Account,SWIFT Number,SWIFT നമ്പർ DocType: Accounts Settings,Show Payment Schedule in Print,അച്ചടിക്കുള്ള പേയ്മെന്റ് ഷെഡ്യൂൾ കാണിക്കുക @@ -859,7 +864,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,ഉപയോ DocType: Skill,Skill Name,കഴിവുള്ള പേര് apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,റിപ്പോർട്ട് റിപ്പോർട്ട് പ്രിന്റ് ചെയ്യുക DocType: Soil Texture,Ternary Plot,ടെർണറി പ്ലോട്ട് -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setup> Settings> Naming Series വഴി {0} നാമത്തിനായുള്ള പരമ്പര സജ്ജീകരിക്കുക apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,പിന്തുണ ടിക്കറ്റ് DocType: Asset Category Account,Fixed Asset Account,അസറ്റ് അക്കൗണ്ട് ഫിക്സ് ചെയ്തിരിക്കുന്നു apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,ഏറ്റവും പുതിയ @@ -872,6 +876,7 @@ DocType: Delivery Trip,Distance UOM,ദൂരം UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,ബാലൻസ് ഷീറ്റിന് നിർബന്ധമാണ് DocType: Payment Entry,Total Allocated Amount,മൊത്തം അനുവദിച്ച തുക DocType: Sales Invoice,Get Advances Received,പുരോഗതി പ്രാപിക്കുക +DocType: Shift Type,Last Sync of Checkin,ചെക്കിന്റെ അവസാന സമന്വയം DocType: Student,B-,ബി- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,മൂല്യത്തിൽ അടങ്ങിയിരിക്കുന്ന ഇനം ടാക്സ് തുക apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -880,7 +885,9 @@ DocType: Subscription Plan,Subscription Plan,സബ്സ്ക്രിപ് DocType: Student,Blood Group,ബ്ലഡ് ഗ്രൂപ്പ് apps/erpnext/erpnext/config/healthcare.py,Masters,മാസ്റ്റേഴ്സ് DocType: Crop,Crop Spacing UOM,വലുപ്പം മാറ്റൽ UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,ചെക്ക്-ഇൻ വൈകിയതായി കണക്കാക്കുമ്പോൾ ഷിഫ്റ്റ് ആരംഭിക്കുന്ന സമയത്തിന് ശേഷമുള്ള സമയം (മിനിറ്റിനുള്ളിൽ). apps/erpnext/erpnext/templates/pages/home.html,Explore,പര്യവേക്ഷണം ചെയ്യുക +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,മികച്ച ഇൻവോയ്സുകളൊന്നും കണ്ടെത്തിയില്ല DocType: Promotional Scheme,Product Discount Slabs,പ്രൊഡക്ട് ഡിസ്കൗണ്ട് സ്ലാബുകൾ DocType: Hotel Room Package,Amenities,സൌകര്യങ്ങൾ DocType: Lab Test Groups,Add Test,ടെസ്റ്റ് ചേർക്കുക @@ -976,6 +983,7 @@ DocType: Attendance,Attendance Request,ഹാജർ അഭ്യർത്ഥന DocType: Item,Moving Average,മാറുന്ന ശരാശരി DocType: Employee Attendance Tool,Unmarked Attendance,അടയാളപ്പെടുത്താത്ത അറ്റൻഡൻസ് DocType: Homepage Section,Number of Columns,നിരകളുടെ എണ്ണം +DocType: Issue Priority,Issue Priority,മുൻ‌ഗണന നൽകുക DocType: Holiday List,Add Weekly Holidays,പ്രതിവാര അവധിദിനങ്ങൾ ചേർക്കുക DocType: Shopify Log,Shopify Log,ലോഗ് ഷോപ്പ് ചെയ്യൂ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,ശമ്പളം സ്ലിപ്പ് സൃഷ്ടിക്കുക @@ -984,6 +992,7 @@ DocType: Job Offer Term,Value / Description,മൂല്യം / വിവരണ DocType: Warranty Claim,Issue Date,പുറപ്പെടുവിക്കുന്ന തീയതി 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}. ഈ ആവശ്യകത നിറവേറ്റുന്ന ഒരു ബാച്ച് കണ്ടെത്താനായില്ല apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,ഇടതു ജീവനക്കാർക്ക് വേണ്ടി നിലനിർത്തൽ ബോണസ് സൃഷ്ടിക്കാൻ കഴിയില്ല +DocType: Employee Checkin,Location / Device ID,സ്ഥാനം / ഉപകരണ ഐഡി DocType: Purchase Order,To Receive,സ്വീകരിക്കാൻ apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,നിങ്ങൾ ഓഫ്ലൈൻ മോഡിലാണ്. നിങ്ങൾക്ക് നെറ്റ്വർക്ക് ഉണ്ടെങ്കിൽ നിങ്ങൾക്ക് വീണ്ടും ലോഡുചെയ്യാനാകില്ല. DocType: Course Activity,Enrollment,എൻറോൾമെന്റ് @@ -992,7 +1001,6 @@ DocType: Lab Test Template,Lab Test Template,ടെസ്റ്റ് ടെം apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},പരമാവധി: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ഇ-ഇൻവോയിംഗ് വിവരം നഷ്ടപ്പെട്ടു apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,ഭൌതിക അഭ്യർത്ഥനയൊന്നും സൃഷ്ടിച്ചിട്ടില്ല -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ഇനം കോഡ്> ഇനം ഗ്രൂപ്പ്> ബ്രാൻഡ് DocType: Loan,Total Amount Paid,പണമടച്ച തുക apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,ഈ ഇനങ്ങൾ എല്ലാം ഇതിനകം തന്നെ വിളിക്കപ്പെട്ടിരിക്കുന്നു DocType: Training Event,Trainer Name,പരിശീലകന്റെ പേര് @@ -1099,6 +1107,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0} : Operat apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},ടൈംസ്റ്റാമ്പ് പോസ്റ്റുചെയ്യൽ {0} DocType: Employee,You can enter any date manually,ഏതെങ്കിലും തീയതി സ്വയം നിങ്ങൾക്ക് സ്വയം നൽകാം DocType: Stock Reconciliation Item,Stock Reconciliation Item,ഓഹരി അനുരഞ്ജന ഇനം +DocType: Shift Type,Early Exit Consequence,നേരത്തെയുള്ള എക്സിറ്റ് പരിണതഫലങ്ങൾ DocType: Item Group,General Settings,പൊതുവായ ക്രമീകരണങ്ങൾ apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,അവസാന തീയതി പോസ്റ്റുചെയ്യൽ / വിതരണക്കാരൻ ഇൻവോയ്സ് തീയതിക്ക് മുമ്പായിരിക്കരുത് apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,സമർപ്പിക്കുന്നതിനുമുമ്പ് ബെനിഫിഷ്യന്റെ പേര് നൽകുക. @@ -1135,6 +1144,7 @@ DocType: Travel Request Costing,Expense Type,ചെലവിന്റെ തര DocType: Account,Auditor,ഓഡിറ്റർ apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,പണമടച്ചതിന്റെ സ്ഥിരീകരണം ,Available Stock for Packing Items,ഇനങ്ങൾ പാക്ക് ചെയ്യാൻ ലഭ്യമായ സ്റ്റോക്ക് +DocType: Shift Type,Every Valid Check-in and Check-out,"ഓരോ സാധുവായ ചെക്ക്-ഇൻ, ചെക്ക് .ട്ട്" DocType: Support Search Source,Query Route String,ചോദ്യ റൂട്ട് സ്ട്രിംഗ് DocType: Customer Feedback Template,Customer Feedback Template,ഉപഭോക്താവിന്റെ ഫീഡ്ബാക്ക് ടെംപ്ലേറ്റ് apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,ലീഡ്സ് അല്ലെങ്കിൽ കസ്റ്റമർമാർക്കുള്ള ഉദ്ധരണികൾ. @@ -1168,6 +1178,7 @@ DocType: Serial No,Under AMC,എ എം സി പ്രകാരം DocType: Authorization Control,Authorization Control,അധികാരപ്പെടുത്തൽ നിയന്ത്രണം ,Daily Work Summary Replies,ദിവസേനയുള്ള ജോലി സംഗ്രഹം മറുപടികൾ apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},പ്രോജക്റ്റിൽ സഹകരിക്കാൻ നിങ്ങളെ ക്ഷണിച്ചിരിക്കുന്നു: {0} +DocType: Issue,Response By Variance,വേരിയൻസ് പ്രതികരണം DocType: Item,Sales Details,വിൽപ്പന വിശദാംശങ്ങൾ apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,അച്ചടി ടെംപ്ലേറ്റുകൾക്കുള്ള കത്ത് തലക്കെട്ടുകൾ. DocType: Salary Detail,Tax on additional salary,അധിക ശമ്പളത്തിന് നികുതി @@ -1289,6 +1300,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,ഉപഭ DocType: Project,Task Progress,ടാസ്ക് പുരോഗതി DocType: Journal Entry,Opening Entry,എൻട്രി തുറക്കുന്നു DocType: Bank Guarantee,Charges Incurred,ചാർജ് തന്നു +DocType: Shift Type,Working Hours Calculation Based On,പ്രവൃത്തി സമയ കണക്കുകൂട്ടൽ അടിസ്ഥാനമാക്കി DocType: Work Order,Material Transferred for Manufacturing,നിർമ്മാണത്തിനായി വസ്തുക്കൾ കൈമാറ്റം ചെയ്യുന്നു DocType: Products Settings,Hide Variants,വേരിയന്റുകൾ മറയ്ക്കുക DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ശേഷി ആസൂത്രണവും സമയ ട്രാക്കിംഗും അപ്രാപ്തമാക്കുക @@ -1316,6 +1328,7 @@ DocType: Account,Depreciation,മൂല്യത്തകർച്ച DocType: Guardian,Interests,താൽപ്പര്യങ്ങൾ DocType: Purchase Receipt Item Supplied,Consumed Qty,ഉപഭോഗം Qty DocType: Education Settings,Education Manager,വിദ്യാഭ്യാസ മാനേജർ +DocType: Employee Checkin,Shift Actual Start,യഥാർത്ഥ ആരംഭം മാറ്റുക DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,വർക്ക്സ്റ്റേഷൻ പ്രവർത്തി സമയം പുറത്ത് പ്ലാൻ ടൈം ലോഗുകൾ. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},ലോയൽറ്റി പോയിന്റുകൾ: {0} DocType: Healthcare Settings,Registration Message,രജിസ്ട്രേഷൻ സന്ദേശം @@ -1341,7 +1354,6 @@ DocType: Sales Partner,Contact Desc,ഡെസ്കിന്റെ കോൺട DocType: Purchase Invoice,Pricing Rules,വിലനിയന്ത്രണ ചട്ടങ്ങൾ DocType: Hub Tracked Item,Image List,ഇമേജ് ലിസ്റ്റ് DocType: Item Variant Settings,Allow Rename Attribute Value,ഗുണനാമത്തിന്റെ പ്രതീക മൂല്യം അനുവദിക്കുക -DocType: Price List,Price Not UOM Dependant,വിലയല്ല UOM ആശ്രയിച്ചത് apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),സമയം (മിനിറ്റിൽ) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,അടിസ്ഥാന DocType: Loan,Interest Income Account,പലിശ വരുമാന അക്കൌണ്ട് @@ -1351,6 +1363,7 @@ DocType: Employee,Employment Type,തൊഴിൽ തരം apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,POS പ്രൊഫൈൽ തിരഞ്ഞെടുക്കുക DocType: Support Settings,Get Latest Query,ഏറ്റവും പുതിയ അന്വേഷണം നേടുക DocType: Employee Incentive,Employee Incentive,ജീവനക്കാരുടെ ഇൻസെന്റീവ് +DocType: Service Level,Priorities,മുൻ‌ഗണനകൾ apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,കാർഡുകളോ ഇച്ഛാനുസൃത വിഭാഗങ്ങളോ ഹോംപേജിൽ ചേർക്കുക DocType: Homepage,Hero Section Based On,ഹീറോ സെക്ഷന് അടിസ്ഥാനമാക്കിയുള്ളതാണ് DocType: Project,Total Purchase Cost (via Purchase Invoice),മൊത്തം വാങ്ങൽ ചെലവ് (വാങ്ങൽ ഇൻവോയ്സ് വഴി) @@ -1408,8 +1421,9 @@ DocType: QuickBooks Migrator,Application Settings,അപ്ലിക്കേഷ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,ഒരു ഇനം ടെംപ്ലേറ്റിനെതിരെ പ്രൊഡക്ഷൻ ഓർഡർ ഉയർത്താൻ കഴിയില്ല DocType: Work Order,Manufacture against Material Request,വസ്തു അഭ്യർത്ഥനയ്ക്കെതിരെയുള്ള നിർമ്മാണം DocType: Blanket Order Item,Ordered Quantity,കൃത്യമായ അളവ് +apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},വരി # {0}: നിരസിച്ച ഇനത്തിനെതിരെ നിരസിച്ച വെയർഹ house സ് നിർബന്ധമാണ് {1} ,Received Items To Be Billed,ബിൽ ചെയ്യേണ്ട ഇനങ്ങൾ -DocType: Salary Slip Timesheet,Working Hours,ജോലിചെയ്യുന്ന സമയം +DocType: Attendance,Working Hours,ജോലിചെയ്യുന്ന സമയം apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,പേയ്മെന്റ് മോഡ് apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,കൃത്യസമയത്ത് ഓർഡർ ഇനങ്ങൾ വാങ്ങരുത് apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,ദിവസത്തിൽ ദൈർഘ്യം @@ -1424,6 +1438,7 @@ DocType: Naming Series,Prefix,പ്രിഫിക്സ് DocType: Work Order Operation,Actual Operation Time,യഥാർത്ഥ ഓപ്പറേഷൻ സമയം DocType: Purchase Invoice Item,Net Rate,നെറ്റ് നിരക്ക് apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,ക്യാഷ് നെറ്റ് മാറ്റം +apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,നടപടിക്രമത്തിനായി വെയർഹ house സ് സജ്ജമാക്കുക {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Block Invoice,ബ്ലോക്ക് ഇൻവോയ്സ് apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,അക്കൗണ്ട് {0}: പാരന്റ് അക്കൗണ്ട് {1} നിലവിലില്ല DocType: HR Settings,Encrypt Salary Slips in Emails,ഇമെയിലുകളിൽ ശമ്പളം എൻക്രിപ്റ്റ് ചെയ്യുക @@ -1528,7 +1543,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,നിയമാനുസൃത വിവരവും വിതരണക്കാരനെക്കുറിച്ചുള്ള മറ്റ് പൊതു വിവരങ്ങളും DocType: Item Default,Default Selling Cost Center,സെറ്റ് സെറ്റിങ്ങ് കോസ്റ്റ് സെന്റർ DocType: Sales Partner,Address & Contacts,വിലാസവും കോൺടാക്റ്റുകളും -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,സജ്ജീകരണം> നമ്പറിംഗ് സീരീസ് വഴി അറ്റൻഡൻസിനായി നമ്പറിംഗ് സീരീസ് സജ്ജമാക്കുക DocType: Subscriber,Subscriber,സബ്സ്ക്രൈബർ apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ഫോം / ഇനം / {0}) സ്റ്റോക്കില്ല apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,ദയവായി പോസ്റ്റിങ്ങ് തീയതി ആദ്യം തിരഞ്ഞെടുക്കുക @@ -1539,7 +1553,7 @@ DocType: Project,% Complete Method,% പൂർണ്ണമായ രീതി DocType: Detected Disease,Tasks Created,ചുമതലകൾ സൃഷ്ടിച്ചു apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,ഈ ഇനം അല്ലെങ്കിൽ അതിന്റെ ടെംപ്ലേറ്റിനായി Default BOM ({0}) സജീവമായിരിക്കണം apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,കമ്മീഷൻ നിരക്ക്% -DocType: Service Level,Response Time,പ്രതികരണ സമയം +DocType: Service Level Priority,Response Time,പ്രതികരണ സമയം DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce ക്രമീകരണങ്ങൾ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,അളവ് പോസിറ്റീവ് ആയിരിക്കണം DocType: Contract,CRM,CRM @@ -1556,7 +1570,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,ഇൻപേഷ്യൻ DocType: Bank Statement Settings,Transaction Data Mapping,ഇടപാട് ഡാറ്റ മാപ്പിംഗ് apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,ഒരു ലീഡിന് ഒരു വ്യക്തിയുടെ പേര് അല്ലെങ്കിൽ സ്ഥാപനത്തിന്റെ പേര് ആവശ്യമാണ് DocType: Student,Guardians,ഗാർഡിയൻ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ദയവായി വിദ്യാഭ്യാസം> വിദ്യാഭ്യാസ സജ്ജീകരണങ്ങളിൽ സജ്ജീകരണ അധ്യാപിക നാമനിർദേശം ചെയ്യുന്ന സംവിധാനം apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ബ്രാൻഡ് തിരഞ്ഞെടുക്കുക ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,മധ്യവരുമാനം DocType: Shipping Rule,Calculate Based On,അടിസ്ഥാനമാക്കിയുള്ളത് കണക്കാക്കുക @@ -1657,7 +1670,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,അസംസ്കൃത വസ്തുവിന്റെ ഇനം കോഡ് apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,വാങ്ങൽ ഇൻവോയ്സ് {0} ഇതിനകം സമർപ്പിച്ചു DocType: Fees,Student Email,വിദ്യാർത്ഥിയുടെ ഇമെയിൽ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM Recursion: {0} {2} ന്റെ രക്ഷകർത്താക്കളോ കുട്ടിയോ ആകരുത് apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ഹെൽത്ത് സർവീസിൽ നിന്ന് ഇനങ്ങൾ നേടുക apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,സ്റ്റോക്ക് എൻട്രി {0} സമർപ്പിക്കപ്പെടുന്നില്ല DocType: Item Attribute Value,Item Attribute Value,ആട്രിബ്യൂട്ട് മൂല്യം @@ -1681,7 +1693,6 @@ DocType: POS Profile,Allow Print Before Pay,പണമടയ്ക്കുന് DocType: Production Plan,Select Items to Manufacture,നിർമ്മാണത്തിനുള്ള ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക DocType: Leave Application,Leave Approver Name,അനുവന്ധ നാമം ഉപേക്ഷിക്കുക DocType: Shareholder,Shareholder,ഓഹരി ഉടമ -DocType: Issue,Agreement Status,ഉടമ്പടി നില apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,ഇടപാടുകൾ വിൽക്കുന്നതിനുള്ള സ്ഥിരസ്ഥിതി ക്രമീകരണങ്ങൾ. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,വിദ്യാർത്ഥി അപേക്ഷകന് നിർബന്ധിതമായ വിദ്യാർത്ഥി അഡ്മിഷൻ തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOM തിരഞ്ഞെടുക്കുക @@ -1936,6 +1947,7 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,ഇനം 4 DocType: Account,Income Account,വരുമാന അക്കൌണ്ട് apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,എല്ലാ ഗാർഡ്യൂട്ടുകളും DocType: Contract,Signee Details,സൂചന വിശദാംശങ്ങൾ +DocType: Shift Type,Allow check-out after shift end time (in minutes),ഷിഫ്റ്റ് അവസാന സമയത്തിന് ശേഷം (മിനിറ്റിനുള്ളിൽ) ചെക്ക് out ട്ട് അനുവദിക്കുക apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,സംഭരണം DocType: Item Group,Check this if you want to show in website,നിങ്ങൾ വെബ്സൈറ്റിൽ കാണിക്കാൻ ആഗ്രഹിക്കുന്നുവെങ്കിൽ ഇത് ചെക്ക് ചെയ്യുക apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ധനകാര്യ വർഷം {0} കണ്ടെത്തിയില്ല @@ -1998,6 +2010,7 @@ DocType: Employee Benefit Application,Remaining Benefits (Yearly),ശേഷി DocType: Asset Finance Book,Depreciation Start Date,ഡിസ്രിരിസേഷൻ ആരംഭ തീയതി DocType: Activity Cost,Billing Rate,ബില്ലിംഗ് നിരക്ക് apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,വഴികൾ കണക്കാക്കാനും ഒപ്റ്റിമൈസുചെയ്യാനും ദയവായി Google മാപ്സ് ക്രമീകരണങ്ങൾ പ്രാപ്തമാക്കുക +DocType: Purchase Invoice Item,Page Break,പേജ് ബ്രേക്ക് DocType: Supplier Scorecard Criteria,Max Score,പരമാവധി സ്കോർ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,തിരിച്ചടവ് ആരംഭ തീയതി തിയതി നിശ്ചിത തീയതിക്ക് മുമ്പായിരിക്കരുത്. DocType: Support Search Source,Support Search Source,തിരയൽ സ്രോതസ്സുകളെ പിന്തുണയ്ക്കുക @@ -2061,6 +2074,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,ഗുണനിലവാ DocType: Employee Transfer,Employee Transfer,എംപ്ലോയീസ് ട്രാൻസ്ഫർ ,Sales Funnel,സെയിൽസ് ഫണൽ DocType: Agriculture Analysis Criteria,Water Analysis,ജല വിശകലനം +DocType: Shift Type,Begin check-in before shift start time (in minutes),ഷിഫ്റ്റ് ആരംഭ സമയത്തിന് മുമ്പ് ചെക്ക്-ഇൻ ആരംഭിക്കുക (മിനിറ്റിനുള്ളിൽ) DocType: Accounts Settings,Accounts Frozen Upto,അക്കൌണ്ടുകൾ അപ്രാപ്തമാക്കി apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,എഡിറ്റുചെയ്യാൻ ഒന്നുമില്ല. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","വർക്ക്സ്റ്റേഷനിൽ {0} വർക്ക്സ്റ്റേഷനിൽ ലഭ്യമായ പ്രവർത്തന സമയത്തേക്കാൾ ഓപ്പറേറ്റർ {0}, പ്രവർത്തനം ഒന്നിലധികം ഓപ്പറേഷനുകളാക്കി മാറ്റും" @@ -2071,9 +2085,12 @@ DocType: Warranty Claim,Resolved By,പരിഹാരം apps/erpnext/erpnext/utilities/user_progress.py,"Add users to your organization, other than yourself.","നിങ്ങളെക്കാളുപരി, നിങ്ങളുടെ ഓർഗനൈസേഷനിൽ ഉപയോക്താക്കളെ ചേർക്കുക." DocType: Global Defaults,Default Company,സ്ഥിര കമ്പനി DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,സെയിൽ ഇൻവോയ്സ് സൃഷ്ടിക്കുന്നതിന് പണ അക്കൗണ്ട് ഉപയോഗിക്കുന്നു +apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},വിൽപ്പന ഓർഡർ {0} {1} ആണ് apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),പണമടയ്ക്കൽ കാലതാമസം (ദിവസം) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,വിലയിരുത്തൽ വിശദാംശങ്ങൾ നൽകുക +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,കസ്റ്റമർ പി.ഒ. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,പ്രതീക്ഷിക്കുന്ന ഡെലിവറി തീയതി സെയിൽസ് ഓർഡർ തീയതിക്ക് ശേഷം ആയിരിക്കണം +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,ഇനത്തിന്റെ അളവ് പൂജ്യമാകരുത് apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,ആട്രിബ്യൂട്ട് അസാധുവാണ് DocType: Bank Statement Transaction Invoice Item,Invoice Type,ഇൻവോയ്സ് തരം DocType: Price List,Price List Master,വില ലിസ്റ്റ് മാസ്റ്റർ @@ -2082,6 +2099,7 @@ DocType: Maintenance Visit,Maintenance Date,മെയിന്റനൻസ് DocType: Volunteer,Afternoon,ഉച്ചകഴിഞ്ഞ് DocType: Vital Signs,Nutrition Values,പോഷകാഹാര മൂല്യങ്ങൾ DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),പനിവിന്റെ സാന്നിധ്യം (താൽക്കാലിക> 38.5 ° C / 101.3 ° F അല്ലെങ്കിൽ സുസ്ഥിരമായ താപനില> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ഹ്യൂമൻ റിസോഴ്സ്> എച്ച്ആർ ക്രമീകരണങ്ങളിൽ ജീവനക്കാരുടെ പേരിടൽ സംവിധാനം സജ്ജമാക്കുക apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ഐടിസി റിവൈഡ് ചെയ്തു DocType: Project,Collect Progress,ശേഖര പുരോഗതി apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,ഊർജ്ജം @@ -2131,6 +2149,7 @@ DocType: Setup Progress,Setup Progress,സെറ്റപ്പ് പുരോ ,Ordered Items To Be Billed,ബിൽ ചെയ്യേണ്ട ഓർഡറുകൾ DocType: Taxable Salary Slab,To Amount,തുക DocType: Purchase Invoice,Is Return (Debit Note),റിട്ടേൺ (ഡെബിറ്റ് നോട്ട്) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,കസ്റ്റമർ> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിട്ടറി apps/erpnext/erpnext/config/desktop.py,Getting Started,ആമുഖം apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,ലയിപ്പിക്കുക apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,ധനന വർഷം ആയിരിയ്ക്കുന്ന തീയതിയും ഫിസ്കൽ വർഷം അവസാന തീയതിയും മാറ്റാൻ കഴിയില്ല. @@ -2149,6 +2168,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Ex DocType: Purchase Invoice,Select Supplier Address,വിതരണക്കാരൻ വിലാസം തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,ദയവായി API കൺസ്യൂമർ സീക്രട്ട് നൽകുക DocType: Program Enrollment Fee,Program Enrollment Fee,പ്രോഗ്രാം എൻറോൾമെന്റ് ഫീസ് +DocType: Employee Checkin,Shift Actual End,യഥാർത്ഥ അവസാനം ഷിഫ്റ്റ് ചെയ്യുക DocType: Serial No,Warranty Expiry Date,വാറന്റി കാലഹരണ തീയതി DocType: Hotel Room Pricing,Hotel Room Pricing,ഹോട്ടൽ മുറികൾ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","പുറമേയുള്ള നികുതിവിധേയമായ സപ്ലൈസ് (പൂജ്യമായി റേറ്റുചെയ്തിട്ടുള്ള മറ്റ് വിലകൾ, വിലക്കുറവുള്ളതും ഒഴിവാക്കാവുന്നതുമായവ" @@ -2158,6 +2178,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en DocType: Timesheet,Total Billed Hours,ആകെ ബില്ലും സമയം apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Current invoice {0} is missing,നിലവിലെ ഇൻവോയ്സ് {0} കാണുന്നില്ല DocType: Healthcare Settings,Patient Registration,രോഗി രജിസ്ട്രേഷൻ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice No exists in Purchase Invoice {0},വാങ്ങൽ ഇൻവോയ്സിൽ വിതരണ ഇൻവോയ്സ് ഇല്ല {0} DocType: Service Day,Workday,തൊഴിൽദിനം apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,No Items added to cart,കാർട്ടിൽ ഇനങ്ങളൊന്നും ചേർത്തിട്ടില്ല DocType: Target Detail,Target Qty,ടാർഗെറ്റ് ക്വാണ്ടി @@ -2205,6 +2226,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,വായന 5 DocType: Shopping Cart Settings,Display Settings,ഡിസ്പ്ലേ സെറ്റിംഗ്സ് apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,ബുക്കഷോകളുടെ എണ്ണം ക്രമീകരിക്കുക +DocType: Shift Type,Consequence after,പരിണതഫലങ്ങൾ apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,നിങ്ങൾക്ക് എന്തു സഹായം ആവശ്യമാണ്? DocType: Journal Entry,Printing Settings,അച്ചടി ക്രമീകരണങ്ങൾ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,ബാങ്കിംഗ് @@ -2214,6 +2236,7 @@ DocType: Purchase Invoice Item,PR Detail,PR വിശദമായി apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,ഷിപ്പിംഗ് വിലാസം പോലെ ബില്ലിംഗ് വിലാസം സമാനമാണ് DocType: Account,Cash,ക്യാഷ് DocType: Employee,Leave Policy,നയം ഉപേക്ഷിക്കുക +DocType: Shift Type,Consequence,പരിണതഫലങ്ങൾ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,വിദ്യാർത്ഥി വിലാസം DocType: GST Account,CESS Account,അക്കൗണ്ട് കുറവ് apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: 'ലാഭം-നഷ്ടം' അക്കൗണ്ടിനായുള്ള കോസ്റ്റ് സെന്റർ ആവശ്യമാണ് {2}. കമ്പനിയ്ക്കായി ഒരു സ്ഥിര കോസ്റ്റ് സെന്റർ സജ്ജീകരിക്കുക. @@ -2277,6 +2300,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN കോഡ് DocType: Period Closing Voucher,Period Closing Voucher,കാലാവധി പൂർത്തിയാക്കുന്ന വൗച്ചർ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 പേര് apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,ചെലവ് അക്കൗണ്ട് നൽകുക +DocType: Issue,Resolution By Variance,വേരിയൻസ് പ്രമേയം DocType: Employee,Resignation Letter Date,രാജിവെയ്ക്കൽ കത്ത് തീയതി DocType: Soil Texture,Sandy Clay,സാൻഡി ക്ലേ DocType: Upload Attendance,Attendance To Date,തീയതിയിലേക്കുള്ള സമ്മേളനം @@ -2289,6 +2313,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,ഇപ്പോൾ കാണുക DocType: Item Price,Valid Upto,സാധുവാണ് apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},റഫറൻസ് ഡോക്റ്റൈപ്പ് {0} +DocType: Employee Checkin,Skip Auto Attendance,യാന്ത്രിക ഹാജർ ഒഴിവാക്കുക DocType: Payment Request,Transaction Currency,ഇടപാട് കറൻസി DocType: Loan,Repayment Schedule,തിരിച്ചടവ് ഷെഡ്യൂൾ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,സാമ്പിൾ നിലനിർത്തൽ സ്റ്റോക്ക് എൻട്രി സൃഷ്ടിക്കുക @@ -2360,6 +2385,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,ശമ്പള DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,പിഒസ് അടച്ച വൗച്ചർ നികുതി apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,പ്രവർത്തനം സമാരംഭിച്ചു DocType: POS Profile,Applicable for Users,ഉപയോക്താക്കൾക്ക് ബാധകമാണ് +,Delayed Order Report,ഓർഡർ റിപ്പോർട്ട് വൈകി DocType: Training Event,Exam,പരീക്ഷ apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,പൊതുവായ ലെഡ്ജർ എൻട്രികളുടെ തെറ്റായ എണ്ണം കണ്ടെത്തി. ഇടപാടിന് നിങ്ങൾ ഒരു തെറ്റായ അക്കൗണ്ട് തിരഞ്ഞെടുത്തിരിക്കാം. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,സെയിൽസ് പൈപ്പ്ലൈൻ @@ -2374,9 +2400,9 @@ DocType: Account,Round Off,റൗണ്ട് ഓഫാണ് DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,തിരഞ്ഞെടുത്ത എല്ലാ ഇനങ്ങൾക്കും വ്യവസ്ഥകൾ പ്രയോഗിക്കപ്പെടും. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,ക്രമീകരിക്കുക DocType: Hotel Room,Capacity,ശേഷി +DocType: Employee Checkin,Shift End,ഷിഫ്റ്റ് അവസാനം DocType: Installation Note Item,Installed Qty,ഇൻസ്റ്റാൾ ചെയ്ത ക്യൂട്ടി DocType: Hotel Room Reservation,Hotel Reservation User,ഹോട്ടൽ റിസർവേഷൻ ഉപയോക്താവ് -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,ജോലി സമയം രണ്ടു തവണ ആവർത്തിച്ചു apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},ഇനം {0} ഇനത്തിനായി ഇനം മാസ്റ്റർയിൽ ഇനം പട്ടിക പരാമർശിച്ചിട്ടില്ല apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},പേര് പിശക്: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,POS പ്രൊഫൈലിൽ പ്രദേശം ആവശ്യമാണ് @@ -2423,6 +2449,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,ഷെഡ്യൂൾ തീയതി DocType: Packing Slip,Package Weight Details,പാക്കേജ് ഭാരം സംബന്ധിച്ച വിശദാംശങ്ങൾ DocType: Job Applicant,Job Opening,തൊഴിൽ അവസരങ്ങൾ +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,ജീവനക്കാരുടെ ചെക്കിന്റെ അവസാനത്തെ അറിയപ്പെടുന്ന വിജയകരമായ സമന്വയം. എല്ലാ ലോഗുകളും എല്ലാ ലൊക്കേഷനുകളിൽ നിന്നും സമന്വയിപ്പിച്ചുവെന്ന് നിങ്ങൾക്ക് ഉറപ്പുണ്ടെങ്കിൽ മാത്രം ഇത് പുന reset സജ്ജമാക്കുക. നിങ്ങൾക്ക് ഉറപ്പില്ലെങ്കിൽ ഇത് പരിഷ്‌ക്കരിക്കരുത്. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,യഥാർത്ഥ ചെലവ് apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,ഇനം വകഭേദങ്ങൾ അപ്ഡേറ്റുചെയ്തു DocType: Item,Batch Number Series,ബാച്ച് നമ്പർ സീരീസ് @@ -2437,6 +2464,7 @@ apps/erpnext/erpnext/config/help.py,Managing Projects,മാനേജിങ് apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js,Message Sent,സന്ദേശം അയച്ചു apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Same item has been entered multiple times. {0},ഇതേ ഇനം ഒന്നിലധികം തവണ നൽകി. {0} DocType: Pricing Rule,Margin,മാർജിൻ +apps/erpnext/erpnext/accounts/utils.py,{0} '{1}' not in Fiscal Year {2},{0} '{1}' സാമ്പത്തിക വർഷത്തിലല്ല {2} DocType: Fee Schedule,Fee Structure,ഫീസ് ഘടന apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,വേരിയന്റ് ആട്രിബ്യൂട്ടുകൾ DocType: Employee,Confirmation Date,സ്ഥിരീകരണ തീയതി @@ -2454,6 +2482,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Leave the field apps/erpnext/erpnext/stock/utils.py,Item {0} ignored since it is not a stock item,ഒരു സ്റ്റോക്ക് ഇനം അല്ലാത്തതിനാൽ ഇനം {0} അവഗണിക്കപ്പെട്ടു apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot have Valuation Rate","കസ്റ്റമർ നൽകിയ ഇനം" എന്നതിന് മൂല്യനിർണയ നിരക്ക് ഇല്ല DocType: Soil Texture,Clay,കളിമണ്ണ് +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,"{0} currently has a {1} Supplier Scorecard standing, and Purchase Orders to this supplier should be issued with caution.","{0} ന് നിലവിൽ {1} വിതരണ സ്‌കോർകാർഡ് നിലയുണ്ട്, ഈ വിതരണക്കാരന് വാങ്ങൽ ഓർഡറുകൾ ജാഗ്രതയോടെ നൽകണം." DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","ഇനം മറ്റൊരു ഇനത്തിന്റെ ഒരു വകഭേദമാണെങ്കിൽ വ്യക്തമായും വ്യക്തമാക്കിയിട്ടില്ലെങ്കിൽ വിവരണം, ഇമേജ്, വിലനിർണ്ണയം, നികുതികൾ എന്നിവ ടെംപ്ലേറ്റിൽ നിന്നും സജ്ജമാക്കിയിരിക്കും." apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Target,ആകെ ലക്ഷ്യം DocType: Location,Longitude,രേഖാംശം @@ -2463,6 +2492,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,റഫറൻസ് വാ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,ഇൻവോകികൾ നേടുക DocType: Tally Migration,Is Day Book Data Imported,ഡേ ബുക്ക് പുസ്തകം ഡാറ്റ ഇറക്കുമതി ചെയ്തു ,Sales Partners Commission,സെയിൽസ് പാർട്ട്ണേഴ്സ് കമ്മീഷൻ +DocType: Shift Type,Enable Different Consequence for Early Exit,നേരത്തെയുള്ള എക്സിറ്റിന് വ്യത്യസ്ത പരിണതഫലങ്ങൾ പ്രാപ്തമാക്കുക apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,നിയമപരമായ DocType: Loan Application,Required by Date,തീയതി പ്രകാരം ആവശ്യമാണ് DocType: Quiz Result,Quiz Result,ക്വിസ് ഫലം @@ -2518,8 +2548,8 @@ DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(മണ DocType: C-Form,Received Date,ലഭിച്ച തീയതി apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,സാമ്പത്തിക / അക്കൌണ്ടിംഗ് വർഷം. DocType: Pricing Rule,Pricing Rule,വിലനിയന്ത്രണം +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},അവധിക്കാല കാലയളവിനായി ഓപ്ഷണൽ ഹോളിഡേ ലിസ്റ്റ് സജ്ജമാക്കിയിട്ടില്ല {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,തൊഴിലുടമ റോൾ സജ്ജമാക്കാൻ ഒരു എംപ്ലോയർ റെക്കോർഡിൽ ഉപയോക്തൃ ഐഡി ഫീല്ഡ് സജ്ജീകരിക്കുക -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,പരിഹരിക്കാൻ സമയം DocType: Training Event,Training Event,പരിശീലന ഇവന്റ് DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","മുതിർന്നവരിൽ സാധാരണ രക്തസമ്മർദ്ദം 120 mmHg സിസോളിക്, 80 mmHg ഡയസ്റ്റോളിക്, ചുരുക്കി "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,ലിമിറ്റ് മൂല്യം പൂജ്യമാണെങ്കിൽ സിസ്റ്റം എല്ലാ എൻട്രികളും ലഭ്യമാക്കും. @@ -2563,9 +2593,11 @@ DocType: Woocommerce Settings,Enable Sync,സമന്വയം പ്രാപ DocType: Student Applicant,Approved,അംഗീകരിച്ചു apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},തീയതി മുതൽ ഫിഷ് വർഷത്തിനുള്ളിൽ ആയിരിക്കണം. തീയതി മുതൽ {0} മുതൽ അനുഗമിക്കുന്നു apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,വാങ്ങൽ ക്രമീകരണങ്ങളിൽ വിതരണ ഗ്രൂപ്പ് സജ്ജീകരിക്കുക. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} അസാധുവായ ഹാജർ നിലയാണ്. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,താൽക്കാലിക തുറക്കൽ അക്കൗണ്ട് DocType: Purchase Invoice,Cash/Bank Account,ക്യാഷ് / ബാങ്ക് അക്കൗണ്ട് DocType: Quality Meeting Table,Quality Meeting Table,ക്വാളിറ്റി മീറ്റിംഗ് ടേബിൾ +apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"ടേം ആരംഭിക്കുന്ന തീയതി, പദം ബന്ധിപ്പിച്ച അക്കാദമിക് വർഷത്തിന്റെ ആരംഭ തീയതിക്ക് മുമ്പുള്ളതായിരിക്കരുത് (അക്കാദമിക് വർഷം {}). തീയതികൾ ശരിയാക്കി വീണ്ടും ശ്രമിക്കുക." apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 1,പ്രാധാന്യം അർജം 1 DocType: Employee Tax Exemption Proof Submission,Tax Exemption Proofs,ടാക്സ് എക്സംപ്ഷൻ പ്രൂഫ്സ് DocType: Purchase Invoice,Price List Currency,വില ലിസ്റ്റ് കറൻസി @@ -2597,6 +2629,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS ഓത്ത് ടോക്ക apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","ഭക്ഷണം, ബീവറേജ്, ടുബാക്കോ" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,കോഴ്സ് ഷെഡ്യൂൾ DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ഇനം തരം ടാക്സ് വിശദാംശം +DocType: Shift Type,Attendance will be marked automatically only after this date.,ഈ തീയതിക്ക് ശേഷം മാത്രമേ ഹാജർ സ്വപ്രേരിതമായി അടയാളപ്പെടുത്തൂ. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,UIN ഉടമസ്ഥർക്ക് നൽകുന്ന സപ്ലൈസ് apps/erpnext/erpnext/hooks.py,Request for Quotations,ഉദ്ധരണികൾക്കുള്ള അഭ്യർത്ഥന apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,മറ്റ് കറൻസി ഉപയോഗിച്ച് എൻട്രികൾ വരുത്തിയ ശേഷം നാണയത്തെ മാറ്റാൻ കഴിയില്ല @@ -2644,7 +2677,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,ഇനം ഹബ് ആണ് apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,ഗുണ നിലവാരം. DocType: Share Balance,No of Shares,ഷെയറുകളുടെ എണ്ണം -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),വരി {0}: പ്രവേശന സമയം ({2} {3}) പോസ്റ്റിങ്ങിൽ {1} വെയർഹൌസിലുള്ള {4} DocType: Quality Action,Preventive,പ്രിവന്റീവ് DocType: Support Settings,Forum URL,ഫോറം URL apps/erpnext/erpnext/config/hr.py,Employee and Attendance,ജീവനക്കാരനും പങ്കെടുക്കും @@ -2860,7 +2892,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Promotional Scheme Price Discount,Discount Type,കിഴിവ് തരം DocType: Hotel Settings,Default Taxes and Charges,സ്ഥിര നികുതികളും നിരക്കുകളും apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,ഈ വിതരണക്കാരനെതിരായ ഇടപാടുകൾ അടിസ്ഥാനമാക്കിയുള്ളതാണ്. വിശദാംശങ്ങൾക്കായി താഴെയുള്ള ടൈംലൈൻ കാണുക -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,ഉടമ്പടിക്ക് ആരംഭവും അവസാന സമയവും നൽകുക. DocType: Delivery Note Item,Against Sales Invoice,വിൽപ്പനവിവരം എതിരെ DocType: Loyalty Point Entry,Purchase Amount,വാങ്ങൽ തുക apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,സെൽ ഓർഡർ നിർമ്മിക്കപ്പെടുമ്പോൾ തന്നെ നഷ്ടപ്പെടാൻ കഴിയില്ല. @@ -2884,7 +2915,7 @@ DocType: Homepage,"URL for ""All Products""","എല്ലാ ഉൽപ് DocType: Lead,Organization Name,സംഘടനയുടെ പേര് apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,ഫീൽഡുകൾ വരെ സാധുതയുള്ളതും സാധുതയുള്ളതുമാണ് സംഖ്യാടിസ്ഥാനത്തിലുള്ള അവശ്യമായത് apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},വരി # {0}: ബാച്ച് ഇല്ല {1} {2} -DocType: Employee,Leave Details,വിശദാംശങ്ങൾ വിടുക +DocType: Employee Checkin,Shift Start,ആരംഭം മാറ്റുക apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} മുമ്പ് ഓഹരി ഇടപാടുകൾ ഫ്രീസുചെയ്തു DocType: Driver,Issuing Date,വിതരണം ചെയ്യുന്ന തീയതി apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,അഭ്യർത്ഥകൻ @@ -2928,9 +2959,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ക്യാഷ് ഫ്ലോ മാപ്പിംഗ് ടെംപ്ലേറ്റ് വിശദാംശങ്ങൾ apps/erpnext/erpnext/config/hr.py,Recruitment and Training,റിക്രൂട്ട്മെന്റും പരിശീലനവും DocType: Drug Prescription,Interval UOM,ഇടവേള UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,യാന്ത്രിക ഹാജർനിലയ്ക്കുള്ള ഗ്രേസ് പിരീഡ് ക്രമീകരണങ്ങൾ apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,കറൻസിയിൽ നിന്നും കറൻസിയിൽ നിന്നും ഒന്നായിരിക്കില്ല apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ഫാർമസ്യൂട്ടിക്കൽസ് DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,പിന്തുണാ സമയം apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} റദ്ദാക്കപ്പെട്ടു അല്ലെങ്കിൽ അടച്ചു apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,വരി {0}: ഉപഭോക്താവിനോടുള്ള മുൻകൂർ വായ്പയായിരിക്കണം apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),വൗച്ചർ വഴി ഗ്രൂപ്പ് (കൺസോളിഡേറ്റഡ്) @@ -3039,6 +3072,7 @@ DocType: Asset Repair,Repair Status,അറ്റകുറ്റപ്പണി DocType: Territory,Territory Manager,ടെറിട്ടറി മാനേജർ DocType: Lab Test,Sample ID,മാതൃകാ ഐഡി apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,കാർട്ട് ശൂന്യമാണ് +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,ജീവനക്കാരുടെ ചെക്ക്-ഇന്നുകൾ പ്രകാരം ഹാജർ അടയാളപ്പെടുത്തി apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,അസറ്റ് {0} സമർപ്പിക്കേണ്ടതാണ് ,Absent Student Report,സ്റ്റാൻഡേർഡ് റിപ്പോർട്ട് റിപ്പോർട്ടു ചെയ്തു apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,മൊത്തം ലാഭത്തിൽ ഉൾപ്പെടുത്തിയിരിക്കുന്നു @@ -3046,7 +3080,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,ഫണ്ടഡ് തുക apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} സമർപ്പിച്ചു കൂടാതെ പ്രവർത്തനം പൂർത്തിയായില്ല DocType: Subscription,Trial Period End Date,ട്രയൽ കാലയളവ് അവസാനിക്കുന്ന തീയതി +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,"ഒരേ ഷിഫ്റ്റിൽ‌ IN, OUT എന്നിങ്ങനെ ഇതര എൻ‌ട്രികൾ‌" DocType: BOM Update Tool,The new BOM after replacement,പകരം പുതിയ ബോം +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണ തരം apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,ഇനം 5 DocType: Employee,Passport Number,പാസ്പോർട്ട് നമ്പർ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,താൽക്കാലിക തുറക്കൽ @@ -3148,6 +3184,7 @@ DocType: Loan Application,Total Payable Amount,ആകെ അടയ്ക്ക apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Add All Suppliers,എല്ലാ വിതരണക്കാരെയും ചേർക്കുക apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},വരി {0}: BOM # {1} എന്ന നാണയം തിരഞ്ഞെടുത്ത കറൻസിക്ക് തുല്യമായിരിക്കണം {2} DocType: Pricing Rule,Product,ഉൽപ്പന്നം +apps/erpnext/erpnext/utilities/bot.py,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),[{1}] (# ഫോം / ഇനം / {1}) ന്റെ {0} യൂണിറ്റുകൾ [{2}] (# ഫോം / വെയർഹ house സ് / {2}) DocType: Vital Signs,Weight (In Kilogram),ഭാരം (കിലൊഗ്രാമിൽ) DocType: Department,Leave Approver,Approver വിടുക apps/erpnext/erpnext/hr/doctype/leave_period/leave_period_dashboard.py,Transactions,ഇടപാടുകൾ @@ -3159,6 +3196,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,കീ റിപ്പോർ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,സാധ്യമായ വിതരണക്കാരൻ ,Issued Items Against Work Order,വർക്ക് ഓർഡർക്കെതിരെയുള്ള ഇഷ്യു ചെയ്ത ഇനങ്ങൾ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,ഇൻവോയ്സ് {0} സൃഷ്ടിക്കുന്നു +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,വിദ്യാഭ്യാസം> വിദ്യാഭ്യാസ ക്രമീകരണങ്ങളിൽ ഇൻസ്ട്രക്ടർ നാമകരണ സംവിധാനം സജ്ജമാക്കുക DocType: Student,Joining Date,തീയതിയിൽ ചേരുന്നു apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,സൈറ്റ് അഭ്യർത്ഥിക്കുന്നു DocType: Purchase Invoice,Against Expense Account,എക്സ്ട്രീം എക്സസ് അക്കൗണ്ട് @@ -3198,6 +3236,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,ബാധകമായ നിരക്കുകൾ ,Point of Sale,പോയിന്റ് ഓഫ് സെയിൽ DocType: Authorization Rule,Approving User (above authorized value),ഉപയോക്താവിനെ അംഗീകരിക്കുന്നു (അംഗീകൃത മൂല്യത്തിന് മുകളിൽ) +DocType: Service Level Agreement,Entity,എന്റിറ്റി apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{0} {1} തുക {2} മുതൽ {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},{1} ഉപഭോക്താവ് {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,പാർട്ടി നാമത്തിൽ നിന്ന് @@ -3299,7 +3338,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,അസറ്റ് ഉടമസ്ഥൻ apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},സ്റ്റോക്ക് ഇനം {0} നിരയിൽ {1} വെയർഹൌസ് നിർബന്ധമാണ് DocType: Stock Entry,Total Additional Costs,ആകെ അധിക ചെലവ് -DocType: Marketplace Settings,Last Sync On,അവസാനം സമന്വയിപ്പിക്കൽ ഓണാണ് apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,നികുതികളും ചാർജുകളും പട്ടികയിൽ കുറഞ്ഞത് ഒരു വരിയെങ്കിലും ക്രമീകരിക്കുക DocType: Asset Maintenance Team,Maintenance Team Name,മെയിൻറനൻസ് ടീം പേര് apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,ചെലവ് കേന്ദ്രങ്ങളുടെ ചാർട്ട് @@ -3313,12 +3351,13 @@ DocType: Purchase Order,% Received,% സ്വീകരിച്ചു DocType: Sales Order Item,Work Order Qty,വർക്ക് ഓർഡർ Qty DocType: Job Card,WIP Warehouse,WIP വെയർഹൗസ് DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ -YYYY.- -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","{0} കിറ്റ് ലഭ്യം, നിങ്ങൾക്ക് {1}" +apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ജീവനക്കാരനായി ഉപയോക്തൃ ഐഡി സജ്ജമാക്കിയിട്ടില്ല {0} apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,ഉപയോക്താവ് {0} സൃഷ്ടിച്ചു DocType: Stock Settings,Item Naming By,ഇനം പേരുനൽകിയത് apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,ക്രമീകരിച്ചു apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,"ഇത് ഒരു റൂട്ട് കസ്റ്റമർ ഗ്രൂപ്പാണ്, എഡിറ്റുചെയ്യാൻ കഴിയില്ല." apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,മെറ്റീരിയൽ അഭ്യർത്ഥന {0} റദ്ദാക്കി അല്ലെങ്കിൽ നിർത്തുക +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,ജീവനക്കാരുടെ ചെക്ക്ഇനിലെ ലോഗ് തരം കർശനമായി അടിസ്ഥാനമാക്കിയുള്ളതാണ് DocType: Purchase Order Item Supplied,Supplied Qty,നൽകിയത് Qty DocType: Cash Flow Mapper,Cash Flow Mapper,ക്യാഷ് ഫ്ലോ മാപ്പർ DocType: Soil Texture,Sand,മണല് @@ -3377,6 +3416,7 @@ DocType: Lab Test Groups,Add new line,പുതിയ വരി ചേർക് apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,ഇനം ഗ്രൂപ്പ് പട്ടികയിൽ തനിപ്പകർപ്പ് ഇനം ഗ്രൂപ്പ് കണ്ടെത്തി apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,വാർഷിക ശമ്പളം DocType: Supplier Scorecard,Weighting Function,തൂക്കമുള്ള പ്രവർത്തനം +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,മാനദണ്ഡ ഫോർമുല മൂല്യനിർണ്ണയിക്കുന്നതിൽ പിശക് ,Lab Test Report,ലാബ് ടെസ്റ്റ് റിപ്പോർട്ട് DocType: BOM,With Operations,പ്രവർത്തനങ്ങൾ @@ -3401,9 +3441,11 @@ DocType: Supplier Scorecard Period,Variables,വേരിയബിളുകൾ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,ഉപഭോക്താവിനായി ഒന്നിലധികം ലോയൽറ്റി പ്രോഗ്രാം കണ്ടെത്തി. ദയവായി സ്വമേധയാ തിരഞ്ഞെടുക്കുക. DocType: Patient,Medication,മരുന്നുകൾ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,ലോയൽറ്റി പ്രോഗ്രാം തിരഞ്ഞെടുക്കുക +DocType: Employee Checkin,Attendance Marked,ഹാജർ അടയാളപ്പെടുത്തി apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,അസംസ്കൃത വസ്തുക്കൾ DocType: Sales Order,Fully Billed,പൂർണ്ണമായും ബിൽ ചെയ്തു apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{@} ഹോട്ടലിൽ ഹോട്ടൽ റൂട്ട് റേറ്റുചെയ്യുക +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,സ്ഥിരസ്ഥിതിയായി ഒരു മുൻ‌ഗണന മാത്രം തിരഞ്ഞെടുക്കുക. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},ദയവായി ടൈപ്പ് ചെയ്യാനായി അക്കൗണ്ട് (ലഡ്ജർ) ദയവായി തിരിച്ചറിയുക / സൃഷ്ടിക്കുക - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,മൊത്തം ക്രെഡിറ്റ് / ഡെബിറ്റ് തുക ലിങ്ക്ഡ് ജേർണൽ എൻട്രി ആയിരിക്കണം DocType: Purchase Invoice Item,Is Fixed Asset,അസറ്റ് സ്ഥിരീകരിച്ചു @@ -3424,6 +3466,7 @@ DocType: Purpose of Travel,Purpose of Travel,യാത്രയുടെ ഉദ DocType: Healthcare Settings,Appointment Confirmation,അപ്പോയിന്റ്മെന്റ് സ്ഥിരീകരണം DocType: Shopping Cart Settings,Orders,ഓർഡറുകൾ DocType: HR Settings,Retirement Age,വിരമിക്കൽ പ്രായം +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,സജ്ജീകരണം> നമ്പറിംഗ് സീരീസ് വഴി അറ്റൻഡൻസിനായി നമ്പറിംഗ് സീരീസ് സജ്ജമാക്കുക apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,പ്രൊജക്റ്റ് ചെയ്ത Qty apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},രാജ്യം {0} എന്നതിനായി ഇല്ലാതാക്കൽ അനുവദനീയമല്ല apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},വരി # {0}: അസറ്റ് {1} ഇതിനകം തന്നെ {2} @@ -3504,11 +3547,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,അക്കൗണ്ടന്റ് apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},{0} തീയതിയ്ക്കും {2} തീയതിയ്ക്കും ഇടയ്ക്ക് {0} apps/erpnext/erpnext/config/help.py,Navigating,നാവിഗേറ്റുചെയ്യുന്നു +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,കുടിശ്ശികയുള്ള ഇൻവോയ്സുകൾക്ക് വിനിമയ നിരക്ക് പുനർമൂല്യനിർണ്ണയം ആവശ്യമില്ല DocType: Authorization Rule,Customer / Item Name,ഉപഭോക്താവ് / ഇനം നാമം apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,പുതിയ സീരിയൽ ഒന്നും വെയർഹൌസ് ഇല്ല. സ്റ്റോക്ക് എൻട്രി അല്ലെങ്കിൽ വാങ്ങൽ രസീത് വഴി വെയർഹൗസ് നിശ്ചയിക്കണം DocType: Issue,Via Customer Portal,കസ്റ്റമർ പോർട്ടൽ വഴി DocType: Work Order Operation,Planned Start Time,ആസൂത്രണം ആരംഭിക്കുന്ന സമയം apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} ആണ് {2} +DocType: Service Level Priority,Service Level Priority,സേവന നില മുൻ‌ഗണന apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,മൊത്തം അപകീർത്തികൾ മൊത്തം ബുക്കുകളുടെ എണ്ണം ആയിരിക്കരുത് apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,ലഡ്ജർ പങ്കിടുക DocType: Journal Entry,Accounts Payable,നൽകാനുള്ള പണം @@ -3618,7 +3663,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,സ്വീകര്ത്താവ് DocType: Bank Statement Transaction Settings Item,Bank Data,ബാങ്ക് ഡാറ്റ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,ഷെഡ്യൂൾ ചെയ്തു -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,"ബില്ലിംഗ് സമയം, പ്രവർത്തി സമയം എന്നിവ കൈകാര്യം ചെയ്യുക" apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,ലീഡ് ഉറവിടം ലീഡ് നയിക്കുന്നു. DocType: Clinical Procedure,Nursing User,നഴ്സിംഗ് ഉപയോക്താവ് DocType: Support Settings,Response Key List,പ്രതികരണ കീ ലിസ്റ്റ് @@ -3646,6 +3690,7 @@ DocType: Purchase Invoice Item,Manufacture,നിർമ്മാണം apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,{0} items produced,{0} ഉൽപന്നങ്ങൾ സൃഷ്ടിച്ചവ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request for {0},{0} എന്നതിനുള്ള പേയ്മെന്റ് അഭ്യർത്ഥന apps/erpnext/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.js,Days Since Last Order,അവസാന ഉത്തരവ് മുതൽ ദിനങ്ങൾ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},പേയ്‌മെന്റ് മോഡിൽ സ്ഥിരസ്ഥിതി ക്യാഷ് അല്ലെങ്കിൽ ബാങ്ക് അക്കൗണ്ട് സജ്ജമാക്കുക {0} DocType: Student Group,Instructors,അദ്ധ്യാപകർ apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js,Mark Present,അടയാളപ്പെടുത്തുക DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ഉപഭോക്താക്കൾക്ക് സൗകര്യപ്രദമായി, ഈ കോഡുകൾ ഇൻവോയിസ്, ഡെലിവറി നോട്ട്സ് പോലുള്ള പ്രിന്റ് ഫോർമാറ്റുകളിൽ ഉപയോഗിക്കാവുന്നതാണ്" @@ -3693,6 +3738,7 @@ DocType: Journal Entry Account,Credit in Company Currency,കമ്പനി ക apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Entertainment & Leisure,വിനോദം & വിനോദം DocType: Email Digest,New Sales Invoice,പുതിയ സെയിൽസ് ഇൻവോയ്സ് apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Net Profit,മൊത്ത ലാഭം +apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,അതേ എംപ്ലോയി ഐഡിയിൽ മറ്റൊരു സെയിൽസ് പേഴ്‌സൺ {0} നിലവിലുണ്ട് apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Dr),അടയ്ക്കുന്നു (ഡോ) DocType: Loyalty Point Entry,Loyalty Program Tier,ലോയൽറ്റി പ്രോഗ്രാം ടയർ DocType: Purchase Invoice,Total Taxes and Charges,ആകെ നികുതികളും നിരക്കുകളും @@ -3782,6 +3828,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,യഥാർത്ഥ ആരംഭ സമയം DocType: Antibiotic,Laboratory User,ലബോറട്ടറി ഉപയോക്താവ് apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,ഓൺലൈൻ ലേലങ്ങൾ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,മുൻ‌ഗണന {0} ആവർത്തിച്ചു. DocType: Fee Schedule,Fee Creation Status,ഫീ ക്രിയേഷൻ നില apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,സോഫ്റ്റ് വെയറുകൾ apps/erpnext/erpnext/config/help.py,Sales Order to Payment,സെയിൽസ് ഓർഡർ പേയ്മെന്റ് @@ -3843,6 +3890,7 @@ DocType: Patient Encounter,In print,അച്ചടിയിൽ apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0} എന്നതിനായുള്ള വിവരം വീണ്ടെടുക്കാൻ കഴിഞ്ഞില്ല. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,ബില്ലിംഗ് കറൻസി സ്ഥിര കമ്പനിയുടെ കറൻസി അല്ലെങ്കിൽ കക്ഷി അക്കൗണ്ട് കറൻസിക്ക് തുല്യമാണ് apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,ഈ വിൽപ്പന വ്യക്തിയുടെ ജീവനക്കാരുടെ ഐഡി നൽകുക +DocType: Shift Type,Early Exit Consequence after,ആദ്യകാല എക്സിറ്റ് പരിണതഫലങ്ങൾ apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,തുറക്കുന്ന സെയിൽസും പർച്ചേസ് ഇൻവോയിസുകളും സൃഷ്ടിക്കുക DocType: Disease,Treatment Period,ചികിത്സ കാലയളവ് apps/erpnext/erpnext/config/settings.py,Setting up Email,ഇമെയിൽ സജ്ജീകരിക്കുന്നു @@ -3860,7 +3908,6 @@ DocType: Employee Skill Map,Employee Skills,തൊഴിലാളി കഴി apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,വിദ്യാർഥിയുടെ പേര്: DocType: SMS Log,Sent On,അയച്ചു DocType: Bank Statement Transaction Invoice Item,Sales Invoice,വിൽപ്പന ഇൻവോയ്സ് -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,"റെസല്യൂഷൻ സമയം, റെസല്യൂഷൻ സമയത്തേക്കാൾ വലുതായിരിക്കരുത്" DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","കോഴ്സ് അടിസ്ഥാനത്തിലുള്ള വിദ്യാർത്ഥി ഗ്രൂപ്പിനായി, പ്രോഗ്രാം എൻറോൾമെൻറിൽ എൻറോൾഡ് കോഴ്സുകളിൽ നിന്ന് ഓരോ വിദ്യാർത്ഥിക്കും പഠനവിധേയമാക്കും." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,ഇൻട്രാ സ്റ്റേറ്റ് സംവിധാനങ്ങൾ DocType: Employee,Create User Permission,ഉപയോക്തൃ അനുമതി സൃഷ്ടിക്കുക @@ -3898,6 +3945,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,വിൽപ്പനയ്ക്കോ വാങ്ങുന്നതിനോ ഉള്ള സ്റ്റാൻഡേർഡ് കരാർ നിബന്ധനകൾ. DocType: Sales Invoice,Customer PO Details,കസ്റ്റമർ പി.ഒ. apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,രോഗി കണ്ടെത്തിയില്ല +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,ഒരു സ്ഥിര മുൻ‌ഗണന തിരഞ്ഞെടുക്കുക. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,ആ ഇനത്തിന് നിരക്കുകൾ ബാധകമല്ലെങ്കിൽ ഇനം നീക്കം ചെയ്യുക apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"ഒരു കസ്റ്റമർ ഗ്രൂപ്പിന് ഇതേ പേരിൽ തന്നെ നിലനിൽക്കുന്നു, ദയവായി കസ്റ്റമറിന്റെ പേര് മാറ്റുക അല്ലെങ്കിൽ ഉപഭോക്താവിന്റെ ഗ്രൂപ്പിന്റെ പേരുമാറ്റുക" 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. @@ -3936,6 +3984,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),മൊത്തം ചെ DocType: Quality Goal,Quality Goal,ഗുണനിലവാര ലക്ഷ്യം DocType: Support Settings,Support Portal,പിന്തുണാ പോർട്ടൽ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},{1} ജീവനക്കാരൻ {0} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},ഈ സേവന നില ഉടമ്പടി ഉപഭോക്താവിന് മാത്രമുള്ളതാണ് {0} DocType: Employee,Held On,നടന്നത് DocType: Healthcare Practitioner,Practitioner Schedules,പ്രാക്ടീഷണർ ഷെഡ്യൂളുകൾ DocType: Project Template Task,Begin On (Days),ആരംഭിക്കുക (ദിവസങ്ങൾ) @@ -3943,6 +3992,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},വർക്ക് ഓർഡർ {0} DocType: Inpatient Record,Admission Schedule Date,പ്രവേശന ഷെഡ്യൂൾ തീയതി apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,അസറ്റ് മൂല്യം അഡ്ജസ്റ്റ്മെന്റ് +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,ഈ ഷിഫ്റ്റിലേക്ക് നിയോഗിച്ചിട്ടുള്ള ജീവനക്കാർക്കായി 'എംപ്ലോയി ചെക്കിൻ' അടിസ്ഥാനമാക്കി ഹാജർ അടയാളപ്പെടുത്തുക. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,രജിസ്ടർ ചെയ്യാത്ത വ്യക്തികൾക്ക് നൽകുന്ന സപ്ലയർ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,എല്ലാ ജോലികളും DocType: Appointment Type,Appointment Type,അപ്പോയിന്റ്മെന്റ് തരം @@ -4054,7 +4104,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),പാക്കേജിന്റെ മൊത്തം ഭാരം. സാധാരണയായി ആകെ ഭാരം + പാക്കേജിംഗ് ഭാരം. (പ്രിന്റുചെയ്യുന്നതിന്) DocType: Plant Analysis,Laboratory Testing Datetime,ലാബറട്ടറി ടെസ്റ്റിംഗ് ഡേറ്റാ ടൈം apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,ഇനം {0} ബാച്ച് ഉണ്ടായിരിക്കാൻ പാടില്ല -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,സെസ് പൈപ്പ്ലൈൻ മുഖേന സ്റ്റേജ് apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,വിദ്യാർത്ഥി സംഘശക്തി DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,ബാങ്ക് സ്റ്റേറ്റ്മെന്റ് ട്രാൻസാക്ഷൻ എൻട്രി DocType: Purchase Order,Get Items from Open Material Requests,മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ തുറക്കുക @@ -4135,7 +4184,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,ഏജിംഗ് വെയർഹൌസ് തിരിച്ചുള്ളവ കാണിക്കുക DocType: Sales Invoice,Write Off Outstanding Amount,മികച്ച തുക എഴുതി സൂക്ഷിക്കുക DocType: Payroll Entry,Employee Details,ജീവനക്കാരുടെ വിശദാംശങ്ങൾ -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,ആരംഭ സമയം {0} എന്നതിനായുള്ള അവസാനിക്കുന്ന സമയത്തേക്കാൾ വലുതായിരിക്കാൻ കഴിയില്ല. DocType: Pricing Rule,Discount Amount,ഡിസ്കൗണ്ട് തുക DocType: Healthcare Service Unit Type,Item Details,ഇനം വിശദാംശങ്ങൾ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js,From Delivery Note,ഡെലിവറി നോട്ടിൽ നിന്ന് @@ -4186,7 +4234,7 @@ DocType: Global Defaults,Disable In Words,വാക്കുകൾ നിശബ DocType: Customer,CUST-.YYYY.-,CUST- .YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,നെറ്റ് പേയ്മെന്റ് നെഗറ്റീവ് ആയിരിക്കരുത് apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,ഇടപെടലുകളുടെ എണ്ണം -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,ഷിഫ്റ്റ് +DocType: Attendance,Shift,ഷിഫ്റ്റ് apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,അക്കൗണ്ടുകളുടെയും പാര്ട്ടികളുടെയും പ്രവര്ത്തന ചാർട്ട് DocType: Stock Settings,Convert Item Description to Clean HTML,HTML നന്നാക്കുന്നതിന് ഇനത്തിന്റെ വിവരണം പരിവർത്തനം ചെയ്യുക apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,എല്ലാ വിതരണ ഗ്രൂപ്പുകളും @@ -4256,6 +4304,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,ജീവന DocType: Healthcare Service Unit,Parent Service Unit,പാരന്റ് സേവന യൂണിറ്റ് DocType: Sales Invoice,Include Payment (POS),പേയ്മെന്റ് ഉൾപ്പെടുത്തുക (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,സ്വകാര്യ ഓഹരി +DocType: Shift Type,First Check-in and Last Check-out,"ആദ്യ ചെക്ക്-ഇൻ, അവസാന ചെക്ക് out ട്ട്" DocType: Landed Cost Item,Receipt Document,രസീത് പ്രമാണം DocType: Supplier Scorecard Period,Supplier Scorecard Period,വിതരണ സ്കോർകാർഡ് കാലയളവ് DocType: Employee Grade,Default Salary Structure,സ്ഥിര സാലറി ഘടന @@ -4338,11 +4387,13 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,വാങ്ങൽ ഓർഡർ സൃഷ്ടിക്കുക apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,ഒരു സാമ്പത്തിക വർഷത്തേക്കുള്ള ബജറ്റ് നിർവ്വചിക്കുക. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,അക്കൗണ്ട്സ് പട്ടിക ശൂന്യമായിരിക്കരുത്. +DocType: Employee Checkin,Entry Grace Period Consequence,എൻട്രി ഗ്രേസ് പിരീഡ് പരിണതഫലങ്ങൾ ,Payment Period Based On Invoice Date,ഇൻവോയ്സ് തീയതി അടിസ്ഥാനമാക്കിയുള്ള പേയ്മെന്റ് കാലയളവ് apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},ഇനം {0} എന്നതിനുള്ള ഡെലിവറി തീയതിക്ക് മുമ്പുള്ള ഇൻസ്റ്റാളേഷൻ തീയതി ആയിരിക്കരുത് apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥനയുമായി ലിങ്ക് DocType: Warranty Claim,From Company,കമ്പനിയിൽ നിന്ന് DocType: Bank Statement Transaction Settings Item,Mapped Data Type,മാപ്പുചെയ്ത ഡാറ്റ തരം +apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},വരി {0}: ഈ വെയർ‌ഹ house സിനായി ഒരു പുന order ക്രമീകരണ എൻ‌ട്രി ഇതിനകം നിലവിലുണ്ട് {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,പ്രമാണ തീയതി DocType: Monthly Distribution,Distribution Name,വിതരണ നാമം apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,നോൺ-ഗ്രൂപ്പിലേക്ക് ഗ്രൂപ്പുചെയ്യുക @@ -4357,6 +4408,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,ഇന്ധനത്തിന്റെ അളവ് apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 മൊബൈൽ നമ്പർ ഇല്ല DocType: Invoice Discounting,Disbursed,വിതരണം ചെയ്തു +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"ഷിഫ്റ്റ് അവസാനിച്ച സമയം, ഹാജരാകുന്നതിന് ചെക്ക് out ട്ട് പരിഗണിക്കുന്ന സമയം." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,പണമടച്ച അക്കൗണ്ടുകളിലെ അറ്റ മൂല്യം apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,ലഭ്യമല്ല apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,ഭാഗിക സമയം @@ -4370,7 +4422,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,വി apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,പി.ഡി.സി അച്ചടിക്കുക apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,ഷോപ്ടിപ് വിതരണക്കാരൻ DocType: POS Profile User,POS Profile User,POS പ്രൊഫൈൽ ഉപയോക്താവ് -DocType: Student,Middle Name,പേരിന്റെ മധ്യഭാഗം DocType: Sales Person,Sales Person Name,സെയിൽ വ്യക്തിയുടെ പേര് DocType: Packing Slip,Gross Weight,ആകെ ഭാരം DocType: Journal Entry,Bill No,ബിൽ നം @@ -4379,7 +4430,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,പ DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG -YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,സേവന വ്യവസ്ഥ -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,ആദ്യം ജീവനക്കാരനും തീയതിയും തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,വസ്തുവിലയുടെ വൗച്ചർ തുക പരിഗണിക്കുമ്പോൾ ഇനം മൂല്യനിർണയ നിരക്ക് വീണ്ടും കണക്കാക്കുന്നു DocType: Timesheet,Employee Detail,തൊഴിലുടമ വിശദാംശം DocType: Tally Migration,Vouchers,വൗച്ചറുകൾ @@ -4414,7 +4464,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,സേവന വ DocType: Additional Salary,Date on which this component is applied,ഈ ഘടകം പ്രയോഗിച്ച തീയതി apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ഫോളിയോ നമ്പറുകളുള്ള ഓഹരി ഉടമകളുടെ പട്ടിക apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,ഗേറ്റ്വേ അക്കൗണ്ടുകൾ സജ്ജമാക്കുക. -DocType: Service Level,Response Time Period,പ്രതികരണ സമയം കാലാവധി +DocType: Service Level Priority,Response Time Period,പ്രതികരണ സമയം കാലാവധി DocType: Purchase Invoice,Purchase Taxes and Charges,വാങ്ങൽ നികുതികളും ചാർജുകളും DocType: Course Activity,Activity Date,ആക്റ്റിവിറ്റി തീയതി apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,പുതിയ ഉപഭോക്താവിനെ തിരഞ്ഞെടുക്കുകയോ ചേർക്കുകയോ ചെയ്യുക @@ -4439,6 +4489,7 @@ DocType: Sales Person,Select company name first.,കമ്പനിയുടെ apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,സാമ്പത്തിക വർഷം DocType: Sales Invoice Item,Deferred Revenue,വ്യതിരിക്തമായ വരുമാനം apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,വിൽക്കുന്നതിനോ വാങ്ങുന്നതിനോ കുറഞ്ഞത് ഒരെണ്ണം തിരഞ്ഞെടുത്തിരിക്കണം +DocType: Shift Type,Working Hours Threshold for Half Day,അർദ്ധദിനത്തേക്കുള്ള പ്രവർത്തന സമയ പരിധി ,Item-wise Purchase History,ഇനം തിരിച്ചുള്ള ചരിത്രം apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},{0} നിരയിലെ ഇനത്തിനായി സേവനം നിർത്തൽ തീയതി മാറ്റാൻ കഴിയില്ല DocType: Production Plan,Include Subcontracted Items,സബ്കോൺട്രാക്റ്റഡ് ഇനങ്ങൾ ഉൾപ്പെടുത്തുക @@ -4471,6 +4522,7 @@ DocType: Journal Entry,Total Amount Currency,ആകെ തുക നാണയം DocType: BOM,Allow Same Item Multiple Times,ഈ ഇനം ഒന്നിലധികം തവണ അനുവദിക്കുക apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,BOM സൃഷ്ടിക്കുക DocType: Healthcare Practitioner,Charges,നിരക്കുകൾ +DocType: Employee,Attendance and Leave Details,ഹാജർനിലയും വിശദാംശങ്ങളും വിടുക DocType: Student,Personal Details,വ്യക്തിഗത വിശദാംശങ്ങൾ DocType: Sales Order,Billing and Delivery Status,ബില്ലിംഗും വിതരണ സ്റ്റാറ്റസും apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,വരി {0}: വിതരണക്കാരൻ {0} ഇമെയിൽ അയയ്ക്കാൻ ഇമെയിൽ വിലാസം ആവശ്യമാണ് @@ -4521,7 +4573,6 @@ DocType: Bank Guarantee,Supplier,വിതരണക്കാരൻ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},മൂല്യം നൽകുക {0} {1} DocType: Purchase Order,Order Confirmation Date,ഓർഡർ സ്ഥിരീകരണ തീയതി DocType: Delivery Trip,Calculate Estimated Arrival Times,കണക്കാക്കപ്പെട്ട വരവ് സമയം കണക്കാക്കുക -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ഹ്യൂമൻ റിസോഴ്സ്> എച്ച്ആർ ക്രമീകരണങ്ങളിൽ ജീവനക്കാരുടെ പേരിടൽ സംവിധാനം സജ്ജമാക്കുക apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,സാദ്ധ്യമായ DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS -YYYY.- DocType: Subscription,Subscription Start Date,സബ്സ്ക്രിപ്ഷൻ ആരംഭ തീയതി @@ -4542,7 +4593,7 @@ DocType: Installation Note Item,Installation Note Item,ഇൻസ്റ്റല DocType: Journal Entry Account,Journal Entry Account,ജേർണൽ എൻട്രി അക്കൗണ്ട് apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,വേരിയന്റ് apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,ഫോറം പ്രവർത്തനം -DocType: Service Level,Resolution Time Period,റെസല്യൂഷൻ സമയം കാലയളവ് +DocType: Service Level Priority,Resolution Time Period,റെസല്യൂഷൻ സമയം കാലയളവ് DocType: Request for Quotation,Supplier Detail,വിതരണക്കാരൻ വിശദാംശം DocType: Project Task,View Task,ടാസ്ക് കാണുക DocType: Serial No,Purchase / Manufacture Details,വാങ്ങൽ / ഉല്പാദന വിശദാംശങ്ങൾ @@ -4608,6 +4659,7 @@ DocType: Sales Invoice,Commission Rate (%),കമ്മീഷൻ നിരക് DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,സ്റ്റോക്ക് എൻട്രി / ഡെലിവറി നോട്ട് / പർച്ചേസ് റെസിപ്റ്റ് വഴി മാത്രമേ വെയർഹൗസ് മാറ്റുവാൻ സാധിക്കൂ DocType: Support Settings,Close Issue After Days,ദിവസത്തിനുശേഷം പ്രശ്നം അടയ്ക്കുക DocType: Payment Schedule,Payment Schedule,തുക അടക്കേണ്ട തിയതികൾ +DocType: Shift Type,Enable Entry Grace Period,എൻട്രി ഗ്രേസ് പിരീഡ് പ്രവർത്തനക്ഷമമാക്കുക DocType: Patient Relation,Spouse,ജീവിത പങ്കാളി DocType: Purchase Invoice,Reason For Putting On Hold,തുടരുന്നതിന് കാരണം DocType: Item Attribute,Increment,ഇൻക്രിമെന്റും @@ -4741,6 +4793,7 @@ DocType: Authorization Rule,Customer or Item,ഉപഭോക്താവ് അ DocType: Vehicle Log,Invoice Ref,ഇൻവോയ്സ് റഫർ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-form ഇൻവോയ്സിന് ബാധകമല്ല: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,ഇൻവോയ്സ് സൃഷ്ടിച്ചു +DocType: Shift Type,Early Exit Grace Period,ആദ്യകാല എക്സിറ്റ് ഗ്രേസ് പിരീഡ് DocType: Patient Encounter,Review Details,വിശദാംശങ്ങൾ അവലോകനം ചെയ്യുക apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,വരി {0}: മണിക്കൂറുകൾ പൂജ്യത്തേക്കാൾ വലുതായിരിക്കണം. DocType: Account,Account Number,അക്കൗണ്ട് നമ്പർ @@ -4752,7 +4805,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","കമ്പനി സ്പാ, SAAA അല്ലെങ്കിൽ SRL ആണെങ്കിൽ ബാധകമായിരിക്കും" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,ഇനിപ്പറയുന്നതിൽ കണ്ടെത്തിയ ഓവർലാപ്പ് ചെയ്യൽ അവസ്ഥകൾ: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,പണമടച്ചതല്ല -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,ഇനം യാന്ത്രികമായി എണ്ണമറ്റാത്തതിനാൽ ഇനം കോഡ് നിർബന്ധമാണ് DocType: GST HSN Code,HSN Code,HSN കോഡ് DocType: GSTR 3B Report,September,സെപ്റ്റംബർ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,ഭരണച്ചിലവുകൾ @@ -4798,6 +4850,7 @@ DocType: Healthcare Service Unit,Vacant,ഒഴിവുള്ള DocType: Opportunity,Sales Stage,വിൽപ്പന സ്റ്റേജ് DocType: Sales Order,In Words will be visible once you save the Sales Order.,നിങ്ങൾ സെയിൽസ് ഓർഡർ സംരക്ഷിക്കുമ്പോൾ വാക്കുകൾ വാക്കിൽ കാണാൻ കഴിയും. DocType: Item Reorder,Re-order Level,നില പുനഃരാരംഭിക്കുക +DocType: Shift Type,Enable Auto Attendance,യാന്ത്രിക ഹാജർ പ്രാപ്‌തമാക്കുക apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,മുൻഗണന ,Department Analytics,ഡിപ്പാർട്ട്മെൻറ് അനലിറ്റിക്സ് DocType: Crop,Scientific Name,ശാസ്ത്രീയ നാമം @@ -4810,6 +4863,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} സ്റ് DocType: Quiz Activity,Quiz Activity,ക്വിസ് പ്രവർത്തനം apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} സാധുതയുള്ള പേരോൾ കാലയളവിൽ അല്ല DocType: Timesheet,Billed,ബിൽ ചെയ്തു +apps/erpnext/erpnext/config/support.py,Issue Type.,ലക്കം തരം. DocType: Restaurant Order Entry,Last Sales Invoice,അവസാന സെയിൽസ് ഇൻവോയ്സ് DocType: Payment Terms Template,Payment Terms,പേയ്മെന്റ് നിബന്ധനകൾ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","റിസർവ് ചെയ്ത ക്വാർട്ടി: ക്വാളിറ്റി ഓർഡർ ചെയ്ത ഓർഡർ, പക്ഷെ ഡെലിവർ ചെയ്തിട്ടില്ല." @@ -4903,6 +4957,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,അസറ്റ് apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} ഒരു ഹെൽത്ത് ഇൻഷ്വറൻസ് ഷെഡ്യൂൾ ഇല്ല. ഇത് ഹെൽത്ത് ഇൻസ്ട്രുമെന്റ് മാസ്റ്റർയിൽ ചേർക്കുക DocType: Vehicle,Chassis No,ചേസിസ് നം +DocType: Employee,Default Shift,സ്ഥിരസ്ഥിതി ഷിഫ്റ്റ് apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,കമ്പനി സംഗ്രഹം apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,ട്രീ ഓഫ് ബിൽ ഓഫ് മെറ്റീരിയൽസ് DocType: Article,LMS User,LMS ഉപയോക്താവ് @@ -4933,6 +4988,7 @@ DocType: Payroll Entry,Payroll Frequency,പേയ്റോൾ ഫ്രീക apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}","സാധുതയുള്ള ശീർഷ കാലയളവിൽ ആരംഭിക്കുന്നതും അവസാനിക്കുന്നതുമായ തീയതികൾ, {0}" DocType: Products Settings,Home Page is Products,ഹോം പേജ് പ്രോഡക്ട് ആണ് apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Calls,കോളുകൾ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference #{0} dated {1},റഫറൻസ് # {0} തീയതി {1} DocType: Guardian Interest,Guardian Interest,ഗാർഡിയൻ താൽപ്പര്യം apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,PO already created for all sales order items,എല്ലാ വിൽപന ഓർഡറുകൾക്കും PO ഇതിനകം സൃഷ്ടിച്ചു apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,സബ്സ്ക്രിപ്ഷൻ @@ -4950,6 +5006,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,പേരന്റ് സെയിൽസ് പേഴ്സൺ DocType: Student Group Creation Tool,Get Courses,കോഴ്സുകൾ നേടുക apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","വരി # {0}: ഇനം ഒരു സ്ഥിര അസറ്റ് ആണെന്നതിനാൽ, Qty 1 ആയിരിക്കണം. ഒന്നിലധികം കെട്ടിക്ക് പ്രത്യേകം വരി ഉപയോഗിക്കുക." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),അഭാവം അടയാളപ്പെടുത്തിയിരിക്കുന്ന പ്രവൃത്തി സമയം. (പ്രവർത്തനരഹിതമാക്കാനുള്ള പൂജ്യം) DocType: Customer Group,Only leaf nodes are allowed in transaction,ഇടപാടിയിൽ മാത്രമേ ലീഫ് നോഡുകൾ അനുവദിക്കപ്പെട്ടിട്ടുള്ളൂ DocType: Grant Application,Organization,സംഘടന DocType: Fee Category,Fee Category,ഫീസ് വിഭാഗം @@ -4962,7 +5019,9 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,ഈ പരിശീലന ഇവന്റിനായി നിങ്ങളുടെ സ്റ്റാറ്റസ് അപ്ഡേറ്റുചെയ്യുക DocType: Volunteer,Morning,രാവിലെ DocType: Quotation Item,Quotation Item,ഉദ്ധരണി ഇനം +apps/erpnext/erpnext/config/support.py,Issue Priority.,മുൻ‌ഗണന നൽകുക. DocType: Journal Entry,Credit Card Entry,ക്രെഡിറ്റ് കാർഡ് എൻട്രി +apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","സമയ സ്ലോട്ട് ഒഴിവാക്കി, സ്ലോട്ട് {0} മുതൽ {1} വരെ ഓവർലാപ്പ് ചെയ്യുന്ന സ്ലോട്ട് {2} മുതൽ {3} വരെ" DocType: Journal Entry Account,If Income or Expense,വരുമാനം അല്ലെങ്കിൽ ചെലവ് എങ്കിൽ DocType: Work Order Operation,Work Order Operation,വർക്ക് ഓർഡർ ഓപ്പറേഷൻ DocType: Accounts Settings,Address used to determine Tax Category in transactions.,ഇടപാടുകാരുടെ ടാക്സ് വിഭാഗം നിർണ്ണയിക്കുന്നതിന് ഉപയോഗിക്കുന്ന വിലാസം. @@ -5011,11 +5070,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,ഡാറ്റാ ഇറക്കുമതിയും ക്രമീകരണങ്ങളും 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: Account,Expense Account,ചെലവ് അക്കൗണ്ട് +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,ജീവനക്കാരുടെ ചെക്ക്-ഇൻ ഹാജരാകാൻ പരിഗണിക്കുന്ന ഷിഫ്റ്റ് ആരംഭ സമയത്തിന് മുമ്പുള്ള സമയം. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,ഗാർഡിയൻ 1-നോട് ബന്ധം apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,ഇൻവോയ്സ് സൃഷ്ടിക്കുക apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},പേയ്മെന്റ് അഭ്യർത്ഥന ഇതിനകം നിലവിലുണ്ട് {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} ൽ നിന്ന് ഒഴിവാക്കിയ തൊഴിലാളി 'ഇടത്' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},{0} {1} പണമടയ്ക്കുക +DocType: Company,Sales Settings,വിൽപ്പന ക്രമീകരണങ്ങൾ DocType: Sales Order Item,Produced Quantity,ഉല്പാദിപ്പിച്ച അളവ് apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,ഉദ്ധരണിക്കുള്ള അഭ്യർത്ഥന താഴെക്കാണുന്ന ലിങ്കിൽ ക്ലിക്കുചെയ്ത് ആക്സസ് ചെയ്യാൻ കഴിയും DocType: Monthly Distribution,Name of the Monthly Distribution,പ്രതിമാസ വിതരണത്തിന്റെ പേര് @@ -5092,6 +5153,7 @@ DocType: Company,Default Values,സ്ഥിര മൂല്യങ്ങൾ apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,വിൽപ്പനയ്ക്കായി വാങ്ങുന്നതിനും വാങ്ങുന്നതിനുമുള്ള സ്ഥിര ടാക്സ് ടെംപ്ലേറ്റുകൾ സൃഷ്ടിക്കുന്നു. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,വിടുക ടൈപ്പ് {0} കൊണ്ടുപോകാൻ കഴിയില്ല apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,ഡെബിറ്റ് അക്കൌണ്ടിലേക്ക് സ്വീകാര്യമായ അക്കൌണ്ടായിരിക്കണം +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/selling/page/point_of_sale/point_of_sale.js,Set as Default,സ്ഥിരസ്ഥിതിയായി സജ്ജമാക്കാൻ DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ഈ പാക്കേജിന്റെ മൊത്തം ഭാരം. (ഇനങ്ങളുടെ മൊത്തം തൂക്കത്തിന്റെ ആകെത്തുക കണക്കാക്കി സ്വയം) apps/erpnext/erpnext/stock/doctype/item_variant_settings/item_variant_settings.py,Cannot set the field {0} for copying in variants,രൂപഭേദങ്ങളിൽ പകർത്തുന്നതിന് വയലിൽ {0} സജ്ജമാക്കാൻ കഴിയില്ല @@ -5117,8 +5179,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,കാലഹരണപ്പെട്ട തുലാസ് DocType: Shipping Rule,Shipping Rule Type,ഷിപ്പിംഗ് റൂൾ തരം DocType: Job Offer,Accepted,അംഗീകരിച്ചു -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ദയവായി ഈ പ്രമാണം റദ്ദാക്കാൻ ജീവനക്കാരനെ {0} ഇല്ലാതാക്കുക" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,നിങ്ങൾ ഇതിനകം മൂല്യ നിർണ്ണയ മാനദണ്ഡത്തിനായി വിലയിരുത്തിയിട്ടുണ്ട്. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ബാച്ച് നമ്പരുകൾ തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),പ്രായം (ദിവസം) @@ -5144,6 +5204,8 @@ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,നിങ്ങളുടെ ഡൊമെയ്നുകൾ തിരഞ്ഞെടുക്കുക DocType: Agriculture Task,Task Name,ടാസ്ക് നാമം apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,വർക്ക് ഓർഡറിന് സ്റ്റോക്ക് എൻട്രികൾ ഇതിനകം സൃഷ്ടിച്ചു +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ഈ പ്രമാണം റദ്ദാക്കുന്നതിന് ജീവനക്കാരൻ {0} delete ഇല്ലാതാക്കുക" ,Amount to Deliver,ഡെലിവർ തുക apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,കമ്പനി {0} നിലവിലില്ല apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,തന്നിരിക്കുന്ന ഇനങ്ങൾക്ക് ലിങ്കുചെയ്യുന്നതിന് തീർച്ചപ്പെടുത്താത്ത മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ ഒന്നും കണ്ടെത്തിയില്ല. @@ -5191,6 +5253,7 @@ DocType: Program Enrollment,Enrolled courses,എൻറോൾ ചെയ്ത ക DocType: Lab Prescription,Test Code,ടെസ്റ്റ് കോഡ് DocType: Purchase Taxes and Charges,On Previous Row Total,മുമ്പത്തെ നിര മൊത്തം DocType: Student,Student Email Address,വിദ്യാർത്ഥി ഇമെയിൽ വിലാസം +,Delayed Item Report,ഇന റിപ്പോർട്ട് വൈകി DocType: Academic Term,Education,വിദ്യാഭ്യാസം DocType: Supplier Quotation,Supplier Address,വിതരണക്കാരൻ വിലാസം DocType: Salary Detail,Do not include in total,മൊത്തത്തിൽ ഉൾപ്പെടുത്തരുത് @@ -5198,7 +5261,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ഇല്ല DocType: Purchase Receipt Item,Rejected Quantity,നിരസിച്ചു അളവ് DocType: Cashier Closing,To TIme,TIme ലേക്ക് -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: Daily Work Summary Group User,Daily Work Summary Group User,ദിവസേനയുള്ള ചുരുക്കം സംഗ്രഹ ഗ്രൂപ്പ് ഉപയോക്താവ് DocType: Fiscal Year Company,Fiscal Year Company,ഫിസ്കൽ ഇയർ കമ്പനി apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,ഇതര ഇനം ഇനം കോഡായിരിക്കാൻ പാടില്ല @@ -5250,6 +5312,7 @@ DocType: Program Fee,Program Fee,പ്രോഗ്രാം ഫീസ് DocType: Delivery Settings,Delay between Delivery Stops,ഡെലിവറി സ്റ്റോപ്പുകൾക്കിടയിൽ കാലതാമസം DocType: Stock Settings,Freeze Stocks Older Than [Days],സ്റ്റോക്കുകൾ മരവിപ്പിക്കുക [ദിവസം] DocType: Promotional Scheme,Promotional Scheme Product Discount,പ്രൊമോഷണൽ സ്കീം പ്രൊഡക്ട് ഡിസ്കൌണ്ട് +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ഇഷ്യു മുൻ‌ഗണന ഇതിനകം നിലവിലുണ്ട് DocType: Account,Asset Received But Not Billed,"അസറ്റ് ലഭിച്ചു, പക്ഷേ ബില്ലിങ്ങിയിട്ടില്ല" DocType: POS Closing Voucher,Total Collected Amount,മൊത്തം ശേഖരിച്ച തുക DocType: Course,Default Grading Scale,സ്ഥിരസ്ഥിതി ഗ്രേഡിംഗ് സ്കെയിൽ @@ -5292,6 +5355,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,നിർവ്വഹണ നിബന്ധനകൾ apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,ഗ്രൂപ്പിലേക്ക് നോൺ-ഗ്രൂപ്പ് DocType: Student Guardian,Mother,അമ്മ +DocType: Issue,Service Level Agreement Fulfilled,സേവന ലെവൽ കരാർ നിറഞ്ഞു DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,ക്ലെയിം ചെയ്യാത്ത തൊഴിലുടമയുടെ ആനുകൂല്യങ്ങൾക്ക് നികുതി കിഴിവ് ചെയ്യുക DocType: Travel Request,Travel Funding,ട്രാവൽ ഫണ്ടിംഗ് DocType: Shipping Rule,Fixed,നിശ്ചിത @@ -5320,10 +5384,12 @@ DocType: Item,Warranty Period (in days),വാറന്റി കാലയളവ apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,ഇനങ്ങളൊന്നും കണ്ടെത്തിയില്ല. DocType: Item Attribute,From Range,ശ്രേണിയിൽ നിന്ന് DocType: Clinical Procedure,Consumables,ഉപഭോഗം +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,"'ജീവനക്കാരൻ_ഫീൽഡ്_മൂല്യം', 'ടൈംസ്റ്റാമ്പ്' എന്നിവ ആവശ്യമാണ്." DocType: Purchase Taxes and Charges,Reference Row #,റഫറൻസ് വരി # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},കമ്പനി {0} ൽ 'അസറ്റ് ഡിപ്രീസിയേഷൻ കോസ്റ്റ് സെന്റർ' സജ്ജമാക്കുക apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,വരി # {0}: ട്രാസേഷൻ പൂർത്തിയാക്കാൻ പേയ്മെന്റ് പ്രമാണം ആവശ്യമാണ് DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ആമസോൺ MWS- ൽ നിന്ന് നിങ്ങളുടെ സെയിൽസ് ഓർഡർ ഡാറ്റ പിൻവലിക്കുന്നതിന് ഈ ബട്ടൺ ക്ലിക്കുചെയ്യുക. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),അർദ്ധദിനം അടയാളപ്പെടുത്തിയ പ്രവൃത്തി സമയം. (പ്രവർത്തനരഹിതമാക്കാനുള്ള പൂജ്യം) ,Assessment Plan Status,അസസ്സ്മെന്റ് പ്ലാൻ സ്റ്റാറ്റസ് apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,ആദ്യം {0} തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,എംപ്ലോയർ റെക്കോർഡ് സൃഷ്ടിക്കാൻ ഇത് സമർപ്പിക്കുക @@ -5393,6 +5459,7 @@ DocType: Quality Procedure,Parent Procedure,പാരന്റ് നടപട apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,ഓപ്പൺ സജ്ജമാക്കുക apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,ഫിൽട്ടറുകൾ ടോഗിൾ ചെയ്യുക DocType: Production Plan,Material Request Detail,മെറ്റീരിയൽ അഭ്യർത്ഥന വിശദാംശം +DocType: Shift Type,Process Attendance After,പ്രോസസ് അറ്റൻഡൻസ് അതിനുശേഷം DocType: Material Request Item,Quantity and Warehouse,അളവും വെയർഹൗസും apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,പ്രോഗ്രാമിലേക്ക് പോകുക apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},വരി # {0}: റെഫറൻസുകൾ {1} {2} ലെ തനിപ്പകർപ്പ് എൻട്രി @@ -5449,6 +5516,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,പാർട്ടി വിവരം apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),കടപ്പക്കാർ ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,തൊഴിലുടമയുടെ റിലീനിംഗ് തീയതിയെക്കാൾ ഇന്നുവരേക്കാൾ വലുതാണ് +DocType: Shift Type,Enable Exit Grace Period,എക്സിറ്റ് ഗ്രേസ് പിരീഡ് പ്രാപ്തമാക്കുക DocType: Expense Claim,Employees Email Id,ജീവനക്കാർ ഇമെയിൽ ഐഡി DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify നിന്ന് ERPNext വില ലിസ്റ്റിന്റെ വില അപ്ഡേറ്റ് ചെയ്യുക DocType: Healthcare Settings,Default Medical Code Standard,സ്ഥിരസ്ഥിതി മെഡിക്കൽ കോഡ് സ്റ്റാൻഡേർഡ് @@ -5478,7 +5546,6 @@ DocType: Item Group,Item Group Name,ഇനം ഗ്രൂപ്പ് നാമ DocType: Budget,Applicable on Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥനയിൽ പ്രയോഗിക്കാം DocType: Support Settings,Search APIs,തിരയൽ API- കൾ DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,വില്പന ക്രമത്തിനായി ഓവർപ്രൊഡ്ജന നിരക്ക് -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,വ്യതിയാനങ്ങൾ DocType: Purchase Invoice,Supplied Items,വിതരണം ചെയ്ത ഇനങ്ങൾ DocType: Leave Control Panel,Select Employees,ജീവനക്കാരെ തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},വായ്പയിൽ പലിശ വരുമാനമുള്ള അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക {0} @@ -5493,6 +5560,7 @@ DocType: Shopping Cart Settings,Checkout Settings,ചെക്ക്ഔട്ട apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',ഉപയോക്താവിന് '% s' ഉപഭോക്താവിന് ഫിസ്കൽ കോഡ് സജ്ജീകരിക്കുക DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** നിങ്ങളുടെ ബിസിനസ്സിലെ സീസണാലിറ്റി ഉണ്ടെങ്കിൽ മാസത്തിലുടനീളം ബജറ്റ് / ടാർഗെറ്റ് വിതരണം ചെയ്യുന്നതിന് പ്രതിമാസ വിതരണക്കാരൻ ** സഹായിക്കുന്നു. DocType: Guardian,Students,വിദ്യാർത്ഥികൾ +apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,വെഹിക്കിൾ ലോഗിനായി ചെലവ് ക്ലെയിം {0} ഇതിനകം നിലവിലുണ്ട് 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. ","തിരഞ്ഞെടുത്തിട്ടുണ്ടെങ്കിൽ, ഈ ഘടകത്തിൽ നിർദേശിച്ചതോ കണക്കാക്കിയതോ ആയ മൂല്യം, വരുമാനത്തിനോ അല്ലെങ്കിൽ കിഴിവ്ക്കോ സംഭാവന ചെയ്യില്ല. എന്നിരുന്നാലും, മൂല്യത്തെ കൂട്ടിച്ചേർക്കാവുന്ന അല്ലെങ്കിൽ ഒഴിവാക്കാവുന്ന മറ്റ് ഘടകങ്ങളെ സൂചിപ്പിക്കാൻ കഴിയും." apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,പണം തിരിച്ചടയ്ക്കൽ തുക നൽകുക DocType: Sales Invoice,Is Opening Entry,തുറക്കുന്നു എൻട്രി @@ -5503,7 +5571,7 @@ DocType: Salary Slip,Deductions,ഡിഡക്ഷൻസ് ,Supplier-Wise Sales Analytics,വിതരണക്കാരൻ-വൈസ് സെയിൽസ് അനലിറ്റിക്സ് DocType: GSTR 3B Report,February,ഫെബ്രുവരി DocType: Appraisal,For Employee,ജീവനക്കാരന് -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,യഥാർത്ഥ ഡെലിവറി തീയതി +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,യഥാർത്ഥ ഡെലിവറി തീയതി DocType: Sales Partner,Sales Partner Name,സെയിൽസ് പങ്കാളി പേര് apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,മൂല്യത്തകർച്ച വരി {0}: മൂല്യത്തകർച്ച ആരംഭ തീയതി കഴിഞ്ഞ തീയതിയായി നൽകി DocType: GST HSN Code,Regional,റീജിയണൽ @@ -5541,6 +5609,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,എ DocType: Supplier Scorecard,Supplier Scorecard,സപ്ലയർ സ്കോർകാർഡ് DocType: Travel Itinerary,Travel To,യാത്ര apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,മാർക്ക് അറ്റൻഡൻസ് +DocType: Shift Type,Determine Check-in and Check-out,"ചെക്ക്-ഇൻ നിർണ്ണയിക്കുക, ചെക്ക് out ട്ട് ചെയ്യുക" DocType: POS Closing Voucher,Difference,വ്യത്യാസം apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,ചെറുത് DocType: Work Order Item,Work Order Item,വർക്ക് ഓർഡർ ഇനം @@ -5574,6 +5643,7 @@ DocType: Sales Invoice,Shipping Address Name,ഷിപ്പിംഗ് വി apps/erpnext/erpnext/healthcare/setup.py,Drug,ഡ്രഗ് apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} അടച്ചു DocType: Patient,Medical History,ആരോഗ്യ ചരിത്രം +DocType: Expense Claim,Expense Taxes and Charges,ചെലവ് നികുതികളും നിരക്കുകളും DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,"സബ്സ്ക്രിപ്ഷൻ റദ്ദാക്കുന്നതിന് മുമ്പായി ഇൻവോയ്സ് തീയതി കഴിഞ്ഞതിന് ശേഷമുള്ള ദിവസങ്ങൾ, അല്ലെങ്കിൽ പണമടച്ചതുപോലെ സബ്സ്ക്രിപ്ഷൻ അടയാളപ്പെടുത്തൽ" apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,ഇൻസ്റ്റാളേഷൻ കുറിപ്പ് {0} ഇതിനകം സമർപ്പിച്ചു DocType: Patient Relation,Family,കുടുംബം @@ -5605,7 +5675,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,ശക്തി apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,ഈ ഇടപാട് പൂർത്തിയാക്കാൻ {2} എന്നതിന്റെ {0} യൂണിറ്റുകൾ {2} ആവശ്യമാണ്. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,ഉപഘടകത്തെ അടിസ്ഥാനമാക്കിയുള്ള Backflush അസംസ്കൃത വസ്തുക്കൾ -DocType: Bank Guarantee,Customer,ഉപഭോക്താവ് DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","പ്രാപ്തമാക്കിയാൽ, പ്രോഗ്രാമിൽ എൻറോൾമെന്റ് ടൂളിൽ ഫീൽഡ് അക്കാദമിക് ടേം നിർബന്ധമാണ്." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","ബാച്ച് സ്റ്റുഡന്റ് സ്റ്റുഡന്റ് ഗ്രൂപ്പിനായി, സ്റ്റുഡന്റ് ബച്ച്, പ്രോഗ്രാം എൻറോൾമെൻറിൽ നിന്നും എല്ലാ വിദ്യാർത്ഥികൾക്കും മൂല്യനിർണ്ണയം നടത്തും." DocType: Course,Topics,വിഷയങ്ങൾ @@ -5757,6 +5826,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.", apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),അടച്ചു (മൊത്തം + എണ്ണം തുറക്കുക) DocType: Supplier Scorecard Criteria,Criteria Formula,മാനദണ്ഡ ഫോർമുല apps/erpnext/erpnext/config/support.py,Support Analytics,പിന്തുണ അനലിറ്റിക്സ് +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ഹാജർ ഉപകരണ ഐഡി (ബയോമെട്രിക് / ആർ‌എഫ് ടാഗ് ഐഡി) apps/erpnext/erpnext/config/quality_management.py,Review and Action,റിവ്യൂ ആൻഡ് ആക്ഷൻ DocType: Account,"If the account is frozen, entries are allowed to restricted users.",അക്കൌണ്ട് മരവിപ്പിച്ചതാണെങ്കിൽ നിയന്ത്രിത ഉപയോക്താക്കളെ അനുവദിയ്ക്കുന്നു. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,മൂല്യശീലത്തിനു ശേഷം തുക @@ -5778,6 +5848,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,വായ്പ തിരിച്ചടവ് DocType: Employee Education,Major/Optional Subjects,പ്രധാന / ഓപ്ഷണൽ വിഷയങ്ങൾ DocType: Soil Texture,Silt,സിൽറ്റ് +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,വിതരണക്കാരന്റെ വിലാസങ്ങളും കോൺ‌ടാക്റ്റുകളും DocType: Bank Guarantee,Bank Guarantee Type,ബാങ്ക് ഗ്യാരണ്ടി തരം DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","പ്രവർത്തനരഹിതമാക്കുകയാണെങ്കിൽ, 'റൌണ്ടഡ് ടോട്ടൽ' ഫീൽഡ് ഒരു ഇടപാടിനും ദൃശ്യമാവുകയില്ല" DocType: Pricing Rule,Min Amt,മിനിറ്റ് ആം @@ -5815,6 +5886,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,ഇൻവോയ്സ് ക്രിയേഷൻ ടൂൾ ഇനം തുറക്കുന്നു DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,POS ഇടപാടുകൾ ഉൾപ്പെടുത്തുക +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},തന്നിരിക്കുന്ന ജീവനക്കാരുടെ ഫീൽഡ് മൂല്യത്തിനായി ഒരു ജീവനക്കാരനെയും കണ്ടെത്തിയില്ല. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),ലഭിച്ച തുക (കമ്പനി കറൻസി) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage നിറഞ്ഞു, സംരക്ഷിച്ചില്ല" DocType: Chapter Member,Chapter Member,ചാപ്റ്റർ അംഗം @@ -5847,6 +5919,7 @@ DocType: SMS Center,All Lead (Open),എല്ലാ ലീഡും (ഓപ് apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,സ്റ്റുഡന്റ് ഗ്രൂപ്പുകളൊന്നും സൃഷ്ടിച്ചിട്ടില്ല. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},ഒരേ {{1} ഉപയോഗിച്ച് തനിപ്പകർപ്പ് വരി {0} DocType: Employee,Salary Details,ശമ്പള വിശദാംശങ്ങൾ +DocType: Employee Checkin,Exit Grace Period Consequence,ഗ്രേസ് പിരീഡ് പരിണതഫലത്തിൽ നിന്ന് പുറത്തുകടക്കുക DocType: Bank Statement Transaction Invoice Item,Invoice,ഇൻവോയ്സ് DocType: Special Test Items,Particulars,വിശദാംശങ്ങൾ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,ഇനം അല്ലെങ്കിൽ വെയർഹൗസിനെ അടിസ്ഥാനമാക്കി ഫിൽട്ടർ സജ്ജീകരിക്കുക @@ -5945,6 +6018,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,AMC യുടെ DocType: Job Opening,"Job profile, qualifications required etc.","ജോബ് പ്രൊഫൈൽ, യോഗ്യതകൾ തുടങ്ങിയവ." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,ഷിപ്പിംഗ് സ്റ്റേറ്റ് +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,മെറ്റീരിയൽ അഭ്യർത്ഥന സമർപ്പിക്കാൻ നിങ്ങൾ ആഗ്രഹിക്കുന്നുണ്ടോ DocType: Opportunity Item,Basic Rate,അടിസ്ഥാന നിരക്ക് DocType: Compensatory Leave Request,Work End Date,ജോലി അവസാനിക്കുന്ന തീയതി apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,അസംസ്കൃത വസ്തുക്കൾക്കുള്ള അഭ്യർത്ഥന @@ -5988,6 +6062,7 @@ DocType: Quotation Item,Stock Balance,സ്റ്റോക്ക് ബാല DocType: Delivery Note Item,Available Qty at From Warehouse,വെയർഹൗസിൽ നിന്ന് ലഭ്യമായ ക്യൂട്ടി DocType: Stock Entry,Repack,റീപായ്ക്ക് ചെയ്യുക DocType: UOM,Must be Whole Number,മുഴുവൻ അക്കം ആയിരിക്കണം +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit has been crossed for customer {0} ({1}/{2}),ഉപഭോക്താവിന് ക്രെഡിറ്റ് പരിധി മറികടന്നു {0} ({1} / {2}) apps/erpnext/erpnext/accounts/page/pos/pos.js,Submitted orders can not be deleted,സമർപ്പിച്ച ഓർഡറുകൾ ഇല്ലാതാക്കാൻ കഴിയില്ല apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,ഹലോ DocType: Vehicle Service,Change,മാറ്റുക @@ -6029,6 +6104,7 @@ DocType: Maintenance Schedule Detail,Scheduled Date,ഷെഡ്യൂൾ ചെ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please enter Maintaince Details first,ആദ്യം സൂക്ഷിക്കുക വിശദാംശങ്ങൾ നൽകുക apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,പ്രൊജക്റ്റഡ് ക്വാണ്ടിറ്റി ഫോർമുല DocType: Supplier Scorecard Scoring Standing,Supplier Scorecard Scoring Standing,വിതരണക്കാരൻ സ്കോര്കാര്ഡ് സ്കോറിംഗ് സ്റ്റാന്ഡിംഗ് +apps/erpnext/erpnext/regional/italy/utils.py,Row {0}: Please set the correct code on Mode of Payment {1},വരി {0}: പേയ്‌മെന്റ് മോഡിൽ ശരിയായ കോഡ് ദയവായി സജ്ജമാക്കുക {1} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee status cannot be set to 'Left' as following employees are currently reporting to this employee: ,താഴെപ്പറയുന്ന ജീവനക്കാരെ നിലവിൽ ഈ ജീവനക്കാരന് റിപ്പോർട്ടുചെയ്തുകൊണ്ടിരിക്കുന്നതിനാൽ തൊഴിലാളി നില 'ഇടത്' എന്നായി സജ്ജീകരിക്കാൻ കഴിയില്ല: DocType: BOM Explosion Item,Source Warehouse,ഉറവിട വെയർഹൗസ് apps/erpnext/erpnext/utilities/user_progress.py,Add Users,ഉപയോക്താക്കളെ ചേർക്കുക @@ -6120,6 +6196,7 @@ DocType: Depreciation Schedule,Depreciation Amount,മൂല്യശേഖര DocType: Sales Order Item,Gross Profit,മൊത്തം ലാഭം DocType: Quality Inspection,Item Serial No,ഇനം സീരിയൽ നം DocType: Asset,Insurer,ഇൻഷുറർ +DocType: Employee Checkin,OUT,പുറത്ത് apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,വാങ്ങൽ തുക DocType: Asset Maintenance Task,Certificate Required,സർട്ടിഫിക്കറ്റ് ആവശ്യമാണ് DocType: Retention Bonus,Retention Bonus,നിലനിർത്തൽ ബോണസ് @@ -6288,6 +6365,7 @@ DocType: Bank Statement Transaction Entry,Reconciled Transactions,റീകോ 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 ആയി ഡെലിവറിയും ഓവർ ബുക്കിംഗും പരിശോധിക്കില്ല apps/erpnext/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py,Opening Balance,തുടക്ക സംഖ്യ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','തീയതി മുതൽ' 'തീയതി വരെ' +apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Total Amount {0},ആകെ തുക {0} DocType: Employee Skill,Evaluation Date,വിലയിരുത്തൽ തീയതി apps/erpnext/erpnext/stock/doctype/item/item.py,"""Customer Provided Item"" cannot be Purchase Item also","കസ്റ്റമർ നൽകിയ ഇനം" എന്നത് ഇനം വാങ്ങാൻ കഴിയില്ല DocType: C-Form Invoice Detail,Grand Total,ആകെ തുക @@ -6312,7 +6390,6 @@ DocType: Travel Request,Costing,ചെലവ് apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,അസറ്റുകൾ സ്ഥിരമാണ് DocType: Purchase Order,Ref SQ,റഫറൻസ് സ്ക്വയർ DocType: Salary Structure,Total Earning,ആകെ സമ്പാദ്യം -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ഉപഭോക്താവ്> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിട്ടറി DocType: Share Balance,From No,ഇല്ല DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,പേയ്മെന്റ് റീകോണ്ലിയേഷൻ ഇൻവോയ്സ് DocType: Purchase Invoice,Taxes and Charges Added,നികുതികളും ചാർജുകളും ചേർത്തു @@ -6418,6 +6495,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,വിലനിയന്ത്രണം അവഗണിക്കുക apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ഭക്ഷണം DocType: Lost Reason Detail,Lost Reason Detail,നഷ്ടമായ കാരണം വിശദാംശം +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},ഇനിപ്പറയുന്ന സീരിയൽ നമ്പറുകൾ സൃഷ്ടിച്ചു:
{0} DocType: Maintenance Visit,Customer Feedback,ഉപഭോക്താവിന്റെ ഫീഡ്ബാക്ക് DocType: Serial No,Warranty / AMC Details,വാറന്റി / എഎംസി വിശദാംശങ്ങൾ DocType: Issue,Opening Time,സമയം തുറക്കുന്നു @@ -6465,6 +6543,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,കമ്പനിയുടെ പേര് ഒന്നല്ല apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,പ്രമോഷൻ തീയതിക്ക് മുമ്പായി ജീവനക്കാർ പ്രമോഷൻ സമർപ്പിക്കാൻ കഴിയില്ല apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} എന്നതിനേക്കാൾ പഴയ സ്റ്റോക്ക് ഇടപാടുകൾ അപ്ഡേറ്റ് ചെയ്യാൻ അനുവദിച്ചിട്ടില്ല +DocType: Employee Checkin,Employee Checkin,ജീവനക്കാരുടെ ചെക്ക്ഇൻ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},ആരംഭ തീയതി {0} എന്നതിനായുള്ള അവസാന തിയതിയേക്കാൾ കുറവായിരിക്കണം apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,ഉപഭോക്തൃ ഉദ്ധരണികൾ സൃഷ്ടിക്കുക DocType: Buying Settings,Buying Settings,വാങ്ങൽ ക്രമീകരണം @@ -6484,6 +6563,7 @@ DocType: Job Card Time Log,Job Card Time Log,ജോബ് കാർഡ് ടൈ DocType: Patient,Patient Demographics,രോഗിയുടെ ജനസംഖ്യ DocType: Share Transfer,To Folio No,ഫോളില്ല നമ്പറിലേക്ക് apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ഓപ്പറേഷനിൽ നിന്നുള്ള ക്യാഷ് ഫ്ളോ +DocType: Employee Checkin,Log Type,ലോഗ് തരം DocType: Stock Settings,Allow Negative Stock,നെഗറ്റീവ് സ്റ്റോക്ക് അനുവദിക്കുക apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,ഈ ഇനങ്ങളിൽ ഏതെങ്കിലും അളവിലോ മൂല്യത്തിലോ എന്തെങ്കിലും മാറ്റമുണ്ടാകും. DocType: Asset,Purchase Date,വാങ്ങിയ തിയതി @@ -6527,6 +6607,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,വളരെ ഹൈപ്പർ apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,നിങ്ങളുടെ ബിസിനസിന്റെ സ്വഭാവം തിരഞ്ഞെടുക്കുക. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,ദയവായി മാസവും വർഷവും തിരഞ്ഞെടുക്കുക +DocType: Service Level,Default Priority,സ്ഥിരസ്ഥിതി മുൻ‌ഗണന DocType: Student Log,Student Log,വിദ്യാർത്ഥിയുടെ ലോഗ് DocType: Shopping Cart Settings,Enable Checkout,ചെക്ക്ഔട്ട് പ്രവർത്തനക്ഷമമാക്കുക apps/erpnext/erpnext/config/settings.py,Human Resources,ഹ്യൂമൻ റിസോഴ്സസ് @@ -6555,7 +6636,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext ഉപയോഗിച്ച് Shopify കണക്റ്റുചെയ്യുക DocType: Homepage Section Card,Subtitle,ഉപശീർഷകം DocType: Soil Texture,Loam,ഹരം -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണക്കാരൻ തരം DocType: BOM,Scrap Material Cost(Company Currency),സ്ക്രാപ്പ് മെറ്റീരിയൽ കോസ്റ്റ് (കമ്പനി കറൻസി) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ഡെലിവറി കുറിപ്പ് {0} സമർപ്പിക്കാൻ പാടില്ല DocType: Task,Actual Start Date (via Time Sheet),യഥാർത്ഥ ആരംഭ തീയതി (ടൈം ഷീറ്റിലൂടെ) @@ -6609,6 +6689,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,മരുന്നുകൾ DocType: Cheque Print Template,Starting position from top edge,മുകളിൽ അഗ്രം മുതൽ ആരംഭിക്കുന്നു apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),നിയമന സമയ ദൈർഘ്യം (മിനിറ്റ്) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},ഈ ജീവനക്കാരന് ഇതിനകം സമാന ടൈംസ്റ്റാമ്പുള്ള ഒരു ലോഗ് ഉണ്ട്. {0} DocType: Accounting Dimension,Disable,അപ്രാപ്തമാക്കുക DocType: Email Digest,Purchase Orders to Receive,സ്വീകരിക്കുന്നതിനുള്ള ഓർഡറുകൾ വാങ്ങുക apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,പ്രൊഡക്ഷൻസ് ഉത്തരവുകൾക്ക് വേണ്ടി ഉയർത്താൻ കഴിയില്ല: @@ -6624,7 +6705,6 @@ DocType: Production Plan,Material Requests,മെറ്റീരിയൽ അഭ DocType: Buying Settings,Material Transferred for Subcontract,ഉപഘടകത്തിൽ വസ്തുക്കള് കൈമാറി DocType: Job Card,Timing Detail,ടൈമിംഗ് വിശദാംശം apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,ആവശ്യമാണ് -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{1} ന്റെ {0} DocType: Job Offer Term,Job Offer Term,ജോബ് ഓഫർ ടേം DocType: SMS Center,All Contact,എല്ലാ കോൺടാക്റ്റുകളും DocType: Project Task,Project Task,പ്രോജക്റ്റ് ടാസ്ക് @@ -6673,7 +6753,6 @@ DocType: Student Log,Academic,അക്കാഡമിക്ക് apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,സീരിയൽ നോസ് എന്നതിനായി ഇനം {0} സെറ്റ് അപ് സെറ്റ് മാസ്റ്റർ പരിശോധിക്കുകയില്ല apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,സംസ്ഥാനം DocType: Leave Type,Maximum Continuous Days Applicable,പരമാവധി നിരന്തരമായ ദിവസങ്ങൾ ബാധകം -apps/erpnext/erpnext/config/support.py,Support Team.,പിന്തുണാ ടീം. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,ആദ്യം കമ്പനിയുടെ പേര് നൽകുക apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,ഇമ്പോർട്ടുചെയ്യൽ വിജയകരം DocType: Guardian,Alternate Number,ഇതര നമ്പർ @@ -6764,6 +6843,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,വരി # {0}: ഇനം ചേർത്തു DocType: Student Admission,Eligibility and Details,യോഗ്യതയും വിശദാംശങ്ങളും DocType: Staffing Plan,Staffing Plan Detail,സ്റ്റാഫ് ചെയ്യുന്ന പ്ലാൻ വിശദാംശം +DocType: Shift Type,Late Entry Grace Period,വൈകി എൻ‌ട്രി ഗ്രേസ് പിരീഡ് DocType: Email Digest,Annual Income,വാർഷിക വരുമാനം DocType: Journal Entry,Subscription Section,സബ്സ്ക്രിപ്ഷൻ വിഭാഗം DocType: Salary Slip,Payment Days,പണമടയ്ക്കൽ ദിവസങ്ങൾ @@ -6812,6 +6892,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,അക്കൗണ്ട് ബാലൻസ് DocType: Asset Maintenance Log,Periodicity,ആവർത്തനം apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,മെഡിക്കൽ റെക്കോർഡ് +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,ഷിഫ്റ്റിൽ വീഴുന്ന ചെക്ക്-ഇന്നുകൾക്ക് ലോഗ് തരം ആവശ്യമാണ്: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,വധശിക്ഷ DocType: Item,Valuation Method,മൂല്യനിർണ്ണയ രീതി apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},വിൽപ്പന സാമഗ്രികൾക്കെതിരായി {0} {0} @@ -6896,6 +6977,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,ഓരോ സ്ഥാ DocType: Loan Type,Loan Name,വായ്പയുടെ പേര് apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,പണമടയ്ക്കൽ സ്ഥിരസ്ഥിതി മോഡ് സജ്ജമാക്കുക DocType: Quality Goal,Revision,പുനരവലോകനം +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,ചെക്ക്- out ട്ട് നേരത്തെ (മിനിറ്റിനുള്ളിൽ) കണക്കാക്കുമ്പോൾ ഷിഫ്റ്റ് അവസാനിക്കുന്ന സമയത്തിന് മുമ്പുള്ള സമയം. DocType: Healthcare Service Unit,Service Unit Type,സർവീസ് യൂണിറ്റ് തരം DocType: Purchase Invoice,Return Against Purchase Invoice,വാങ്ങൽ ഇൻവോയ്സിന് എതിരായി മടങ്ങുക apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,രഹസ്യം സൃഷ്ടിക്കുക @@ -7049,12 +7131,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,കോസ്മെറ്റിക്സ് DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,നിങ്ങൾ സേവ് ചെയ്യുന്നതിനുമുമ്പ് ഒരു പരമ്പര തിരഞ്ഞെടുക്കുന്നതിന് ഉപയോക്താവിനെ നിർബന്ധിക്കാൻ ആഗ്രഹിക്കുന്നുവെങ്കിൽ ഇത് ചെക്ക് ചെയ്യുക. നിങ്ങൾ ഇത് പരിശോധിച്ചാൽ സ്ഥിരസ്ഥിതിയായിരിക്കുകയില്ല. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ഈ പങ്കുള്ള ഉപയോക്താക്കളെ ഫ്രീസുചെയ്ത അക്കൗണ്ടുകൾ ക്രമീകരിക്കാനും ഫ്രോസൺ അക്കൗണ്ടുകൾ ഉപയോഗിച്ച് അക്കൗണ്ടിംഗ് എൻട്രികൾ സൃഷ്ടിക്കുക / പരിഷ്ക്കരിക്കാനും അനുവദിക്കുന്നു +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ഇന കോഡ്> ഐറ്റം ഗ്രൂപ്പ്> ബ്രാൻഡ് DocType: Expense Claim,Total Claimed Amount,മൊത്തം ക്ലെയിം ചെയ്ത തുക 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} ദിവസങ്ങളിൽ സമയം സ്ലോട്ട് കണ്ടെത്താനായില്ല apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,പൊതിയുക apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,നിങ്ങളുടെ അംഗത്വം 30 ദിവസത്തിനുള്ളിൽ കാലഹരണപ്പെടുമ്പോൾ മാത്രമേ നിങ്ങൾക്ക് പുതുക്കാനാകൂ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},"മൂല്യം {0}, {1} എന്നിവയ്ക്കിടയിലുള്ളതായിരിക്കണം" DocType: Quality Feedback,Parameters,പാരാമീറ്ററുകൾ +DocType: Shift Type,Auto Attendance Settings,യാന്ത്രിക ഹാജർ ക്രമീകരണങ്ങൾ ,Sales Partner Transaction Summary,സെയിൽസ് പങ്കാളി ട്രാൻസാക്ഷൻ സംഗ്രഹം DocType: Asset Maintenance,Maintenance Manager Name,മെയിന്റനൻസ് മാനേജർ നാമം apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,ഇനം വിവരങ്ങൾ ലഭ്യമാക്കേണ്ടത് ആവശ്യമാണ്. @@ -7081,6 +7165,7 @@ DocType: Asset Maintenance Log,Maintenance Type,പരിപാലന തരം DocType: Homepage Section,Use this field to render any custom HTML in the section.,വിഭാഗത്തിൽ ഏതെങ്കിലും ഇഷ്ടാനുസൃത HTML റെൻഡർ ചെയ്യുന്നതിന് ഈ ഫീൽഡ് ഉപയോഗിക്കുക. apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,"Appointment cancelled, Please review and cancel the invoice {0}","അപ്പോയിന്റ്മെന്റ് റദ്ദാക്കി, ഇൻവോയ്സ് അവലോകനം ചെയ്ത് റദ്ദാക്കുക {0}" DocType: Sales Invoice,Time Sheet List,ടൈം ഷീറ്റ് ലിസ്റ്റ് +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Bill {1} dated {2},ഗൂഗിളിനെതിരെ {0} {2} തീയതി {2} DocType: Shopify Settings,For Company,കമ്പനിയ്ക്കായി DocType: Linked Soil Analysis,Linked Soil Analysis,ലിങ്ക്ഡ് മണ്ണ് അനാലിസിസ് DocType: Project,Day to Send,അയയ്ക്കാനുള്ള ദിവസം @@ -7145,7 +7230,6 @@ DocType: Homepage,Company Tagline for website homepage,വെബ്സൈറ് DocType: Company,Round Off Cost Center,കോസ്റ്റ് സെന്റർ റൌണ്ട് ഓഫാക്കുക DocType: Supplier Scorecard Criteria,Criteria Weight,മാനദണ്ഡം ഭാരം DocType: Asset,Depreciation Schedules,വിലനിയന്ത്രണ ഷെഡ്യൂളുകൾ -DocType: Expense Claim Detail,Claim Amount,ക്ലെയിം തുക DocType: Subscription,Discounts,ഡിസ്കൗണ്ട് DocType: Shipping Rule,Shipping Rule Conditions,ഷിപ്പിംഗ് റൂൾ വ്യവസ്ഥകൾ DocType: Subscription,Cancelation Date,റദ്ദാക്കൽ തീയതി @@ -7173,7 +7257,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,ലീഡ്സ് സ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,പൂജ്യ മൂല്യങ്ങൾ കാണിക്കുക DocType: Employee Onboarding,Employee Onboarding,ജീവനക്കാരന് ഓണ്ബോര്ഡിംഗ് DocType: POS Closing Voucher,Period End Date,കാലാവധി അവസാനിക്കുന്ന തീയതി -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,ഉറവിടത്തിലൂടെ സെയിൽസ് അവസരങ്ങൾ DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,"ലിസ്റ്റിലെ ആദ്യ ലീവ് അംഗ്രോർട്ട്, സ്ഥിരസ്ഥിതി ലീവ് അംഗീകാരമായി സജ്ജമാക്കും." DocType: POS Settings,POS Settings,POS ക്രമീകരണങ്ങൾ apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,എല്ലാ അക്കൗണ്ടുകളും @@ -7194,7 +7277,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ബാ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,വരി # {0}: നിരക്ക് {1} എന്നതിന് സമാനമായിരിക്കണം: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR- .YYYY.- DocType: Healthcare Settings,Healthcare Service Items,ഹെൽത്ത് സേവന ഇനങ്ങൾ -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,റെക്കോർഡുകൾ കണ്ടെത്തിയില്ല apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,പ്രാധാന്യം റേഞ്ച് 3 DocType: Vital Signs,Blood Pressure,രക്തസമ്മര്ദ്ദം apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,ടാർഗെറ്റ് ഓൺ ചെയ്യുക @@ -7237,6 +7319,7 @@ DocType: Company,Existing Company,നിലവിലുള്ള കമ്പന apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ബാച്ചുകൾ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,പ്രതിരോധം DocType: Item,Has Batch No,ബാച്ച് നുണ്ട് +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,വൈകിയ ദിവസങ്ങൾ DocType: Lead,Person Name,വ്യക്തിയുടെ പേര് DocType: Item Variant,Item Variant,ഇനം വേരിയന്റ് DocType: Training Event Employee,Invited,ക്ഷണിച്ചു @@ -7257,7 +7340,7 @@ DocType: Purchase Order,To Receive and Bill,സ്വീകരിക്കാന apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","സാധുതയുള്ള ശീർഷ കാലയളവിൽ ആരംഭിക്കുന്നതും അവസാനിക്കുന്നതുമായ തീയതികൾ, {0} കണക്കാക്കാൻ കഴിയില്ല." DocType: POS Profile,Only show Customer of these Customer Groups,ഈ കസ്റ്റമർ ഗ്രൂപ്പുകളുടെ കസ്റ്റമർ മാത്രം കാണിക്കുക apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ഇൻവോയ്സ് സംരക്ഷിക്കുന്നതിന് ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക -DocType: Service Level,Resolution Time,റസല്യൂഷൻ സമയം +DocType: Service Level Priority,Resolution Time,റസല്യൂഷൻ സമയം DocType: Grading Scale Interval,Grade Description,ഗ്രേഡ് വിവരണം DocType: Homepage Section,Cards,കാർഡുകൾ DocType: Quality Meeting Minutes,Quality Meeting Minutes,ഗുണനിലവാര മീറ്റിംഗ് മിനിറ്റ് diff --git a/erpnext/translations/mr.csv b/erpnext/translations/mr.csv index e4f3704ca9..ee3c84527a 100644 --- a/erpnext/translations/mr.csv +++ b/erpnext/translations/mr.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,टर्म प्रारंभ ता apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,निवेदन {0} आणि विक्री चलन {1} रद्द केले DocType: Purchase Receipt,Vehicle Number,वाहन नंबर apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,तुमचा ईमेल पत्ता ... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,डीफॉल्ट बुक नोंदी समाविष्ट करा +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,डीफॉल्ट बुक नोंदी समाविष्ट करा DocType: Activity Cost,Activity Type,क्रियाकलाप प्रकार DocType: Purchase Invoice,Get Advances Paid,देय अग्रिम मिळवा DocType: Company,Gain/Loss Account on Asset Disposal,मालमत्ता निपटारा वर मिळवणे / तोटा खाते @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,ते काय DocType: Bank Reconciliation,Payment Entries,भरणा नोंदी DocType: Employee Education,Class / Percentage,वर्ग / टक्केवारी ,Electronic Invoice Register,इलेक्ट्रॉनिक चलन नोंदणी +DocType: Shift Type,The number of occurrence after which the consequence is executed.,घटनेची संख्या ज्यानंतर निष्कर्ष काढला जातो. DocType: Sales Invoice,Is Return (Credit Note),परत आहे (क्रेडिट नोट) +DocType: Price List,Price Not UOM Dependent,किंमत यूओएम अवलंबित नाही DocType: Lab Test Sample,Lab Test Sample,लॅब चाचणी नमुना DocType: Shopify Settings,status html,स्थिती एचटीएमएल DocType: Fiscal Year,"For e.g. 2012, 2012-13","उदाहरणार्थ, 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,उत्पा DocType: Salary Slip,Net Pay,नेट पे apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,एकूण चलन एएमटी DocType: Clinical Procedure,Consumables Invoice Separately,Consumables चलन वेगळा +DocType: Shift Type,Working Hours Threshold for Absent,अनुपस्थित कामकाजाचे तास थ्रेशोल्ड DocType: Appraisal,HR-APR-.YY.-.MM.,एचआर-एपीआर- होय- एमएम. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},ग्रुप अकाउंट विरूद्ध बजेट देऊ शकत नाही {0} DocType: Purchase Receipt Item,Rate and Amount,दर आणि रक्कम @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,स्त्रोत वेअर DocType: Healthcare Settings,Out Patient Settings,रुग्ण सेटिंग्ज बाहेर DocType: Asset,Insurance End Date,विमा समाप्ती तारीख DocType: Bank Account,Branch Code,शाखा कोड -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,प्रतिसाद देण्यासाठी वेळ apps/erpnext/erpnext/public/js/conf.js,User Forum,वापरकर्ता मंच DocType: Landed Cost Item,Landed Cost Item,लँडेड कॉस्ट आयटम apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,विक्रेता आणि खरेदीदार समान असू शकत नाही @@ -597,6 +599,7 @@ DocType: Lead,Lead Owner,लीड मालक DocType: Share Transfer,Transfer,हस्तांतरित करा apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),आयटम शोधा (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} परिणाम सबमिट केले +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,तारखेपासून तारखेपेक्षा जास्त असू शकत नाही DocType: Supplier,Supplier of Goods or Services.,वस्तू किंवा सेवा पुरवठादार. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,नवीन खात्याचे नाव टीप: कृपया ग्राहक आणि पुरवठादारांसाठी खाती तयार करू नका apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,विद्यार्थी गट किंवा अभ्यासक्रम अनुसूची अनिवार्य आहे @@ -878,7 +881,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,संभा DocType: Skill,Skill Name,कौशल्य नाव apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,प्रिंट अहवाल कार्ड DocType: Soil Texture,Ternary Plot,टर्नरी प्लॉट -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,समर्थन तिकिट DocType: Asset Category Account,Fixed Asset Account,निश्चित मालमत्ता खाते apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,नवीनतम @@ -891,6 +893,7 @@ DocType: Delivery Trip,Distance UOM,अंतर UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,बॅलन्स शीटसाठी अनिवार्य DocType: Payment Entry,Total Allocated Amount,एकूण वाटप केलेली रक्कम DocType: Sales Invoice,Get Advances Received,प्राप्ती प्राप्त करा +DocType: Shift Type,Last Sync of Checkin,चेकइनची शेवटची सिंक DocType: Student,B-,बी- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,किंमतीमध्ये समाविष्ट असलेली आयटम कर रक्कम apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -899,7 +902,9 @@ DocType: Subscription Plan,Subscription Plan,सदस्यता योजन DocType: Student,Blood Group,रक्त गट apps/erpnext/erpnext/config/healthcare.py,Masters,मास्टर्स DocType: Crop,Crop Spacing UOM,क्रॉप स्पेसिंग यूओएम +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,चेक-इन वेळेच्या वेळेस (मिनिटांमध्ये) विचारात घेता येऊ लागल्यापासून वेळ सुरू होतो. apps/erpnext/erpnext/templates/pages/home.html,Explore,अन्वेषण +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,कोणतेही बकाया पावती सापडली नाहीत apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} रिक्त पद आणि {2} साठी बजेट {2} आधीपासूनच {3} सहाय्यक कंपन्यांसाठी नियोजित आहे. \ 'मूलभूत कंपनी {3} साठी आपण केवळ {4} रिक्त पदांसाठी आणि {5} कर्मचारी योजनेनुसार {5} बजेटसाठी योजना करू शकता. DocType: Promotional Scheme,Product Discount Slabs,उत्पादन सवलत स्लॅब @@ -1001,6 +1006,7 @@ DocType: Attendance,Attendance Request,उपस्थित राहण्य DocType: Item,Moving Average,बदलती सरासरी DocType: Employee Attendance Tool,Unmarked Attendance,चिन्हांकित उपस्थित DocType: Homepage Section,Number of Columns,स्तंभांची संख्या +DocType: Issue Priority,Issue Priority,समस्या प्राधान्य DocType: Holiday List,Add Weekly Holidays,साप्ताहिक सुट्ट्या जोडा DocType: Shopify Log,Shopify Log,खरेदी खरेदी करा apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,वेतन स्लिप तयार करा @@ -1009,6 +1015,7 @@ DocType: Job Offer Term,Value / Description,मूल्य / वर्णन DocType: Warranty Claim,Issue Date,जारी करण्याची तारीख 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} साठी बॅच निवडा. ही आवश्यकता पूर्ण करणारा एक बॅच शोधण्यात अक्षम apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,डाव्या कर्मचार्यांसाठी रिटेशन बोनस तयार करू शकत नाही +DocType: Employee Checkin,Location / Device ID,स्थान / डिव्हाइस आयडी DocType: Purchase Order,To Receive,प्राप्त करण्यासाठी apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,आपण ऑफलाइन मोडमध्ये आहात. आपल्याकडे नेटवर्क होईपर्यंत आपण रीलोड करण्यास सक्षम असणार नाही. DocType: Course Activity,Enrollment,नोंदणी @@ -1017,7 +1024,6 @@ DocType: Lab Test Template,Lab Test Template,लॅब चाचणी टेम apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},कमाल: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ई-चलन माहिती गहाळ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,कोणतीही सामग्री विनंती तयार केली नाही -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड DocType: Loan,Total Amount Paid,देय एकूण रक्कम apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,या सर्व गोष्टी आधीपासूनच चालविल्या गेल्या आहेत DocType: Training Event,Trainer Name,प्रशिक्षक नाव @@ -1128,6 +1134,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},कृपया लीड मधील लीड नेमचा उल्लेख करा {0} DocType: Employee,You can enter any date manually,आपण स्वतः कोणतीही तारीख प्रविष्ट करू शकता DocType: Stock Reconciliation Item,Stock Reconciliation Item,स्टॉक समेकन आयटम +DocType: Shift Type,Early Exit Consequence,लवकर निर्गमन परिणाम DocType: Item Group,General Settings,सामान्य सेटिंग्ज apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,देय तारीख / प्रेषक चलन तारखेपूर्वी देय तारीख असू शकत नाही apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,सबमिटिंग करण्यापूर्वी लाभार्थीचे नाव प्रविष्ट करा. @@ -1165,6 +1172,7 @@ DocType: Account,Auditor,लेखापरीक्षक apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,प्रदान खात्री ,Available Stock for Packing Items,पॅकिंग आयटमसाठी उपलब्ध स्टॉक apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},कृपया सी-फॉर्म {1} मधील हा चलन {0} काढून टाका +DocType: Shift Type,Every Valid Check-in and Check-out,प्रत्येक वैध चेक-इन आणि चेक-आउट DocType: Support Search Source,Query Route String,क्वेरी मार्ग स्ट्रिंग DocType: Customer Feedback Template,Customer Feedback Template,ग्राहक अभिप्राय टेम्पलेट apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,लीड किंवा ग्राहकांना कोट. @@ -1199,6 +1207,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,अधिकृतता नियंत्रण ,Daily Work Summary Replies,दैनिक कार्य सारांश उत्तरे apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},आपल्याला प्रकल्पावर सहयोग करण्यासाठी आमंत्रित केले गेले आहे: {0} +DocType: Issue,Response By Variance,फरक द्वारे प्रतिसाद DocType: Item,Sales Details,विक्री तपशील apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,प्रिंट टेम्पलेट्ससाठी पत्र प्रमुख. DocType: Salary Detail,Tax on additional salary,अतिरिक्त पगारावर कर @@ -1322,6 +1331,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,ग्र DocType: Project,Task Progress,कार्य प्रगती DocType: Journal Entry,Opening Entry,एंट्री उघडत आहे DocType: Bank Guarantee,Charges Incurred,शुल्क आकारले +DocType: Shift Type,Working Hours Calculation Based On,कार्यरत तास गणना आधारित DocType: Work Order,Material Transferred for Manufacturing,उत्पादन साठी साहित्य हस्तांतरित DocType: Products Settings,Hide Variants,वेरिएंट लपवा DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,क्षमता नियोजन आणि वेळ ट्रॅकिंग अक्षम करा @@ -1351,6 +1361,7 @@ DocType: Account,Depreciation,घसारा DocType: Guardian,Interests,स्वारस्ये DocType: Purchase Receipt Item Supplied,Consumed Qty,खनिज DocType: Education Settings,Education Manager,शिक्षण व्यवस्थापक +DocType: Employee Checkin,Shift Actual Start,वास्तविक प्रारंभ शिफ्ट DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,वर्कस्टेशन वर्किंग तासांव्यतिरिक्त प्लॅन टाइम लॉग. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},निष्ठा पॉइंट्स: {0} DocType: Healthcare Settings,Registration Message,नोंदणी संदेश @@ -1375,9 +1386,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,चलन सर्व बिलिंग तासांसाठी आधीच तयार केले आहे DocType: Sales Partner,Contact Desc,संपर्क डीसीसी DocType: Purchase Invoice,Pricing Rules,किंमत नियम +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}",आयटम {0} विरूद्ध विद्यमान व्यवहार असल्याने आपण {1} मूल्य बदलू शकत नाही DocType: Hub Tracked Item,Image List,प्रतिमा यादी DocType: Item Variant Settings,Allow Rename Attribute Value,विशेषता मूल्य पुनर्नामित करण्याची परवानगी द्या -DocType: Price List,Price Not UOM Dependant,किंमत यूओएम अवलंबित नाही apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),वेळ (मिनिटात) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,मूलभूत DocType: Loan,Interest Income Account,व्याज उत्पन्न खाते @@ -1387,6 +1398,7 @@ DocType: Employee,Employment Type,नोकरीचा प्रकार apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,पीओएस प्रोफाइल निवडा DocType: Support Settings,Get Latest Query,नवीनतम क्वेरी मिळवा DocType: Employee Incentive,Employee Incentive,कर्मचारी प्रोत्साहन +DocType: Service Level,Priorities,प्राधान्य apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,मुख्यपृष्ठावर कार्ड किंवा सानुकूल विभाग जोडा DocType: Homepage,Hero Section Based On,हिरो विभाग आधारित DocType: Project,Total Purchase Cost (via Purchase Invoice),एकूण खरेदी किंमत (खरेदी चलनद्वारे) @@ -1447,7 +1459,7 @@ DocType: Work Order,Manufacture against Material Request,साहित्य DocType: Blanket Order Item,Ordered Quantity,ऑर्डर केलेले प्रमाण apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},पंक्ती # {0}: नाकारलेले आयटम विरूद्ध नाकारलेले वेअरहाऊस अनिवार्य आहे {1} ,Received Items To Be Billed,बिल केले जाणारे आयटम प्राप्त झाले -DocType: Salary Slip Timesheet,Working Hours,कामाचे तास +DocType: Attendance,Working Hours,कामाचे तास apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,भरणा मोड apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,खरेदी ऑर्डर आयटम वेळेवर प्राप्त झाले नाही apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,दिवसांत कालावधी @@ -1567,7 +1579,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,आपल्या पुरवठादाराबद्दल वैधानिक माहिती आणि इतर सामान्य माहिती DocType: Item Default,Default Selling Cost Center,डीफॉल्ट विक्री किंमत केंद्र DocType: Sales Partner,Address & Contacts,पत्ता आणि संपर्क -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> क्रमांकन मालिकाद्वारे उपस्थित राहण्यासाठी क्रमांकन शृंखला सेट करा DocType: Subscriber,Subscriber,सदस्य apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# फॉर्म / आयटम / {0}) स्टॉकच्या बाहेर आहे apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,कृपया प्रथम पोस्टिंग तारीख निवडा @@ -1578,7 +1589,7 @@ DocType: Project,% Complete Method,% पूर्ण पद्धत DocType: Detected Disease,Tasks Created,कार्य तयार केले apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,डीफॉल्ट बीओएम ({0}) या आयटमसाठी किंवा त्याच्या टेम्पलेटसाठी सक्रिय असणे आवश्यक आहे apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,आयोग दर% -DocType: Service Level,Response Time,प्रतिसाद वेळ +DocType: Service Level Priority,Response Time,प्रतिसाद वेळ DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce सेटिंग्ज apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,प्रमाण सकारात्मक असणे आवश्यक आहे DocType: Contract,CRM,सीआरएम @@ -1595,7 +1606,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,रुग्णांन DocType: Bank Statement Settings,Transaction Data Mapping,ट्रान्झॅक्शन डेटा मॅपिंग apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,लीडला एकतर व्यक्तीचे नाव किंवा संस्थेचे नाव आवश्यक असते DocType: Student,Guardians,पालक -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षण> शिक्षण सेटिंग्जमध्ये शिक्षक नामांकन प्रणाली सेट करा apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ब्रँड निवडा ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,मध्यम उत्पन्न DocType: Shipping Rule,Calculate Based On,गणना आधारित @@ -1632,6 +1642,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,लक्ष्य apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},विद्यार्थ्याविरूद्ध उपस्थित उपस्थिति {0} अस्तित्वात आहे {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,व्यवहाराची तारीख apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,सदस्यता रद्द करा +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,सेवा स्तर करार {0} सेट करू शकलो नाही. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,निव्वळ वेतन रक्कम DocType: Account,Liability,उत्तरदायित्व DocType: Employee,Bank A/C No.,बँक ए / सी नं. @@ -1697,7 +1708,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,कच्चा माल आयटम कोड apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,खरेदी चलन {0} आधीपासून सबमिट केले आहे DocType: Fees,Student Email,विद्यार्थी ईमेल -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},बीओएम रिकर्सन: {0} हे पालक किंवा मुलाचे असू शकत नाही {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,हेल्थकेअर सेवांमधून वस्तू मिळवा apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,स्टॉक एंट्री {0} सबमिट केली गेली नाही DocType: Item Attribute Value,Item Attribute Value,आयटम विशेषता मूल्य @@ -1722,7 +1732,6 @@ DocType: POS Profile,Allow Print Before Pay,पे करण्यापूर DocType: Production Plan,Select Items to Manufacture,उत्पादन करण्यासाठी आयटम निवडा DocType: Leave Application,Leave Approver Name,अॅग्रोव्हर नाव सोडा DocType: Shareholder,Shareholder,शेअरहोल्डर -DocType: Issue,Agreement Status,करार स्थिती apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,व्यवहार विक्रीसाठी डीफॉल्ट सेटिंग्ज. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,कृपया विद्यार्थी प्रवेश अर्ज निवडा जो सशुल्क विद्यार्थ्यासाठी अनिवार्य आहे apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,बीओएम निवडा @@ -1985,6 +1994,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,उत्पन्न खाते apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,सर्व गोदाम DocType: Contract,Signee Details,साइननी तपशील +DocType: Shift Type,Allow check-out after shift end time (in minutes),शिफ्टच्या समाप्तीनंतर (चेक मिनिटमध्ये) चेक-आउटची अनुमती द्या apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,खरेदी DocType: Item Group,Check this if you want to show in website,आपण वेबसाइटवर दर्शवू इच्छित असल्यास हे तपासा apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,आर्थिक वर्ष {0} सापडले नाही @@ -2051,6 +2061,7 @@ DocType: Asset Finance Book,Depreciation Start Date,घसारा प्रा DocType: Activity Cost,Billing Rate,बिलिंग दर apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},चेतावणीः स्टॉक एंट्री विरूद्ध आणखी एक {0} # {1} अस्तित्वात आहे {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,कृपया मार्गांचे अंदाज लावण्यासाठी आणि ऑप्टिमाइझ करण्यासाठी Google नकाशे सेटिंग्ज सक्षम करा +DocType: Purchase Invoice Item,Page Break,पृष्ठ खंड DocType: Supplier Scorecard Criteria,Max Score,मॅक्स स्कोअर apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,परतफेड प्रारंभ तारीख वितरण तारखेपूर्वी असू शकत नाही. DocType: Support Search Source,Support Search Source,समर्थन शोध स्त्रोत @@ -2117,6 +2128,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,गुणवत्ता DocType: Employee Transfer,Employee Transfer,कर्मचारी हस्तांतरण ,Sales Funnel,विक्री फनेल DocType: Agriculture Analysis Criteria,Water Analysis,पाणी विश्लेषण +DocType: Shift Type,Begin check-in before shift start time (in minutes),शिफ्ट सुरू होण्याच्या वेळेपूर्वी (मिनिटांमध्ये) चेक-इन सुरू करा DocType: Accounts Settings,Accounts Frozen Upto,जमा केलेले खाते apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,संपादित करण्यासाठी काहीही नाही. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","वर्कस्टेशनमधील कोणत्याही उपलब्ध कामकाजाच्या वेळेपेक्षा {0} ऑपरेशन {1}, एकाधिक ऑपरेशनमध्ये ऑपरेशन खंडित करा" @@ -2130,7 +2142,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,स apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},विक्री ऑर्डर {0} आहे {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),देय विलंब (दिवस) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,घसारा तपशील प्रविष्ट करा +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,ग्राहक पीओ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,अपेक्षित वितरण तारीख विक्री ऑर्डर तारखेनंतर असावी +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,आयटमची मात्रा शून्य असू शकत नाही apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,अवैध विशेषता apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},कृपया आयटम विरूद्ध बीओएम निवडा {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,चलन प्रकार @@ -2140,6 +2154,7 @@ DocType: Maintenance Visit,Maintenance Date,देखभाल तारीख DocType: Volunteer,Afternoon,दुपारी DocType: Vital Signs,Nutrition Values,पोषण मूल्य DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),ताप येणे (ताप> 38.5 डिग्री सेल्सिअस / 101.3 डिग्री फॅ किंवा निरंतर ताप> 38 डिग्री सेल्सिअस / 100.4 डिग्री फॅ) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> मानव संसाधन सेटिंग्जमध्ये कर्मचारी नामांकन प्रणाली सेट करा apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,आयटीसी उलट DocType: Project,Collect Progress,प्रगती गोळा करा apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,उर्जा @@ -2190,6 +2205,7 @@ DocType: Setup Progress,Setup Progress,सेटअप प्रगती ,Ordered Items To Be Billed,ऑर्डर केलेल्या वस्तू बिल कराव्यात DocType: Taxable Salary Slab,To Amount,रक्कम DocType: Purchase Invoice,Is Return (Debit Note),परत आहे (डेबिट नोट) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> प्रदेश apps/erpnext/erpnext/config/desktop.py,Getting Started,प्रारंभ करणे apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,विलीन apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,आर्थिक वर्षाची बचत झाल्यानंतर आर्थिक वर्षाची प्रारंभ तारीख आणि आर्थिक वर्ष समाप्ती तारीख बदलू शकत नाही. @@ -2208,8 +2224,10 @@ DocType: Maintenance Schedule Detail,Actual Date,वास्तविक ता apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},देखभाल सुरु होण्याची तारीख सीरियल नं. {0} साठी वितरण तारखेपूर्वी असू शकत नाही. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,पंक्ती {0}: विनिमय दर अनिवार्य आहे DocType: Purchase Invoice,Select Supplier Address,पुरवठादार पत्ता निवडा +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","उपलब्ध मात्रा {0} आहे, आपल्याला {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,कृपया API उपभोक्ता गुप्त प्रविष्ट करा DocType: Program Enrollment Fee,Program Enrollment Fee,कार्यक्रम नोंदणी शुल्क +DocType: Employee Checkin,Shift Actual End,शिफ्ट वास्तविक समाप्त DocType: Serial No,Warranty Expiry Date,वारंटी समाप्ती तारीख DocType: Hotel Room Pricing,Hotel Room Pricing,हॉटेल रूम किंमत apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","बाह्य करपात्र पुरवठा (शून्य रेट केल्याशिवाय, निरुपयोगी मूल्यांकित आणि वगळण्यात आलेली" @@ -2268,6 +2286,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,वाचन 5 DocType: Shopping Cart Settings,Display Settings,प्रदर्शन सेटिंग्ज apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,कृपया बुक केलेल्या अवमूल्यनांची संख्या सेट करा +DocType: Shift Type,Consequence after,नंतर परिणाम apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,तुम्हाला कशाची गरज आहे? DocType: Journal Entry,Printing Settings,मुद्रण सेटिंग्ज apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,बँकिंग @@ -2277,6 +2296,7 @@ DocType: Purchase Invoice Item,PR Detail,पीआर तपशील apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,बिलिंग पत्ता शिपिंग पत्ता सारखेच आहे DocType: Account,Cash,रोख DocType: Employee,Leave Policy,धोरण सोडा +DocType: Shift Type,Consequence,परिणाम apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,विद्यार्थी पत्ता DocType: GST Account,CESS Account,सीईएस खाते apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: 'नफा आणि तोटा' खात्यासाठी लागत केंद्र आवश्यक आहे {2}. कृपया कंपनीसाठी डीफॉल्ट मूल्य केंद्र सेट करा. @@ -2339,6 +2359,7 @@ DocType: GST HSN Code,GST HSN Code,जीएसटी एचएसएन को DocType: Period Closing Voucher,Period Closing Voucher,कालावधी बंद व्हाउचर apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,पालक 2 नाव apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,कृपया खर्च खाते प्रविष्ट करा +DocType: Issue,Resolution By Variance,भिन्नता द्वारे निराकरण DocType: Employee,Resignation Letter Date,राजीनामा पत्र तारीख DocType: Soil Texture,Sandy Clay,सँडी क्ले DocType: Upload Attendance,Attendance To Date,तारीख उपस्थित @@ -2351,6 +2372,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,आता पहा DocType: Item Price,Valid Upto,वैध आहे apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},रेफरेंस डॉक्ट टाइप हा {0} +DocType: Employee Checkin,Skip Auto Attendance,स्वयं उपस्थित राहू द्या DocType: Payment Request,Transaction Currency,व्यवहार चलन DocType: Loan,Repayment Schedule,परतफेड वेळापत्रक apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,नमुना प्रतिधारण स्टॉक एंट्री तयार करा @@ -2422,6 +2444,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,वेतन DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,पीओएस बंद व्हाउचर कर apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,क्रिया आरंभ केली DocType: POS Profile,Applicable for Users,वापरकर्त्यांसाठी लागू +,Delayed Order Report,विलंब ऑर्डर अहवाल DocType: Training Event,Exam,परीक्षा apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,अवैध लेजर नोंदी चुकीची संख्या आढळली. आपण व्यवहारामध्ये चुकीचे खाते निवडले असेल. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,विक्री पाइपलाइन @@ -2436,10 +2459,11 @@ DocType: Account,Round Off,गोल ऑफ DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,एकत्रित केलेल्या सर्व निवडलेल्या बाबींवर अटी लागू होतील. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,कॉन्फिगर करा DocType: Hotel Room,Capacity,क्षमता +DocType: Employee Checkin,Shift End,शिफ्ट समाप्त DocType: Installation Note Item,Installed Qty,स्थापित केलेली Qty apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,आयटम {1} चे बॅच {0} अक्षम केले आहे. DocType: Hotel Room Reservation,Hotel Reservation User,हॉटेल आरक्षण वापरकर्ता -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,कार्यदिवस दोनदा पुनरावृत्ती केले गेले आहे +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,अस्तित्व प्रकार {0} आणि अस्तित्व {1} सह सेवा स्तर करार आधीपासून विद्यमान आहे. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},आयटम {0} साठी आयटम मास्टरमध्ये उल्लेख केलेला आयटम समूह नाही apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},नाव त्रुटी: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,पीओएस प्रोफाइलमध्ये प्रदेश आवश्यक आहे @@ -2487,6 +2511,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,वेळापत्रक तारीख DocType: Packing Slip,Package Weight Details,पॅकेज वजन तपशील DocType: Job Applicant,Job Opening,जॉब ओपनिंग +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,कर्मचारी चेकइनची अंतिम ज्ञात यशस्वी सिंक. जर आपल्याला खात्री असेल की सर्व नोंदी सर्व स्थानांमधून समक्रमित केलेली असतील तरच हे रीसेट करा. कृपया खात्री नसल्यास हे सुधारित करू नका. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,वास्तविक किंमत apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ऑर्डर विरुद्ध एकूण अग्रिम ({0}) {1} ग्रँड टोटल पेक्षा जास्त असू शकत नाही ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,आयटम प्रकार अद्यतनित केले @@ -2531,6 +2556,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,संदर्भ खर apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,आमंत्रणे मिळवा DocType: Tally Migration,Is Day Book Data Imported,दिन पुस्तक डेटा आयात केला आहे ,Sales Partners Commission,विक्री भागीदार आयोग +DocType: Shift Type,Enable Different Consequence for Early Exit,लवकर निर्गमनसाठी भिन्न परिणाम सक्षम करा apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,कायदेशीर DocType: Loan Application,Required by Date,तारखेनुसार आवश्यक DocType: Quiz Result,Quiz Result,क्विझ परिणाम @@ -2589,7 +2615,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,आर् DocType: Pricing Rule,Pricing Rule,किंमत नियम apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},सुट्टीच्या कालावधीसाठी वैकल्पिक सुट्टीची सूची सेट केलेली नाही {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,कृपया कर्मचारी भूमिका सेट करण्यासाठी कर्मचारी रेकॉर्डमध्ये वापरकर्ता आयडी फील्ड सेट करा -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,निराकरण करण्यासाठी वेळ DocType: Training Event,Training Event,प्रशिक्षण कार्यक्रम DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","प्रौढांमध्ये सामान्यपणे विश्रांती रक्तदाब अंदाजे 120 मि.मी.एचजी सिस्टोलिक आहे आणि 80 मिमीएचजी डायस्टोलिक, थोडक्यात "120/80 मिमीएचजी"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,मर्यादा मूल्य शून्य असेल तर सिस्टम सर्व नोंदी आणेल. @@ -2633,6 +2658,7 @@ DocType: Woocommerce Settings,Enable Sync,सिंक सक्षम करा DocType: Student Applicant,Approved,मंजूर apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},तारीख पासून आर्थिक वर्षाच्या आत असावे. गृहीत धरून = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,खरेदी सेटिंग्ज मध्ये कृपया पुरवठादार गट सेट करा. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} एक अवैध उपस्थित स्थिती आहे. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,तात्पुरते खाते उघडणे DocType: Purchase Invoice,Cash/Bank Account,रोख / बँक खाते DocType: Quality Meeting Table,Quality Meeting Table,गुणवत्ता बैठक टेबल @@ -2668,6 +2694,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,एमडब्ल्यूएस apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","अन्न, पेय आणि तंबाखू" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,कोर्स वेळापत्रक DocType: Purchase Taxes and Charges,Item Wise Tax Detail,आयटम वार कर तपशील +DocType: Shift Type,Attendance will be marked automatically only after this date.,उपस्थितीनंतर ही तारीख स्वयंचलितपणे चिन्हांकित केली जाईल. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,यूआयएन धारकांना पुरवठा apps/erpnext/erpnext/hooks.py,Request for Quotations,कोटेशनसाठी विनंती apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,काही चलन वापरून नोंदी केल्या नंतर चलन बदलता येत नाही @@ -2937,7 +2964,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,सवलत प्र DocType: Hotel Settings,Default Taxes and Charges,डीफॉल्ट टॅक्स आणि शुल्क apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,हे या पुरवठादाराच्या विरूद्ध व्यवहारांवर आधारित आहे. तपशीलांसाठी खाली टाइमलाइन पहा apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},कर्मचारी {0} पेक्षा जास्तीत जास्त बेनिफिट रक्कम {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,करारासाठी प्रारंभ आणि समाप्ती तारीख प्रविष्ट करा. DocType: Delivery Note Item,Against Sales Invoice,विक्री चलन विरुद्ध DocType: Loyalty Point Entry,Purchase Amount,खरेदी रक्कम apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,विक्री ऑर्डर म्हणून गमावले म्हणून सेट करू शकत नाही. @@ -2961,7 +2987,7 @@ DocType: Homepage,"URL for ""All Products""","सर्व उत्पा DocType: Lead,Organization Name,संस्थेचे नाव apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,संचयीकरणासाठी वैध आणि फील्ड पर्यंत वैध असणे आवश्यक आहे apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},पंक्ती # {0}: बॅच क्रमांक {1} {2} सारखेच असणे आवश्यक आहे -DocType: Employee,Leave Details,तपशील सोडा +DocType: Employee Checkin,Shift Start,शिफ्ट सुरू करा apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} पूर्वी स्टॉक व्यवहार गोठविले जातात DocType: Driver,Issuing Date,जारी करण्याची तारीख apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,विनंती करणारा @@ -3006,9 +3032,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,कॅश फ्लो मॅपिंग टेम्पलेट तपशील apps/erpnext/erpnext/config/hr.py,Recruitment and Training,भर्ती आणि प्रशिक्षण DocType: Drug Prescription,Interval UOM,इंटरवल यूओएम +DocType: Shift Type,Grace Period Settings For Auto Attendance,स्वयं उपस्थित राहण्यासाठी ग्रेस पीरियड सेटिंग्ज apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,चलन आणि चलन ते चलन समान असू शकत नाही apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,फार्मास्युटिकल्स DocType: Employee,HR-EMP-,एचआर-ईएमपी- +DocType: Service Level,Support Hours,समर्थन तास apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} रद्द किंवा बंद आहे apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,पंक्ती {0}: ग्राहक विरुद्ध जाहिरात क्रेडिट असणे आवश्यक आहे apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),वाउचरद्वारे समूह (एकत्रित) @@ -3118,6 +3146,7 @@ DocType: Asset Repair,Repair Status,दुरुस्ती स्थिती DocType: Territory,Territory Manager,प्रदेश व्यवस्थापक DocType: Lab Test,Sample ID,नमुना ओळखपत्र apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,कार्ट रिक्त आहे +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,कर्मचारी चेक-इनच्या अनुसार उपस्थित राहिलेले आहे apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,मालमत्ता {0} सादर करणे आवश्यक आहे ,Absent Student Report,अनुपस्थित विद्यार्थी अहवाल apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,एकूण नफ्यात समाविष्ट @@ -3125,7 +3154,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,निधी रक्कम apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} सबमिट केले गेले नाही म्हणून कारवाई पूर्ण होऊ शकत नाही DocType: Subscription,Trial Period End Date,चाचणी कालावधी समाप्ती तारीख +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,त्याच शिफ्ट दरम्यान आतील आणि बाहेर पर्यायी प्रविष्ट्या DocType: BOM Update Tool,The new BOM after replacement,बदलल्यानंतर नवीन बीओएम +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,आयटम 5 DocType: Employee,Passport Number,पारपत्र क्रमांक apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,तात्पुरते उघडणे @@ -3240,6 +3271,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,की अहवाल apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,संभाव्य पुरवठादार ,Issued Items Against Work Order,कार्य आदेशांविरुद्ध जारी केलेले आयटम apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} चलन तयार करीत आहे +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षण> शिक्षण सेटिंग्जमध्ये शिक्षक नामांकन प्रणाली सेट करा DocType: Student,Joining Date,सामील होण्याची तारीख apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,साइटची विनंती DocType: Purchase Invoice,Against Expense Account,खर्च खात्याविरूद्ध @@ -3279,6 +3311,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,लागू शुल्क ,Point of Sale,विक्री केंद्र DocType: Authorization Rule,Approving User (above authorized value),वापरकर्ता मंजूर करत आहे (अधिकृत मूल्यापेक्षा) +DocType: Service Level Agreement,Entity,अस्तित्व apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{0} {1} रक्कम {2} पासून {3} पर्यंत हस्तांतरित केली apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},ग्राहक {0} प्रकल्प संबंधित नाही {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,पार्टीच्या नावावरून @@ -3325,6 +3358,7 @@ DocType: Asset,Opening Accumulated Depreciation,संचयित घसार DocType: Soil Texture,Sand Composition (%),वाळू रचना (%) DocType: Production Plan,MFG-PP-.YYYY.-,एमएफजी-पीपी- .YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,आयात दिवस डेटा आयात करा +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया सेट अप> सेटिंग्ज> नामांकन मालिकाद्वारे {0} साठी नामांकन शृंखला सेट करा DocType: Asset,Asset Owner Company,मालमत्ता मालक कंपनी apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,खर्च केंद्राने खर्चाचा दावा करणे आवश्यक आहे apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} आयटमसाठी वैध अनुक्रमांक {1} @@ -3384,7 +3418,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,मालमत्ता मालक apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},पंक्तीमधील {0} स्टॉक आयटमसाठी वेअरहाऊस अनिवार्य आहे {1} DocType: Stock Entry,Total Additional Costs,एकूण अतिरिक्त खर्च -DocType: Marketplace Settings,Last Sync On,चालू सिंक चालू apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,कृपया कर आणि शुल्क सारणीमध्ये कमीत कमी एक पंक्ती सेट करा DocType: Asset Maintenance Team,Maintenance Team Name,देखरेख टीम नाव apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,खर्चाचे केंद्र @@ -3400,12 +3433,12 @@ DocType: Sales Order Item,Work Order Qty,कार्य ऑर्डर क् DocType: Job Card,WIP Warehouse,डब्ल्यूआयपी वेअरहाऊस DocType: Payment Request,ACC-PRQ-.YYYY.-,एसीसी-पीआरक्यू- .YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},कर्मचारी ID साठी सेट केलेला वापरकर्ता आयडी {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","उपलब्ध क्विटी {0} आहे, आपल्याला {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,वापरकर्ता {0} तयार केला DocType: Stock Settings,Item Naming By,द्वारे आयटम नाव apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,आज्ञा केली apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,हा मूळ ग्राहक गट आहे आणि संपादित केला जाऊ शकत नाही. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,सामग्री विनंती {0} रद्द केली गेली आहे किंवा थांबविली आहे +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,कर्मचारी चेकइनमध्ये लॉग प्रकारावर आधारित कठोरपणे DocType: Purchase Order Item Supplied,Supplied Qty,पुरवलेली रक्कम DocType: Cash Flow Mapper,Cash Flow Mapper,कॅश फ्लो मॅपर DocType: Soil Texture,Sand,वाळू @@ -3464,6 +3497,7 @@ DocType: Lab Test Groups,Add new line,नवीन ओळ जोडा apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,आयटम गट सारणीमध्ये डुप्लिकेट आयटम गट आढळला apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,वार्षिक पगार DocType: Supplier Scorecard,Weighting Function,वेटिंग फंक्शन +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,निकष सूत्रांचे मूल्यांकन करताना त्रुटी ,Lab Test Report,लॅब चाचणी अहवाल DocType: BOM,With Operations,ऑपरेशन्ससह @@ -3477,6 +3511,7 @@ DocType: Expense Claim Account,Expense Claim Account,दावा खाते apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,जर्नल एंट्रीसाठी कोणतीही परतफेड उपलब्ध नाही apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} निष्क्रिय विद्यार्थी आहे apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,स्टॉक एंट्री बनवा +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},बीओएम रिकर्सन: {0} हे पालक किंवा मुलाचे असू शकत नाही {1} DocType: Employee Onboarding,Activities,क्रियाकलाप apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,किमान एक गोदाम अनिवार्य आहे ,Customer Credit Balance,ग्राहक पत शिल्लक @@ -3489,9 +3524,11 @@ DocType: Supplier Scorecard Period,Variables,वेरिअबल्स apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,ग्राहकांसाठी एकाधिक निष्ठा कार्यक्रम सापडला. कृपया मॅन्युअली निवडा. DocType: Patient,Medication,औषधोपचार apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,निष्ठा कार्यक्रम निवडा +DocType: Employee Checkin,Attendance Marked,उपस्थिती चिन्हांकित apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,कच्चा माल DocType: Sales Order,Fully Billed,पूर्णपणे बिल apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},कृपया हॉटेल कक्ष दर सेट करा {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,डीफॉल्ट म्हणून फक्त एक प्राधान्य निवडा. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},कृपया प्रकार ({0} साठी खाते (लेजर) ओळखा / तयार करा apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,एकूण क्रेडिट / डेबिट रक्कम लिंक केलेल्या जर्नल एंट्री प्रमाणेच असली पाहिजे DocType: Purchase Invoice Item,Is Fixed Asset,निश्चित मालमत्ता आहे @@ -3512,6 +3549,7 @@ DocType: Purpose of Travel,Purpose of Travel,प्रवासाचा उद DocType: Healthcare Settings,Appointment Confirmation,नियुक्ती पुष्टीकरण DocType: Shopping Cart Settings,Orders,आदेश DocType: HR Settings,Retirement Age,सेवानिवृत्ती वय +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> क्रमांकन मालिकाद्वारे उपस्थित राहण्यासाठी क्रमांकन शृंखला सेट करा apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,प्रक्षेपित केलेली Qty apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},देशासाठी हटविण्याची परवानगी नाही {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},पंक्ती # {0}: मालमत्ता {1} आधीच आहे {2} @@ -3595,11 +3633,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,अकाउंटंट apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},पीओएस क्लोजिंग वाउचर अॅल्रेडय {0} साठी तारीख {1} आणि {2} दरम्यान अस्तित्वात आहे apps/erpnext/erpnext/config/help.py,Navigating,नेव्हिगेटिंग +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,कोणत्याही थकबाकीच्या चलनांमध्ये विनिमय दर पुनर्मूल्यांकन आवश्यक नसते DocType: Authorization Rule,Customer / Item Name,ग्राहक / आयटम नाव apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,नवीन सीरियल नाही वेअरहाऊस असू शकत नाही. वेअरहाऊस स्टॉक एंट्री किंवा खरेदी पावती द्वारे सेट करणे आवश्यक आहे DocType: Issue,Via Customer Portal,ग्राहक पोर्टलद्वारे DocType: Work Order Operation,Planned Start Time,नियोजित प्रारंभ वेळ apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} {2} +DocType: Service Level Priority,Service Level Priority,सेवा पातळी प्राधान्य apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,बुक केलेल्या घसाराची संख्या घसाराच्या एकूण संख्येपेक्षा मोठी असू शकत नाही apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,लेजर शेअर करा DocType: Journal Entry,Accounts Payable,देय खाती @@ -3710,7 +3750,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,ला पोहोचते करणे DocType: Bank Statement Transaction Settings Item,Bank Data,बँक डेटा apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,अनुसूचित -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,टाइमशीटवर त्याचप्रमाणे बिलिंग तास आणि कामाचे तास राखून ठेवा apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,लीड सोर्सद्वारे लीड ट्रॅक. DocType: Clinical Procedure,Nursing User,नर्सिंग वापरकर्ता DocType: Support Settings,Response Key List,प्रतिसाद की यादी @@ -3878,6 +3917,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,वास्तविक प्रारंभ वेळ DocType: Antibiotic,Laboratory User,प्रयोगशाळा वापरकर्ता apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,ऑनलाइन लिलाव +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,प्राधान्य {0} पुनरावृत्ती केले गेले आहे. DocType: Fee Schedule,Fee Creation Status,शुल्क निर्मिती स्थिती apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,सॉफ्टवेअर apps/erpnext/erpnext/config/help.py,Sales Order to Payment,विक्री ऑर्डर पेमेंट @@ -3944,6 +3984,7 @@ DocType: Patient Encounter,In print,प्रिंटमध्ये apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0} साठी माहिती पुनर्प्राप्त करू शकलो नाही. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,बिलिंग चलन एकतर डीफॉल्ट कंपनीच्या चलन किंवा पार्टी खाते चलनासारखेच असणे आवश्यक आहे apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,कृपया या विक्री व्यक्तीचे कर्मचारी आयडी प्रविष्ट करा +DocType: Shift Type,Early Exit Consequence after,नंतर लवकर निर्गमन परिणाम apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,उघडत विक्री आणि खरेदी पावत्या तयार करा DocType: Disease,Treatment Period,उपचार कालावधी apps/erpnext/erpnext/config/settings.py,Setting up Email,ईमेल सेट अप करत आहे @@ -3961,7 +4002,6 @@ DocType: Employee Skill Map,Employee Skills,कर्मचारी कौश apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,विद्यार्थ्याचे नावः DocType: SMS Log,Sent On,पाठविला DocType: Bank Statement Transaction Invoice Item,Sales Invoice,विक्री चलन -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,प्रतिसाद वेळ रेझोल्यूशनच्या वेळेपेक्षा अधिक असू शकत नाही DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","कोर्स आधारित विद्यार्थी गटासाठी, प्रोग्राम नोंदणीमध्ये नामांकित अभ्यासक्रमातील प्रत्येक विद्यार्थ्यासाठी अभ्यासक्रम निश्चित केला जाईल." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,अंतर्गत-राज्य पुरवठा DocType: Employee,Create User Permission,वापरकर्ता परवानगी तयार करा @@ -4000,6 +4040,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,विक्री किंवा खरेदीसाठी मानक करार अटी. DocType: Sales Invoice,Customer PO Details,ग्राहक पीओ तपशील apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,रुग्ण आढळले नाही +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,डीफॉल्ट प्राधान्य निवडा. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,त्या आयटमवर शुल्क लागू नसल्यास आयटम काढा apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ग्राहक समूह समान नावासह विद्यमान आहे कृपया ग्राहक नाव बदला किंवा ग्राहक ग्रुपचे नाव बदला 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. @@ -4038,6 +4079,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),एकूण खर्च DocType: Quality Goal,Quality Goal,गुणवत्ता गोल DocType: Support Settings,Support Portal,समर्थन पोर्टल apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},कर्मचारी {0} रोजी आहे {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},हे सेवा स्तर करार ग्राहकांना निर्दिष्ट आहे {0} DocType: Employee,Held On,रोजी आयोजित DocType: Healthcare Practitioner,Practitioner Schedules,प्रॅक्टिशनर वेळापत्रक DocType: Project Template Task,Begin On (Days),सुरु (दिवस) @@ -4045,6 +4087,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},कार्य आदेश {0} आहे DocType: Inpatient Record,Admission Schedule Date,प्रवेश वेळापत्रक तारीख apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,मालमत्ता मूल्य समायोजन +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,या शिफ्टला नियुक्त केलेल्या कर्मचार्यांसाठी 'कर्मचारी चेकइन' वर आधारित उपस्थित राहणे. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,नोंदणीकृत व्यक्तींना पुरवठा apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,सर्व नोकर्या DocType: Appointment Type,Appointment Type,नियुक्ती प्रकार @@ -4158,7 +4201,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),पॅकेजचे एकूण वजन. सहसा नेट वजन + पॅकेजिंग सामग्री वजन. (प्रिंटसाठी) DocType: Plant Analysis,Laboratory Testing Datetime,प्रयोगशाळा चाचणी डेटाटाइम apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,आयटम {0} मध्ये बॅच असू शकत नाही -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,स्टेज द्वारे विक्री पाइपलाइन apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,विद्यार्थी गट शक्ती DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,बँक स्टेटमेंट ट्रान्झॅक्शन एंट्री DocType: Purchase Order,Get Items from Open Material Requests,मुक्त सामग्री विनंत्यांमधील आयटम मिळवा @@ -4240,7 +4282,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,एजिंग वेअरहाऊस-वार दर्शवा DocType: Sales Invoice,Write Off Outstanding Amount,बकाया रक्कम लिहा DocType: Payroll Entry,Employee Details,कर्मचारी तपशील -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,प्रारंभ वेळ {0} साठी समाप्ती वेळापेक्षा मोठा असू शकत नाही. DocType: Pricing Rule,Discount Amount,सवलत रक्कम DocType: Healthcare Service Unit Type,Item Details,आयटम तपशील apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},कालावधीसाठी {0} ची डुप्लिकेट कर घोषणा {1} @@ -4293,7 +4334,7 @@ DocType: Customer,CUST-.YYYY.-,सीएसटी- होय- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,निव्वळ वेतन नकारात्मक असू शकत नाही apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,संवादाची नाही 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/hr/doctype/employee/employee_dashboard.py,Shift,शिफ्ट +DocType: Attendance,Shift,शिफ्ट apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,लेखा आणि पक्षांची प्रक्रिया प्रक्रिया DocType: Stock Settings,Convert Item Description to Clean HTML,HTML साफ करण्यासाठी आयटम वर्णन रूपांतरित करा apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,सर्व पुरवठादार गट @@ -4364,6 +4405,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,कर्म DocType: Healthcare Service Unit,Parent Service Unit,पालक सेवा युनिट DocType: Sales Invoice,Include Payment (POS),पेमेंट समाविष्ट करा (पीओएस) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,खाजगी इक्विटी +DocType: Shift Type,First Check-in and Last Check-out,प्रथम चेक-इन आणि अंतिम चेक-आउट DocType: Landed Cost Item,Receipt Document,पावती दस्तऐवज DocType: Supplier Scorecard Period,Supplier Scorecard Period,पुरवठादार स्कोअरकार्ड कालावधी DocType: Employee Grade,Default Salary Structure,डीफॉल्ट वेतन संरचना @@ -4446,6 +4488,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,खरेदी ऑर्डर तयार करा apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,आर्थिक वर्षासाठी अर्थसंकल्प परिभाषित करा. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,खाते सारणी रिक्त असू शकत नाही. +DocType: Employee Checkin,Entry Grace Period Consequence,प्रवेश ग्रेस कालावधी परिणाम ,Payment Period Based On Invoice Date,चलन तारखेनुसार भरणा कालावधी apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},आयटमसाठी वितरण तारीख आधी असू शकत नाही {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,सामग्री विनंती लिंक @@ -4454,6 +4497,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,मॅप क apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},पंक्ती {0}: या गोदामांसाठी एक पुनरावृत्ती नोंदणी आधीपासूनच विद्यमान आहे {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,डॉक तारीख DocType: Monthly Distribution,Distribution Name,वितरण नाव +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,वर्कडे {0} पुनरावृत्ती केले गेले आहे. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,ग्रुप टू नॉन-ग्रुप apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,प्रगतीपथावर अद्ययावत यास काही वेळ लागू शकतो. DocType: Item,"Example: ABCD.##### @@ -4466,6 +4510,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,फ्यूल क्वालिटी apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,पालक 1 मोबाइल नं DocType: Invoice Discounting,Disbursed,वितरित +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,शिफ्टच्या शेवटच्या वेळानंतर उपस्थित राहण्यासाठी चेक-आउटचा विचार केला जातो. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,देय खात्यांमध्ये निव्वळ बदल apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,उपलब्ध नाही apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,अर्ध - वेळ @@ -4479,7 +4524,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,वि apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,प्रिंटमध्ये पीडीसी दर्शवा apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,दुकानदार पुरवठादार DocType: POS Profile User,POS Profile User,पीओएस प्रोफाइल वापरकर्ता -DocType: Student,Middle Name,मधले नाव DocType: Sales Person,Sales Person Name,विक्री व्यक्तीचे नाव DocType: Packing Slip,Gross Weight,एकूण वजन DocType: Journal Entry,Bill No,बिल क्रमांक @@ -4488,7 +4532,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,न DocType: Vehicle Log,HR-VLOG-.YYYY.-,एचआर-व्हॉलॉग- होय- DocType: Student,A+,ए + DocType: Issue,Service Level Agreement,सेवा स्तर करार -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,कृपया कर्मचारी आणि प्रथम तारीख निवडा apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,जमीन मूल्यांकनाची किंमत विचारात घेतलेली वस्तू मूल्यांकन मूल्य पुनरावृत्ती केली जाते DocType: Timesheet,Employee Detail,कर्मचारी तपशील DocType: Tally Migration,Vouchers,वाउचर @@ -4523,7 +4566,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,सेवा स DocType: Additional Salary,Date on which this component is applied,तारीख ज्यावर हा घटक लागू होतो apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,फोलिओ नंबरसह उपलब्ध शेअरहोल्डरची यादी apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,गेटवे खाती सेटअप. -DocType: Service Level,Response Time Period,प्रतिसाद कालावधी कालावधी +DocType: Service Level Priority,Response Time Period,प्रतिसाद कालावधी कालावधी DocType: Purchase Invoice,Purchase Taxes and Charges,कर आणि शुल्क खरेदी करा DocType: Course Activity,Activity Date,क्रियाकलाप तारीख apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,नवीन ग्राहक निवडा किंवा जोडा @@ -4548,6 +4591,7 @@ DocType: Sales Person,Select company name first.,प्रथम कंपनी apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,आर्थिक वर्ष DocType: Sales Invoice Item,Deferred Revenue,निहित महसूल apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,किमान विक्री किंवा खरेदीपैकी एक निवडणे आवश्यक आहे +DocType: Shift Type,Working Hours Threshold for Half Day,अर्धा दिवस कामकाजी तास थ्रेशोल्ड ,Item-wise Purchase History,आयटमनुसार खरेदी इतिहास apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},पंक्तीमध्ये {0} आयटमसाठी सेवा थांबविण्याची तारीख बदलू शकत नाही DocType: Production Plan,Include Subcontracted Items,उपखंडित गोष्टी समाविष्ट करा @@ -4580,6 +4624,7 @@ DocType: Journal Entry,Total Amount Currency,एकूण रक्कम चल DocType: BOM,Allow Same Item Multiple Times,एकाधिक आयटम एकाच वेळी परवानगी द्या apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,बीओएम तयार करा DocType: Healthcare Practitioner,Charges,शुल्क +DocType: Employee,Attendance and Leave Details,उपस्थित राहणे आणि सोडा DocType: Student,Personal Details,वैयक्तिक माहिती DocType: Sales Order,Billing and Delivery Status,बिलिंग आणि वितरण स्थिती apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,पंक्ती {0}: पुरवठादारांसाठी {0} ईमेल पत्ता ईमेल पाठविणे आवश्यक आहे @@ -4631,7 +4676,6 @@ DocType: Bank Guarantee,Supplier,पुरवठादार apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},मूल्य betweeen {0} आणि {1} प्रविष्ट करा DocType: Purchase Order,Order Confirmation Date,ऑर्डर पुष्टीकरण तारीख DocType: Delivery Trip,Calculate Estimated Arrival Times,अनुमानित आगमन वेळाची गणना करा -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> मानव संसाधन सेटिंग्जमध्ये कर्मचारी नामांकन प्रणाली सेट करा apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,उपभोग्य DocType: Instructor,EDU-INS-.YYYY.-,एडीयू-आयएनएस -YYYY.- DocType: Subscription,Subscription Start Date,सदस्यता प्रारंभ तारीख @@ -4654,7 +4698,7 @@ DocType: Installation Note Item,Installation Note Item,स्थापना ट DocType: Journal Entry Account,Journal Entry Account,जर्नल एंट्री खाते apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,वेरिएंट apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,फोरम क्रियाकलाप -DocType: Service Level,Resolution Time Period,ठराव वेळ कालावधी +DocType: Service Level Priority,Resolution Time Period,ठराव वेळ कालावधी DocType: Request for Quotation,Supplier Detail,पुरवठादार तपशील DocType: Project Task,View Task,कार्य पहा DocType: Serial No,Purchase / Manufacture Details,खरेदी / उत्पादन तपशील @@ -4721,6 +4765,7 @@ DocType: Sales Invoice,Commission Rate (%),आयोग दर (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,वेअरहाऊस फक्त स्टॉक एंट्री / डिलिव्हरी नोट / खरेदी पावतीद्वारे बदलता येते DocType: Support Settings,Close Issue After Days,दिवसानंतर समस्या बंद करा DocType: Payment Schedule,Payment Schedule,पेमेंट अनुसूची +DocType: Shift Type,Enable Entry Grace Period,प्रवेश ग्रेस कालावधी सक्षम करा DocType: Patient Relation,Spouse,पती / पत्नी DocType: Purchase Invoice,Reason For Putting On Hold,होल्डिंग ठेवण्याचे कारण DocType: Item Attribute,Increment,वाढ @@ -4859,6 +4904,7 @@ DocType: Authorization Rule,Customer or Item,ग्राहक किंवा DocType: Vehicle Log,Invoice Ref,चलन रेफरी apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},चलनासाठी सी-फॉर्म लागू नाही: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,चलन तयार केले +DocType: Shift Type,Early Exit Grace Period,लवकर निर्गमन ग्रेस पीरियड DocType: Patient Encounter,Review Details,पुनरावलोकन तपशील apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,पंक्ती {0}: तासांची किंमत शून्यपेक्षा मोठी असणे आवश्यक आहे. DocType: Account,Account Number,खाते क्रमांक @@ -4870,7 +4916,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","कंपनी SPA, SAPA किंवा SRL असल्यास लागू" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,दरम्यान ओव्हरलॅपिंग स्थिती आढळलीः apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,देय दिले आणि वितरित केले नाही -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,आयटम कोड अनिवार्य आहे कारण आयटम स्वयंचलितपणे क्रमांकित केला जात नाही DocType: GST HSN Code,HSN Code,एचएसएन कोड DocType: GSTR 3B Report,September,सप्टेंबर apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,प्रशासकीय खर्च @@ -4906,6 +4951,8 @@ DocType: Travel Itinerary,Travel From,पासून प्रवास apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,सीडब्ल्यूआयपी खाते DocType: SMS Log,Sender Name,प्रेषक नाव DocType: Pricing Rule,Supplier Group,पुरवठादार गट +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",इंडेक्स {1} वर \ समर्थन दिवस {0} साठी प्रारंभ वेळ आणि समाप्ती वेळ सेट करा. DocType: Employee,Date of Issue,अंकांची तारीख ,Requested Items To Be Transferred,हस्तांतरित करण्याची विनंती केलेले आयटम DocType: Employee,Contract End Date,करार समाप्ती तारीख @@ -4916,6 +4963,7 @@ DocType: Healthcare Service Unit,Vacant,रिक्त DocType: Opportunity,Sales Stage,विक्री स्टेज DocType: Sales Order,In Words will be visible once you save the Sales Order.,आपण विक्री ऑर्डर जतन केल्यानंतर शब्दांमध्ये दृश्यमान होईल. DocType: Item Reorder,Re-order Level,परत ऑर्डर +DocType: Shift Type,Enable Auto Attendance,स्वयं उपस्थित असणे सक्षम करा apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,प्राधान्य ,Department Analytics,विभाग विश्लेषण DocType: Crop,Scientific Name,शास्त्रीय नाव @@ -4928,6 +4976,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} स्थि DocType: Quiz Activity,Quiz Activity,क्विझ क्रियाकलाप apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} वैध पेरोल कालावधीमध्ये नाही DocType: Timesheet,Billed,बिल केले +apps/erpnext/erpnext/config/support.py,Issue Type.,समस्या प्रकार DocType: Restaurant Order Entry,Last Sales Invoice,अंतिम विक्री चलन DocType: Payment Terms Template,Payment Terms,देयक अटी apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","राखीव किंमतः विक्रीसाठी मागणी केलेली रक्कम, परंतु वितरित नाही." @@ -5022,6 +5071,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,मालमत्ता apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} कडे हेल्थकेअर प्रॅक्टिशनर शेड्यूल नाही. हेल्थकेअर प्रॅक्टिशनर मास्टरमध्ये जोडा DocType: Vehicle,Chassis No,चेसिस क्र +DocType: Employee,Default Shift,डिफॉल्ट शिफ्ट apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,कंपनी संक्षेप apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,मटेरियल ऑफ बिल ऑफ मटेरियल DocType: Article,LMS User,एलएमएस यूजर @@ -5070,6 +5120,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,एज-एफएसटी- होय. DocType: Sales Person,Parent Sales Person,पालक विक्री व्यक्ती DocType: Student Group Creation Tool,Get Courses,अभ्यासक्रम मिळवा 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 असणे आवश्यक आहे. कृपया एकाधिक qty साठी वेगळी पंक्ती वापरा." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),कामकाजाचा तास ज्या खाली अनुपस्थित आहे. (शून्य अक्षम करणे) DocType: Customer Group,Only leaf nodes are allowed in transaction,व्यवहारामध्ये केवळ पानांची नोड्सची परवानगी आहे DocType: Grant Application,Organization,संघटना DocType: Fee Category,Fee Category,फी श्रेणी @@ -5082,6 +5133,7 @@ DocType: Payment Order,PMO-,पीएमओ- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,कृपया या प्रशिक्षण कार्यक्रमासाठी आपली स्थिती अद्यतनित करा DocType: Volunteer,Morning,सकाळी DocType: Quotation Item,Quotation Item,कोटेशन आयटम +apps/erpnext/erpnext/config/support.py,Issue Priority.,समस्या प्राधान्य DocType: Journal Entry,Credit Card Entry,क्रेडिट कार्ड एंट्री apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","टाईम स्लॉट वगळता, स्लॉट {0} ते {1} एक्झीझिटिंग स्लॉट {2} ते {3}" DocType: Journal Entry Account,If Income or Expense,उत्पन्न किंवा खर्च असल्यास @@ -5132,11 +5184,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,डेटा आयात आणि सेटिंग्ज 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: Account,Expense Account,खर्च खाते +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,शिफ्ट सुरू होण्याआधी वेळ ज्याच्या दरम्यान कर्मचार्यांकडून चेक-इनचा विचार केला जातो. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,पालक 1 सह संबंध apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,चलन तयार करा apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},भरणा विनंती आधीपासून अस्तित्वात आहे {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',कर्मचार्यास {0} वर रिलीझ केलेले कर्मचारी 'डावे' म्हणून सेट केले जावे apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},देय द्या {0} {1} +DocType: Company,Sales Settings,विक्री सेटिंग्ज DocType: Sales Order Item,Produced Quantity,उत्पादित प्रमाणात apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,खालील दुव्यावर क्लिक करून कोटेशनसाठी विनंतीमध्ये प्रवेश केला जाऊ शकतो DocType: Monthly Distribution,Name of the Monthly Distribution,मासिक वितरण नाव @@ -5215,6 +5269,7 @@ DocType: Company,Default Values,मुलभूत मुल्य apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,विक्री आणि खरेदीसाठी डीफॉल्ट कर टेम्पलेट तयार केले आहेत. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,सोडा प्रकार {0} वाहून जाऊ शकत नाही apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,डेबिट खाते एक प्राप्त करण्यायोग्य खाते असणे आवश्यक आहे +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},कृपया कंपनीमधील वेअरहाऊस {0} किंवा डिफॉल्ट इन्व्हेस्टरी खात्यात खाते सेट करा {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,डीफॉल्ट म्हणून सेट DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),या पॅकेजचे निव्वळ वजन. (आयटमचे निव्वळ वजन म्हणून स्वयंचलितपणे मोजले जाते) @@ -5241,8 +5296,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,कालबाह्य बॅच DocType: Shipping Rule,Shipping Rule Type,शिपिंग नियम प्रकार DocType: Job Offer,Accepted,स्वीकारले -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी {0} \ हटवा" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,आपण आधीपासूनच मूल्यांकन निकष {} साठी मूल्यांकन केले आहे. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,बॅच नंबर निवडा apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),वय (दिवस) @@ -5269,6 +5322,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,आपले डोमेन निवडा DocType: Agriculture Task,Task Name,कार्य नाव apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,आधीच काम ऑर्डरसाठी तयार स्टॉक स्टॉक +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी {0} \ हटवा" ,Amount to Deliver,वितरणाची रक्कम apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,कंपनी {0} अस्तित्वात नाही apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,दिलेल्या आयटमसाठी दुवा साधण्यासाठी कोणतीही प्रलंबित सामग्री विनंती आढळली नाही. @@ -5318,6 +5373,7 @@ DocType: Program Enrollment,Enrolled courses,नामांकित अभ् DocType: Lab Prescription,Test Code,चाचणी कोड DocType: Purchase Taxes and Charges,On Previous Row Total,मागील पंक्ती एकूण DocType: Student,Student Email Address,विद्यार्थी ईमेल पत्ता +,Delayed Item Report,देय आयटम अहवाल DocType: Academic Term,Education,शिक्षण DocType: Supplier Quotation,Supplier Address,पुरवठादार पत्ता DocType: Salary Detail,Do not include in total,एकूण समाविष्ट करू नका @@ -5325,7 +5381,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} अस्तित्वात नाही DocType: Purchase Receipt Item,Rejected Quantity,नाकारलेले प्रमाण DocType: Cashier Closing,To TIme,टिम करण्यासाठी -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},यूओएम रुपांतरण घटक ({0} -> {1}) आयटमसाठी सापडला नाही: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,दैनिक कार्य सारांश गट वापरकर्ता DocType: Fiscal Year Company,Fiscal Year Company,आर्थिक वर्ष कंपनी apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,पर्यायी आयटम आयटम कोडसारखाच नसतो @@ -5377,6 +5432,7 @@ DocType: Program Fee,Program Fee,कार्यक्रम शुल्क DocType: Delivery Settings,Delay between Delivery Stops,वितरण स्टॉप दरम्यान विलंब DocType: Stock Settings,Freeze Stocks Older Than [Days],जुन्या स्टॉक पेक्षा जुन्या [दिवस] DocType: Promotional Scheme,Promotional Scheme Product Discount,प्रमोशनल स्कीम उत्पादन सवलत +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,समस्या प्राधान्य आधीपासूनच अस्तित्वात आहे DocType: Account,Asset Received But Not Billed,मालमत्ता प्राप्त झाली परंतु बिल भरली नाही DocType: POS Closing Voucher,Total Collected Amount,एकूण एकत्रित रक्कम DocType: Course,Default Grading Scale,डीफॉल्ट ग्रेडिंग स्केल @@ -5418,6 +5474,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,पूर्तता अटी apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,ग्रुप टू ग्रुप DocType: Student Guardian,Mother,आई +DocType: Issue,Service Level Agreement Fulfilled,सेवा स्तर करार पूर्ण DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,अनिवार्य कर्मचारी बेनिफिटसाठी कर भरणे DocType: Travel Request,Travel Funding,प्रवास निधी DocType: Shipping Rule,Fixed,निश्चित @@ -5447,10 +5504,12 @@ DocType: Item,Warranty Period (in days),वारंटी कालावधी apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,कोणतीही वस्तू सापडली नाहीत. DocType: Item Attribute,From Range,श्रेणीतून DocType: Clinical Procedure,Consumables,उपभोग्य +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' आणि 'टाइमस्टॅम्प' आवश्यक आहेत. DocType: Purchase Taxes and Charges,Reference Row #,संदर्भ पंक्ती # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},कृपया कंपनीमध्ये 'मालमत्ता घसारा किंमत केंद्र' सेट करा {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,पंक्ती # {0}: पेमेंट दस्तऐवज ट्रॅझॅक्शन पूर्ण करण्यासाठी आवश्यक आहे DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ऍमेझॉन MWS वरून आपला विक्री ऑर्डर डेटा काढण्यासाठी या बटणावर क्लिक करा. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),कामकाजाचे तास ज्याच्या खाली अर्ध दिवस चिन्हांकित आहे. (शून्य अक्षम करणे) ,Assessment Plan Status,मूल्यांकन योजना स्थिती apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,कृपया प्रथम {0} निवडा apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,कर्मचारी रेकॉर्ड तयार करण्यासाठी हे सबमिट करा @@ -5521,6 +5580,7 @@ DocType: Quality Procedure,Parent Procedure,पालक प्रक्रि apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,सेट उघडा apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,फिल्टर टॉगल करा DocType: Production Plan,Material Request Detail,सामग्री विनंती तपशील +DocType: Shift Type,Process Attendance After,प्रक्रिया उपस्थिती नंतर DocType: Material Request Item,Quantity and Warehouse,प्रमाण आणि वेअरहाऊस apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,प्रोग्राम्स वर जा apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},पंक्ती # {0}: संदर्भांमध्ये डुप्लीकेट एंट्री {1} {2} @@ -5578,6 +5638,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,पक्ष माहिती apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),कर्जदार ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,कर्मचार्याची रिलीव्हिंग डेटापेक्षा आजची तारीख जास्त असू शकत नाही +DocType: Shift Type,Enable Exit Grace Period,निर्गमन ग्रेस कालावधी सक्षम करा DocType: Expense Claim,Employees Email Id,कर्मचारी ईमेल आयडी DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,शॉपिफा ते ईआरपीएनक्स्ट किंमत सूचीमधून किंमत अद्यतनित करा DocType: Healthcare Settings,Default Medical Code Standard,डीफॉल्ट मेडिकल कोड मानक @@ -5608,7 +5669,6 @@ DocType: Item Group,Item Group Name,आयटम गट नाव DocType: Budget,Applicable on Material Request,भौतिक विनंतीवर लागू DocType: Support Settings,Search APIs,शोध API DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,विक्री ऑर्डरसाठी ओव्हरप्रॉडक्शन टक्केवारी -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,तपशील DocType: Purchase Invoice,Supplied Items,पुरवलेली वस्तू DocType: Leave Control Panel,Select Employees,कर्मचारी निवडा apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},कर्जामध्ये व्याज उत्पन्न खाते निवडा {0} @@ -5634,7 +5694,7 @@ DocType: Salary Slip,Deductions,कपात ,Supplier-Wise Sales Analytics,पुरवठादार-ज्ञान विक्री विश्लेषणे DocType: GSTR 3B Report,February,फेब्रुवारी DocType: Appraisal,For Employee,कर्मचारी साठी -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,वास्तविक वितरण तारीख +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,वास्तविक वितरण तारीख DocType: Sales Partner,Sales Partner Name,विक्री भागीदार नाव apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,घसारा पंक्ती {0}: कालबाह्यता प्रारंभ तारीख मागील तारखेप्रमाणे प्रविष्ट केली आहे DocType: GST HSN Code,Regional,प्रादेशिक @@ -5673,6 +5733,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,ए DocType: Supplier Scorecard,Supplier Scorecard,पुरवठादार स्कोअरकार्ड DocType: Travel Itinerary,Travel To,प्रवास apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,उपस्थित राहा +DocType: Shift Type,Determine Check-in and Check-out,चेक इन आणि चेक-आउट निश्चित करा DocType: POS Closing Voucher,Difference,फरक apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,लहान DocType: Work Order Item,Work Order Item,कार्य ऑर्डर आयटम @@ -5706,6 +5767,7 @@ DocType: Sales Invoice,Shipping Address Name,शिपिंग पत्ता apps/erpnext/erpnext/healthcare/setup.py,Drug,औषध apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} बंद आहे DocType: Patient,Medical History,वैद्यकीय इतिहास +DocType: Expense Claim,Expense Taxes and Charges,खर्च कर आणि शुल्क DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,सबस्क्रिप्शन रद्द करण्यापूर्वी सदस्यता रद्द होण्याच्या तारखेनंतर किंवा सदस्यता न घेतल्याच्या संख्येची संख्या apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,स्थापना टीप {0} आधीपासून सबमिट केली गेली आहे DocType: Patient Relation,Family,कुटुंब @@ -5738,7 +5800,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,सामर्थ्य apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} हे व्यवहार पूर्ण करण्यासाठी {1} मधील {1} घटकांची आवश्यकता आहे. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,बॅकफ्लुश कच्चा माल सब-कॉन्ट्रॅक्टवर आधारित -DocType: Bank Guarantee,Customer,ग्राहक DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",सक्षम असल्यास फील्ड फील्ड अकादमीमध्ये शैक्षणिक कालावधी अनिवार्य असेल. DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","बॅच आधारित विद्यार्थी गटासाठी, कार्यक्रम नोंदणीमधून प्रत्येक विद्यार्थ्यासाठी विद्यार्थी बॅच प्रमाणित केले जाईल." DocType: Course,Topics,विषय @@ -5818,6 +5879,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,अध्याय सदस्य DocType: Warranty Claim,Service Address,सेवा पत्ता DocType: Journal Entry,Remark,टिप्पणी द्या +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),पंक्ती {0}: प्रवेशाच्या वेळेस {{}} गोदाम {1} मध्ये {4} साठी प्रमाण उपलब्ध नाही ({2} {3}) DocType: Patient Encounter,Encounter Time,Encounter वेळ DocType: Serial No,Invoice Details,चलन तपशील apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","गटांखाली पुढील खाती तयार केली जाऊ शकतात, परंतु गटाच्या विरूद्ध नोंदी केल्या जाऊ शकतात" @@ -5898,6 +5960,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),बंद करणे (उघडणे + एकूण) DocType: Supplier Scorecard Criteria,Criteria Formula,निकष फॉर्म्युला apps/erpnext/erpnext/config/support.py,Support Analytics,समर्थन विश्लेषक +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),उपस्थिती डिव्हाइस आयडी (बॉयोमेट्रिक / आरएफ टॅग आयडी) apps/erpnext/erpnext/config/quality_management.py,Review and Action,पुनरावलोकन आणि कृती DocType: Account,"If the account is frozen, entries are allowed to restricted users.","खाते गोठलेले असल्यास, प्रतिबंधित वापरकर्त्यांना प्रवेश करण्याची परवानगी आहे." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,घसारा नंतर रक्कम @@ -5919,6 +5982,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,कर्ज परतफेड DocType: Employee Education,Major/Optional Subjects,प्रमुख / वैकल्पिक विषय DocType: Soil Texture,Silt,झुडूप +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,पुरवठादार पत्ते आणि संपर्क DocType: Bank Guarantee,Bank Guarantee Type,बँक गॅरंटी प्रकार DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","अक्षम केल्यास, 'रॅंडेड टोटल' फील्ड कोणत्याही व्यवहारामध्ये दृश्यमान होणार नाही" DocType: Pricing Rule,Min Amt,किमान एमटी @@ -5957,6 +6021,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,उघडणारे चलन निर्मिती साधन आयटम DocType: Soil Analysis,(Ca+Mg)/K,(सीए + एमजी) / के DocType: Bank Reconciliation,Include POS Transactions,पीओएस व्यवहार समाविष्ट करा +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},दिलेल्या कर्मचार्यांच्या फील्ड मूल्यासाठी कोणत्याही कर्मचार्याला आढळले नाही. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),रक्कम प्राप्त केली (कंपनी चलन) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","लोकल स्टोरेज भरले आहे, जतन केले नाही" DocType: Chapter Member,Chapter Member,अध्याय सदस्य @@ -5989,6 +6054,7 @@ DocType: SMS Center,All Lead (Open),सर्व लीड (ओपन) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,कोणतेही विद्यार्थी गट तयार केले नाहीत. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},त्याच {1} सह डुप्लिकेट पंक्ती {0} DocType: Employee,Salary Details,वेतन तपशील +DocType: Employee Checkin,Exit Grace Period Consequence,ग्रेस पीरियड कालावधीमधून बाहेर पडा DocType: Bank Statement Transaction Invoice Item,Invoice,चलन DocType: Special Test Items,Particulars,तपशील apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,कृपया आयटम किंवा वेअरहाऊसवर आधारित फिल्टर सेट करा @@ -6089,6 +6155,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,एएमसी बाहेर DocType: Job Opening,"Job profile, qualifications required etc.","जॉब प्रोफाइल, पात्रता आवश्यक" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,राज्य करण्यासाठी जहाज +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,आपण सामग्री विनंती सबमिट करू इच्छिता DocType: Opportunity Item,Basic Rate,मूलभूत दर DocType: Compensatory Leave Request,Work End Date,काम समाप्ती तारीख apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,कच्च्या मालाची विनंती @@ -6272,6 +6339,7 @@ DocType: Depreciation Schedule,Depreciation Amount,घसारा रक्क DocType: Sales Order Item,Gross Profit,निव्वळ नफा DocType: Quality Inspection,Item Serial No,आयटम सीरियल नं DocType: Asset,Insurer,विमा +DocType: Employee Checkin,OUT,बाहेर apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,रक्कम खरेदी DocType: Asset Maintenance Task,Certificate Required,प्रमाणपत्र आवश्यक DocType: Retention Bonus,Retention Bonus,अवधारण बोनस @@ -6471,7 +6539,6 @@ DocType: Travel Request,Costing,खर्च apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,स्थिर मालमत्ता DocType: Purchase Order,Ref SQ,रेफरी एसक्यू DocType: Salary Structure,Total Earning,एकूण कमाई -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> प्रदेश DocType: Share Balance,From No,नाही पासून DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,पेमेंट रीकॉन्सीलेशन इनव्हॉइस DocType: Purchase Invoice,Taxes and Charges Added,कर आणि शुल्क जोडले @@ -6579,6 +6646,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,किंमत नियम दुर्लक्षित करा apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,अन्न DocType: Lost Reason Detail,Lost Reason Detail,गमावले कारण तपशील +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},खालील अनुक्रमांक तयार केले गेले:
{0} DocType: Maintenance Visit,Customer Feedback,ग्राहक अभिप्राय DocType: Serial No,Warranty / AMC Details,वारंटी / एएमसी तपशील DocType: Issue,Opening Time,उघडण्याची वेळ @@ -6628,6 +6696,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,कंपनीचे नाव समान नाही apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,प्रमोशनच्या तारखेपूर्वी कर्मचारी पदोन्नती सादर केली जाऊ शकत नाही apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} पेक्षा जुने स्टॉक व्यवहार अद्यतनित करण्याची परवानगी नाही +DocType: Employee Checkin,Employee Checkin,कर्मचारी चेकइन apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},आयटम {0} साठी समाप्ती तारीख समाप्तीपेक्षा कमी असावी apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,ग्राहक कोट तयार करा DocType: Buying Settings,Buying Settings,खरेदी सेटिंग्ज @@ -6648,6 +6717,7 @@ DocType: Job Card Time Log,Job Card Time Log,जॉब कार्ड वेळ DocType: Patient,Patient Demographics,रोगी लोकसंख्याशास्त्र DocType: Share Transfer,To Folio No,फोलिओ क्र apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ऑपरेशन्समधून कॅश फ्लो +DocType: Employee Checkin,Log Type,लॉग प्रकार DocType: Stock Settings,Allow Negative Stock,नकारात्मक स्टॉक परवानगी द्या apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,कोणत्याही आयटममध्ये प्रमाण किंवा मूल्यामध्ये कोणतेही बदल नाहीत. DocType: Asset,Purchase Date,खरेदी दिनांक @@ -6692,6 +6762,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,खूप हायपर apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,आपल्या व्यवसायाचा स्वभाव निवडा. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,कृपया महिना आणि वर्ष निवडा +DocType: Service Level,Default Priority,डीफॉल्ट प्राधान्य DocType: Student Log,Student Log,विद्यार्थी लॉग DocType: Shopping Cart Settings,Enable Checkout,चेकआउट सक्षम करा apps/erpnext/erpnext/config/settings.py,Human Resources,मानव संसाधन @@ -6720,7 +6791,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext सह Shopify कनेक्ट करा DocType: Homepage Section Card,Subtitle,उपशीर्षक DocType: Soil Texture,Loam,लोम -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार DocType: BOM,Scrap Material Cost(Company Currency),स्क्रॅप सामग्री खर्च (कंपनी चलन) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,डिलिव्हरी नोट {0} सादर करणे आवश्यक नाही DocType: Task,Actual Start Date (via Time Sheet),वास्तविक प्रारंभ तारीख (टाइम शीट मार्गे) @@ -6776,6 +6846,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,डोस DocType: Cheque Print Template,Starting position from top edge,शीर्ष किनार्यापासून सुरू होणारी स्थिती apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),नियुक्त कालावधी (मिनिटे) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},या कर्मचार्याकडे आधीपासूनच एकाच टाइमस्टॅम्पसह लॉग आहे. {0} DocType: Accounting Dimension,Disable,अक्षम करा DocType: Email Digest,Purchase Orders to Receive,खरेदी ऑर्डर प्राप्त करण्यासाठी apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,प्रॉडक्शन ऑर्डरसाठी वाढता येणार नाहीः @@ -6791,7 +6862,6 @@ DocType: Production Plan,Material Requests,साहित्य विनंत DocType: Buying Settings,Material Transferred for Subcontract,सबकंट्रॅक्टसाठी साहित्य हस्तांतरित DocType: Job Card,Timing Detail,वेळेचा तपशील apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,आवश्यक -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{1} ची {0} आयात करीत आहे DocType: Job Offer Term,Job Offer Term,जॉब ऑफर टर्म DocType: SMS Center,All Contact,सर्व संपर्क DocType: Project Task,Project Task,प्रकल्प कार्य @@ -6842,7 +6912,6 @@ DocType: Student Log,Academic,शैक्षणिक apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,आयटम {0} सीरियल नंबरसाठी सेट केलेले नाही आयटम आयटम तपासा apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,राज्य पासून DocType: Leave Type,Maximum Continuous Days Applicable,कमाल सतत दिवस लागू -apps/erpnext/erpnext/config/support.py,Support Team.,सहाय्यक चमू. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,कृपया प्रथम कंपनीचे नाव प्रविष्ट करा apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,आयात यशस्वी DocType: Guardian,Alternate Number,पर्यायी संख्या @@ -6934,6 +7003,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,पंक्ती # {0}: आयटम जोडला DocType: Student Admission,Eligibility and Details,पात्रता आणि तपशील DocType: Staffing Plan,Staffing Plan Detail,कर्मचारी योजना तपशील +DocType: Shift Type,Late Entry Grace Period,लेट एंट्री ग्रेस पीरियड DocType: Email Digest,Annual Income,वार्षिक उत्पन्न DocType: Journal Entry,Subscription Section,सदस्यता विभाग DocType: Salary Slip,Payment Days,पेमेंट दिवस @@ -6984,6 +7054,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,खात्यातील शिल्लक DocType: Asset Maintenance Log,Periodicity,कालावधी apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,वैद्यकीय रेकॉर्ड +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,शिफ्टमध्ये पडलेल्या चेक-इनसाठी लॉग प्रकार आवश्यक आहे: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,अंमलबजावणी DocType: Item,Valuation Method,मूल्यमापन पद्धत apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} विक्री चलन विरूद्ध {1} @@ -7068,6 +7139,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,अंदाजे क DocType: Loan Type,Loan Name,कर्जाचे नाव apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,देयाच्या डिफॉल्ट मोड सेट करा DocType: Quality Goal,Revision,पुनरावृत्ती +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,चेक-आउट वेळेच्या सुरुवातीस (मिनिटांमध्ये) मानला जातो तेव्हा शिफ्टच्या वेळेच्या वेळेस. DocType: Healthcare Service Unit,Service Unit Type,सेवा युनिट प्रकार DocType: Purchase Invoice,Return Against Purchase Invoice,खरेदी चलन विरुद्ध परत करा apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,गुप्त तयार करा @@ -7221,12 +7293,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,सौंदर्यप्रसाधने DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,आपण वापरकर्त्यास जतन करण्यापूर्वी मालिका निवडण्याची सक्ती करू इच्छित असल्यास हे तपासा. आपण हे तपासल्यास डीफॉल्ट नसेल. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,या भूमिका असलेल्या वापरकर्त्यांना गोठविलेली खाती सेट करण्यास आणि गोठविलेल्या खात्यांवरील लेखांकन नोंदी तयार / सुधारित करण्याची परवानगी आहे +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड DocType: Expense Claim,Total Claimed Amount,एकूण दावा केलेला रक्कम 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} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,लपेटणे apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,आपली सदस्यता 30 दिवसांच्या आत कालबाह्य झाल्यास आपण नूतनीकरण करू शकता apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},मूल्य {0} आणि {1} दरम्यान असणे आवश्यक आहे DocType: Quality Feedback,Parameters,परिमाणे +DocType: Shift Type,Auto Attendance Settings,स्वयं उपस्थिती सेटिंग्ज ,Sales Partner Transaction Summary,विक्री भागीदार हस्तांतरण सारांश DocType: Asset Maintenance,Maintenance Manager Name,देखरेख व्यवस्थापक नाव apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,आयटम तपशील आणण्यासाठी आवश्यक आहे. @@ -7318,10 +7392,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,लागू नियम मान्य करा DocType: Job Card Item,Job Card Item,जॉब कार्ड आयटम DocType: Homepage,Company Tagline for website homepage,वेबसाइट मुख्यपृष्ठासाठी कंपनी टॅगलाइन +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,निर्देशांक {1} वर प्राधान्य {0} साठी प्रतिसाद वेळ आणि ठराव सेट करा. DocType: Company,Round Off Cost Center,गोल ऑफ सेंटर DocType: Supplier Scorecard Criteria,Criteria Weight,निकष वजन DocType: Asset,Depreciation Schedules,घसारा वेळापत्रक -DocType: Expense Claim Detail,Claim Amount,दावा रक्कम DocType: Subscription,Discounts,सवलत DocType: Shipping Rule,Shipping Rule Conditions,शिपिंग नियम अटी DocType: Subscription,Cancelation Date,रद्द करण्याची तारीख @@ -7349,7 +7423,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,लीड्स तय apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,शून्य मूल्ये दर्शवा DocType: Employee Onboarding,Employee Onboarding,कर्मचारी ऑनबोर्डिंग DocType: POS Closing Voucher,Period End Date,कालावधी समाप्ती तारीख -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,स्रोत द्वारे विक्री संधी DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,सूचीतील प्रथम लीव्ह अॅग्रोव्हर डिफॉल्ट लीव्ह अॅपॉव्हर म्हणून सेट केले जाईल. DocType: POS Settings,POS Settings,पीओएस सेटिंग्ज apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,सर्व खाती @@ -7370,7 +7443,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,बँ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,पंक्ती # {0}: दर {1}: {2} ({3} / {4} सारखे असणे आवश्यक आहे. DocType: Clinical Procedure,HLC-CPR-.YYYY.-,एचएलसी-सीपीआर -YYYY.- DocType: Healthcare Settings,Healthcare Service Items,हेल्थकेअर सेवा आयटम -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,कोणतेही रेकॉर्ड आढळले नाहीत apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,वय श्रेणी 3 DocType: Vital Signs,Blood Pressure,रक्तदाब apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,लक्ष्य चालू @@ -7417,6 +7489,7 @@ DocType: Company,Existing Company,विद्यमान कंपनी apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,बॅच apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,संरक्षण DocType: Item,Has Batch No,बॅच क्रमांक आहे +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,विलंब दिवस DocType: Lead,Person Name,व्यक्तीचे नाव DocType: Item Variant,Item Variant,आयटम वेरिएंट DocType: Training Event Employee,Invited,आमंत्रित @@ -7438,7 +7511,7 @@ DocType: Purchase Order,To Receive and Bill,प्राप्त करणे apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","वैध पेरोल कालावधीमध्ये प्रारंभ आणि समाप्ती तारीख नाहीत, {0} ची गणना करू शकत नाही." DocType: POS Profile,Only show Customer of these Customer Groups,केवळ या ग्राहक गटाचे ग्राहक दर्शवा apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,चलन जतन करण्यासाठी आयटम निवडा -DocType: Service Level,Resolution Time,ठराव वेळ +DocType: Service Level Priority,Resolution Time,ठराव वेळ DocType: Grading Scale Interval,Grade Description,ग्रेड वर्णन DocType: Homepage Section,Cards,कार्डे DocType: Quality Meeting Minutes,Quality Meeting Minutes,गुणवत्ता बैठक मिनिटे @@ -7464,6 +7537,7 @@ DocType: Project,Gross Margin %,एकूण मार्जिन % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,सामान्य लेजरनुसार बँक स्टेटमेन्ट शिल्लक apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),हेल्थकेअर (बीटा) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,विक्री ऑर्डर आणि वितरण नोट तयार करण्यासाठी डीफॉल्ट वेअरहाऊस +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,इंडेक्स {0} वर {0} साठी प्रतिसाद वेळ रेझोल्यूशनच्या वेळेपेक्षा जास्त असू शकत नाही. DocType: Opportunity,Customer / Lead Name,ग्राहक / लीड नाव DocType: Student,EDU-STU-.YYYY.-,एडीयू-एसटीयू -YYYY.- DocType: Expense Claim Advance,Unclaimed amount,अनिवार्य रक्कम @@ -7509,7 +7583,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,पक्ष आणि पत्ते आयात करीत आहे DocType: Item,List this Item in multiple groups on the website.,वेबसाइटवरील एकाधिक गटांमध्ये या आयटमची सूची करा. DocType: Request for Quotation,Message for Supplier,पुरवठादार संदेश -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,आयटम {1} साठी स्टॉक ट्रान्झॅक्शन म्हणून {0} बदलू शकत नाही. DocType: Healthcare Practitioner,Phone (R),फोन (आर) DocType: Maintenance Team Member,Team Member,संघ सदस्य DocType: Asset Category Account,Asset Category Account,मालमत्ता वर्ग खाते diff --git a/erpnext/translations/ms.csv b/erpnext/translations/ms.csv index 9279cdeb48..d2486d5092 100644 --- a/erpnext/translations/ms.csv +++ b/erpnext/translations/ms.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Tarikh Permulaan Tempoh apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Pelantikan {0} dan Invois Jualan {1} dibatalkan DocType: Purchase Receipt,Vehicle Number,Nombor Kenderaan apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Alamat e-mel anda ... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Sertakan Penyertaan Buku Lalai +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Sertakan Penyertaan Buku Lalai DocType: Activity Cost,Activity Type,Jenis Aktiviti DocType: Purchase Invoice,Get Advances Paid,Dapatkan Pendahuluan Dibayar DocType: Company,Gain/Loss Account on Asset Disposal,Akaun Keuntungan / Kerugian Pembuangan Aset @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Apa yang dilakuk DocType: Bank Reconciliation,Payment Entries,Penyertaan Bayaran DocType: Employee Education,Class / Percentage,Kelas / Peratusan ,Electronic Invoice Register,Daftar Invois Elektronik +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Bilangan kejadian yang selepas itu akibatnya dilaksanakan. DocType: Sales Invoice,Is Return (Credit Note),Adakah Pulangan (Nota Kredit) +DocType: Price List,Price Not UOM Dependent,Harga tidak bergantung kepada UOM DocType: Lab Test Sample,Lab Test Sample,Sampel Ujian Makmal DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Untuk contoh 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Carian Produk DocType: Salary Slip,Net Pay,Bayaran bersih apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Amaun Amaun Invois DocType: Clinical Procedure,Consumables Invoice Separately,Invois yang boleh digunakan secara berasingan +DocType: Shift Type,Working Hours Threshold for Absent,Ambang Waktu Bekerja untuk Absen DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Belanjawan tidak boleh ditugaskan melawan Akaun Kumpulan {0} DocType: Purchase Receipt Item,Rate and Amount,Kadar dan Jumlah @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Tetapkan Gudang Sumber DocType: Healthcare Settings,Out Patient Settings,Daripada Seting Pesakit DocType: Asset,Insurance End Date,Tarikh Akhir Insurans DocType: Bank Account,Branch Code,Kod Cawangan -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Masa Untuk Menjawab apps/erpnext/erpnext/public/js/conf.js,User Forum,Forum Pengguna DocType: Landed Cost Item,Landed Cost Item,Item Kos yang Didarat 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 @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Pemilik Utama DocType: Share Transfer,Transfer,Pemindahan apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Item Carian (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,Keputusan {0} diserahkan +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Dari tarikh tidak boleh lebih besar daripada Sehingga kini DocType: Supplier,Supplier of Goods or Services.,Pembekal Barangan atau Perkhidmatan. 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 buat akaun untuk Pelanggan dan Pembekal apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Kumpulan Pelajar atau Jadual Kursus adalah wajib @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Pangkalan da DocType: Skill,Skill Name,Nama kemahiran apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Cetak Kad Laporan DocType: Soil Texture,Ternary Plot,Plot Ternary -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Tiket Sokongan DocType: Asset Category Account,Fixed Asset Account,Akaun Aset Tetap apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Terkini @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Jarak UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Lembaran Imbangan Mandatori DocType: Payment Entry,Total Allocated Amount,Jumlah yang diperuntukkan DocType: Sales Invoice,Get Advances Received,Dapatkan Mendapat Penerimaan +DocType: Shift Type,Last Sync of Checkin,Penyegerakan Semula Terakhir DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Amaun Cukai Perkara Termasuk dalam Nilai apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Pelan Langganan DocType: Student,Blood Group,Kumpulan darah apps/erpnext/erpnext/config/healthcare.py,Masters,Sarjana DocType: Crop,Crop Spacing UOM,Spek Tanaman UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Masa selepas masa peralihan semasa daftar masuk dianggap lewat (dalam minit). apps/erpnext/erpnext/templates/pages/home.html,Explore,Meneroka +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Tiada invois yang belum dijumpai apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} kekosongan dan {1} belanjawan untuk {2} yang telah dirancang untuk anak-anak syarikat {3}. Anda hanya boleh merancang untuk kekosongan {4} dan anggaran {5} seperti perancangan kakitangan {6} untuk syarikat induk {3}. DocType: Promotional Scheme,Product Discount Slabs,Slab Diskaun Produk @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Permintaan Kehadiran DocType: Item,Moving Average,Bergerak purata DocType: Employee Attendance Tool,Unmarked Attendance,Kehadiran yang tidak ditanda DocType: Homepage Section,Number of Columns,Bilangan Lajur +DocType: Issue Priority,Issue Priority,Keutamaan Terbitan DocType: Holiday List,Add Weekly Holidays,Tambah Cuti Mingguan DocType: Shopify Log,Shopify Log,Log Shopify apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Buat Slip Gaji @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Nilai / Penerangan DocType: Warranty Claim,Issue Date,Tarikh Keluaran 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 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Tidak boleh membuat Bonus Pengekalan untuk Pekerja kiri +DocType: Employee Checkin,Location / Device ID,ID Lokasi / Peranti DocType: Purchase Order,To Receive,Untuk menerima apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Anda berada dalam mod luar talian. Anda tidak akan dapat memuatkan semula sehingga anda mempunyai rangkaian. DocType: Course Activity,Enrollment,Pendaftaran @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Templat Ujian Lab apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-Invoicing Information Missing apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Tiada permintaan material yang dibuat -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod Item> Kumpulan Item> Jenama DocType: Loan,Total Amount Paid,Jumlah Amaun Dibayar apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Semua barang-barang ini telah dimasukkan ke dalam invois DocType: Training Event,Trainer Name,Nama Jurulatih @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Sila nyatakan Nama Utama dalam Lead {0} DocType: Employee,You can enter any date manually,Anda boleh memasukkan sebarang tarikh secara manual DocType: Stock Reconciliation Item,Stock Reconciliation Item,Item Penyelesaian Stok +DocType: Shift Type,Early Exit Consequence,Akibat Keluar Awal DocType: Item Group,General Settings,Tetapan umum apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Date Due tidak boleh sebelum Tarikh Invois Penanda / Pembekal apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Masukkan nama Benefisiari sebelum dihantar. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,Juruaudit apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Pengesahan pembayaran ,Available Stock for Packing Items,Stok Tersedia untuk Item Pembungkusan apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Sila keluarkan Invois ini {0} dari C-Borang {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Setiap Daftar Masuk Sah dan Daftar Keluar DocType: Support Search Source,Query Route String,Laluan Laluan Permintaan DocType: Customer Feedback Template,Customer Feedback Template,Template Maklumbalas Pelanggan apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Petikan kepada Leads atau Pelanggan. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Kawalan Kebenaran ,Daily Work Summary Replies,Balasan Ringkasan Kerja Harian apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Anda telah dijemput untuk bekerjasama pada projek: {0} +DocType: Issue,Response By Variance,Tanggapan Mengikut Varians DocType: Item,Sales Details,Butiran Jualan apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Surat Ketua untuk templat cetak. DocType: Salary Detail,Tax on additional salary,Cukai ke atas gaji tambahan @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Alamat Pe DocType: Project,Task Progress,Kemajuan Tugas DocType: Journal Entry,Opening Entry,Kemasukan Pembukaan DocType: Bank Guarantee,Charges Incurred,Caj Ditanggung +DocType: Shift Type,Working Hours Calculation Based On,Pengiraan Jam Kerja Berdasarkan DocType: Work Order,Material Transferred for Manufacturing,Bahan yang Dipindahkan untuk Pembuatan DocType: Products Settings,Hide Variants,Sembunyikan Variasi DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Lumpuhkan Perancangan Kapasiti dan Penjejakan Masa @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,Susut nilai DocType: Guardian,Interests,Kepentingan DocType: Purchase Receipt Item Supplied,Consumed Qty,Dikuasai Qty DocType: Education Settings,Education Manager,Pengurus Pendidikan +DocType: Employee Checkin,Shift Actual Start,Shift Actual Start DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Merancang log masa di luar Waktu Kerja Workstation. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Mata Kesetiaan: {0} DocType: Healthcare Settings,Registration Message,Mesej Pendaftaran @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Invois telah dibuat untuk semua jam pengebilan DocType: Sales Partner,Contact Desc,Hubungi Desc DocType: Purchase Invoice,Pricing Rules,Kaedah Harga +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Oleh kerana terdapat transaksi sedia ada terhadap item {0}, anda tidak boleh menukar nilai {1}" DocType: Hub Tracked Item,Image List,Senarai Imej DocType: Item Variant Settings,Allow Rename Attribute Value,Benarkan Namakan Nilai Atribut -DocType: Price List,Price Not UOM Dependant,Harga tidak bergantung kepada UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Masa (dalam minit) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Asas DocType: Loan,Interest Income Account,Akaun Pendapatan Faedah @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,jenis pekerjaan apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Pilih Profil POS DocType: Support Settings,Get Latest Query,Dapatkan pertanyaan terbaru DocType: Employee Incentive,Employee Incentive,Insentif Pekerja +DocType: Service Level,Priorities,Keutamaan apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Tambah kad atau bahagian tersuai di laman utama DocType: Homepage,Hero Section Based On,Seksyen Hero Berdasarkan Pada DocType: Project,Total Purchase Cost (via Purchase Invoice),Jumlah Kos Pembelian (melalui Invois Pembelian) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,Pembuatan terhadap Perm DocType: Blanket Order Item,Ordered Quantity,Kuantiti yang dipesan apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Baris # {0}: Gudang Ditolak adalah wajib terhadap Item yang ditolak {1} ,Received Items To Be Billed,Menerima Item Untuk Dibayar -DocType: Salary Slip Timesheet,Working Hours,Jam bekerja +DocType: Attendance,Working Hours,Jam bekerja apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Mod Pembayaran apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Item Pesanan Pembelian tidak diterima mengikut masa apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Tempoh dalam Hari @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,K DocType: Supplier,Statutory info and other general information about your Supplier,Maklumat statutori dan maklumat umum lain mengenai Pembekal anda DocType: Item Default,Default Selling Cost Center,Pusat Kos Jualan Lalai DocType: Sales Partner,Address & Contacts,Alamat & Kenalan -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: Subscriber,Subscriber,Pelanggan apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Borang / Item / {0}) kehabisan stok apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Sila pilih Tarikh Posting dahulu @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,% Melengkapkan Kaedah DocType: Detected Disease,Tasks Created,Tugas Dibuat apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,BOM lalai ({0}) mesti aktif untuk item ini atau templatnya apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Kadar Suruhanjaya% -DocType: Service Level,Response Time,Masa tindak balas +DocType: Service Level Priority,Response Time,Masa tindak balas DocType: Woocommerce Settings,Woocommerce Settings,Tetapan Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Kuantiti mestilah positif DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Cuti Lawatan Pesakit Dal DocType: Bank Statement Settings,Transaction Data Mapping,Pemetaan Data Transaksi apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,A Lead memerlukan sama ada nama seseorang atau nama organisasi DocType: Student,Guardians,Penjaga -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/public/js/stock_analytics.js,Select Brand...,Pilih Jenama ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Pendapatan Tengah DocType: Shipping Rule,Calculate Based On,Kira Berdasarkan Berdasarkan @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Tetapkan Sasaran apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Rekod Kehadiran {0} wujud terhadap Pelajar {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Tarikh Transaksi apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Batal Langganan +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Tidak dapat Tetapkan Perjanjian Tahap Perkhidmatan {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Jumlah Gaji Bersih DocType: Account,Liability,Liabiliti DocType: Employee,Bank A/C No.,Bank A / C No. @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Kod Item Bahan Baku apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Pembelian Invois {0} sudah dihantar DocType: Fees,Student Email,E-mel Pelajar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Kaedah BOM: {0} tidak boleh menjadi ibu bapa atau anak {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Dapatkan barangan dari Perkhidmatan Penjagaan Kesihatan apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Entri Saham {0} tidak diserahkan DocType: Item Attribute Value,Item Attribute Value,Nilai Nilai Atribut @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,Benarkan Cetak Sebelum Bayar DocType: Production Plan,Select Items to Manufacture,Pilih Item untuk Pembuatan DocType: Leave Application,Leave Approver Name,Tinggalkan Nama Pendekatan DocType: Shareholder,Shareholder,Pemegang Saham -DocType: Issue,Agreement Status,Status Perjanjian apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Tetapan lalai untuk menjual transaksi. 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 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Pilih BOM @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Akaun Pendapatan apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Semua Gudang DocType: Contract,Signee Details,Butiran Signee +DocType: Shift Type,Allow check-out after shift end time (in minutes),Izinkan daftar keluar selepas masa akhir perpindahan (dalam minit) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Perolehan DocType: Item Group,Check this if you want to show in website,Semak ini jika anda mahu tunjukkan di laman web apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Tahun Fiskal {0} tidak dijumpai @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Tarikh Permulaan Susutnilai DocType: Activity Cost,Billing Rate,Kadar Pengebilan apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Amaran: Lain {0} # {1} wujud terhadap kemasukan saham {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Sila dayakan Tetapan Peta Google untuk menganggarkan dan mengoptimumkan laluan +DocType: Purchase Invoice Item,Page Break,Pemisah halaman DocType: Supplier Scorecard Criteria,Max Score,Markah Maks apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Tarikh Mula Pembayaran Balik tidak boleh sebelum Tarikh Pengeluaran. DocType: Support Search Source,Support Search Source,Sumber Carian Sokongan @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Objektif Kualiti Matlamat DocType: Employee Transfer,Employee Transfer,Pemindahan Pekerja ,Sales Funnel,Corong Jualan DocType: Agriculture Analysis Criteria,Water Analysis,Analisis Air +DocType: Shift Type,Begin check-in before shift start time (in minutes),Mulakan masuk sebelum masa mula peralihan (dalam minit) DocType: Accounts Settings,Accounts Frozen Upto,Akaun Frozen Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Tiada apa-apa untuk diedit. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operasi {0} lebih lama dari mana-mana waktu kerja yang ada di stesen kerja {1}, memecahkan operasi ke operasi berbilang" @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Akau apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Perintah Jualan {0} adalah {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Kelewatan pembayaran (Hari) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Masukkan butiran susut nilai +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Pelanggan PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Tarikh Penghantaran Yang Diharapkan hendaklah selepas Tarikh Pesanan Jualan +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Kuantiti item tidak boleh menjadi sifar apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Atribut tidak sah apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Sila pilih BOM terhadap item {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Jenis Invois @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,Tarikh Penyenggaraan DocType: Volunteer,Afternoon,Petang DocType: Vital Signs,Nutrition Values,Nilai pemakanan DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),Kehadiran demam (temp> 38.5 ° C / 101.3 ° F atau temp tetap> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Sila persediaan Sistem Penamaan Pekerja dalam Sumber Manusia> Tetapan HR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Dibalikkan DocType: Project,Collect Progress,Kumpulkan Kemajuan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Tenaga @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,Kemajuan Persediaan ,Ordered Items To Be Billed,Item yang diperintahkan untuk Diberi DocType: Taxable Salary Slab,To Amount,Kepada Jumlah DocType: Purchase Invoice,Is Return (Debit Note),Adakah Pulangan (Nota Debit) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah apps/erpnext/erpnext/config/desktop.py,Getting Started,Bermula apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Gabung apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Tidak dapat menukar Tarikh Mula Tahun Fiskal dan Tarikh Akhir Tahun Fiskal apabila Tahun Fiskal disimpan. @@ -2216,8 +2232,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Tarikh sebenar apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Tarikh mula penyelenggaraan tidak boleh dibuat sebelum tarikh penghantaran untuk Serial No {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Baris {0}: Kadar Pertukaran adalah wajib DocType: Purchase Invoice,Select Supplier Address,Pilih Alamat Pembekal +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Kuantiti yang ada ialah {0}, anda perlukan {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Sila masukkan Rahsia Pengguna API DocType: Program Enrollment Fee,Program Enrollment Fee,Yuran Pendaftaran Program +DocType: Employee Checkin,Shift Actual End,Shift Tamat Akhir DocType: Serial No,Warranty Expiry Date,Tarikh Tamat Waranti DocType: Hotel Room Pricing,Hotel Room Pricing,Harga Bilik Hotel apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Pembekalan bercukai keluar (selain daripada nilai sifar, tidak diberi nilai dan dikecualikan" @@ -2277,6 +2295,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Membaca 5 DocType: Shopping Cart Settings,Display Settings,Tetapan Paparan apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Sila nyatakan Jumlah Susut Nilai yang Dibetulkan +DocType: Shift Type,Consequence after,Akibat selepas itu apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Apa yang anda perlukan bantuan? DocType: Journal Entry,Printing Settings,Tetapan Pencetakan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Perbankan @@ -2286,6 +2305,7 @@ DocType: Purchase Invoice Item,PR Detail,Detail PR apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Alamat Penagihan sama dengan Alamat Perkapalan DocType: Account,Cash,Tunai DocType: Employee,Leave Policy,Tinggalkan Polisi +DocType: Shift Type,Consequence,Akibatnya apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Alamat Pelajar DocType: GST Account,CESS Account,Akaun CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Pusat Kos diperlukan untuk akaun 'Keuntungan dan Kerugian' {2}. Sila sediakan Pusat Kos lalai untuk Syarikat. @@ -2350,6 +2370,7 @@ DocType: GST HSN Code,GST HSN Code,Kod HSN GST DocType: Period Closing Voucher,Period Closing Voucher,Voucher Penutupan Tempoh apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nama Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Sila masukkan Akaun Perbelanjaan +DocType: Issue,Resolution By Variance,Resolusi Mengikut Perbezaan DocType: Employee,Resignation Letter Date,Tarikh Surat Peletakanan DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Kehadiran Tarikh @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Lihat Sekarang DocType: Item Price,Valid Upto,Sah sehingga apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Dokumen rujukan mestilah salah satu dari {0} +DocType: Employee Checkin,Skip Auto Attendance,Langkau Kehadiran Auto DocType: Payment Request,Transaction Currency,Mata Wang Transaksi DocType: Loan,Repayment Schedule,Jadual Bayaran Balik apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Buat Entri Stok Penyimpanan Sampel @@ -2433,6 +2455,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Penyerahhakkan DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Voucher Penutupan Cukai apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Tindakan Inisiatif DocType: POS Profile,Applicable for Users,Berkenaan untuk Pengguna +,Delayed Order Report,Laporan Pesanan yang lewat DocType: Training Event,Exam,Peperiksaan apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nombor Entre Lejar Am yang tidak betul didapati. Anda mungkin telah memilih Akaun salah dalam transaksi. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Paip Jualan @@ -2447,10 +2470,11 @@ DocType: Account,Round Off,Mengakhiri DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Syarat akan digunakan pada semua item yang dipilih digabungkan. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Konfigurasikan DocType: Hotel Room,Capacity,Kapasiti +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Dipasang Qty apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} of Item {1} dinyahdayakan. DocType: Hotel Room Reservation,Hotel Reservation User,Pengguna Tempahan Hotel -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Hari kerja telah diulang dua kali +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Perjanjian Tahap Perkhidmatan dengan Entiti Jenis {0} dan Entiti {1} sudah wujud. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Kumpulan Item tidak disebutkan dalam item master untuk item {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Ralat nama: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Wilayah Diperlukan dalam Profil POS @@ -2498,6 +2522,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Tarikh Jadual DocType: Packing Slip,Package Weight Details,Perincian Berat Pakej DocType: Job Applicant,Job Opening,Pembukaan Kerja +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Sinkronisasi Terakhir Pemeriksaan Pekerja yang terakhir diketahui. Tetapkan semula ini hanya jika anda pasti bahawa semua Log diselaraskan dari semua lokasi. Tolong jangan ubah suai ini sekiranya anda tidak pasti. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Kos sebenar apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Jumlah pendahuluan ({0}) terhadap Perintah {1} tidak boleh lebih besar daripada Jumlah Penuh ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Varian Item dikemas kini @@ -2542,6 +2567,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Resit Pembelian Rujukan apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Dapatkan Invocies DocType: Tally Migration,Is Day Book Data Imported,Adakah Data Buku Hari Diimport ,Sales Partners Commission,Suruhanjaya Perkongsian Jualan +DocType: Shift Type,Enable Different Consequence for Early Exit,Membolehkan Akibat Berbeza untuk Keluar Awal apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Undang-undang DocType: Loan Application,Required by Date,Diperlukan oleh Tarikh DocType: Quiz Result,Quiz Result,Keputusan Kuiz @@ -2601,7 +2627,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Tahun kew DocType: Pricing Rule,Pricing Rule,Peraturan Harga 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} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Sila tetapkan medan ID Pengguna dalam rekod Kakitangan untuk menetapkan Peranan Pekerja -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Masa untuk Selesaikan DocType: Training Event,Training Event,Acara Latihan DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Tekanan tekanan normal pada orang dewasa adalah kira-kira 120 mmHg sistolik, dan 80 mmHg diastolik, disingkat "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Sistem akan mengambil semua entri jika nilai had adalah sifar. @@ -2645,6 +2670,7 @@ DocType: Woocommerce Settings,Enable Sync,Dayakan Segerak DocType: Student Applicant,Approved,Diluluskan apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Dari Tarikh hendaklah berada dalam Tahun Fiskal. Mengandaikan Dari Tarikh = {0} 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. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} adalah Status Kehadiran yang tidak sah. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Akaun Pembukaan Sementara DocType: Purchase Invoice,Cash/Bank Account,Akaun Tunai / Bank DocType: Quality Meeting Table,Quality Meeting Table,Jadual Mesyuarat Kualiti @@ -2680,6 +2706,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Makanan, Minuman & Tembakau" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Jadual Kursus DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Butiran Cukai Wise Item +DocType: Shift Type,Attendance will be marked automatically only after this date.,Kehadiran akan ditandakan secara automatik hanya selepas tarikh ini. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Bekalan dibuat kepada pemegang UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Permintaan untuk Sebut Harga 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 entri menggunakan beberapa mata wang lain @@ -2728,7 +2755,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Adakah Item dari Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Prosedur Kualiti. DocType: Share Balance,No of Shares,Tidak ada Saham -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Baris {0}: Qty tidak tersedia untuk {4} dalam gudang {1} pada masa penyertaan entri ({2} {3}) DocType: Quality Action,Preventive,Pencegahan DocType: Support Settings,Forum URL,URL Forum apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Pekerja dan Kehadiran @@ -2950,7 +2976,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Jenis Diskaun DocType: Hotel Settings,Default Taxes and Charges,Cukai dan Bayaran Lalai apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Ini berdasarkan urusniaga terhadap Pembekal ini. Lihat garis masa di bawah untuk maklumat lanjut apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Jumlah faedah maksimum pekerja {0} melebihi {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Masukkan Tarikh Mula dan Tamat untuk Perjanjian. DocType: Delivery Note Item,Against Sales Invoice,Terhadap Invois Jualan DocType: Loyalty Point Entry,Purchase Amount,Jumlah Pembelian apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Tidak dapat ditetapkan sebagai Perintah Jualan Kehilangan. @@ -2974,7 +2999,7 @@ DocType: Homepage,"URL for ""All Products""",URL untuk "Semua Produk" DocType: Lead,Organization Name,Nama Pertubuhan 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/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Baris # {0}: Batch Tidak mesti sama dengan {1} {2} -DocType: Employee,Leave Details,Tinggalkan Butiran +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Urus niaga sebelum {0} dibekukan DocType: Driver,Issuing Date,Tarikh Pengeluaran apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Peminta @@ -3019,9 +3044,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Butiran Templat Pemetaan Aliran Tunai apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Pengambilan dan Latihan DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Pengaturan Tempoh Grace untuk Kehadiran Auto apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Dari Mata Wang dan Mata Wang tidak boleh sama apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmaseutikal DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Waktu Sokongan apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} dibatalkan atau ditutup apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Baris {0}: Advance terhadap Pelanggan mestilah kredit apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Kumpulan oleh Voucher (Disatukan) @@ -3131,6 +3158,7 @@ DocType: Asset Repair,Repair Status,Status Pembaikan DocType: Territory,Territory Manager,Pengurus Kawasan DocType: Lab Test,Sample ID,ID sampel apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Troli kosong +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 apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Aset {0} mesti dihantar ,Absent Student Report,Laporan Pelajar yang tidak hadir apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Termasuk dalam Untung Kasar @@ -3138,7 +3166,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,S DocType: Travel Request Costing,Funded Amount,Amaun Dibiayai apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} belum diserahkan supaya tindakan itu tidak dapat diselesaikan DocType: Subscription,Trial Period End Date,Tarikh Tamat Tempoh Percubaan +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Penyertaan berganti seperti IN dan OUT semasa peralihan yang sama DocType: BOM Update Tool,The new BOM after replacement,BOM baru selepas penggantian +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pembekal> Jenis Pembekal apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Perkara 5 DocType: Employee,Passport Number,Nombor pasport apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Pembukaan sementara @@ -3254,6 +3284,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Laporan Utama apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Pembekal yang mungkin ,Issued Items Against Work Order,Item Terbitan Terhadap Perintah Kerja apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Mewujudkan {0} Invois +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: Student,Joining Date,Menyertai Tarikh apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Meminta Tapak DocType: Purchase Invoice,Against Expense Account,Melawan Akaun Perbelanjaan @@ -3293,6 +3324,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Caj berkenaan ,Point of Sale,Tempat jualan DocType: Authorization Rule,Approving User (above authorized value),Meluluskan Pengguna (di atas nilai dibenarkan) +DocType: Service Level Agreement,Entity,Entiti apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Jumlah {0} {1} dipindahkan dari {2} ke {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Pelanggan {0} tidak tergolong dalam projek {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Dari Nama Parti @@ -3339,6 +3371,7 @@ DocType: Asset,Opening Accumulated Depreciation,Membuka Susut Nilai Terkumpul DocType: Soil Texture,Sand Composition (%),Komposisi pasir (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Data Buku Hari Import +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Sila tetapkan Siri Penamaan untuk {0} melalui Persediaan> Tetapan> Penamaan Siri DocType: Asset,Asset Owner Company,Syarikat Pemilik Aset apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Pusat kos dikehendaki menempah tuntutan perbelanjaan apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} nombor bersiri sah untuk Item {1} @@ -3397,7 +3430,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Pemilik Aset apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Gudang adalah wajib untuk item Stok {0} dalam baris {1} DocType: Stock Entry,Total Additional Costs,Jumlah Kos Tambahan -DocType: Marketplace Settings,Last Sync On,Penyegerakan Terakhir 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 Team,Maintenance Team Name,Nama Pasukan Penyelenggaraan apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Carta Pusat Kos @@ -3413,12 +3445,12 @@ DocType: Sales Order Item,Work Order Qty,Perintah Kerja Qty DocType: Job Card,WIP Warehouse,WIP Warehouse DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ID Pengguna tidak ditetapkan untuk Pekerja {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Qty yang ada ialah {0}, anda perlukan {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Pengguna {0} dibuat DocType: Stock Settings,Item Naming By,Item Penamaan Oleh apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Mengarahkan apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Ini adalah kumpulan pelanggan root dan tidak dapat diedit. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Permintaan Bahan {0} dibatalkan atau dihentikan +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Ketat berdasarkan Jenis Log dalam Checkin Pekerja DocType: Purchase Order Item Supplied,Supplied Qty,Dikemukakan Qty DocType: Cash Flow Mapper,Cash Flow Mapper,Mapper Flow Cash DocType: Soil Texture,Sand,Pasir @@ -3477,6 +3509,7 @@ DocType: Lab Test Groups,Add new line,Tambah barisan baru apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Kumpulan item pendua yang terdapat dalam jadual kumpulan item apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Gaji tahunan DocType: Supplier Scorecard,Weighting Function,Fungsi Berat +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Ralat menilai formula kriteria ,Lab Test Report,Laporan Ujian Makmal DocType: BOM,With Operations,Dengan Operasi @@ -3490,6 +3523,7 @@ DocType: Expense Claim Account,Expense Claim Account,Akaun Tuntutan Perbelanjaan apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Tiada bayaran balik yang tersedia untuk Kemasukan Jurnal apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} adalah pelajar tidak aktif apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Buat Entri Saham +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Kaedah BOM: {0} tidak boleh menjadi ibu bapa atau anak {1} DocType: Employee Onboarding,Activities,Aktiviti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast satu gudang adalah wajib ,Customer Credit Balance,Baki Kredit Pelanggan @@ -3502,9 +3536,11 @@ DocType: Supplier Scorecard Period,Variables,Pembolehubah 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: Patient,Medication,Ubat apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Pilih Program Kesetiaan +DocType: Employee Checkin,Attendance Marked,Kehadiran ditandakan apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Bahan mentah DocType: Sales Order,Fully Billed,Penuh Dibayar 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/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Pilih Hanya satu Keutamaan sebagai Lalai. 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} 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: Purchase Invoice Item,Is Fixed Asset,Adalah Aset Tetap @@ -3525,6 +3561,7 @@ DocType: Purpose of Travel,Purpose of Travel,Tujuan perjalanan DocType: Healthcare Settings,Appointment Confirmation,Pengesahan Pelantikan DocType: Shopping Cart Settings,Orders,Perintah DocType: HR Settings,Retirement Age,Umur bersara +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/stock/page/stock_balance/stock_balance.js,Projected Qty,Dijangka Qty apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Pemadaman tidak dibenarkan untuk negara {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Baris # {0}: Asset {1} sudah {2} @@ -3608,11 +3645,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Akauntan apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Penetapan Baucar POS alreday wujud untuk {0} antara tarikh {1} dan {2} apps/erpnext/erpnext/config/help.py,Navigating,Menavigasi +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Tiada invois tertunggak yang memerlukan penilaian semula kadar pertukaran DocType: Authorization Rule,Customer / Item Name,Pelanggan / Nama Item apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,No Serial Baru tidak boleh mempunyai Gudang. Gudang mesti ditetapkan oleh Entry Saham atau Resit Pembelian DocType: Issue,Via Customer Portal,Melalui Portal Pelanggan DocType: Work Order Operation,Planned Start Time,Masa Permulaan yang Dirancang apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} ialah {2} +DocType: Service Level Priority,Service Level Priority,Keutamaan Tahap Perkhidmatan apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Jumlah Susut Nilai Yang Dipesan tidak dapat melebihi Jumlah Jumlah Susut Nilai apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Kongsi Ledger DocType: Journal Entry,Accounts Payable,Akaun Boleh Dibayar @@ -3723,7 +3762,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Penghantaran kepada DocType: Bank Statement Transaction Settings Item,Bank Data,Data Bank apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Upto yang dijadualkan -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Mengekalkan Waktu Pengebilan dan Waktu Kerja Sama pada Timesheet apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Trek Memimpin oleh Sumber Utama. DocType: Clinical Procedure,Nursing User,Pengguna Kejururawatan DocType: Support Settings,Response Key List,Senarai Utama Tindak Balas @@ -3891,6 +3929,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Masa Mula Sebenar DocType: Antibiotic,Laboratory User,Pengguna Makmal apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Lelongan Dalam Talian +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Keutamaan {0} telah diulang. DocType: Fee Schedule,Fee Creation Status,Status Penciptaan Fee apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Perisian apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Perintah Jualan kepada Pembayaran @@ -3957,6 +3996,7 @@ DocType: Patient Encounter,In print,Dalam cetakan apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Tidak boleh mendapatkan maklumat untuk {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Mata wang penagihan mestilah sama dengan mata wang syarikat atau mata wang akaun pihak ketiga apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Sila masukkan Id Pekerja bagi orang jualan ini +DocType: Shift Type,Early Exit Consequence after,Kelebihan Keluar Awal selepas apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Buat Invois Jualan dan Pembelian Terbuka DocType: Disease,Treatment Period,Tempoh Rawatan apps/erpnext/erpnext/config/settings.py,Setting up Email,Menyediakan E-mel @@ -3974,7 +4014,6 @@ DocType: Employee Skill Map,Employee Skills,Kemahiran Kakitangan apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Nama pelajar: DocType: SMS Log,Sent On,Dihantar DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Invois jualan -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Waktu Response tidak boleh melebihi Masa Resolusi DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Bagi Kumpulan Pelajar Kursus Kursus, Kursus akan disahkan untuk setiap Pelajar dari Kursus Pendaftaran Program yang didaftarkan." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Bekalan Intra-Negeri DocType: Employee,Create User Permission,Buat Kebenaran Pengguna @@ -4013,6 +4052,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Istilah kontrak standard untuk Jualan atau Pembelian. DocType: Sales Invoice,Customer PO Details,Maklumat Pelanggan Details apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pesakit tidak dijumpai +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Pilih Keutamaan Lalai. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Buang item jika caj tidak terpakai bagi item itu apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Kumpulan Pelanggan wujud dengan nama yang sama sila tukar nama Pelanggan atau menamakan semula Kumpulan Pelanggan 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. @@ -4052,6 +4092,7 @@ DocType: Quality Goal,Quality Goal,Matlamat Kualiti DocType: Support Settings,Support Portal,Portal Sokongan apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Tarikh tamat tugas {0} tidak boleh kurang daripada {1} tarikh permulaan yang diharapkan {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Pekerja {0} ada di Cuti di {1} +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} DocType: Employee,Held On,Diadakan pada DocType: Healthcare Practitioner,Practitioner Schedules,Jadual Pengamal DocType: Project Template Task,Begin On (Days),Mulakan Pada (Hari) @@ -4059,6 +4100,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Perintah Kerja telah {0} DocType: Inpatient Record,Admission Schedule Date,Tarikh Jadual Kemasukan apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Pelarasan Nilai Aset +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. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Bekalan dibuat kepada Orang Tidak Diketahui apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Semua Pekerjaan DocType: Appointment Type,Appointment Type,Jenis Pelantikan @@ -4172,7 +4214,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Berat kasar pakej. Biasanya berat bersih + berat bahan pembungkusan. (untuk cetakan) DocType: Plant Analysis,Laboratory Testing Datetime,Ujian Makmal Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Item {0} tidak boleh mempunyai Batch -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Paip Jualan mengikut Peringkat apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Kekuatan Kumpulan Pelajar DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Kemasukan Transaksi Penyata Bank DocType: Purchase Order,Get Items from Open Material Requests,Dapatkan Item daripada Permintaan Bahan Terbuka @@ -4254,7 +4295,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Tunjukkan Aging Gudang-bijak DocType: Sales Invoice,Write Off Outstanding Amount,Hapuskan Jumlah Belum Dijelaskan DocType: Payroll Entry,Employee Details,Butiran Pekerja -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Masa Mula tidak dapat lebih besar dari Masa Akhir untuk {0}. DocType: Pricing Rule,Discount Amount,Jumlah diskaun DocType: Healthcare Service Unit Type,Item Details,Butiran Item apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Pengisytiharan Cukai Duplikat {0} untuk tempoh {1} @@ -4307,7 +4347,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Bayar bersih tidak boleh negatif apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Tiada Interaksi 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 dipindahkan lebih daripada {2} terhadap Pesanan Pembelian {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Shift +DocType: Attendance,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Pemprosesan Carta Akaun dan Pihak DocType: Stock Settings,Convert Item Description to Clean HTML,Tukar Penerangan Penerangan untuk HTML Bersih apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Semua Kumpulan Pembekal @@ -4378,6 +4418,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktiviti Peng DocType: Healthcare Service Unit,Parent Service Unit,Unit Perkhidmatan Ibu Bapa DocType: Sales Invoice,Include Payment (POS),Termasuk Pembayaran (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Ekuiti swasta +DocType: Shift Type,First Check-in and Last Check-out,Daftar Masuk Pertama dan Daftar Keluar Terakhir DocType: Landed Cost Item,Receipt Document,Dokumen Resit DocType: Supplier Scorecard Period,Supplier Scorecard Period,Tempoh Kad Scorecard Pembekal DocType: Employee Grade,Default Salary Structure,Struktur Gaji Default @@ -4460,6 +4501,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Buat Pesanan Pembelian apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Tentukan anggaran untuk tahun kewangan. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Jadual akaun tidak boleh kosong. +DocType: Employee Checkin,Entry Grace Period Consequence,Tempoh Masuk Grace Period Consequence ,Payment Period Based On Invoice Date,Tempoh Pembayaran Berdasarkan Tarikh Invois apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Tarikh pemasangan tidak boleh dibuat sebelum tarikh penghantaran untuk Item {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Pautan ke Permintaan Bahan @@ -4468,6 +4510,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Jenis Data Di apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Baris {0}: Kemasukan Reorder sudah wujud untuk gudang ini {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Tarikh Dokumen DocType: Monthly Distribution,Distribution Name,Nama Pengedaran +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Hari kerja {0} telah diulang. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Kumpulan kepada Bukan Kumpulan apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Kemas kini sedang dijalankan. Ia mungkin mengambil sedikit masa. DocType: Item,"Example: ABCD.##### @@ -4480,6 +4523,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Bahan Api Qty apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile No DocType: Invoice Discounting,Disbursed,Dibelanjakan +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/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Perubahan Bersih dalam Akaun Yang Perlu Dibayar apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Tidak boleh didapati apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Paruh waktu @@ -4493,7 +4537,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potensi apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Tunjukkan PDC di Cetak apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Pembekal Shopify DocType: POS Profile User,POS Profile User,POS Profil Pengguna -DocType: Student,Middle Name,Nama tengah DocType: Sales Person,Sales Person Name,Nama Orang Jualan DocType: Packing Slip,Gross Weight,Berat kasar DocType: Journal Entry,Bill No,Bil No @@ -4502,7 +4545,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Lokas DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Perjanjian tahap perkhidmatan -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Sila pilih Pekerja dan Tarikh terlebih dahulu apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Kadar penilaian item dikira semula dengan menimbangkan jumlah baucer kos terdahulu DocType: Timesheet,Employee Detail,Butiran Pekerja DocType: Tally Migration,Vouchers,Baucer @@ -4537,7 +4579,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Perjanjian tahap DocType: Additional Salary,Date on which this component is applied,Tarikh di mana komponen ini digunakan apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Senarai Pemegang Saham yang tersedia dengan nombor folio apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Tetapkan akaun Gateway. -DocType: Service Level,Response Time Period,Tempoh Masa Sambutan +DocType: Service Level Priority,Response Time Period,Tempoh Masa Sambutan DocType: Purchase Invoice,Purchase Taxes and Charges,Pembelian Cukai dan Caj DocType: Course Activity,Activity Date,Tarikh Aktiviti apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Pilih atau tambahkan pelanggan baru @@ -4562,6 +4604,7 @@ DocType: Sales Person,Select company name first.,Pilih nama syarikat terlebih da apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Tahun kewangan DocType: Sales Invoice Item,Deferred Revenue,Pendapatan Tertunda apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Atleast salah satu daripada Jualan atau Membeli mesti dipilih +DocType: Shift Type,Working Hours Threshold for Half Day,Ambang Waktu Kerja untuk Hari Setengah ,Item-wise Purchase History,Sejarah Pembelian Perkara-bijak apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Tidak dapat mengubah Tarikh Henti Perkhidmatan untuk item dalam baris {0} DocType: Production Plan,Include Subcontracted Items,Termasuk Item Subkontrak @@ -4594,6 +4637,7 @@ DocType: Journal Entry,Total Amount Currency,Jumlah Mata Wang Jumlah DocType: BOM,Allow Same Item Multiple Times,Benarkan Item Sifar Beberapa Kali apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Buat BOM DocType: Healthcare Practitioner,Charges,Caj +DocType: Employee,Attendance and Leave Details,Kehadiran dan Butiran Cuti DocType: Student,Personal Details,Maklumat peribadi DocType: Sales Order,Billing and Delivery Status,Status Pengebilan dan Penghantaran apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Baris {0}: Untuk pembekal {0} Alamat E-mel diperlukan untuk menghantar e-mel @@ -4645,7 +4689,6 @@ DocType: Bank Guarantee,Supplier,Pembekal apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Masukkan nilai betweeen {0} dan {1} DocType: Purchase Order,Order Confirmation Date,Tarikh Pengesahan Pesanan DocType: Delivery Trip,Calculate Estimated Arrival Times,Kira Anggaran Ketibaan Kali -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Sila persediaan Sistem Penamaan Pekerja dalam Sumber Manusia> Tetapan HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Boleh makan DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Tarikh Mula Langganan @@ -4668,7 +4711,7 @@ DocType: Installation Note Item,Installation Note Item,Item Nota Pemasangan DocType: Journal Entry Account,Journal Entry Account,Akaun Kemasukan Jurnal apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Pelbagai apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Aktiviti Forum -DocType: Service Level,Resolution Time Period,Tempoh Masa Penyelesaian +DocType: Service Level Priority,Resolution Time Period,Tempoh Masa Penyelesaian DocType: Request for Quotation,Supplier Detail,Detail Pembekal DocType: Project Task,View Task,Lihat Petugas DocType: Serial No,Purchase / Manufacture Details,Butir Pembelian / Pembuatan @@ -4735,6 +4778,7 @@ DocType: Sales Invoice,Commission Rate (%),Kadar Komisen (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Gudang hanya boleh ditukar melalui Resit Nota Kemasukan / Penghantaran Saham / Pembelian DocType: Support Settings,Close Issue After Days,Isu Tutup Selepas Hari DocType: Payment Schedule,Payment Schedule,Jadual pembayaran +DocType: Shift Type,Enable Entry Grace Period,Dayakan Tempoh Pemberian Kemasukan DocType: Patient Relation,Spouse,Pasangan suami isteri DocType: Purchase Invoice,Reason For Putting On Hold,Sebab Untuk Meletakkan Pegang DocType: Item Attribute,Increment,Kenaikan @@ -4874,6 +4918,7 @@ DocType: Authorization Rule,Customer or Item,Pelanggan atau Item DocType: Vehicle Log,Invoice Ref,Ref. Invois apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Borang C tidak terpakai untuk Invois: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Invois Dicipta +DocType: Shift Type,Early Exit Grace Period,Jangka Masa Keluar Awal DocType: Patient Encounter,Review Details,Butiran Butiran apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Baris {0}: Nilai jam mestilah lebih besar daripada sifar. DocType: Account,Account Number,Nombor akaun @@ -4885,7 +4930,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned 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" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Keadaan yang bertindih antara: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Dibayar dan Tidak Dihantar -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Kod Item adalah wajib kerana Item tidak secara automatik dihitung DocType: GST HSN Code,HSN Code,Kod HSN DocType: GSTR 3B Report,September,September apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Perbelanjaan pentadbiran @@ -4921,6 +4965,8 @@ DocType: Travel Itinerary,Travel From,Perjalanan Dari apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Akaun CWIP DocType: SMS Log,Sender Name,Nama pengirim DocType: Pricing Rule,Supplier Group,Kumpulan Pembekal +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Tetapkan Masa Mula dan Masa Akhir untuk Hari Sokongan {0} pada indeks {1}. DocType: Employee,Date of Issue,Tarikh dikeluarkan ,Requested Items To Be Transferred,Item yang Diminta Dipindahkan DocType: Employee,Contract End Date,Tarikh Akhir Kontrak @@ -4931,6 +4977,7 @@ DocType: Healthcare Service Unit,Vacant,Kosong DocType: Opportunity,Sales Stage,Peringkat Jualan DocType: Sales Order,In Words will be visible once you save the Sales Order.,Dalam Kata akan dapat dilihat apabila anda menyimpan Perintah Jualan. DocType: Item Reorder,Re-order Level,Tingkat semula pesanan +DocType: Shift Type,Enable Auto Attendance,Dayakan Auto Kehadiran apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Pilihan ,Department Analytics,Jabatan Analitik DocType: Crop,Scientific Name,Nama saintifik @@ -4943,6 +4990,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},Status {0} {1} ialah DocType: Quiz Activity,Quiz Activity,Aktiviti Kuiz apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} tidak dalam Tempoh Gaji yang sah DocType: Timesheet,Billed,Dibilkan +apps/erpnext/erpnext/config/support.py,Issue Type.,Jenis Terbitan. DocType: Restaurant Order Entry,Last Sales Invoice,Invois Jualan Terakhir DocType: Payment Terms Template,Payment Terms,Terma pembayaran apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Dicadangkan Qty: Kuantiti yang dipesan untuk dijual, tetapi tidak dihantar." @@ -5038,6 +5086,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Aset apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} tidak mempunyai Jadual Pengamal Penjagaan Kesihatan. Tambahnya dalam tuan Pengamal Penjagaan Kesihatan DocType: Vehicle,Chassis No,Chassis No +DocType: Employee,Default Shift,Shift lalai apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Singkatan Syarikat apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Pokok Rang Undang-Undang Bahan DocType: Article,LMS User,Pengguna LMS @@ -5086,6 +5135,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Orang Penjualan Orang Tua DocType: Student Group Creation Tool,Get Courses,Dapatkan Kursus 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.","Baris # {0}: Qty mesti 1, kerana item adalah aset tetap. Sila gunakan baris berasingan untuk berbilang qty." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Waktu kerja di bawah yang Absen ditandakan. (Sifar untuk mematikan) DocType: Customer Group,Only leaf nodes are allowed in transaction,Hanya nod daun dibenarkan dalam urus niaga DocType: Grant Application,Organization,Pertubuhan DocType: Fee Category,Fee Category,Kategori Bayaran @@ -5098,6 +5148,7 @@ DocType: Payment Order,PMO-,PMO- 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: Volunteer,Morning,Pagi DocType: Quotation Item,Quotation Item,Item Sebut Harga +apps/erpnext/erpnext/config/support.py,Issue Priority.,Keutamaan Terbitan. DocType: Journal Entry,Credit Card Entry,Kemasukan Kad Kredit apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Slot masa melangkau, slot {0} hingga {1} bertindih slot eksisit {2} ke {3}" DocType: Journal Entry Account,If Income or Expense,Sekiranya Pendapatan atau Perbelanjaan @@ -5148,11 +5199,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Import dan Tetapan Data 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 dihubungkan secara automatik dengan Program Kesetiaan yang berkaitan (di save)" DocType: Account,Expense Account,Akaun Perbelanjaan +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Masa sebelum waktu mula peralihan semasa Pemeriksaan Kakitangan dianggap untuk kehadiran. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Hubungan dengan Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Buat Invois apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Permintaan Pembayaran sudah wujud {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Pekerja yang lega pada {0} mesti ditetapkan sebagai 'Kiri' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Bayar {0} {1} +DocType: Company,Sales Settings,Tetapan Jualan DocType: Sales Order Item,Produced Quantity,Kuantiti yang dihasilkan apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Permintaan sebut harga boleh diakses dengan mengklik pada pautan berikut DocType: Monthly Distribution,Name of the Monthly Distribution,Nama Pengagihan Bulanan @@ -5231,6 +5284,7 @@ DocType: Company,Default Values,Nilai Default apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Templat cukai lalai untuk jualan dan pembelian dicipta. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Tinggalkan Jenis {0} tidak boleh dibawa balik apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Debit Untuk akaun mestilah akaun Receivable +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Sila tetapkan Akaun dalam Gudang {0} atau Akaun Inventori Lalai di Syarikat {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Tetapkan sebagai lalai DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Berat bersih pakej ini. (dikira secara automatik sebagai jumlah berat barang bersih) @@ -5257,8 +5311,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,P apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Batches yang telah tamat DocType: Shipping Rule,Shipping Rule Type,Jenis Peraturan Penghantaran DocType: Job Offer,Accepted,Diterima -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/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Anda telah menilai kriteria penilaian {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Pilih Nombor Batch apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Umur (Hari) @@ -5285,6 +5337,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Pilih Domain anda DocType: Agriculture Task,Task Name,Nama Petugas 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Sila padamkan Pekerja {0} \ untuk membatalkan dokumen ini" ,Amount to Deliver,Amaun Memberi apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Syarikat {0} tidak wujud apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Tiada Permintaan Bahan yang belum selesai dijumpai untuk dihubungkan untuk item yang diberikan. @@ -5334,6 +5388,7 @@ DocType: Program Enrollment,Enrolled courses,Kursus yang didaftarkan DocType: Lab Prescription,Test Code,Kod Ujian DocType: Purchase Taxes and Charges,On Previous Row Total,Pada Baris Sebelum Jumlah DocType: Student,Student Email Address,Alamat E-mel Pelajar +,Delayed Item Report,Laporan Perkara Tertangguh DocType: Academic Term,Education,Pendidikan DocType: Supplier Quotation,Supplier Address,Alamat Pembekal DocType: Salary Detail,Do not include in total,Jangan masukkan secara keseluruhan @@ -5341,7 +5396,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} tidak wujud DocType: Purchase Receipt Item,Rejected Quantity,Kuantiti Ditolak DocType: Cashier Closing,To TIme,Kepada TIme -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: Daily Work Summary Group User,Daily Work Summary Group User,Pengguna Kumpulan Ringkasan Kerja Harian DocType: Fiscal Year Company,Fiscal Year Company,Syarikat Fiskal Tahun apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Item alternatif tidak boleh sama dengan kod item @@ -5393,6 +5447,7 @@ DocType: Program Fee,Program Fee,Yuran Program DocType: Delivery Settings,Delay between Delivery Stops,Kelewatan di antara Penghantaran Penghantaran DocType: Stock Settings,Freeze Stocks Older Than [Days],Stok Beku Lebih Lama Daripada [Hari] DocType: Promotional Scheme,Promotional Scheme Product Discount,Diskaun Produk Skim Promosi +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Prioriti Terbitan Sudah Ada DocType: Account,Asset Received But Not Billed,Aset Diterima Tetapi Tidak Dibilkan DocType: POS Closing Voucher,Total Collected Amount,Jumlah Dikumpulkan Jumlah DocType: Course,Default Grading Scale,Skala Penggredan Lalai @@ -5435,6 +5490,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Terma Sepenuh apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Bukan Kumpulan kepada Kumpulan DocType: Student Guardian,Mother,Ibu +DocType: Issue,Service Level Agreement Fulfilled,Perjanjian Tahap Perkhidmatan Sepenuhnya DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Cukai Potongan Bagi Manfaat Pekerja yang Tidak Dituntut DocType: Travel Request,Travel Funding,Pembiayaan Perjalanan DocType: Shipping Rule,Fixed,Tetap @@ -5464,10 +5520,12 @@ DocType: Item,Warranty Period (in days),Tempoh Waranti (dalam hari) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Tiada item dijumpai. DocType: Item Attribute,From Range,Dari Julat DocType: Clinical Procedure,Consumables,Makanan yang boleh dimakan +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' dan 'cap waktu' diperlukan. DocType: Purchase Taxes and Charges,Reference Row #,Rujukan Row # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Sila tetapkan 'Pusat Kos Susut Nilai Aset' di Syarikat {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Baris # {0}: Dokumen pembayaran diperlukan untuk menyelesaikan penggera DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Klik butang ini untuk menarik data Pesanan Jualan anda dari Amazon MWS. +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) ,Assessment Plan Status,Status Pelan Penilaian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Sila pilih {0} dahulu apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Hantar ini untuk mencipta rekod Kakitangan @@ -5538,6 +5596,7 @@ DocType: Quality Procedure,Parent Procedure,Prosedur Ibu Bapa apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Tetapkan Terbuka apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Togol Filter DocType: Production Plan,Material Request Detail,Detail Permintaan Bahan +DocType: Shift Type,Process Attendance After,Kehadiran Proses Selepas DocType: Material Request Item,Quantity and Warehouse,Kuantiti dan Gudang apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Pergi ke Program apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Baris # {0}: Kemasukan pendua dalam Rujukan {1} {2} @@ -5595,6 +5654,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Maklumat Parti apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Penghutang ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Setakat ini tidak boleh melebihi tarikh pelepasan pekerja +DocType: Shift Type,Enable Exit Grace Period,Dayakan Tempoh Keluar Grace DocType: Expense Claim,Employees Email Id,Id E-mel Pekerja DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Kemas kini Harga dari Shopify ke ERPNext List Price DocType: Healthcare Settings,Default Medical Code Standard,Standard Kod Perubatan Default @@ -5625,7 +5685,6 @@ DocType: Item Group,Item Group Name,Nama Kumpulan Item DocType: Budget,Applicable on Material Request,Terpakai pada Permintaan Bahan DocType: Support Settings,Search APIs,API Carian DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Peratus Overproduction untuk Perintah Jualan -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Spesifikasi DocType: Purchase Invoice,Supplied Items,Item yang Dibekalkan DocType: Leave Control Panel,Select Employees,Pilih Pekerja apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Pilih akaun pendapatan faedah dalam pinjaman {0} @@ -5651,7 +5710,7 @@ DocType: Salary Slip,Deductions,Potongan ,Supplier-Wise Sales Analytics,Analitis Jualan Bijaksana DocType: GSTR 3B Report,February,Februari DocType: Appraisal,For Employee,Untuk Pekerja -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Tarikh Penghantaran Sebenar +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Tarikh Penghantaran Sebenar DocType: Sales Partner,Sales Partner Name,Nama Rakan Kongsi Jualan apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Susut Susut {0}: Tarikh Mula Susut Susut dimasukkan sebagai tarikh terakhir DocType: GST HSN Code,Regional,Serantau @@ -5690,6 +5749,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Inv DocType: Supplier Scorecard,Supplier Scorecard,Kad skor pembekal DocType: Travel Itinerary,Travel To,Mengembara ke apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Tandatangan Kehadiran +DocType: Shift Type,Determine Check-in and Check-out,Tentukan daftar masuk dan daftar keluar DocType: POS Closing Voucher,Difference,Beza apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Kecil DocType: Work Order Item,Work Order Item,Item Pesanan Kerja @@ -5723,6 +5783,7 @@ DocType: Sales Invoice,Shipping Address Name,Nama Alamat Penghantaran apps/erpnext/erpnext/healthcare/setup.py,Drug,Ubat apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} ditutup DocType: Patient,Medical History,Sejarah perubatan +DocType: Expense Claim,Expense Taxes and Charges,Cukai dan Caj Perbelanjaan DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Bilangan hari selepas tarikh invois telah berlalu sebelum membatalkan langganan atau menandakan langganan sebagai belum dibayar apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Nota Pemasangan {0} telah dihantar DocType: Patient Relation,Family,Keluarga @@ -5755,7 +5816,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Kekuatan apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} unit {1} diperlukan dalam {2} untuk menyelesaikan transaksi ini. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Bahan Binaan Backflush Subkontrak Berdasarkan Pada -DocType: Bank Guarantee,Customer,Pelanggan DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Sekiranya diaktifkan, Tempoh Akademik bidang akan Dikenakan dalam Alat Pendaftaran Program." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Bagi kumpulan pelajar berasaskan Batch, Batch Pelajar akan disahkan untuk setiap Pelajar dari Program Pendaftaran." DocType: Course,Topics,Topik @@ -5835,6 +5895,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Ahli Bab DocType: Warranty Claim,Service Address,Alamat Perkhidmatan DocType: Journal Entry,Remark,Catatan +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Baris {0}: Kuantiti tidak tersedia untuk {4} dalam gudang {1} pada masa penyertaan entri ({2} {3}) DocType: Patient Encounter,Encounter Time,Masa Pertemuan DocType: Serial No,Invoice Details,Butiran Invois 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 tambahan boleh dibuat di bawah Kumpulan, tetapi entri boleh dibuat terhadap bukan Kumpulan" @@ -5915,6 +5976,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","P apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Penutupan (pembukaan + jumlah) DocType: Supplier Scorecard Criteria,Criteria Formula,Formula Kriteria apps/erpnext/erpnext/config/support.py,Support Analytics,Sokongan Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID Peranti Kehadiran (ID tag biometrik / RF) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Kajian dan Tindakan DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Sekiranya akaun dibekukan, penyertaan dibenarkan untuk pengguna terhad." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Jumlah Selepas Susut Nilai @@ -5936,6 +5998,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Pembayaran Balik Pinjaman DocType: Employee Education,Major/Optional Subjects,Subjek Utama / Pilihan DocType: Soil Texture,Silt,Lumpur +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Alamat Pembekal Dan Kenalan DocType: Bank Guarantee,Bank Guarantee Type,Jenis Jaminan Bank DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Jika melumpuhkan, medan 'Bulat Penuh' tidak akan dapat dilihat dalam sebarang transaksi" DocType: Pricing Rule,Min Amt,Min Amt @@ -5974,6 +6037,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Membuka Item Penciptaan Alat Invois DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Sertakan Transaksi POS +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Tiada Pekerja yang didapati untuk nilai medan pekerja yang diberi. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Diterima Amaun (Mata Wang Syarikat) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Tempatan Local penuh, tidak menyimpan" DocType: Chapter Member,Chapter Member,Ahli Bab @@ -6006,6 +6070,7 @@ DocType: SMS Center,All Lead (Open),Semua Lead (Terbuka) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Tiada Kumpulan Pelajar yang dicipta. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Baris duplikat {0} dengan {1} sama DocType: Employee,Salary Details,Butiran Gaji +DocType: Employee Checkin,Exit Grace Period Consequence,Keluar dari Tempoh Berikutan Akibat DocType: Bank Statement Transaction Invoice Item,Invoice,Invois DocType: Special Test Items,Particulars,Butiran apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Sila tetapkan penapis berdasarkan Item atau Gudang @@ -6107,6 +6172,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Daripada AMC DocType: Job Opening,"Job profile, qualifications required etc.","Profil pekerjaan, kelayakan yang dikehendaki dan lain-lain" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Kapal ke Negeri +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Adakah anda ingin mengemukakan permintaan bahan DocType: Opportunity Item,Basic Rate,Kadar Asas DocType: Compensatory Leave Request,Work End Date,Tarikh Akhir Kerja apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Permintaan Bahan Baku @@ -6292,6 +6358,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Jumlah Susut Nilai DocType: Sales Order Item,Gross Profit,Untung kasar DocType: Quality Inspection,Item Serial No,Perkara Serial No DocType: Asset,Insurer,Penanggung insurans +DocType: Employee Checkin,OUT,KELUAR apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Membeli Amaun DocType: Asset Maintenance Task,Certificate Required,Sijil Diperlukan DocType: Retention Bonus,Retention Bonus,Bonus Pengekalan @@ -6407,6 +6474,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Jumlah Perbezaan (Ma DocType: Invoice Discounting,Sanctioned,Sanctioned DocType: Course Enrollment,Course Enrollment,Pendaftaran Kursus DocType: Item,Supplier Items,Item Pembekal +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Masa Mula tidak boleh melebihi atau sama dengan Masa Tamat \ untuk {0}. DocType: Sales Order,Not Applicable,Tidak berkenaan DocType: Support Search Source,Response Options,Pilihan Respon apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} harus bernilai antara 0 dan 100 @@ -6493,7 +6562,6 @@ DocType: Travel Request,Costing,Kos apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Aset tetap DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Jumlah Pendapatan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah DocType: Share Balance,From No,Dari Tidak DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Invois Penyesuaian Pembayaran DocType: Purchase Invoice,Taxes and Charges Added,Cukai dan Caj Ditambah @@ -6601,6 +6669,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Abaikan Peraturan Penentuan Harga apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Makanan DocType: Lost Reason Detail,Lost Reason Detail,Detil Sebab Hilang +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Nombor bersiri berikut telah dibuat:
{0} DocType: Maintenance Visit,Customer Feedback,Maklum balas pelanggan DocType: Serial No,Warranty / AMC Details,Maklumat Waranti / AMC DocType: Issue,Opening Time,Waktu Pembukaan @@ -6650,6 +6719,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Nama syarikat tidak sama apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Promosi Pekerja tidak boleh dikemukakan sebelum Tarikh Promosi apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Tidak dibenarkan mengemas kini urus niaga saham lebih lama daripada {0} +DocType: Employee Checkin,Employee Checkin,Pemeriksa Pekerja apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Tarikh mula sepatutnya kurang dari tarikh tamat untuk Item {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Buat sebut harga pelanggan DocType: Buying Settings,Buying Settings,Tetapan Beli @@ -6671,6 +6741,7 @@ DocType: Job Card Time Log,Job Card Time Log,Log Masa Kad Kerja DocType: Patient,Patient Demographics,Demografi Pesakit DocType: Share Transfer,To Folio No,Kepada Folio No apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Aliran Tunai dari Operasi +DocType: Employee Checkin,Log Type,Jenis Log DocType: Stock Settings,Allow Negative Stock,Benarkan Stok Negatif apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Tiada item mempunyai sebarang perubahan dalam kuantiti atau nilai. DocType: Asset,Purchase Date,Tarikh Pembelian @@ -6715,6 +6786,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Sangat Hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Pilih sifat perniagaan anda. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Sila pilih bulan dan tahun +DocType: Service Level,Default Priority,Keutamaan lalai DocType: Student Log,Student Log,Log pelajar DocType: Shopping Cart Settings,Enable Checkout,Dayakan Pemeriksaan apps/erpnext/erpnext/config/settings.py,Human Resources,Sumber Manusia @@ -6743,7 +6815,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Sambungkan Shopify dengan ERPNext DocType: Homepage Section Card,Subtitle,Sarikata DocType: Soil Texture,Loam,Loam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pembekal> Jenis Pembekal DocType: BOM,Scrap Material Cost(Company Currency),Kos Bahan Kos (Mata Wang Syarikat) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Catatan Penghantaran {0} tidak boleh dihantar DocType: Task,Actual Start Date (via Time Sheet),Tarikh Mula Sebenar (melalui Sheet Masa) @@ -6799,6 +6870,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dos DocType: Cheque Print Template,Starting position from top edge,Memulakan kedudukan dari tepi atas apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Tempoh Pelantikan (minit) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Pekerja ini sudah mempunyai log dengan timestamp yang sama. {0} DocType: Accounting Dimension,Disable,Lumpuhkan DocType: Email Digest,Purchase Orders to Receive,Pesanan Pembelian untuk Menerima apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Pesanan Produksi tidak boleh dibangkitkan untuk: @@ -6814,7 +6886,6 @@ DocType: Production Plan,Material Requests,Permintaan Bahan DocType: Buying Settings,Material Transferred for Subcontract,Bahan yang Dipindahkan untuk Subkontrak DocType: Job Card,Timing Detail,Detail masa apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Dikehendaki -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Mengimport {0} daripada {1} DocType: Job Offer Term,Job Offer Term,Terma Tawaran Kerja DocType: SMS Center,All Contact,Semua Kenalan DocType: Project Task,Project Task,Tugas Projek @@ -6865,7 +6936,6 @@ DocType: Student Log,Academic,Akademik apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Perkara {0} tidak bersesuaian untuk Siri Serial. Semak item master apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Dari Negeri DocType: Leave Type,Maximum Continuous Days Applicable,Hari Berterusan Maksimum Berlaku -apps/erpnext/erpnext/config/support.py,Support Team.,Pasukan penyokong. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Sila masukkan nama syarikat terlebih dahulu apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Import berjaya DocType: Guardian,Alternate Number,Nombor Ganti @@ -6957,6 +7027,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Baris # {0}: Item ditambahkan DocType: Student Admission,Eligibility and Details,Kelayakan dan Butiran DocType: Staffing Plan,Staffing Plan Detail,Detail Pelan Kakitangan +DocType: Shift Type,Late Entry Grace Period,Tempoh Grace Late Entry DocType: Email Digest,Annual Income,Pendapatan tahunan DocType: Journal Entry,Subscription Section,Seksyen Subskrip DocType: Salary Slip,Payment Days,Hari Bayaran @@ -7007,6 +7078,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Baki akaun DocType: Asset Maintenance Log,Periodicity,Berkala apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Rekod kesihatan +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Jenis Log diperlukan untuk daftar masuk dalam peralihan: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Pelaksanaan DocType: Item,Valuation Method,Kaedah Penilaian apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} terhadap Invois Jualan {1} @@ -7091,6 +7163,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Anggaran Kos Setiap Po DocType: Loan Type,Loan Name,Nama Pinjaman apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Tetapkan cara lalai pembayaran DocType: Quality Goal,Revision,Ulang kaji +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Masa sebelum masa akhir perpindahan semasa daftar keluar dianggap awal (dalam minit). DocType: Healthcare Service Unit,Service Unit Type,Jenis Unit Perkhidmatan DocType: Purchase Invoice,Return Against Purchase Invoice,Pulangan Terhadap Invois Pembelian apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Menjana Rahsia @@ -7246,12 +7319,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Kosmetik DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Semak ini jika anda mahu memaksa pengguna untuk memilih siri sebelum menyimpan. Akan ada lalai jika anda menyemak ini. 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 membuat / mengubahsuai penyertaan perakaunan terhadap akaun beku +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod Item> Kumpulan Item> Jenama DocType: Expense Claim,Total Claimed Amount,Jumlah Tuntutan 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 dalam {0} hari seterusnya untuk Operasi {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Mengakhiri apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Anda hanya boleh memperbaharui sekiranya keahlian anda tamat tempoh dalam masa 30 hari apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Nilai mestilah antara {0} dan {1} DocType: Quality Feedback,Parameters,Parameter +DocType: Shift Type,Auto Attendance Settings,Tetapan Kehadiran Auto ,Sales Partner Transaction Summary,Ringkasan Transaksi Mitra Jualan DocType: Asset Maintenance,Maintenance Manager Name,Nama Pengurus Penyelenggaraan apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Ia diperlukan untuk mendapatkan Butiran Item. @@ -7343,10 +7418,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Mengesahkan Peraturan Terapan DocType: Job Card Item,Job Card Item,Item Kad Kerja DocType: Homepage,Company Tagline for website homepage,Syarikat Tagline untuk laman utama laman web +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Tetapkan Masa Respon dan Resolusi untuk Keutamaan {0} pada indeks {1}. DocType: Company,Round Off Cost Center,Pusat Kos Off Round DocType: Supplier Scorecard Criteria,Criteria Weight,Kriteria Berat DocType: Asset,Depreciation Schedules,Jadual susutnilai -DocType: Expense Claim Detail,Claim Amount,Tuntutan Amaun DocType: Subscription,Discounts,Diskaun DocType: Shipping Rule,Shipping Rule Conditions,Syarat Peraturan Penghantaran DocType: Subscription,Cancelation Date,Tarikh Pembatalan @@ -7374,7 +7449,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Buat Leads apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Tunjukkan nilai sifar DocType: Employee Onboarding,Employee Onboarding,Onboarding Pekerja DocType: POS Closing Voucher,Period End Date,Tarikh Akhir Tempoh -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Peluang Jualan Mengikut Sumber DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Pengendali Tinggalkan pertama dalam senarai akan ditetapkan sebagai Penolakan Cuti lalai. DocType: POS Settings,POS Settings,Tetapan POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Semua Akaun @@ -7395,7 +7469,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Baris # {0}: Kadar mesti sama dengan {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Barangan Perkhidmatan Penjagaan Kesihatan -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Tiada rekod dijumpai apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Julat Penuaan 3 DocType: Vital Signs,Blood Pressure,Tekanan darah 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 @@ -7442,6 +7515,7 @@ DocType: Company,Existing Company,Syarikat Sedia Ada apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Batches apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Pertahanan DocType: Item,Has Batch No,Mempunyai Batch No +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Hari Kelewatan DocType: Lead,Person Name,Nama Orang DocType: Item Variant,Item Variant,Varian Item DocType: Training Event Employee,Invited,Dijemput @@ -7463,7 +7537,7 @@ DocType: Purchase Order,To Receive and Bill,Untuk Menerima dan Rang Undang-undan apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Tarikh mula dan tamat tidak dalam Tempoh Penggajian yang sah, tidak boleh mengira {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Hanya tunjukkan Pelanggan Kumpulan Pelanggan ini apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Pilih item untuk menyimpan invois -DocType: Service Level,Resolution Time,Masa Resolusi +DocType: Service Level Priority,Resolution Time,Masa Resolusi DocType: Grading Scale Interval,Grade Description,Gred Description DocType: Homepage Section,Cards,Kad DocType: Quality Meeting Minutes,Quality Meeting Minutes,Minit Mesyuarat Kualiti @@ -7490,6 +7564,7 @@ DocType: Project,Gross Margin %,Margin Kasar% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Baki Penyata Bank mengikut Lejar Am apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Penjagaan kesihatan (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Warehouse lalai untuk membuat Nota Pesanan Jualan dan Penghantaran +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Masa tindak balas untuk {0} di indeks {1} tidak boleh melebihi Masa Resolusi. DocType: Opportunity,Customer / Lead Name,Nama Pelanggan / Lead DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Jumlah tidak dituntut @@ -7536,7 +7611,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Mengimport Pihak dan Alamat DocType: Item,List this Item in multiple groups on the website.,Senaraikan Item ini dalam berbilang kumpulan di laman web. DocType: Request for Quotation,Message for Supplier,Mesej untuk Pembekal -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Tidak boleh menukar {0} sebagai Transaksi Saham untuk Item {1} wujud. DocType: Healthcare Practitioner,Phone (R),Telefon (R) DocType: Maintenance Team Member,Team Member,Ahli pasukan DocType: Asset Category Account,Asset Category Account,Akaun Kategori Aset diff --git a/erpnext/translations/my.csv b/erpnext/translations/my.csv index cebbfb58cb..245ae30f7a 100644 --- a/erpnext/translations/my.csv +++ b/erpnext/translations/my.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,term Start ကိုနေ့စွဲ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,ခန့်အပ်တာဝန်ပေးခြင်း {0} နှင့်အရောင်းပြေစာ {1} ဖျက်သိမ်း DocType: Purchase Receipt,Vehicle Number,ယာဉ်နံပါတ် apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,သင့်အီးမေးလ်လိပ်စာ... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,ပုံမှန်စာအုပ် Entries Include +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,ပုံမှန်စာအုပ် Entries Include DocType: Activity Cost,Activity Type,လုပ်ဆောင်ချက်အမျိုးအစား DocType: Purchase Invoice,Get Advances Paid,တိုးတက်လာတာနဲ့အမျှ Paid Get DocType: Company,Gain/Loss Account on Asset Disposal,ပိုင်ဆိုင်မှုရှင်းအပေါ်အမြတ် / ပျောက်ဆုံးခြင်းအကောင့် @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,ဒါကြေ DocType: Bank Reconciliation,Payment Entries,ငွေပေးချေမှုရမည့် Entries DocType: Employee Education,Class / Percentage,class / ရာခိုင်နှုန်း ,Electronic Invoice Register,အီလက်ထရောနစ်ငွေတောင်းခံလွှာမှတ်ပုံတင်မည် +DocType: Shift Type,The number of occurrence after which the consequence is executed.,ယင်းအကျိုးဆက်ကွပ်မျက်ခံရသောအကြာတွင်ဖြစ်ပျက်မှုများ၏အရေအတွက်။ DocType: Sales Invoice,Is Return (Credit Note),ပြန်သွားစဉ် (Credit မှတ်ချက်) ဖြစ်ပါသည် +DocType: Price List,Price Not UOM Dependent,စျေး UOM မှီခိုမ DocType: Lab Test Sample,Lab Test Sample,Lab ကစမ်းသပ်နမူနာ DocType: Shopify Settings,status html,status ကို html DocType: Fiscal Year,"For e.g. 2012, 2012-13","ဥပမာ 2012 ခုနှစ်, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,ကုန်ပ DocType: Salary Slip,Net Pay,net က Pay ကို apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,စုစုပေါင်းငွေတောင်းခံလွှာ Amt DocType: Clinical Procedure,Consumables Invoice Separately,စားသုံးသူငွေတောင်းခံလွှာသီးခြား +DocType: Shift Type,Working Hours Threshold for Absent,ဒူးယောင်အလုပ်လုပ်နာရီ Threshold DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM ။ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},ဘတ်ဂျက် Group မှအကောင့် {0} ဆန့်ကျင်တာဝန်ပေးအပ်ရနိုင်မှာမဟုတ်ဘူး DocType: Purchase Receipt Item,Rate and Amount,rate နှင့်ငွေပမာဏ @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,အရင်းအမြစ်ဂိ DocType: Healthcare Settings,Out Patient Settings,လူနာက Settings ထဲကကို DocType: Asset,Insurance End Date,အာမခံအဆုံးနေ့စွဲ DocType: Bank Account,Branch Code,ဘဏ်ခွဲကုဒ် -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,တုံ့ပြန်ရန်အချိန် apps/erpnext/erpnext/public/js/conf.js,User Forum,အသုံးပြုသူဖိုရမ် DocType: Landed Cost Item,Landed Cost Item,ကုန်းပေါ်ရောက်တန်ဖိုး Item apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,ရောင်းသူနှင့်ဝယ်တူမဖွစျနိုငျ @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,ခဲပိုင်ရှင် DocType: Share Transfer,Transfer,လွှဲပြောင်း apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),ရှာရန် Item (Ctrl + ဈ) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} ရလဒ်တင်ပြသူ +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,နေ့စွဲကနေယနေ့အထိထက်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Supplier,Supplier of Goods or Services.,ကုန်စည်သို့မဟုတ်န်ဆောင်မှုများ၏ပေးသွင်း။ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,အသစ်ကအကောင့်အမည်။ မှတ်ချက်: Customer နှင့်ပေးသွင်းများအတွက်အကောင့်ဖန်တီးပါဘူးကျေးဇူးပြုပြီး apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,ကျောင်းသားအုပ်စုသို့မဟုတ်သင်တန်းအမှတ်စဥ်ဇယားမဖြစ်မနေဖြစ်ပါသည် @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,အလား DocType: Skill,Skill Name,ကျွမ်းကျင်မှုအမည် apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,ပုံနှိပ်ပါအစီရင်ခံစာကဒ် DocType: Soil Texture,Ternary Plot,Ternary ကြံစည်မှု -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ပံ့ပိုးမှုလက်မှတ်တွေ DocType: Asset Category Account,Fixed Asset Account,ပုံသေပိုင်ဆိုင်မှုအကောင့် apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,နောက်ဆုံး @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,အဝေးသင် UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Balance Sheet သည်မသင်မနေရ DocType: Payment Entry,Total Allocated Amount,စုစုပေါင်းခွဲဝေငွေပမာဏ DocType: Sales Invoice,Get Advances Received,တိုးတက်လာတာနဲ့အမျှရရှိထားသည့် Get +DocType: Shift Type,Last Sync of Checkin,စာရင်းသွင်း၏နောက်ဆုံး Sync ကို DocType: Student,B-,ပါဘူးရှငျ DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Value ကိုအတွက်ပါဝငျ item အခွန်ပမာဏ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,subscription အစီအစဉ် DocType: Student,Blood Group,သွေးအုပ်စု apps/erpnext/erpnext/config/healthcare.py,Masters,မာစတာ DocType: Crop,Crop Spacing UOM,UOM ကွာဟချက်တွေတူပါတယ်သီးနှံ +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,check-in (မိနစ်) နှောင်းပိုင်းတွင်အဖြစ်စဉ်းစားသည်အခါပြောင်းကုန်ပြီပြီးနောက်အချိန်အချိန်ကိုစတင်ပါ။ apps/erpnext/erpnext/templates/pages/home.html,Explore,Explore +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,မျှမတွေ့ထူးချွန်ငွေတောင်းခံလွှာများ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} နေရာလွတ်များနှင့် {2} ပြီးသား {3} ၏လက်အောက်ခံကုမ္ပဏီများအတွက်စီစဉ်ထားများအတွက် {1} ဘတ်ဂျက်။ \ သင်သည်သာ {6} မိဘကုမ္ပဏီ {3} ဝန်ထမ်းများနှုန်းအစီအစဉ်အဖြစ် {5} နူန်းကျော်ကျော် {4} နေရာလွတ်အဘို့အစီစဉ်များနှင့်များနှင့်ဘတ်ဂျက်နိုင်ပါတယ်။ DocType: Promotional Scheme,Product Discount Slabs,ကုန်ပစ္စည်းလျှော့တစ်ခုလို့ဆိုရမှာပါ @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,တက်ရောက်သူတော DocType: Item,Moving Average,ပျမ်းမျှ Moving DocType: Employee Attendance Tool,Unmarked Attendance,ထငျရှားတက်ရောက် DocType: Homepage Section,Number of Columns,ကော်လံများအရေအတွက် +DocType: Issue Priority,Issue Priority,ပြဿနာဦးစားပေး DocType: Holiday List,Add Weekly Holidays,အပတ်စဉ်အားလပ်ရက် Add DocType: Shopify Log,Shopify Log,Shopify Log in ဝင်ရန် apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,လစာစလစ်ဖြတ်ပိုင်းပုံစံကိုဖန်တီး @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Value ကို / ဖျေါပွ DocType: Warranty Claim,Issue Date,ထုတ်ပြန်ရက်စွဲ 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} များအတွက်အသုတ်လိုက်ရွေးပါ။ ဒီလိုအပ်ချက်ပြည့်တဲ့တစ်ခုတည်းသောအသုတ်ကိုရှာဖွေနိုင်ခြင်း apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,လက်ဝဲန်ထမ်းများအတွက် retention အပိုဆုမဖန်တီးနိုင်ပါ +DocType: Employee Checkin,Location / Device ID,တည်နေရာ / ကိရိယာ ID DocType: Purchase Order,To Receive,လက်ခံနိုင်ရန် apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,သငျသညျအော့ဖ်လိုင်း mode မှာရှိပါတယ်။ သငျသညျကှနျယကျရှိသည်သည်အထိကိုသင်ပြန်ဖွင့်နိုင်ပါလိမ့်မည်မဟုတ်။ DocType: Course Activity,Enrollment,စာရင်းသွင်းခြင်း @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Lab ကစမ်းသပ် Templa apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},မက်စ်: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-Invoicing ပြန်ကြားရေးပျောက်ဆုံးနေ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,created အဘယ်သူမျှမပစ္စည်းကိုတောငျးဆိုခကျြ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,item Code ကို> item Group မှ> အမှတ်တံဆိပ် DocType: Loan,Total Amount Paid,စုစုပေါင်းငွေပမာဏ Paid apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,ဤသူအပေါင်းတို့သည်ပစ္စည်းများကိုပြီးသားသို့ပို့ခဲ့ကြ DocType: Training Event,Trainer Name,သင်တန်းပေးသူအမည် @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},ခဲထဲမှာ {0} အဆိုပါခဲအမည်ဖော်ပြထားခြင်း ကျေးဇူးပြု. DocType: Employee,You can enter any date manually,သငျသညျကို manually မဆိုနေ့စွဲကိုရိုက်ထည့်နိုင်ပါတယ် DocType: Stock Reconciliation Item,Stock Reconciliation Item,စတော့အိတ်ပြန်လည်သင့်မြတ်ရေးပစ္စည်း +DocType: Shift Type,Early Exit Consequence,အစောပိုင်း Exit ကိုအကျိုးဆက်များ DocType: Item Group,General Settings,General Settings apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,ကြောင့်နေ့စွဲပို့စ်တင် / ပေးသွင်းငွေတောင်းလွှာနေ့စွဲမတိုင်မီမဖွစျနိုငျ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,submittting ရှေ့တော်၌ထိုအကျိုးခံစား၏အမည်ကိုရိုက်ထည့်ပါ။ @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,စာရင်းစစ်ချုပ် apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,ငွေပေးချေမှုရမည့်အတည်ပြုချက် ,Available Stock for Packing Items,ပစ္စည်းများထုပ်ပိုးများအတွက်ရရှိနိုင်ပါစတော့အိတ် apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},ကို C-Form ကို {1} ကနေဒီငွေတောင်းခံလွှာ {0} ကိုဖယ်ရှား ကျေးဇူးပြု. +DocType: Shift Type,Every Valid Check-in and Check-out,တိုင်းသက်တမ်းရှိ check-in များနှင့် Check-out DocType: Support Search Source,Query Route String,query လမ်းကြောင်း့ String DocType: Customer Feedback Template,Customer Feedback Template,ဖောက်သည်တုံ့ပြန်ချက် Template ကို apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,ဦးဆောင်လမ်းပြသို့မဟုတ် Customer များ Quotes ။ @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,authorization ထိန်းချုပ်ရေး ,Daily Work Summary Replies,နေ့စဉ်လုပ်ငန်းခွင်အနှစ်ချုပ်ပြန်စာများ apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},သငျသညျစီမံကိန်းအပေါ်ပူးပေါင်းရန်ဖိတ်ခေါ်ပြီ: {0} +DocType: Issue,Response By Variance,ကှဲလှဲခြင်းဖြင့်တုန့်ပြန် DocType: Item,Sales Details,အရောင်းအသေးစိတ် apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,ပုံနှိပ်တင်းပလိတ်များအဘို့ပေးစာခေါင်းဆောင်များ။ DocType: Salary Detail,Tax on additional salary,အပိုဆောင်းလစာအပေါ်အခွန် @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,ဖော DocType: Project,Task Progress,task ကိုတိုးတက်ရေးပါတီ DocType: Journal Entry,Opening Entry,Entry 'ဖွင့်လှစ် DocType: Bank Guarantee,Charges Incurred,မြှုတ်စွဲချက် +DocType: Shift Type,Working Hours Calculation Based On,အလုပ်လုပ်နာရီတွက်ချက်မှုတွင် အခြေခံ. DocType: Work Order,Material Transferred for Manufacturing,ကုန်ထုတ်လုပ်မှုများအတွက်လွှဲပြောင်းပစ္စည်း DocType: Products Settings,Hide Variants,မူကွဲ Hide DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,စွမ်းဆောင်ရည်စီမံကိန်းနှင့်အချိန်ခြေရာကောက် Disable @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,တန်ဖိုး DocType: Guardian,Interests,စိတ်ဝင်စားမှုများ DocType: Purchase Receipt Item Supplied,Consumed Qty,ကိုလောင်အရည်အတွက် DocType: Education Settings,Education Manager,ပညာရေး Manager ကို +DocType: Employee Checkin,Shift Actual Start,အမှန်တကယ် Start ကို Shift DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Workstation နှင့်အလုပ်အဖွဲ့နာရီပြင်ပတွင်အချိန်မှတ်တမ်းများကြိုတင်စီစဉ်ထားပါ။ apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},သစ္စာရှိမှုအမှတ်: {0} DocType: Healthcare Settings,Registration Message,မှတ်ပုံတင်ခြင်းကို Message @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,ပြီးသားအားလုံးငွေတောင်းခံနာရီဖန်တီးငွေတောင်းခံလွှာ DocType: Sales Partner,Contact Desc,ဆက်သွယ်ရန် DESC DocType: Purchase Invoice,Pricing Rules,စျေးနှုန်းစည်းကမ်းများ +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","ကို item {0} ဆန့်ကျင်တည်ဆဲအရောင်းအရှိဖြစ်သကဲ့သို့, သင်က {1} ၏တန်ဖိုးမပြောင်းနိုင်ပါ" DocType: Hub Tracked Item,Image List,image ကိုစာရင်း DocType: Item Variant Settings,Allow Rename Attribute Value,Rename Attribute Value ကို Allow -DocType: Price List,Price Not UOM Dependant,စျေး UOM မှီခိုမ apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),(မိနစ်၌) အချိန် apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,အခြေခံပညာ DocType: Loan,Interest Income Account,အကျိုးစီးပွားဝင်ငွေခွန်အကောင့် @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,အလုပ်အကိုင်အမျိ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,POS ကိုယ်ရေးဖိုင်ကို Select လုပ်ပါ DocType: Support Settings,Get Latest Query,နောက်ဆုံးရ Query Get DocType: Employee Incentive,Employee Incentive,ဝန်ထမ်းယ့ +DocType: Service Level,Priorities,ဦးစားပေး apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,ပင်မစာမျက်နှာပေါ်မှာကတ်များသို့မဟုတ်ထုံးစံအပိုင်း Add DocType: Homepage,Hero Section Based On,သူရဲကောင်းပုဒ်မအခြေပြုတွင် DocType: Project,Total Purchase Cost (via Purchase Invoice),(ဝယ်ယူငွေတောင်းခံလွှာကနေတဆင့်) စုစုပေါင်းဝယ်ယူကုန်ကျစရိတ် @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,ပစ္စည်း DocType: Blanket Order Item,Ordered Quantity,အမိန့်အရေအတွက် apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},အတန်း # {0}: ငြင်းပယ်ဂိုဒေါင်ပယ်ချ Item {1} ဆန့်ကျင်မဖြစ်မနေဖြစ်ပါသည် ,Received Items To Be Billed,ငွေတောင်းခံထားမှုခံရစေရန်ရရှိထားသည့်ပစ္စည်းများ -DocType: Salary Slip Timesheet,Working Hours,အလုပ်ချိန် +DocType: Attendance,Working Hours,အလုပ်ချိန် apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,ငွေပေးချေမှုရမည့် Mode ကို apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,အမိန့်ပစ္စည်းများဝယ်ယူရန်အချိန်ပေါ်လက်ခံရရှိခြင်းမရှိသေးပါခင်ဗျား apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,နေ့ရက်များအတွက် Duration: @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,ပြဌာန်းချက်အချက်အလက်နှင့်သင့်ပေးသွင်းအကြောင်းကိုအခြားအယေဘုယျသတင်းအချက်အလက် DocType: Item Default,Default Selling Cost Center,default ရောင်းအားကုန်ကျစရိတ်ရေးစင်တာ DocType: Sales Partner,Address & Contacts,လိပ်စာ & ဆက်သွယ်ရန် -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ကျေးဇူးပြု. Setup ကို> နံပါတ်စီးရီးကနေတစ်ဆင့်တက်ရောက်ဘို့ setup ကိုစာရငျးစီးရီး DocType: Subscriber,Subscriber,စာရင်းပေးသွင်းသူ apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form ကို / Item / {0}) စတော့ရှယ်ယာထဲကဖြစ်ပါတယ် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Post date ပထမဦးဆုံးကိုရွေးပါ ကျေးဇူးပြု. @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,% အပြီးအစီး Method ကိ DocType: Detected Disease,Tasks Created,Created လုပ်ငန်းများ apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,default BOM ({0}) ဤအကြောင်းအရာအားသို့မဟုတ်ယင်း၏ template ကိုများအတွက်တက်ကြွစွာဖြစ်ရမည် apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,ကော်မရှင်နှုန်း% -DocType: Service Level,Response Time,တုန့်ပြန်အချိန် +DocType: Service Level Priority,Response Time,တုန့်ပြန်အချိန် DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Settings များ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,အရေအတွက်အပြုသဘောဖြစ်ရမည် DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,အတွင်းလူ DocType: Bank Statement Settings,Transaction Data Mapping,ငွေသွင်းငွေထုတ်မှာ Data မြေပုံ apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,တစ်ဦးကဦးဆောင်ပုဂ္ဂိုလ်တစ်ဦးရဲ့နာမည်သို့မဟုတ်အဖွဲ့အစည်းတစ်ခု၏အမည်ကိုလည်းကောင်းလိုအပ်ပါတယ် DocType: Student,Guardians,အုပ်ထိန်းသူများ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ပညာရေးအတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုနည်းပြ> ပညာရေးကိုဆက်တင် apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,ကုန်အမှတ်တံဆိပ်ကို Select လုပ်ပါ ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,အလယျပိုငျးဝင်ငွေခွန် DocType: Shipping Rule,Calculate Based On,အခြေပြုတွင်တွက်ချက် @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,တစ်ပစ် apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},တက်ရောက်သူစံချိန်တင် {0} ကျောင်းသား {1} ဆန့်ကျင်တည်ရှိ apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,ငွေသွင်းငွေထုတ်၏နေ့စွဲ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Subscription Cancel +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,ဝန်ဆောင်မှုအဆင့်သဘောတူညီချက် {0} Set မပေးနိုင်ခဲ့ပါ။ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Net ကလစာပမာဏ DocType: Account,Liability,တာဝန် DocType: Employee,Bank A/C No.,ဘဏ် A / C အမှတ် @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,ကုန်ကြမ်းပစ္စည်း Item Code ကို apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,အရစ်ကျငွေတောင်းခံလွှာ {0} ပြီးသားတင်သွင်းနေသည် DocType: Fees,Student Email,ကျောင်းသားအီးမေးလ် -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM တဲ့ request: {0} {2} ၏မိဘသို့မဟုတ်ကလေးကမဖွစျနိုငျ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,ကျန်းမာရေးစောင့်ရှောက်မှုန်ဆောင်မှုများအနေဖြင့်ပစ္စည်းများ Get apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,စတော့အိတ် Entry '{0} တင်သွင်းမဟုတ်ပါ DocType: Item Attribute Value,Item Attribute Value,item Attribute တန်ဖိုး @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,Pay ကိုခင်မှာပ DocType: Production Plan,Select Items to Manufacture,ထုတ်လုပ်ခြင်းမှပစ္စည်းများကို Select လုပ်ပါ DocType: Leave Application,Leave Approver Name,သဘောတူညီချက်ပေး Name ကိုစွန့်ခွာ DocType: Shareholder,Shareholder,အစုစပ်ပါဝင်သူ -DocType: Issue,Agreement Status,သဘောတူညီချက်အခြေအနေ apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,အရောင်းအရောင်းအဘို့အ default settings ကို။ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,အဆိုပါပေးဆောင်ကျောင်းသားလျှောက်ထားသူများအတွက်မဖြစ်မနေဖြစ်သည့်ကျောင်းသားင်ခွင့်ကို select ပေးပါ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOM ကို Select လုပ်ပါ @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,ဝင်ငွေခွန်အကောင့် apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,အားလုံးသိုလှောင်ရုံ DocType: Contract,Signee Details,Signee အသေးစိတ် +DocType: Shift Type,Allow check-out after shift end time (in minutes),Check-ထွက် (မိနစ်) ပြောင်းကုန်ပြီဆုံးအချိန်ကိုအပြီး Allow apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,ပစ္စည်းဝယ်ယူရေး DocType: Item Group,Check this if you want to show in website,သငျသညျက်ဘ်ဆိုဒ်ထဲမှာပြသချင်တယ်ဆိုရင်ဒီ Check apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ {0} မတွေ့ရှိ @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,တန်ဖိုးလျ DocType: Activity Cost,Billing Rate,ငွေတောင်းခံနှုန်း apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},သတိပေးချက်: နောက်ထပ် {0} # {1} စတော့ရှယ်ယာ entry ကို {2} ဆန့်ကျင်တည်ရှိ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,လမ်းကြောင်းခန့်မှန်းမှုနှင့်ပိုကောင်းအောင်ရန် Google Maps က Settings ကို enable ပေးပါ +DocType: Purchase Invoice Item,Page Break,စာမျက်နှာလူငယ်များသို့ DocType: Supplier Scorecard Criteria,Max Score,မက်စ်ရမှတ် apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,ပြန်ဆပ်ဖို့ Start နေ့စွဲငွေပေးချေနေ့စွဲမတိုင်မီမဖြစ်နိုင်ပါ။ DocType: Support Search Source,Support Search Source,ပံ့ပိုးမှုရှာရန်ရင်းမြစ် @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,အရည်အသွေ DocType: Employee Transfer,Employee Transfer,ဝန်ထမ်းလွှဲပြောင်း ,Sales Funnel,အရောင်းကတော့ DocType: Agriculture Analysis Criteria,Water Analysis,ရေအားသုံးသပ်ခြင်း +DocType: Shift Type,Begin check-in before shift start time (in minutes),စစ်ဆေး-in ကိုပြောင်းကုန်ပြီမတိုင်မီ Begin (မိနစ်) အချိန်ကိုစတင်ရန် DocType: Accounts Settings,Accounts Frozen Upto,Frozen နူန်းကျော်ကျော်အကောင့် apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,တည်းဖြတ်ဖို့ဘာမျှရှိပါသည်။ apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",စစ်ဆင်ရေး {0} ရှည်ကို Workstation {1} အတွက်မဆိုမရရှိနိုင်အလုပ်ချိန်ထက်မျိုးစုံစစ်ဆင်ရေးသို့စစ်ဆင်ရေးဖြိုဖျက် @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,င apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},အရောင်းအမိန့် {0} {1} ဖြစ်ပါသည် apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ငွေပေးချေမှုအတွက်နှောင့်နှေး (နေ့ရက်များ) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,တန်ဖိုးအသေးစိတျကိုရိုက်ထည့် +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,ဖောက်သည် PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,မျှော်လင့်ထားသည့် Delivery နေ့စွဲအရောင်းအမိန့်နေ့စွဲနောက်မှာဖြစ်သင့်ပါတယ် +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,item အရေအတွက်သုညမဖွစျနိုငျ apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,မှားနေသော Attribute apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},ကို item ဆန့်ကျင် {0} BOM ကို select ပေးပါ DocType: Bank Statement Transaction Invoice Item,Invoice Type,ငွေတောင်းခံလွှာအမျိုးအစား @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,ကို Maintenance နေ့စ DocType: Volunteer,Afternoon,မှနျးလှဲ DocType: Vital Signs,Nutrition Values,အာဟာရတန်ဖိုးများ DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"တစ်အဖျား (အပူချိန်> 38.5 ° C / 101,3 ° F ကိုသို့မဟုတ်စဉ်ဆက်မပြတ်အပူချိန်> 38 ဒီဂရီစင်တီဂရိတ် / 100,4 ° F) ၏ရောက်ရှိခြင်း" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,လူ့စွမ်းအားအရင်းအမြစ်အတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုထမ်း> HR က Settings apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC ပြောင်းပြန် DocType: Project,Collect Progress,တိုးတက်မှုစုဆောင်း apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,အင်အား @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,Setup ကိုတိုးတက်ရ ,Ordered Items To Be Billed,ငွေတောင်းခံထားမှုခံရရန်အမိန့်ထုတ်ပစ္စည်းများ DocType: Taxable Salary Slab,To Amount,ငွေပမာဏမှ DocType: Purchase Invoice,Is Return (Debit Note),သို့ပြန်သွားသည် (မြီစားမှတ်ချက်) ဖြစ်ပါသည် +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည် Group မှ> နယ်မြေတွေကို apps/erpnext/erpnext/config/desktop.py,Getting Started,စတင်ခဲ့သည် apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,အဖှဲ့ပေါငျး apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,အဆိုပါဘဏ္ဍာရေးတစ်နှစ်တာသိမ်းဆည်းတစ်ချိန်ကဘဏ္ဍာရေးတစ်နှစ်တာ Start ကိုနေ့စွဲနှင့်ဘဏ္ဍာရေးတစ်နှစ်တာပြီးဆုံးရက်စွဲကိုပြောင်းလို့မရပါဘူး။ @@ -2216,8 +2232,10 @@ DocType: Maintenance Schedule Detail,Actual Date,အမှန်တကယ်န apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},ကို Maintenance စတင်နေ့စွဲ Serial ဘယ်သူမျှမက {0} များအတွက်ဖြန့်ဝေသည့်ရက်စွဲမတိုင်မီမဖွစျနိုငျ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,အတန်း {0}: ချိန်းနှုန်းမဖြစ်မနေဖြစ်ပါသည် DocType: Purchase Invoice,Select Supplier Address,ပေးသွင်းလိပ်စာကို Select လုပ်ပါ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","ရရှိနိုင်အရေအတွက် {0}, သငျသညျ {1} လိုအပ်ပါတယ်ဖြစ်ပါသည်" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,API ကိုစားသုံးသူလျှို့ဝှက်ရိုက်ထည့်ပေးပါ DocType: Program Enrollment Fee,Program Enrollment Fee,Program ကိုကျောင်းအပ်ကြေး +DocType: Employee Checkin,Shift Actual End,အမှန်တကယ် End Shift DocType: Serial No,Warranty Expiry Date,အာမခံသက်တမ်းကုန်ဆုံးနေ့စွဲ DocType: Hotel Room Pricing,Hotel Room Pricing,ဟိုတယ်အခန်းစျေးနှုန်း apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted",rated သုညထက်အခြားအပြင် taxable ထောက်ပံ့ရေးပစ္စည်းများ (nil rated နှင့်ကင်းလွတ်ခွင့်ရ @@ -2277,6 +2295,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,5 Reading DocType: Shopping Cart Settings,Display Settings,display Settings apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,ကြိုတင်ဘွတ်ကင်တန်ဖိုးအရေအတွက်သတ်မှတ်ပေးပါ +DocType: Shift Type,Consequence after,အကျိုးဆက်အပြီး apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,သင်နှင့်အတူကူညီဘယ်အရာကိုလိုအပ်သလဲ? DocType: Journal Entry,Printing Settings,ပုံနှိပ် Settings များ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,ဘဏ်လုပ်ငန်း @@ -2286,6 +2305,7 @@ DocType: Purchase Invoice Item,PR Detail,PR စနစ်အသေးစိတ် apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,ငွေတောင်းခံလိပ်စာသင်္ဘောလိပ်စာအဖြစ်အတူတူပင်ဖြစ်ပါသည် DocType: Account,Cash,ငွေသား DocType: Employee,Leave Policy,ပေါ်လစီ Leave +DocType: Shift Type,Consequence,အကျိုးဆက် apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,ကျောင်းသားလိပ်စာ DocType: GST Account,CESS Account,အခွန်အကောင့် apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: ကုန်ကျစရိတ် Center က '' အကျိုးအမြတ်နှင့်ဆုံးရှုံးမှု '' အကောင့် {2} ဘို့လိုအပ်ပါသည်။ ကုမ္ပဏီတစ်ခုက default ကုန်ကျစရိတ်စင်တာတွင်ဖွင့်လှစ်ပေးပါ။ @@ -2350,6 +2370,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN Code ကို DocType: Period Closing Voucher,Period Closing Voucher,ကာလပိတ်ခြင်း voucher apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 အမည် apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,သုံးစွဲမှုအကောင့်ကိုရိုက်ထည့်ပေးပါ +DocType: Issue,Resolution By Variance,ကှဲလှဲခွငျးအားဖွငျ့ resolution DocType: Employee,Resignation Letter Date,နှုတ်ထွက်စာပေးစာနေ့စွဲ DocType: Soil Texture,Sandy Clay,စန္ဒီရွှံ့စေး DocType: Upload Attendance,Attendance To Date,နေ့စွဲရန်တက်ရောက်သူ @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,အခုတော့ကြည့်ရန် DocType: Item Price,Valid Upto,သက်တမ်းရှိနူန်းကျော်ကျော် apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},ကိုးကားစရာ DOCTYPE {0} တဦးဖြစ်ရပါမည် +DocType: Employee Checkin,Skip Auto Attendance,အော်တိုတက်ရောက် Skip DocType: Payment Request,Transaction Currency,ငွေသွင်းငွေထုတ်ငွေကြေးစနစ် DocType: Loan,Repayment Schedule,ပြန်ဆပ်ဇယား apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,နမူနာ retention စတော့အိတ် Entry 'Create @@ -2433,6 +2455,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,လစာဖွ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,voucher အခွန်ပိတ်ပွဲ POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,လှုပ်ရှားမှု Initialised DocType: POS Profile,Applicable for Users,အသုံးပြုသူများအဘို့သက်ဆိုင်သော +,Delayed Order Report,နှောင့်နှေးမိန့်အစီရင်ခံစာ DocType: Training Event,Exam,စာမေးပွဲ apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,အထွေထွေ Ledger Entries ၏မှားယွင်းနေအရေအတွက်ကတွေ့ရှိခဲ့ပါတယ်။ သင်ကငွေပေးငွေယူနေတဲ့မှားယွင်းတဲ့အကောင့်ကိုရှေးခယျြခဲ့ကြပေလိမ့်မည်။ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,အရောင်းပိုက်လိုင်း @@ -2447,10 +2470,11 @@ DocType: Account,Round Off,ဟာ Off round DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,အခြေအနေများပေါင်းစပ်အားလုံးရွေးချယ်ထားသောပစ္စည်းများအပေါ်သက်ရောက်စေပါလိမ့်မယ်။ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,configure DocType: Hotel Room,Capacity,စွမ်းဆောင်ရည် +DocType: Employee Checkin,Shift End,shift အဆုံး DocType: Installation Note Item,Installed Qty,installed အရည်အတွက် apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,batch {0} အရာဝတ္ထု၏ {1} ကိုပိတ်ထားသည်။ DocType: Hotel Room Reservation,Hotel Reservation User,ဟိုတယ် Reservation များအသုံးပြုသူ -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,လုပ်အားခနှစ်ကြိမ်ထပ်ခါတလဲလဲထားပြီး +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Entity အမျိုးအစား {0} နှင့် Entity {1} ပြီးသားတည်ရှိနှင့်အတူဝန်ဆောင်မှုအဆင့်သဘောတူညီချက်ကို။ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},ကို item {0} အဘို့ကို item မာစတာတွင်ဖော်ပြထားသောမဟုတ် item Group မှ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},အမှားအမည်: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,နယ်မြေတွေကို POS ကိုယ်ရေးဖိုင်အတွက်လိုအပ်သောဖြစ်ပါတယ် @@ -2498,6 +2522,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,ဇယားနေ့စွဲ DocType: Packing Slip,Package Weight Details,package အလေးချိန်အသေးစိတ် DocType: Job Applicant,Job Opening,ယောဘသည်ဖွင့်ပွဲ +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,ထမ်းစာရင်းသွင်း၏နောက်ဆုံးလူသိများအောင်မြင် Sync ကို။ သင်တို့ရှိသမျှမှတ်တမ်းများအပေါငျးတို့သနေရာများကနေတစ်ပြိုင်တည်းချိန်ကိုက်ဖြစ်ကြောင်းသေချာမှသာလျှင်ဤ Reset ။ သငျသညျမသေချာလျှင်ဒီပြုပြင်မွမ်းမံကြဘူးပါ။ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,အမှန်တကယ်ကုန်ကျစရိတ် apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),အမိန့်ဆန့်ကျင်စုစုပေါင်းကြိုတင်မဲ ({0}) {1} ({2}) ကိုဂရန်းစုစုပေါင်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျ apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,item မူကွဲ updated @@ -2542,6 +2567,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,ကိုးကားစ apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Invocies get DocType: Tally Migration,Is Day Book Data Imported,နေ့စာအုပ်ဒေတာများကအရေးကြီးတယ် ,Sales Partners Commission,အရောင်းအပေါင်းအဖေါ်များကော်မရှင် +DocType: Shift Type,Enable Different Consequence for Early Exit,အစောပိုင်း Exit ကိုများအတွက်ကွဲပြားခြားနားသောအကျိုးဆက်များကို Enable apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,ဥပဒေရေးရာ DocType: Loan Application,Required by Date,နေ့စွဲခြင်းဖြင့်တောင်းဆိုနေတဲ့ DocType: Quiz Result,Quiz Result,ပဟေဠိရလဒ် @@ -2601,7 +2627,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,ဘဏ္ DocType: Pricing Rule,Pricing Rule,စျေးနှုန်းနည်းဥပဒေ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},ခွင့်ကာလ {0} ဘို့မသတ်မှတ် optional အားလပ်ရက်များစာရင်း apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,ထမ်းအခန်းက္ပ set တစ်ခုထမ်းစံချိန်အတွက်အသုံးပြုသူ ID လယ်ကိုသတ်မှတ်ပေးပါ -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,ဖြေရှင်းရန်အချိန် DocType: Training Event,Training Event,လေ့ကျင့်ရေးပွဲ DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","လူကြီးအတွက်ပုံမှန်ကျိန်းဝပ်သွေးဖိအားခန့်မှန်းခြေအားဖြင့် 120 mmHg နှလုံးကျုံ့ဖြစ်ပြီး, 80 mmHg diastolic, အတိုကောက် "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,ကန့်သတ်တန်ဖိုးကိုသုညလျှင် System ကိုအားလုံး Entries တွေကိုဆွဲယူပါလိမ့်မယ်။ @@ -2645,6 +2670,7 @@ DocType: Woocommerce Settings,Enable Sync,Sync ကို Enable DocType: Student Applicant,Approved,approved apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},နေ့စွဲကနေဘဏ္ဍာရေးတစ်နှစ်တာအတွင်းဖြစ်သင့်သည်။ နေ့စွဲ မှစ. ယူဆ = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Settings များဝယ်ယူအတွက်ပေးသွင်း Group မှ Set ပေးပါ။ +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} တစ်ခုမမှန်ကန်တဲ့တက်ရောက်အခြေအနေဖြစ်ပါတယ်။ DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,ယာယီဖွင့်ပွဲအကောင့် DocType: Purchase Invoice,Cash/Bank Account,ငွေသား / ဘဏ်အကောင့် DocType: Quality Meeting Table,Quality Meeting Table,အရည်အသွေးအစည်းအဝေးဇယား @@ -2680,6 +2706,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth တိုကင် apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","အစားအစာ, Beverage & ဆေးရွက်ကြီး" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,သင်တန်းဇယား DocType: Purchase Taxes and Charges,Item Wise Tax Detail,item ပညာရှိအခွန်အသေးစိတ် +DocType: Shift Type,Attendance will be marked automatically only after this date.,တက်ရောက်သူသာဤရက်စွဲပြီးနောက်အလိုအလျှောက်မှတ်သားပါလိမ့်မည်။ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,UIN ကိုင်ဆောင်သူစေထောက်ပံ့ရေးပစ္စည်းများ apps/erpnext/erpnext/hooks.py,Request for Quotations,ကိုးကားချက်များအဘို့တောင်းဆိုခြင်း apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,ငွေကြေးအချို့နဲ့အခြားငွေကြေးသုံးပြီး entries တွေကိုအောင်ပြီးနောက်မပြောင်းနိုင်ပါ @@ -2728,7 +2755,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Hub ကနေပစ္စည်းဖြစ်ပါသည် apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,အရည်အသွေးလုပ်ထုံးလုပ်နည်း။ DocType: Share Balance,No of Shares,အစုရှယ်ယာများအဘယ်သူမျှမ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),အတန်း {0}: ({2} {3}) entry ကိုအချိန်ပို့စ်တင်မှာ {1} ဂိုဒေါင်ထဲမှာ {4} များအတွက်အရည်အတွက်ကိုမရရှိနိုင် DocType: Quality Action,Preventive,ကြိုတင်စီမံထားသော DocType: Support Settings,Forum URL,ဖိုရမ် URL ကို apps/erpnext/erpnext/config/hr.py,Employee and Attendance,ဝန်ထမ်းများနှင့်တက်ရောက် @@ -2950,7 +2976,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,လျှော့စ DocType: Hotel Settings,Default Taxes and Charges,default အခွန်နှင့်စွပ်စွဲချက် apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,ဒီပေးသွင်းဆန့်ကျင်အရောင်းအပေါ်တွင်အခြေခံထားသည်။ အသေးစိတ်အချက်အလက်များကိုအောက်ပါအချိန်ဇယားကိုကြည့်ပါ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},ဝန်ထမ်းအများဆုံးအကျိုးရှိငွေပမာဏ {0} {1} ထက်ကျော်လွန် -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,အဆိုပါသဘောတူညီချက်အဘို့ကို Start နဲ့ End နေ့စွဲကိုရိုက်ထည့်။ DocType: Delivery Note Item,Against Sales Invoice,အရောင်းပြေစာဆန့်ကျင် DocType: Loyalty Point Entry,Purchase Amount,အရစ်ကျငွေပမာဏ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,အရောင်းအမိန့်ကိုဖန်ဆင်းကြောင့်ပျောက်ဆုံးသွားသောအဖြစ်မသတ်မှတ်နိုင်ပါ။ @@ -2974,7 +2999,7 @@ DocType: Homepage,"URL for ""All Products""","အားလုံးထု DocType: Lead,Organization Name,အဖွဲ့အစည်းအမည် apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,နူန်းကျော်ကျော်လယ်ကွင်းထဲကနေနှင့်တရားဝင်သက်တမ်းရှိသည့်စုပေါင်းအဘို့မဖြစ်မနေများမှာ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},အတန်း # {0}: အသုတ်လိုက်အဘယ်သူမျှမ {1} {2} အဖြစ်အတူတူပင်ဖြစ်ရပါမည် -DocType: Employee,Leave Details,အသေးစိတ် Leave +DocType: Employee Checkin,Shift Start,Start ကို Shift apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} အေးခဲနေကြသည်စတော့အိတ်အရောင်းအမတိုင်မီ DocType: Driver,Issuing Date,နေ့စွဲထုတ်ပေးခြင်း apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Requestor @@ -3019,9 +3044,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,ငွေသား Flow မြေပုံ Template ကိုအသေးစိတ် apps/erpnext/erpnext/config/hr.py,Recruitment and Training,်ထမ်းခေါ်ယူမှုနှင့်လေ့ကျင့်ရေး DocType: Drug Prescription,Interval UOM,ကြားကာလ UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,အော်တိုတက်ရောက်သည်ကျေးဇူးတော်ရှိစေသတည်းကာလက Settings apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,ငွေကြေးစနစ်ကနေနှင့်ငွေကြေးရန်တူညီမဖွစျနိုငျ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ဆေးဝါး DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,ပံ့ပိုးမှုနာရီ apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} ဖျက်သိမ်းသို့မဟုတ်ပိတ်ပါသည် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,အတန်း {0}: ဖောက်သည်ဆန့်ကျင်ကြိုတင်အကြွေးဖြစ်ရမည် apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),ဘောက်ချာအားဖြင့်အုပ်စု (Consolidated) @@ -3131,6 +3158,7 @@ DocType: Asset Repair,Repair Status,ပြုပြင်ရေးအခြေ DocType: Territory,Territory Manager,နယ်မြေတွေကို Manager ကို DocType: Lab Test,Sample ID,နမူနာ ID ကို apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,လှည်း Empty ဖြစ်ပါသည် +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,တက်ရောက်သူဝန်ထမ်းစစ်ဆေးမှုများ-ins နှုန်းအဖြစ်မှတ်သားထားပြီး apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,ပိုင်ဆိုင်မှု {0} တင်သွင်းရမည်ဖြစ်သည် ,Absent Student Report,ပျက်ကွက်ကျောင်းသားအစီရင်ခံစာ apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,စုစုပေါင်းအမြတ်တွင်ထည့်သွင်း @@ -3138,7 +3166,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,ရန်ပုံငွေပမာဏ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,လုပ်ဆောင်ချက်ပြီးစီးမရနိုင်ဒါကြောင့် {0} {1} တင်သွင်းရသေး DocType: Subscription,Trial Period End Date,စမ်းသပ်မှုကာလပြီးဆုံးရက်စွဲ +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,တူညီသောပြောင်းကုန်ပြီစဉ်အတွင်း IN နှင့် OUT အဖြစ် entries တွေကိုပြောင်း DocType: BOM Update Tool,The new BOM after replacement,အစားထိုးပြီးနောက်အသစ် BOM +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ပေးသွင်း> ပေးသွင်းအမျိုးအစား apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,item 5 DocType: Employee,Passport Number,နိုင်ငံကူးလက်မှတ်နံပါတ် apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,ယာယီဖွင့်ပွဲ @@ -3254,6 +3284,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Key ကိုအစီရင apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,ဖြစ်နိုင်ပါ့မလားပေးသွင်း ,Issued Items Against Work Order,လုပ်ငန်းခွင်အမိန့်ဆန့်ကျင်ထုတ်ပေးပစ္စည်းများ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} ငွေတောင်းခံလွှာ Creating +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ပညာရေးအတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုနည်းပြ> ပညာရေးကိုဆက်တင် DocType: Student,Joining Date,နေ့စွဲလာရောက်ပူးပေါင်း apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,တောင်းခံဆိုက်ကို DocType: Purchase Invoice,Against Expense Account,သုံးစွဲမှုအကောင့်ဆန့်ကျင် @@ -3293,6 +3324,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,သက်ဆိုင်စွပ်စွဲချက် ,Point of Sale,ရောင်းရန်၏ point DocType: Authorization Rule,Approving User (above authorized value),(အခွင့်အာဏာတန်ဖိုးကိုအထက်) အတည်ပြုအသုံးပြုသူ +DocType: Service Level Agreement,Entity,entity apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},ငွေပမာဏ {0} {1} {3} မှ {2} ကနေပြောင်းရွှေ့ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},ဖောက်သည် {0} {1} ပရောဂျက်ပိုင်ပါဘူး apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,ပါတီအမည်ကနေ @@ -3339,6 +3371,7 @@ DocType: Asset,Opening Accumulated Depreciation,စုဆောင်းတန DocType: Soil Texture,Sand Composition (%),သဲရေးစပ်သီကုံး (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,သွင်းကုန်နေ့စာအုပ်ဒေတာများ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setup ကို> Setting> အမည်ဖြင့်သမုတ်စီးရီးကနေတဆင့် {0} များအတွက်စီးရီးအမည်ဖြင့်သမုတ်သတ်မှတ်ထား ကျေးဇူးပြု. DocType: Asset,Asset Owner Company,ပိုင်ဆိုင်မှုပိုင်ရှင်ကုမ္ပဏီ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,ကုန်ကျစရိတ်စင်တာတစ်ခုစရိတ်ပြောဆိုချက်ကိုစာအုပ်ဆိုင်လိုအပ်ပါသည် apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},Item {1} များအတွက် {0} ခိုင်လုံသောအမှတ်စဉ် nos @@ -3399,7 +3432,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,ပိုင်ဆိုင်မှုပိုင်ရှင် apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},ဂိုဒေါင်တန်းအတွက်စတော့ရှယ်ယာ Item {0} တွေအတွက်မဖြစ်မနေဖြစ်ပါသည် {1} DocType: Stock Entry,Total Additional Costs,စုစုပေါင်းနောက်ထပ်ကုန်ကျစရိတ်များ -DocType: Marketplace Settings,Last Sync On,နောက်ဆုံး Sync ကိုတွင် apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,အဆိုပါအခွန်နှင့်စွပ်စွဲချက်စားပွဲတင်အတွက်အနည်းဆုံးအတန်းကိုသတ်မှတ်ပေးပါ DocType: Asset Maintenance Team,Maintenance Team Name,ကို Maintenance ရေးအဖွဲ့အမည် apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,ကုန်ကျစရိတ်စင်တာများ၏ဇယား @@ -3415,12 +3447,12 @@ DocType: Sales Order Item,Work Order Qty,အလုပ်အမိန့်အရ DocType: Job Card,WIP Warehouse,WIP ဂိုဒေါင် DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},အသုံးပြုသူ ID ထမ်း {0} ဘို့မသတ်မှတ် -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","ရရှိနိုင်အရည်အတွက် {0}, သငျသညျ {1} လိုအပ်ပါတယ်ဖြစ်ပါသည်" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,အသုံးပြုသူ {0} created DocType: Stock Settings,Item Naming By,အားဖြင့်အမည်ဖြင့်သမုတ် item apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,အမိန့်ထုတ် apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,ဒါကအမြစ်ဖောက်သည်အုပ်စုတစ်စုသည်နှင့်တည်းဖြတ်မရနိုင်ပါ။ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,ပစ္စည်းတောင်းဆိုခြင်း {0} ဖျက်သိမ်းသို့မဟုတ်ရပ်တန့်နေသည် +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,တင်းကြပ်စွာထမ်းစာရင်းသွင်းအတွက် Log in ဝင်ရန်အမျိုးအစားပေါ်အခြေခံပြီး DocType: Purchase Order Item Supplied,Supplied Qty,ထောက်ပံ့ရေးပစ္စည်းများအရည်အတွက် DocType: Cash Flow Mapper,Cash Flow Mapper,ငွေသား Flow Mapper DocType: Soil Texture,Sand,သဲ @@ -3479,6 +3511,7 @@ DocType: Lab Test Groups,Add new line,အသစ်ကလိုင်း Add apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,ပစ္စည်းအုပ်စုတစ်စု table ထဲမှာတွေ့ရှိခဲ့မိတ္တူပွားကို item အုပ်စုတစ်စု apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,နှစ်စဉ်လစာ DocType: Supplier Scorecard,Weighting Function,တွက်ဆရာထူးအမည် +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,အဆိုပါစံသတ်မှတ်ချက်ပုံသေနည်းအကဲဖြတ်မှုမှားယွင်းနေ ,Lab Test Report,Lab ကစမ်းသပ်အစီရင်ခံစာ DocType: BOM,With Operations,စစ်ဆင်ရေးနှင့်အတူ @@ -3492,6 +3525,7 @@ DocType: Expense Claim Account,Expense Claim Account,စရိတ်ဆိုန apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ဂျာနယ် Entry များအတွက်မရှိနိုင်ပါပြန်ဆပ်ဖို့တွေအတွက် apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} မလှုပ်မရှားကျောင်းသားဖြစ်ပါသည် apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,စတော့အိတ် Entry 'Make +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM တဲ့ request: {0} {1} ၏မိဘသို့မဟုတ်ကလေးကမဖွစျနိုငျ DocType: Employee Onboarding,Activities,လှုပ်ရှားမှုများ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast တဦးတည်းဂိုဒေါင်မဖြစ်မနေဖြစ်ပါသည် ,Customer Credit Balance,ဖောက်သည် Credit Balance @@ -3504,9 +3538,11 @@ DocType: Supplier Scorecard Period,Variables,ကိန်းရှင်မျ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,အဆိုပါဖောက်သည်များအတွက်တွေ့ရှိခဲ့အကွိမျမြားစှာသစ္စာရှိမှုအစီအစဉ်။ ကိုယ်တိုင်ရွေးချယ်ပါ။ DocType: Patient,Medication,ဆေးဝါး apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,သစ္စာရှိမှုအစီအစဉ်ကို Select လုပ်ပါ +DocType: Employee Checkin,Attendance Marked,တက်ရောက်သူမှတ်သားရန် apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,ကုန်ကြမ်းများ DocType: Sales Order,Fully Billed,အပြည့်အဝငွေတောင်းခံထားမှု apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{} အပေါ်ဟိုတယ်အခန်းနှုန်းသတ်မှတ်ပေးပါ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,ပုံမှန်အဖြစ်တစ်ဦးတည်းသာဦးစားပေးရွေးချယ်ပါ။ apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},ဖော်ထုတ်ရန် / အမျိုးအစားများအတွက်အကောင့် (Ledger) ဖန်တီးပါ - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,စုစုပေါင်းချေးငွေ / debit ငွေပမာဏနှင့်ဆက်စပ်ဂျာနယ် Entry 'အဖြစ်အတူတူပင်ဖြစ်သင့်သည် DocType: Purchase Invoice Item,Is Fixed Asset,Fixed Asset Is @@ -3527,6 +3563,7 @@ DocType: Purpose of Travel,Purpose of Travel,ခရီးသွား၏ရည DocType: Healthcare Settings,Appointment Confirmation,ခန့်အပ်တာဝန်ပေးခြင်းအတည်ပြုချက် DocType: Shopping Cart Settings,Orders,အမိန့် DocType: HR Settings,Retirement Age,အငြိမ်းစားခေတ် +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/stock/page/stock_balance/stock_balance.js,Projected Qty,projected အရည်အတွက် apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},ပယ်ဖျက်ခြင်းတိုင်းပြည် {0} အဘို့အခွင့်မရှိကြ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},အတန်း # {0}: ပိုင်ဆိုင်မှု {1} {2} ပြီးသားဖြစ်ပါတယ် @@ -3610,11 +3647,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,စာရင်းကိုင် apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},voucher ပိတ်ပွဲ POS alreday {0} {1} နေ့စွဲအကြားနှင့် {2} များအတွက်တည်ရှိ apps/erpnext/erpnext/config/help.py,Navigating,Navigator +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,အဘယ်သူမျှမထူးချွန်ငွေတောင်းခံလွှာများကိုလဲလှယ်မှုနှုန်း revaluation လိုအပ် DocType: Authorization Rule,Customer / Item Name,ဖောက်သည် / Item Name ကို apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,နယူး Serial ဘယ်သူမျှမကဂိုဒေါင်ရှိသည်မဟုတ်နိုင်ပါ။ ဂိုဒေါင်စတော့အိတ် Entry 'သို့မဟုတ်အရစ်ကျငွေလက်ခံပြေစာအားဖြင့်သတ်မှတ်ရမည် DocType: Issue,Via Customer Portal,ဖောက်သည် Portal ကို via DocType: Work Order Operation,Planned Start Time,စီစဉ်ထား Start ကိုအချိန် apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} {2} ဖြစ်ပါသည် +DocType: Service Level Priority,Service Level Priority,ဝန်ဆောင်မှုအဆင့်ဦးစားပေး apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ကြိုတင်ဘွတ်ကင်တန်ဖိုးအရေအတွက်တန်ဖိုးစုစုပေါင်းအရေအတွက်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,ဝေမျှမယ် Ledger DocType: Journal Entry,Accounts Payable,ပေးရန်ရှိသောစာရင်း @@ -3725,7 +3764,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,ရန် Delivery DocType: Bank Statement Transaction Settings Item,Bank Data,ဘဏ်ဒေတာများ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,နူန်းကျော်ကျော် Scheduled -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Timesheet အပေါ်တူငွေတောင်းခံလွှာနာရီနှင့်အလုပ်အဖွဲ့နာရီကိုထိန်းသိမ်းရန် apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,track ခဲရင်းမြစ်များကပို့ဆောင်။ DocType: Clinical Procedure,Nursing User,သူနာပြုအသုံးပြုသူ DocType: Support Settings,Response Key List,တုန့်ပြန် Key ကိုစာရင်း @@ -3893,6 +3931,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,အမှန်တကယ် Start ကိုအချိန် DocType: Antibiotic,Laboratory User,ဓာတ်ခွဲခန်းအသုံးပြုသူ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,အွန်လိုင်းလေလံ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,ဦးစားပေး {0} ထပ်ခါတလဲလဲခဲ့သည်။ DocType: Fee Schedule,Fee Creation Status,အခကြေးငွေဖန်ဆင်းခြင်းအခြေအနေ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,softwares apps/erpnext/erpnext/config/help.py,Sales Order to Payment,ငွေပေးချေမှုရမည့်မှအရောင်းအမိန့် @@ -3959,6 +3998,7 @@ DocType: Patient Encounter,In print,ပုံနှိပ်ခုနှစ် apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0} များအတွက်သတင်းအချက်အလက်ရယူမပေးနိုင်ခဲ့ပါ။ apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,ငွေတောင်းခံငွေကြေးသော်လည်းကောင်း default အကုမ္ပဏီ၏ငွေကြေးသို့မဟုတ်ပါတီအကောင့်ငွေကြေးညီမျှရှိရမည် apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,ဒီအရောင်းလူတစ်ဦး၏ထမ်း Id ရိုက်ထည့်ပေးပါ +DocType: Shift Type,Early Exit Consequence after,ပြီးနောက်အစောပိုင်း Exit ကိုအကျိုးဆက်များ apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,ဖွင့်လှစ်အရောင်းနှင့်အရစ်ကျငွေတောင်းခံလွှာကိုဖန်တီး DocType: Disease,Treatment Period,ကုသမှုကာလ apps/erpnext/erpnext/config/settings.py,Setting up Email,အီးမေးလ်တက်ချိန်ညှိခြင်း @@ -3976,7 +4016,6 @@ DocType: Employee Skill Map,Employee Skills,ဝန်ထမ်းကျွမ် apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,ကျောင်းသားအမည်: DocType: SMS Log,Sent On,တွင် Sent DocType: Bank Statement Transaction Invoice Item,Sales Invoice,အရောင်းပြေစာ -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,တုန့်ပြန်အချိန်ဆုံးဖြတ်ချက်အချိန်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","သင်တန်းများအတွက်အခြေစိုက်ကျောင်းသားအုပ်စု, ထိုသင်တန်းအစီအစဉ်ကျောင်းအပ်အတွက်စာရင်းသွင်းသင်တန်းများအနေဖြင့်တိုင်းကျောင်းသားများအတွက်အတည်ပြုလိမ့်မည်။" apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,အချင်းချင်းအပြန်အလှန်ပြည်နယ်ထောက်ပံ့ကုန် DocType: Employee,Create User Permission,အသုံးပြုသူခွင့်ပြုချက် Create @@ -4015,6 +4054,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,အရောင်းသို့မဟုတ်ဝယ်ယူဘို့စံစာချုပ်အသုံးအနှုန်းများ။ DocType: Sales Invoice,Customer PO Details,ဖောက်သည်စာတိုက်အသေးစိတ် apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,လူနာမတွေ့ရှိ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,တစ်ပုံမှန်ဦးစားပေးရွေးချယ်ပါ။ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,စွဲချက်ကြောင်းကို item သက်ဆိုင်မပါလျှင်ကို item Remove apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,တစ်ဦးကဖောက်သည်အုပ်စုအမည်တူနှင့်အတူတည်ရှိသည့်ဖောက်သည်အမည်ပြောင်းလဲသွားပါသို့မဟုတ်ဖောက်သည်အုပ်စုအမည်ပြောင်းကျေးဇူးပြုပြီး 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. @@ -4054,6 +4094,7 @@ DocType: Quality Goal,Quality Goal,အရည်အသွေးပန်းတိ DocType: Support Settings,Support Portal,ပံ့ပိုးမှု Portal ကို apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},အလုပ်တခုကို၏အဆုံးနေ့စွဲ {0} {1} မျှော်လင့်ထားစတင်နေ့စွဲ {2} ထက်လျော့နည်းမဖွစျနိုငျ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},ဝန်ထမ်း {0} {1} အပေါ်ခွင့်အပေါ်ဖြစ်ပါသည် +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},ဤဝန်ဆောင်မှုအဆင့်သဘောတူညီချက်ဖောက်သည် {0} မှတိကျတဲ့ဖြစ်ပါသည် DocType: Employee,Held On,တွင်ကျင်းပ DocType: Healthcare Practitioner,Practitioner Schedules,Practitioner အချိန်ဇယားများ DocType: Project Template Task,Begin On (Days),(နေ့ရက်များ) တွင် Begin @@ -4061,6 +4102,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},အလုပ်အမိန့် {0} ခဲ့ DocType: Inpatient Record,Admission Schedule Date,ဝန်ခံချက်ဇယားနေ့စွဲ apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,ပိုင်ဆိုင်မှုတန်ဖိုးညှိယူ +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,မာကုတက်ရောက်သူဤပြောင်းလဲမှုမှာတာဝန်ကျဝန်ထမ်းများအဘို့ '' န်ထမ်းစာရင်းသွင်း '' အပေါ်အခြေခံပါတယ်။ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,မှတ်ပုံမတင်ထားသော Persons စေထောက်ပံ့ရေးပစ္စည်းများ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,အားလုံးဂျော့ဘ် DocType: Appointment Type,Appointment Type,ချိန်းဆိုမှုအမျိုးအစား @@ -4174,7 +4216,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),အထုပ်များ၏စုစုပေါင်းအလေးချိန်။ အသားတင်အလေးချိန် + ထုပ်ပိုးပစ္စည်းအလေးချိန်များသောအားဖြင့်။ (ပုံနှိပ်များအတွက်) DocType: Plant Analysis,Laboratory Testing Datetime,ဓာတ်ခွဲခန်းစမ်းသပ်ခြင်း DATETIME apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,အဆိုပါပစ္စည်း {0} အသုတ်လိုက်ရှိသည်မဟုတ်နိုင်ပါတယ် -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,အဆင့်များကအရောင်းပိုက်လိုင်း apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,ကျောင်းသားအုပ်စုအစွမ်းသတ္တိ DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,ဘဏ်ဖော်ပြချက်ငွေသွင်းငွေထုတ် Entry ' DocType: Purchase Order,Get Items from Open Material Requests,ပွင့်လင်းပစ္စည်းတောင်းဆိုချက်များထံမှပစ္စည်းများ Get @@ -4256,7 +4297,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,အိုမင်းခြင်းဟာဂိုဒေါင်ပညာပြရန် DocType: Sales Invoice,Write Off Outstanding Amount,ထူးချွန်ငွေပမာဏဟာ Off ရေးရန် DocType: Payroll Entry,Employee Details,ဝန်ထမ်းအသေးစိတ် -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Start ကိုအချိန် {0} များအတွက်အဆုံးအချိန်ထက် သာ. ကြီးမြတ်မဖြစ်နိုင်ပါ။ DocType: Pricing Rule,Discount Amount,လျှော့စျေးပမာဏ DocType: Healthcare Service Unit Type,Item Details,item အသေးစိတ် apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},ကာလအဘို့ {0} ၏အခွန်ကြေညာစာတမ်း Duplicate {1} @@ -4309,7 +4349,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net ကလစာအနုတ်လက္ခဏာမဖွစျနိုငျ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,ဆက်သွယ်မှုသည်၏အဘယ်သူမျှမ 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/hr/doctype/employee/employee_dashboard.py,Shift,အဆိုင်း +DocType: Attendance,Shift,အဆိုင်း apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Accounts ကိုနှင့်ပါတီများ၏ဇယားထုတ်ယူခြင်း DocType: Stock Settings,Convert Item Description to Clean HTML,Item ဖျေါပွခကျြက HTML ကိုရှင်းလင်းပြောင်း apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,အားလုံးပေးသွင်းအဖွဲ့များ @@ -4380,6 +4420,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,ဝန်ထ DocType: Healthcare Service Unit,Parent Service Unit,မိဘဝန်ဆောင်မှုယူနစ် DocType: Sales Invoice,Include Payment (POS),ငွေပေးချေမှုရမည့် (POS) Include apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,ပုဂ္ဂလိက Equity +DocType: Shift Type,First Check-in and Last Check-out,ပထမဦးစွာ Check-In နှင့်နောက်ဆုံးစစ်ဆေးမှုထွက် DocType: Landed Cost Item,Receipt Document,ငွေလက်ခံပြေစာစာရွက်စာတမ်း DocType: Supplier Scorecard Period,Supplier Scorecard Period,ပေးသွင်း Scorecard ကာလ DocType: Employee Grade,Default Salary Structure,default လစာဖွဲ့စည်းပုံ @@ -4462,6 +4503,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,အရစ်ကျမိန့် Create apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,တစ်ဘဏ္ဍာရေးနှစ်အတွက်ဘတ်ဂျက်သတ်မှတ်။ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,စားပွဲအလွတ်မဖွစျနိုငျအကောင့်။ +DocType: Employee Checkin,Entry Grace Period Consequence,entry ကျေးဇူးတော်ရှိစေသတည်းကာလအကျိုးဆက်များ ,Payment Period Based On Invoice Date,ငွေတောင်းခံလွှာနေ့စွဲတွင် အခြေခံ. ငွေပေးချေမှုရမည့်ကာလ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},installation နေ့စွဲ Item {0} များအတွက်ဖြန့်ဝေသည့်ရက်စွဲမတိုင်မီမဖွစျနိုငျ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,ပစ္စည်းတောင်းဆိုခြင်းမှ Link ကို @@ -4470,6 +4512,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,မြေပ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},အတန်း {0}: တစ်ပြန်စီရန် entry ကိုပြီးသားဒီဂိုဒေါင် {1} များအတွက်တည်ရှိ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,doc နေ့စွဲ DocType: Monthly Distribution,Distribution Name,ဖြန့်ဖြူးအမည် +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,လုပ်အားခ {0} ထပ်ခါတလဲလဲခဲ့သည်။ apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,non-Group မှမှ Group မှ apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,တိုးတက်မှုအတွက် Update ကို။ ဒါဟာခဏတစ်ယူပေလိမ့်မည်။ DocType: Item,"Example: ABCD.##### @@ -4482,6 +4525,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,လောင်စာအရည်အတွက် apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 မိုဘိုင်းဘယ်သူမျှမက DocType: Invoice Discounting,Disbursed,ထုတ်ချေး +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Check-ထွက်တက်ရောက်သူဘို့စဉ်းစားသောကာလအတွင်းပြောင်းကုန်ပြီ၏အဆုံးပြီးနောက်အချိန်။ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ပေးချေငွေစာရင်းထဲမှာ net သို့ပြောင်းမည် apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,မရရှိနိုင်ပါ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,အချိန်ပိုင်း @@ -4495,7 +4539,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,အရ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,ပုံနှိပ်ပါထဲမှာကောင်စီပြရန် apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify ပေးသွင်း DocType: POS Profile User,POS Profile User,POS ကိုယ်ရေးဖိုင်အသုံးပြုသူ -DocType: Student,Middle Name,အလယ်နာမည် DocType: Sales Person,Sales Person Name,အရောင်းပုဂ္ဂိုလ်အမည် DocType: Packing Slip,Gross Weight,စုစုပေါင်းအလေးချိန် DocType: Journal Entry,Bill No,ဘီလ်အဘယ်သူမျှမ @@ -4504,7 +4547,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,န DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-ရုပ်ရှင်ဘလော့ဂ်-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,ဝန်ဆောင်မှုအဆင့်သဘောတူညီချက် -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,ပထမဦးဆုံးအထမ်းနှင့်နေ့စွဲကို select ပေးပါ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,item အဘိုးပြတ်မှုနှုန်းဆင်းသက်ကုန်ကျစရိတ်ဘောက်ချာပမာဏကိုထည့်သွင်းစဉ်းစားပြန်လည်တွက်ချက်နေပါတယ် DocType: Timesheet,Employee Detail,ဝန်ထမ်းအသေးစိတ် DocType: Tally Migration,Vouchers,မှနျကွောငျးသကျသခေံ @@ -4539,7 +4581,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,ဝန်ဆေ DocType: Additional Salary,Date on which this component is applied,ဒီအစိတ်အပိုင်းလျှောက်ထားသောအပေါ်နေ့စွဲ apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ဖိုလီယိုနံပါတ်များနှင့်အတူရရှိနိုင်ပါသည်ရှယ်ယာရှင်များမှာများစာရင်း apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup ကို Gateway မှာအကောင့်။ -DocType: Service Level,Response Time Period,တုန့်ပြန်အချိန်ကာလ +DocType: Service Level Priority,Response Time Period,တုန့်ပြန်အချိန်ကာလ DocType: Purchase Invoice,Purchase Taxes and Charges,အခွန်နှင့်စွပ်စွဲချက်ဝယ်ယူရန် DocType: Course Activity,Activity Date,လုပ်ဆောင်ချက်နေ့စွဲ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,အသစ်ကဖောက်သည်ရွေးပါသို့မဟုတ် add @@ -4564,6 +4606,7 @@ DocType: Sales Person,Select company name first.,ပထမဦးဆုံး apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,ဘဏ္ဍာရေးနှစ် DocType: Sales Invoice Item,Deferred Revenue,ရွှေ့ဆိုင်းအခွန်ဝန်ကြီးဌာန apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,အဆိုပါရောင်းအားသို့မဟုတ်ဝယ်၏ Atleast တဦးတည်းကိုရွေးချယ်ရမည်ဖြစ်သည် +DocType: Shift Type,Working Hours Threshold for Half Day,တစ်ဝက်နေ့အလုပ်လုပ်နာရီ Threshold ,Item-wise Purchase History,item-ပညာရှိသအရစ်ကျသမိုင်း apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},အတန်းအတွက် {0} ကို item များအတွက်ဝန်ဆောင်မှု Stop နေ့စွဲမပြောင်းနိုင်သလား DocType: Production Plan,Include Subcontracted Items,နှုံးပစ္စည်းများ Include @@ -4596,6 +4639,7 @@ DocType: Journal Entry,Total Amount Currency,စုစုပေါင်းင DocType: BOM,Allow Same Item Multiple Times,တူ Item အကွိမျမြားစှာ Times က Allow apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,BOM Create DocType: Healthcare Practitioner,Charges,စွဲချက် +DocType: Employee,Attendance and Leave Details,အသေးစိတ်တက်ရောက်သူနှင့် Leave DocType: Student,Personal Details,ပုဂ္ဂိုလ်ရေးအသေးစိတ် DocType: Sales Order,Billing and Delivery Status,ငွေတောင်းခံခြင်းနှင့် Delivery Status ကို apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,အတန်း {0}: ပေးသွင်းသည် {0} အီးမေးလ်လိပ်စာကအီးမေးလ်ပို့ပေးရန်လိုအပ်ပါသည် @@ -4647,7 +4691,6 @@ DocType: Bank Guarantee,Supplier,ကုန်သွင်းသူ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},တန်ဖိုးအား betweeen {0} Enter နဲ့ {1} DocType: Purchase Order,Order Confirmation Date,အမိန့်အတည်ပြုချက်နေ့စွဲ DocType: Delivery Trip,Calculate Estimated Arrival Times,မှန်းခြေဆိုက်ရောက်ဗီဇာ Times ကတွက်ချက် -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,လူ့စွမ်းအားအရင်းအမြစ်အတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုထမ်း> HR က Settings apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumer DocType: Instructor,EDU-INS-.YYYY.-,EDU တွင်-ins-.YYYY.- DocType: Subscription,Subscription Start Date,subscription ကို Start နေ့စွဲ @@ -4670,7 +4713,7 @@ DocType: Installation Note Item,Installation Note Item,installation မှတ် DocType: Journal Entry Account,Journal Entry Account,ဂျာနယ် Entry အကောင့် apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,မူကွဲ apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,ဖိုရမ်လှုပ်ရှားမှု -DocType: Service Level,Resolution Time Period,resolution အချိန်ကာလ +DocType: Service Level Priority,Resolution Time Period,resolution အချိန်ကာလ DocType: Request for Quotation,Supplier Detail,ပေးသွင်းအသေးစိတ် DocType: Project Task,View Task,ကြည့်ရန် Task ကို DocType: Serial No,Purchase / Manufacture Details,အရစ်ကျ / ထုတ်လုပ်ခြင်းအသေးစိတ် @@ -4737,6 +4780,7 @@ DocType: Sales Invoice,Commission Rate (%),ကော်မရှင်နှု DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,ဂိုဒေါင်မှသာစတော့အိတ် Entry / Delivery မှတ်ချက် / အရစ်ကျငွေလက်ခံပြေစာမှတဆင့်ပြောင်းလဲသွားနိုင်ပါတယ် DocType: Support Settings,Close Issue After Days,နေ့ရက်များပြီးနောက်နီးကပ် Issue DocType: Payment Schedule,Payment Schedule,ငွေပေးချေမှုရမည့်ဇယား +DocType: Shift Type,Enable Entry Grace Period,Entry 'ကျေးဇူးတော်ရှိစေသတည်းကာလ Enable DocType: Patient Relation,Spouse,ဇနီး DocType: Purchase Invoice,Reason For Putting On Hold,Hold တွင်ခြင်းများအတွက်အကြောင်းပြချက် DocType: Item Attribute,Increment,increment @@ -4876,6 +4920,7 @@ DocType: Authorization Rule,Customer or Item,ဖောက်သည်သို DocType: Vehicle Log,Invoice Ref,ငွေတောင်းခံလွှာ Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},ကို C-form ကိုငွေတောင်းခံလွှာများအတွက်သက်ဆိုင်သည်မဟုတ်: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,ငွေတောင်းခံလွှာ Created +DocType: Shift Type,Early Exit Grace Period,အစောပိုင်း Exit ကိုကျေးဇူးတော်ရှိစေသတည်းကာလ DocType: Patient Encounter,Review Details,ဆန်းစစ်ခြင်းအသေးစိတ် apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,အတန်း {0}: နာရီတန်ဖိုးကိုသုညထက်ကြီးမြတ်ဖြစ်ရပါမည်။ DocType: Account,Account Number,အကောင့်နံပါတ် @@ -4887,7 +4932,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","သက်ဆိုင်ကုမ္ပဏီ SpA, ဒေသတွင်းလူမှုအဖွဲ့အစည်းသို့မဟုတ် SRL လျှင်" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,အကြားကိုတွေ့ရှိခဲ့ထပ်အခြေအနေများ: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Paid နှင့်မကယ်မနှုတ် -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,item ကိုအလိုအလျောက်နံပါတ်မဟုတ်ပါဘူးဘာဖြစ်လို့လဲဆိုတော့ item Code ကိုမဖြစ်မနေဖြစ်ပါသည် DocType: GST HSN Code,HSN Code,HSN Code ကို DocType: GSTR 3B Report,September,စက်တင်ဘာလ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,အုပ်ချုပ်ရေးဆိုင်ရာကုန်ကျစရိတ် @@ -4923,6 +4967,8 @@ DocType: Travel Itinerary,Travel From,မှစ. ခရီးသွား apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP အကောင့် DocType: SMS Log,Sender Name,ပေးပို့သူအမည် DocType: Pricing Rule,Supplier Group,ပေးသွင်း Group မှ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",အညွှန်းကိန်း {1} မှာ \ ပံ့ပိုးနေ့ {0} များအတွက် Start ကိုအချိန်နဲ့ End အချိန်သတ်မှတ်မည်။ DocType: Employee,Date of Issue,ထုတ်ဝေသည့်ရက်စွဲ ,Requested Items To Be Transferred,လွှဲပြောင်းရန်တောင်းဆိုထားသောပစ္စည်းများ DocType: Employee,Contract End Date,စာချုပ်ပြီးဆုံးရက်စွဲ @@ -4933,6 +4979,7 @@ DocType: Healthcare Service Unit,Vacant,လစ်လပ်သော DocType: Opportunity,Sales Stage,အရောင်းအဆင့် DocType: Sales Order,In Words will be visible once you save the Sales Order.,သင်အရောင်းအမိန့်ကိုကယ်တင်တစ်ချိန်ကစကားခုနှစ်တွင်မြင်နိုင်ပါလိမ့်မည်။ DocType: Item Reorder,Re-order Level,re-အလို့ငှာအဆင့် +DocType: Shift Type,Enable Auto Attendance,အော်တိုတက်ရောက် Enable apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,ပိုမိုနှစ်ကြိုက်ခြင်း ,Department Analytics,ဦးစီးဌာန Analytics မှ DocType: Crop,Scientific Name,သိပ္ပံနည်းကျအမည် @@ -4945,6 +4992,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} status ကိ DocType: Quiz Activity,Quiz Activity,ပဟေဠိလှုပ်ရှားမှု apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} ခိုင်လုံသောလစာကာလ၌မကျဖြစ်ပါသည် DocType: Timesheet,Billed,ကောက်ခံခဲ့ +apps/erpnext/erpnext/config/support.py,Issue Type.,ပြဿနာအမျိုးအစား။ DocType: Restaurant Order Entry,Last Sales Invoice,နောက်ဆုံးအရောင်းပြေစာ DocType: Payment Terms Template,Payment Terms,ငွေပေးချေမှုရမည့်စည်းမျဉ်းစည်းကမ်းများ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",ချုပ်ထိန်းထားသည်အရည်အတွက်: QUANTITY ရောင်းရန်အမိန့်ထုတ်ပေမယ့်လက်သို့အပ်ဘူး။ @@ -5040,6 +5088,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,ပိုင်ဆိုင်မှု apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} တဲ့ကျန်းမာရေးစောင့်ရှောက်မှု Practitioner ဇယားမရှိပါ။ ကျန်းမာရေးစောင့်ရှောက်မှု Practitioner မာစတာထဲမှာ Add DocType: Vehicle,Chassis No,ကိုယ်ထည်အဘယ်သူမျှမ +DocType: Employee,Default Shift,default Shift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,ကုမ္ပဏီအတိုကောက် apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,ပစ္စည်းများ၏ဘီလ်၏သစ်ပင် DocType: Article,LMS User,LMS အသုံးပြုသူ @@ -5088,6 +5137,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU တွင်-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,မိဘအရောင်းပုဂ္ဂိုလ် DocType: Student Group Creation Tool,Get Courses,သင်တန်းများ get apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","အတန်း # {0}: item ကိုသတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုဖြစ်သကဲ့သို့အရည်အတွက်, 1 ဖြစ်ရမည်။ မျိုးစုံအရည်အတွက်အဘို့သီးခြားအတန်းကိုအသုံးပြုဖို့ပါ။" +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),ဒူးယောင်မှတ်သားသောအောက်တွင်ဖော်ပြထားသောအလုပ်လုပ်ကိုင်နာရီ။ (သုညကို disable လုပ်ဖို့) DocType: Customer Group,Only leaf nodes are allowed in transaction,သာရွက် node များငွေပေးငွေယူခွင့်ရှိပါသည် DocType: Grant Application,Organization,အဖှဲ့အစညျး DocType: Fee Category,Fee Category,အခကြေးငွေ Category: @@ -5100,6 +5150,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,ဒီလေ့ကျင့်ရေးအဖြစ်အပျက်အဘို့သင့် status ကိုအပ်ဒိတ်လုပ် ကျေးဇူးပြု. DocType: Volunteer,Morning,နံနက် DocType: Quotation Item,Quotation Item,စျေးနှုန်း Item +apps/erpnext/erpnext/config/support.py,Issue Priority.,ပြဿနာဦးစားပေး။ DocType: Journal Entry,Credit Card Entry,Credit Card ကို Entry ' apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","အချိန် slot က {0} {1} {3} မှ {2} slot က exisiting ထပ်ငှါ, slot က skiped" DocType: Journal Entry Account,If Income or Expense,ဝင်ငွေခွန်သို့မဟုတ်သုံးစွဲမှု အကယ်. @@ -5150,11 +5201,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,ဒေတာများကိုသွင်းကုန်များနှင့်ချိန်ညှိမှုများ 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: Account,Expense Account,သုံးစွဲမှုအကောင့် +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,အဆိုပါပြောင်းကုန်ပြီရှေ့တော်၌ထိုအချိန်ထမ်းစစ်ဆေးမှု-in ကိုတက်ရောက်သူဘို့စဉ်းစားသောကာလအတွင်းအချိန်ကိုစတင်ပါ။ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Guardian1 နှင့်အတူ relation apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,ငွေတောင်းခံလွှာကိုဖန်တီး apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},ငွေပေးချေမှုရမည့်တောင်းဆိုခြင်းပြီးသား {0} တည်ရှိ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} 'Left' 'အဖြစ်သတ်မှတ်ရမည်အပေါ်စိတ်သက်သာရာန်ထမ်း apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Pay ကို {0} {1} +DocType: Company,Sales Settings,အရောင်း Settings များ DocType: Sales Order Item,Produced Quantity,ထုတ်လုပ်အရေအတွက် apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,quotation အဘို့မေတ္တာရပ်ခံချက်ကိုအောက်ပါ link ကိုနှိပ်ခြင်းအားဖြင့်ဝင်ရောက်နိုင်ပါတယ် DocType: Monthly Distribution,Name of the Monthly Distribution,ယင်းလစဉ်ဖြန့်ဖြူးအမည် @@ -5233,6 +5286,7 @@ DocType: Company,Default Values,default တန်ဖိုးများ apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,အရောင်းနှင့်ဝယ်ယူဘို့ default အခွန်တင်းပလိတ်များဖန်တီးနေကြသည်။ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} သယ်ဆောင်-ပေးပို့မရနိုင်အမျိုးအစား Leave apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,အကောင့်ရန် debit တစ် receiver အကောင့်ရှိရမည် +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},ကုမ္ပဏီ {1} အတွက်ဂိုဒေါင် {0} သို့မဟုတ်ပုံမှန် Inventory အကောင့်အတွက်အကောင့်ကိုသတ်မှတ်ပေးပါ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,ပုံမှန်အဖြစ်သတ်မှတ်ပါ DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ဒီအထုပ်၏အသားတင်အလေးချိန်။ (ပစ္စည်းအသားတင်အလေးချိန်ပေါင်းလဒ်အဖြစ်ကိုအလိုအလျောက်တွက်ချက်) @@ -5259,8 +5313,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,သက်တမ်းကုန်ဆုံး batch DocType: Shipping Rule,Shipping Rule Type,shipping နည်းဥပဒေအမျိုးအစား DocType: Job Offer,Accepted,လက်ခံ -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","အဆိုပါထမ်း delete ကျေးဇူးပြု. {0} ဤစာရွက်စာတမ်းဖျက်သိမ်းရန် \" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,သငျသညျပြီးသား {} အဆိုပါအကဲဖြတ်သတ်မှတ်ချက်အဘို့အအကဲဖြတ်ပါပြီ။ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ကို Select လုပ်ပါအသုတ်လိုက်နံပါတ်များ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),အသက်အရွယ် (နေ့ရက်များ) @@ -5287,6 +5339,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,သင့်ရဲ့ဒိုမိန်းကိုရွေးချယ်ပါ DocType: Agriculture Task,Task Name,task ကိုအမည် apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,ပြီးသားသူ Work Order များအတွက် created စတော့အိတ် Entries +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","အဆိုပါထမ်း delete ကျေးဇူးပြု. {0} ဤစာရွက်စာတမ်းဖျက်သိမ်းရန် \" ,Amount to Deliver,ကယ်ယူမှငွေပမာဏ apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,ကုမ္ပဏီ {0} မတည်ရှိပါဘူး apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,ပေးထားသောပစ္စည်းများကိုများအတွက်ချိတ်ဆက်မျှမတွေ့ဆိုင်းငံ့ပစ္စည်းတောင်းဆိုချက်များ။ @@ -5336,6 +5390,7 @@ DocType: Program Enrollment,Enrolled courses,စာရင်းသွင်း DocType: Lab Prescription,Test Code,စမ်းသပ်ခြင်း Code ကို DocType: Purchase Taxes and Charges,On Previous Row Total,ယခင် Row စုစုပေါင်းတွင် DocType: Student,Student Email Address,ကျောင်းသားအီးမေးလ်လိပ်စာ +,Delayed Item Report,နှောင့်နှေး Item အစီရင်ခံစာ DocType: Academic Term,Education,ပညာရေး DocType: Supplier Quotation,Supplier Address,ပေးသွင်းလိပ်စာ DocType: Salary Detail,Do not include in total,စုစုပေါင်းမပါဝင်ပါနဲ့ @@ -5343,7 +5398,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} တည်ရှိပါဘူး DocType: Purchase Receipt Item,Rejected Quantity,ပယ်ချအရေအတွက် DocType: Cashier Closing,To TIme,အချိန် -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: Daily Work Summary Group User,Daily Work Summary Group User,နေ့စဉ်လုပ်ငန်းခွင်အနှစ်ချုပ် Group မှအသုံးပြုသူတို့၏ DocType: Fiscal Year Company,Fiscal Year Company,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာကုမ္ပဏီ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,အခြားရွေးချယ်စရာကို item ကို item code ကိုအဖြစ်အတူတူပင်ဖြစ်မနေရပါ @@ -5395,6 +5449,7 @@ DocType: Program Fee,Program Fee,Program ကိုလျှောက်လွှ DocType: Delivery Settings,Delay between Delivery Stops,Delivery ရပ်နားမှုများအကြားနှောင့်နှေး DocType: Stock Settings,Freeze Stocks Older Than [Days],[နေ့ရက်များ] သန်းအသက်ကြီးတော့စျေးကွက်အေးခဲ DocType: Promotional Scheme,Promotional Scheme Product Discount,ပရိုမိုးရှင်းအစီအစဉ်ကုန်ပစ္စည်းလျှော့ +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ပြဿနာဦးစားပေးရှိပြီးဖြစ်၏ DocType: Account,Asset Received But Not Billed,ပိုင်ဆိုင်မှုရရှိထားသည့်ဒါပေမယ့်ငွေတောင်းခံထားမှုမ DocType: POS Closing Voucher,Total Collected Amount,စုစုပေါင်းကောက်ယူစုဆောင်းထားသောငွေပမာဏ DocType: Course,Default Grading Scale,default grade စကေး @@ -5437,6 +5492,7 @@ DocType: C-Form,III,III ကို DocType: Contract,Fulfilment Terms,ပွညျ့စုံစည်းမျဉ်းများ apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,အုပ်စုမှ non-Group မှ DocType: Student Guardian,Mother,မိခင် +DocType: Issue,Service Level Agreement Fulfilled,ပြည့်စုံဝန်ဆောင်မှုအဆင့်သဘောတူညီချက် DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,ပိုင်ရှင်မပေါ်သောသွင်းထမ်းအကျိုးကျေးဇူးများသည်အခွန်နုတ် DocType: Travel Request,Travel Funding,ခရီးသွားရန်ပုံငွေရှာခြင်း DocType: Shipping Rule,Fixed,သတ်မှတ်ထားတဲ့ @@ -5466,10 +5522,12 @@ DocType: Item,Warranty Period (in days),(ရက်၌) အာမခံကာလ apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,ပစ္စည်းများကိုမျှမတွေ့ပါ။ DocType: Item Attribute,From Range,Range ကနေ DocType: Clinical Procedure,Consumables,Consumer +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'' employee_field_value 'နဲ့' Timestamp ကို '' လိုအပ်ပါသည်။ DocType: Purchase Taxes and Charges,Reference Row #,ကိုးကားစရာ Row # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},ကုမ္ပဏီ {0} တွင် 'ပစ္စည်းတန်ဖိုးလျော့ကုန်ကျစရိတ် Center က' 'set ကျေးဇူးပြု. apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,အတန်း # {0}: ငွေပေးချေမှုရမည့်စာရွက်စာတမ်း trasaction ဖြည့်စွက်ရန်လိုအပ်ပါသည် DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,အမေဇုံ MWS မှသင်၏အရောင်းအမိန့် data တွေကိုဆွဲထုတ်ဤခလုတ်ကိုကလစ်နှိပ်ပါ။ +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),တစ်ဝက်နေ့မှတ်သားသောအောက်တွင်ဖော်ပြထားသောနာရီအလုပ်လုပ်။ (သုညကို disable လုပ်ဖို့) ,Assessment Plan Status,အကဲဖြတ်အစီအစဉ်အဆင့်အတန်း apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,ပထမဦးဆုံး {0} ကို select ပေးပါ apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,အဆိုပါထမ်းစံချိန်ကိုဖန်တီးရန်ဒီ Submit @@ -5540,6 +5598,7 @@ DocType: Quality Procedure,Parent Procedure,မိဘလုပ်ထုံးလ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,ပွင့်လင်း Set apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,toggle စိစစ်မှုများ DocType: Production Plan,Material Request Detail,ပစ္စည်းတောင်းဆိုခြင်းအသေးစိတ် +DocType: Shift Type,Process Attendance After,ပြီးနောက်လုပ်ငန်းစဉ်အားတက်ရောက် DocType: Material Request Item,Quantity and Warehouse,အရေအတွက်နှင့်ဂိုဒေါင် apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Programs ကိုကိုသွားပါ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},အတန်း # {0}: ကိုးကား {1} {2} အတွက်မိတ္တူပွား entry ကို @@ -5597,6 +5656,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,ပါတီပြန်ကြားရေး apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),ကိုက် ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,ယနေ့အထိန်ထမ်းရဲ့စိတ်သက်သာရာရက်စွဲထက်မသာနိုင် +DocType: Shift Type,Enable Exit Grace Period,Exit ကိုကျေးဇူးတော်ရှိစေသတည်းကာလ Enable DocType: Expense Claim,Employees Email Id,ဝန်ထမ်းများအီးမေးလ် Id DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify ထံမှ ERPNext စျေးစာရင်းပေးရန် Update ကိုစျေး DocType: Healthcare Settings,Default Medical Code Standard,default ဆေးဘက်ဆိုင်ရာကျင့်ထုံးစံ @@ -5627,7 +5687,6 @@ DocType: Item Group,Item Group Name,item Group မှအမည် DocType: Budget,Applicable on Material Request,ပစ္စည်းတောင်းဆိုမှုအပေါ်သက်ဆိုင်သော DocType: Support Settings,Search APIs,ရှာရန် APIs အား DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,အရောင်းအမိန့်သည် Overproduction ရာခိုင်နှုန်း -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,အသေးစိတ်ဖော်ပြချက် DocType: Purchase Invoice,Supplied Items,ထောက်ပံ့ရေးပစ္စည်းများ DocType: Leave Control Panel,Select Employees,ဝန်ထမ်းများကို Select လုပ်ပါ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},ချေးငွေ {0} စိတ်ဝင်စားကြောင်းဝင်ငွေအကောင့်ကိုရွေးချယ်ပါ @@ -5653,7 +5712,7 @@ DocType: Salary Slip,Deductions,ဖြတ်တောက်ခြင်းမျ ,Supplier-Wise Sales Analytics,ပေးသွင်း-ပညာရှိအရောင်း Analytics မှ DocType: GSTR 3B Report,February,ဖေဖေါ်ဝါရီလ DocType: Appraisal,For Employee,ထမ်းများအတွက် -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,အမှန်တကယ် Delivery နေ့စွဲ +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,အမှန်တကယ် Delivery နေ့စွဲ DocType: Sales Partner,Sales Partner Name,အရောင်း Partner အမည် apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,တန်ဖိုးလျော့ Row {0}: တန်ဖိုး Start ကိုနေ့စွဲအတိတ်နေ့စွဲအဖြစ်ထဲသို့ဝင်နေသည် DocType: GST HSN Code,Regional,ဒေသဆိုင်ရာ @@ -5692,6 +5751,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,ယ DocType: Supplier Scorecard,Supplier Scorecard,ပေးသွင်း Scorecard DocType: Travel Itinerary,Travel To,ရန်ခရီးသွားခြင်း apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,မာကုတက်ရောက် +DocType: Shift Type,Determine Check-in and Check-out,Check-in ကိုဆုံးဖြတ်ရန်နှင့် Check-out DocType: POS Closing Voucher,Difference,ခြားနားချက် apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,သေးငယ်သော DocType: Work Order Item,Work Order Item,အလုပ်အမိန့် Item @@ -5725,6 +5785,7 @@ DocType: Sales Invoice,Shipping Address Name,shipping လိပ်စာအမ apps/erpnext/erpnext/healthcare/setup.py,Drug,ဆေး apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} ပိတ်ပါသည် DocType: Patient,Medical History,ဆေးဘက်ဆိုင်ရာသမိုင်း +DocType: Expense Claim,Expense Taxes and Charges,ကုန်ကျစရိတ်အခွန်နှင့်စွပ်စွဲချက် DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,ငွေတောင်းခံလွှာရက်စွဲပြီးနောက်ရက်ပေါင်းအရေအတွက် subscription ကိုပယ်ဖျက်သို့မဟုတ်မရတဲ့အဖြစ် subscription ကို marking မတိုင်မီကြာထားပါတယ် apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,installation မှတ်ချက် {0} ပြီးသားတင်ပြပြီးပါပြီ DocType: Patient Relation,Family,မိသားစု @@ -5757,7 +5818,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,ခွန်အား apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} ဒီအရောင်းအဝယ်အတွက်ဖြည့်စွက်ရန် {2} အတွက်လိုအပ် {1} ၏ယူနစ်။ DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Subcontract အခြေပြုတွင်၏ Backflush ကုန်ကြမ်း -DocType: Bank Guarantee,Customer,ဖောက်သည် DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","enabled လြှငျ, လယ်ပြင်ပညာရေးဆိုင်ရာ Term အစီအစဉ်ကျောင်းအပ် Tool ကိုအတွက်မသင်မနေရဖြစ်လိမ့်မည်။" DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","ကျောင်းသားအုပ်စုအခြေစိုက်အသုတ်လိုက်အဘို့, ကျောင်းသားအသုတ်လိုက်အစီအစဉ်ကျောင်းအပ်ထံမှတိုင်းကျောင်းသားများအတွက်အတည်ပြုလိမ့်မည်။" DocType: Course,Topics,ခေါင်းစဉ်များ @@ -5837,6 +5897,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,အခနျးင်များ DocType: Warranty Claim,Service Address,ဝန်ဆောင်မှုလိပ်စာ DocType: Journal Entry,Remark,ပွောဆို +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),အတန်း {0}: အ entry ကိုအချိန်ပို့စ်တင်မှာဂိုဒေါင်ထဲမှာ {4} အတွက်မရရှိနိုင်အရေအတွက် {1} ({2} {3}) DocType: Patient Encounter,Encounter Time,တှေ့ဆုံအချိန် DocType: Serial No,Invoice Details,ငွေတောင်းခံလွှာအသေးစိတ် 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-အဖွဲ့များဆန့်ကျင်စေနိုင်ပါတယ်" @@ -5917,6 +5978,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.", apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),ပိတ် (ဖွင့်ပွဲ + စုစုပေါင်း) DocType: Supplier Scorecard Criteria,Criteria Formula,လိုအပ်ချက်ဖော်မြူလာ apps/erpnext/erpnext/config/support.py,Support Analytics,ပံ့ပိုးမှု Analytics မှ +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),တက်ရောက်သူကိရိယာ ID (biometric / RF tag ကို ID ကို) apps/erpnext/erpnext/config/quality_management.py,Review and Action,ဆန်းစစ်ခြင်းနှင့်လှုပ်ရှားမှု DocType: Account,"If the account is frozen, entries are allowed to restricted users.",အကောင့်အေးခဲသည်ဆိုပါ entries တွေကိုကန့်သတ်သည်အသုံးပြုသူများမှခွင့်ပြုခဲ့ရသည်။ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,တန်ဖိုးလျော့ပြီးနောက်ငွေပမာဏ @@ -5938,6 +6000,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,ချေးငွေပြန်ဆပ် DocType: Employee Education,Major/Optional Subjects,ဗိုလ်မှူး / မထည့်ဘာသာရပ်များ DocType: Soil Texture,Silt,နုန်း +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,ပေးသွင်းလိပ်စာနှင့်ဆက်သွယ်ရန် DocType: Bank Guarantee,Bank Guarantee Type,ဘဏ်အာမခံအမျိုးအစား DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","ကို disable လျှင်, 'Rounded စုစုပေါင်း' 'လယ်ပြင်မဆိုငွေပေးငွေယူမြင်နိုင်လိမ့်မည်မဟုတ်ပေ" DocType: Pricing Rule,Min Amt,min Amt @@ -5976,6 +6039,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,ဖွင့်လှစ်ငွေတောင်းခံလွှာဖန်ဆင်းခြင်း Tool ကို Item DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K သည် DocType: Bank Reconciliation,Include POS Transactions,POS အရောင်းအဝယ် Include +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ပေးထားသောဝန်ထမ်းလယ်ကွင်းတန်ဖိုးကိုရှာမတွေ့န်ထမ်း။ '' {} ': {} DocType: Payment Entry,Received Amount (Company Currency),ရရှိထားသည့်ငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage အပြည့်အဝဖြစ်ပါသည်, မကယ်တင်ခဲ့ဘူး" DocType: Chapter Member,Chapter Member,အခန်းကြီးအဖွဲ့ဝင် @@ -6008,6 +6072,7 @@ DocType: SMS Center,All Lead (Open),အားလုံးခဲ (ပွင့် apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,အဘယ်သူမျှမကျောင်းသားအဖွဲ့များကိုဖန်တီးခဲ့တယ်။ apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},{1} အတူတူနဲ့အတူအတန်း {0} Duplicate DocType: Employee,Salary Details,လစာအသေးစိတ် +DocType: Employee Checkin,Exit Grace Period Consequence,Exit ကိုကျေးဇူးတော်ရှိစေသတည်းကာလအကျိုးဆက်များ DocType: Bank Statement Transaction Invoice Item,Invoice,ဝယ်ကုန်စာရင်း DocType: Special Test Items,Particulars,အထူးသဖြင့် apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,အရာဝတ္ထုသို့မဟုတ်ဂိုဒေါင်အပေါ်အခြေခံပြီး filter ကိုသတ်မှတ်ထားပေးပါ @@ -6109,6 +6174,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,AMC ထဲက DocType: Job Opening,"Job profile, qualifications required etc.","ယောဘသည် profile ကို, အရည်အချင်းများစသည်တို့ကိုလိုအပ်" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,ပြည်နယ်ရန်သင်္ဘော +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,သငျသညျပစ္စည်းတောင်းဆိုစာတင်သွင်းချင်ပါနဲ့ DocType: Opportunity Item,Basic Rate,အခြေခံပညာနှုန်း DocType: Compensatory Leave Request,Work End Date,လုပ်ငန်းခွင်ပြီးဆုံးရက်စွဲ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,ကုန်ကြမ်းများအတွက်တောင်းဆိုခြင်း @@ -6294,6 +6360,7 @@ DocType: Depreciation Schedule,Depreciation Amount,တန်ဖိုးပမ DocType: Sales Order Item,Gross Profit,စုစုပေါင်းအမြတ် DocType: Quality Inspection,Item Serial No,item Serial ဘယ်သူမျှမက DocType: Asset,Insurer,အာမခံ +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,ဝယ်ငွေပမာဏ DocType: Asset Maintenance Task,Certificate Required,လက်မှတ်လိုအပ်ပါသည် DocType: Retention Bonus,Retention Bonus,retention အပိုဆု @@ -6409,6 +6476,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),ကွာခြာ DocType: Invoice Discounting,Sanctioned,ဒဏ်ခတ်အရေးယူ DocType: Course Enrollment,Course Enrollment,သင်တန်းအမှတ်စဥ်ကျောင်းအပ် DocType: Item,Supplier Items,ပေးသွင်းပစ္စည်းများ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Start ကိုအချိန် {0} ဘို့ထက် သာ. ကြီးမြတ်သို့မဟုတ်အဆုံးအချိန် \ ညီမျှမဖြစ်နိုင်ပါ။ DocType: Sales Order,Not Applicable,မသက်ဆိုင်ပါ DocType: Support Search Source,Response Options,တုန့်ပြန်နေတဲ့ Options apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} 0 င် 100 ကြားတန်ဖိုးတစ်ခုဖြစ်သင့်တယ် @@ -6495,7 +6564,6 @@ DocType: Travel Request,Costing,ကုန်ကျ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,fixed ပိုင်ဆိုင်မှုများ DocType: Purchase Order,Ref SQ,ref စတုရန်းမိုင် DocType: Salary Structure,Total Earning,စုစုပေါင်းဝင်ငွေရ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည် Group မှ> နယ်မြေတွေကို DocType: Share Balance,From No,အဘယ်သူမျှမကနေ DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ငွေပေးချေမှုရမည့်ပြန်လည်သင့်မြတ်ရေးငွေတောင်းခံလွှာ DocType: Purchase Invoice,Taxes and Charges Added,အခွန်အခများနှင့်စွပ်စွဲချက် Added @@ -6603,6 +6671,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,စျေးနှုန်းနည်းဥပဒေလျစ်လျူရှု apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,အစာ DocType: Lost Reason Detail,Lost Reason Detail,ဆုံးရှုံးသွားသောအကြောင်းရင်းအသေးစိတ် +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},အောက်ပါအမှတ်စဉ်နံပါတ်များကိုဖန်တီးခဲ့ကြသည်:
{0} DocType: Maintenance Visit,Customer Feedback,ဖောက်သည်တုံ့ပြန်ချက် DocType: Serial No,Warranty / AMC Details,အာမခံ / AMC အသေးစိတ် DocType: Issue,Opening Time,အချိန်ဖွင့်လှစ် @@ -6652,6 +6721,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,ကုမ္ပဏီအမည်မတူပါ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,ဝန်ထမ်းမြှင့်တင်ရေးမြှင့်တင်ရေးနေ့စွဲမတိုင်မီတင်သွင်းမရနိုင် apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} ထက်အသက်ကြီးတဲ့စတော့ရှယ်ယာအရောင်းအ update လုပ်ဖို့ခွင့်မပြု +DocType: Employee Checkin,Employee Checkin,ဝန်ထမ်းစာရင်းသွင်း apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},နေ့စွဲ Item {0} များအတွက်အဆုံးသည့်ရက်စွဲထက်လျော့နည်းဖြစ်သင့် Start apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,ဖောက်သည်ကိုးကား Create DocType: Buying Settings,Buying Settings,Settings များဝယ်ယူ @@ -6673,6 +6743,7 @@ DocType: Job Card Time Log,Job Card Time Log,ယောဘသည် Card ကိ DocType: Patient,Patient Demographics,လူနာဒေသစစ်တမ်းများ DocType: Share Transfer,To Folio No,ဖိုလီယိုအဘယ်သူမျှမမှ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,စစ်ဆင်ရေးကနေငွေသား Flow +DocType: Employee Checkin,Log Type,log အမျိုးအစား DocType: Stock Settings,Allow Negative Stock,အနုတ်စတော့အိတ် Allow apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,အဆိုပါပစ္စည်းများကိုအဘယ်သူအားမျှအရေအတွက်သို့မဟုတ်တန်ဖိုးတစ်စုံတစ်ရာပြောင်းလဲမှုရှိသည်။ DocType: Asset,Purchase Date,အရစ်ကျနေ့စွဲ @@ -6717,6 +6788,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,အလွန်က Hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,သင့်ရဲ့စီးပွားရေးလုပ်ငန်း၏သဘောသဘာဝကိုရွေးချယ်ပါ။ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,လနှင့်တစ်နှစ်ကို select ပေးပါ +DocType: Service Level,Default Priority,default ဦးစားပေး DocType: Student Log,Student Log,ကျောင်းသား Log in ဝင်ရန် DocType: Shopping Cart Settings,Enable Checkout,Checkout တွင် Enable apps/erpnext/erpnext/config/settings.py,Human Resources,လူ့အင်အားအရင်းအမြစ် @@ -6745,7 +6817,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext နှင့်အတူ Shopify ချိတ်ဆက်ပါ DocType: Homepage Section Card,Subtitle,ခေါင်းစဉ်ကလေး DocType: Soil Texture,Loam,Loam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ပေးသွင်း> ပေးသွင်းအမျိုးအစား DocType: BOM,Scrap Material Cost(Company Currency),အပိုင်းအစပစ္စည်းကုန်ကျစရိတ် (ကုမ္ပဏီငွေကြေးစနစ်) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Delivery မှတ်ချက် {0} တင်သွင်းမရရှိရမည် DocType: Task,Actual Start Date (via Time Sheet),(အချိန်စာရွက်ကနေတဆင့်) အမှန်တကယ် Start ကိုနေ့စွဲ @@ -6801,6 +6872,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,ဆေးတခါသောက် DocType: Cheque Print Template,Starting position from top edge,ထိပ်ဆုံးအစွန်ကနေအနေအထားစတင်ခြင်း apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),ခန့်အပ်တာဝန်ပေးခြင်း Duration: (မိနစ်) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},ဒီအလုပျသမားပြီးသားအတူတူ Timestamp ကိုအတူမှတ်တမ်းရှိပါတယ်။ {0} DocType: Accounting Dimension,Disable,disable DocType: Email Digest,Purchase Orders to Receive,လက်ခံမှအမိန့်ဝယ်ယူရန် apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Productions အမိန့်အဘို့ပြင်းလာရနိုင်မှာမဟုတ်ဘူး: @@ -6816,7 +6888,6 @@ DocType: Production Plan,Material Requests,ပစ္စည်းတောင် DocType: Buying Settings,Material Transferred for Subcontract,Subcontract များအတွက်လွှဲပြောင်းပစ္စည်း DocType: Job Card,Timing Detail,အချိန်ကိုက်အသေးစိတ် apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,တွင်တောင်းဆိုနေတဲ့ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},တင်သွင်းခြင်း {0} {1} ၏ DocType: Job Offer Term,Job Offer Term,ယောဘသည်ကမ်းလှမ်းချက် Term DocType: SMS Center,All Contact,အားလုံးဆက်သွယ်ပါ DocType: Project Task,Project Task,စီမံကိန်းလုပ်ငန်း @@ -6867,7 +6938,6 @@ DocType: Student Log,Academic,ပညာရေးဆိုင်ရာ 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 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,နိုင်ငံတော်အနေဖြင့် DocType: Leave Type,Maximum Continuous Days Applicable,သက်ဆိုင်သောအများဆုံးအဆက်မပြတ်နေ့ရက်များ -apps/erpnext/erpnext/config/support.py,Support Team.,Support Team သို့။ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,ကုမ္ပဏီအမည်ကိုပထမဦးဆုံးရိုက်ထည့်ပေးပါ apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,သွင်းကုန်အောင်မြင်သော DocType: Guardian,Alternate Number,alternate အရေအတွက် @@ -6959,6 +7029,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,အတန်း # {0}: Item ကဆက်ပြောသည် DocType: Student Admission,Eligibility and Details,ထိုက်ခွင့်နှင့်အသေးစိတ် DocType: Staffing Plan,Staffing Plan Detail,ဝန်ထမ်းများအစီအစဉ်အသေးစိတ် +DocType: Shift Type,Late Entry Grace Period,နှောင်းပိုင်းတွင် Entry 'ကျေးဇူးတော်ရှိစေသတည်းကာလ DocType: Email Digest,Annual Income,နှစ်စဉ်ဝင်ငွေ DocType: Journal Entry,Subscription Section,subscription ပုဒ်မ DocType: Salary Slip,Payment Days,ငွေပေးချေမှုရမည့်နေ့ရက်များ @@ -7009,6 +7080,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,အကောင့် Balance DocType: Asset Maintenance Log,Periodicity,ကာလ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,ဆေးမှတ်တမ်း +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,{0}: log အမျိုးအစားကတော့ပြောင်းကုန်ပြီအတွက်ကျသွားစစ်ဆေးမှုများ-ins ဘို့လိုအပ်ပါသည်။ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,သတ်ခြင်း DocType: Item,Valuation Method,အဘိုးပြတ် Method ကို apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} အရောင်းပြေစာ {1} ဆန့်ကျင် @@ -7093,6 +7165,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,ရာထူး Per DocType: Loan Type,Loan Name,ချေးငွေအမည် apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ငွေပေးချေမှု၏ Set က default mode ကို DocType: Quality Goal,Revision,ပြန်လည်စစ်ဆေးကြည့်ရှုခြင်း +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Check-ထွက် (မိနစ်) အစောပိုင်းအဖြစ်စဉ်းစားသည်အခါပြောင်းကုန်ပြီဆုံးအချိန်မတိုင်မီအချိန်။ DocType: Healthcare Service Unit,Service Unit Type,Service ကိုယူနစ်အမျိုးအစား DocType: Purchase Invoice,Return Against Purchase Invoice,အရစ်ကျငွေတောင်းခံလွှာဆန့်ကျင်သို့ပြန်သွားသည် apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,လျှို့ဝှက်ချက် Generate @@ -7248,12 +7321,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,အလှကုန် DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,သငျသညျမသိမ်းဆည်းမီတစ်စီးရီးရွေးရန်အသုံးပြုသူအတင်းချင်တယ်ဆိုရင်ဒီအစစ်ဆေးပါ။ သင်ဤစစ်ဆေးလျှင်အဘယ်သူမျှမက default ရှိလိမ့်မည်။ DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ဒီအခန်းကဏ္ဍနှင့်အတူအသုံးပြုသူများအေးစက်နေတဲ့အကောင့် set နဲ့ဖန်တီး / အေးစက်နေတဲ့အကောင့်ဆန့်ကျင်စာရင်းကိုင် entries တွေကိုပြုပြင်မွမ်းမံရန်ခွင့်ပြုထား +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,item Code ကို> item Group မှ> အမှတ်တံဆိပ် DocType: Expense Claim,Total Claimed Amount,စုစုပေါင်းတိုင်ကြားထားသောငွေပမာဏ 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} နေ့ရက်ကာလ၌အချိန်အပေါက်ရှာတွေ့ဖို့မအောင်မြင်ဘူး apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,"တက်အရှေ့ဥရောပ, တောင်အာဖရိက" apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,သင့်ရဲ့အဖွဲ့ဝင်ရက်ပေါင်း 30 အတွင်းကုန်ဆုံးလျှင်သင်သာသက်တမ်းတိုးလို့ရပါတယ် apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Value ကို {0} နှင့် {1} အကြားဖြစ်ရပါမည် DocType: Quality Feedback,Parameters,parameters +DocType: Shift Type,Auto Attendance Settings,အော်တိုတက်ရောက် Settings များ ,Sales Partner Transaction Summary,အရောင်း Partner ငွေသွင်းငွေထုတ်အကျဉ်းချုပ် DocType: Asset Maintenance,Maintenance Manager Name,ကို Maintenance Manager ကိုအမည် apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,ဒါဟာ Item အသေးစိတ်ဆွဲယူဖို့လိုအပ်ပါသည်။ @@ -7345,10 +7420,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,တရားဝင်အောင်ပြုလုပ်အသုံးချနည်းဥပဒေ DocType: Job Card Item,Job Card Item,ယောဘသည် Card ကို Item DocType: Homepage,Company Tagline for website homepage,website ကိုပင်မစာမျက်နှာများအတွက်ကုမ္ပဏီတဂ်လိုင်း +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,အညွှန်းကိန်း {1} မှာဦးစားပေး {0} များအတွက်တုံ့ပြန်မှုအချိန်နှင့်ဆုံးဖြတ်ချက်သတ်မှတ်မည်။ DocType: Company,Round Off Cost Center,ကုန်ကျစရိတ် Center ကဟာ Off round DocType: Supplier Scorecard Criteria,Criteria Weight,လိုအပ်ချက်အလေးချိန် DocType: Asset,Depreciation Schedules,တန်ဖိုးလျော့အချိန်ဇယားများ -DocType: Expense Claim Detail,Claim Amount,ပြောဆိုချက်ကိုငွေပမာဏ DocType: Subscription,Discounts,လျှော့စျေး DocType: Shipping Rule,Shipping Rule Conditions,shipping နည်းဥပဒေအခြေအနေများ DocType: Subscription,Cancelation Date,ပယ်ဖျက်ခြင်းနေ့စွဲ @@ -7376,7 +7451,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,ဦးဆောင apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,သုညတန်ဖိုးများကိုပြရန် DocType: Employee Onboarding,Employee Onboarding,ဝန်ထမ်း onboard DocType: POS Closing Voucher,Period End Date,ကာလပြီးဆုံးရက်စွဲ -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,ရင်းမြစ်အားဖြင့်အရောင်းအခွင့်အလမ်းများ DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,အဆိုပါစာရင်းထဲတွင်ပထမဦးဆုံးခွင့်သဘောတူညီချက်ကို default ခွင့်သဘောတူညီချက်ပေးအဖြစ်သတ်မှတ်ထားပါလိမ့်မည်။ DocType: POS Settings,POS Settings,POS Settings များ apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,အားလုံး Accounts ကို @@ -7397,7 +7471,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ဘဏ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,အတန်း # {0}: {2} ({3} / {4}): နှုန်း {1} အဖြစ်အတူတူပင်ဖြစ်ရပါမည် DocType: Clinical Procedure,HLC-CPR-.YYYY.-,ဆဆ-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,ကျန်းမာရေးစောင့်ရှောက်မှုဝန်ဆောင်မှုပစ္စည်းများ -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,မှတ်တမ်းများမှမတွေ့ပါ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,အိုမင်း Range 3 DocType: Vital Signs,Blood Pressure,သွေးပေါင်ချိန် apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,ပစ်မှတ်တွင် @@ -7444,6 +7517,7 @@ DocType: Company,Existing Company,တည်ဆဲကုမ္ပဏီ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,batch apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,ကာကွယ်မှု DocType: Item,Has Batch No,အသုတ်လိုက်အဘယ်သူမျှမရှိတယ် +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,နှောင့်နှေးနေ့ရက်များ DocType: Lead,Person Name,လူတစ်ဦးအမည် DocType: Item Variant,Item Variant,item မူကွဲ DocType: Training Event Employee,Invited,ဖိတ်ကြားခဲ့ @@ -7465,7 +7539,7 @@ DocType: Purchase Order,To Receive and Bill,လက်ခံနှင့်ဘီ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start နဲ့အဆုံးခိုင်လုံသောလစာကာလ၌မကျစတငျရ, {0} တွက်ချက်လို့မရပါဘူး။" DocType: POS Profile,Only show Customer of these Customer Groups,ဤအဖောက်သည်အဖွဲ့များ၏ဖောက်သည်သာပြသ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ငွေတောင်းခံလွှာကိုကယ်တင်ပစ္စည်းများကို Select လုပ်ပါ -DocType: Service Level,Resolution Time,resolution အချိန် +DocType: Service Level Priority,Resolution Time,resolution အချိန် DocType: Grading Scale Interval,Grade Description,grade ဖျေါပွခကျြ DocType: Homepage Section,Cards,ကတ်များ DocType: Quality Meeting Minutes,Quality Meeting Minutes,အရည်အသွေးအစည်းအဝေးမှတ်တမ်းများ @@ -7492,6 +7566,7 @@ DocType: Project,Gross Margin %,စုစုပေါင်း Margin% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,အထွေထွေ Ledger နှုန်းအဖြစ်ဘဏ်မှထုတ်ပြန်ကြေညာချက်ချိန်ခွင်လျှာ apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),ကျန်းမာရေးစောင့်ရှောက်မှု (beta ကို) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,အရောင်းအမိန့်များနှင့် Delivery မှတ်ချက်ဖန်တီးရန် default ဂိုဒေါင် +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,{0} အညွှန်းကိန်းမှာ {1} ဆုံးဖြတ်ချက်အချိန်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျဘို့တုံ့ပြန်မှုအချိန်။ DocType: Opportunity,Customer / Lead Name,ဖောက်သည် / ခဲအမည် DocType: Student,EDU-STU-.YYYY.-,EDU တွင်-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,ပိုင်ရှင်မပေါ်သောသွင်းငွေပမာဏ @@ -7538,7 +7613,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,ပါတီများနှင့်လိပ်စာတင်သွင်းခြင်း DocType: Item,List this Item in multiple groups on the website.,အဆိုပါ website တွင်အများအပြားအုပ်စုများအတွက်ဒီပစ္စည်းစာရင်းပြုစုပါ။ DocType: Request for Quotation,Message for Supplier,ပေးသွင်းများအတွက် message -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,{1} တည်ရှိ Item ဘို့စတော့အိတ်ငွေသွင်းငွေထုတ်အဖြစ် {0} မပြောင်းနိုင်ပါ။ DocType: Healthcare Practitioner,Phone (R),ဖုန်း (R) DocType: Maintenance Team Member,Team Member,ရေးအဖွဲ့အဖွဲ့ဝင် DocType: Asset Category Account,Asset Category Account,ပိုင်ဆိုင်မှုအမျိုးအစားအကောင့် diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv index 454b3fc55b..5c76f2346a 100644 --- a/erpnext/translations/nl.csv +++ b/erpnext/translations/nl.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Begindatum van de termijn apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Afspraak {0} en verkoopfactuur {1} geannuleerd DocType: Purchase Receipt,Vehicle Number,Voertuignummer apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Jouw e-mailadres... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Standaardboekingangen opnemen +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Standaardboekingangen opnemen DocType: Activity Cost,Activity Type,Soort activiteit DocType: Purchase Invoice,Get Advances Paid,Ontvang betaalde voorschotten DocType: Company,Gain/Loss Account on Asset Disposal,Winst / verliesrekening bij verwijdering van activa @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Wat doet het? DocType: Bank Reconciliation,Payment Entries,Betalingsgegevens DocType: Employee Education,Class / Percentage,Klasse / percentage ,Electronic Invoice Register,Elektronisch factuurregister +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Het aantal keren dat de gevolgen zijn uitgevoerd. DocType: Sales Invoice,Is Return (Credit Note),Is Return (Credit Note) +DocType: Price List,Price Not UOM Dependent,Prijs niet afhankelijk van UOM DocType: Lab Test Sample,Lab Test Sample,Lab-testvoorbeeld DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Voor bijvoorbeeld 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,product zoeken DocType: Salary Slip,Net Pay,Nettoloon apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Totaal gefactureerd bedrag DocType: Clinical Procedure,Consumables Invoice Separately,Verbruiksartikelen Factuur afzonderlijk +DocType: Shift Type,Working Hours Threshold for Absent,Werktijden Drempel voor afwezig DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Budget kan niet worden toegewezen aan groepsaccount {0} DocType: Purchase Receipt Item,Rate and Amount,Tarief en bedrag @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Stel Source Warehouse in DocType: Healthcare Settings,Out Patient Settings,Patiëntinstellingen uit DocType: Asset,Insurance End Date,Verzekering Einddatum DocType: Bank Account,Branch Code,Filiaalcode -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Tijd om te reageren apps/erpnext/erpnext/public/js/conf.js,User Forum,Gebruikersforum DocType: Landed Cost Item,Landed Cost Item,Gekoste kostenpost 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 @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Leidende eigenaar DocType: Share Transfer,Transfer,Overdracht apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Zoek item (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Resultaat ingediend +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Van datum kan niet groter zijn dan dan Tot vandaag DocType: Supplier,Supplier of Goods or Services.,Leverancier van goederen of diensten. 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 nieuwe account. Opmerking: maak geen accounts aan voor klanten en leveranciers apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentengroep of cursusplanning is verplicht @@ -881,7 +884,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Gegevensbest DocType: Skill,Skill Name,Vaardigheidsnaam apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Rapportkaart afdrukken DocType: Soil Texture,Ternary Plot,Ternary Plot -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 voor {0} via Instellingen> Instellingen> Serie benoemen apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Ondersteuning tickets DocType: Asset Category Account,Fixed Asset Account,Vaste activarekening apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Laatste @@ -894,6 +896,7 @@ DocType: Delivery Trip,Distance UOM,Afstand UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Verplicht voor balans DocType: Payment Entry,Total Allocated Amount,Totaal toegewezen bedrag DocType: Sales Invoice,Get Advances Received,Ontvangen voorschotten ontvangen +DocType: Shift Type,Last Sync of Checkin,Laatste synchronisatie van Checkin DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Artikel belastingbedrag inbegrepen in waarde apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -902,7 +905,9 @@ DocType: Subscription Plan,Subscription Plan,Abonnement DocType: Student,Blood Group,Bloedgroep apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Crop,Crop Spacing UOM,UOM-uitsnede bijsnijden +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,De tijd na de starttijd van de shift wanneer het inchecken als te laat wordt beschouwd (in minuten). apps/erpnext/erpnext/templates/pages/home.html,Explore,onderzoeken +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Geen openstaande facturen gevonden apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} vacatures en {1} budget voor {2} zijn al gepland voor dochterondernemingen van {3}. \ U kunt alleen plannen voor maximaal {4} vacatures en en budget {5} per personeelsplan {6} voor moederbedrijf {3}. DocType: Promotional Scheme,Product Discount Slabs,Product Korting Platen @@ -1004,6 +1009,7 @@ DocType: Attendance,Attendance Request,Aanwezigheidsaanvraag DocType: Item,Moving Average,Voortschrijdend gemiddelde DocType: Employee Attendance Tool,Unmarked Attendance,Niet-gemarkeerde aanwezigheid DocType: Homepage Section,Number of Columns,Aantal columns +DocType: Issue Priority,Issue Priority,Uitgaveprioriteit DocType: Holiday List,Add Weekly Holidays,Wekelijkse feestdagen toevoegen DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Salaris slip creëren @@ -1012,6 +1018,7 @@ DocType: Job Offer Term,Value / Description,Waarde / beschrijving DocType: Warranty Claim,Issue Date,Datum van publicatie 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 batch voor item {0}. Kan geen enkele batch vinden die aan deze vereiste voldoet apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Kan retentiebonus niet maken voor medewerkers die links zijn +DocType: Employee Checkin,Location / Device ID,Locatie / Apparaat-ID DocType: Purchase Order,To Receive,Ontvangen apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,U bevindt zich in de offlinemodus. Je kunt pas opnieuw laden als je een netwerk hebt. DocType: Course Activity,Enrollment,Inschrijving @@ -1020,7 +1027,6 @@ DocType: Lab Test Template,Lab Test Template,Lab-testsjabloon apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informatie over e-facturatie ontbreekt apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Er is geen aanvraag voor een artikel gemaakt -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgroep> Merk DocType: Loan,Total Amount Paid,Totaal betaald bedrag apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Al deze items zijn al gefactureerd DocType: Training Event,Trainer Name,Naam van de trainer @@ -1131,6 +1137,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Vermeld de leadnaam in lead {0} DocType: Employee,You can enter any date manually,U kunt elke datum handmatig invoeren DocType: Stock Reconciliation Item,Stock Reconciliation Item,Voorraadafstemming Item +DocType: Shift Type,Early Exit Consequence,Vroege Uitgangsgevolgen DocType: Item Group,General Settings,Algemene instellingen apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Vervaldatum kan niet vóór de datum van de post / leverancierfactuur zijn apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Voer de naam van de Begunstigde in voordat u een aanvraag indient. @@ -1169,6 +1176,7 @@ DocType: Account,Auditor,revisor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Betalingsbevestiging ,Available Stock for Packing Items,Beschikbare voorraad voor verpakkingsartikelen apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Verwijder deze factuur {0} uit C-Form {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Elke geldige check-in en check-out DocType: Support Search Source,Query Route String,Zoekopdracht route String DocType: Customer Feedback Template,Customer Feedback Template,Klant feedbacksjabloon apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Citaten voor leads of klanten. @@ -1203,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Autorisatiebeheer ,Daily Work Summary Replies,Antwoorden dagelijkse werkoverzicht apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},U bent uitgenodigd om aan het project samen te werken: {0} +DocType: Issue,Response By Variance,Response By Variance DocType: Item,Sales Details,Verkoopdetails apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Briefhoofden voor afdruksjablonen. DocType: Salary Detail,Tax on additional salary,Belasting op extra salaris @@ -1326,6 +1335,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Klantadre DocType: Project,Task Progress,Taakvoortgang DocType: Journal Entry,Opening Entry,Opening van de inzending DocType: Bank Guarantee,Charges Incurred,Lasten komen voor +DocType: Shift Type,Working Hours Calculation Based On,Werktijdenberekening op basis van DocType: Work Order,Material Transferred for Manufacturing,Materiaal overgedragen voor productie DocType: Products Settings,Hide Variants,Varianten verbergen DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Capaciteitsplanning en tijdtracering uitschakelen @@ -1355,6 +1365,7 @@ DocType: Account,Depreciation,waardevermindering DocType: Guardian,Interests,Interesses DocType: Purchase Receipt Item Supplied,Consumed Qty,Verbruikte hoeveelheid DocType: Education Settings,Education Manager,Education Manager +DocType: Employee Checkin,Shift Actual Start,Werkelijke start verschuiven DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Tijdlogboeken plannen buiten de werkuren van het werkstation. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Loyaliteitspunten: {0} DocType: Healthcare Settings,Registration Message,Registratie bericht @@ -1379,9 +1390,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Factuur al gemaakt voor alle factureringsuren DocType: Sales Partner,Contact Desc,Neem contact op met Desc DocType: Purchase Invoice,Pricing Rules,Prijsregels +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Omdat er bestaande transacties zijn voor item {0}, kunt u de waarde van {1} niet wijzigen" DocType: Hub Tracked Item,Image List,Afbeeldingenlijst DocType: Item Variant Settings,Allow Rename Attribute Value,Toestaan Rename attribuutwaarde toestaan -DocType: Price List,Price Not UOM Dependant,Prijs niet afhankelijk van UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Tijd (in minuten) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,basis- DocType: Loan,Interest Income Account,Rente-inkomstenrekening @@ -1391,6 +1402,7 @@ DocType: Employee,Employment Type,Type werk apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Selecteer POS-profiel DocType: Support Settings,Get Latest Query,Ontvang de nieuwste zoekopdracht DocType: Employee Incentive,Employee Incentive,Employee Incentive +DocType: Service Level,Priorities,prioriteiten apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Voeg kaarten of aangepaste secties toe op de startpagina DocType: Homepage,Hero Section Based On,Hero sectie gebaseerd op DocType: Project,Total Purchase Cost (via Purchase Invoice),Totale aankoopkosten (via inkoopfactuur) @@ -1451,7 +1463,7 @@ DocType: Work Order,Manufacture against Material Request,Vervaardiging tegen mat DocType: Blanket Order Item,Ordered Quantity,Bestelde hoeveelheid apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rij # {0}: Rejected Magazijn is verplicht tegen afgewezen item {1} ,Received Items To Be Billed,Ontvangen items die moeten worden gefactureerd -DocType: Salary Slip Timesheet,Working Hours,Werkuren +DocType: Attendance,Working Hours,Werkuren apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Betaalmethode apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Inkooporderartikelen die niet op tijd zijn ontvangen apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Duur in dagen @@ -1570,7 +1582,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Wettelijke informatie en andere algemene informatie over uw leverancier DocType: Item Default,Default Selling Cost Center,Standaard verkoopkostenplaats DocType: Sales Partner,Address & Contacts,Adres en contacten -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel nummeringsreeksen in voor Aanwezigheid via Setup> Nummeringserie DocType: Subscriber,Subscriber,Abonnee apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) is niet op voorraad apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Selecteer eerst de boekingsdatum @@ -1581,7 +1592,7 @@ DocType: Project,% Complete Method,% Complete methode DocType: Detected Disease,Tasks Created,Taken gemaakt apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Standaard stuklijst ({0}) moet actief zijn voor dit item of zijn sjabloon apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Commissiepercentage% -DocType: Service Level,Response Time,Reactietijd +DocType: Service Level Priority,Response Time,Reactietijd DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce-instellingen apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,De hoeveelheid moet positief zijn DocType: Contract,CRM,CRM @@ -1598,7 +1609,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Inpatient Visit Charge DocType: Bank Statement Settings,Transaction Data Mapping,Transaction Data Mapping apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Een lead vereist de naam van een persoon of de naam van een organisatie DocType: Student,Guardians,Guardians -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel het systeem voor instructeursbenaming in het onderwijs in> onderwijsinstellingen apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Selecteer merk ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Middelste inkomen DocType: Shipping Rule,Calculate Based On,Berekenen op basis van @@ -1635,6 +1645,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Stel een doel in apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Aanwezigheidsrecord {0} bestaat tegen student {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Transactiedatum apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Annuleer abonnement +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Kan Service Level Agreement {0} niet instellen. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Netto salarisbedrag DocType: Account,Liability,Aansprakelijkheid DocType: Employee,Bank A/C No.,Bank A / C No. @@ -1700,7 +1711,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Grondstof Artikelcode apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Inkoopfactuur {0} is al verzonden DocType: Fees,Student Email,Student Email -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM-recursie: {0} kan geen bovenliggend of kind zijn van {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Items ophalen van zorgdiensten apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Voorraadvermelding {0} is niet verzonden DocType: Item Attribute Value,Item Attribute Value,Item Attribuut waarde @@ -1725,7 +1735,6 @@ DocType: POS Profile,Allow Print Before Pay,Sta Print vóór betalen toe DocType: Production Plan,Select Items to Manufacture,Selecteer items om te produceren DocType: Leave Application,Leave Approver Name,Verlaat Approver Name DocType: Shareholder,Shareholder,Aandeelhouder -DocType: Issue,Agreement Status,Overeenkomststatus apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Standaardinstellingen voor het verkopen van transacties. 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 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Selecteer stuklijst @@ -1988,6 +1997,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Inkomensrekening apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Alle magazijnen DocType: Contract,Signee Details,Onderteken Details +DocType: Shift Type,Allow check-out after shift end time (in minutes),Uitschrijven toestaan na de eindtijd van de shift (in minuten) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Inkoop DocType: Item Group,Check this if you want to show in website,Vink dit aan als je wilt laten zien op de website apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiscaal jaar {0} niet gevonden @@ -2054,6 +2064,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Startdatum afschrijving DocType: Activity Cost,Billing Rate,Billing Rate apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Waarschuwing: er is nog een {0} # {1} tegen voorraadinvoer {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Schakel Google Maps-instellingen in om routes te schatten en te optimaliseren +DocType: Purchase Invoice Item,Page Break,Pagina-einde DocType: Supplier Scorecard Criteria,Max Score,Max. Score apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Startdatum van de terugbetaling kan niet vóór de datum van uitbetaling zijn. DocType: Support Search Source,Support Search Source,Zoekbron ondersteunen @@ -2122,6 +2133,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Quality Goal Objective DocType: Employee Transfer,Employee Transfer,Overdracht van werknemers ,Sales Funnel,Verkooptrechter DocType: Agriculture Analysis Criteria,Water Analysis,Water analyse +DocType: Shift Type,Begin check-in before shift start time (in minutes),Begin vóór de starttijd van de shift (in minuten) DocType: Accounts Settings,Accounts Frozen Upto,Accounts bevroren tot apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Er is niets om te bewerken. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Bewerking {0} langer dan enige beschikbare werkuren op werkstation {1}, splitst de bewerking op in meerdere bewerkingen" @@ -2135,7 +2147,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Geld apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Klantorder {0} is {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Vertraging in betaling (dagen) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Voer de details van de afschrijving in +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Post adres van de klant apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Verwachte leverdatum moet zijn na de verkooporderdatum +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Artikelhoeveelheid kan niet nul zijn apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Ongeldig kenmerk apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Selecteer een stuklijst met item {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Factuurtype @@ -2145,6 +2159,7 @@ DocType: Maintenance Visit,Maintenance Date,Onderhoudsdatum DocType: Volunteer,Afternoon,Middag DocType: Vital Signs,Nutrition Values,Voedingswaarden DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Aanwezigheid van koorts (temp> 38,5 ° C / 101,3 ° F of aanhoudende temp> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Stel Employee Naming System in Human Resource> HR-instellingen in apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC omgedraaid DocType: Project,Collect Progress,Verzamel vooruitgang apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energie @@ -2195,6 +2210,7 @@ DocType: Setup Progress,Setup Progress,Voortgang instellen ,Ordered Items To Be Billed,Bestelde artikelen worden gefactureerd DocType: Taxable Salary Slab,To Amount,Tot bedrag DocType: Purchase Invoice,Is Return (Debit Note),Is Return (Debet Note) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klant> Klantengroep> Gebied apps/erpnext/erpnext/config/desktop.py,Getting Started,Ermee beginnen apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,samensmelten apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Kan de begindatum van het boekjaar en de einddatum van het fiscale jaar niet wijzigen nadat het fiscale jaar is opgeslagen. @@ -2213,8 +2229,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Werkelijke datum apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Onderhoudsstartdatum kan niet vóór de leverdatum zijn voor serienummer {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Rij {0}: Wisselkoers is verplicht DocType: Purchase Invoice,Select Supplier Address,Selecteer leveranciersadres +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Beschikbare hoeveelheid is {0}, u heeft {1} nodig" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Voer alstublieft API Consumer Secret in DocType: Program Enrollment Fee,Program Enrollment Fee,Inschrijfgeld voor programma +DocType: Employee Checkin,Shift Actual End,Werkelijk einde verschuiven DocType: Serial No,Warranty Expiry Date,Vervaldatum van de garantie DocType: Hotel Room Pricing,Hotel Room Pricing,Prijzen van hotelkamers apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Passieve belastbare leveringen (anders dan nultarief, nultarief en vrijgesteld" @@ -2274,6 +2292,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Lezen 5 DocType: Shopping Cart Settings,Display Settings,Beeldscherminstellingen apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Stel het aantal geboekte afschrijvingen in +DocType: Shift Type,Consequence after,Gevolg na apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Waarmee heb je hulp nodig? DocType: Journal Entry,Printing Settings,Afdrukinstellingen apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,bank @@ -2283,6 +2302,7 @@ DocType: Purchase Invoice Item,PR Detail,PR Detail apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Factuuradres is hetzelfde als verzendadres DocType: Account,Cash,Contant geld DocType: Employee,Leave Policy,Leave Policy +DocType: Shift Type,Consequence,Gevolg apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Studentenadres DocType: GST Account,CESS Account,CESS-account apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: kostenplaats is vereist voor 'Winst- en verliesrekening' {2}. Stel een standaard kostenplaats voor het bedrijf in. @@ -2347,6 +2367,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN-code DocType: Period Closing Voucher,Period Closing Voucher,Periode Sluitingsbon apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Name apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Voer een onkostendeclaratie in +DocType: Issue,Resolution By Variance,Resolutie door variatie DocType: Employee,Resignation Letter Date,Ontslagbrief Datum DocType: Soil Texture,Sandy Clay,Zanderige klei DocType: Upload Attendance,Attendance To Date,Aanwezigheid tot op heden @@ -2359,6 +2380,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Kijk nu DocType: Item Price,Valid Upto,Geldig tot apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referentie Doctype moet een van {0} zijn +DocType: Employee Checkin,Skip Auto Attendance,Skip Auto Attendance DocType: Payment Request,Transaction Currency,Munteenheid van de transactie DocType: Loan,Repayment Schedule,Terugbetalingsschema apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Creëer voorbeeldinvoer Voorraadinvoer @@ -2430,6 +2452,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Salarisstructuu DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Belastingen apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Actie geïnitialiseerd DocType: POS Profile,Applicable for Users,Toepasbaar voor gebruikers +,Delayed Order Report,Vertraagd orderrapport DocType: Training Event,Exam,tentamen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Onjuist aantal ontvangen grootboekboekingen gevonden. Mogelijk hebt u in de transactie een verkeerd account geselecteerd. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Verkoop traject @@ -2444,10 +2467,11 @@ DocType: Account,Round Off,Afronden DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Voorwaarden worden toegepast op alle geselecteerde items gecombineerd. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,configureren DocType: Hotel Room,Capacity,Capaciteit +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Geïnstalleerde hoeveelheid apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} van item {1} is uitgeschakeld. DocType: Hotel Room Reservation,Hotel Reservation User,Hotelreservering Gebruiker -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Werkdag is twee keer herhaald +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Service Level Agreement met Entity Type {0} en Entity {1} bestaat al. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Artikelgroep niet genoemd in artikelstam voor artikel {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Naamfout: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Gebied is vereist in POS-profiel @@ -2495,6 +2519,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Schedule Date DocType: Packing Slip,Package Weight Details,Details pakketgewicht DocType: Job Applicant,Job Opening,Vacature +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Laatst bekende succesvolle synchronisatie van werknemerinchecken. Stel dit alleen opnieuw in als u zeker weet dat alle logs van alle locaties worden gesynchroniseerd. Wijzig dit niet als u niet zeker bent. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Werkelijke kosten apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Het totale voorschot ({0}) tegen Bestelling {1} kan niet groter zijn dan het Totaal van het Totaal ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Artikelvarianten bijgewerkt @@ -2539,6 +2564,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Referentie Aankoopbewijs apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Ontvang Invocies DocType: Tally Migration,Is Day Book Data Imported,Is dagboekgegevens geïmporteerd ,Sales Partners Commission,Commissie verkooppartners +DocType: Shift Type,Enable Different Consequence for Early Exit,Verschillende gevolgen voor vervroegde uittreding inschakelen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,wettelijk DocType: Loan Application,Required by Date,Vereist op datum DocType: Quiz Result,Quiz Result,Quiz resultaat @@ -2598,7 +2624,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Financiee DocType: Pricing Rule,Pricing Rule,Prijsregel 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} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Stel het veld Gebruikers-ID in een werknemerrecord in om de rol van werknemer in te stellen -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Tijd om op te lossen DocType: Training Event,Training Event,Trainingsevenement DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","De normale rustende bloeddruk bij een volwassene is ongeveer 120 mmHg systolisch en 80 mmHg diastolisch, afgekort "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Systeem haalt alle invoer op als de grenswaarde nul is. @@ -2642,6 +2667,7 @@ DocType: Woocommerce Settings,Enable Sync,Schakel synchronisatie in DocType: Student Applicant,Approved,aangenomen apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Van datum moet binnen het fiscale jaar vallen. Uitgaande van datum = {0} 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. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} is een ongeldige aanwezigheidsstatus. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Tijdelijk account openen DocType: Purchase Invoice,Cash/Bank Account,Contant geld / bankrekening DocType: Quality Meeting Table,Quality Meeting Table,Kwaliteit vergadertafel @@ -2677,6 +2703,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Voedsel, drank en tabak" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Cursusschema DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Item wijs belastingdetail +DocType: Shift Type,Attendance will be marked automatically only after this date.,Aanwezigheid wordt pas na deze datum automatisch gemarkeerd. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Benodigdheden gemaakt aan UIN-houders apps/erpnext/erpnext/hooks.py,Request for Quotations,Verzoek om offertes apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Valuta kan niet worden gewijzigd na het invoeren van een andere valuta @@ -2725,7 +2752,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Is item van Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kwaliteitsprocedure. DocType: Share Balance,No of Shares,Aantal aandelen -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rij {0}: aantal niet beschikbaar voor {4} in magazijn {1} bij het plaatsen van de boeking ({2} {3}) DocType: Quality Action,Preventive,preventieve DocType: Support Settings,Forum URL,Forum-URL apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Werknemer en aanwezigheid @@ -2947,7 +2973,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Kortingstype DocType: Hotel Settings,Default Taxes and Charges,Standaard belastingen en heffingen apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Dit is gebaseerd op transacties met deze leverancier. Zie de tijdlijn hieronder voor meer informatie apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Maximaal voordeelbedrag van werknemer {0} overschrijdt {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Voer begin- en einddatum in voor de overeenkomst. DocType: Delivery Note Item,Against Sales Invoice,Tegen verkoopfactuur DocType: Loyalty Point Entry,Purchase Amount,Aankoopbedrag apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Kan niet instellen als verloren als klantorder is gemaakt. @@ -2971,7 +2996,7 @@ DocType: Homepage,"URL for ""All Products""",URL voor "Alle producten" DocType: Lead,Organization Name,organisatie naam apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Geldig van en geldig tot velden zijn verplicht voor de cumulatieve velden apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Rij # {0}: batchnummer moet hetzelfde zijn als {1} {2} -DocType: Employee,Leave Details,Laat details achter +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Voorraadtransacties voordat {0} zijn bevroren DocType: Driver,Issuing Date,Datum van uitgifte apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,aanvrager @@ -3016,9 +3041,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Cash Flow Mapping Template-details apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Rekrutering en training DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Grace Period-instellingen voor automatische aanwezigheid apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Van valuta en naar valuta kan niet hetzelfde zijn apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Pharmaceuticals DocType: Employee,HR-EMP-,HR-EMP +DocType: Service Level,Support Hours,Ondersteuningsuren apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} is geannuleerd of gesloten apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Rij {0}: voorschot op de Klant moet een tegoed zijn apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Groep per voucher (geconsolideerd) @@ -3128,6 +3155,7 @@ DocType: Asset Repair,Repair Status,Reparatiestatus DocType: Territory,Territory Manager,Territory Manager DocType: Lab Test,Sample ID,Monster-ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Winkelwagen is leeg +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Aanwezigheid is gemarkeerd als per medewerker check-ins apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Asset {0} moet worden ingediend ,Absent Student Report,Afwezig studentenrapport apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Opgenomen in brutowinst @@ -3135,7 +3163,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,P DocType: Travel Request Costing,Funded Amount,Gefinancierde bedrag apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} is niet ingediend, dus de actie kan niet worden voltooid" DocType: Subscription,Trial Period End Date,Einddatum van de proefperiode +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Wisselend invoeren als IN en UIT tijdens dezelfde dienst DocType: BOM Update Tool,The new BOM after replacement,De nieuwe stuklijst na vervanging +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverancier> leverancier type apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Artikel 5 DocType: Employee,Passport Number,Paspoortnummer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Tijdelijke opening @@ -3251,6 +3281,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Key Reports apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Mogelijke leverancier ,Issued Items Against Work Order,Uitgegeven items tegen werkorder apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} factuur aanmaken +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel het systeem voor instructeursbenaming in het onderwijs in> onderwijsinstellingen DocType: Student,Joining Date,Lid worden van datum apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Site aanvragen DocType: Purchase Invoice,Against Expense Account,Tegen onkostenrekening @@ -3290,6 +3321,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Toepasselijke kosten ,Point of Sale,Verkooppunt DocType: Authorization Rule,Approving User (above authorized value),Gebruiker goedkeuren (boven toegestane waarde) +DocType: Service Level Agreement,Entity,Entiteit apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Bedrag {0} {1} overgedragen van {2} naar {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Klant {0} hoort niet bij project {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Van partijnaam @@ -3336,6 +3368,7 @@ DocType: Asset,Opening Accumulated Depreciation,Geaccumuleerde afschrijving open DocType: Soil Texture,Sand Composition (%),Zandsamenstelling (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Dagboekgegevens importeren +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 voor {0} via Instellingen> Instellingen> Serie benoemen DocType: Asset,Asset Owner Company,Bedrijf van vermogensbeheerders apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Kostenplaats is vereist om een declaratie te boeken apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} geldige serienummers voor item {1} @@ -3396,7 +3429,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Activa-eigenaar apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Magazijn is verplicht voor voorraaditem {0} in rij {1} DocType: Stock Entry,Total Additional Costs,Totale extra kosten -DocType: Marketplace Settings,Last Sync On,Last Sync On apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Stel alstublieft ten minste één rij in de tabel Belastingen en kosten in DocType: Asset Maintenance Team,Maintenance Team Name,Onderhoudsteam naam apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Grafiek van kostenplaatsen @@ -3412,12 +3444,12 @@ DocType: Sales Order Item,Work Order Qty,Werkorder aantal DocType: Job Card,WIP Warehouse,WIP Warehouse DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Gebruikers-ID niet ingesteld voor werknemer {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Beschikbaar aantal is {0}, u heeft {1} nodig" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Gebruiker {0} gemaakt DocType: Stock Settings,Item Naming By,Item Naamgeving door apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,bestelde apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Dit is een rootklantengroep en kan niet worden bewerkt. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materiaalaanvraag {0} is geannuleerd of gestopt +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strikt gebaseerd op Log Type in Employee Checkin DocType: Purchase Order Item Supplied,Supplied Qty,Meegeleverd aantal DocType: Cash Flow Mapper,Cash Flow Mapper,Cash Flow Mapper DocType: Soil Texture,Sand,Zand @@ -3476,6 +3508,7 @@ DocType: Lab Test Groups,Add new line,Voeg een nieuwe regel toe apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Dubbele artikelgroep gevonden in de tabel met artikelgroepen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Jaarlijks salaris DocType: Supplier Scorecard,Weighting Function,Wegingsfunctie +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 artikel: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Fout bij het evalueren van de criteriaformule ,Lab Test Report,Lab testrapport DocType: BOM,With Operations,Met operaties @@ -3489,6 +3522,7 @@ DocType: Expense Claim Account,Expense Claim Account,Onkostendeclaratie apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Geen terugbetalingen beschikbaar voor journaalboeking apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} is een inactieve student apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Voorraadinvoer maken +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM-recursie: {0} kan geen bovenliggend of kind zijn van {1} DocType: Employee Onboarding,Activities,Activiteiten apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Ten minste één magazijn is verplicht ,Customer Credit Balance,Klantkredietsaldo @@ -3501,9 +3535,11 @@ DocType: Supplier Scorecard Period,Variables,Variabelen 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: Patient,Medication,geneesmiddel apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Selecteer Loyaliteitsprogramma +DocType: Employee Checkin,Attendance Marked,Aanwezigheid gemarkeerd apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Grondstoffen DocType: Sales Order,Fully Billed,Volledig gefactureerd 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/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Selecteer slechts één prioriteit als standaard. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identificeer / creëer Account (Ledger) voor type - {0} 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: Purchase Invoice Item,Is Fixed Asset,Is vast activum @@ -3524,6 +3560,7 @@ DocType: Purpose of Travel,Purpose of Travel,Doel van reizen DocType: Healthcare Settings,Appointment Confirmation,Afspraak bevestiging DocType: Shopping Cart Settings,Orders,bestellingen DocType: HR Settings,Retirement Age,Pensioenleeftijd +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Stel nummeringsreeksen in voor Aanwezigheid via Setup> Nummeringserie apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Geprojecteerde aantal apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Verwijderen is niet toegestaan voor land {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Rij # {0}: item {1} is al {2} @@ -3607,11 +3644,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Accountant apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Closing Voucher alreday bestaat voor {0} tussen datum {1} en {2} apps/erpnext/erpnext/config/help.py,Navigating,navigeren +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Geen openstaande facturen vereisen een herwaardering van de wisselkoers DocType: Authorization Rule,Customer / Item Name,Klant- / itemnaam apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nieuw serienummer kan Magazijn niet bevatten. Magazijn moet worden ingesteld door Stock Entry of Purchase Receipt DocType: Issue,Via Customer Portal,Via klantportal DocType: Work Order Operation,Planned Start Time,Geplande starttijd apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} is {2} +DocType: Service Level Priority,Service Level Priority,Service Level Priority apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Aantal geboekte afschrijvingen kan niet groter zijn dan het totale aantal afschrijvingen apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Deel Ledger DocType: Journal Entry,Accounts Payable,Crediteurenadministratie @@ -3722,7 +3761,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Leveren aan DocType: Bank Statement Transaction Settings Item,Bank Data,Bankgegevens apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Geplande Tot -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Behoud uren en werktijden Hetzelfde op urenformulier apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Leads volgen op leadbron. DocType: Clinical Procedure,Nursing User,Verpleegkundige gebruiker DocType: Support Settings,Response Key List,Responsensleutellijst @@ -3890,6 +3928,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Werkelijke starttijd DocType: Antibiotic,Laboratory User,Laboratorium gebruiker apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Online veilingen +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioriteit {0} is herhaald. DocType: Fee Schedule,Fee Creation Status,Kosten creatie status apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,softwares apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Verkooporder voor betaling @@ -3956,6 +3995,7 @@ DocType: Patient Encounter,In print,In gedrukte vorm apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Kon informatie voor {0} niet ophalen. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Factuurvaluta moet gelijk zijn aan de valuta van het standaardbedrijf of de valuta van het partijaccount apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Voer werknemer-id van deze verkoper in +DocType: Shift Type,Early Exit Consequence after,Vroege Uitgang Gevolg na apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Creëer openstaande verkoop- en inkoopfacturen DocType: Disease,Treatment Period,Behandelingsperiode apps/erpnext/erpnext/config/settings.py,Setting up Email,E-mail instellen @@ -3973,7 +4013,6 @@ DocType: Employee Skill Map,Employee Skills,Medewerkersvaardigheden apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Studenten naam: DocType: SMS Log,Sent On,Verzonden op DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Verkoopfactuur -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Responstijd kan niet groter zijn dan Resolution Time DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Voor Course Based Student Group wordt de cursus gevalideerd voor elke student van de ingeschreven cursussen bij Inschrijving van het programma. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Intra-State Supplies DocType: Employee,Create User Permission,Maak gebruiker toestemming @@ -4012,6 +4051,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standaard contractvoorwaarden voor verkoop of aankoop. DocType: Sales Invoice,Customer PO Details,Klant PO details apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Patiënt niet gevonden +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Selecteer een standaardprioriteit. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Verwijder item als kosten niet van toepassing zijn op dat item apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Een klantengroep bestaat met dezelfde naam, wijzig de naam van de klant of wijzig de naam van de klantengroep" 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. @@ -4051,6 +4091,7 @@ DocType: Quality Goal,Quality Goal,Kwaliteitsdoel DocType: Support Settings,Support Portal,Ondersteuningsportal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Einddatum van taak {0} mag niet minder dan {1} verwachte startdatum {2} zijn apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Werknemer {0} staat op Verlof op {1} +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} DocType: Employee,Held On,Hield vast DocType: Healthcare Practitioner,Practitioner Schedules,Practitioner Schedules DocType: Project Template Task,Begin On (Days),Begin aan (dagen) @@ -4058,6 +4099,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Werkorder is {0} DocType: Inpatient Record,Admission Schedule Date,Toelating Schedule Date apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Asset Value Adjustment +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Markeer aanwezigheid op basis van 'Employee Checkin' voor werknemers die aan deze dienst zijn toegewezen. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Leveringen aan niet-geregistreerde personen apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Alle banen DocType: Appointment Type,Appointment Type,Afspraaktype @@ -4171,7 +4213,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Het brutogewicht van het pakket. Gewoonlijk netto gewicht + verpakkingsmateriaalgewicht. (voor afdrukken) DocType: Plant Analysis,Laboratory Testing Datetime,Laboratoriumtest Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Het item {0} kan geen Batch hebben -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Verkooppijplijn per fase apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Studentengroep Kracht DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Rekeningoverzichtstransactie DocType: Purchase Order,Get Items from Open Material Requests,Items ophalen uit openstaande materiaalverzoeken @@ -4253,7 +4294,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Verouderingstijdgewijs weergeven DocType: Sales Invoice,Write Off Outstanding Amount,Uitstaande bedrag afschrijven DocType: Payroll Entry,Employee Details,Werknemersdetails -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Starttijd kan niet groter zijn dan Eindtijd voor {0}. DocType: Pricing Rule,Discount Amount,Korting hoeveelheid DocType: Healthcare Service Unit Type,Item Details,onderdeel details apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Dubbele belastingaangifte van {0} voor periode {1} @@ -4306,7 +4346,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettoloon kan niet negatief zijn apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Aantal interacties 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/hr/doctype/employee/employee_dashboard.py,Shift,Verschuiving +DocType: Attendance,Shift,Verschuiving apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Verwerking rekeningschema en partijen DocType: Stock Settings,Convert Item Description to Clean HTML,Itembeschrijving converteren om HTML te wissen apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alle leveranciersgroepen @@ -4377,6 +4417,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Employee Onbo DocType: Healthcare Service Unit,Parent Service Unit,Parent Service Unit DocType: Sales Invoice,Include Payment (POS),Betaling opnemen (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Private Equity +DocType: Shift Type,First Check-in and Last Check-out,Eerste check-in en laatste check-out DocType: Landed Cost Item,Receipt Document,Ontvangstbewijs DocType: Supplier Scorecard Period,Supplier Scorecard Period,Leverancier Scorecard Periode DocType: Employee Grade,Default Salary Structure,Standaard salarisstructuur @@ -4459,6 +4500,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Bestelling creëren apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definieer het budget voor een boekjaar. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Accounts tabel mag niet leeg zijn. +DocType: Employee Checkin,Entry Grace Period Consequence,Entry Grace Period Gevolg ,Payment Period Based On Invoice Date,Betalingsperiode op factuurdatum apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},De installatiedatum kan niet vóór de leverdatum voor item {0} liggen apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Link naar artikelaanvraag @@ -4467,6 +4509,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapped Data T apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Rij {0}: er bestaat al een re-orderitem voor dit magazijn {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Date DocType: Monthly Distribution,Distribution Name,Distributienaam +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Workday {0} is herhaald. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Groep naar niet-groep apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Update wordt uitgevoerd. Het kan een tijdje duren. DocType: Item,"Example: ABCD.##### @@ -4479,6 +4522,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Brandstof hoeveelheid apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile Nee DocType: Invoice Discounting,Disbursed,uitbetaald +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Tijd na het einde van de dienst waarbij het uitchecken wordt overwogen voor deelname. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Nettowijziging in crediteurenadministratie apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Niet beschikbaar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Deeltijd @@ -4492,7 +4536,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potenti apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,PDC weergeven in Afdrukken apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify-leverancier DocType: POS Profile User,POS Profile User,POS-profielgebruiker -DocType: Student,Middle Name,Midden-naam DocType: Sales Person,Sales Person Name,Naam verkooppersoon DocType: Packing Slip,Gross Weight,Bruto gewicht DocType: Journal Entry,Bill No,Factuurnummer @@ -4501,7 +4544,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nieuw DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Service Level Agreement -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Selecteer eerst medewerker en datum apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,De artikelwaarderingskoers wordt opnieuw berekend rekening houdend met het bedrag van de geloste kostenvoucher DocType: Timesheet,Employee Detail,Werknemersgegevens DocType: Tally Migration,Vouchers,vouchers @@ -4536,7 +4578,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Service Level Ag DocType: Additional Salary,Date on which this component is applied,Datum waarop dit onderdeel wordt toegepast apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Lijst met beschikbare aandeelhouders met folionummers apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Gateway-accounts instellen. -DocType: Service Level,Response Time Period,Reactietijd +DocType: Service Level Priority,Response Time Period,Reactietijd DocType: Purchase Invoice,Purchase Taxes and Charges,Aankoop belastingen en heffingen DocType: Course Activity,Activity Date,Activiteitsdatum apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Selecteer of voeg een nieuwe klant toe @@ -4561,6 +4603,7 @@ DocType: Sales Person,Select company name first.,Selecteer eerst de bedrijfsnaam apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Financieel jaar DocType: Sales Invoice Item,Deferred Revenue,Uitgestelde omzet apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Ten minste één van de Verkopend of Koop moet zijn geselecteerd +DocType: Shift Type,Working Hours Threshold for Half Day,Werktijden Drempel voor halve dag ,Item-wise Purchase History,Item aankoopgeschiedenis apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Kan de service-einddatum voor artikel in rij {0} niet wijzigen DocType: Production Plan,Include Subcontracted Items,Inclusief uitbestede items @@ -4593,6 +4636,7 @@ DocType: Journal Entry,Total Amount Currency,Totale bedrag valuta DocType: BOM,Allow Same Item Multiple Times,Sta hetzelfde item meerdere keren toe apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Maak een stuklijst DocType: Healthcare Practitioner,Charges,kosten +DocType: Employee,Attendance and Leave Details,Aanwezigheid en details verlaten DocType: Student,Personal Details,Persoonlijke gegevens DocType: Sales Order,Billing and Delivery Status,Factuur- en bezorgingsstatus apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Rij {0}: Voor leverancier {0} is een e-mailadres vereist om e-mail te verzenden @@ -4644,7 +4688,6 @@ DocType: Bank Guarantee,Supplier,Leverancier apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Voer een waarde in tussen {0} en {1} DocType: Purchase Order,Order Confirmation Date,Bevestigingsdatum bestellen DocType: Delivery Trip,Calculate Estimated Arrival Times,Bereken geschatte aankomsttijden -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Stel Employee Naming System in Human Resource> HR-instellingen in apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,verbruiksartikelen DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Begindatum abonnement @@ -4667,7 +4710,7 @@ DocType: Installation Note Item,Installation Note Item,Installatie Opmerking Ite DocType: Journal Entry Account,Journal Entry Account,Journaalboekingsrekening apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variant apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Forumactiviteit -DocType: Service Level,Resolution Time Period,Oplossing Periode +DocType: Service Level Priority,Resolution Time Period,Oplossing Periode DocType: Request for Quotation,Supplier Detail,Detail van de leverancier DocType: Project Task,View Task,Bekijk taak DocType: Serial No,Purchase / Manufacture Details,Aankoop / fabricagedetails @@ -4734,6 +4777,7 @@ DocType: Sales Invoice,Commission Rate (%),Commissie percentage (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Magazijn kan alleen worden gewijzigd via Stock Entry / Delivery Note / Purchase Receipt DocType: Support Settings,Close Issue After Days,Sluiten kwestie na dagen DocType: Payment Schedule,Payment Schedule,Betalingsschema +DocType: Shift Type,Enable Entry Grace Period,Schakel de gratieperiode van de aanmelding in DocType: Patient Relation,Spouse,Echtgenoot DocType: Purchase Invoice,Reason For Putting On Hold,Reden om in de wacht te zetten DocType: Item Attribute,Increment,aanwas @@ -4873,6 +4917,7 @@ DocType: Authorization Rule,Customer or Item,Klant of item DocType: Vehicle Log,Invoice Ref,Factuur Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-formulier is niet van toepassing voor factuur: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Invoice Created +DocType: Shift Type,Early Exit Grace Period,Graceentieperiode bij vervroegde uittreding DocType: Patient Encounter,Review Details,Review details apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Rij {0}: Urenwaarde moet groter zijn dan nul. DocType: Account,Account Number,Rekeningnummer @@ -4884,7 +4929,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned 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" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Overlappende omstandigheden gevonden tussen: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Betaald en niet geleverd -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Artikelcode is verplicht omdat artikel niet automatisch genummerd is DocType: GST HSN Code,HSN Code,HSN-code DocType: GSTR 3B Report,September,september apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administratieve lasten @@ -4920,6 +4964,8 @@ DocType: Travel Itinerary,Travel From,Reizen vanaf apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP-account DocType: SMS Log,Sender Name,Naam afzender DocType: Pricing Rule,Supplier Group,Leveranciersgroep +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Stel starttijd en eindtijd in voor \ Support Day {0} op index {1}. DocType: Employee,Date of Issue,Uitgavedatum ,Requested Items To Be Transferred,Gevraagde items die moeten worden overgedragen DocType: Employee,Contract End Date,Contract einddatum @@ -4930,6 +4976,7 @@ DocType: Healthcare Service Unit,Vacant,Vrijgekomen DocType: Opportunity,Sales Stage,Verkoopfase DocType: Sales Order,In Words will be visible once you save the Sales Order.,In Words is zichtbaar zodra u de klantorder opslaat. DocType: Item Reorder,Re-order Level,Re-order niveau +DocType: Shift Type,Enable Auto Attendance,Schakel Auto Aanwezigheid in apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Voorkeur ,Department Analytics,Afdeling Analytics DocType: Crop,Scientific Name,Wetenschappelijke naam @@ -4942,6 +4989,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} status is {2} DocType: Quiz Activity,Quiz Activity,Quizactiviteit apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} bevindt zich niet in een geldige Payroll-periode DocType: Timesheet,Billed,gefactureerd +apps/erpnext/erpnext/config/support.py,Issue Type.,Uitgiftetype. DocType: Restaurant Order Entry,Last Sales Invoice,Laatste verkoopfactuur DocType: Payment Terms Template,Payment Terms,Betaalvoorwaarden apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Gereserveerde hoeveelheid: hoeveelheid besteld voor verkoop, maar niet afgeleverd." @@ -5037,6 +5085,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,aanwinst apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} heeft geen schema voor zorgverleners. Voeg het toe aan de master in de gezondheidszorg DocType: Vehicle,Chassis No,Chassis nummer +DocType: Employee,Default Shift,Standaardverschuiving apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Bedrijf afkorting apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Tree of Bill of Materials DocType: Article,LMS User,LMS-gebruiker @@ -5085,6 +5134,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Verkooppartner voor ouders DocType: Student Group Creation Tool,Get Courses,Cursussen volgen apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rij # {0}: aantal moet 1 zijn, omdat artikel een vast activum is. Gebruik alstublieft een afzonderlijke rij voor meerdere hoeveelheden." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Werktijden waaronder afwezig is gemarkeerd. (Nul om uit te schakelen) DocType: Customer Group,Only leaf nodes are allowed in transaction,Alleen leaf-knooppunten zijn toegestaan in transactie DocType: Grant Application,Organization,Organisatie DocType: Fee Category,Fee Category,Kostencategorie @@ -5097,6 +5147,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Werk uw status bij voor deze trainingsevenement DocType: Volunteer,Morning,Ochtend DocType: Quotation Item,Quotation Item,Offerte Item +apps/erpnext/erpnext/config/support.py,Issue Priority.,Uitgaveprioriteit. DocType: Journal Entry,Credit Card Entry,Creditcardinvoer apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tijdvak overgeslagen, het slot {0} t / m {1} overlapt het bestaande slot {2} met {3}" DocType: Journal Entry Account,If Income or Expense,Als inkomen of kosten @@ -5147,11 +5198,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Gegevensimport en instellingen 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: Account,Expense Account,Onkostendeclaratie +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,De tijd vóór de starttijd van de ploeg tijdens welke de inchecktijd wordt overwogen voor deelname. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Relatie met Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Factuur maken apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Betalingsaanvraag bestaat al {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Medewerker opgelucht op {0} moet worden ingesteld als 'Links' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Betaal {0} {1} +DocType: Company,Sales Settings,Verkoopinstellingen DocType: Sales Order Item,Produced Quantity,Geproduceerde hoeveelheid apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,De offerteaanvraag is toegankelijk door op de volgende link te klikken DocType: Monthly Distribution,Name of the Monthly Distribution,Naam van de maandelijkse distributie @@ -5230,6 +5283,7 @@ DocType: Company,Default Values,Standaard waarden apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standaardbelastingsjablonen voor verkoop en inkoop worden gemaakt. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Verloftype {0} kan niet worden overgedragen apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Debit Voor account moet een debiteurrekening zijn +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Einddatum van de overeenkomst kan niet minder zijn dan vandaag. apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Stel een account in in Warehouse {0} of Default Inventory Account in bedrijf {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Stel in als standaard DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Het nettogewicht van dit pakket. (automatisch berekend als som van het nettogewicht van items) @@ -5256,8 +5310,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Verlopen batches DocType: Shipping Rule,Shipping Rule Type,Verzendregel Type DocType: Job Offer,Accepted,Aanvaard -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/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,U hebt al beoordeeld op de beoordelingscriteria {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Selecteer batchnummers apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Leeftijd (dagen) @@ -5284,6 +5336,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Selecteer uw domeinen DocType: Agriculture Task,Task Name,Opdrachtnaam 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/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" ,Amount to Deliver,Bedrag te leveren apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Bedrijf {0} bestaat niet apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Geen uitstaande artikelaanvragen gevonden om te linken voor de gegeven items. @@ -5333,6 +5387,7 @@ DocType: Program Enrollment,Enrolled courses,Ingeschreven cursussen DocType: Lab Prescription,Test Code,Testcode DocType: Purchase Taxes and Charges,On Previous Row Total,Op vorige rij Totaal DocType: Student,Student Email Address,E-mailadres van student +,Delayed Item Report,Vertraagd itemrapport DocType: Academic Term,Education,Opleiding DocType: Supplier Quotation,Supplier Address,Adres van leverancier DocType: Salary Detail,Do not include in total,Neem niet alles mee @@ -5340,7 +5395,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} bestaat niet DocType: Purchase Receipt Item,Rejected Quantity,Verworpen hoeveelheid DocType: Cashier Closing,To TIme,Timen -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 artikel: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Daily Work Summary Group User DocType: Fiscal Year Company,Fiscal Year Company,Fiscaal Jaar Bedrijf apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternatief artikel mag niet hetzelfde zijn als artikelcode @@ -5392,6 +5446,7 @@ DocType: Program Fee,Program Fee,Programmakosten DocType: Delivery Settings,Delay between Delivery Stops,Vertraging tussen leveringstops DocType: Stock Settings,Freeze Stocks Older Than [Days],Bevries aandelen ouder dan [dagen] DocType: Promotional Scheme,Promotional Scheme Product Discount,Productkorting promotieregeling +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Probleemprioriteit bestaat al DocType: Account,Asset Received But Not Billed,Activum ontvangen maar niet gefactureerd DocType: POS Closing Voucher,Total Collected Amount,Totaal verzameld bedrag DocType: Course,Default Grading Scale,Default Grading Scale @@ -5434,6 +5489,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Fulfillment-voorwaarden apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Niet-groep tot groep DocType: Student Guardian,Mother,Moeder +DocType: Issue,Service Level Agreement Fulfilled,Service Level Agreement vervuld DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Belastingaftrek voor niet-geclaimde werknemersvoordelen DocType: Travel Request,Travel Funding,Reisfinanciering DocType: Shipping Rule,Fixed,vast @@ -5463,10 +5519,12 @@ DocType: Item,Warranty Period (in days),Garantieperiode (in dagen) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Geen items gevonden. DocType: Item Attribute,From Range,Van bereik DocType: Clinical Procedure,Consumables,verbruiksgoederen +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' en 'timestamp' zijn verplicht. DocType: Purchase Taxes and Charges,Reference Row #,Referentie rij # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Stel 'Asset Depreciation Cost Center' in bedrijf {0} in apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Rij # {0}: betalingsdocument is vereist om de trasactie te voltooien DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Klik op deze knop om uw klantordergegevens van Amazon MWS te halen. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Werktijden waaronder de halve dag is aangegeven. (Nul om uit te schakelen) ,Assessment Plan Status,Beoordelingsplan Status apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Selecteer eerst {0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Dien dit in om het werknemersrecord te maken @@ -5537,6 +5595,7 @@ DocType: Quality Procedure,Parent Procedure,Ouder procedure apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Stel Open in apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Filters wisselen DocType: Production Plan,Material Request Detail,Materiaal Verzoek Detail +DocType: Shift Type,Process Attendance After,Proces aanwezigheid na DocType: Material Request Item,Quantity and Warehouse,Hoeveelheid en magazijn apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Ga naar Programma's apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Rij # {0}: dubbele invoer in verwijzingen {1} {2} @@ -5594,6 +5653,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Partij informatie apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debiteuren ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Tot op heden kan niet groter zijn dan de releasedatum van de werknemer +DocType: Shift Type,Enable Exit Grace Period,Schakel de gratieperiode in DocType: Expense Claim,Employees Email Id,Medewerkers Email ID DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Prijs bijwerken van Shopify naar ERPNext prijslijst DocType: Healthcare Settings,Default Medical Code Standard,Standaard medische codestandaard @@ -5624,7 +5684,6 @@ DocType: Item Group,Item Group Name,Artikelgroepsnaam DocType: Budget,Applicable on Material Request,Van toepassing op artikelaanvraag DocType: Support Settings,Search APIs,Zoek API's DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Overproductiepercentage voor klantorder -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,bestek DocType: Purchase Invoice,Supplied Items,Meegeleverde artikelen DocType: Leave Control Panel,Select Employees,Selecteer Medewerkers apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Selecteer rente-inkomstenrekening in lening {0} @@ -5650,7 +5709,7 @@ DocType: Salary Slip,Deductions,aftrek ,Supplier-Wise Sales Analytics,Supplier-Wise Sales Analytics DocType: GSTR 3B Report,February,februari DocType: Appraisal,For Employee,Voor werknemer -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Werkelijke leveringsdatum +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Werkelijke leveringsdatum DocType: Sales Partner,Sales Partner Name,Naam verkooppartner apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Afschrijving Rij {0}: Startdatum afschrijving wordt ingevoerd als de vorige datum DocType: GST HSN Code,Regional,Regionaal @@ -5689,6 +5748,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Acc DocType: Supplier Scorecard,Supplier Scorecard,Leverancier Scorecard DocType: Travel Itinerary,Travel To,Reizen naar apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Mark Attendance +DocType: Shift Type,Determine Check-in and Check-out,Bepaal in- en uitchecken DocType: POS Closing Voucher,Difference,Verschil apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Klein DocType: Work Order Item,Work Order Item,Werkorderitem @@ -5722,6 +5782,7 @@ DocType: Sales Invoice,Shipping Address Name,Naam verzendadres apps/erpnext/erpnext/healthcare/setup.py,Drug,drug apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} is gesloten DocType: Patient,Medical History,Medische geschiedenis +DocType: Expense Claim,Expense Taxes and Charges,Belastingen en kosten betalen DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Het aantal dagen na de factuurdatum is verstreken voordat het abonnements- of markeringsabonnement als onbetaald werd geannuleerd apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Installatienota {0} is al verzonden DocType: Patient Relation,Family,Familie @@ -5754,7 +5815,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Sterkte apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} eenheden {1} zijn nodig in {2} om deze transactie te voltooien. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush Grondstoffen van onderaanneming gebaseerd op -DocType: Bank Guarantee,Customer,Klant DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Indien ingeschakeld, is de veld Academische termijn verplicht in het programma-inschrijvingsinstrument." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Voor op groepen gebaseerde studentengroepen wordt de studentenbatch gevalideerd voor elke student van de inschrijving voor het programma. DocType: Course,Topics,Onderwerpen @@ -5834,6 +5894,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Hoofdstukleden DocType: Warranty Claim,Service Address,Service adres DocType: Journal Entry,Remark,Opmerking +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rij {0}: hoeveelheid niet beschikbaar voor {4} in magazijn {1} bij het plaatsen van de boeking ({2} {3}) DocType: Patient Encounter,Encounter Time,Encounter Time DocType: Serial No,Invoice Details,Factuurgegevens 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 kunnen onder Groepen worden gemaakt, maar er kunnen ook tegen niet-groepen worden ingevoerd" @@ -5914,6 +5975,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","E apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Sluiten (Opening + totaal) DocType: Supplier Scorecard Criteria,Criteria Formula,Criteria Formule apps/erpnext/erpnext/config/support.py,Support Analytics,Ondersteuning van Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Aanwezigheid Device ID (Biometric / RF tag ID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Beoordeling en actie DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Als het account is vastgelopen, kunnen items worden beperkt door gebruikers." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Bedrag na afschrijving @@ -5935,6 +5997,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Terugbetaling van schulden DocType: Employee Education,Major/Optional Subjects,Belangrijke / optionele onderwerpen DocType: Soil Texture,Silt,Slib +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Leveranciersadressen en contacten DocType: Bank Guarantee,Bank Guarantee Type,Type bankgarantie DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Als u het veld uitschakelt, is het veld 'Totaal afgerond' niet zichtbaar in een transactie" DocType: Pricing Rule,Min Amt,Min Amt @@ -5973,6 +6036,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Het item voor het creëren van facturen openen DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,POS-transacties opnemen +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Geen werknemer gevonden voor de gegeven veldwaarde voor medewerkers. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Ontvangen bedrag (bedrijfsvaluta) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage is vol, niet opgeslagen" DocType: Chapter Member,Chapter Member,Hoofdstuklid @@ -6005,6 +6069,7 @@ DocType: SMS Center,All Lead (Open),Alle lead (open) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Geen studentengroepen gemaakt. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Dubbele rij {0} met dezelfde {1} DocType: Employee,Salary Details,Salarisgegevens +DocType: Employee Checkin,Exit Grace Period Consequence,Sluit Genadeperiode Gevolg af DocType: Bank Statement Transaction Invoice Item,Invoice,Factuur DocType: Special Test Items,Particulars,bijzonderheden apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Stel een filter in op basis van item of magazijn @@ -6106,6 +6171,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Uit AMC DocType: Job Opening,"Job profile, qualifications required etc.","Functieprofiel, vereiste kwalificaties, etc." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Verzenden naar staat +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Wilt u het materiële verzoek indienen? DocType: Opportunity Item,Basic Rate,Basistarief DocType: Compensatory Leave Request,Work End Date,Einddatum van het werk apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Verzoek om grondstoffen @@ -6291,6 +6357,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Afschrijvingsbedrag DocType: Sales Order Item,Gross Profit,Brutowinst DocType: Quality Inspection,Item Serial No,Artikel Serienr DocType: Asset,Insurer,Verzekeraar +DocType: Employee Checkin,OUT,UIT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Hoeveelheid kopen DocType: Asset Maintenance Task,Certificate Required,Certificaat vereist DocType: Retention Bonus,Retention Bonus,Retentiebonus @@ -6406,6 +6473,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Verschilbedrag (bedr DocType: Invoice Discounting,Sanctioned,Sanctioned DocType: Course Enrollment,Course Enrollment,Inschrijving cursus DocType: Item,Supplier Items,Leverancier artikelen +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Starttijd kan niet groter zijn dan of gelijk aan Eindtijd \ voor {0}. DocType: Sales Order,Not Applicable,Niet toepasbaar DocType: Support Search Source,Response Options,Antwoord opties apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} moet een waarde tussen 0 en 100 zijn @@ -6492,7 +6561,6 @@ DocType: Travel Request,Costing,Costing apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Vaste activa DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Totaal verdienen -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klant> Klantengroep> Gebied DocType: Share Balance,From No,Van Nee DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Payment Reconciliation Invoice DocType: Purchase Invoice,Taxes and Charges Added,Belastingen en toeslagen toegevoegd @@ -6600,6 +6668,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Prijsbepalingsregel negeren apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Voedsel DocType: Lost Reason Detail,Lost Reason Detail,Details verloren reden +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},De volgende serienummers zijn gemaakt:
{0} DocType: Maintenance Visit,Customer Feedback,Klanten feedback DocType: Serial No,Warranty / AMC Details,Garantie / AMC-details DocType: Issue,Opening Time,Openingstijd @@ -6649,6 +6718,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Bedrijfsnaam niet hetzelfde apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Werknemersbevordering kan niet worden ingediend vóór de promotiedatum apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Niet toegestaan om beurstransacties ouder dan {0} bij te werken +DocType: Employee Checkin,Employee Checkin,Werknemer checkin apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Startdatum moet minder zijn dan de einddatum voor item {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Maak offertes van klanten DocType: Buying Settings,Buying Settings,Instellingen kopen @@ -6670,6 +6740,7 @@ DocType: Job Card Time Log,Job Card Time Log,Takenkaart Tijdlog DocType: Patient,Patient Demographics,Demografie van patiënten DocType: Share Transfer,To Folio No,Naar Folio Nee apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Kasstroom uit operaties +DocType: Employee Checkin,Log Type,Log Type DocType: Stock Settings,Allow Negative Stock,Negatieve voorraad toestaan apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Geen van de items heeft een verandering in hoeveelheid of waarde. DocType: Asset,Purchase Date,aankoopdatum @@ -6714,6 +6785,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Zeer hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Selecteer de aard van uw bedrijf. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Selecteer maand en jaar +DocType: Service Level,Default Priority,Standaard prioriteit DocType: Student Log,Student Log,Studentenlogboek DocType: Shopping Cart Settings,Enable Checkout,Schakel Checkout in apps/erpnext/erpnext/config/settings.py,Human Resources,Personeelszaken @@ -6742,7 +6814,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Verbind Shopify met ERPNext DocType: Homepage Section Card,Subtitle,subtitel DocType: Soil Texture,Loam,Leem -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverancier> leverancier type DocType: BOM,Scrap Material Cost(Company Currency),Schrootmateriaalkosten (bedrijfsvaluta) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Afleveringsbewijs {0} mag niet worden ingediend DocType: Task,Actual Start Date (via Time Sheet),Werkelijke begindatum (via urenregistratie) @@ -6798,6 +6869,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosering DocType: Cheque Print Template,Starting position from top edge,Uitgangspositie vanaf bovenkant apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Afspraakduur (minuten) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Deze medewerker heeft al een log met dezelfde tijdstempel. {0} DocType: Accounting Dimension,Disable,onbruikbaar maken DocType: Email Digest,Purchase Orders to Receive,Inkooporders om te ontvangen apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Producties Bestellingen kunnen niet worden geplaatst voor: @@ -6813,7 +6885,6 @@ DocType: Production Plan,Material Requests,Materiaalverzoeken DocType: Buying Settings,Material Transferred for Subcontract,Materiaal overgedragen voor onderaanneming DocType: Job Card,Timing Detail,Timing Detail apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Vereist Aan -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{0} van {1} importeren DocType: Job Offer Term,Job Offer Term,Biedingsperiode DocType: SMS Center,All Contact,Alle contact DocType: Project Task,Project Task,Projecttaak @@ -6864,7 +6935,6 @@ DocType: Student Log,Academic,Academic apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Item {0} is niet ingesteld voor serienummers. Item controleren apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Van staat DocType: Leave Type,Maximum Continuous Days Applicable,Maximale continue dagen toepasbaar -apps/erpnext/erpnext/config/support.py,Support Team.,Ondersteuningsteam. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Voer eerst de bedrijfsnaam in apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Importeer succesvol DocType: Guardian,Alternate Number,alternatief nummer @@ -6956,6 +7026,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Rij # {0}: item toegevoegd DocType: Student Admission,Eligibility and Details,Geschiktheid en details DocType: Staffing Plan,Staffing Plan Detail,Personeelsplan Detail +DocType: Shift Type,Late Entry Grace Period,Late Entry Grace Periode DocType: Email Digest,Annual Income,Jaarlijks inkomen DocType: Journal Entry,Subscription Section,Abonnementssectie DocType: Salary Slip,Payment Days,Betaling dagen @@ -7006,6 +7077,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Accountsaldo DocType: Asset Maintenance Log,Periodicity,periodiciteit apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Medisch dossier +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Log Type is vereist voor check-ins die in de shift vallen: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Uitvoering DocType: Item,Valuation Method,Waarderingsmethode apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} tegen verkoopfactuur {1} @@ -7090,6 +7162,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Geschatte kosten per p DocType: Loan Type,Loan Name,Lening Naam apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Stel de standaardbetaalmodus in DocType: Quality Goal,Revision,Herziening +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,De tijd vóór de vertrektijd van de shift bij het uitchecken wordt als vroeg beschouwd (in minuten). DocType: Healthcare Service Unit,Service Unit Type,Type onderhoudseenheid DocType: Purchase Invoice,Return Against Purchase Invoice,Rendement tegen inkoopfactuur apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Genereer geheim @@ -7245,12 +7318,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,schoonheidsmiddelen DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Selecteer dit als u de gebruiker wilt dwingen een reeks te selecteren voordat deze wordt opgeslagen. Er zal geen standaard zijn als u dit aanvinkt. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Gebruikers met deze rol mogen geblokkeerde accounts instellen en boekhoudingen aanmaken / wijzigen tegen geblokkeerde accounts +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgroep> Merk DocType: Expense Claim,Total Claimed Amount,Totaal aangevraagd bedrag apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Kon de tijdsleuf niet vinden in de volgende {0} dagen voor bewerking {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Afsluiten apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,U kunt alleen verlengen als uw lidmaatschap binnen 30 dagen verloopt apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},De waarde moet tussen {0} en {1} liggen DocType: Quality Feedback,Parameters,parameters +DocType: Shift Type,Auto Attendance Settings,Auto Aanwezigheid Instellingen ,Sales Partner Transaction Summary,Verkooppartner Transactieoverzicht DocType: Asset Maintenance,Maintenance Manager Name,Naam onderhoudsmanager apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Het is nodig om itemdetails te halen. @@ -7342,10 +7417,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Toegestane regel valideren DocType: Job Card Item,Job Card Item,Opdrachtkaartitem DocType: Homepage,Company Tagline for website homepage,Bedrijfstagkaart voor startpagina van de website +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Stel responstijd en resolutie in voor prioriteit {0} op index {1}. DocType: Company,Round Off Cost Center,Round Off Cost Center DocType: Supplier Scorecard Criteria,Criteria Weight,Criteriumgewicht DocType: Asset,Depreciation Schedules,Afschrijvingsschema's -DocType: Expense Claim Detail,Claim Amount,Bedrag opeisen DocType: Subscription,Discounts,Kortingen DocType: Shipping Rule,Shipping Rule Conditions,Verzendregel voorwaarden DocType: Subscription,Cancelation Date,Annuleringsdatum @@ -7373,7 +7448,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Leads maken apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Toon nulwaarden DocType: Employee Onboarding,Employee Onboarding,Medewerker aan boord DocType: POS Closing Voucher,Period End Date,Periode Einddatum -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Verkoopmogelijkheden per bron DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,De eerste verlof-goedkeurder in de lijst wordt ingesteld als de standaard verlof-goedkeurder. DocType: POS Settings,POS Settings,POS-instellingen apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Alle accounts @@ -7394,7 +7468,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Rij # {0}: Tarief moet hetzelfde zijn als {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Items in de gezondheidszorg -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Geen verslagen gevonden apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Verouderingsbereik 3 DocType: Vital Signs,Blood Pressure,Bloeddruk 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 op @@ -7441,6 +7514,7 @@ DocType: Company,Existing Company,Bestaand bedrijf apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,batches apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Verdediging DocType: Item,Has Batch No,Heeft batchnr +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Vertraagde dagen DocType: Lead,Person Name,Persoon naam DocType: Item Variant,Item Variant,Artikelvariant DocType: Training Event Employee,Invited,Uitgenodigd @@ -7462,7 +7536,7 @@ DocType: Purchase Order,To Receive and Bill,Te ontvangen en te factureren apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start- en einddatums niet in een geldige Payroll-periode, kunnen {0} niet berekenen." DocType: POS Profile,Only show Customer of these Customer Groups,Toon alleen de klant van deze klantengroepen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Selecteer items om de factuur op te slaan -DocType: Service Level,Resolution Time,Oplossingstijd +DocType: Service Level Priority,Resolution Time,Oplossingstijd DocType: Grading Scale Interval,Grade Description,Cijferbeschrijving DocType: Homepage Section,Cards,Kaarten DocType: Quality Meeting Minutes,Quality Meeting Minutes,Quality Meeting Minutes @@ -7489,6 +7563,7 @@ DocType: Project,Gross Margin %,Bruto winstmarge % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Banktegoedsaldo volgens grootboek apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Gezondheidszorg (bèta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Standaard magazijn naar om klantorder en leveringsnota te maken +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,De reactietijd voor {0} op index {1} kan niet groter zijn dan de resolutietijd. DocType: Opportunity,Customer / Lead Name,Klant / lead naam DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Niet-opgeëist bedrag @@ -7535,7 +7610,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importerende partijen en adressen DocType: Item,List this Item in multiple groups on the website.,Vermeld dit item in meerdere groepen op de website. DocType: Request for Quotation,Message for Supplier,Bericht voor leverancier -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Kan {0} niet wijzigen als Voorraadtransactie voor artikel {1} bestaat. DocType: Healthcare Practitioner,Phone (R),Telefoon (R) DocType: Maintenance Team Member,Team Member,Teamlid DocType: Asset Category Account,Asset Category Account,Asset Category Account diff --git a/erpnext/translations/no.csv b/erpnext/translations/no.csv index 50fee2e896..029c254930 100644 --- a/erpnext/translations/no.csv +++ b/erpnext/translations/no.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Termins startdato apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Avtale {0} og salgsfaktura {1} kansellert DocType: Purchase Receipt,Vehicle Number,Kjøretøynummer apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Din epostadresse... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Inkluder standard bokoppføringer +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Inkluder standard bokoppføringer DocType: Activity Cost,Activity Type,Aktivitetstype DocType: Purchase Invoice,Get Advances Paid,Få forskuddsbetalt DocType: Company,Gain/Loss Account on Asset Disposal,Gain / Loss-konto på bortskaffelse av eiendeler @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Hva gjør den? DocType: Bank Reconciliation,Payment Entries,Betalingsoppføringer DocType: Employee Education,Class / Percentage,Klasse / Prosentandel ,Electronic Invoice Register,Elektronisk fakturaregister +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Antall forekomster hvoretter konsekvensen utføres. DocType: Sales Invoice,Is Return (Credit Note),Er retur (kredittnota) +DocType: Price List,Price Not UOM Dependent,Pris Ikke UOM Avhengig DocType: Lab Test Sample,Lab Test Sample,Lab Test prøve DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","For eksempel 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Produktsøk DocType: Salary Slip,Net Pay,Netto lønn apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Totalt Fakturert Amt DocType: Clinical Procedure,Consumables Invoice Separately,Forbruksvarer Faktura Separat +DocType: Shift Type,Working Hours Threshold for Absent,Arbeidstidsgrense for fraværende DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Budsjettet kan ikke tilordnes mot gruppekonto {0} DocType: Purchase Receipt Item,Rate and Amount,Pris og beløp @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Sett Source Warehouse DocType: Healthcare Settings,Out Patient Settings,Ut pasientinnstillinger DocType: Asset,Insurance End Date,Forsikrings sluttdato DocType: Bank Account,Branch Code,Bransjekode -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Tid til å svare apps/erpnext/erpnext/public/js/conf.js,User Forum,Brukerforum DocType: Landed Cost Item,Landed Cost Item,Landed Cost Item 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 @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Leder Eier DocType: Share Transfer,Transfer,Overføre apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Søkeelement (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Resultat sendt +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Fra dato kan ikke være større enn enn til dags dato DocType: Supplier,Supplier of Goods or Services.,Leverandør av varer eller tjenester. 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 opprett kontoer for kunder og leverandører apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentgruppe eller kursplan er obligatorisk @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database ove DocType: Skill,Skill Name,Ferdighetsnavn apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Skriv ut rapportkort DocType: Soil Texture,Ternary Plot,Ternary Plot -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vennligst still inn navngivningsserien for {0} via Setup> Settings> Naming Series apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Støtte Billetter DocType: Asset Category Account,Fixed Asset Account,Faste aktivskonto apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Siste @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Avstand UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligatorisk for balanse DocType: Payment Entry,Total Allocated Amount,Totalt tildelt beløp DocType: Sales Invoice,Get Advances Received,Få fremskritt mottatt +DocType: Shift Type,Last Sync of Checkin,Siste synkronisering av Checkin DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Vare Skatt Beløp Inkludert i verdi apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Abonnementsplan DocType: Student,Blood Group,Blod gruppe apps/erpnext/erpnext/config/healthcare.py,Masters,mestere DocType: Crop,Crop Spacing UOM,Beskjære mellomrom UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Tiden etter skiftetidspunktet når innsjekking regnes som sent (i minutter). apps/erpnext/erpnext/templates/pages/home.html,Explore,Utforske +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Ingen utestående fakturaer funnet apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} ledige stillinger og {1} budsjett for {2} som allerede er planlagt for datterselskaper av {3}. \ Du kan bare planlegge for opptil {4} ledige stillinger og budsjett {5} i henhold til personaleplan {6} for morselskapet {3}. DocType: Promotional Scheme,Product Discount Slabs,Produktrabattplater @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Deltakelsesforespørsel DocType: Item,Moving Average,Glidende gjennomsnitt DocType: Employee Attendance Tool,Unmarked Attendance,Unmarked Attendance DocType: Homepage Section,Number of Columns,Antall kolonner +DocType: Issue Priority,Issue Priority,Utgave prioritet DocType: Holiday List,Add Weekly Holidays,Legg til ukesferier DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Opprett lønnsslipp @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Verdi / Beskrivelse DocType: Warranty Claim,Issue Date,Utgivelsesdato 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}. Kan ikke finne en enkelt batch som oppfyller dette kravet apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Kan ikke opprette oppbevaringsbonus for venstre ansatte +DocType: Employee Checkin,Location / Device ID,Plassering / Enhets-ID DocType: Purchase Order,To Receive,Å motta apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Du er i frakoblet modus. Du vil ikke kunne laste på nytt før du har nettverk. DocType: Course Activity,Enrollment,Registrering @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-fakturainformasjon mangler apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Ingen materiell forespørsel opprettet -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varenummer> Varegruppe> Varemerke DocType: Loan,Total Amount Paid,Totalt beløp betalt apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Alle disse elementene er allerede fakturert DocType: Training Event,Trainer Name,Trenernavn @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Vennligst nevne Lead Name in Lead {0} DocType: Employee,You can enter any date manually,Du kan legge inn en hvilken som helst dato manuelt DocType: Stock Reconciliation Item,Stock Reconciliation Item,Lageravstemmingspost +DocType: Shift Type,Early Exit Consequence,Tidlig utgangseffekt DocType: Item Group,General Settings,Generelle innstillinger apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Forfallsdato kan ikke være før Posting / Leverandør faktura dato apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Skriv inn mottakerens navn før du sender inn. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,revisor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Betalingsbekreftelse ,Available Stock for Packing Items,Tilgjengelig lager for pakking varer apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Fjern denne fakturaen {0} fra C-form {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Hver gyldig innsjekking og utsjekking DocType: Support Search Source,Query Route String,Forespørsel Rute String DocType: Customer Feedback Template,Customer Feedback Template,Kundefeedback apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Sitater til ledere eller kunder. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Autorisasjonskontroll ,Daily Work Summary Replies,Daglig arbeidssammendrag Svar apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Du har blitt invitert til å samarbeide på prosjektet: {0} +DocType: Issue,Response By Variance,Response By Variance DocType: Item,Sales Details,Salgsdetaljer apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Brevhoder for utskriftsmaler. DocType: Salary Detail,Tax on additional salary,Skatt på ekstra lønn @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Kundeadre DocType: Project,Task Progress,Oppgavefremgang DocType: Journal Entry,Opening Entry,Åpningsinngang DocType: Bank Guarantee,Charges Incurred,Avgifter opphørt +DocType: Shift Type,Working Hours Calculation Based On,Arbeidstimer Beregning Basert På DocType: Work Order,Material Transferred for Manufacturing,Material overført for produksjon DocType: Products Settings,Hide Variants,Skjul variantene DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Deaktiver kapasitetsplanlegging og tidssporing @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,avskrivninger DocType: Guardian,Interests,Interesser DocType: Purchase Receipt Item Supplied,Consumed Qty,Forbruket Antall DocType: Education Settings,Education Manager,Utdannelsesleder +DocType: Employee Checkin,Shift Actual Start,Skift Faktisk Start DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planlegg tidslogger utenfor arbeidsstasjonens arbeidstid. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Lojalitetspoeng: {0} DocType: Healthcare Settings,Registration Message,Registreringsmelding @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktura er allerede opprettet for alle faktureringstimer DocType: Sales Partner,Contact Desc,Kontakt Desc DocType: Purchase Invoice,Pricing Rules,Prisregler +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Da det finnes eksisterende transaksjoner mot element {0}, kan du ikke endre verdien av {1}" DocType: Hub Tracked Item,Image List,Bildeliste DocType: Item Variant Settings,Allow Rename Attribute Value,Tillat Endre navn på Attribute Value -DocType: Price List,Price Not UOM Dependant,Pris Ikke UOM Avhengig apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Tid (i minutter) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,grunn~~POS=TRUNC DocType: Loan,Interest Income Account,Renteinntektskonto @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,Sysselsettingstype apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Velg POS-profil DocType: Support Settings,Get Latest Query,Få siste søk DocType: Employee Incentive,Employee Incentive,Ansattes incitament +DocType: Service Level,Priorities,prioriteringer apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Legg til kort eller egendefinerte seksjoner på hjemmesiden DocType: Homepage,Hero Section Based On,Helteseksjon basert på DocType: Project,Total Purchase Cost (via Purchase Invoice),Total innkjøpskostnad (via innkjøpsfaktura) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,Fremstilling mot materi DocType: Blanket Order Item,Ordered Quantity,Bestilt antall apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rad # {0}: avvist lager er obligatorisk mot avvist post {1} ,Received Items To Be Billed,Mottatte elementer som skal faktureres -DocType: Salary Slip Timesheet,Working Hours,Arbeidstid +DocType: Attendance,Working Hours,Arbeidstid apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Betalingsmetode apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Innkjøpsordre Varer ikke mottatt i tide apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Varighet i dager @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Lovbestemt informasjon og annen generell informasjon om leverandøren din DocType: Item Default,Default Selling Cost Center,Standard Selling Cost Center DocType: Sales Partner,Address & Contacts,Adresse og kontakter -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vennligst oppsett nummereringsserie for Deltakelse via Oppsett> Nummereringsserie DocType: Subscriber,Subscriber,abonnent apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) er tomt på lager apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Vennligst velg Opprettingsdato først @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,% Fullstendig metode DocType: Detected Disease,Tasks Created,Oppgaver opprettet apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) må være aktiv for dette elementet eller malen apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Kommisjon Rate% -DocType: Service Level,Response Time,Responstid +DocType: Service Level Priority,Response Time,Responstid DocType: Woocommerce Settings,Woocommerce Settings,Innstillinger for WoCommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Mengden må være positiv DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Inpatient besøksavgift DocType: Bank Statement Settings,Transaction Data Mapping,Transaksjonsdata kartlegging apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,En Lead krever enten en persons navn eller en organisasjons navn DocType: Student,Guardians,Voktere -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vennligst oppsett Instruktør Navngivningssystem i utdanning> Utdanningsinnstillinger apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Velg merkevare ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Middelinntekt DocType: Shipping Rule,Calculate Based On,Beregn basert på @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Angi et mål apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Deltakelsesopptegnelse {0} eksisterer mot Student {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Dato for transaksjon apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Avbestille abonnementet +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Kunne ikke angi Service Level Agreement {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Netto lønnsmengde DocType: Account,Liability,Ansvar DocType: Employee,Bank A/C No.,Bank A / C nr. @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Råvare Artikkelkode apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Kjøpsfaktura {0} er allerede sendt inn DocType: Fees,Student Email,Student e-post -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM-rekursjon: {0} kan ikke være foreldre eller barn på {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Få elementer fra helsetjenester apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Lagerinngang {0} er ikke sendt inn DocType: Item Attribute Value,Item Attribute Value,Element Egenskap Verdi @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,Tillat utskrift før betaling DocType: Production Plan,Select Items to Manufacture,Velg produkter til produksjon DocType: Leave Application,Leave Approver Name,Forlate godkjenningsnavn DocType: Shareholder,Shareholder,Aksjonær -DocType: Issue,Agreement Status,Avtale Status apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Standardinnstillinger for salgstransaksjoner. 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" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Velg BOM @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Inntektskonto apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Alle varehus DocType: Contract,Signee Details,Signee Detaljer +DocType: Shift Type,Allow check-out after shift end time (in minutes),Tillat utsjekking etter endt sluttid (i minutter) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,innkjøp DocType: Item Group,Check this if you want to show in website,Sjekk dette hvis du vil vise på nettstedet apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiscal Year {0} ikke funnet @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Avskrivning Startdato DocType: Activity Cost,Billing Rate,Faktureringsfrekvens apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Advarsel: En annen {0} # {1} eksisterer mot aksjeinngang {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Aktiver Google Maps Innstillinger for å estimere og optimalisere ruter +DocType: Purchase Invoice Item,Page Break,Sidebrudd DocType: Supplier Scorecard Criteria,Max Score,Max score apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Tilbakebetaling Startdato kan ikke være før Utbetalingsdato. DocType: Support Search Source,Support Search Source,Støtte søkekilde @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Kvalitetsmål DocType: Employee Transfer,Employee Transfer,Ansatteoverføring ,Sales Funnel,Salgstratt DocType: Agriculture Analysis Criteria,Water Analysis,Vannanalyse +DocType: Shift Type,Begin check-in before shift start time (in minutes),Begynn innsjekking før starttid for skift (i minutter) DocType: Accounts Settings,Accounts Frozen Upto,Kontoer Frosset Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Det er ikke noe å redigere. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Drift {0} lenger enn noen ledig arbeidstid på arbeidsstasjonen {1}, bryter operasjonen i flere operasjoner" @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Kont apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Salgsordre {0} er {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Forsinkelse i betaling (Dager) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Skriv inn avskrivningsdetaljer +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Kundepost apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Forventet leveringsdato bør være etter salgsordre dato +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Varemengde kan ikke være null apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Ugyldig Egenskap apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Vennligst velg BOM mot element {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Faktura Type @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,Vedlikeholdsdato DocType: Volunteer,Afternoon,Ettermiddag DocType: Vital Signs,Nutrition Values,Ernæringsverdier DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Tilstedeværelse av feber (temp> 38,5 ° C eller vedvarende temp> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vennligst oppsett Medarbeiders navngivningssystem i menneskelig ressurs> HR-innstillinger apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC reversert DocType: Project,Collect Progress,Samle fremgang apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energi @@ -2197,6 +2212,7 @@ DocType: Setup Progress,Setup Progress,Oppsett Progress ,Ordered Items To Be Billed,Bestilte elementer som skal faktureres DocType: Taxable Salary Slab,To Amount,Til beløp DocType: Purchase Invoice,Is Return (Debit Note),Er retur (Debit Note) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium apps/erpnext/erpnext/config/desktop.py,Getting Started,Starter apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Slå sammen apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Kan ikke endre regnskapsårets startdato og regnskapsårets sluttdato når regnskapsåret er lagret. @@ -2215,8 +2231,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Aktuell dato apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Vedlikeholds startdato kan ikke være før leveringsdato for serienummer {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Row {0}: Valutakurs er obligatorisk DocType: Purchase Invoice,Select Supplier Address,Velg Leverandøradresse +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Tilgjengelig mengde er {0}, du trenger {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Vennligst skriv inn API Consumer Secret DocType: Program Enrollment Fee,Program Enrollment Fee,Programopptaksavgift +DocType: Employee Checkin,Shift Actual End,Shift Faktisk slutt DocType: Serial No,Warranty Expiry Date,Utløpsdato for garantien DocType: Hotel Room Pricing,Hotel Room Pricing,Hotellrompriser apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Utenlandsk skattepliktige forsyninger (annet enn null vurdert, ikke vurdert og fritatt" @@ -2276,6 +2294,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Lesing 5 DocType: Shopping Cart Settings,Display Settings,Skjerminnstillinger apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Vennligst velg antall avskrivninger som er bestilt +DocType: Shift Type,Consequence after,Konsekvens etter apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Hva trenger du hjelp med? DocType: Journal Entry,Printing Settings,Utskriftsinnstillinger apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banking @@ -2285,6 +2304,7 @@ DocType: Purchase Invoice Item,PR Detail,PR detalj apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Faktureringsadresse er samme som fraktadresse DocType: Account,Cash,Penger DocType: Employee,Leave Policy,Permisjon +DocType: Shift Type,Consequence,Konsekvens apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Studentadresse DocType: GST Account,CESS Account,CESS-konto apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kostnadssenter er påkrevd for 'Profit and Loss'-konto {2}. Vennligst sett opp et standardkostnadssenter for selskapet. @@ -2349,6 +2369,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN-kode DocType: Period Closing Voucher,Period Closing Voucher,Periodeavregningsbonus apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Navn apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Vennligst skriv inn Kostnadskonto +DocType: Issue,Resolution By Variance,Oppløsning etter variasjon DocType: Employee,Resignation Letter Date,Oppsigelsesbrev Dato DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Tilstedeværelse til dato @@ -2361,6 +2382,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Se nå DocType: Item Price,Valid Upto,Gyldig Upto 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} +DocType: Employee Checkin,Skip Auto Attendance,Hopp over automatisk tilstedeværelse DocType: Payment Request,Transaction Currency,Transaksjonsvaluta DocType: Loan,Repayment Schedule,Tilbakebetaling Plan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Lag oppretting av lagerbeholdningsprøve @@ -2432,6 +2454,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Lønnsstrukturo DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Skatt apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Handling initiert DocType: POS Profile,Applicable for Users,Gjelder for brukere +,Delayed Order Report,Forsinket bestillingsrapport DocType: Training Event,Exam,Eksamen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Feil antall General Ledger Entries funnet. Du har kanskje valgt en feil konto i transaksjonen. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Salgspipeline @@ -2446,10 +2469,11 @@ DocType: Account,Round Off,Avrunde DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Betingelsene vil bli brukt på alle de valgte elementene kombinert. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Konfigurer DocType: Hotel Room,Capacity,Kapasitet +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Installert antall apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} i vare {1} er deaktivert. DocType: Hotel Room Reservation,Hotel Reservation User,Hotel Reservation Bruker -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Arbeidsdagen har blitt gjentatt to ganger +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Service Level Agreement med Entity Type {0} og Entity {1} eksisterer allerede. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Element Gruppe ikke nevnt i elementet mester for elementet {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Navn feil: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Område er påkrevd i POS-profil @@ -2497,6 +2521,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Planleggingsdato DocType: Packing Slip,Package Weight Details,Pakkevektdetaljer DocType: Job Applicant,Job Opening,Stilling ledig +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Siste kjent vellykket synkronisering av medarbeiderinnsjekking. Tilbakestill dette bare hvis du er sikker på at alle loggene synkroniseres fra alle stedene. Vennligst ikke endre dette hvis du er usikker. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Faktisk kostnad apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Samlet forutsetning ({0}) mot ordre {1} kan ikke være større enn Grand Total ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Varevarianter oppdatert @@ -2541,6 +2566,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Referanse kjøp kvitterin apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Få invokasjoner DocType: Tally Migration,Is Day Book Data Imported,Er data fra dagbok importert ,Sales Partners Commission,Salgspartner-kommisjonen +DocType: Shift Type,Enable Different Consequence for Early Exit,Aktiver forskjellig konsekvens for tidlig utgang apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Lovlig DocType: Loan Application,Required by Date,Kreves etter dato DocType: Quiz Result,Quiz Result,Quiz Resultat @@ -2600,7 +2626,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finans / DocType: Pricing Rule,Pricing Rule,Prisregel apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Valgfri ferieleilighet ikke angitt for permisjon {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Vennligst angi bruker-ID-feltet i en medarbeideroppføring for å angi ansattes rolle -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Tid for å løse DocType: Training Event,Training Event,Treningsarrangement DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normal hvilende blodtrykk hos en voksen er ca. 120 mmHg systolisk og 80 mmHg diastolisk, forkortet "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Systemet henter alle oppføringene hvis grenseverdien er null. @@ -2644,6 +2669,7 @@ DocType: Woocommerce Settings,Enable Sync,Aktiver synkronisering DocType: Student Applicant,Approved,godkjent apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Fra dato bør være innenfor regnskapsåret. Forutsatt fra dato = {0} 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. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} er en ugyldig tilstedestatus. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Midlertidig åpningskonto DocType: Purchase Invoice,Cash/Bank Account,Kontant / bankkonto DocType: Quality Meeting Table,Quality Meeting Table,Quality Meeting Table @@ -2679,6 +2705,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Mat, drikke og tobakk" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kursplan DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Varebeskrivelse +DocType: Shift Type,Attendance will be marked automatically only after this date.,Tilstedeværelse vil bli merket automatisk bare etter denne datoen. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Forsyninger laget til UIN-holdere apps/erpnext/erpnext/hooks.py,Request for Quotations,Forespørsel om tilbud 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 du har gjort oppføringer med en annen valuta @@ -2727,7 +2754,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Er element fra nav apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kvalitetsprosedyre. DocType: Share Balance,No of Shares,Antall aksjer -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Antall ikke tilgjengelig for {4} i lager {1} ved posteringstidspunktet for oppføringen ({2} {3}) DocType: Quality Action,Preventive,Forebyggende DocType: Support Settings,Forum URL,Forum-URL apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Ansatt og tilstedeværelse @@ -2949,7 +2975,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Rabattype DocType: Hotel Settings,Default Taxes and Charges,Standardskatter og avgifter apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Dette er basert på transaksjoner mot denne Leverandøren. Se tidslinjen nedenfor for detaljer apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Maksimal ytelsesbeløp av ansatt {0} overstiger {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Skriv inn start- og sluttdato for avtalen. DocType: Delivery Note Item,Against Sales Invoice,Mot salgsfaktura DocType: Loyalty Point Entry,Purchase Amount,Kjøpesum apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Kan ikke angi som Lost som salgsordre er laget. @@ -2973,7 +2998,7 @@ DocType: Homepage,"URL for ""All Products""",URL for "Alle produkter" DocType: Lead,Organization Name,Organisasjonsnavn apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Gyldig fra og gyldig opptil felt er obligatorisk for kumulativ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Batch nr må være det samme som {1} {2} -DocType: Employee,Leave Details,Legg igjen detaljer +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Børstransaksjoner før {0} er frosset DocType: Driver,Issuing Date,Utstedelsesdato apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,forespørselen @@ -3018,9 +3043,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Kontantstrøm kartlegging detaljer apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Rekruttering og opplæring DocType: Drug Prescription,Interval UOM,Intervall UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Grace Period Innstillinger For Auto Attendance apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Fra valuta og til valuta kan ikke være det samme apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmasi DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Støtte timer apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} er kansellert eller lukket apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Row {0}: Advance mot kunden må være kreditt apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Gruppesertifikat (konsolidert) @@ -3130,6 +3157,7 @@ DocType: Asset Repair,Repair Status,Reparasjonsstatus DocType: Territory,Territory Manager,Territory Manager DocType: Lab Test,Sample ID,Eksempel ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Handlevognen er tom +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Deltakelse er merket som per innsjekking av ansatte apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Asset {0} må sendes ,Absent Student Report,Fraværende Studentrapport apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Inkludert i brutto fortjeneste @@ -3137,7 +3165,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,P DocType: Travel Request Costing,Funded Amount,Finansiert beløp apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} er ikke sendt, så handlingen kan ikke fullføres" DocType: Subscription,Trial Period End Date,Prøveperiode Sluttdato +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Alternerende oppføringer som IN og OUT under samme skift DocType: BOM Update Tool,The new BOM after replacement,Den nye BOM etter utskifting +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandør Type apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Punkt 5 DocType: Employee,Passport Number,Passnummer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Midlertidig åpning @@ -3253,6 +3283,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Nøkkelrapporter apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Mulig leverandør ,Issued Items Against Work Order,Utstedte varer mot arbeidsordre apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Opprette {0} faktura +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vennligst oppsett Instruktør Navngivningssystem i utdanning> Utdanningsinnstillinger DocType: Student,Joining Date,Tilmeldingsdato apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Be om nettsted DocType: Purchase Invoice,Against Expense Account,Mot bekostning konto @@ -3292,6 +3323,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Gjeldende avgifter ,Point of Sale,Utsalgssted DocType: Authorization Rule,Approving User (above authorized value),Godkjenner bruker (over autorisert verdi) +DocType: Service Level Agreement,Entity,Entity apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Beløp {0} {1} overført fra {2} til {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Kunden {0} tilhører ikke prosjektet {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Fra Festnavn @@ -3338,6 +3370,7 @@ DocType: Asset,Opening Accumulated Depreciation,Åpen akkumulert avskrivning DocType: Soil Texture,Sand Composition (%),Sandkomposisjon (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importer dagbokdata +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vennligst still inn navngivningsserien for {0} via Setup> Settings> Naming Series DocType: Asset,Asset Owner Company,Asset Owner Company apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Kostnadsstedet kreves for å bestille en utgiftskrav apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} gyldige serienummer for element {1} @@ -3398,7 +3431,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Asset Eier apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Lager er obligatorisk for lager Artikkel {0} i rad {1} DocType: Stock Entry,Total Additional Costs,Totale tilleggskostnader -DocType: Marketplace Settings,Last Sync On,Siste synkronisering på apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Vennligst sett minst én rad i skatter og avgifter DocType: Asset Maintenance Team,Maintenance Team Name,Vedlikehold Lagnavn apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Diagram over kostnadssentre @@ -3414,12 +3446,12 @@ DocType: Sales Order Item,Work Order Qty,Arbeidsordre Antall DocType: Job Card,WIP Warehouse,WIP Warehouse DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Bruker-ID er ikke angitt for Medarbeider {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Tilgjengelig antall er {0}, du trenger {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Bruker {0} opprettet DocType: Stock Settings,Item Naming By,Varenavn Etter apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,bestilt apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Dette er en rotkundegruppe og kan ikke redigeres. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materialforespørsel {0} er kansellert eller stoppet +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strengt basert på Log Type i Medarbeider Checkin DocType: Purchase Order Item Supplied,Supplied Qty,Leveres Antall DocType: Cash Flow Mapper,Cash Flow Mapper,Cash Flow Mapper DocType: Soil Texture,Sand,Sand @@ -3478,6 +3510,7 @@ DocType: Lab Test Groups,Add new line,Legg til ny linje apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Dupliseringsobjektgruppe funnet i elementgruppen tabellen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Årslønn DocType: Supplier Scorecard,Weighting Function,Vekting Funksjon +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 elementet: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Feil ved vurdering av kriterieformelen ,Lab Test Report,Lab Test Report DocType: BOM,With Operations,Med operasjoner @@ -3491,6 +3524,7 @@ DocType: Expense Claim Account,Expense Claim Account,Kostnadskravskonto apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Ingen tilbakebetalinger tilgjengelig for Journal Entry apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} er inaktiv student apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Lag lagerinngang +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM-rekursjon: {0} kan ikke være foreldre eller barn på {1} DocType: Employee Onboarding,Activities,aktiviteter apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast ett lager er obligatorisk ,Customer Credit Balance,Kredittkortsaldo @@ -3503,9 +3537,11 @@ DocType: Supplier Scorecard Period,Variables,variabler 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: Patient,Medication,medisinering apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Velg Lojalitetsprogram +DocType: Employee Checkin,Attendance Marked,Tilstedeværelse merket apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Råstoffer DocType: Sales Order,Fully Billed,Fullt fakturert 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/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Velg bare en prioritet som standard. 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 type - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Total kreditt / debetbeløp skal være det samme som koblet journalinngang DocType: Purchase Invoice Item,Is Fixed Asset,Er fast eiendel @@ -3526,6 +3562,7 @@ DocType: Purpose of Travel,Purpose of Travel,Hensikt med reisen DocType: Healthcare Settings,Appointment Confirmation,Avtale bekreftelse DocType: Shopping Cart Settings,Orders,Bestillinger DocType: HR Settings,Retirement Age,Pensjonsalder +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vennligst oppsett nummereringsserie for Deltakelse via Oppsett> Nummereringsserie apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Projisert antall apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Sletting er ikke tillatt for land {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} er allerede {2} @@ -3609,11 +3646,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Regnskapsfører apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Closing Voucher eksisterer altså for {0} mellom dato {1} og {2} apps/erpnext/erpnext/config/help.py,Navigating,navigere +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Ingen utestående fakturaer krever omregning av valutakurser DocType: Authorization Rule,Customer / Item Name,Navn på kunde / varenummer apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nytt serienummer kan ikke ha varehus. Lageret må settes av lagerinngang eller kjøpskvittering DocType: Issue,Via Customer Portal,Via kundeportalen DocType: Work Order Operation,Planned Start Time,Planlagt starttid apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} er {2} +DocType: Service Level Priority,Service Level Priority,Tjenestegradsprioritet apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,"Antall avskrivninger som er booket, kan ikke være større enn Totalt antall avskrivninger" apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Del Ledger DocType: Journal Entry,Accounts Payable,Kontoer betales @@ -3724,7 +3763,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Levering til DocType: Bank Statement Transaction Settings Item,Bank Data,Bankdata apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planlagt Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Oppretthold faktureringstid og arbeidstid samme på tidsskema apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Sporledninger av blykilde. DocType: Clinical Procedure,Nursing User,Sykepleier Bruker DocType: Support Settings,Response Key List,Response Key List @@ -3892,6 +3930,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Faktisk starttid DocType: Antibiotic,Laboratory User,Laboratoriebruker apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Online auksjoner +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioritet {0} har blitt gjentatt. DocType: Fee Schedule,Fee Creation Status,Fee Creation Status apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,programvare apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Salgsordre til betaling @@ -3958,6 +3997,7 @@ DocType: Patient Encounter,In print,I papirutgave apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Kunne ikke hente informasjon for {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Faktureringsvaluta må være lik enten selskapets valuta- eller partikonto-valuta apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Vennligst skriv inn ansattes ID for denne selgeren +DocType: Shift Type,Early Exit Consequence after,Tidlig utgangseffekt etter apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Opprett åpne salgs- og kjøpsfakturaer DocType: Disease,Treatment Period,Behandlingsperiode apps/erpnext/erpnext/config/settings.py,Setting up Email,Sette opp e-post @@ -3975,7 +4015,6 @@ DocType: Employee Skill Map,Employee Skills,Ansattes ferdigheter apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Student navn: DocType: SMS Log,Sent On,Sendt på DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Salgsfaktura -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Response Time kan ikke være større enn Oppløsningstid DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",For kursbasert studentgruppe blir kurset validert for hver student fra de påmeldte kursene i programopptak. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Intra-statlige forsyninger DocType: Employee,Create User Permission,Opprett brukertillatelse @@ -4014,6 +4053,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standard kontraktsbetingelser for salg eller kjøp. DocType: Sales Invoice,Customer PO Details,Kunde PO Detaljer apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pasient ikke funnet +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Velg en standardprioritet. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Fjern elementet hvis kostnader ikke gjelder for det aktuelle elementet apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"En kundegruppe finnes med samme navn, vennligst endre kundenavnet eller endre navn på kundegruppen" 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. @@ -4053,6 +4093,7 @@ DocType: Quality Goal,Quality Goal,Kvalitetsmål DocType: Support Settings,Support Portal,Support Portal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Sluttdato for oppgave {0} kan ikke være mindre enn {1} forventet startdato {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Ansatt {0} er på permisjon på {1} +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} DocType: Employee,Held On,Holdt på DocType: Healthcare Practitioner,Practitioner Schedules,Utøverplaner DocType: Project Template Task,Begin On (Days),Begynn på (dager) @@ -4060,6 +4101,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Arbeidsordren har vært {0} DocType: Inpatient Record,Admission Schedule Date,Opptak Planleggingsdato apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Asset Value Adjustment +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Merk oppmøte basert på 'Employee Checkin' for ansatte som er tildelt dette skiftet. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Forsyninger til uregistrerte personer apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Alle jobber DocType: Appointment Type,Appointment Type,Avtale Type @@ -4173,7 +4215,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Pakkenes bruttovekt. Vanligvis nettovekt + emballasjemateriale vekt. (for utskrift) DocType: Plant Analysis,Laboratory Testing Datetime,Laboratorietesting Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Varen {0} kan ikke ha Batch -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Salgspipeline etter trinn apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Student Gruppestyrke DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bankregistrering Transaksjonsinngang DocType: Purchase Order,Get Items from Open Material Requests,Få elementer fra åpne materialforespørsler @@ -4255,7 +4296,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Vis Aging Warehouse-wise DocType: Sales Invoice,Write Off Outstanding Amount,Skriv av utestående beløp DocType: Payroll Entry,Employee Details,Ansattes detaljer -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Starttidspunktet kan ikke være større enn sluttid for {0}. DocType: Pricing Rule,Discount Amount,Rabattbeløp DocType: Healthcare Service Unit Type,Item Details,Elementdetaljer apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Duplikat Skattedeklarasjon av {0} for perioden {1} @@ -4308,7 +4348,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Netto lønn kan ikke være negativ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Ingen interaksjoner 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/hr/doctype/employee/employee_dashboard.py,Shift,Skifte +DocType: Attendance,Shift,Skifte apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Prosessering av regnskapstall og parter DocType: Stock Settings,Convert Item Description to Clean HTML,Konverter elementbeskrivelse for å rydde HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alle leverandørgrupper @@ -4379,6 +4419,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Ansatte ombor DocType: Healthcare Service Unit,Parent Service Unit,Foreldre Service Unit DocType: Sales Invoice,Include Payment (POS),Inkluder betaling (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Private Equity +DocType: Shift Type,First Check-in and Last Check-out,Første innsjekking og siste utsjekking DocType: Landed Cost Item,Receipt Document,Kvitteringsdokument DocType: Supplier Scorecard Period,Supplier Scorecard Period,Leverandør Scorecard Periode DocType: Employee Grade,Default Salary Structure,Standard Lønnsstruktur @@ -4461,6 +4502,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Opprett innkjøpsordre apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definer budsjett for et regnskapsår. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Kontotabellen kan ikke være tom. +DocType: Employee Checkin,Entry Grace Period Consequence,Inntreden Grace Period Konsekvens ,Payment Period Based On Invoice Date,Betalingsperiode basert på fakturadato apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Installasjonsdato kan ikke være før leveringsdato for element {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Link til materialforespørsel @@ -4469,6 +4511,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapped Data T apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: En omordningsoppføring eksisterer allerede for dette varehuset {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dok Dato DocType: Monthly Distribution,Distribution Name,Distribusjonsnavn +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Arbeidsdag {0} har blitt gjentatt. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Gruppe til ikke-gruppe apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Oppdatering pågår. Det kan ta en stund. DocType: Item,"Example: ABCD.##### @@ -4481,6 +4524,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Drivstoff Antall apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobilnr DocType: Invoice Discounting,Disbursed,utbetalt +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Tid etter slutten av skiftet i løpet av hvilket utsjekking er vurdert for deltagelse. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Netto endring i kontoer betales apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Ikke tilgjengelig apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Deltid @@ -4494,7 +4538,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potensie apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Vis PDC i Print apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Leverandør DocType: POS Profile User,POS Profile User,POS Profil Bruker -DocType: Student,Middle Name,Mellomnavn DocType: Sales Person,Sales Person Name,Salgs personnavn DocType: Packing Slip,Gross Weight,Bruttovekt DocType: Journal Entry,Bill No,Bill nr @@ -4503,7 +4546,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Ny pl DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-vlog-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Service Level Agreement -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Vennligst velg Medarbeider og dato først apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Vareverdieringsraten er omregnet med tanke på landsomkostnadskupongbeløpet DocType: Timesheet,Employee Detail,Ansattdetaljer DocType: Tally Migration,Vouchers,kuponger @@ -4538,7 +4580,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Service Level Ag DocType: Additional Salary,Date on which this component is applied,Dato som denne komponenten er brukt på apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Liste over tilgjengelige Aksjonærer med folio nummer apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Oppsett Gateway-kontoer. -DocType: Service Level,Response Time Period,Response Time Periode +DocType: Service Level Priority,Response Time Period,Response Time Periode DocType: Purchase Invoice,Purchase Taxes and Charges,Kjøpsskatter og avgifter DocType: Course Activity,Activity Date,Aktivitetsdato apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Velg eller legg til ny kunde @@ -4563,6 +4605,7 @@ DocType: Sales Person,Select company name first.,Velg firmaets navn først. apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Regnskapsår DocType: Sales Invoice Item,Deferred Revenue,Utsatt inntekt apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Atleast en av Selger eller Kjøper må velges +DocType: Shift Type,Working Hours Threshold for Half Day,Arbeidstidsterskel for halv dag ,Item-wise Purchase History,Artikkelvis kjøpshistorikk apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Kan ikke endre Service Stop Date for element i rad {0} DocType: Production Plan,Include Subcontracted Items,Inkluder underleverte varer @@ -4595,6 +4638,7 @@ DocType: Journal Entry,Total Amount Currency,Samlet beløp Valuta DocType: BOM,Allow Same Item Multiple Times,Tillat samme gjenstand flere ganger apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Lag BOM DocType: Healthcare Practitioner,Charges,kostnader +DocType: Employee,Attendance and Leave Details,Tilstedeværelse og permisjon DocType: Student,Personal Details,Personlige opplysninger DocType: Sales Order,Billing and Delivery Status,Fakturerings- og leveringsstatus apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Row {0}: For leverandør {0} E-postadresse kreves for å sende e-post @@ -4646,7 +4690,6 @@ DocType: Bank Guarantee,Supplier,Leverandør apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Angi verdi mellom {0} og {1} DocType: Purchase Order,Order Confirmation Date,Ordrebekreftelsesdato DocType: Delivery Trip,Calculate Estimated Arrival Times,Beregn anslåtte ankomsttider -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vennligst oppsett Medarbeiders navngivningssystem i menneskelig ressurs> HR-innstillinger apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Konsum DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Abonnements startdato @@ -4669,7 +4712,7 @@ DocType: Installation Note Item,Installation Note Item,Installasjons notat DocType: Journal Entry Account,Journal Entry Account,Journal entry-konto apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,variant apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Forumaktivitet -DocType: Service Level,Resolution Time Period,Oppløsningstid Periode +DocType: Service Level Priority,Resolution Time Period,Oppløsningstid Periode DocType: Request for Quotation,Supplier Detail,Leverandørdetaljer DocType: Project Task,View Task,Vis oppgave DocType: Serial No,Purchase / Manufacture Details,Kjøp / Produksjonsdetaljer @@ -4736,6 +4779,7 @@ DocType: Sales Invoice,Commission Rate (%),Kommisjonens pris (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Lageret kan kun endres via lagerinngang / leveringsnotat / kjøpskvittering DocType: Support Settings,Close Issue After Days,Lukk utgave etter dager DocType: Payment Schedule,Payment Schedule,Nedbetalingsplan +DocType: Shift Type,Enable Entry Grace Period,Aktiver oppføringstid DocType: Patient Relation,Spouse,Ektefelle DocType: Purchase Invoice,Reason For Putting On Hold,Årsak til å sette på hold DocType: Item Attribute,Increment,økning @@ -4875,6 +4919,7 @@ DocType: Authorization Rule,Customer or Item,Kunden eller varen DocType: Vehicle Log,Invoice Ref,Faktura Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-skjema er ikke aktuelt for faktura: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Faktura er opprettet +DocType: Shift Type,Early Exit Grace Period,Early Exit Grace Period DocType: Patient Encounter,Review Details,Gjennomgå detaljer apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Row {0}: Timerverdien må være større enn null. DocType: Account,Account Number,Kontonummer @@ -4886,7 +4931,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Gjelder hvis selskapet er SpA, SApA eller SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Overlappende forhold funnet mellom: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Betalt og ikke levert -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Varekoden er obligatorisk fordi elementet ikke automatisk nummereres DocType: GST HSN Code,HSN Code,HSN-kode DocType: GSTR 3B Report,September,september apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administrative kostnader @@ -4922,6 +4966,8 @@ DocType: Travel Itinerary,Travel From,Reise fra apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP-konto DocType: SMS Log,Sender Name,Avsenders navn DocType: Pricing Rule,Supplier Group,Leverandørgruppe +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Angi starttid og sluttid for \ Support Day {0} ved indeks {1}. DocType: Employee,Date of Issue,Utstedelsesdato ,Requested Items To Be Transferred,Forespurte elementer som skal overføres DocType: Employee,Contract End Date,Kontraktens sluttdato @@ -4932,6 +4978,7 @@ DocType: Healthcare Service Unit,Vacant,Ledig DocType: Opportunity,Sales Stage,Salgstrinn DocType: Sales Order,In Words will be visible once you save the Sales Order.,I Ord blir det synlig når du lagrer salgsordren. DocType: Item Reorder,Re-order Level,Re-order Level +DocType: Shift Type,Enable Auto Attendance,Aktiver automatisk oppmøte apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Preference ,Department Analytics,Avdeling Analytics DocType: Crop,Scientific Name,Vitenskapelig navn @@ -4944,6 +4991,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} status er {2} DocType: Quiz Activity,Quiz Activity,Quiz Aktivitet apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} er ikke i en gyldig lønnsperiode DocType: Timesheet,Billed,fakturert +apps/erpnext/erpnext/config/support.py,Issue Type.,Utgavetype. DocType: Restaurant Order Entry,Last Sales Invoice,Siste salgsfaktura DocType: Payment Terms Template,Payment Terms,Betalingsbetingelser apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Reservert antall: Antall bestilt for salg, men ikke levert." @@ -5039,6 +5087,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,ressurs apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} har ikke en helsepersonellplan. Legg det i Healthcare Practitioner master DocType: Vehicle,Chassis No,Chassis nr +DocType: Employee,Default Shift,Standard Shift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Selskapets forkortelse apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Tree of Materials DocType: Article,LMS User,LMS Bruker @@ -5087,6 +5136,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Foreldre Salg Person DocType: Student Group Creation Tool,Get Courses,Få kurs apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Antall må være 1, ettersom varen er et fast driftsmiddel. Vennligst bruk separat rad for flere antall." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Arbeidstid under hvilke Fraværende er merket. (Null for å deaktivere) DocType: Customer Group,Only leaf nodes are allowed in transaction,Kun bladnoder er tillatt i transaksjonen DocType: Grant Application,Organization,Organisasjon DocType: Fee Category,Fee Category,Avgiftskategori @@ -5099,6 +5149,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Vennligst oppdatere statusen din for denne treningshendelsen DocType: Volunteer,Morning,Morgen DocType: Quotation Item,Quotation Item,Sitat +apps/erpnext/erpnext/config/support.py,Issue Priority.,Utgave prioritet. DocType: Journal Entry,Credit Card Entry,Kredittkortoppføring apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tidsluke hoppet over, sporet {0} til {1} overlapper utløser spor {2} til {3}" DocType: Journal Entry Account,If Income or Expense,Hvis inntekter eller utgifter @@ -5149,11 +5200,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Dataimport og innstillinger 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: Account,Expense Account,Utgiftskonto +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Tiden før starttidspunktet for skifting av arbeidstakere, der ansettelseskontroll vurderes for deltagelse." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Forholdet med Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Opprett faktura apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Betalingsforespørsel eksisterer allerede {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Ansatte lettet på {0} må settes som "Venstre" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Betal {0} {1} +DocType: Company,Sales Settings,Salgsinnstillinger DocType: Sales Order Item,Produced Quantity,Produsert mengde apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Forespørselsforespørselen kan nås ved å klikke på følgende lenke DocType: Monthly Distribution,Name of the Monthly Distribution,Navn på den månedlige distribusjonen @@ -5232,6 +5285,7 @@ DocType: Company,Default Values,Standardverdier apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standard skattemaler for salg og kjøp opprettes. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Forlatype {0} kan ikke viderekobles apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Debet til konto må være en mottakelig konto +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Vennligst sett inn konto i lager {0} eller standardbeholdningskonto i firma {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Satt som standard DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettovikten til denne pakken. (beregnes automatisk som summen av netto vekt av varer) @@ -5258,8 +5312,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,s apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Utløpte partier DocType: Shipping Rule,Shipping Rule Type,Forsendelsestype DocType: Job Offer,Accepted,Akseptert -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Vennligst slett Medarbeider {0} \ for å avbryte dette dokumentet" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Du har allerede vurdert for vurderingskriteriene {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Velg batchnumre apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Alder (dager) @@ -5286,6 +5338,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Velg domenene dine DocType: Agriculture Task,Task Name,Oppgavenavn 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Vennligst slett Medarbeider {0} \ for å avbryte dette dokumentet" ,Amount to Deliver,Beløp å levere apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Firma {0} eksisterer ikke apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Ingen ventende materialeforespørsler funnet å lenke for de oppgitte elementene. @@ -5335,6 +5389,7 @@ DocType: Program Enrollment,Enrolled courses,Påmeldte kurs DocType: Lab Prescription,Test Code,Testkode DocType: Purchase Taxes and Charges,On Previous Row Total,På forrige rad totalt DocType: Student,Student Email Address,Student e-postadresse +,Delayed Item Report,Forsinket varerapport DocType: Academic Term,Education,utdanning DocType: Supplier Quotation,Supplier Address,Leverandøradresse DocType: Salary Detail,Do not include in total,Ikke inkluder i alt @@ -5342,7 +5397,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} eksisterer ikke DocType: Purchase Receipt Item,Rejected Quantity,Avvist antall DocType: Cashier Closing,To TIme,Til tid -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 elementet: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Daglig arbeidsoppsummeringsgruppe bruker DocType: Fiscal Year Company,Fiscal Year Company,Fiscal Year Company apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternativt element må ikke være det samme som varenummer @@ -5394,6 +5448,7 @@ DocType: Program Fee,Program Fee,Programfee DocType: Delivery Settings,Delay between Delivery Stops,Forsinkelse mellom Leveringsstopp DocType: Stock Settings,Freeze Stocks Older Than [Days],Fryse aksjer eldre enn [dager] DocType: Promotional Scheme,Promotional Scheme Product Discount,Salgsfremmende ordninger +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Utgave prioritet eksisterer allerede DocType: Account,Asset Received But Not Billed,"Asset mottatt, men ikke fakturert" DocType: POS Closing Voucher,Total Collected Amount,Samlet samlet beløp DocType: Course,Default Grading Scale,Standard graderingsskala @@ -5436,6 +5491,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Oppfyllelsesbetingelser apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Ikke-gruppe til gruppe DocType: Student Guardian,Mother,Mor +DocType: Issue,Service Level Agreement Fulfilled,Service Level Agreement oppfylt DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Fradragsskatt for uopptjente ansattes fordeler DocType: Travel Request,Travel Funding,Reisefinansiering DocType: Shipping Rule,Fixed,fast @@ -5465,10 +5521,12 @@ DocType: Item,Warranty Period (in days),Garantiperiode (i dager) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Ingen objekter funnet. DocType: Item Attribute,From Range,Fra rekkevidde DocType: Clinical Procedure,Consumables,forbruks~~POS=TRUNC +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' og 'timestamp' er påkrevd. DocType: Purchase Taxes and Charges,Reference Row #,Referanse Row # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Vennligst sett inn 'Kostnadsavgift for aktivavskrivninger' i Selskapet {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Betalingsdokument er nødvendig for å fullføre trekkingen DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Klikk denne knappen for å trekke dine salgsordre data fra Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Arbeidstid under hvilken halvdag er merket. (Null for å deaktivere) ,Assessment Plan Status,Evalueringsplan Status apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Vennligst velg {0} først apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Send inn dette for å skape medarbeideroppføringen @@ -5539,6 +5597,7 @@ DocType: Quality Procedure,Parent Procedure,Foreldreprosedyre apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Sett åpen apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Bytt filtre DocType: Production Plan,Material Request Detail,Material Request Detail +DocType: Shift Type,Process Attendance After,Prosessmøte etter DocType: Material Request Item,Quantity and Warehouse,Mengde og lager apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Gå til Programmer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Rad # {0}: Dupliseringsoppføring i Referanser {1} {2} @@ -5596,6 +5655,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Festinformasjon apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debitorer ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Til dags dato kan ikke større enn ansattes avlaste dato +DocType: Shift Type,Enable Exit Grace Period,Aktiver avslutningsperiode DocType: Expense Claim,Employees Email Id,Ansatte E-post-ID DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Oppdater pris fra Shopify til ERPNeste prisliste DocType: Healthcare Settings,Default Medical Code Standard,Standard medisinsk kode Standard @@ -5626,7 +5686,6 @@ DocType: Item Group,Item Group Name,Element Gruppe Navn DocType: Budget,Applicable on Material Request,Gjelder på materialforespørsel DocType: Support Settings,Search APIs,Søk APIer DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Overproduksjonsprosent for salgsordre -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,spesifikasjoner DocType: Purchase Invoice,Supplied Items,Leverte gjenstander DocType: Leave Control Panel,Select Employees,Velg Ansatte apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Velg renteinntekter konto i lån {0} @@ -5652,7 +5711,7 @@ DocType: Salary Slip,Deductions,fradrag ,Supplier-Wise Sales Analytics,Leverandør-Wise Sales Analytics DocType: GSTR 3B Report,February,februar DocType: Appraisal,For Employee,For Ansatt -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Faktisk leveringsdato +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Faktisk leveringsdato DocType: Sales Partner,Sales Partner Name,Salgspartnernavn apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Avskrivningsrute {0}: Avskrivnings startdato er oppgitt som siste dato DocType: GST HSN Code,Regional,Regional @@ -5691,6 +5750,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Pun DocType: Supplier Scorecard,Supplier Scorecard,Leverandør Scorecard DocType: Travel Itinerary,Travel To,Reise til apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Mark Attendance +DocType: Shift Type,Determine Check-in and Check-out,Bestem Check-in og Check-out DocType: POS Closing Voucher,Difference,Forskjell apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Liten DocType: Work Order Item,Work Order Item,Arbeid Bestillingselement @@ -5724,6 +5784,7 @@ DocType: Sales Invoice,Shipping Address Name,Fraktadresse navn apps/erpnext/erpnext/healthcare/setup.py,Drug,Legemiddel apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} er stengt DocType: Patient,Medical History,Medisinsk historie +DocType: Expense Claim,Expense Taxes and Charges,Kostnadsskatt og avgifter DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Antall dager etter fakturadato er gått før du kansellerer abonnement eller markeringsabonnement som ubetalt apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Installasjonsnotat {0} er allerede sendt inn DocType: Patient Relation,Family,Familie @@ -5756,7 +5817,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Styrke apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} enheter av {1} som trengs i {2} for å fullføre denne transaksjonen. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush råmaterialer av underleverandør basert på -DocType: Bank Guarantee,Customer,Kunde DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Hvis aktivert, vil feltet faglig semester være obligatorisk i programopptakingsverktøyet." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","For batchbasert studentgruppe, blir studentbatchet validert for hver student fra programopptaket." DocType: Course,Topics,emner @@ -5836,6 +5896,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Kapittelmedlemmer DocType: Warranty Claim,Service Address,Serviceadresse DocType: Journal Entry,Remark,Bemerke +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Mengde ikke tilgjengelig for {4} i varehus {1} ved posteringstidspunktet for oppføringen ({2} {3}) DocType: Patient Encounter,Encounter Time,Møtetid DocType: Serial No,Invoice Details,Fakturadetaljer 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øringer kan gjøres mot ikke-grupper" @@ -5916,6 +5977,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","E apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Avslutning (Åpning + Totalt) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterier Formel apps/erpnext/erpnext/config/support.py,Support Analytics,Støtte Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Attendance Device ID (Biometrisk / RF-tag ID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Gjennomgang og handling DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Hvis kontoen er frossen, kan oppføringer tillates begrensede brukere." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Beløp etter avskrivninger @@ -5937,6 +5999,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Tilbakebetaling av lån DocType: Employee Education,Major/Optional Subjects,Major / Valgfag DocType: Soil Texture,Silt,silt +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Leverandøradresser og kontakter DocType: Bank Guarantee,Bank Guarantee Type,Bankgaranti Type DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Hvis deaktivert, vil feltet "Avrundet total" ikke være synlig i en transaksjon" DocType: Pricing Rule,Min Amt,Min Amt @@ -5975,6 +6038,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Åpning av fakturaopprettingsverktøyet DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Inkluder POS-transaksjoner +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ingen ansatt funnet for den oppgitte ansattes feltverdi. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Mottatt beløp (Bedriftsvaluta) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage er full, lagret ikke" DocType: Chapter Member,Chapter Member,Kapittelmedlem @@ -6007,6 +6071,7 @@ DocType: SMS Center,All Lead (Open),Alt bly (åpen) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Ingen studentgrupper opprettet. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Dupliser rad {0} med samme {1} DocType: Employee,Salary Details,Lønnsdetaljer +DocType: Employee Checkin,Exit Grace Period Consequence,Avslutt Grace Period Konsekvens DocType: Bank Statement Transaction Invoice Item,Invoice,Faktura DocType: Special Test Items,Particulars,opplysninger apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Vennligst sett filter basert på vare eller lager @@ -6108,6 +6173,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Ut av AMC DocType: Job Opening,"Job profile, qualifications required etc.","Jobbprofil, kvalifikasjoner kreves etc." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Send til stat +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Ønsker du å sende inn materialforespørselen DocType: Opportunity Item,Basic Rate,Grunnleggende pris DocType: Compensatory Leave Request,Work End Date,Arbeid sluttdato apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Forespørsel om råvarer @@ -6293,6 +6359,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Avskrivningsbeløp DocType: Sales Order Item,Gross Profit,Brutto fortjeneste DocType: Quality Inspection,Item Serial No,Art.nr. DocType: Asset,Insurer,assurandør +DocType: Employee Checkin,OUT,UTE apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Kjøpsbeløp DocType: Asset Maintenance Task,Certificate Required,Sertifikat påkrevd DocType: Retention Bonus,Retention Bonus,Retensjonsbonus @@ -6408,6 +6475,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Forskjellig beløp ( DocType: Invoice Discounting,Sanctioned,sanksjonert DocType: Course Enrollment,Course Enrollment,Kursinnmelding DocType: Item,Supplier Items,Leverandørelementer +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Starttidspunktet kan ikke være større enn eller lik slutttid \ for {0}. DocType: Sales Order,Not Applicable,Ikke aktuelt DocType: Support Search Source,Response Options,Svaralternativer apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} skal være en verdi mellom 0 og 100 @@ -6494,7 +6563,6 @@ DocType: Travel Request,Costing,koster apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Faste eiendeler DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Total opptjening -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium DocType: Share Balance,From No,Fra nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betalingsavstemming Faktura DocType: Purchase Invoice,Taxes and Charges Added,Skatter og avgifter lagt til @@ -6602,6 +6670,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignorere prisregelen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Mat DocType: Lost Reason Detail,Lost Reason Detail,Mistet grunndetaljer +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Følgende serienummer ble opprettet:
{0} DocType: Maintenance Visit,Customer Feedback,Kundefeedback DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detaljer DocType: Issue,Opening Time,Åpningstid @@ -6651,6 +6720,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Firmanavn ikke det samme apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Ansatteopprykk kan ikke sendes før Kampanjedato apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Ikke lov til å oppdatere aksjehandel eldre enn {0} +DocType: Employee Checkin,Employee Checkin,Ansattskontroll apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Startdato bør være mindre enn sluttdato for element {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Lag kundedokumenter DocType: Buying Settings,Buying Settings,Kjøpsinnstillinger @@ -6672,6 +6742,7 @@ DocType: Job Card Time Log,Job Card Time Log,Jobbkort tidsloggen DocType: Patient,Patient Demographics,Pasientdemografi DocType: Share Transfer,To Folio No,Til Folio nr apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Kontantstrøm fra drift +DocType: Employee Checkin,Log Type,Log Type DocType: Stock Settings,Allow Negative Stock,Tillat negativ aksje apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Ingen av elementene har noen endring i mengde eller verdi. DocType: Asset,Purchase Date,Kjøpsdato @@ -6716,6 +6787,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Veldig Hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Velg arten av virksomheten din. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Vennligst velg måned og år +DocType: Service Level,Default Priority,Standard prioritet DocType: Student Log,Student Log,Studentlogg DocType: Shopping Cart Settings,Enable Checkout,Aktiver Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Menneskelige ressurser @@ -6744,7 +6816,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Koble Shopify med ERPNext DocType: Homepage Section Card,Subtitle,Subtitle DocType: Soil Texture,Loam,leirjord -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandør Type DocType: BOM,Scrap Material Cost(Company Currency),Skrapmaterialekostnad (selskapsvaluta) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Leveringsnotat {0} må ikke sendes inn DocType: Task,Actual Start Date (via Time Sheet),Faktisk startdato (via tidsskrift) @@ -6800,6 +6871,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosering DocType: Cheque Print Template,Starting position from top edge,Startposisjon fra toppkanten apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Avtale Varighet (min) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Denne ansatte har allerede en logg med samme tidsstempel. {0} DocType: Accounting Dimension,Disable,Deaktiver DocType: Email Digest,Purchase Orders to Receive,Innkjøpsordre for å motta apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Produktionsordrer kan ikke heves for: @@ -6815,7 +6887,6 @@ DocType: Production Plan,Material Requests,Materielle forespørsler DocType: Buying Settings,Material Transferred for Subcontract,Material overført for underleverandør DocType: Job Card,Timing Detail,Timing Detail apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Påkrevd På -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Importerer {0} av {1} DocType: Job Offer Term,Job Offer Term,Jobbtilbudsterm DocType: SMS Center,All Contact,All kontakt DocType: Project Task,Project Task,Prosjektoppgave @@ -6866,7 +6937,6 @@ DocType: Student Log,Academic,akademisk apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Elementet {0} er ikke satt opp for serienummer. Kontroller elementmasteren apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Fra stat DocType: Leave Type,Maximum Continuous Days Applicable,Maksimal kontinuerlig dag gjelder -apps/erpnext/erpnext/config/support.py,Support Team.,Support Team. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Vennligst skriv inn firmanavn først apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Import Vellykket DocType: Guardian,Alternate Number,Alternativt nummer @@ -6958,6 +7028,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Row # {0}: Element lagt til DocType: Student Admission,Eligibility and Details,Kvalifisering og detaljer DocType: Staffing Plan,Staffing Plan Detail,Bemanning Plan detalj +DocType: Shift Type,Late Entry Grace Period,Sengangsperiode DocType: Email Digest,Annual Income,Årsinntekt DocType: Journal Entry,Subscription Section,Abonnementsseksjon DocType: Salary Slip,Payment Days,Betalingsdager @@ -7008,6 +7079,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Saldo DocType: Asset Maintenance Log,Periodicity,periodisitet apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Pasientjournal +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Log Type er nødvendig for innsjekking som faller i skiftet: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Henrettelse DocType: Item,Valuation Method,Verdsettelsesmetode apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} mot salgsfaktura {1} @@ -7092,6 +7164,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Anslått kostnad per p DocType: Loan Type,Loan Name,Lånnavn apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Angi standard betalingsmåte DocType: Quality Goal,Revision,Revisjon +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Tiden før skiftetidspunktet når utsjekking vurderes så tidlig (i minutter). DocType: Healthcare Service Unit,Service Unit Type,Tjenestenhetstype DocType: Purchase Invoice,Return Against Purchase Invoice,Retur mot kjøpsfaktura apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Generer hemmelighet @@ -7247,12 +7320,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,kosmetikk DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Sjekk dette hvis du vil tvinge brukeren til å velge en serie før du lagrer. Det vil ikke være noen standard hvis du sjekker dette. 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 å angi frosne kontoer og opprette / endre regnskapsposter mot frosne kontoer +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varenummer> Varegruppe> Varemerke DocType: Expense Claim,Total Claimed Amount,Sum krav på beløp 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 finne Time Slot i de neste {0} dagene for operasjon {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Innpakning apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Du kan bare fornye hvis medlemskapet ditt utløper innen 30 dager apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Verdien må være mellom {0} og {1} DocType: Quality Feedback,Parameters,parametere +DocType: Shift Type,Auto Attendance Settings,Auto-tilstedeværelsesinnstillinger ,Sales Partner Transaction Summary,Salgspartner Transaksjonsoversikt DocType: Asset Maintenance,Maintenance Manager Name,Vedlikeholdsansvarlig navn apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Det er nødvendig for å hente artikkeldetaljer. @@ -7344,10 +7419,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Bekreft anvendte regel DocType: Job Card Item,Job Card Item,Jobbkort-artikkel DocType: Homepage,Company Tagline for website homepage,Bedriftstegn for hjemmesidenes hjemmeside +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Angi responstid og oppløsning for prioritet {0} ved indeks {1}. DocType: Company,Round Off Cost Center,Round Off Cost Center DocType: Supplier Scorecard Criteria,Criteria Weight,Kriterier Vekt DocType: Asset,Depreciation Schedules,Avskrivningsplaner -DocType: Expense Claim Detail,Claim Amount,Kravsbeløp DocType: Subscription,Discounts,rabatter DocType: Shipping Rule,Shipping Rule Conditions,Forsendelsesregler DocType: Subscription,Cancelation Date,Avbestillingsdato @@ -7375,7 +7450,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Lag Leads apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Vis nullverdier DocType: Employee Onboarding,Employee Onboarding,Ansatt ombord DocType: POS Closing Voucher,Period End Date,Periodens sluttdato -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Salgsmuligheter ved kilde DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Den første permisjonen for permisjon i listen blir satt som standard permisjon for permisjon. DocType: POS Settings,POS Settings,POS-innstillinger apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Alle kontoer @@ -7396,7 +7470,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Prisen må være den samme som {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Helsevesenetjenesteelementer -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Ingen opptak funnet apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Aldringsområde 3 DocType: Vital Signs,Blood Pressure,Blodtrykk 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å @@ -7443,6 +7516,7 @@ DocType: Company,Existing Company,Eksisterende selskap apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,batcher apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Forsvar DocType: Item,Has Batch No,Har batch nr +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Forsinkede dager DocType: Lead,Person Name,Personnavn DocType: Item Variant,Item Variant,Varevariant DocType: Training Event Employee,Invited,invitert @@ -7464,7 +7538,7 @@ DocType: Purchase Order,To Receive and Bill,Å motta og regning apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Begynn og slutt datoene ikke i en gyldig lønningsperiode, kan ikke beregne {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Vis kun kunden til disse kundegruppene apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Velg elementer for å lagre fakturaen -DocType: Service Level,Resolution Time,Oppløsningstid +DocType: Service Level Priority,Resolution Time,Oppløsningstid DocType: Grading Scale Interval,Grade Description,Grader Beskrivelse DocType: Homepage Section,Cards,kort DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kvalitetsmøter @@ -7491,6 +7565,7 @@ DocType: Project,Gross Margin %,Bruttomargin% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Balanseført balanse i henhold til hovedbok apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Helsevesenet (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Standard lager for å opprette salgsordre og leveringsnotat +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Response Time for {0} ved indeks {1} kan ikke være større enn Oppløsningstid. DocType: Opportunity,Customer / Lead Name,Kunde- / Ledernavn DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Uoppfordret beløp @@ -7537,7 +7612,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importerer parter og adresser DocType: Item,List this Item in multiple groups on the website.,Liste denne varen i flere grupper på nettsiden. DocType: Request for Quotation,Message for Supplier,Melding til leverandør -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Kan ikke endre {0} etter hvert som aksjekjøpstransaksjonen for element {1} eksisterer. DocType: Healthcare Practitioner,Phone (R),Telefon (R) DocType: Maintenance Team Member,Team Member,Teammedlem DocType: Asset Category Account,Asset Category Account,Asset Category Account diff --git a/erpnext/translations/pl.csv b/erpnext/translations/pl.csv index 2d38445a58..33104571f6 100644 --- a/erpnext/translations/pl.csv +++ b/erpnext/translations/pl.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Termin rozpoczęcia apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Anulowane spotkanie {0} i faktura sprzedaży {1} DocType: Purchase Receipt,Vehicle Number,Numer pojazdu apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Twój adres email... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Dołącz domyślne wpisy książki +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Dołącz domyślne wpisy książki DocType: Activity Cost,Activity Type,Rodzaj aktywności DocType: Purchase Invoice,Get Advances Paid,Uzyskaj zaliczki wypłacone DocType: Company,Gain/Loss Account on Asset Disposal,Rachunek zysków / strat na zbyciu aktywów @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Co to robi? DocType: Bank Reconciliation,Payment Entries,Wpisy płatności DocType: Employee Education,Class / Percentage,Klasa / procent ,Electronic Invoice Register,Rejestr faktur elektronicznych +DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Liczba wystąpień, po których następuje wykonanie." DocType: Sales Invoice,Is Return (Credit Note),Czy powrót (uwaga kredytowa) +DocType: Price List,Price Not UOM Dependent,Cena nie zależy od ceny DocType: Lab Test Sample,Lab Test Sample,Próbka laboratoryjna DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Na przykład 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Wyszukiwarka pro DocType: Salary Slip,Net Pay,Płaca netto apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Total Invoiced Amt DocType: Clinical Procedure,Consumables Invoice Separately,Faktura eksploatacyjna osobno +DocType: Shift Type,Working Hours Threshold for Absent,Próg godzin pracy dla nieobecności DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Budżetu nie można przypisać do konta grupowego {0} DocType: Purchase Receipt Item,Rate and Amount,Stawka i kwota @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Ustaw magazyn źródłowy DocType: Healthcare Settings,Out Patient Settings,Out Ustawienia pacjenta DocType: Asset,Insurance End Date,Data zakończenia ubezpieczenia DocType: Bank Account,Branch Code,Kod oddziału -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Czas na odpowiedź apps/erpnext/erpnext/public/js/conf.js,User Forum,Forum użytkowników DocType: Landed Cost Item,Landed Cost Item,Pozycja kosztów wyładowanych apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Sprzedający i kupujący nie mogą być tacy sami @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Główny właściciel DocType: Share Transfer,Transfer,Transfer apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Szukaj przedmiotu (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Wynik przesłany +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Od daty nie może być większa niż do tej pory DocType: Supplier,Supplier of Goods or Services.,Dostawca towarów lub usług. 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: nie twórz kont dla klientów i dostawców apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Grupa studentów lub harmonogram zajęć jest obowiązkowa @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Baza potencj DocType: Skill,Skill Name,Nazwa umiejętności apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Wydrukuj kartę raportu DocType: Soil Texture,Ternary Plot,Działka trójskładnikowa -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Bilety na wsparcie DocType: Asset Category Account,Fixed Asset Account,Naprawione konto aktywów apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Najnowszy @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Odległość UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Obowiązkowe dla bilansu DocType: Payment Entry,Total Allocated Amount,Łączna kwota przydzielona DocType: Sales Invoice,Get Advances Received,Otrzymuj zaliczki +DocType: Shift Type,Last Sync of Checkin,Ostatnia synchronizacja odprawy DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Pozycja Kwota podatku zawarta w wartości apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Plan subskrypcji DocType: Student,Blood Group,Grupa krwi apps/erpnext/erpnext/config/healthcare.py,Masters,Mistrzowie DocType: Crop,Crop Spacing UOM,Odstęp między uprawami UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,"Czas po godzinie rozpoczęcia zmiany, gdy odprawa jest uważana za późną (w minutach)." apps/erpnext/erpnext/templates/pages/home.html,Explore,Badać +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nie znaleziono żadnych zaległych faktur apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} oferty pracy i {1} budżet na {2} już zaplanowane dla spółek zależnych {3}. Możesz zaplanować maksymalnie {4} wolne miejsca pracy i budżet {5} według planu zatrudnienia {6} dla firmy macierzystej {3}. DocType: Promotional Scheme,Product Discount Slabs,Płyty z rabatem na produkty @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Żądanie obecności DocType: Item,Moving Average,Średnia ruchoma DocType: Employee Attendance Tool,Unmarked Attendance,Nieoznaczona obecność DocType: Homepage Section,Number of Columns,Liczba kolumn +DocType: Issue Priority,Issue Priority,Priorytet wydania DocType: Holiday List,Add Weekly Holidays,Dodaj dni tygodnia DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Utwórz poślizg wynagrodzenia @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Wartość / opis DocType: Warranty Claim,Issue Date,Data wydania 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 przedmiotu {0}. Nie można znaleźć pojedynczej partii spełniającej to wymaganie apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Nie można utworzyć premii za utrzymanie dla pozostawionych pracowników +DocType: Employee Checkin,Location / Device ID,Lokalizacja / identyfikator urządzenia DocType: Purchase Order,To Receive,Otrzymać apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,"Jesteś w trybie offline. Nie będziesz mógł przeładować, dopóki nie masz sieci." DocType: Course Activity,Enrollment,Rekrutacja @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Szablon testu laboratoryjnego apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Brak informacji o e-fakturowaniu apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nie utworzono żądania materiałowego -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod towaru> Grupa produktów> Marka DocType: Loan,Total Amount Paid,Łączna kwota wypłacona apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Wszystkie te elementy zostały już zafakturowane DocType: Training Event,Trainer Name,Nazwa trenera @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Proszę podać nazwę ołowiu w odprowadzeniu {0} DocType: Employee,You can enter any date manually,Możesz wprowadzić dowolną datę ręcznie DocType: Stock Reconciliation Item,Stock Reconciliation Item,Pozycja uzgadniania zapasów +DocType: Shift Type,Early Exit Consequence,Wczesna konsekwencja wyjścia DocType: Item Group,General Settings,Ustawienia główne apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Termin płatności nie może być dłuższy niż data księgowania / faktury dostawcy apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Wprowadź nazwę Beneficjenta przed przesłaniem. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,Rewident księgowy apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Potwierdzenie płatności ,Available Stock for Packing Items,Dostępne zapasy do pakowania przedmiotów apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Usuń tę fakturę {0} z formularza C {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Każde ważne zameldowanie i wymeldowanie DocType: Support Search Source,Query Route String,Ciąg znaków zapytania DocType: Customer Feedback Template,Customer Feedback Template,Szablon opinii klienta apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Cytaty dla klientów lub klientów. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Kontrola autoryzacji ,Daily Work Summary Replies,Odpowiedzi podsumowujące codzienną pracę apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Zostałeś zaproszony do współpracy przy projekcie: {0} +DocType: Issue,Response By Variance,Odpowiedź według wariancji DocType: Item,Sales Details,Szczegóły sprzedaży apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Główki listów do szablonów druku. DocType: Salary Detail,Tax on additional salary,Podatek od dodatkowego wynagrodzenia @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Adresy kl DocType: Project,Task Progress,Postęp zadania DocType: Journal Entry,Opening Entry,Otwieranie wpisu DocType: Bank Guarantee,Charges Incurred,Powstały opłaty +DocType: Shift Type,Working Hours Calculation Based On,Obliczanie godzin pracy na podstawie DocType: Work Order,Material Transferred for Manufacturing,Przeniesiony materiał do produkcji DocType: Products Settings,Hide Variants,Ukryj warianty DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Wyłącz planowanie pojemności i śledzenie czasu @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,Deprecjacja DocType: Guardian,Interests,Zainteresowania DocType: Purchase Receipt Item Supplied,Consumed Qty,Zużyta ilość DocType: Education Settings,Education Manager,Kierownik ds. Edukacji +DocType: Employee Checkin,Shift Actual Start,Shift Actual Start DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Zaplanuj dzienniki czasu poza godzinami pracy stacji roboczej. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Punkty lojalnościowe: {0} DocType: Healthcare Settings,Registration Message,Wiadomość rejestracyjna @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktura już utworzona dla wszystkich godzin rozliczeniowych DocType: Sales Partner,Contact Desc,Opis kontaktu DocType: Purchase Invoice,Pricing Rules,Zasady ustalania cen +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Ponieważ istnieją transakcje z pozycją {0}, nie można zmienić wartości {1}" DocType: Hub Tracked Item,Image List,Lista obrazów DocType: Item Variant Settings,Allow Rename Attribute Value,Zezwalaj na zmianę nazwy wartości atrybutu -DocType: Price List,Price Not UOM Dependant,Cena nie zależy od ceny apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Czas (w minutach) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Podstawowy DocType: Loan,Interest Income Account,Rachunek dochodów odsetkowych @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,Typ zatrudnienia apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Wybierz profil POS DocType: Support Settings,Get Latest Query,Uzyskaj najnowsze zapytanie DocType: Employee Incentive,Employee Incentive,Motywacja pracownika +DocType: Service Level,Priorities,Priorytety apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Dodaj karty lub niestandardowe sekcje na stronie głównej DocType: Homepage,Hero Section Based On,Sekcja bohatera na podstawie DocType: Project,Total Purchase Cost (via Purchase Invoice),Całkowity koszt zakupu (za pomocą faktury zakupu) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,Wytwarzanie przeciwko DocType: Blanket Order Item,Ordered Quantity,Zamówiona ilość apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Wiersz # {0}: odrzucona hurtownia jest obowiązkowa wobec odrzuconego przedmiotu {1} ,Received Items To Be Billed,Otrzymano przedmioty do rozliczenia -DocType: Salary Slip Timesheet,Working Hours,Godziny pracy +DocType: Attendance,Working Hours,Godziny pracy apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Sposób płatności apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Zamówienie Zamówienie Pozycje nie odebrane na czas apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Czas trwania w dniach @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,Z DocType: Supplier,Statutory info and other general information about your Supplier,Ustawowe informacje i inne ogólne informacje na temat Twojego dostawcy DocType: Item Default,Default Selling Cost Center,Domyślne miejsce powstawania kosztów sprzedaży DocType: Sales Partner,Address & Contacts,Adres i kontakty -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 DocType: Subscriber,Subscriber,Abonent apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) jest niedostępny apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Najpierw wybierz Data księgowania @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,% Kompletnej metody DocType: Detected Disease,Tasks Created,Zadania utworzone apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Domyślne zestawienie komponentów ({0}) musi być aktywne dla tego elementu lub jego szablonu apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Stawka prowizji% -DocType: Service Level,Response Time,Czas odpowiedzi +DocType: Service Level Priority,Response Time,Czas odpowiedzi DocType: Woocommerce Settings,Woocommerce Settings,Ustawienia Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Ilość musi być dodatnia DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Opłata za wizytę w szp DocType: Bank Statement Settings,Transaction Data Mapping,Mapowanie danych transakcji apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Ołów wymaga nazwy osoby lub nazwy organizacji DocType: Student,Guardians,Strażnicy -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/public/js/stock_analytics.js,Select Brand...,Wybierz markę ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Średni dochód DocType: Shipping Rule,Calculate Based On,Oblicz na podstawie @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Ustaw cel apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Rekord obecności {0} istnieje wobec ucznia {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Data transakcji apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Anuluj subskrypcje +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nie można ustawić umowy o poziomie usług {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Kwota wynagrodzenia netto DocType: Account,Liability,Odpowiedzialność DocType: Employee,Bank A/C No.,Bank A / C No. @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Kod towaru surowca apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Faktura zakupu {0} została już przesłana DocType: Fees,Student Email,E-mail studenta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Rekursja BOM: {0} nie może być rodzicem ani dzieckiem {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Uzyskaj przedmioty z usług opieki zdrowotnej apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Wpis akcji {0} nie został przesłany DocType: Item Attribute Value,Item Attribute Value,Wartość atrybutu elementu @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,Zezwól na drukowanie przed zapłat DocType: Production Plan,Select Items to Manufacture,Wybierz pozycje do produkcji DocType: Leave Application,Leave Approver Name,Pozostaw nazwę osoby zatwierdzającej DocType: Shareholder,Shareholder,Akcjonariusz -DocType: Issue,Agreement Status,Status umowy apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Domyślne ustawienia transakcji sprzedaży. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Wybierz przyjęcie studenckie, które jest obowiązkowe dla opłaconego kandydata na studenta" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Wybierz BOM @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Rachunek dochodowy apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Wszystkie magazyny DocType: Contract,Signee Details,Szczegóły Signee +DocType: Shift Type,Allow check-out after shift end time (in minutes),Zezwól na wymeldowanie po zakończeniu czasu zmiany (w minutach) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Dostarczanie DocType: Item Group,Check this if you want to show in website,"Zaznacz to, jeśli chcesz pokazać na stronie" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Nie znaleziono roku podatkowego {0} @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Data rozpoczęcia amortyzacj DocType: Activity Cost,Billing Rate,Stawka rozliczeniowa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Ostrzeżenie: istnieje inny {0} # {1} przeciwko wpisowi akcji {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,"Włącz Ustawienia Google Maps, aby oszacować i zoptymalizować trasy" +DocType: Purchase Invoice Item,Page Break,Podział strony DocType: Supplier Scorecard Criteria,Max Score,Maksymalny wynik apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Data rozpoczęcia spłaty nie może być wcześniejsza niż data wypłaty. DocType: Support Search Source,Support Search Source,Obsługuj źródło wyszukiwania @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Cel celu jakości DocType: Employee Transfer,Employee Transfer,Przeniesienie pracownika ,Sales Funnel,Lejek sprzedaży DocType: Agriculture Analysis Criteria,Water Analysis,Analiza wody +DocType: Shift Type,Begin check-in before shift start time (in minutes),Rozpocznij odprawę przed czasem rozpoczęcia zmiany (w minutach) DocType: Accounts Settings,Accounts Frozen Upto,Konta Frozen Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Nie ma nic do edycji. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operacja {0} dłuższa niż dostępne godziny pracy na stacji roboczej {1}, podziel operację na wiele operacji" @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Kont apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Zamówienie sprzedaży {0} to {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Opóźnienie w płatności (dni) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Wprowadź szczegóły amortyzacji +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Klient PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Oczekiwana data dostawy powinna być po Dacie zamówienia sprzedaży +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Ilość towaru nie może wynosić zero apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Nieprawidłowy atrybut apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Wybierz zestawienie komponentów dla elementu {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Typ faktury @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,Data konserwacji DocType: Volunteer,Afternoon,Popołudnie DocType: Vital Signs,Nutrition Values,Wartości odżywcze DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Obecność gorączki (temp> 38,5 ° C / 101,3 ° F lub utrzymująca się temperatura> 38 ° C / 100,4 ° F)" +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 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,Odwrócono ITC DocType: Project,Collect Progress,Zbieraj postępy apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energia @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,Postęp instalacji ,Ordered Items To Be Billed,Zamówione przedmioty do wystawienia rachunku DocType: Taxable Salary Slab,To Amount,Do kwoty DocType: Purchase Invoice,Is Return (Debit Note),Czy powrót (nota debetowa) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> Grupa klientów> Terytorium apps/erpnext/erpnext/config/desktop.py,Getting Started,Rozpoczęcie pracy apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Łączyć apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Nie można zmienić daty rozpoczęcia roku obrachunkowego i daty zakończenia roku obrachunkowego po zapisaniu roku obrachunkowego. @@ -2216,8 +2232,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Aktualna data apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Data rozpoczęcia konserwacji nie może być wcześniejsza niż data dostawy dla numeru seryjnego {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Wiersz {0}: Kurs wymiany jest obowiązkowy DocType: Purchase Invoice,Select Supplier Address,Wybierz adres dostawcy +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Dostępna ilość to {0}, potrzebujesz {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Wprowadź tajemnicę klienta API DocType: Program Enrollment Fee,Program Enrollment Fee,Opłata za rejestrację programu +DocType: Employee Checkin,Shift Actual End,Shift Actual End DocType: Serial No,Warranty Expiry Date,Data wygaśnięcia gwarancji DocType: Hotel Room Pricing,Hotel Room Pricing,Ceny pokoi hotelowych apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Zewnętrzne dostawy podlegające opodatkowaniu (inne niż zerowe, zerowe i wyłączone" @@ -2277,6 +2295,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Czytanie 5 DocType: Shopping Cart Settings,Display Settings,Ustawienia wyświetlania apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Ustaw liczbę zarezerwowanych amortyzacji +DocType: Shift Type,Consequence after,Konsekwencja po apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Z czym potrzebujesz pomocy? DocType: Journal Entry,Printing Settings,Ustawienia drukowania apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bankowość @@ -2286,6 +2305,7 @@ DocType: Purchase Invoice Item,PR Detail,Szczegóły PR apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,"Adres rozliczeniowy jest taki sam, jak adres wysyłki" DocType: Account,Cash,Gotówkowy DocType: Employee,Leave Policy,Opuść politykę +DocType: Shift Type,Consequence,Skutek apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Adres studenta DocType: GST Account,CESS Account,Konto CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Miejsce powstawania kosztów jest wymagane dla konta „Zysk i strata” {2}. Ustaw domyślne miejsce powstawania kosztów dla firmy. @@ -2350,6 +2370,7 @@ DocType: GST HSN Code,GST HSN Code,Kod GST HSN DocType: Period Closing Voucher,Period Closing Voucher,Kupon na zamknięcie okresu apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Nazwa opiekuna2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Proszę podać konto wydatków +DocType: Issue,Resolution By Variance,Rozdzielczość przez wariancję DocType: Employee,Resignation Letter Date,Data rezygnacji DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Obecność na randkę @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Wyświetl teraz DocType: Item Price,Valid Upto,Ważny do apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Dokument referencyjny musi być jednym z {0} +DocType: Employee Checkin,Skip Auto Attendance,Pomiń automatyczne uczestnictwo DocType: Payment Request,Transaction Currency,Waluta transakcji DocType: Loan,Repayment Schedule,Harmonogram spłaty apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Utwórz wpis dotyczący przechowywania próbki @@ -2433,6 +2455,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Przydział stru DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Podatki na kupony zamykające POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Działanie zainicjowane DocType: POS Profile,Applicable for Users,Dotyczy użytkowników +,Delayed Order Report,Raport o opóźnionym zamówieniu DocType: Training Event,Exam,Egzamin apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Znaleziono nieprawidłową liczbę wpisów księgi głównej. Być może wybrałeś nieprawidłowe konto w transakcji. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Rurociąg sprzedaży @@ -2447,10 +2470,11 @@ DocType: Account,Round Off,Zaokrąglić DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Warunki zostaną zastosowane do wszystkich wybranych elementów łącznie. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Konfiguruj DocType: Hotel Room,Capacity,Pojemność +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Zainstalowana ilość apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Partia {0} pozycji {1} jest wyłączona. DocType: Hotel Room Reservation,Hotel Reservation User,Użytkownik rezerwacji hotelu -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Dzień roboczy został powtórzony dwukrotnie +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Umowa o poziomie usług z typem podmiotu {0} i podmiotem {1} już istnieje. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Grupa pozycji niewymieniona w głównym elemencie dla elementu {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Błąd nazwy: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Terytorium jest wymagane w profilu POS @@ -2496,6 +2520,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Datę harmonogramu DocType: Packing Slip,Package Weight Details,Szczegóły wagi paczki DocType: Job Applicant,Job Opening,Otwarcie pracy +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Ostatnia znana udana synchronizacja odprawy pracownika. Zresetuj to tylko wtedy, gdy masz pewność, że wszystkie dzienniki są synchronizowane ze wszystkich lokalizacji. Nie zmieniaj tego, jeśli nie jesteś pewien." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Aktualna cena apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Łączna zaliczka ({0}) przeciwko zamówieniu {1} nie może być większa niż łączna suma ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Zaktualizowano wariant produktu @@ -2540,6 +2565,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Odbiór zakupu referencyj apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Zdobądź Invocies DocType: Tally Migration,Is Day Book Data Imported,Importowane są dane dzienników ,Sales Partners Commission,Komisja Partnerów Sprzedaży +DocType: Shift Type,Enable Different Consequence for Early Exit,Włącz różne konsekwencje dla wcześniejszego wyjścia apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Prawny DocType: Loan Application,Required by Date,Wymagane według daty DocType: Quiz Result,Quiz Result,Wynik testu @@ -2599,7 +2625,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Rok finan DocType: Pricing Rule,Pricing Rule,Reguła cenowa apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Opcjonalna lista świąt nie jest ustawiona na okres urlopu {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,"Ustaw pole ID użytkownika w rekordzie pracownika, aby ustawić rolę pracownika" -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Czas się rozwiązać DocType: Training Event,Training Event,Wydarzenie szkoleniowe DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normalne spoczynkowe ciśnienie krwi u dorosłych wynosi około 120 mmHg skurczowego i 80 mmHg rozkurczowego, w skrócie „120/80 mmHg”" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"System pobierze wszystkie wpisy, jeśli wartość graniczna wynosi zero." @@ -2643,6 +2668,7 @@ DocType: Woocommerce Settings,Enable Sync,Włącz synchronizację DocType: Student Applicant,Approved,Zatwierdzony apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Data Od powinna być w ciągu roku podatkowego. Zakładając From Date = {0} 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 zakupu. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} to nieprawidłowy status frekwencji. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Konto do tymczasowego otwarcia DocType: Purchase Invoice,Cash/Bank Account,Gotówka / konto bankowe DocType: Quality Meeting Table,Quality Meeting Table,Tabela jakości spotkań @@ -2678,6 +2704,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Żywność, napoje i tytoń" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Harmonogram kursu DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Szczegóły podatkowe przedmiotu mądrego +DocType: Shift Type,Attendance will be marked automatically only after this date.,Obecność zostanie oznaczona automatycznie dopiero po tej dacie. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Materiały dla posiadaczy UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Zapytanie ofertowe apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Waluty nie można zmienić po dokonaniu wpisów za pomocą innej waluty @@ -2726,7 +2753,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Czy przedmiot pochodzi z Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procedura jakości. DocType: Share Balance,No of Shares,Liczba akcji -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Wiersz {0}: ilość niedostępna dla {4} w magazynie {1} w czasie księgowania wpisu ({2} {3}) DocType: Quality Action,Preventive,Zapobiegawczy DocType: Support Settings,Forum URL,Adres URL forum apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Pracownik i frekwencja @@ -2948,7 +2974,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Typ rabatu DocType: Hotel Settings,Default Taxes and Charges,Domyślne podatki i opłaty apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Jest to oparte na transakcjach przeciwko temu dostawcy. Szczegółowe informacje można znaleźć poniżej apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Maksymalna kwota świadczenia dla pracownika {0} przekracza {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Wprowadź datę rozpoczęcia i zakończenia umowy. DocType: Delivery Note Item,Against Sales Invoice,Przeciwko fakturze sprzedaży DocType: Loyalty Point Entry,Purchase Amount,Kwota zakupu apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,"Nie można ustawić jako Utracone, ponieważ zamówienie sprzedaży zostało wykonane." @@ -2972,7 +2997,7 @@ DocType: Homepage,"URL for ""All Products""",Adres URL „Wszystkie produkty” DocType: Lead,Organization Name,Nazwa organizacji 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/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Wiersz # {0}: partia nr musi być taka sama jak {1} {2} -DocType: Employee,Leave Details,Zostaw szczegóły +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Transakcje magazynowe przed {0} są zamrożone DocType: Driver,Issuing Date,Data emisji apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Żądający @@ -3017,9 +3042,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Szczegóły szablonu mapowania przepływów pieniężnych apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Rekrutacja i szkolenie DocType: Drug Prescription,Interval UOM,Interwał UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Ustawienia okresu Grace dla automatycznej obecności apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Z waluty i waluty nie może być tego samego apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmaceutyki DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Godziny pomocy technicznej apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} zostało anulowane lub zamknięte apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Wiersz {0}: Zaliczka na klienta musi być kredytem apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Group by Voucher (Consolidated) @@ -3129,6 +3156,7 @@ DocType: Asset Repair,Repair Status,Status naprawy DocType: Territory,Territory Manager,kierownik terytorium DocType: Lab Test,Sample ID,Identyfikator próbki apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Wózek jest pusty +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 apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Zasób {0} musi zostać przesłany ,Absent Student Report,Raport nieobecnego ucznia apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Zawarte w zysku brutto @@ -3136,7 +3164,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,C DocType: Travel Request Costing,Funded Amount,Kwota finansowana apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nie zostało przesłane, więc nie można ukończyć akcji" DocType: Subscription,Trial Period End Date,Data zakończenia okresu próbnego +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Naprzemienne wpisy jako IN i OUT podczas tej samej zmiany DocType: BOM Update Tool,The new BOM after replacement,Nowa BOM po wymianie +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dostawca> Typ dostawcy apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Pozycja 5 DocType: Employee,Passport Number,Numer paszportu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Tymczasowe otwarcie @@ -3252,6 +3282,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Kluczowe raporty apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Możliwy dostawca ,Issued Items Against Work Order,Wydane przedmioty przeciwko nakazowi pracy apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Tworzenie {0} faktury +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 DocType: Student,Joining Date,Data dołączenia apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Strona żądająca DocType: Purchase Invoice,Against Expense Account,Przeciwko rachunku wydatków @@ -3291,6 +3322,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Obowiązujące opłaty ,Point of Sale,Punkt sprzedaży DocType: Authorization Rule,Approving User (above authorized value),Zatwierdzający użytkownik (powyżej dozwolonej wartości) +DocType: Service Level Agreement,Entity,Jednostka apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Kwota {0} {1} przeniesiona z {2} do {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Klient {0} nie należy do projektu {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Z nazwy strony @@ -3337,6 +3369,7 @@ DocType: Asset,Opening Accumulated Depreciation,Otwarcie skumulowanej amortyzacj DocType: Soil Texture,Sand Composition (%),Skład piasku (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importuj dane książki dziennej +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 DocType: Asset,Asset Owner Company,Firma zarządzająca aktywami apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,"Centrum kosztów jest wymagane, aby zarezerwować roszczenie o zwrot kosztów" apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} ważne numery seryjne dla elementu {1} @@ -3397,7 +3430,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Właściciel aktywów apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Magazyn jest obowiązkowy w magazynie Artykuł {0} w wierszu {1} DocType: Stock Entry,Total Additional Costs,Całkowite dodatkowe koszty -DocType: Marketplace Settings,Last Sync On,Ostatnia synchronizacja włączona 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 Team,Maintenance Team Name,Nazwa zespołu obsługi apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Wykres miejsc powstawania kosztów @@ -3413,12 +3445,12 @@ DocType: Sales Order Item,Work Order Qty,Ilość zlecenia pracy DocType: Job Card,WIP Warehouse,Magazyn WIP DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Nie ustawiono identyfikatora użytkownika dla pracownika {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Dostępna ilość to {0}, potrzebujesz {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Utworzono użytkownika {0} DocType: Stock Settings,Item Naming By,Nazwa przedmiotu według apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Zamówione apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Jest to główna grupa klientów i nie można jej edytować. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Żądanie materiału {0} zostało anulowane lub zatrzymane +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Ściśle na podstawie typu dziennika w Checkin pracownika DocType: Purchase Order Item Supplied,Supplied Qty,Dostarczana ilość DocType: Cash Flow Mapper,Cash Flow Mapper,Mapper przepływu środków pieniężnych DocType: Soil Texture,Sand,Piasek @@ -3477,6 +3509,7 @@ DocType: Lab Test Groups,Add new line,Dodaj nową linię apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Zduplikowana grupa elementów znaleziona w tabeli grupy przedmiotów apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Roczne wynagrodzenie DocType: Supplier Scorecard,Weighting Function,Funkcja ważenia +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Błąd podczas oceny formuły kryteriów ,Lab Test Report,Raport z badań laboratoryjnych DocType: BOM,With Operations,Z operacjami @@ -3490,6 +3523,7 @@ DocType: Expense Claim Account,Expense Claim Account,Konto roszczenia dotyczące apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Brak spłat dla zapisu do dziennika apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} jest nieaktywnym uczniem apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Zrób wejście na giełdę +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Rekursja BOM: {0} nie może być rodzicem ani dzieckiem {1} DocType: Employee Onboarding,Activities,Zajęcia apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Co najmniej jeden magazyn jest obowiązkowy ,Customer Credit Balance,Saldo kredytu klienta @@ -3502,9 +3536,11 @@ DocType: Supplier Scorecard Period,Variables,Zmienne apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Wielokrotny program lojalnościowy dla klienta. Wybierz ręcznie. DocType: Patient,Medication,Lek apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Wybierz program lojalnościowy +DocType: Employee Checkin,Attendance Marked,Obecność oznaczona apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Surowy materiał DocType: Sales Order,Fully Billed,W pełni zafakturowane apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Ustaw cenę pokoju hotelowego na {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Wybierz tylko jeden priorytet jako domyślny. apps/erpnext/erpnext/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} 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 / kwota debetu powinna być taka sama jak połączona pozycja dziennika DocType: Purchase Invoice Item,Is Fixed Asset,Czy naprawiono zasób @@ -3525,6 +3561,7 @@ DocType: Purpose of Travel,Purpose of Travel,Cel podróży DocType: Healthcare Settings,Appointment Confirmation,Potwierdzenie spotkania DocType: Shopping Cart Settings,Orders,Święcenia DocType: HR Settings,Retirement Age,Wiek emerytalny +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/stock/page/stock_balance/stock_balance.js,Projected Qty,Przewidywana ilość apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Usuwanie nie jest dozwolone dla kraju {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Wiersz # {0}: Zasób {1} jest już {2} @@ -3608,11 +3645,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Księgowa apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Kupon zamknięcia POS istnieje już od {0} między datą {1} a {2} apps/erpnext/erpnext/config/help.py,Navigating,Żeglujący +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Żadne zaległe faktury nie wymagają aktualizacji kursu walutowego DocType: Authorization Rule,Customer / Item Name,Nazwa klienta / przedmiotu apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nowy numer seryjny nie może mieć magazynu. Magazyn musi być ustalony przez Wjazd lub Odbiór Zakupu DocType: Issue,Via Customer Portal,Przez portal klienta DocType: Work Order Operation,Planned Start Time,Planowany czas rozpoczęcia apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} to {2} +DocType: Service Level Priority,Service Level Priority,Priorytet poziomu usług apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Liczba zarezerwowanych amortyzacji nie może być większa niż całkowita liczba amortyzacji apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Udostępnij Księgę DocType: Journal Entry,Accounts Payable,Rozrachunki z dostawcami @@ -3723,7 +3762,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Dostawa do DocType: Bank Statement Transaction Settings Item,Bank Data,Dane bankowe apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Zaplanowane do końca -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Zachowaj godziny rozliczeniowe i godziny pracy Takie same w grafiku apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Śledzenie potencjalnych klientów według źródła wiodącego. DocType: Clinical Procedure,Nursing User,Użytkownik pielęgniarski DocType: Support Settings,Response Key List,Lista kluczy odpowiedzi @@ -3891,6 +3929,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Rzeczywisty czas rozpoczęcia DocType: Antibiotic,Laboratory User,Użytkownik laboratoryjny apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Aukcje online +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Priorytet {0} został powtórzony. DocType: Fee Schedule,Fee Creation Status,Status tworzenia opłat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Oprogramowania apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Zlecenie sprzedaży do płatności @@ -3957,6 +3996,7 @@ DocType: Patient Encounter,In print,W druku apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Nie można pobrać informacji dla {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Waluta rozliczeniowa musi być równa domyślnej walucie firmy lub walucie konta podmiotu apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Wprowadź identyfikator pracownika tego sprzedawcy +DocType: Shift Type,Early Exit Consequence after,Wczesna konsekwencja wyjścia po apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Utwórz otwarcie sprzedaży i faktury zakupu DocType: Disease,Treatment Period,Okres leczenia apps/erpnext/erpnext/config/settings.py,Setting up Email,Konfigurowanie poczty e-mail @@ -3974,7 +4014,6 @@ DocType: Employee Skill Map,Employee Skills,Umiejętności pracowników apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Nazwa ucznia: DocType: SMS Log,Sent On,Wysłane DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Faktura sprzedaży -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Czas odpowiedzi nie może być większy niż czas rozdzielczości DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","W przypadku Grupy Studenckiej opartej na Kursie, Kurs zostanie zatwierdzony dla każdego Ucznia z zapisanych Kursów w Rejestracji Programu." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Materiały wewnątrzpaństwowe DocType: Employee,Create User Permission,Utwórz uprawnienia użytkownika @@ -4013,6 +4052,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standardowe warunki umowy dotyczące sprzedaży lub zakupu. DocType: Sales Invoice,Customer PO Details,Szczegóły zamówienia klienta apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Nie znaleziono pacjenta +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Wybierz domyślny priorytet. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Usuń przedmiot, jeśli opłaty nie dotyczą tego przedmiotu" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Istnieje grupa klientów o tej samej nazwie. Zmień nazwę klienta lub zmień nazwę grupy klientów 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. @@ -4052,6 +4092,7 @@ DocType: Quality Goal,Quality Goal,Cel jakości DocType: Support Settings,Support Portal,Portal wsparcia apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Data zakończenia zadania {0} nie może być mniejsza niż {1} oczekiwana data rozpoczęcia {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Pracownik {0} jest włączony Opuść {1} +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} DocType: Employee,Held On,Wstrzymany DocType: Healthcare Practitioner,Practitioner Schedules,Harmonogramy dla praktyków DocType: Project Template Task,Begin On (Days),Rozpocznij od (dni) @@ -4059,6 +4100,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Zlecenie pracy zostało {0} DocType: Inpatient Record,Admission Schedule Date,Data harmonogramu przyjęcia apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Korekta wartości aktywów +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. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Dostawy dla niezarejestrowanych osób apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Wszystkie prace DocType: Appointment Type,Appointment Type,Rodzaj spotkania @@ -4172,7 +4214,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Waga brutto paczki. Zwykle masa netto + masa materiału opakowaniowego. (do druku) DocType: Plant Analysis,Laboratory Testing Datetime,Laboratoryjna data badania apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Przedmiot {0} nie może mieć partii -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Rurociąg sprzedaży według etapu apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Siła grupy studentów DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Wpis transakcji wyciągu bankowego DocType: Purchase Order,Get Items from Open Material Requests,Uzyskaj przedmioty z otwartych żądań materiałowych @@ -4254,7 +4295,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Pokaż Aging Warehouse-wise DocType: Sales Invoice,Write Off Outstanding Amount,Zapisz Off Outstanding Amount DocType: Payroll Entry,Employee Details,Szczegóły pracownika -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Czas rozpoczęcia nie może być większy niż czas zakończenia dla {0}. DocType: Pricing Rule,Discount Amount,Kwota rabatu DocType: Healthcare Service Unit Type,Item Details,szczegóły produktu apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Zduplikowana deklaracja podatkowa {0} na okres {1} @@ -4307,7 +4347,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Wynagrodzenie netto nie może być ujemne apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Liczba interakcji 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} w stosunku do zamówienia {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Przesunięcie +DocType: Attendance,Shift,Przesunięcie apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Przetwarzanie planu kont i stron DocType: Stock Settings,Convert Item Description to Clean HTML,Konwertuj opis elementu do czyszczenia HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Wszystkie grupy dostawców @@ -4378,6 +4418,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktywność n DocType: Healthcare Service Unit,Parent Service Unit,Jednostka usługowa dla rodziców DocType: Sales Invoice,Include Payment (POS),Dołącz płatność (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Private Equity +DocType: Shift Type,First Check-in and Last Check-out,Pierwsze zameldowanie i ostatnie wymeldowanie DocType: Landed Cost Item,Receipt Document,Dokument odbioru DocType: Supplier Scorecard Period,Supplier Scorecard Period,Okres karty wyników dostawcy DocType: Employee Grade,Default Salary Structure,Domyślna struktura wynagrodzenia @@ -4460,6 +4501,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Utwórz zamówienie zakupu apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Zdefiniuj budżet na rok budżetowy. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Tabela kont nie może być pusta. +DocType: Employee Checkin,Entry Grace Period Consequence,Konsekwencja okresu Grace wejścia ,Payment Period Based On Invoice Date,Okres płatności na podstawie daty faktury apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Data instalacji nie może być wcześniejsza niż data dostawy dla przedmiotu {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Link do wniosku o materiał @@ -4468,6 +4510,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Zmapowany typ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Wiersz {0}: istnieje już pozycja ponownego zamówienia dla tej hurtowni {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data Doc DocType: Monthly Distribution,Distribution Name,Nazwa dystrybucji +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Dzień roboczy {0} został powtórzony. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Group to Non-Group apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Aktualizacja w toku. To może chwilę potrwać. DocType: Item,"Example: ABCD.##### @@ -4480,6 +4523,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Ilość paliwa apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile Nie DocType: Invoice Discounting,Disbursed,Wypłacone +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/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Zmiana netto w rachunkach płatniczych apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Niedostępne apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,W niepełnym wymiarze godzin @@ -4493,7 +4537,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potencja apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Pokaż PDC w druku apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify dostawca DocType: POS Profile User,POS Profile User,Użytkownik profilu POS -DocType: Student,Middle Name,Drugie imię DocType: Sales Person,Sales Person Name,Nazwa osoby sprzedającej DocType: Packing Slip,Gross Weight,Waga brutto DocType: Journal Entry,Bill No,Bill Nie @@ -4502,7 +4545,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nowa DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Umowa o poziomie usług -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Najpierw wybierz pracownika i datę apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Stawka wyceny przedmiotu jest przeliczana z uwzględnieniem kwoty kuponu kosztów wyładunku DocType: Timesheet,Employee Detail,Szczegóły pracownika DocType: Tally Migration,Vouchers,Kupony @@ -4537,7 +4579,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Umowa o poziomie DocType: Additional Salary,Date on which this component is applied,Data zastosowania tego komponentu apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Lista dostępnych Akcjonariuszy z numerami folio apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Konfiguracja kont bramy. -DocType: Service Level,Response Time Period,Okres czasu odpowiedzi +DocType: Service Level Priority,Response Time Period,Okres czasu odpowiedzi DocType: Purchase Invoice,Purchase Taxes and Charges,Kupuj podatki i opłaty DocType: Course Activity,Activity Date,Data aktywności apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Wybierz lub dodaj nowego klienta @@ -4562,6 +4604,7 @@ DocType: Sales Person,Select company name first.,Najpierw wybierz nazwę firmy. apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Rok budżetowy DocType: Sales Invoice Item,Deferred Revenue,Odroczone przychody apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Należy wybrać co najmniej jedną ze sprzedaży lub zakupu +DocType: Shift Type,Working Hours Threshold for Half Day,Próg godzin pracy na pół dnia ,Item-wise Purchase History,Historia zakupów pod kątem przedmiotu apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Nie można zmienić daty zakończenia usługi dla elementu w wierszu {0} DocType: Production Plan,Include Subcontracted Items,Dołącz przedmioty podwykonawców @@ -4594,6 +4637,7 @@ DocType: Journal Entry,Total Amount Currency,Całkowita kwota waluty DocType: BOM,Allow Same Item Multiple Times,Zezwalaj na wiele razy tego samego przedmiotu apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Utwórz zestawienie komponentów DocType: Healthcare Practitioner,Charges,Opłaty +DocType: Employee,Attendance and Leave Details,Frekwencja i szczegóły urlopu DocType: Student,Personal Details,Dane osobowe DocType: Sales Order,Billing and Delivery Status,Stan fakturowania i dostawy apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Wiersz {0}: dla dostawcy {0} adres e-mail jest wymagany do wysłania wiadomości e-mail @@ -4645,7 +4689,6 @@ DocType: Bank Guarantee,Supplier,Dostawca apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Wpisz wartość między {0} a {1} DocType: Purchase Order,Order Confirmation Date,Data potwierdzenia zamówienia DocType: Delivery Trip,Calculate Estimated Arrival Times,Oblicz szacunkowe czasy przybycia -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 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Materiały eksploatacyjne DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Data rozpoczęcia subskrypcji @@ -4668,7 +4711,7 @@ DocType: Installation Note Item,Installation Note Item,Uwaga dotycząca instalac DocType: Journal Entry Account,Journal Entry Account,Konto wpisu do dziennika apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Wariant apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Aktywność na forum -DocType: Service Level,Resolution Time Period,Okres czasu rozdzielczości +DocType: Service Level Priority,Resolution Time Period,Okres czasu rozdzielczości DocType: Request for Quotation,Supplier Detail,Szczegóły dostawcy DocType: Project Task,View Task,Wyświetl zadanie DocType: Serial No,Purchase / Manufacture Details,Szczegóły zakupu / produkcji @@ -4735,6 +4778,7 @@ DocType: Sales Invoice,Commission Rate (%),Stawka prowizji (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Magazyn może zostać zmieniony tylko za pośrednictwem wjazdu / dowodu dostawy / pokwitowania zakupu DocType: Support Settings,Close Issue After Days,Bliski problem po dniach DocType: Payment Schedule,Payment Schedule,Harmonogram płatności +DocType: Shift Type,Enable Entry Grace Period,Włącz okres ważności wpisu DocType: Patient Relation,Spouse,Małżonka DocType: Purchase Invoice,Reason For Putting On Hold,Powód wstrzymania DocType: Item Attribute,Increment,Przyrost @@ -4874,6 +4918,7 @@ DocType: Authorization Rule,Customer or Item,Klient lub przedmiot DocType: Vehicle Log,Invoice Ref,Ref. Faktury apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Formularz C nie ma zastosowania do faktury: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Faktura utworzona +DocType: Shift Type,Early Exit Grace Period,Wczesny okres wyjścia z inwestycji DocType: Patient Encounter,Review Details,Sprawdź szczegóły apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Wiersz {0}: wartość godzin musi być większa niż zero. DocType: Account,Account Number,Numer konta @@ -4885,7 +4930,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned 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" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Warunki nakładania się: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Płatny i niedostarczony -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Kod towaru jest obowiązkowy, ponieważ pozycja nie jest automatycznie numerowana" DocType: GST HSN Code,HSN Code,Kod HSN DocType: GSTR 3B Report,September,wrzesień apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Koszty administracyjne @@ -4921,6 +4965,8 @@ DocType: Travel Itinerary,Travel From,Podróż od apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Konto CWIP DocType: SMS Log,Sender Name,Imię nadawcy DocType: Pricing Rule,Supplier Group,Grupa Dostawców +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Ustaw czas rozpoczęcia i czas zakończenia dla dnia pomocy {0} w indeksie {1}. DocType: Employee,Date of Issue,Data wydania ,Requested Items To Be Transferred,Żądane przedmioty do przekazania DocType: Employee,Contract End Date,Data zakończenia umowy @@ -4931,6 +4977,7 @@ DocType: Healthcare Service Unit,Vacant,Pusty DocType: Opportunity,Sales Stage,Etap sprzedaży DocType: Sales Order,In Words will be visible once you save the Sales Order.,In Words będą widoczne po zapisaniu zlecenia sprzedaży. DocType: Item Reorder,Re-order Level,Zamów ponownie poziom +DocType: Shift Type,Enable Auto Attendance,Włącz automatyczne uczestnictwo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Pierwszeństwo ,Department Analytics,Dział Analizy DocType: Crop,Scientific Name,Nazwa naukowa @@ -4943,6 +4990,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} status to {2} DocType: Quiz Activity,Quiz Activity,Aktywność Quiz apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} nie jest w prawidłowym okresie płacowym DocType: Timesheet,Billed,Rachunek +apps/erpnext/erpnext/config/support.py,Issue Type.,Typ problemu. DocType: Restaurant Order Entry,Last Sales Invoice,Ostatnia faktura sprzedaży DocType: Payment Terms Template,Payment Terms,Zasady płatności apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Zarezerwowana ilość: ilość zamówiona do sprzedaży, ale nie dostarczona." @@ -5038,6 +5086,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Kapitał apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} nie ma harmonogramu dla pracowników służby zdrowia. Dodaj go do mistrza opieki zdrowotnej DocType: Vehicle,Chassis No,Nr podwozia +DocType: Employee,Default Shift,Domyślne przesunięcie apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Skrót firmy apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Drzewo Bill of Materials DocType: Article,LMS User,Użytkownik LMS @@ -5086,6 +5135,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Rodzic sprzedawca DocType: Student Group Creation Tool,Get Courses,Uzyskaj kursy apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Wiersz # {0}: Ilość musi wynosić 1, ponieważ element jest środkiem trwałym. Proszę użyć oddzielnego wiersza dla wielu ilości." +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ć)" DocType: Customer Group,Only leaf nodes are allowed in transaction,W transakcji dozwolone są tylko węzły liści DocType: Grant Application,Organization,Organizacja DocType: Fee Category,Fee Category,Kategoria opłaty @@ -5098,6 +5148,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Zaktualizuj swój status dla tego wydarzenia szkoleniowego DocType: Volunteer,Morning,Ranek DocType: Quotation Item,Quotation Item,Przedmiot oferty +apps/erpnext/erpnext/config/support.py,Issue Priority.,Priorytet wydania. DocType: Journal Entry,Credit Card Entry,Wprowadzenie karty kredytowej apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Przesunięty przedział czasowy, gniazdo {0} do {1} nakładające się na istniejący slot {2} na {3}" DocType: Journal Entry Account,If Income or Expense,Jeśli dochód lub wydatek @@ -5148,11 +5199,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Import i ustawienia danych 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 Auto Opt In, klienci zostaną automatycznie połączeni z danym programem lojalnościowym (przy zapisie)" DocType: Account,Expense Account,Rachunek wydatków +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Czas przed rozpoczęciem zmiany, podczas którego odprawa pracownicza jest brana pod uwagę przy uczestnictwie." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Związek z opiekunem1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Wystaw fakturę apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Żądanie płatności już istnieje {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Pracownik zwolniony na {0} musi być ustawiony jako „Lewy” apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Zapłać {0} {1} +DocType: Company,Sales Settings,Ustawienia sprzedaży DocType: Sales Order Item,Produced Quantity,Ilość wyprodukowana apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,"Dostęp do zapytania ofertowego można uzyskać, klikając poniższy link" DocType: Monthly Distribution,Name of the Monthly Distribution,Nazwa miesięcznej dystrybucji @@ -5231,6 +5284,7 @@ DocType: Company,Default Values,Wartości domyślne apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Tworzone są domyślne szablony podatków dla sprzedaży i zakupu. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Pozostaw typ {0} nie może być przeniesiony apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Konto debetowe musi być kontem należności +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Ustaw konto w magazynie {0} lub domyślne konto zapasów w firmie {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Ustaw jako domyślne DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Waga netto tego opakowania. (obliczany automatycznie jako suma wagi netto przedmiotów) @@ -5257,8 +5311,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Wygasłe partie DocType: Shipping Rule,Shipping Rule Type,Typ reguły wysyłki DocType: Job Offer,Accepted,Przyjęty -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/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Oceniłeś już kryteria oceny {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Wybierz numery partii apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Wiek (dni) @@ -5285,6 +5337,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Wybierz swoje domeny DocType: Agriculture Task,Task Name,Nazwa zadania apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Zapasy zapasowe już utworzone dla zlecenia pracy +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" ,Amount to Deliver,Kwota do dostarczenia apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Firma {0} nie istnieje apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Nie znaleziono oczekujących żądań materiałowych do powiązania dla danych pozycji. @@ -5334,6 +5388,7 @@ DocType: Program Enrollment,Enrolled courses,Zarejestrowane kursy DocType: Lab Prescription,Test Code,Kod testu DocType: Purchase Taxes and Charges,On Previous Row Total,W poprzednim wierszu łącznie DocType: Student,Student Email Address,Adres e-mail studenta +,Delayed Item Report,Raport o opóźnionych przesyłkach DocType: Academic Term,Education,Edukacja DocType: Supplier Quotation,Supplier Address,Adres dostawcy DocType: Salary Detail,Do not include in total,Nie dołączaj łącznie @@ -5341,7 +5396,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nie istnieje DocType: Purchase Receipt Item,Rejected Quantity,Odrzucona ilość DocType: Cashier Closing,To TIme,Do tego -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: Daily Work Summary Group User,Daily Work Summary Group User,Codzienne podsumowanie pracy użytkownika grupy DocType: Fiscal Year Company,Fiscal Year Company,Firma z roku obrotowego apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternatywny przedmiot nie może być taki sam jak kod towaru @@ -5393,6 +5447,7 @@ DocType: Program Fee,Program Fee,Opłata za program DocType: Delivery Settings,Delay between Delivery Stops,Opóźnienie między przystankami dostawy DocType: Stock Settings,Freeze Stocks Older Than [Days],Zamrożone zapasy starsze niż [dni] DocType: Promotional Scheme,Promotional Scheme Product Discount,Rabat na program promocyjny +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Priorytet wydania już istnieje DocType: Account,Asset Received But Not Billed,"Otrzymany zasób, ale nie rozliczony" DocType: POS Closing Voucher,Total Collected Amount,Łączna kwota pobrana DocType: Course,Default Grading Scale,Domyślna skala ocen @@ -5435,6 +5490,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Warunki realizacji apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Non-Group to Group DocType: Student Guardian,Mother,Matka +DocType: Issue,Service Level Agreement Fulfilled,Spełniona umowa o poziomie usług DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Odliczenie podatku za nieodebrane świadczenia pracownicze DocType: Travel Request,Travel Funding,Finansowanie podróży DocType: Shipping Rule,Fixed,Naprawiony @@ -5464,10 +5520,12 @@ DocType: Item,Warranty Period (in days),Okres gwarancji (w dniach) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Nie znaleziono żadnych elementów. DocType: Item Attribute,From Range,Z zakresu DocType: Clinical Procedure,Consumables,Materiały eksploatacyjne +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,Wymagane są „wartość_pola pracownika” i „znacznik czasu”. DocType: Purchase Taxes and Charges,Reference Row #,Wiersz odniesienia # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Ustaw „Miejsce kosztowe amortyzacji aktywów” w firmie {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Wiersz # {0}: dokument płatności jest wymagany do ukończenia transakcji DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Kliknij ten przycisk, aby pobrać dane zlecenia klienta z usługi Amazon MWS." +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ć)" ,Assessment Plan Status,Status planu oceny apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Najpierw wybierz {0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Prześlij to, aby utworzyć rekord pracownika" @@ -5538,6 +5596,7 @@ DocType: Quality Procedure,Parent Procedure,Procedura rodzicielska apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Ustaw Otwórz apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Przełącz filtry DocType: Production Plan,Material Request Detail,Szczegóły żądania materiału +DocType: Shift Type,Process Attendance After,Uczestnictwo w procesie po DocType: Material Request Item,Quantity and Warehouse,Ilość i magazyn apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Przejdź do programów apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Wiersz # {0}: zduplikowany wpis w referencjach {1} {2} @@ -5595,6 +5654,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Informacje o imprezie apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Dłużnicy ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Do tej pory nie może być większa niż data zwolnienia pracownika +DocType: Shift Type,Enable Exit Grace Period,Włącz okres wyjścia Grace DocType: Expense Claim,Employees Email Id,Adres e-mail pracowników DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Zaktualizuj cenę z Cennika Shopify do ERPNext DocType: Healthcare Settings,Default Medical Code Standard,Domyślny standard medyczny @@ -5625,7 +5685,6 @@ DocType: Item Group,Item Group Name,Nazwa grupy elementów DocType: Budget,Applicable on Material Request,Dotyczy wniosku materiałowego DocType: Support Settings,Search APIs,API wyszukiwania DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Procent nadprodukcji dla zlecenia sprzedaży -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Specyfikacje DocType: Purchase Invoice,Supplied Items,Dostarczone przedmioty DocType: Leave Control Panel,Select Employees,Wybierz pracowników apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Wybierz rachunek dochodu odsetkowego w pożyczce {0} @@ -5651,7 +5710,7 @@ DocType: Salary Slip,Deductions,Odliczenia ,Supplier-Wise Sales Analytics,Analityka sprzedaży dostawca-mądry DocType: GSTR 3B Report,February,luty DocType: Appraisal,For Employee,Dla pracownika -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Rzeczywista data dostawy +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Rzeczywista data dostawy DocType: Sales Partner,Sales Partner Name,Nazwa partnera handlowego apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Wiersz amortyzacji {0}: datę rozpoczęcia amortyzacji wprowadza się jako datę przeszłą DocType: GST HSN Code,Regional,Regionalny @@ -5690,6 +5749,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Fak DocType: Supplier Scorecard,Supplier Scorecard,Karta wyników dostawcy DocType: Travel Itinerary,Travel To,Podróż do apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Oznacz obecność +DocType: Shift Type,Determine Check-in and Check-out,Określ odprawę i wymeldowanie DocType: POS Closing Voucher,Difference,Różnica apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Mały DocType: Work Order Item,Work Order Item,Przedmiot zlecenia pracy @@ -5723,6 +5783,7 @@ DocType: Sales Invoice,Shipping Address Name,Nazwa adresu wysyłki apps/erpnext/erpnext/healthcare/setup.py,Drug,Narkotyk apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} jest zamknięte DocType: Patient,Medical History,Historia medyczna +DocType: Expense Claim,Expense Taxes and Charges,Podatki i opłaty z tytułu kosztów DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Liczba dni po upływie daty faktury przed anulowaniem subskrypcji lub oznaczeniem subskrypcji jako nieopłaconej apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Uwaga dotycząca instalacji {0} została już przesłana DocType: Patient Relation,Family,Rodzina @@ -5755,7 +5816,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,siła apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,"{0} jednostek {1} potrzebnych w {2}, aby zakończyć tę transakcję." DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush Surowce Subcontract Na podstawie -DocType: Bank Guarantee,Customer,Klient DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Jeśli opcja jest włączona, pole Okres akademicki będzie obowiązkowe w narzędziu rejestrowania programów." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","W przypadku grupy studentów opartej na partii, partia studencka zostanie zatwierdzona dla każdego ucznia z rejestracji programu." DocType: Course,Topics,Tematy @@ -5835,6 +5895,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Członkowie rozdziału DocType: Warranty Claim,Service Address,Adres usługi DocType: Journal Entry,Remark,Uwaga +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Wiersz {0}: ilość niedostępna dla {4} w magazynie {1} w czasie księgowania wpisu ({2} {3}) DocType: Patient Encounter,Encounter Time,Czas spotkania DocType: Serial No,Invoice Details,Dane do faktury 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 konta można tworzyć w Grupach, ale wpisy mogą być dokonywane przeciwko grupom" @@ -5915,6 +5976,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","P apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Zamknięcie (otwarcie + suma) DocType: Supplier Scorecard Criteria,Criteria Formula,Formuła kryteriów apps/erpnext/erpnext/config/support.py,Support Analytics,Wsparcie Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Identyfikator urządzenia obecności (identyfikator biometryczny / RF) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Recenzja i działanie DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Jeśli konto jest zamrożone, wpisy są dozwolone dla użytkowników z ograniczeniami." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Kwota po amortyzacji @@ -5936,6 +5998,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Spłata pożyczki DocType: Employee Education,Major/Optional Subjects,Główne / opcjonalne przedmioty DocType: Soil Texture,Silt,Muł +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Adresy dostawców i kontakty DocType: Bank Guarantee,Bank Guarantee Type,Typ gwarancji bankowej DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Jeśli opcja jest wyłączona, pole „Zaokrąglona suma” nie będzie widoczne w żadnej transakcji" DocType: Pricing Rule,Min Amt,Min Amt @@ -5974,6 +6037,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Narzędzie do tworzenia faktury otwarcia DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Dołącz transakcje POS +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nie znaleziono pracownika dla danej wartości pola pracownika. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Otrzymana kwota (waluta firmy) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Pamięć lokalna jest pełna, nie zapisała" DocType: Chapter Member,Chapter Member,Członek Kapituły @@ -6006,6 +6070,7 @@ DocType: SMS Center,All Lead (Open),All Lead (Open) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Nie utworzono grup studentów. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Zduplikowany wiersz {0} z tym samym {1} DocType: Employee,Salary Details,Szczegóły wynagrodzenia +DocType: Employee Checkin,Exit Grace Period Consequence,Konsekwencja okresu wygładzania DocType: Bank Statement Transaction Invoice Item,Invoice,Faktura DocType: Special Test Items,Particulars,Szczegóły apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Ustaw filtr na podstawie elementu lub magazynu @@ -6107,6 +6172,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Z AMC DocType: Job Opening,"Job profile, qualifications required etc.","Profil pracy, wymagane kwalifikacje itp." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Ship To State +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Czy chcesz przesłać żądanie materiałowe DocType: Opportunity Item,Basic Rate,Podstawowa stawka DocType: Compensatory Leave Request,Work End Date,Data zakończenia pracy apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Zapytanie o surowce @@ -6292,6 +6358,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Kwota amortyzacji DocType: Sales Order Item,Gross Profit,Zysk brutto DocType: Quality Inspection,Item Serial No,Pozycja Nr seryjny DocType: Asset,Insurer,Ubezpieczający +DocType: Employee Checkin,OUT,NA ZEWNĄTRZ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Kwota zakupu DocType: Asset Maintenance Task,Certificate Required,Wymagany certyfikat DocType: Retention Bonus,Retention Bonus,Premia z zatrzymania @@ -6407,6 +6474,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Kwota różnicy (wal DocType: Invoice Discounting,Sanctioned,Sankcjonowany DocType: Course Enrollment,Course Enrollment,Rejestracja kursu DocType: Item,Supplier Items,Przedmioty dostawcy +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Czas rozpoczęcia nie może być większy lub równy czasowi zakończenia dla {0}. DocType: Sales Order,Not Applicable,Nie dotyczy DocType: Support Search Source,Response Options,Opcje odpowiedzi apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} powinna mieć wartość od 0 do 100 @@ -6491,7 +6560,6 @@ DocType: Travel Request,Costing,Analiza cen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Środki trwałe DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Całkowite zarobki -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> Grupa klientów> Terytorium DocType: Share Balance,From No,Od Nie DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Faktura do uzgodnienia płatności DocType: Purchase Invoice,Taxes and Charges Added,Dodano podatki i opłaty @@ -6599,6 +6667,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignoruj regułę cenową apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,jedzenie DocType: Lost Reason Detail,Lost Reason Detail,Szczegóły utraconego powodu +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Utworzono następujące numery seryjne:
{0} DocType: Maintenance Visit,Customer Feedback,Opinie klientów DocType: Serial No,Warranty / AMC Details,Gwarancja / szczegóły AMC DocType: Issue,Opening Time,Czas otwarcia @@ -6648,6 +6717,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Nazwa firmy nie jest taka sama apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Promocji pracownika nie można przesłać przed datą promocji apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nie wolno aktualizować transakcji giełdowych starszych niż {0} +DocType: Employee Checkin,Employee Checkin,Checkin pracownika apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Data rozpoczęcia powinna być krótsza niż data zakończenia dla elementu {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Utwórz oferty dla klientów DocType: Buying Settings,Buying Settings,Ustawienia zakupu @@ -6669,6 +6739,7 @@ DocType: Job Card Time Log,Job Card Time Log,Dziennik czasu pracy karty DocType: Patient,Patient Demographics,Dane demograficzne pacjenta DocType: Share Transfer,To Folio No,Do folio nie apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Przepływy pieniężne z operacji +DocType: Employee Checkin,Log Type,Typ dziennika DocType: Stock Settings,Allow Negative Stock,Zezwalaj na negatywne zapasy apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Żaden z elementów nie ma żadnych zmian w ilości ani wartości. DocType: Asset,Purchase Date,Data zakupu @@ -6713,6 +6784,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Bardzo hiper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Wybierz charakter swojej firmy. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Wybierz miesiąc i rok +DocType: Service Level,Default Priority,Domyślny priorytet DocType: Student Log,Student Log,Dziennik ucznia DocType: Shopping Cart Settings,Enable Checkout,Włącz usługę Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Zasoby ludzkie @@ -6741,7 +6813,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Połącz Shopify z ERPNext DocType: Homepage Section Card,Subtitle,Podtytuł DocType: Soil Texture,Loam,Ił -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dostawca> Typ dostawcy DocType: BOM,Scrap Material Cost(Company Currency),Koszt materiału złomowego (waluta firmy) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Uwaga dotycząca dostawy {0} nie może zostać przesłana DocType: Task,Actual Start Date (via Time Sheet),Rzeczywista data rozpoczęcia (za pomocą karty czasu) @@ -6797,6 +6868,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dawkowanie DocType: Cheque Print Template,Starting position from top edge,Pozycja wyjściowa od górnej krawędzi apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Czas spotkania (min) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Ten pracownik ma już dziennik z tym samym znacznikiem czasu. {0} DocType: Accounting Dimension,Disable,Wyłączyć DocType: Email Digest,Purchase Orders to Receive,Zamówienia zakupu do odbioru apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Produkcje Zamówienia nie można składać za: @@ -6812,7 +6884,6 @@ DocType: Production Plan,Material Requests,Żądania materiałów DocType: Buying Settings,Material Transferred for Subcontract,Materiał przeniesiony na podwykonawstwo DocType: Job Card,Timing Detail,Szczegóły synchronizacji apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Wymagane Włączone -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Importowanie {0} z {1} DocType: Job Offer Term,Job Offer Term,Termin oferty pracy DocType: SMS Center,All Contact,Wszystko Kontakt DocType: Project Task,Project Task,Zadanie projektowe @@ -6863,7 +6934,6 @@ DocType: Student Log,Academic,Akademicki apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Pozycja {0} nie jest ustawiona dla numerów seryjnych. Sprawdź element główny apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Z państwa DocType: Leave Type,Maximum Continuous Days Applicable,Maksymalne ciągłe dni -apps/erpnext/erpnext/config/support.py,Support Team.,Grupa wsparcia. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Najpierw wprowadź nazwę firmy apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Import zakończony sukcesem DocType: Guardian,Alternate Number,Alternatywny numer @@ -6955,6 +7025,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Wiersz # {0}: element dodany DocType: Student Admission,Eligibility and Details,Uprawnienia i szczegóły DocType: Staffing Plan,Staffing Plan Detail,Szczegółowy plan personelu +DocType: Shift Type,Late Entry Grace Period,Okres późnego wejścia DocType: Email Digest,Annual Income,Roczny dochód DocType: Journal Entry,Subscription Section,Sekcja subskrypcji DocType: Salary Slip,Payment Days,Dni płatności @@ -7005,6 +7076,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Bilans konta DocType: Asset Maintenance Log,Periodicity,Okresowość apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Historia choroby +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Typ dziennika jest wymagany w przypadku zameldowań przypadających na zmianę: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Wykonanie DocType: Item,Valuation Method,Metoda wyceny apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} przeciwko fakturze sprzedaży {1} @@ -7089,6 +7161,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Szacowany koszt na poz DocType: Loan Type,Loan Name,Nazwa pożyczki apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Ustaw domyślny tryb płatności DocType: Quality Goal,Revision,Rewizja +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Czas przed czasem zakończenia zmiany, gdy wymeldowanie jest uważane za wczesne (w minutach)." DocType: Healthcare Service Unit,Service Unit Type,Typ jednostki serwisowej DocType: Purchase Invoice,Return Against Purchase Invoice,Zwrot z faktury zakupu apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Generuj sekret @@ -7244,12 +7317,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Kosmetyki DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Zaznacz to, jeśli chcesz zmusić użytkownika do wybrania serii przed zapisaniem. Nie będzie domyślnie, jeśli to zaznaczysz." 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ć zapisy księgowe na zamrożonych kontach +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod towaru> Grupa produktów> Marka DocType: Expense Claim,Total Claimed Amount,Łączna kwota żądana apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Nie można znaleźć przedziału czasowego w ciągu następnych {0} dni dla operacji {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Zawijanie apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Możesz odnowić tylko wtedy, gdy twoje członkostwo wygasa w ciągu 30 dni" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Wartość musi zawierać się między {0} a {1} DocType: Quality Feedback,Parameters,Parametry +DocType: Shift Type,Auto Attendance Settings,Ustawienia automatycznej obecności ,Sales Partner Transaction Summary,Podsumowanie transakcji partnera handlowego DocType: Asset Maintenance,Maintenance Manager Name,Nazwa menedżera utrzymania apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Należy pobrać Szczegóły pozycji. @@ -7341,10 +7416,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Sprawdź poprawność zastosowanej reguły DocType: Job Card Item,Job Card Item,Przedmiot karty pracy DocType: Homepage,Company Tagline for website homepage,Tagline firmy na stronie głównej +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Ustaw czas odpowiedzi i rozdzielczość dla priorytetu {0} w indeksie {1}. DocType: Company,Round Off Cost Center,Centrum kosztów zaokrąglone DocType: Supplier Scorecard Criteria,Criteria Weight,Waga kryterium DocType: Asset,Depreciation Schedules,Harmonogramy amortyzacji -DocType: Expense Claim Detail,Claim Amount,Kwota roszczenia DocType: Subscription,Discounts,Zniżki DocType: Shipping Rule,Shipping Rule Conditions,Warunki dostawy DocType: Subscription,Cancelation Date,Data anulowania @@ -7372,7 +7447,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Twórz potencjalnych k apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Pokaż zero wartości DocType: Employee Onboarding,Employee Onboarding,Onboarding pracownika DocType: POS Closing Voucher,Period End Date,Data zakończenia okresu -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Możliwości sprzedaży według źródła DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Pierwszy pozostawiony zatwierdzający na liście zostanie ustawiony jako domyślny pozostawiony zatwierdzający. DocType: POS Settings,POS Settings,Ustawienia POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Wszystkie konta @@ -7393,7 +7467,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Wiersz # {0}: stawka musi być taka sama jak {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Elementy usługi opieki zdrowotnej -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Nic nie znaleziono apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Zakres starzenia się 3 DocType: Vital Signs,Blood Pressure,Ciśnienie krwi apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Cel włączony @@ -7440,6 +7513,7 @@ DocType: Company,Existing Company,Istniejąca firma apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Partie apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Obrona DocType: Item,Has Batch No,Ma numer partii +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Opóźnione dni DocType: Lead,Person Name,Imię osoby DocType: Item Variant,Item Variant,Wariant produktu DocType: Training Event Employee,Invited,Zaproszony @@ -7461,7 +7535,7 @@ DocType: Purchase Order,To Receive and Bill,Odbierać i Bill apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Daty rozpoczęcia i zakończenia nie w ważnym okresie płacowym, nie można obliczyć {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Pokazuj tylko klientów tych grup klientów apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,"Wybierz elementy, aby zapisać fakturę" -DocType: Service Level,Resolution Time,Czas rozdzielczości +DocType: Service Level Priority,Resolution Time,Czas rozdzielczości DocType: Grading Scale Interval,Grade Description,Opis klasy DocType: Homepage Section,Cards,Karty DocType: Quality Meeting Minutes,Quality Meeting Minutes,Protokół spotkania jakości @@ -7488,6 +7562,7 @@ DocType: Project,Gross Margin %,Marża brutto% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Saldo wyciągu bankowego według księgi głównej apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Opieka zdrowotna (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,"Domyślna hurtownia, aby utworzyć zamówienie sprzedaży i notatkę dostawy" +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Czas odpowiedzi dla {0} w indeksie {1} nie może być większy niż czas rozdzielczości. DocType: Opportunity,Customer / Lead Name,Nazwa klienta / potencjalnego klienta DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Nieodebrana kwota @@ -7534,7 +7609,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importowanie stron i adresów DocType: Item,List this Item in multiple groups on the website.,Wypisz ten przedmiot w wielu grupach na stronie. DocType: Request for Quotation,Message for Supplier,Wiadomość dla dostawcy -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,"Nie można zmienić {0}, ponieważ istnieje transakcja magazynowa dla elementu {1}." DocType: Healthcare Practitioner,Phone (R),Telefon (R) DocType: Maintenance Team Member,Team Member,Członek zespołu DocType: Asset Category Account,Asset Category Account,Konto kategorii aktywów diff --git a/erpnext/translations/ps.csv b/erpnext/translations/ps.csv index 09d75b5ca6..a3547ec613 100644 --- a/erpnext/translations/ps.csv +++ b/erpnext/translations/ps.csv @@ -71,7 +71,7 @@ DocType: Lab Prescription,Test Created,ازموینه جوړه شوه DocType: Academic Term,Term Start Date,د پای نیټه نیټه DocType: Purchase Receipt,Vehicle Number,د موټرو شمېره apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,ستاسو بریښنالیک پته -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,د ډیزاین کتاب کتاب لیکونه شامل کړئ +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,د ډیزاین کتاب کتاب لیکونه شامل کړئ DocType: Activity Cost,Activity Type,د فعالیت ډول DocType: Purchase Invoice,Get Advances Paid,ورکړل شوي معاشونه ترلاسه کړئ DocType: Company,Gain/Loss Account on Asset Disposal,د شتمنیو د ضایع کیدو په اړه د پیسو / ضایعاتو حساب @@ -215,7 +215,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,دا څه کوي DocType: Bank Reconciliation,Payment Entries,د تادیاتو لیکنه DocType: Employee Education,Class / Percentage,کلاس / فیصده ,Electronic Invoice Register,د بریښنایی انوون راجستر +DocType: Shift Type,The number of occurrence after which the consequence is executed.,د پیښې شمیره وروسته پایله اعدام شوه. DocType: Sales Invoice,Is Return (Credit Note),بیرته ستنیدل (کریډیټ یادښت) +DocType: Price List,Price Not UOM Dependent,بیه د UOM پرځای نه ده DocType: Lab Test Sample,Lab Test Sample,د لابراتوار ازموینه DocType: Shopify Settings,status html,حالت HTML DocType: Fiscal Year,"For e.g. 2012, 2012-13",د 2012 لپاره، 2012-13 لپاره @@ -312,6 +314,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,د محصول ل DocType: Salary Slip,Net Pay,خالص معاش apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,د ټولو پیسو اخیستل DocType: Clinical Procedure,Consumables Invoice Separately,د پیسو اختصاص مختلف دي +DocType: Shift Type,Working Hours Threshold for Absent,د نوبت لپاره د کاري ساعتونو تریشول DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-YY. -.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},بودیجه نشي کولی د ګروپ حساب په وړاندې وټاکل شي {0} DocType: Purchase Receipt Item,Rate and Amount,اندازه او مقدار @@ -363,7 +366,6 @@ DocType: Sales Invoice,Set Source Warehouse,د سرچینې ګودام ټاکئ DocType: Healthcare Settings,Out Patient Settings,د ناروغۍ ترتیبات DocType: Asset,Insurance End Date,د بیمې پای نیټه DocType: Bank Account,Branch Code,د څانګې کوډ -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,د ځواب لپاره وخت apps/erpnext/erpnext/public/js/conf.js,User Forum,د کارن فورم DocType: Landed Cost Item,Landed Cost Item,د لیږد لګښت توکي apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,پلورونکی او پیرودونکی ورته نشي @@ -574,6 +576,7 @@ apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,د مالیې وړ DocType: Lead,Lead Owner,مالکیت رهبري کړئ DocType: Share Transfer,Transfer,انتقال apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),د لټون توکي (Ctrl + i) +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,د نیټې څخه د نیټې څخه تر دې مهاله نه وي DocType: Supplier,Supplier of Goods or Services.,د سامان یا خدماتو سپارل. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,د نوی حساب نوم. یادونه: لطفا د پیرودونکو او اکمالاتو لپاره حساب مه پیدا کړئ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,د زده کونکي ګروپ یا د کورس دوره ضروري ده @@ -848,7 +851,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,د احتم DocType: Skill,Skill Name,د مهارت نوم apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,د چاپ راپور کارت DocType: Soil Texture,Ternary Plot,Ternary Plot -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ملاتړ ټکټونه DocType: Asset Category Account,Fixed Asset Account,فکس شوي شتمنۍ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,وروستي @@ -861,6 +863,7 @@ DocType: Delivery Trip,Distance UOM,فاصله UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,د بیلنس شیٹ لپاره مساوي DocType: Payment Entry,Total Allocated Amount,ټولې ټولې شوې پیسې DocType: Sales Invoice,Get Advances Received,لاسته راوړل شوي لاسته راوړنې ترلاسه کړئ +DocType: Shift Type,Last Sync of Checkin,د چیکین وروستی مطابقت DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,د شتمنیو مالیه مقدار په ارزښت کې شامل شوي apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -869,7 +872,9 @@ DocType: Subscription Plan,Subscription Plan,د ګډون پلان DocType: Student,Blood Group,د وینی ګروپ apps/erpnext/erpnext/config/healthcare.py,Masters,ماسټر DocType: Crop,Crop Spacing UOM,د کرهنې فاصله UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,د بدلون له پیل څخه وخت وروسته کله چې د چک په لیږد کې (ناوخته) په پام کې نیول کیږي. apps/erpnext/erpnext/templates/pages/home.html,Explore,وپلټئ +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,هیڅ بسته شوې پیسې نه موندل شوي DocType: Promotional Scheme,Product Discount Slabs,د محصول د لیرې کولو سلیبونه DocType: Hotel Room Package,Amenities,امکانات DocType: Lab Test Groups,Add Test,ازموينه زياته کړئ @@ -963,6 +968,7 @@ DocType: Attendance,Attendance Request,حاضري غوښتنه DocType: Item,Moving Average,اوسط حرکت کول DocType: Employee Attendance Tool,Unmarked Attendance,نامعلومه حاضري DocType: Homepage Section,Number of Columns,د کالونو شمیر +DocType: Issue Priority,Issue Priority,د لومړیتوب مسله DocType: Holiday List,Add Weekly Holidays,د اونۍ رخصتیو اضافه کړئ DocType: Shopify Log,Shopify Log,د دوتنې نښه apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,د معاش معاش @@ -971,6 +977,7 @@ DocType: Job Offer Term,Value / Description,ارزښت / تفصیل DocType: Warranty Claim,Issue Date,صادرونې نېټه 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} لپاره یو بسته غوره کړئ. د یو واحد بسته موندلو توان نلري چې دا اړتیا پوره کوي apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,د پاتې کارمندانو لپاره د ساتلو بونس نشي کولی +DocType: Employee Checkin,Location / Device ID,ځای / د ډاټا ID DocType: Purchase Order,To Receive,ترلاسه کولو لپاره apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,ته په نالیکي اکر کې یې. تاسو به د دې توان ونلرئ تر څو چې تاسو شبکې نلرئ. DocType: Course Activity,Enrollment,نومول @@ -979,7 +986,6 @@ DocType: Lab Test Template,Lab Test Template,د لابراتوار ازموین apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},مکس: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,د بریښناليک د معلوماتو خبر ورکونه apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,د مادي غوښتنه نه جوړه شوې -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,د توکو کوډ> توکي توکي> برنامه DocType: Loan,Total Amount Paid,ټولې پیسې ورکړل شوي apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,دا ټول توکي دمخه تیر شوي دي DocType: Training Event,Trainer Name,د روزونکي نوم @@ -1087,6 +1093,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},مهرباني وکړئ په لیډ {0} کې د لیډ نوم یاد کړئ DocType: Employee,You can enter any date manually,تاسو کولی شئ په دستګاه ډول هره ورځ درج کړئ DocType: Stock Reconciliation Item,Stock Reconciliation Item,د استمالک توکي +DocType: Shift Type,Early Exit Consequence,د مخنیوی له پیل څخه مخکې DocType: Item Group,General Settings,عمومي ترتیبات apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,د پیښې نیټه د پیرود / د پیرودونکو د رسید نیټې دمخه نشي کیدی apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,د تسلیم کولو دمخه وړاندې د ګټه اخیستونکي نوم درج کړئ. @@ -1125,6 +1132,7 @@ DocType: Account,Auditor,پلټونکی apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,د تادیاتو تایید ,Available Stock for Packing Items,د پیرودونکو توکو لپاره د لاسرسي وړ سټاک apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},مهرباني وکړئ دا انوائس {0} له C-Form {1} څخه لرې کړئ +DocType: Shift Type,Every Valid Check-in and Check-out,هر باوري چک چک او چیک DocType: Support Search Source,Query Route String,د پوښتنو لارښوونکي DocType: Customer Feedback Template,Customer Feedback Template,د پیرودونکي ځواب apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,د لارښوونو یا پیرودونکو لپاره حواله. @@ -1159,6 +1167,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,صالحیت کنټرول ,Daily Work Summary Replies,د ورځني کار لنډیز ځوابونه apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},تاسو ته په دې پروژې کې د همکارۍ لپاره بلنه ورکړل شوې ده: {0} +DocType: Issue,Response By Variance,ځواب په وییرس کې DocType: Item,Sales Details,د پلور تفصیلات apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,د پرنپ ټاپونو لپاره لیکونه. DocType: Salary Detail,Tax on additional salary,اضافي تنخواه باندې مالیه @@ -1280,6 +1289,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,د پیر DocType: Project,Task Progress,کاري پرمختګ DocType: Journal Entry,Opening Entry,د پرانیستلو داخله DocType: Bank Guarantee,Charges Incurred,لګښتونه مصرف شوي +DocType: Shift Type,Working Hours Calculation Based On,د کاري ساعتونو حساب پر بنسټ والړ DocType: Work Order,Material Transferred for Manufacturing,د تولید کولو لپاره لیږد توکي DocType: Products Settings,Hide Variants,ډولونه پټ کړئ DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,د وړتیا پالن جوړونې او د وخت تعقیب کول @@ -1308,6 +1318,7 @@ DocType: Account,Depreciation,استهلاک DocType: Guardian,Interests,دلچسپي DocType: Purchase Receipt Item Supplied,Consumed Qty,مصرف شوي مقدار DocType: Education Settings,Education Manager,د ښوونکي مدیر +DocType: Employee Checkin,Shift Actual Start,د اصلي پیل لیږد DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,د پلان وخت د کار ساعتونه د کار ساعتونه بهر دي. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},د وفادارۍ ټکي: {0} DocType: Healthcare Settings,Registration Message,د نوم ليکنې پیغام @@ -1334,7 +1345,6 @@ DocType: Sales Partner,Contact Desc,د اړیکو سند DocType: Purchase Invoice,Pricing Rules,د قیمتونو قواعد DocType: Hub Tracked Item,Image List,د انځور لیست DocType: Item Variant Settings,Allow Rename Attribute Value,اجازه ورکړه د ارزښت ارزښت بدل کړئ -DocType: Price List,Price Not UOM Dependant,بیه د UOM پرځای نه ده apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),وخت (په مینه کې) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,بنسټیز DocType: Loan,Interest Income Account,د سود عاید حساب @@ -1344,6 +1354,7 @@ DocType: Employee,Employment Type,د استخدام ډول apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,د POS پېژندګلوی غوره کړه DocType: Support Settings,Get Latest Query,وروستی پوښتنې ترلاسه کړئ DocType: Employee Incentive,Employee Incentive,د کارموندنې هڅول +DocType: Service Level,Priorities,لومړیتوبونه apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,په کور پاڼه کې کارتونه یا ګمرکونه شامل کړئ DocType: Homepage,Hero Section Based On,د هیرو برخې پر بنسټ DocType: Project,Total Purchase Cost (via Purchase Invoice),د ټولو پیرود لګښت (د پیرود لیږد له لارې) @@ -1404,7 +1415,7 @@ DocType: Work Order,Manufacture against Material Request,د موادو د غوښ DocType: Blanket Order Item,Ordered Quantity,امر شوی مقدار apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: رد شوی ګودام د رد شوي توکو په وړاندې لازمي دی {1} ,Received Items To Be Billed,ترلاسه شوي توکي د بل کیدو وړ دي -DocType: Salary Slip Timesheet,Working Hours,کاري ساعتونه +DocType: Attendance,Working Hours,کاري ساعتونه apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,د تادیې موډل apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,د اخیستلو امر توکي چې په وخت کې ندي ترلاسه شوي apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,په ورځو کې موده @@ -1521,7 +1532,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,قانوني معلومات او ستاسو د عرضه کوونکي په اړه عمومي معلومات DocType: Item Default,Default Selling Cost Center,د پلورنې اصلي خرڅلاو لګښت مرکز DocType: Sales Partner,Address & Contacts,پته او اړیکې -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,مهرباني وکړئ د سیٹ اپ> شمېره لړۍ له لارې د حاضریدو لړۍ سیسټم DocType: Subscriber,Subscriber,ګډون کوونکي apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,مهرباني وکړئ لومړی د پوستې نیټه وټاکئ DocType: Supplier,Mention if non-standard payable account,په پام کې ونیسئ که غیر معياري پیسو وړ وي حساب @@ -1531,7 +1541,7 @@ DocType: Project,% Complete Method,٪ بشپړ لاره DocType: Detected Disease,Tasks Created,ټاسکس جوړ شو apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) باید د دې توکي یا د دې سانمپ لپاره فعال وي apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,د کمیسیون کچه٪ -DocType: Service Level,Response Time,د غبرګون وخت +DocType: Service Level Priority,Response Time,د غبرګون وخت DocType: Woocommerce Settings,Woocommerce Settings,د واو کامیریک سسټټمونه apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,مقدار باید مثبت وي DocType: Contract,CRM,CRM @@ -1548,7 +1558,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,د داخل بستر ن DocType: Bank Statement Settings,Transaction Data Mapping,د راکړې ورکړې ډاټا نقشه apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,رهبري د یو کس نوم یا د سازمان نوم ته اړتیا لري DocType: Student,Guardians,ساتونکي -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,مهرباني وکړئ په زده کړه کې د ښوونکي د نومونې سیسټم جوړ کړئ> د زده کړې ترتیبات apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,د برنامو غوره کول ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,منځنی عاید DocType: Shipping Rule,Calculate Based On,د حساب پر بنسټ حسابول @@ -1670,7 +1679,6 @@ DocType: POS Profile,Allow Print Before Pay,د پیسو دمخه د چاپ اج DocType: Production Plan,Select Items to Manufacture,د تولید لپاره توکي غوره کړئ DocType: Leave Application,Leave Approver Name,د موجوديت نوم پریږدئ DocType: Shareholder,Shareholder,شريکونکي -DocType: Issue,Agreement Status,د تړون حالت apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,د راکړې ورکړې د پلور لپاره اصلي ترتیبات. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,لطفا د زده کونکي داخله اخیستنه وټاکئ کوم چې د زده کونکي د غوښتنلیک ورکوونکي لپاره لازمي وي apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,د BOM غوره کول @@ -1928,6 +1936,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,د عوایدو حساب apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,ټول ګودامونه DocType: Contract,Signee Details,د لاسلیک تفصیلات +DocType: Shift Type,Allow check-out after shift end time (in minutes),د سپارلو وروستی وخت وروسته (دقیقې) معاینه اجازه apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,تدارکات DocType: Item Group,Check this if you want to show in website,که چیرې تاسو غواړئ چې په ویب پاڼه کې وښایئ نو وګورئ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,مالي کال {0} نه موندل شوی @@ -1993,6 +2002,7 @@ DocType: Asset Finance Book,Depreciation Start Date,د استهالک نیټه DocType: Activity Cost,Billing Rate,د بلې کچې کچه apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},خبردارۍ: د ونډې داخلي خلاف {2} # {1} شته شتون لري {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,مهرباني وکړئ د لارښوونو اټکل او غوره کولو لپاره د Google نقشې ترتیبات فعال کړئ +DocType: Purchase Invoice Item,Page Break,د پاڼې ماتول DocType: Supplier Scorecard Criteria,Max Score,لوړې کچې apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,د تادیاتو نیټه نیټه د تادیاتو نیټه نه شي کیدی. DocType: Support Search Source,Support Search Source,د پلټنې سرچینه @@ -2060,6 +2070,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,د کیفیت موخې م DocType: Employee Transfer,Employee Transfer,د کارمندانو لیږد ,Sales Funnel,د پلور خرڅول DocType: Agriculture Analysis Criteria,Water Analysis,د اوبو تحلیل +DocType: Shift Type,Begin check-in before shift start time (in minutes),د لیږد د پیل وخت (په دقیقو کې) مخکې د چک پیل پیل کړئ DocType: Accounts Settings,Accounts Frozen Upto,حسابونه منجمد شوي apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,د سمون لپاره هیڅ شی نشته. DocType: Item Variant Settings,Do not update variants on save,د خوندي کولو توپیرونه نه تازه کړئ @@ -2072,7 +2083,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,د apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},د پلور امر {0} دی {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),په تادیه کې ځنډ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,د استخراج قیمتونه درج کړئ +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,پیرودونکي پو apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,د تمویل شوي اټکل باید د پلور امر نیټه وروسته وي +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,د مقدار مقدار صفر نه شي apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,غلطیت apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},مهرباني وکړئ BOM د توکو په وړاندې وټاکئ {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,د انوائس ډول @@ -2082,6 +2095,7 @@ DocType: Maintenance Visit,Maintenance Date,د ساتنې نیټه DocType: Volunteer,Afternoon,ماسپښین DocType: Vital Signs,Nutrition Values,د تغذيې ارزښتونه DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),د تبه شتون (temp> 38.5 ° C / 101.3 ° F یا دوام لرونکی طنز> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,مهرباني وکړئ د بشري منابعو> بشري ترتیباتو کې د کارمندانو نومونې سیستم ترتیب کړئ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,د معلوماتي ټکنالوجۍ انټرنیشنل DocType: Project,Collect Progress,پرمختګ راټول کړئ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,انرژي @@ -2132,6 +2146,7 @@ DocType: Setup Progress,Setup Progress,پرمختللی پرمختګ ,Ordered Items To Be Billed,سپارښت شوي توکي چې باید ورکړل شي DocType: Taxable Salary Slab,To Amount,مقدار ته DocType: Purchase Invoice,Is Return (Debit Note),د بیرته ستنیدو (د Debit Note) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,پېرودونکي> پیرودونکي ګروپ> ساحه apps/erpnext/erpnext/config/desktop.py,Getting Started,پیل کول apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,ضميمه apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,د مالي کال خوندي کیدو څخه وروسته نشي کولی د مالي کال د پیل نیټه او د مالي کال پای نیسي. @@ -2149,8 +2164,10 @@ DocType: Sales Invoice Item,Sales Order Item,د خرڅلاو امر توکي DocType: Maintenance Schedule Detail,Actual Date,حقیقي نیټه apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Row {0}: د تبادلې نرخ لازمي ده DocType: Purchase Invoice,Select Supplier Address,د پرسونل پته انتخاب کړئ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}",موجود مقدار {0} دی، تاسو اړتیا لرئ {1} apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,لطفا د API مصرفوونکي پټنوم داخل کړئ DocType: Program Enrollment Fee,Program Enrollment Fee,د پروګرام نوم لیکنه فیس +DocType: Employee Checkin,Shift Actual End,د حقیقي پای لیږد DocType: Serial No,Warranty Expiry Date,د تضمین د پای نیټه نیټه DocType: Hotel Room Pricing,Hotel Room Pricing,د هوټل خونې قیمت apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted",بهرنی مالیه وړ سامانونه) د صفر ارزول شوي، پرته له بلې اندازې پرته، او معاف شوي @@ -2209,6 +2226,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,پنځم لوست DocType: Shopping Cart Settings,Display Settings,شاخصونه apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,مهرباني وکړئ د پیسو د بیرته اخیستلو شمیره وټاکئ +DocType: Shift Type,Consequence after,وروسته پایلې apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,تاسو ته څه اړتیا لرئ؟ DocType: Journal Entry,Printing Settings,د چاپونې ترتیبونه apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,بانکداري @@ -2218,6 +2236,7 @@ DocType: Purchase Invoice Item,PR Detail,د پی آر تفصیل apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,د بلنگ پته د تیلو لیږل پته ده DocType: Account,Cash,نقشه DocType: Employee,Leave Policy,پالیسي پریږدئ +DocType: Shift Type,Consequence,پایلې apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,د زده کونکي پته DocType: GST Account,CESS Account,CESS ګڼون apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js,General Ledger,جنرال لیجر @@ -2276,6 +2295,7 @@ DocType: GST HSN Code,GST HSN Code,د GST HSN کوډ DocType: Period Closing Voucher,Period Closing Voucher,د دورې پای بند apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,د ګارډین 2 نوم apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,مهرباني وکړئ د لګښت حساب ولیکئ +DocType: Issue,Resolution By Variance,د وییرنس لخوا پریکړه DocType: Employee,Resignation Letter Date,استعفی لیک لیک DocType: Soil Texture,Sandy Clay,د سینڈی کلی DocType: Upload Attendance,Attendance To Date,حاضریدو نیټه @@ -2288,6 +2308,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,اوس وګوره DocType: Item Price,Valid Upto,اعتبار apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},د ریفرنس ډایپ ټیک باید د {0} +DocType: Employee Checkin,Skip Auto Attendance,د اتوم حاضری پریښودل DocType: Payment Request,Transaction Currency,د راکړې ورکړې پیسې DocType: Loan,Repayment Schedule,د بیا تادیاتو مهال ویش apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,د نمونې ساتلو د ذخیرې انټرنېټ جوړول @@ -2358,6 +2379,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,د تنخوا DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,د POS د وتلو تمویل مالیات apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,عمل پیل شو DocType: POS Profile,Applicable for Users,د کاروونکو لپاره کارول +,Delayed Order Report,د ځنډولو امر راپور DocType: Training Event,Exam,ازموینه apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,د عمومي لیډر انټرنټ ناقانونه شمیر وموندل شو. ممکن تاسو په لیږد کې یو غلط حساب غوره کړی. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,د پلور پایپ لاین @@ -2372,10 +2394,10 @@ DocType: Account,Round Off,ګردي آف DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,شرایط به په ټولو ټاکل شوو توکو کې ګډ شي. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,تڼۍ DocType: Hotel Room,Capacity,وړتیا +DocType: Employee Checkin,Shift End,د لیږد پای DocType: Installation Note Item,Installed Qty,لګول شوي مقدار apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,بکس {0} د Item {1} معیوب شوی دی. DocType: Hotel Room Reservation,Hotel Reservation User,د هوټل رژیم کارن -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,کاري ورځ دوه ځلی تکرار شوی apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},د نوم تېروتنه: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,علاقه د POS پروفیور ته اړتیا ده DocType: Purchase Invoice Item,Service End Date,د خدمت پای نیټه @@ -2422,6 +2444,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,د مهال ویش نیټه DocType: Packing Slip,Package Weight Details,د وزن د اندازې توضیحات DocType: Job Applicant,Job Opening,د کار خلاصول +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,وروستنی د کارمندانو د چیکین بریالیتوب پېژندل شوی. یوازې دا بیا وګرځئ که تاسو ډاډه یاست چې ټول لوز د ټولو ځایونو څخه همغږي شوي دي. مهرباني وکړئ که چیرې تاسو باوري نه یاست نو دا بدلون مه کوئ. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,حقیقي لګښت apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,د توکو ډولونه تازه شوي DocType: Item,Batch Number Series,د بسته شمېره لړۍ @@ -2463,6 +2486,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,د حوالې اخیست apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,مداخلې ترلاسه کړئ DocType: Tally Migration,Is Day Book Data Imported,د ورځپاڼې د معلوماتو ډاټا وارد شوی دی ,Sales Partners Commission,د پلور شریکانو کمیسیون +DocType: Shift Type,Enable Different Consequence for Early Exit,د ابتدايي وتلو لپاره مختلف توپیرونه فعال کړئ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,قانوني DocType: Loan Application,Required by Date,د نیټې اړتیاوې DocType: Quiz Result,Quiz Result,د کوز پایلې @@ -2519,7 +2543,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,مالي DocType: Pricing Rule,Pricing Rule,د قیمت ټاکلو اصول apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},د اختر اختیاري لیست د رخصتي دورې لپاره ټاکل شوی ندی {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,مهرباني وکړئ د کارمندانو رول ټاکلو لپاره د کارمندانو ریکارډ کې د کارن ID ساحه وټاکئ -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,د وخت د حل کولو وخت DocType: Training Event,Training Event,د روزنې پیښه DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",په بالغانو کې د عادي آرام فشار فشار تقریبا 120 ملی ګرامه هګسټولیک دی، او 80 mmHg ډیسولیک، لنډیز "120/80 mmHg" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,که چیرې د ارزښت ارزښت صفر وي نو ټولې سیسټمونه به راوړي. @@ -2563,6 +2586,7 @@ DocType: Woocommerce Settings,Enable Sync,همکاري فعال کړه DocType: Student Applicant,Approved,منل شوی apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},د نېټې څخه باید په مالي کال کې وي. د تاریخ نیټه = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,مهرباني وکړئ د پیرودونکي ګروپ د پیرودنې په ترتیباتو کې سیٹ کړئ. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} یو ناسم حاضر حالت دی. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,د لنډ وخت پرانيستلو حساب DocType: Purchase Invoice,Cash/Bank Account,د نغدو پیسو / بانکي حساب DocType: Quality Meeting Table,Quality Meeting Table,د کیفیت غونډه غونډه @@ -2597,6 +2621,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,د MWS ثبوت ټاټین apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco",خواړه، مشروبات او تمباکو apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,د کورس دوره DocType: Purchase Taxes and Charges,Item Wise Tax Detail,د توکو سمبال مالیې تفصیل +DocType: Shift Type,Attendance will be marked automatically only after this date.,حاضری به یواځې د دې نیټې څخه وروسته په نښه شي. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,د UIN کونکي لپاره چمتو شوي توکي apps/erpnext/erpnext/hooks.py,Request for Quotations,د کوټونو لپاره غوښتنه apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,پیسو د نورو پیسو په کارولو سره د ثبت کولو وروسته وروسته بدلیدلی نشي @@ -2645,7 +2670,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,د هب څخه توکي دي apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,د کیفیت پروسیجر. DocType: Share Balance,No of Shares,د ونډو شمیر -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),صف {0}: مقدار د {4} لپاره په ګودام کې شتون نلري {1} د ننوتلو وخت په وخت کې ({2} {3}) DocType: Quality Action,Preventive,مخنیوی DocType: Support Settings,Forum URL,د فورم فورمه apps/erpnext/erpnext/config/hr.py,Employee and Attendance,کارمند او حاضري @@ -2863,7 +2887,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Promotional Scheme Price Discount,Discount Type,د استوګنې ډول DocType: Hotel Settings,Default Taxes and Charges,اصلي مالیات او لګښتونه apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,دا د دې پرسونل په وړاندې د راکړې ورکړې پر بنسټ والړ دی. د جزیاتو لپاره لاندې مهال ویش وګورئ -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,د تړون لپاره د پیل او پای نیټه درج کړئ. DocType: Delivery Note Item,Against Sales Invoice,د پلور موخې پر وړاندې DocType: Loyalty Point Entry,Purchase Amount,د پیرود پیرود apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,نشي کولی لکه د پلور امر په توګه ورک شوی. @@ -2887,7 +2910,7 @@ DocType: Homepage,"URL for ""All Products""",URL "All Products" لپا DocType: Lead,Organization Name,د سازمان نوم apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,د فیلمونو څخه اعتبار او اعتبار د مجموعي لپاره لازمي دي apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Row # {0}: بسته باید د {1} {2} په شان وي -DocType: Employee,Leave Details,تفصیلات پریږدئ +DocType: Employee Checkin,Shift Start,شفټ شروع DocType: Driver,Issuing Date,د صادرولو نیټه apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,غوښتونکي apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: د لګښت مرکز {2} د شرکت {3} سره تړاو نلري. @@ -2931,9 +2954,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,د نغدو پیسو نقشې کولو نمونې تفصیلات apps/erpnext/erpnext/config/hr.py,Recruitment and Training,استخدام او روزنه DocType: Drug Prescription,Interval UOM,د UOM منځګړیتوب +DocType: Shift Type,Grace Period Settings For Auto Attendance,د ګړندۍ دورې ترتیبات د آٹو حاضری لپاره apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,له پیسو څخه او پیسو ته ورته نشي کیدی apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,درملنه DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,د ملاتړ ساعتونه apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} رد شوی یا بند شوی apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Row {0}: د مشتریانو په وړاندې پرمختګ باید کریډیټ وي apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),ګروپ د واچر لخوا (قوي) @@ -3041,13 +3066,16 @@ DocType: Asset Repair,Repair Status,د ترمیم حالت DocType: Territory,Territory Manager,د ساحې مدیر DocType: Lab Test,Sample ID,نمونه ایډیټ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,کیارت خالي دی +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,حاضری د کارمند چک چک په اساس نښه شوی ,Absent Student Report,د زده کونکي ناباوره راپور apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,په مجموعي ګټه کې شامل دي apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,د قیمت لیست ندی موندلی یا معیوب شوی DocType: Travel Request Costing,Funded Amount,تمویل شوي مقدار apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} نه دی سپارل شوی نو دا عمل بشپړ نشي کیدی DocType: Subscription,Trial Period End Date,د آزموینې موده پای نیټه +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,د ورته بدلون په جریان کې د IN او OUT په توګه د بدیل کولو اندیښنې DocType: BOM Update Tool,The new BOM after replacement,نوی بوم د بدیل وروسته +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کوونکي> د عرضه کوونکي ډول apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,پنځم څپرکی DocType: Employee,Passport Number,د پاسپورټ ګڼه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,لنډمهالې پرانيستل @@ -3158,6 +3186,7 @@ DocType: Item,Shelf Life In Days,د شیلف ژوند په ورځو کې apps/erpnext/erpnext/config/buying.py,Key Reports,کلیدي راپورونه apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,ممکنه عرضه کوونکي ,Issued Items Against Work Order,د کار د امر په وړاندې د توکو لیږل +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,مهرباني وکړئ په زده کړه کې د ښوونکي د نومونې سیسټم جوړ کړئ> د زده کړې ترتیبات DocType: Student,Joining Date,د نیټې سره یوځای کول apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,د غوښتنې غوښتنه DocType: Purchase Invoice,Against Expense Account,د لګښت حساب سره @@ -3196,6 +3225,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,د تطبیق وړ لګښتونه ,Point of Sale,د پلور ټکي DocType: Authorization Rule,Approving User (above authorized value),د کاروونکي تایید (د باوري ارزښت ارزښت) +DocType: Service Level Agreement,Entity,وجود apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},مقدار {0} {1} له {2} څخه {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},پیرودونکي {0} د پروژې سره تړاو نلري {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,د ګوند نوم @@ -3241,6 +3271,7 @@ DocType: Asset,Opening Accumulated Depreciation,د اجباري استحکام DocType: Soil Texture,Sand Composition (%),د رڼا جوړښت (٪) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP -YYYY- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,د ورځې د کتاب ډاټا وارد کړئ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,مهرباني وکړئ د سایټ نوم نومول د سیٹ اپ> ترتیباتو له لارې {0} نومونې لړۍ وټاکئ DocType: Asset,Asset Owner Company,د شتمنۍ مالکیت شرکت apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,د لګښت مرکز ته اړتیا ده چې د مصارفو ادعا وکړي apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} باوري سیریل نکس د Item {1} لپاره @@ -3300,7 +3331,6 @@ DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Could not solve weighted score function. Make sure the formula is valid.,د وزن شوي نمرې دندې حل نشي کولی. ډاډ ترلاسه کړئ چې فارمول اعتبار لري. DocType: Asset,Asset Owner,د شتمني مالک DocType: Stock Entry,Total Additional Costs,ټول اضافي لګښتونه -DocType: Marketplace Settings,Last Sync On,وروستنۍ هممهال apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,مهرباني وکړئ لږترلږه یو قطار د مالیاتو او چارجاتو جدول کې وټاکئ DocType: Asset Maintenance Team,Maintenance Team Name,د ساتنې ټیم نوم apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,د لګښتونو چارټونه @@ -3315,12 +3345,12 @@ DocType: Purchase Order,% Received,ترلاسه شوی DocType: Sales Order Item,Work Order Qty,د کار امر مقدار DocType: Job Card,WIP Warehouse,د WIP ګودام DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ -YYYY- -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}",موجود مقدار {0} دی، تاسو ته اړتیا لرئ {1} apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,کارن {0} جوړ شوی DocType: Stock Settings,Item Naming By,د توکو نومول apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,حکم شوی apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,دا د رسترو پیرود ګروپ دی او نشي کولی چې سمبال شي. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,د موادو غوښتنې {0} رد شوی یا بند شوی دی +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,په شدت سره د کارکونکي چکین کې د ننوتلو ډول پر بنسټ DocType: Purchase Order Item Supplied,Supplied Qty,برابر شوي مقدار DocType: Cash Flow Mapper,Cash Flow Mapper,د نغدو پیسو نقشې DocType: Soil Texture,Sand,رڼا @@ -3379,6 +3409,7 @@ DocType: Lab Test Groups,Add new line,نوې کرښه زیاته کړئ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,د شاليد ګروپ ګروپ د توکي ګروپ په جدول کې موندل شوی apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,کلنی معاش DocType: Supplier Scorecard,Weighting Function,د وزن کولو دنده +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,د معیار فورمول ارزونه کې تېروتنه ,Lab Test Report,د لابراتوار آزموینه DocType: BOM,With Operations,د عملیاتو سره @@ -3392,6 +3423,7 @@ DocType: Expense Claim Account,Expense Claim Account,د لګښت ادعا کول apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,د ژورنال ننوتلو لپاره هیڅ تادیات شتون نلري apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} غیر فعال زده کوونکی دی apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,د ذخیرې داخله جوړه کړئ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},د بوم بیا ځورول: {1} د مور او پلار نه شي کیدای د {1} DocType: Employee Onboarding,Activities,فعالیتونه apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,لږترلږه یو ګودام ضروري دی ,Customer Credit Balance,د پیرودونکي کریډیټ بیلانس @@ -3404,9 +3436,11 @@ DocType: Supplier Scorecard Period,Variables,ډولونه apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,د پیرودونکو لپاره د وفاداري ډیری وفادارۍ پروګرام وموندل شو. لطفا په لاس کې انتخاب کړئ. DocType: Patient,Medication,درمل apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,د وفادارۍ پروګرام غوره کړئ +DocType: Employee Checkin,Attendance Marked,حاضري نښه شوې apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,خام توکي DocType: Sales Order,Fully Billed,په بشپړ ډول بل apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},مهرباني وکړئ د هوټل روم شرح په {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,د default په توګه یواځې یو لومړیتوب غوره کړئ. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},لطفا د ډول لپاره د حساب (لیجر) جوړول / جوړول - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,د پور ټول مجموعی / د Debit اندازه باید د ژورنالیستانو انټرنټ په شان وي DocType: Purchase Invoice Item,Is Fixed Asset,دقیقه شتمني ده @@ -3425,6 +3459,7 @@ DocType: Purpose of Travel,Purpose of Travel,د سفر موخه DocType: Healthcare Settings,Appointment Confirmation,د تایید تایید DocType: Shopping Cart Settings,Orders,امرونه DocType: HR Settings,Retirement Age,د تقاعد عمر +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,مهرباني وکړئ د سیٹ اپ> شمېره لړۍ له لارې د حاضریدو لړۍ سیسټم apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,متوقع مقدار apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: شتمنۍ {1} لا د مخه {2} DocType: Delivery Note,Installation Status,د لګولو حالت @@ -3504,11 +3539,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,محاسب apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},د POS بند کولو واچر الیشن د {1} تر منځ د {1} او {2} apps/erpnext/erpnext/config/help.py,Navigating,نوي کول +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,د بقایا پیرود د تبادلې نرخ ارزونې ته اړتیا نلري DocType: Authorization Rule,Customer / Item Name,پېرودونکی / د توکو نوم apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,نوی سیریل نمبر ګودام نلري. ګودام باید د سټارټ انټرنټ یا د پیرود رسيد له الرې وټاکل شي DocType: Issue,Via Customer Portal,د پیرودونکي پورټیټ سره DocType: Work Order Operation,Planned Start Time,پلان شوي د پیل وخت apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{2} {1} دی {2} +DocType: Service Level Priority,Service Level Priority,د خدمتونو کچه لومړیتوب apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,د استهلاک شوو شمېرو شمیر د پیسو لیږل شوي شمیرې څخه ډیر نه وي apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,شریک لیجر DocType: Journal Entry,Accounts Payable,ورکړې وړ حسابونه @@ -3615,7 +3652,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,وړاندې کول DocType: Bank Statement Transaction Settings Item,Bank Data,د بانک ډاټا apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,ټاکل شوی -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,د ټایټ شایټ په اړه ورته د بیلابیلو وختونو او کاري ساعتونو ساتل apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,د لیډ سرچینه لخوا الرښوونه. DocType: Clinical Procedure,Nursing User,د نرس کولو کارن DocType: Support Settings,Response Key List,د ځواب لیست لیست @@ -3779,6 +3815,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,د اصلي پیل وخت DocType: Antibiotic,Laboratory User,د لابراتوار کارن apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,آنلاین نیلمونه +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,لومړیتوب {0} تکرار شوی. DocType: Fee Schedule,Fee Creation Status,د فیس جوړولو وضعیت apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,کمپیوټرونه apps/erpnext/erpnext/config/help.py,Sales Order to Payment,د تادیاتو لپاره د پلور امر @@ -3841,6 +3878,7 @@ DocType: Patient Encounter,In print,په چاپ کې apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,د {0} لپاره معلومات نشي ترلاسه کولی. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,د پیسو پیسو باید د یاغیانو د کمپنۍ یا د ګوند حساب حساب سره مساوي وي apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,مهرباني وکړئ د دې پلورونکي کس د کارمندانو ادرس ولیکئ +DocType: Shift Type,Early Exit Consequence after,وروسته له دې چې د مخنیوی وړ نشتوالي apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,د پرانستلو خرڅلاو او د پیرودونو انوایس جوړ کړئ DocType: Disease,Treatment Period,د درملنې موده apps/erpnext/erpnext/config/settings.py,Setting up Email,ای میل ترتیب کول @@ -3857,7 +3895,6 @@ DocType: Employee Skill Map,Employee Skills,د کارمندانو مهارتون apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,د زده کونکی نوم: DocType: SMS Log,Sent On,لېږل شوی DocType: Bank Statement Transaction Invoice Item,Sales Invoice,د پلور موخې -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,د غبرګون وخت د حل کولو وخت څخه ډیر نشي DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",د کورس په اساس د زده کونکي ګروپ لپاره، کورس به د نوم لیکنې په پروګرام کې د نوم لیکنې کورسونو څخه هر زده کونکي ته اعتبار ورکړل شي. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,د بهرنیو چارو سامانونه DocType: Employee,Create User Permission,د کارن د اجازې جوړول @@ -3895,6 +3932,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,د پلور یا پیرود لپاره د معیاري قرارداد شرایط. DocType: Sales Invoice,Customer PO Details,د پيرودونکو پوسټ تفصيلات apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,ناروغ ندی موندلی +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,د یو لومړیتوب لومړیتوب غوره کړه. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,هغه توکي لرې کړئ که چیرې چارج پدې شي باندې تطبیق نه وي apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,د پیرودونکي ډله د ورته نوم سره شتون لري لطفا د پیرودونکي نوم بدل کړئ یا د پیرود ګروپ بدل کړئ 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. @@ -3940,6 +3978,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},د کار امر {0} DocType: Inpatient Record,Admission Schedule Date,د داخلیدو نیټه نیټه apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,د شتمن ارزښت بدلول +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,د دې کار لپاره ټاکل شوي کارمندانو لپاره د کارمند چیکین پر بنسټ حاضري نښه کړئ. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,غیر راجستر شوي کسانو ته چمتو شوي توکي apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,ټول کارونه DocType: Appointment Type,Appointment Type,د استوګنې ډول @@ -4050,7 +4089,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),د کڅوړو مجموعه وزن. معمولا خالص وزن + د بسته بندي موادو توکي. (د چاپ لپاره) DocType: Plant Analysis,Laboratory Testing Datetime,د لیټریټ ازموینه د دوتنې وخت apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,توکي {0} بسته نه لري -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,د سټیج لخوا د پلور پایپینینټ apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,د زده کوونکو ګروپ ځواک DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,د بانک بیان د راکړې ورکړې داخله DocType: Purchase Order,Get Items from Open Material Requests,د ازادو موادو غوښتنو څخه توکي ترلاسه کړئ @@ -4128,7 +4166,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,د ګدام ګمارل ښودل DocType: Sales Invoice,Write Off Outstanding Amount,د پام وړ پیسې ولیکئ DocType: Payroll Entry,Employee Details,د کارکونکو تفصیلات -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,د پیل وخت د کیدای شي د {0} لپاره د وخت وخت نه زیات وي. DocType: Pricing Rule,Discount Amount,د رخصتۍ مقدار DocType: Healthcare Service Unit Type,Item Details,د توکي توضیحات apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},د {1} مودې لپاره د {2} د دوه اړخیزه مالیې اعلامیه @@ -4180,7 +4217,7 @@ DocType: Customer,CUST-.YYYY.-,CUST -YYYY- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,د خالص معاش ندی منفي کیدی apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,د خبرو اترو نه 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/hr/doctype/employee/employee_dashboard.py,Shift,شفټ +DocType: Attendance,Shift,شفټ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,د حسابونو او ګوندونو چارټ پروسس کول DocType: Stock Settings,Convert Item Description to Clean HTML,د HTML پاکولو لپاره د توکو تفصیل بدل کړئ apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,د ټولو سپلویزی ګروپونه @@ -4250,6 +4287,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,د کارمو DocType: Healthcare Service Unit,Parent Service Unit,د والدین خدمت واحد DocType: Sales Invoice,Include Payment (POS),د پیسو ورکړه (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,شخصي انډول +DocType: Shift Type,First Check-in and Last Check-out,لومړی چک او وروستی معاینه DocType: Landed Cost Item,Receipt Document,سند ترلاسه کول DocType: Supplier Scorecard Period,Supplier Scorecard Period,د سپرایټ شمیره د کار دوره DocType: Employee Grade,Default Salary Structure,د معاش تنفسي جوړښت @@ -4331,6 +4369,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,د اخیستلو امر جوړول apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,د مالي کال لپاره بودیجه تعریف کړئ. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,د حساباتو میز په خالي ډول نشي کیدی. +DocType: Employee Checkin,Entry Grace Period Consequence,د ننوتنې دوره دوره ,Payment Period Based On Invoice Date,د تادیاتو دورې پر اساس د تادیاتو موده apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},د لګولو نیټه د توکو {0} لپاره د سپارلو نیټه نه شي کیدی apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,د موادو غوښتنې سره اړیکه @@ -4351,6 +4390,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,د سونګ مقدار apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,ګارډین 1 ګرځنده نمبر DocType: Invoice Discounting,Disbursed,اختصاص شوی +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,د بدلون پای پای ته رسېدو وخت کې چې حاضري د حاضریدو لپاره ګڼل کیږي. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,د حساب ورکولو وړ حسابونو کې د خالص بدلون apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,نشته apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,بعد له وخته @@ -4364,7 +4404,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,د پل apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,په چاپ کې د PDC ښودل apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,د پرچون پلورونکي عرضه کول DocType: POS Profile User,POS Profile User,د پی ایس پی پی ایل کارن -DocType: Student,Middle Name,منځنی نوم DocType: Sales Person,Sales Person Name,د پلور پلور شخص DocType: Packing Slip,Gross Weight,ناخالصه وزن DocType: Journal Entry,Bill No,نه @@ -4373,7 +4412,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,نو DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG -YYYY- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,د خدماتو کچې کچه -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,مهرباني وکړئ لومړی کارمند او تاریخ غوره کړئ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,د شتمنیو ارزونه د ځمکو د مصرف شوو پیسو په پام کې نیولو سره بیاکتنه کیږي DocType: Timesheet,Employee Detail,د کارموندنې تفصیل DocType: Tally Migration,Vouchers,واچر @@ -4406,7 +4444,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,د خدماتو DocType: Additional Salary,Date on which this component is applied,د هغې نیټه چې دا برخې یې پلي کیږي apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,د فولیو شمیرې سره د شته شریکانو لیست لیست apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,د ګیٹو سایټ حسابونه. -DocType: Service Level,Response Time Period,د غبرګون وخت وخت +DocType: Service Level Priority,Response Time Period,د غبرګون وخت وخت DocType: Purchase Invoice,Purchase Taxes and Charges,د پیسو اخیستل او لګښتونه DocType: Course Activity,Activity Date,د فعالیت نیټه apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,نوی پیرود غوره کړئ یا اضافه کړئ @@ -4431,6 +4469,7 @@ DocType: Sales Person,Select company name first.,لومړی د شرکت نوم apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,مالي کال DocType: Sales Invoice Item,Deferred Revenue,مختص شوي عواید apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,لږترلږه د پلورنې یا پیرود یو باید غوره شي +DocType: Shift Type,Working Hours Threshold for Half Day,د نیمې ورځې لپاره د کار ساعتونه Threshold ,Item-wise Purchase History,د توکو لیږد تاریخ DocType: Production Plan,Include Subcontracted Items,فرعي قرارداد شوي توکي شامل کړئ DocType: Salary Structure,Max Benefits (Amount),د زیاتو ګټې (مقدار) @@ -4461,6 +4500,7 @@ DocType: Journal Entry,Total Amount Currency,د ټولو پیسو پیسو DocType: BOM,Allow Same Item Multiple Times,د ورته شيانو څو څو ځلې اجازه ورکړه apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,BOM جوړه کړه DocType: Healthcare Practitioner,Charges,لګښتونه +DocType: Employee,Attendance and Leave Details,حاضری او د توقیف جزئیات DocType: Student,Personal Details,شخصي تفصیلات DocType: Sales Order,Billing and Delivery Status,د بل کولو او سپارلو حالت apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Row {0}: د عرضه کوونکي لپاره {0} بریښنالیک پته د بریښنالیک لیږلو ته اړتیا ده @@ -4512,7 +4552,6 @@ DocType: Bank Guarantee,Supplier,عرضه کوونکي apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},ارزښت ارزښت {0} او {1} ولیکئ DocType: Purchase Order,Order Confirmation Date,د امر تایید نیټه DocType: Delivery Trip,Calculate Estimated Arrival Times,اټکل شوي را رسید ټایمز محاسبه کړئ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,مهرباني وکړئ د بشري منابعو> بشري ترتیباتو کې د کارمندانو نومونې سیستم ترتیب کړئ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,د پام وړ DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS -YYYY- DocType: Subscription,Subscription Start Date,د ګډون نیټه د پیل نیټه @@ -4535,7 +4574,7 @@ DocType: Installation Note Item,Installation Note Item,د نصبولو یادښ DocType: Journal Entry Account,Journal Entry Account,د ژورنال ننوت حساب apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,ويیرټ apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,د فورم فعالیت -DocType: Service Level,Resolution Time Period,د حل وخت وخت +DocType: Service Level Priority,Resolution Time Period,د حل وخت وخت DocType: Request for Quotation,Supplier Detail,د عرضه کولو تفصیل DocType: Project Task,View Task,دندې وګورئ DocType: Serial No,Purchase / Manufacture Details,د پیرود / تولیدي تفصیلات @@ -4600,6 +4639,7 @@ DocType: Sales Invoice,Commission Rate (%),د کمیسیون کچه (٪) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,ګودام یوازې د سټاک د ننوت / د سپارلو نوټ / پیرود رسید له الرې بدلیدای شي DocType: Support Settings,Close Issue After Days,د ورځو وروستی مسله DocType: Payment Schedule,Payment Schedule,د تادیاتو مهال ویش +DocType: Shift Type,Enable Entry Grace Period,د ننوتنې د ګړند موده فعاله کړئ DocType: Patient Relation,Spouse,خاوند DocType: Purchase Invoice,Reason For Putting On Hold,د نیولو لپاره دلیل DocType: Item Attribute,Increment,زیاتوالی @@ -4736,6 +4776,7 @@ DocType: Authorization Rule,Customer or Item,پېرودونکی یا توکي DocType: Vehicle Log,Invoice Ref,د انوائس Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-فورمه د انوائس لپاره تطبیق ندی: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,انوائس جوړ شو +DocType: Shift Type,Early Exit Grace Period,د مخنیوی لپاره د پیل وخت DocType: Patient Encounter,Review Details,د بیاکتنې کتنه apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Row {0}: د وخت ارزښت باید د صفر څخه ډیر وي. DocType: Account,Account Number,ګڼون شمېره @@ -4747,7 +4788,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL",د منلو وړ وي که چیرې دا شرکت SPA وي، SAA او SRL apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,د ویجاړتیا شرایط په منځ کې موندل شوي: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,ادا شوي او ندي ورکړل شوي -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,د توکو کود لازمي دی ځکه چې توکي په اتوماتیک ډول شمیرل شوي ندي DocType: GST HSN Code,HSN Code,د HSN کوډ DocType: GSTR 3B Report,September,سپتمبر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,اداري لګښتونه @@ -4783,6 +4823,8 @@ DocType: Travel Itinerary,Travel From,له سفر څخه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP ګڼون DocType: SMS Log,Sender Name,د استولو نوم DocType: Pricing Rule,Supplier Group,د سپلویزی ګروپ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",د وخت د وخت او د وخت ملاتړ پای وټاکئ \ د ملاتړ ورځ {0} د index {1} کې. DocType: Employee,Date of Issue,د صدور نېټه ,Requested Items To Be Transferred,غوښتل شوې توکي لیږدول کیږي DocType: Employee,Contract End Date,د قرارداد پای نیټه @@ -4793,6 +4835,7 @@ DocType: Healthcare Service Unit,Vacant,خالی DocType: Opportunity,Sales Stage,د پلور مرحله DocType: Sales Order,In Words will be visible once you save the Sales Order.,کله چې د پلورنې امر خوندي کړئ نو په کلمو کې به لیدل کیږي. DocType: Item Reorder,Re-order Level,د ریفورډ کچه +DocType: Shift Type,Enable Auto Attendance,د اتوم حاضری فعالول apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,غوره توب ,Department Analytics,د څانګې انټرنېټ DocType: Crop,Scientific Name,سائنسي نوم @@ -4805,6 +4848,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} حالت {2} DocType: Quiz Activity,Quiz Activity,د کوئز فعالیت apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} د اعتبار وړ پیرود دوره کې ندی DocType: Timesheet,Billed,ورکړل شوی +apps/erpnext/erpnext/config/support.py,Issue Type.,د سند ډول DocType: Restaurant Order Entry,Last Sales Invoice,د پلورنې وروستنی تخصیص DocType: Payment Terms Template,Payment Terms,د تادیاتو شرایط apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",خوندي پوښتنه: مقدار د پلور لپاره امر شوی، مګر نه وی سپارل شوی. @@ -4895,6 +4939,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,شتمني apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} د روغتیايی پروسیجر مهال ویش نلری. دا د روغتیايي پرسونل ماسټر کې اضافه کړئ DocType: Vehicle,Chassis No,چیسس نمبر +DocType: Employee,Default Shift,افتخار شیف apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,د شرکت لنډیز apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,د بکسونو ونې DocType: Article,LMS User,د LMS کارن @@ -4941,6 +4986,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST -YYYY.- DocType: Sales Person,Parent Sales Person,د والدین خرڅلاو شخص DocType: Student Group Creation Tool,Get Courses,کورسونه ترلاسه کړئ apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",Row # {0}: مقدار باید لومړی وي، ځکه چې شتمنۍ یو ثابت شتمن دی. لطفا د څو قسط لپاره جلا قطار وکاروئ. +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),د کار ساعتونه چې لاندې یې نښې نښانې شوي. (د معلول زرو) DocType: Customer Group,Only leaf nodes are allowed in transaction,یوازې د پاڼو نوډونه په لیږد کې اجازه لري DocType: Grant Application,Organization,سازمان DocType: Fee Category,Fee Category,د فیس کټګورۍ @@ -4953,6 +4999,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,مهرباني وکړئ د دې روزنیز پروګرام لپاره خپل حالت تازه کړئ DocType: Volunteer,Morning,سهار DocType: Quotation Item,Quotation Item,د کوټیشن توکي +apps/erpnext/erpnext/config/support.py,Issue Priority.,د لومړیتوب مسله. DocType: Journal Entry,Credit Card Entry,د کریډیټ کارت ننوت apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",د وخت سلایټ ټوپ شوی، سلایډ {0} څخه {1} د اضافي سلایټ {2} څخه {3} DocType: Journal Entry Account,If Income or Expense,که عاید یا لګښت @@ -5001,11 +5048,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,د ډاټا واردات او امستنې 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: Account,Expense Account,د لګښت لګښت +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,د لیږد د پیل وخت څخه وړاندې وخت چې د کارکونکي چک چیک په حاضری کې غور کیږي. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,د ګارډینین سره اړیکه 1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,د انوائس جوړول apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},د تادياتو غوښتنه لا دمخه لا شتون لري {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',هغه مامور چې په {0} کې راضي شوی باید باید وکارول شي 'بائیں' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},پیسې {0} {1} +DocType: Company,Sales Settings,د پلور ترتیبونه DocType: Sales Order Item,Produced Quantity,تولید شوی مقدار apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,د کوډ غوښتنه د لاندې لینک په کلیک کولو سره تڼۍ کیدای شي DocType: Monthly Distribution,Name of the Monthly Distribution,د میاشتنۍ ویش نوم @@ -5083,6 +5132,7 @@ DocType: Company,Default Values,اصلي ارزښتونه apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,د پلور او اخیستلو لپاره د اصلي مالی ټیکنالوژي جوړیږي. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,د پریښودو اجازه {0} نشي لیږدول کیدی apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,حساب ته د دیبیت باید د رسیدو وړ حساب وي +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},مهرباني وکړئ په ګورم کې حساب ولیکئ {0} یا په لومړني انوینٹری حساب کې د شرکت {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,د default په توګه وټاکئ DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),د دې پیکج خالص وزن. (په اتومات ډول د توکو د خالص وزن په توګه حساب شوی) @@ -5109,8 +5159,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,وخت تېر شوي بسته DocType: Shipping Rule,Shipping Rule Type,د لیږدولو ډول DocType: Job Offer,Accepted,منل شوی -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","لطفا د ړنګولو د کارکوونکی د {0} \ د دې سند د لغوه" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,تاسو د ارزونې ارزونې معیارونو لپاره مخکې لا ارزولی دی {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,د بکس شمیره غوره کړئ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),عمر (ورځ) @@ -5137,6 +5185,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,خپل ډومین انتخاب کړئ DocType: Agriculture Task,Task Name,د کاري نوم apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,د سټیټ لیکونه لا دمخه د کار د نظم لپاره جوړ شوي +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","لطفا د ړنګولو د کارکوونکی د {0} \ د دې سند د لغوه" ,Amount to Deliver,د تسلیمولو مقدار apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,د ورکړل شويو توکو لپاره د تړلو لپاره د موادو پاتې غوښتنې شتون نلري. apps/erpnext/erpnext/utilities/activation.py,"Students are at the heart of the system, add all your students",زده کوونکي د سیسټم په زړه کې دي، ټول زده کونکي اضافه کړئ @@ -5183,6 +5233,7 @@ DocType: Program Enrollment,Enrolled courses,داخلي کورسونه DocType: Lab Prescription,Test Code,د ازموینې کود DocType: Purchase Taxes and Charges,On Previous Row Total,په تیر ربع کې DocType: Student,Student Email Address,د زده کونکي برېښلیک پته +,Delayed Item Report,د ځنډیدو توکو راپور DocType: Academic Term,Education,زده کړه DocType: Supplier Quotation,Supplier Address,د پیرودونکي پته DocType: Salary Detail,Do not include in total,په مجموع کې شامل نه کړئ @@ -5190,7 +5241,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} شتون نلري DocType: Purchase Receipt Item,Rejected Quantity,رد شوی مقدار DocType: Cashier Closing,To TIme,TIme ته -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: Daily Work Summary Group User,Daily Work Summary Group User,د ورځني کاري لنډیز ګروپ کارن DocType: Fiscal Year Company,Fiscal Year Company,د مالي کال شرکت apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,بدیل توکي باید د شونې کوډ په څیر نه وي @@ -5239,6 +5289,7 @@ DocType: Program Fee,Program Fee,د پروګرام فیس DocType: Delivery Settings,Delay between Delivery Stops,د سپارلو بندیزونو ترمنځ ځنډ DocType: Stock Settings,Freeze Stocks Older Than [Days],د زعفرانو ذخیره کول د تیرو څخه زیات [ورځې] DocType: Promotional Scheme,Promotional Scheme Product Discount,د پروموشنل پلان محصول مصرف +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,د لومړیتوب په اړه مسله لا دمخه شتون لري DocType: Account,Asset Received But Not Billed,شتمنۍ ترلاسه شوي خو بلل شوي ندي DocType: POS Closing Voucher,Total Collected Amount,ټولې جمعې مقدار DocType: Course,Default Grading Scale,د رتبې د کچې کچه @@ -5281,6 +5332,7 @@ DocType: C-Form,III,دریم DocType: Contract,Fulfilment Terms,د بشپړتیا شرایط apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,ګروپ ته غیر ګروپ DocType: Student Guardian,Mother,مور +DocType: Issue,Service Level Agreement Fulfilled,د خدماتو د کچې تړون بشپړ شوی DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,د غیر اعلان شوي کارمندانو ګټو لپاره د پیسو اخیستل DocType: Travel Request,Travel Funding,د سفر تمویل DocType: Shipping Rule,Fixed,ثابت شوی @@ -5309,9 +5361,11 @@ DocType: Item,Warranty Period (in days),د تضمین موده (په ورځو ک apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,کوم توکي ونه موندل شول. DocType: Item Attribute,From Range,د رینج څخه DocType: Clinical Procedure,Consumables,مصرفونه +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'کارمند_ فیلډیفیو' او 'timestamp' ته اړتیا ده. DocType: Purchase Taxes and Charges,Reference Row #,د حوالې قطع # apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: د تمدید بشپړولو لپاره د تادیاتو سند ته اړتیا ده DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,دا د تڼۍ کلیک وکړئ ترڅو د ایمیزون میګاواټ څخه خپل د سیلډ آرډ ډاټا خلاص کړئ. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),د کاری ساعتو څخه د نیمایي نښه نښه شوې ده. (د معلول زرو) ,Assessment Plan Status,د ارزونې پلان حالت apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,مهرباني وکړئ لومړی {0} غوره کړئ apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,د کارکونکي ریکارډ جوړولو لپاره دا وسپاري @@ -5382,6 +5436,7 @@ DocType: Quality Procedure,Parent Procedure,د والدین پروسیجر apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,پرانيستی apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,ټګګل فلټرونه DocType: Production Plan,Material Request Detail,د موادو غوښتنې وړاندیز +DocType: Shift Type,Process Attendance After,د پروسې وروسته حاضري DocType: Material Request Item,Quantity and Warehouse,مقدار او ګودام apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,پروګرامونو ته لاړ شئ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: په حواله کې دوه ځله ننوتل {1} {2} @@ -5439,6 +5494,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,د ګوند معلومات apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),پورونه ({0} apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,تر اوسه پورې د کارمندانو د رخصتي نیټې څخه ډیر نه شي +DocType: Shift Type,Enable Exit Grace Period,د وتلو د نعمت موده فعاله کړئ DocType: Expense Claim,Employees Email Id,کارمندانو بریښناليک Id DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,د لوړې بیې لیست وړاندې د ERPN د پرچون پلورونکي قیمت څخه د نوي کولو قیمت DocType: Healthcare Settings,Default Medical Code Standard,اصلي طبی کوډ معياري @@ -5469,7 +5525,6 @@ DocType: Item Group,Item Group Name,د توکي ګروپ نوم DocType: Budget,Applicable on Material Request,د موادو غوښتنلیک د تطبیق وړ دی DocType: Support Settings,Search APIs,د API لټونونه DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,د پلور امر لپاره د زیاتو تولیداتو سلنه -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,نرخونه DocType: Purchase Invoice,Supplied Items,برابر شوي توکي DocType: Leave Control Panel,Select Employees,کارمندان غوره کړئ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,ټول توکي د مخه د دې کار امر لپاره لیږدول شوي دي. @@ -5494,7 +5549,7 @@ DocType: Salary Slip,Deductions,کسرونه ,Supplier-Wise Sales Analytics,عرضه کوونکي - د پلور پلورل تجارتي Analytics DocType: GSTR 3B Report,February,فبروري DocType: Appraisal,For Employee,د کارمندانو لپاره -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,د سپارلو حقیقي نیټه +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,د سپارلو حقیقي نیټه DocType: Sales Partner,Sales Partner Name,د پلور پارټنر نوم apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,د استهالک صف {0}: د استهالک نیټه د تیر نیټې په توګه داخل شوې ده DocType: GST HSN Code,Regional,سیمه ایز @@ -5533,6 +5588,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,د DocType: Supplier Scorecard,Supplier Scorecard,د کټګورۍ کره کارت DocType: Travel Itinerary,Travel To,سفر ته apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,د نښه نښه +DocType: Shift Type,Determine Check-in and Check-out,د چیک چیک کول او په نښه کول DocType: POS Closing Voucher,Difference,توپیر apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,کوچني DocType: Work Order Item,Work Order Item,د کار امر توکي @@ -5566,6 +5622,7 @@ DocType: Sales Invoice,Shipping Address Name,د لېږد پته نوم apps/erpnext/erpnext/healthcare/setup.py,Drug,نشه يي توکي apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} تړل شوی DocType: Patient,Medical History,طبی تاریخ +DocType: Expense Claim,Expense Taxes and Charges,د لګښت مالیې او لګښتونه DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,د تادیې نیټې وروسته د ورځو شمیر له سبسایټ څخه د ګډون یا د ګډون کولو نښې نښانې له ردولو مخکې فسخ شوی دی apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,د نصبولو یادښت {0} لا دمخه وړاندې شوی DocType: Patient Relation,Family,کورنۍ @@ -5597,7 +5654,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,ځواک apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{1} د {1} واحدونو ته په 2 {2} کې اړتیا ده چې دا لیږد بشپړ کړي. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,د فرعي قراردادیانو پر بنسټ د بیرغول خاموش مواد -DocType: Bank Guarantee,Customer,پېرودونکی DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",که چیرې فعال وي، ساحه اکادمیکه اصطالح به د پروګرام په شمول کولو کې وسیله وي. DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",د بیچ د زده کونکي ګروپ لپاره، د زده کونکي بیټ د زده کونکو د نوم لیکنې څخه هر زده کوونکی ته اعتبار ورکول کیږي. DocType: Course,Topics,مقالې @@ -5672,6 +5728,7 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st DocType: Chapter,Chapter Members,د فصل غړي DocType: Warranty Claim,Service Address,د خدمت پته DocType: Journal Entry,Remark,تبصره +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),صف {0}: د {4} ګودام لپاره د ننوتلو وخت په وخت کې {2} {3}) د {1} لپاره شتون نلري DocType: Patient Encounter,Encounter Time,د منلو وخت DocType: Serial No,Invoice Details,د رسید تفصیلات apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",نور حسابونه د ګروپونو په اساس کیدی شي، مګر اندیښنې د غیر ګروپونو په وړاندې کیدای شي @@ -5749,6 +5806,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",ی apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),تړل (کلینګ + ټول) DocType: Supplier Scorecard Criteria,Criteria Formula,معیار معیارول apps/erpnext/erpnext/config/support.py,Support Analytics,د مرستې انټرنېټونه +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),د حاضري وسیله ID (بایټومریکیک / د آر ایف ټي ټګ ID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,بیاکتنه او عمل DocType: Account,"If the account is frozen, entries are allowed to restricted users.",که چېرې حساب منجمد وي، نو د ننوتلو اجازه ورکړل شوي محرمینو ته اجازه ورکول کیږي. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,د استهالک وروسته پیسې @@ -5770,6 +5828,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,د پور بیرته ورکول DocType: Employee Education,Major/Optional Subjects,مهمې / اختیاري موضوعات DocType: Soil Texture,Silt,سیول +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,د پیرودونکي پته او اړیکې DocType: Bank Guarantee,Bank Guarantee Type,د بانکي تضمین ډول DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",که چیرې معلول وي، 'ګرزاره شوي ټوله فیلډ به په هیڅ ډول لیږد کې نظر ونه لري DocType: Pricing Rule,Min Amt,د کم ام ټيټ @@ -5807,6 +5866,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,د انوائس د جوړولو وسیله توکي پرانیزي DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,د POS تعاملات شامل کړئ +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},هیڅ کارمند د کارمندانو د ساحې ارزښت لپاره موندل ندی. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),ترلاسه شوې پیسې (د شرکت پیسو) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",سیمه ایز حالت بشپړ دی، نه ژغورل شوی DocType: Chapter Member,Chapter Member,د فصل غړي @@ -5839,6 +5899,7 @@ DocType: SMS Center,All Lead (Open),ټول رهبري (پرانیستی) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,هیڅ زده کونکي ډلې نه دي رامنځته شوي. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},د {1} سره ورته ورته {1} DocType: Employee,Salary Details,د معاش تفصیلات +DocType: Employee Checkin,Exit Grace Period Consequence,دباندې د ګریس دوره پایله DocType: Bank Statement Transaction Invoice Item,Invoice,رسید DocType: Special Test Items,Particulars,درسونه apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,مهربانی وکړئ فلټر د توکو یا ګودام پر بنسټ وټاکئ @@ -5937,6 +5998,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,د AMC څخه DocType: Job Opening,"Job profile, qualifications required etc.",د کار پروفایل، وړتیاوې. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,دولت ته جہاز +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,ایا تاسو غواړئ د موادو غوښتنې وسپاروئ DocType: Opportunity Item,Basic Rate,بنسټیزه کچه DocType: Compensatory Leave Request,Work End Date,د کار پای نیټه apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,د خامو موادو لپاره غوښتنه @@ -6114,6 +6176,7 @@ DocType: Depreciation Schedule,Depreciation Amount,د استهالک مقدار DocType: Sales Order Item,Gross Profit,ټولټال ګټه DocType: Quality Inspection,Item Serial No,د سیریل نمبر DocType: Asset,Insurer,انټرنیټ +DocType: Employee Checkin,OUT,هو apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,د پیسو اخیستل DocType: Asset Maintenance Task,Certificate Required,سند ضروري دی DocType: Retention Bonus,Retention Bonus,د ساتلو بونس @@ -6308,7 +6371,6 @@ DocType: Travel Request,Costing,لګښتونه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,ثابت شوي شتمنۍ DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,ټول عایدات -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,پېرودونکي> پیرودونکي ګروپ> ساحه DocType: Share Balance,From No,له DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,د تادیاتو پخلاینې انوائس DocType: Purchase Invoice,Taxes and Charges Added,مالیات او چارجونه شامل شوي @@ -6413,6 +6475,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,د قیمت ټاکلو حاکمیت تعقیب کړئ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,خواړه DocType: Lost Reason Detail,Lost Reason Detail,د ضایع کیدو سبب شوی +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},لاندې سیریل نمبرونه رامنځته شوي:
{0} DocType: Maintenance Visit,Customer Feedback,د پیرودونکي ځواب DocType: Serial No,Warranty / AMC Details,تضمین / د AMC تفصیلات DocType: Issue,Opening Time,د پرانیستلو وخت @@ -6460,6 +6523,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,د شرکت نوم ورته نه دی apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,د کارموندنې وده نشي کولی د پرمختیا نیټې وړاندې وړاندې شي apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},د لیږد معاملو ته د {0} څخه لوی عمر نلري +DocType: Employee Checkin,Employee Checkin,کارمند چیکین apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},د پیل نیټه باید د توکو {0} لپاره د پای نیټه کم وي apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,د پیرودونکو حواله جوړه کړئ DocType: Buying Settings,Buying Settings,د اخیستلو ترتیبات @@ -6481,6 +6545,7 @@ DocType: Job Card Time Log,Job Card Time Log,د کارت کارت وخت وخت DocType: Patient,Patient Demographics,د ناروغۍ ډیموکرات DocType: Share Transfer,To Folio No,فولولو ته apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,د عملیاتو څخه د نقد فلو +DocType: Employee Checkin,Log Type,د ننوت ډول DocType: Stock Settings,Allow Negative Stock,منفي ذخیرې ته اجازه ورکړئ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,هیڅ شی د مقدار یا ارزښت په اړه هیڅ بدلون نه لري. DocType: Asset,Purchase Date,د پیرود نیټه @@ -6523,6 +6588,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,ډیر غړی apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,د خپلې سوداګرۍ طبیعت غوره کړئ. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,مهرباني وکړئ میاشت او کال غوره کړئ +DocType: Service Level,Default Priority,اصلي لومړیتوب DocType: Student Log,Student Log,د زده کونکي کوډ DocType: Shopping Cart Settings,Enable Checkout,فعال چیک چیک apps/erpnext/erpnext/config/settings.py,Human Resources,بشري منابع @@ -6551,7 +6617,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,د ERPNext سره نښلول DocType: Homepage Section Card,Subtitle,فرعي مضمون DocType: Soil Texture,Loam,لوام -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کوونکي> د عرضه کوونکي ډول DocType: BOM,Scrap Material Cost(Company Currency),د سکرو موادو لګښت (د شرکت پیسو) DocType: Task,Actual Start Date (via Time Sheet),د پیل نیټه (د وخت شیٹ له لارې) DocType: Sales Order,Delivery Date,د سپارنې نېټه @@ -6604,6 +6669,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,ډوډۍ DocType: Cheque Print Template,Starting position from top edge,د پورتنۍ غاړې څخه د پیل ځای apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),د تقاعد موده (منٹ) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},دا کارمندان دمخه د ورته وخت ټیم سره سمون لري. {0} DocType: Accounting Dimension,Disable,معلول DocType: Email Digest,Purchase Orders to Receive,د پیرودلو سپارښتنې ترلاسه کول apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,د تولیداتو سپارښتنې د دې لپاره پورته نشي پورته کیدی: @@ -6619,7 +6685,6 @@ DocType: Production Plan,Material Requests,د موادو غوښتنې DocType: Buying Settings,Material Transferred for Subcontract,د فرعي قرارداد کولو لپاره انتقال شوي توکي DocType: Job Card,Timing Detail,د وخت وخت apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,اړین دي -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},د {1} د {0} واردول DocType: Job Offer Term,Job Offer Term,د دندې وړاندیز موده DocType: SMS Center,All Contact,ټول اړیکې DocType: Project Task,Project Task,د پروژې کاري @@ -6670,7 +6735,6 @@ DocType: Student Log,Academic,اکادمیک apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Item {0} د سییریل نرس لپاره سیٹ اپ نه دی. د توکي ماسټر وګورئ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,له دولت څخه DocType: Leave Type,Maximum Continuous Days Applicable,د تطبیق وړ خورا اوږدمهالې ورځې -apps/erpnext/erpnext/config/support.py,Support Team.,د ملاتړ ټیم. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,مهرباني وکړئ لومړی شرکت نوم ولیکئ apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,واردات بریالي DocType: Guardian,Alternate Number,بدله شمېره @@ -6758,6 +6822,7 @@ apps/erpnext/erpnext/accounts/doctype/account/account.py,Root cannot be edited., apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer,انجنیر DocType: Student Admission,Eligibility and Details,وړتیا او تفصیلات DocType: Staffing Plan,Staffing Plan Detail,د کارکونکو پلان تفصیل +DocType: Shift Type,Late Entry Grace Period,د ورننوتنې د ګرم پړاو DocType: Email Digest,Annual Income,کلنۍ عواید DocType: Journal Entry,Subscription Section,د ګډون برخې DocType: Salary Slip,Payment Days,د تادياتو ورځو @@ -6805,6 +6870,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,د حساب بیلانس DocType: Asset Maintenance Log,Periodicity,موده apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,طبي ریکارډ +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,د لیست ډول لپاره د لیست ډول اړتیا اړینه ده چې په بدلون کې راشي: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,اعدام DocType: Item,Valuation Method,د ارزښت پیژندنه apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} د پلور انوونی خلاف {1} @@ -6885,6 +6951,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,د موقعیت اټک DocType: Loan Type,Loan Name,د پور نوم apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,د پیسو د بدلولو موډل ټاکئ DocType: Quality Goal,Revision,بیاکتنه +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,د لیږد د پای نیټې څخه وړاندې وخت کله چې د کتنې وخت په لومړیو کې) دقیقې (په توګه ګڼل کیږي. DocType: Healthcare Service Unit,Service Unit Type,د خدماتو څانګه DocType: Purchase Invoice,Return Against Purchase Invoice,د پیرود انویو پر وړاندې بیرته راستنیدنه apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,پټ ساتل @@ -7036,12 +7103,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,کاسمیکټونه DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,دا وګورئ که تاسو غواړئ چې کاروونکي مجبور کړئ چې د خوندي کولو مخکې د لړۍ لړۍ غوره کړئ. که چیرې تاسو دا وګورئ نو بیا به بې بنسټه وي. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,هغه کارنان چې دا رول لري د دې لپاره اجازه لري چې منجمد حسابونه ترتیب کړي او د تړل شوي حسابونو په وړاندې د حساب ورکولو ثبتونه جوړ کړي / بدل کړي +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,د توکو کوډ> توکي توکي> برنامه DocType: Expense Claim,Total Claimed Amount,ټولې ادعا شوې پیسې 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} ورځې کې د وخت سلاټ موندلو توان نلري apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,پورته کول apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,تاسو کولی شئ یواځې نوی توب وکړئ که ستاسو غړیتوب په 30 ورځو کې پای ته ورسیږي apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},ارزښت باید د {0} او {1} ترمنځ وي DocType: Quality Feedback,Parameters,پیرامیټونه +DocType: Shift Type,Auto Attendance Settings,د آٹو حاضري ترتیبات ,Sales Partner Transaction Summary,د پلور شریک پارټنر لنډیز DocType: Asset Maintenance,Maintenance Manager Name,د ترمیم مدیر نوم apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,د توکو د توضیحاتو د راوړلو لپاره اړینه ده. @@ -7129,10 +7198,10 @@ apps/erpnext/erpnext/utilities/user_progress.py,Pair,جوړه DocType: Pricing Rule,Validate Applied Rule,د پلي شوي قانون اعتبار DocType: Job Card Item,Job Card Item,د کارت کارت توکي DocType: Homepage,Company Tagline for website homepage,د ویب پاڼه د ویب پاڼې لپاره د شرکت تګلاره +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,په 1 {1} کې د اولیت {0} د ځواب وخت او پریکړه ترتیب کړئ. DocType: Company,Round Off Cost Center,د ګردي بند لګښت لګښت DocType: Supplier Scorecard Criteria,Criteria Weight,معیارونه وزن DocType: Asset,Depreciation Schedules,د استهالک سیسټمونه -DocType: Expense Claim Detail,Claim Amount,د ادعا ادعا وکړه DocType: Subscription,Discounts,رخصتۍ DocType: Shipping Rule,Shipping Rule Conditions,د لیږدولو مقررات DocType: Subscription,Cancelation Date,د بندیز نیټه @@ -7160,7 +7229,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,لارښوونه جو apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,صفر ارزښتونه ښکاره کړئ DocType: Employee Onboarding,Employee Onboarding,د کارموندنې دفتر DocType: POS Closing Voucher,Period End Date,د پای نیټه نیټه -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,سرچینه د پلور فرصتونه DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,په لیست کې د لومړي کنوانسیون وړاندیز به د ډایفورډ پرېښودنې ناخالص په توګه وټاکل شي. DocType: POS Settings,POS Settings,POS ترتیبات apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,ټول حسابونه @@ -7181,7 +7249,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,د ب apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: شرح باید د {1}: {2} ({3} / {4} په څیر وي DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR -YYYY- DocType: Healthcare Settings,Healthcare Service Items,د روغتیا خدماتو توکي -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,هیڅ ریکارډ ونه موندل شو apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,د دریم پړاو 3 DocType: Vital Signs,Blood Pressure,د وينې فشار apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,په نښه کول @@ -7227,6 +7294,7 @@ DocType: Company,Existing Company,موجوده شرکت apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,ټوټې apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,دفاع DocType: Item,Has Batch No,د بیچچ شمیره ده +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,ناوخته ورځ DocType: Lead,Person Name,د شخص نوم DocType: Item Variant,Item Variant,د توکو ویډیو DocType: Training Event Employee,Invited,بلنه @@ -7247,7 +7315,7 @@ DocType: Inpatient Record,O Negative,اې منفي DocType: Purchase Order,To Receive and Bill,ترلاسه کول او بل ته DocType: POS Profile,Only show Customer of these Customer Groups,یواځې د دې پیرودونکو پیرودونکي پیژنئ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,د انوائس خوندي کولو لپاره توکي غوره کړئ -DocType: Service Level,Resolution Time,د حل کولو وخت +DocType: Service Level Priority,Resolution Time,د حل کولو وخت DocType: Grading Scale Interval,Grade Description,د درجې تفصیل DocType: Homepage Section,Cards,کارتونه DocType: Quality Meeting Minutes,Quality Meeting Minutes,د کیفیت غونډه غونډه @@ -7319,7 +7387,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,د واردولو ګوندونه او پته DocType: Item,List this Item in multiple groups on the website.,دا توکي په ډیرو ګروپونو کې په ویب پاڼه کې لیست کړئ. DocType: Request for Quotation,Message for Supplier,د عرضه کوونکي لپاره پیغام -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,{0} نشي کولی د اسٹاک لیږد د توکو لپاره {1} موجود وي. DocType: Healthcare Practitioner,Phone (R),تلیفون (R) DocType: Maintenance Team Member,Team Member,د ډلې غړی DocType: Asset Category Account,Asset Category Account,د شتمنۍ کټګوري diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv index 46d7a43c96..23c8738c82 100644 --- a/erpnext/translations/pt.csv +++ b/erpnext/translations/pt.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Data de início do termo apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Compromisso {0} e fatura de vendas {1} cancelados DocType: Purchase Receipt,Vehicle Number,Número do veículo apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Seu endereço de email... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Incluir entradas de livro padrão +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Incluir entradas de livro padrão DocType: Activity Cost,Activity Type,Tipo de atividade DocType: Purchase Invoice,Get Advances Paid,Obter adiantamentos pagos DocType: Company,Gain/Loss Account on Asset Disposal,Conta de ganho / perda na alienação de ativos @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,O que isso faz? DocType: Bank Reconciliation,Payment Entries,Entradas de pagamento DocType: Employee Education,Class / Percentage,Classe / Porcentagem ,Electronic Invoice Register,Registro de fatura eletrônica +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. DocType: Sales Invoice,Is Return (Credit Note),É retorno (nota de crédito) +DocType: Price List,Price Not UOM Dependent,Preço Não Dependente da UOM DocType: Lab Test Sample,Lab Test Sample,Amostra de teste de laboratório DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Por exemplo, para 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Pesquisa de prod DocType: Salary Slip,Net Pay,Pagamento líquido apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Total faturado Amt DocType: Clinical Procedure,Consumables Invoice Separately,Fatura de Consumíveis Separadamente +DocType: Shift Type,Working Hours Threshold for Absent,Limite de Horas de Trabalho por Ausente DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},O orçamento não pode ser atribuído à conta do grupo {0} DocType: Purchase Receipt Item,Rate and Amount,Taxa e Montante @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Definir depósito de origem DocType: Healthcare Settings,Out Patient Settings,Configurações do paciente DocType: Asset,Insurance End Date,Data final do seguro DocType: Bank Account,Branch Code,Código da Agência -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Hora de responder apps/erpnext/erpnext/public/js/conf.js,User Forum,Fórum de usuários DocType: Landed Cost Item,Landed Cost Item,Item de custo no destino 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 @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Proprietário Líder DocType: Share Transfer,Transfer,Transferir apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Pesquisar item (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} resultado submetido +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,A partir da data não pode ser maior que do que Até à data DocType: Supplier,Supplier of Goods or Services.,Fornecedor de Bens ou Serviços. 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" apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Grupo de Alunos ou Horário do Curso é obrigatório @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Banco de dad DocType: Skill,Skill Name,Nome da habilidade apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Imprimir boletim DocType: Soil Texture,Ternary Plot,Termo Ternário -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Bilhetes de suporte DocType: Asset Category Account,Fixed Asset Account,Conta de ativo fixo apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Mais recentes @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Distância UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Obrigatório para o balanço DocType: Payment Entry,Total Allocated Amount,Quantia Total Alocada DocType: Sales Invoice,Get Advances Received,Obter adiantamentos recebidos +DocType: Shift Type,Last Sync of Checkin,Última sincronização do checkin DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Item Montante do Imposto Incluído no Valor apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Plano de Assinatura DocType: Student,Blood Group,Grupo sanguíneo apps/erpnext/erpnext/config/healthcare.py,Masters,Mestres DocType: Crop,Crop Spacing UOM,Espaçamento entre culturas UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,"O horário após o horário de início do turno, quando o check-in é considerado atrasado (em minutos)." apps/erpnext/erpnext/templates/pages/home.html,Explore,Explorar +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nenhuma fatura pendente encontrada apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} vagas e {1} orçamento para {2} já planejadas para empresas subsidiárias de {3}. \ Você só pode planejar até {4} vagas e e orçamentar {5} como plano de pessoal {6} para a empresa controladora {3}. DocType: Promotional Scheme,Product Discount Slabs,Lajes de desconto do produto @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Pedido de Presença DocType: Item,Moving Average,Média móvel DocType: Employee Attendance Tool,Unmarked Attendance,Participação não marcada DocType: Homepage Section,Number of Columns,Numero de colunas +DocType: Issue Priority,Issue Priority,Emitir prioridade DocType: Holiday List,Add Weekly Holidays,Adicionar feriados semanais DocType: Shopify Log,Shopify Log,Log do Shopify apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Criar boleto salarial @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Valor / Descrição DocType: Warranty Claim,Issue Date,Data de emissão 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,Por favor selecione um Lote para o Item {0}. Não foi possível encontrar um único lote que atenda a esse requisito apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Não é possível criar bônus de retenção para funcionários da esquerda +DocType: Employee Checkin,Location / Device ID,Localização / ID do dispositivo DocType: Purchase Order,To Receive,Receber apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Você está no modo offline. Você não poderá recarregar até ter rede. DocType: Course Activity,Enrollment,Inscrição @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Modelo de teste de laboratório apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Máximo: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informações de faturamento eletrônico ausentes apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nenhuma solicitação de material criada -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código do item> Grupo de itens> Marca DocType: Loan,Total Amount Paid,Valor Total Pago apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Todos esses itens já foram faturados DocType: Training Event,Trainer Name,Nome do instrutor @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Por favor mencione o nome do lead no lead {0} DocType: Employee,You can enter any date manually,Você pode inserir qualquer data manualmente DocType: Stock Reconciliation Item,Stock Reconciliation Item,Item de reconciliação de estoque +DocType: Shift Type,Early Exit Consequence,Consequência de saída antecipada DocType: Item Group,General Settings,Configurações Gerais apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,A data de vencimento não pode ser antes da data da remessa / da fatura do fornecedor apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Digite o nome do beneficiário antes de enviar. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,Auditor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Confirmação de pagamento ,Available Stock for Packing Items,Estoque disponível para itens de embalagem apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Por favor remova esta Fatura {0} do C-Form {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Todos os check-in e check-out válidos DocType: Support Search Source,Query Route String,String de rota de consulta DocType: Customer Feedback Template,Customer Feedback Template,Modelo de feedback do cliente apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Cotações para leads ou clientes. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Controle de Autorização ,Daily Work Summary Replies,Respostas de resumo do trabalho diário apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Você foi convidado para colaborar no projeto: {0} +DocType: Issue,Response By Variance,Resposta por variação DocType: Item,Sales Details,Detalhes de vendas apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Cabeças de carta para modelos de impressão. DocType: Salary Detail,Tax on additional salary,Imposto sobre salário adicional @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Endereço DocType: Project,Task Progress,Progresso da Tarefa DocType: Journal Entry,Opening Entry,Entrada de Abertura DocType: Bank Guarantee,Charges Incurred,Taxas incorridas +DocType: Shift Type,Working Hours Calculation Based On,Cálculo das horas de trabalho com base em DocType: Work Order,Material Transferred for Manufacturing,Material transferido para fabricação DocType: Products Settings,Hide Variants,Ocultar variantes DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Desativar o planejamento de capacidade e o acompanhamento de tempo @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,Depreciação DocType: Guardian,Interests,Interesses DocType: Purchase Receipt Item Supplied,Consumed Qty,Qtd consumido DocType: Education Settings,Education Manager,Gerente de Educação +DocType: Employee Checkin,Shift Actual Start,Mudança de Partida Real DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planejar registros de horário fora do horário de trabalho da estação de trabalho. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Pontos de fidelidade: {0} DocType: Healthcare Settings,Registration Message,Mensagem de Registo @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Fatura já criada para todas as horas de faturamento DocType: Sales Partner,Contact Desc,Contate Desc DocType: Purchase Invoice,Pricing Rules,Regras de precificação +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Como existem transações existentes no item {0}, você não pode alterar o valor de {1}" DocType: Hub Tracked Item,Image List,Lista de imagens DocType: Item Variant Settings,Allow Rename Attribute Value,Permitir Renomear Atributo Valor -DocType: Price List,Price Not UOM Dependant,Preço Não Dependente da UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Tempo (em minutos) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Basic DocType: Loan,Interest Income Account,Conta de rendimento de juros @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,Tipo de Emprego apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Selecione o perfil do POS DocType: Support Settings,Get Latest Query,Obter consulta mais recente DocType: Employee Incentive,Employee Incentive,Incentivo ao funcionário +DocType: Service Level,Priorities,Prioridades apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Adicione cartões ou seções personalizadas na página inicial DocType: Homepage,Hero Section Based On,Seção de Herói Baseada em DocType: Project,Total Purchase Cost (via Purchase Invoice),Custo total de compra (via fatura de compra) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,Fabricação contra ped DocType: Blanket Order Item,Ordered Quantity,Quantidade solicitada apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Linha # {0}: O depósito rejeitado é obrigatório no item rejeitado {1} ,Received Items To Be Billed,Itens recebidos a serem faturados -DocType: Salary Slip Timesheet,Working Hours,Horas de trabalho +DocType: Attendance,Working Hours,Horas de trabalho apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Modo de pagamento apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Ordem de compra Itens não recebidos no prazo apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Duração em dias @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Informações estatutárias e outras informações gerais sobre o seu fornecedor DocType: Item Default,Default Selling Cost Center,Centro de custo de venda padrão DocType: Sales Partner,Address & Contacts,Endereço e contatos -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 DocType: Subscriber,Subscriber,Assinante apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) está fora de estoque apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Por favor, selecione a data de lançamento primeiro" @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,% Método completo DocType: Detected Disease,Tasks Created,Tarefas criadas apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,A lista de materiais padrão ({0}) deve estar ativa para este item ou seu modelo apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Taxa de comissão % -DocType: Service Level,Response Time,Tempo de resposta +DocType: Service Level Priority,Response Time,Tempo de resposta DocType: Woocommerce Settings,Woocommerce Settings,Configurações do Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Quantidade deve ser positiva DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Taxa de visita a pacient DocType: Bank Statement Settings,Transaction Data Mapping,Mapeamento de dados de transação apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Um lead requer o nome de uma pessoa ou o nome de uma organização DocType: Student,Guardians,Guardiões -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/public/js/stock_analytics.js,Select Brand...,Selecione marca ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Renda Média DocType: Shipping Rule,Calculate Based On,Calcular baseado em @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Definir um alvo apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Registro de Presença {0} existe contra o Aluno {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Data da Transação apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Cancelar assinatura +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Não foi possível definir o nível de serviço {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Valor do Salário Líquido DocType: Account,Liability,Responsabilidade DocType: Employee,Bank A/C No.,Banco A / C No. @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Código do item de matéria-prima apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,A fatura de compra {0} já foi enviada DocType: Fees,Student Email,E-mail do aluno -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Recursão de BOM: {0} não pode ser pai ou filho de {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Obter itens de serviços de saúde apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,A entrada de estoque {0} não é enviada DocType: Item Attribute Value,Item Attribute Value,Valor do Atributo do Item @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,Permitir impressão antes do pagamen DocType: Production Plan,Select Items to Manufacture,Selecione itens para fabricar DocType: Leave Application,Leave Approver Name,Deixe o nome do aprovador DocType: Shareholder,Shareholder,Acionista -DocType: Issue,Agreement Status,Status do acordo apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Configurações padrão para transações de venda. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Por favor, selecione Student Admission, que é obrigatório para o aluno estudante pago" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Selecione BOM @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Conta de Renda apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Todos os Armazéns DocType: Contract,Signee Details,Detalhes da Signee +DocType: Shift Type,Allow check-out after shift end time (in minutes),Permitir o check-out após o término do turno (em minutos) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Procurement DocType: Item Group,Check this if you want to show in website,Verifique isso se você quiser mostrar no site apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Ano fiscal {0} não encontrado @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Data de início da deprecia DocType: Activity Cost,Billing Rate,Taxa de Faturamento apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Aviso: Outro {0} # {1} existe contra a entrada de estoque {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Ative as configurações do Google Maps para estimar e otimizar rotas +DocType: Purchase Invoice Item,Page Break,Quebra de página DocType: Supplier Scorecard Criteria,Max Score,Pontuação máxima apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,A data de início do reembolso não pode ser anterior à data do desembolso. DocType: Support Search Source,Support Search Source,Fonte de pesquisa de suporte @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Objetivo Objetivo de Qual DocType: Employee Transfer,Employee Transfer,Transferência de Empregados ,Sales Funnel,Funil de vendas DocType: Agriculture Analysis Criteria,Water Analysis,Análise de água +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: Accounts Settings,Accounts Frozen Upto,Contas congeladas até apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Não há nada para editar. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operação {0} mais longa do que qualquer horário de trabalho disponível na estação de trabalho {1}, divida a operação em várias operações" @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Cont apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},A ordem do cliente {0} é {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Atraso no pagamento (dias) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Insira detalhes de depreciação +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,PO Cliente apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,A data de entrega prevista deve ser depois da data do pedido de venda +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Quantidade de item não pode ser zero apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Atributo inválido apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Por favor selecione BOM em relação ao item {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipo de fatura @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,Data de manutenção DocType: Volunteer,Afternoon,Tarde DocType: Vital Signs,Nutrition Values,Valores Nutricionais DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),Presença de febre (temp> 38.5 ° C / 101.3 ° F ou temperatura sustentada> 38 ° C / 100.4 ° F) +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" apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC invertido DocType: Project,Collect Progress,Recolha Progresso apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energia @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,Progresso da Instalação ,Ordered Items To Be Billed,Itens encomendados a serem faturados DocType: Taxable Salary Slab,To Amount,A quantidade DocType: Purchase Invoice,Is Return (Debit Note),É retorno (nota de débito) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de Clientes> Território apps/erpnext/erpnext/config/desktop.py,Getting Started,Começando apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Mesclar apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Não é possível alterar a Data de Início do Ano Fiscal e a Data Final do Ano Fiscal após o Ano Fiscal ser salvo. @@ -2216,8 +2232,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Data atual apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},A data de início da manutenção não pode ser anterior à data de entrega do número de série {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Linha {0}: a taxa de câmbio é obrigatória DocType: Purchase Invoice,Select Supplier Address,Selecione o endereço do fornecedor +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","A quantidade disponível é {0}, você precisa de {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,"Por favor, insira o segredo do consumidor da API" DocType: Program Enrollment Fee,Program Enrollment Fee,Taxa de inscrição no programa +DocType: Employee Checkin,Shift Actual End,Mudar o fim real DocType: Serial No,Warranty Expiry Date,Data de expiração da garantia DocType: Hotel Room Pricing,Hotel Room Pricing,Preços do quarto de hotel apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Fornecimentos tributáveis externos (diferentes de zero, não classificados e isentos" @@ -2277,6 +2295,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,5 de leitura DocType: Shopping Cart Settings,Display Settings,Configurações do visor apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Por favor, defina Número de Depreciações Reservadas" +DocType: Shift Type,Consequence after,Consequência após apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Com o que você precisa de ajuda? DocType: Journal Entry,Printing Settings,Configurações de impressão apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bancário @@ -2286,6 +2305,7 @@ DocType: Purchase Invoice Item,PR Detail,Detalhe PR apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,O endereço de cobrança é o mesmo do endereço de entrega DocType: Account,Cash,Dinheiro DocType: Employee,Leave Policy,Política de Deixar +DocType: Shift Type,Consequence,Consequência apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Endereço Estudantil DocType: GST Account,CESS Account,Conta CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: o centro de custo é necessário para a conta de 'ganhos e perdas' {2}. Por favor, configure um centro de custo padrão para a empresa." @@ -2350,6 +2370,7 @@ DocType: GST HSN Code,GST HSN Code,Código GST HSN DocType: Period Closing Voucher,Period Closing Voucher,Voucher de Fechamento do Período apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Name apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Por favor entre com a conta de despesas +DocType: Issue,Resolution By Variance,Resolução por variação DocType: Employee,Resignation Letter Date,Data de Resignação DocType: Soil Texture,Sandy Clay,Argila arenosa DocType: Upload Attendance,Attendance To Date,Atendimento até a data @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Veja Agora DocType: Item Price,Valid Upto,Válido até apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Doctype de referência deve ser um de {0} +DocType: Employee Checkin,Skip Auto Attendance,Ignorar a participação automática DocType: Payment Request,Transaction Currency,Moeda de transação DocType: Loan,Repayment Schedule,Cronograma de pagamento apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Criar entrada de estoque de retenção de amostra @@ -2433,6 +2455,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Atribuição de DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Impostos de Voucher de Fechamento de PDV apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Ação inicializada DocType: POS Profile,Applicable for Users,Aplicável para usuários +,Delayed Order Report,Relatório de pedidos atrasados DocType: Training Event,Exam,Exame apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Número incorreto de entradas de contabilidade geral encontradas. Você pode ter selecionado uma conta errada na transação. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Pipeline de Vendas @@ -2447,10 +2470,11 @@ DocType: Account,Round Off,Arredondar DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,As condições serão aplicadas em todos os itens selecionados combinados. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Configurar DocType: Hotel Room,Capacity,Capacidade +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Qtd Instalado apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Lote {0} do item {1} está desativado. DocType: Hotel Room Reservation,Hotel Reservation User,Usuário de reserva de hotel -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,O dia de trabalho foi repetido duas vezes +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,O Acordo de Nível de Serviço com o Tipo de Entidade {0} e a Entidade {1} já existe. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Grupo de Itens não mencionado no item mestre para o item {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Erro de nome: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Território é obrigatório no perfil de POS @@ -2498,6 +2522,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Data de agendamento DocType: Packing Slip,Package Weight Details,Detalhes do peso do pacote DocType: Job Applicant,Job Opening,Abertura de Trabalho +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Última Sincronização Bem-sucedida Conhecida do Check-in de Funcionário. Redefina isso somente se tiver certeza de que todos os registros são sincronizados de todos os locais. Por favor, não modifique isso se você não tiver certeza." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Custo real apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),O avanço total ({0}) contra o Pedido {1} não pode ser maior que o Total Geral ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Variantes de item atualizadas @@ -2542,6 +2567,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Recibo de compra de refer apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Receba Invocies DocType: Tally Migration,Is Day Book Data Imported,Os dados do livro diário são importados ,Sales Partners Commission,Comissão de parceiros de vendas +DocType: Shift Type,Enable Different Consequence for Early Exit,Ativar Consequência Diferente para Saída Antecipada apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Legal DocType: Loan Application,Required by Date,Obrigatório por data DocType: Quiz Result,Quiz Result,Resultado do teste @@ -2601,7 +2627,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Ano cont DocType: Pricing Rule,Pricing Rule,Regra de Preços 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} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,"Por favor, defina o campo ID do usuário em um registro de empregado para definir a função do funcionário" -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Hora de resolver DocType: Training Event,Training Event,Evento de Treinamento DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","A pressão arterial normal de repouso em um adulto é de aproximadamente 120 mmHg sistólica e 80 mmHg diastólica, abreviada como "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,O sistema buscará todas as entradas se o valor limite for zero. @@ -2645,6 +2670,7 @@ DocType: Woocommerce Settings,Enable Sync,Ativar sincronização DocType: Student Applicant,Approved,Aprovado apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},De data deve estar dentro do ano fiscal. Assumindo desde a data = {0} 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." +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} é um status de participação inválido. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Conta de abertura temporária DocType: Purchase Invoice,Cash/Bank Account,Dinheiro / conta bancária DocType: Quality Meeting Table,Quality Meeting Table,Mesa de reunião de qualidade @@ -2680,6 +2706,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,Token de Autenticação do MWS apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Alimentos, bebidas e tabaco" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Horário do curso DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Item Wise Tax Detail +DocType: Shift Type,Attendance will be marked automatically only after this date.,A participação será marcada automaticamente somente após essa data. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Suprimentos feitos para os titulares de UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Pedido de cotações apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Moeda não pode ser alterada depois de fazer entradas usando alguma outra moeda @@ -2728,7 +2755,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,É o item do hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procedimento de Qualidade DocType: Share Balance,No of Shares,Nº de ações -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Linha {0}: Quantidade não disponível para {4} no depósito {1} no momento da postagem da entrada ({2} {3}) DocType: Quality Action,Preventive,Preventivo DocType: Support Settings,Forum URL,URL do Fórum apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Empregado e Atendimento @@ -2950,7 +2976,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Tipo de desconto DocType: Hotel Settings,Default Taxes and Charges,Impostos e taxas padrão apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Isso é baseado em transações contra esse fornecedor. Veja a linha do tempo abaixo para detalhes 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 empregado {0} excede {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Digite as datas de início e término do contrato. DocType: Delivery Note Item,Against Sales Invoice,Contra fatura de vendas DocType: Loyalty Point Entry,Purchase Amount,Montante de Compra apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Não é possível definir como Perdido quando o pedido de vendas é feito. @@ -2974,7 +2999,7 @@ DocType: Homepage,"URL for ""All Products""",URL para "Todos os produtos&qu DocType: Lead,Organization Name,Nome da organização 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/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Linha # {0}: Lote Não deve ser o mesmo que {1} {2} -DocType: Employee,Leave Details,Deixe detalhes +DocType: Employee Checkin,Shift Start,Mudança de partida apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Transações de ações antes de {0} são congeladas DocType: Driver,Issuing Date,Data de emissão apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Solicitador @@ -3019,9 +3044,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detalhes do modelo de mapeamento de fluxo de caixa apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Recrutamento e Treinamento DocType: Drug Prescription,Interval UOM,UOM de intervalo +DocType: Shift Type,Grace Period Settings For Auto Attendance,Configurações do Período de Carência para Atendimento Automático apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,De Moeda e Moeda não pode ser o mesmo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmacêutica DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Horas de suporte apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} é cancelado ou fechado apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Linha {0}: adiantamento contra o cliente deve ser creditado apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grupo por vale (consolidado) @@ -3131,6 +3158,7 @@ DocType: Asset Repair,Repair Status,Status de reparo DocType: Territory,Territory Manager,gerente de território DocType: Lab Test,Sample ID,ID da amostra apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Carrinho esta vazio +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 apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,O recurso {0} deve ser enviado ,Absent Student Report,Relatório do aluno ausente 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 @@ -3138,7 +3166,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,L DocType: Travel Request Costing,Funded Amount,Valor Financiado apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} não foi enviado, portanto, a ação não pode ser concluída" DocType: Subscription,Trial Period End Date,Data final do período de avaliação +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Entradas alternadas como IN e OUT durante o mesmo turno DocType: BOM Update Tool,The new BOM after replacement,A nova lista técnica após a substituição +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornecedor> Tipo de Fornecedor apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Item 5 DocType: Employee,Passport Number,Número do passaporte apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Abertura Temporária @@ -3254,6 +3284,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Relatórios principais apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Fornecedor possível ,Issued Items Against Work Order,Itens Emitidos Contra Ordem de Serviço apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Criando {0} Fatura +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" DocType: Student,Joining Date,Data de ingresso apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Solicitando Site DocType: Purchase Invoice,Against Expense Account,Contra conta de despesas @@ -3293,6 +3324,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Taxas Aplicáveis ,Point of Sale,Ponto de venda DocType: Authorization Rule,Approving User (above authorized value),Aprovando Usuário (acima do valor autorizado) +DocType: Service Level Agreement,Entity,Entidade apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Quantia {0} {1} transferida de {2} para {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},O cliente {0} não pertence ao projeto {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Do nome do partido @@ -3339,6 +3371,7 @@ DocType: Asset,Opening Accumulated Depreciation,Abrindo Depreciação Acumulada DocType: Soil Texture,Sand Composition (%),Composição de Areia (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importar dados do livro diário +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" DocType: Asset,Asset Owner Company,Empresa proprietária de ativos apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,O centro de custo é necessário para reservar uma declaração de despesas apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} números de série válidos para o Item {1} @@ -3399,7 +3432,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Proprietário do ativo apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},O depósito é obrigatório para o estoque Item {0} na linha {1} DocType: Stock Entry,Total Additional Costs,Custos Adicionais Totais -DocType: Marketplace Settings,Last Sync On,Última sincronização ativada 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 Team,Maintenance Team Name,Nome da equipe de manutenção apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Mapa de Centros de Custo @@ -3415,12 +3447,12 @@ DocType: Sales Order Item,Work Order Qty,Quantidade de ordem de serviço DocType: Job Card,WIP Warehouse,Armazém WIP DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ID do usuário não definido para o funcionário {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Qty disponível é {0}, você precisa de {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Utilizador {0} criado DocType: Stock Settings,Item Naming By,Nomeação de itens por apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Pedido apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Este é um grupo de clientes raiz e não pode ser editado. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Solicitação de Material {0} foi cancelada ou interrompida +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Estritamente baseado no tipo de registro no check-in de funcionários DocType: Purchase Order Item Supplied,Supplied Qty,Quantidade Fornecida DocType: Cash Flow Mapper,Cash Flow Mapper,Mapeador de Fluxo de Caixa DocType: Soil Texture,Sand,Areia @@ -3479,6 +3511,7 @@ DocType: Lab Test Groups,Add new line,Adicionar nova linha apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Grupo de itens duplicados encontrado na tabela de grupos de itens apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Salário anual DocType: Supplier Scorecard,Weighting Function,Função de Ponderaçã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} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Erro ao avaliar a fórmula de critérios ,Lab Test Report,Relatório de teste de laboratório DocType: BOM,With Operations,Com operações @@ -3492,6 +3525,7 @@ DocType: Expense Claim Account,Expense Claim Account,Conta de Reivindicação de apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nenhum reembolso disponível para lançamento no diário apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} é estudante inativo apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Fazer entrada de estoque +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Recursão de BOM: {0} não pode ser pai ou filho de {1} DocType: Employee Onboarding,Activities,actividades apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Pelo menos um depósito é obrigatório ,Customer Credit Balance,Saldo de crédito do cliente @@ -3504,9 +3538,11 @@ DocType: Supplier Scorecard Period,Variables,Variáveis 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: Patient,Medication,Medicação apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Selecione o programa de fidelidade +DocType: Employee Checkin,Attendance Marked,Atendimento Marcado apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Matéria prima DocType: Sales Order,Fully Billed,Totalmente faturado apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Por favor, defina a taxa de quarto de hotel em {}" +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Selecione apenas uma prioridade como padrão. apps/erpnext/erpnext/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} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,O montante total de crédito / débito deve ser o mesmo que o lançamento no diário associado DocType: Purchase Invoice Item,Is Fixed Asset,É Ativo Fixo @@ -3527,6 +3563,7 @@ DocType: Purpose of Travel,Purpose of Travel,Propósito da viagem DocType: Healthcare Settings,Appointment Confirmation,Confirmação de compromisso DocType: Shopping Cart Settings,Orders,Encomendas DocType: HR Settings,Retirement Age,Idade de aposentadoria +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/stock/page/stock_balance/stock_balance.js,Projected Qty,Qtd Projetado apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},A exclusão não é permitida para o país {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Linha # {0}: o ativo {1} já é {2} @@ -3610,11 +3647,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Contador apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Vencimento do Voucher de Fechamento POS existe para {0} entre a data {1} e {2} apps/erpnext/erpnext/config/help.py,Navigating,Navegação +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Nenhuma fatura pendente requer reavaliação da taxa de câmbio DocType: Authorization Rule,Customer / Item Name,Nome do cliente / item apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Novo nº de série não pode ter depósito. Armazém deve ser definido por entrada de estoque ou recibo de compra DocType: Issue,Via Customer Portal,Através do Portal do Cliente DocType: Work Order Operation,Planned Start Time,Horário de início planejado apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} é {2} +DocType: Service Level Priority,Service Level Priority,Prioridade de Nível de Serviço apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Número de Depreciações Reservadas não pode ser maior que o Número Total de Depreciações apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share Ledger DocType: Journal Entry,Accounts Payable,Contas a pagar @@ -3725,7 +3764,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Entrega para DocType: Bank Statement Transaction Settings Item,Bank Data,Dados bancários apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Upto agendado -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Manter horas de faturamento e horas de trabalho iguais no quadro de horários apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Rastrear leads por origem de leads. DocType: Clinical Procedure,Nursing User,Usuário de Enfermagem DocType: Support Settings,Response Key List,Lista de chaves de resposta @@ -3893,6 +3931,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Hora de início real DocType: Antibiotic,Laboratory User,Usuário de Laboratório apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Leilões Online +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,A prioridade {0} foi repetida. DocType: Fee Schedule,Fee Creation Status,Status de criação de taxa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Softwares apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Ordem de venda para pagamento @@ -3959,6 +3998,7 @@ DocType: Patient Encounter,In print,Na impressão apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Não foi possível recuperar informações para {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,A moeda de cobrança deve ser igual à moeda da empresa padrão ou à moeda da conta do participante apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,"Por favor, insira o ID do funcionário dessa pessoa de vendas" +DocType: Shift Type,Early Exit Consequence after,Consequência de saída antecipada após apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Criar vendas de abertura e faturas de compra DocType: Disease,Treatment Period,Período de tratamento apps/erpnext/erpnext/config/settings.py,Setting up Email,Configurando o email @@ -3976,7 +4016,6 @@ DocType: Employee Skill Map,Employee Skills,Habilidades dos Funcionários apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Nome do aluno: DocType: SMS Log,Sent On,Enviado em DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Fatura de vendas -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,O tempo de resposta não pode ser maior que o tempo de resolução DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Para o Grupo de Alunos do Curso, o Curso será validado para todos os Alunos dos Cursos inscritos no Programa de Inscrição." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Suprimentos Intra-estatais DocType: Employee,Create User Permission,Criar permissão do usuário @@ -4015,6 +4054,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Termos contratuais padrão para vendas ou compra. DocType: Sales Invoice,Customer PO Details,Detalhes do pedido do cliente apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Paciente não encontrado +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Selecione uma prioridade padrão. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Remover item se as cobranças não forem aplicáveis a esse item apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Existe um grupo de clientes com o mesmo nome, altere o nome do cliente ou renomeie o grupo de clientes" 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. @@ -4054,6 +4094,7 @@ DocType: Quality Goal,Quality Goal,Objetivo de Qualidade DocType: Support Settings,Support Portal,Portal de suporte apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},A data de término da tarefa {0} não pode ser menor que {1} data de início esperada {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Empregado {0} está em Sair em {1} +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} DocType: Employee,Held On,Realizada em DocType: Healthcare Practitioner,Practitioner Schedules,Horários do praticante DocType: Project Template Task,Begin On (Days),Comece em (dias) @@ -4061,6 +4102,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},A ordem de serviço foi {0} DocType: Inpatient Record,Admission Schedule Date,Data de agendamento de admissão apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Ajuste do Valor do Ativo +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. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Suprimentos para pessoas não registradas apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Todos os trabalhos DocType: Appointment Type,Appointment Type,Tipo de compromisso @@ -4174,7 +4216,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P 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: Plant Analysis,Laboratory Testing Datetime,Teste de Laboratório Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,O item {0} não pode ter Lote -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Pipeline de vendas por estágio apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Força do Grupo de Alunos DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Entrada de transação de extrato bancário DocType: Purchase Order,Get Items from Open Material Requests,Obter itens de solicitações de material aberto @@ -4256,7 +4297,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Mostrar envelhecimento em armazém DocType: Sales Invoice,Write Off Outstanding Amount,Escreva o valor pendente DocType: Payroll Entry,Employee Details,Detalhes do funcionário -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,A hora de início não pode ser maior que a hora de término para {0}. DocType: Pricing Rule,Discount Amount,Valor de desconto DocType: Healthcare Service Unit Type,Item Details,Detalhes do item apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Declaração de imposto duplicada de {0} para o período {1} @@ -4309,7 +4349,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,O pagamento líquido não pode ser negativo apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Não de Interações 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 transferida mais que {2} contra o Pedido de Compra {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Mudança +DocType: Attendance,Shift,Mudança apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Plano de processamento de contas e partes DocType: Stock Settings,Convert Item Description to Clean HTML,Converter descrição do item para limpar o HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Todos os grupos de fornecedores @@ -4380,6 +4420,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Atividade de DocType: Healthcare Service Unit,Parent Service Unit,Unidade de serviço dos pais DocType: Sales Invoice,Include Payment (POS),Incluir pagamento (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Patrimônio Privado +DocType: Shift Type,First Check-in and Last Check-out,Primeiro check-in e último check-out DocType: Landed Cost Item,Receipt Document,Documento de Recebimento DocType: Supplier Scorecard Period,Supplier Scorecard Period,Período de Pontuação do Fornecedor DocType: Employee Grade,Default Salary Structure,Estrutura Salarial Padrão @@ -4462,6 +4503,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Criar pedido apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definir orçamento para um ano financeiro. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,A tabela de contas não pode ficar em branco. +DocType: Employee Checkin,Entry Grace Period Consequence,Consequência do período de carência de entrada ,Payment Period Based On Invoice Date,Período de pagamento com base na data da fatura apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},A data de instalação não pode ser anterior à data de entrega do item {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Link para solicitação de material @@ -4470,6 +4512,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Tipo de dados apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Linha {0}: uma entrada Reordenar já existe para este depósito {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data do Doc DocType: Monthly Distribution,Distribution Name,Nome da Distribuição +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,A jornada de trabalho {0} foi repetida. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Grupo para não grupo apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Atualização em andamento. Pode demorar um pouco. DocType: Item,"Example: ABCD.##### @@ -4482,6 +4525,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Qtde de combustível apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile Não DocType: Invoice Discounting,Disbursed,Desembolsado +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/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Alteração líquida em contas a pagar apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Não disponível apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Meio período @@ -4495,7 +4539,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potencia apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Mostrar PDC na impressão apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Fornecedor Shopify DocType: POS Profile User,POS Profile User,Usuário do Perfil POS -DocType: Student,Middle Name,Nome do meio DocType: Sales Person,Sales Person Name,Nome da pessoa de vendas DocType: Packing Slip,Gross Weight,Peso bruto DocType: Journal Entry,Bill No,Conta não @@ -4504,7 +4547,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nova DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Acordo de Nível de Serviço -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Por favor selecione Empregado e Data primeiro apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,A taxa de avaliação do item é recalculada considerando o valor do comprovante do custo inicial DocType: Timesheet,Employee Detail,Detalhe do funcionário DocType: Tally Migration,Vouchers,Vouchers @@ -4539,7 +4581,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Acordo de Nível DocType: Additional Salary,Date on which this component is applied,Data em que este componente é aplicado apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Lista de Acionistas Disponíveis com Números Fólio apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Configurar contas do Gateway. -DocType: Service Level,Response Time Period,Período de tempo de resposta +DocType: Service Level Priority,Response Time Period,Período de tempo de resposta DocType: Purchase Invoice,Purchase Taxes and Charges,Adquirir Impostos e Encargos DocType: Course Activity,Activity Date,Data da atividade apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Selecione ou adicione novo cliente @@ -4564,6 +4606,7 @@ DocType: Sales Person,Select company name first.,Selecione o nome da empresa pri apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Ano financeiro DocType: Sales Invoice Item,Deferred Revenue,Receita diferida apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Pelo menos uma das vendas ou compra deve ser selecionada +DocType: Shift Type,Working Hours Threshold for Half Day,Limite de horas de trabalho para meio dia ,Item-wise Purchase History,Histórico de compras por itens apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Não é possível alterar a Data de Parada do Serviço para o item na linha {0} DocType: Production Plan,Include Subcontracted Items,Incluir Itens Subcontratados @@ -4596,6 +4639,7 @@ DocType: Journal Entry,Total Amount Currency,Moeda Total DocType: BOM,Allow Same Item Multiple Times,Permitir o mesmo item várias vezes apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Criar lista técnica DocType: Healthcare Practitioner,Charges,Cobranças +DocType: Employee,Attendance and Leave Details,Detalhes de participação e licença DocType: Student,Personal Details,Detalhes pessoais DocType: Sales Order,Billing and Delivery Status,Status de cobrança e entrega apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Linha {0}: para o fornecedor {0} o endereço de e-mail é necessário para enviar e-mail @@ -4647,7 +4691,6 @@ DocType: Bank Guarantee,Supplier,Fornecedor apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Digite o valor entre {0} e {1} DocType: Purchase Order,Order Confirmation Date,Data de confirmação do pedido DocType: Delivery Trip,Calculate Estimated Arrival Times,Calcular os tempos estimados de chegada -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" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumível DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Data de início da assinatura @@ -4670,7 +4713,7 @@ DocType: Installation Note Item,Installation Note Item,Item de nota de instalaç DocType: Journal Entry Account,Journal Entry Account,Conta de lançamento no diário apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variante apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Atividade do Fórum -DocType: Service Level,Resolution Time Period,Período de resolução +DocType: Service Level Priority,Resolution Time Period,Período de resolução DocType: Request for Quotation,Supplier Detail,Detalhe do fornecedor DocType: Project Task,View Task,Visualizar tarefa DocType: Serial No,Purchase / Manufacture Details,Detalhes de compra / fabricação @@ -4737,6 +4780,7 @@ DocType: Sales Invoice,Commission Rate (%),Taxa de comissão (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,O armazém só pode ser modificado por meio de entrada de estoque / nota de remessa / recebimento de compra DocType: Support Settings,Close Issue After Days,Fechar questão após dias DocType: Payment Schedule,Payment Schedule,Agenda de pagamentos +DocType: Shift Type,Enable Entry Grace Period,Ativar Período de Carência de Entrada DocType: Patient Relation,Spouse,Cônjuge DocType: Purchase Invoice,Reason For Putting On Hold,Razão para colocar em espera DocType: Item Attribute,Increment,Incremento @@ -4876,6 +4920,7 @@ DocType: Authorization Rule,Customer or Item,Cliente ou Item DocType: Vehicle Log,Invoice Ref,Referência de fatura apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},O formato C não é aplicável para fatura: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Fatura criada +DocType: Shift Type,Early Exit Grace Period,Período de Carência da Saída Antecipada DocType: Patient Encounter,Review Details,Revisar Detalhes apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Linha {0}: o valor de horas deve ser maior que zero. DocType: Account,Account Number,Número da conta @@ -4887,7 +4932,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned 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" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Condições sobrepostas encontradas entre: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Pago e não entregue -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,O código do item é obrigatório porque o item não é numerado automaticamente DocType: GST HSN Code,HSN Code,Código HSN DocType: GSTR 3B Report,September,setembro apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Despesas administrativas @@ -4923,6 +4967,8 @@ DocType: Travel Itinerary,Travel From,Viajar de apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Conta do CWIP DocType: SMS Log,Sender Name,Nome do remetente DocType: Pricing Rule,Supplier Group,Grupo de fornecedores +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Defina Hora de Início e Hora de Término do \ Support Day {0} no índice {1}. DocType: Employee,Date of Issue,Data de emissão ,Requested Items To Be Transferred,Itens solicitados a serem transferidos DocType: Employee,Contract End Date,Data de término do contrato @@ -4933,6 +4979,7 @@ DocType: Healthcare Service Unit,Vacant,Vago DocType: Opportunity,Sales Stage,Estágio de vendas DocType: Sales Order,In Words will be visible once you save the Sales Order.,Em palavras será visível depois de salvar a ordem de vendas. DocType: Item Reorder,Re-order Level,Nível de reabastecimento +DocType: Shift Type,Enable Auto Attendance,Ativar atendimento automático apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Preferência ,Department Analytics,Análise do departamento DocType: Crop,Scientific Name,Nome científico @@ -4945,6 +4992,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},O status {0} {1} é { DocType: Quiz Activity,Quiz Activity,Atividade de Questionário apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} não está em um período de folha de pagamento válido DocType: Timesheet,Billed,Faturado +apps/erpnext/erpnext/config/support.py,Issue Type.,Tipo de problema. DocType: Restaurant Order Entry,Last Sales Invoice,Última fatura de vendas DocType: Payment Terms Template,Payment Terms,Termos de pagamento apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Quantidade reservada: Quantidade pedida para venda, mas não entregue." @@ -5040,6 +5088,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,De ativos apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} não possui um agendamento de profissionais de saúde. Adicione-o no master do Healthcare Practitioner DocType: Vehicle,Chassis No,Chassis Não +DocType: Employee,Default Shift,Mudança Padrão apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Abreviação da empresa apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Árvore de lista de materiais DocType: Article,LMS User,Usuário LMS @@ -5088,6 +5137,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Pessoa de vendas pai DocType: Student Group Creation Tool,Get Courses,Obter cursos apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Linha # {0}: Qty deve ser 1, pois o item é um ativo fixo. Por favor, use linha separada por vários qty." +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) DocType: Customer Group,Only leaf nodes are allowed in transaction,Apenas nós folha são permitidos na transação DocType: Grant Application,Organization,Organização DocType: Fee Category,Fee Category,Categoria de taxa @@ -5100,6 +5150,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,"Por favor, atualize seu status para este evento de treinamento" DocType: Volunteer,Morning,Manhã DocType: Quotation Item,Quotation Item,Item de Cotação +apps/erpnext/erpnext/config/support.py,Issue Priority.,Emitir prioridade. DocType: Journal Entry,Credit Card Entry,Entrada de cartão de crédito apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Time slot skiped, o slot {0} para {1} se sobrepõe ao slot existente {2} para {3}" DocType: Journal Entry Account,If Income or Expense,Se renda ou despesa @@ -5150,11 +5201,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Importação de dados e configurações 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: Account,Expense Account,Conta de despesa +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,O horário antes do horário de início do turno durante o qual o Check-in do funcionário é considerado para participação. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Relação com Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Criar recibo apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Pedido de pagamento já existe {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Empregado aliviado em {0} deve ser definido como 'Esquerda' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Pague {0} {1} +DocType: Company,Sales Settings,Configurações de vendas DocType: Sales Order Item,Produced Quantity,Quantidade produzida apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,O pedido de cotação pode ser acessado clicando no link a seguir DocType: Monthly Distribution,Name of the Monthly Distribution,Nome da Distribuição Mensal @@ -5233,6 +5286,7 @@ DocType: Company,Default Values,Valores padrão apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Modelos de impostos padrão para vendas e compras são criados. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Deixe o tipo {0} não pode ser transportado apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,A conta de débito deve ser uma conta Recebível +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},"Por favor, defina a conta no depósito {0} ou a conta de inventário padrão na empresa {1}" apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Definir como padrão DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),O peso líquido deste pacote. (calculado automaticamente como a soma do peso líquido dos itens) @@ -5259,8 +5313,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,G apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Lotes expirados DocType: Shipping Rule,Shipping Rule Type,Tipo de Regra de Envio DocType: Job Offer,Accepted,Aceitaram -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" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Você já avaliou os critérios de avaliação {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Selecione Números de Lote apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Idade (dias) @@ -5287,6 +5339,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Selecione seus domínios DocType: Agriculture Task,Task Name,Nome da tarefa 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/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" ,Amount to Deliver,Quantidade para entregar apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Empresa {0} não existe apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Nenhuma solicitação de material pendente encontrada para vincular os itens fornecidos. @@ -5336,6 +5390,7 @@ DocType: Program Enrollment,Enrolled courses,Cursos matriculados DocType: Lab Prescription,Test Code,Código de teste DocType: Purchase Taxes and Charges,On Previous Row Total,No total da linha anterior DocType: Student,Student Email Address,Endereço de e-mail do aluno +,Delayed Item Report,Relatório de item atrasado DocType: Academic Term,Education,Educação DocType: Supplier Quotation,Supplier Address,Endereço do Fornecedor DocType: Salary Detail,Do not include in total,Não inclua no total @@ -5343,7 +5398,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} não existe DocType: Purchase Receipt Item,Rejected Quantity,Quantidade Rejeitada DocType: Cashier Closing,To TIme,To Tempo -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: Daily Work Summary Group User,Daily Work Summary Group User,Usuário do grupo de resumo de trabalho diário DocType: Fiscal Year Company,Fiscal Year Company,Empresa do ano fiscal apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Item alternativo não deve ser igual ao código do item @@ -5395,6 +5449,7 @@ DocType: Program Fee,Program Fee,Taxa do Programa DocType: Delivery Settings,Delay between Delivery Stops,Atraso entre paradas de entrega DocType: Stock Settings,Freeze Stocks Older Than [Days],Congelar os estoques mais antigos que [dias] DocType: Promotional Scheme,Promotional Scheme Product Discount,Desconto do produto do esquema promocional +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Prioridade de emissão já existe DocType: Account,Asset Received But Not Billed,"Ativo Recebido, mas Não Faturado" DocType: POS Closing Voucher,Total Collected Amount,Quantidade coletada total DocType: Course,Default Grading Scale,Escala de classificação padrão @@ -5437,6 +5492,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Termos de Cumprimento apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Não Grupo para Grupo DocType: Student Guardian,Mother,Mãe +DocType: Issue,Service Level Agreement Fulfilled,Contrato de Nível de Serviço Cumprido DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Deduzir Imposto Para Benefícios de Empregados Não Reclamados DocType: Travel Request,Travel Funding,Financiamento de viagens DocType: Shipping Rule,Fixed,Fixo @@ -5466,10 +5522,12 @@ DocType: Item,Warranty Period (in days),Período de garantia (em dias) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Nenhum item encontrado. DocType: Item Attribute,From Range,Do intervalo DocType: Clinical Procedure,Consumables,Consumíveis +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' e 'timestamp' são obrigatórios. DocType: Purchase Taxes and Charges,Reference Row #,Linha de referência # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},"Por favor, defina 'Centro de custo de depreciação do ativo' na empresa {0}" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Linha # {0}: é necessário o documento de pagamento para concluir a transação DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Clique nesse botão para extrair os dados de sua ordem de venda do Amazon MWS. +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) ,Assessment Plan Status,Status do plano de avaliação apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Por favor selecione {0} primeiro apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Envie isto para criar o registro do funcionário @@ -5540,6 +5598,7 @@ DocType: Quality Procedure,Parent Procedure,Procedimento pai apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Definir Abrir apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Toggle Filters DocType: Production Plan,Material Request Detail,Detalhe da solicitação de material +DocType: Shift Type,Process Attendance After,Participação no Processo Depois DocType: Material Request Item,Quantity and Warehouse,Quantidade e Armazém apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Vá para Programas apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Linha # {0}: entrada duplicada em referências {1} {2} @@ -5597,6 +5656,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Informação do partido apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Devedores ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Até à data não pode maior do que a data de alívio do empregado +DocType: Shift Type,Enable Exit Grace Period,Ativar o Período de Carência de Saída DocType: Expense Claim,Employees Email Id,ID do email dos funcionários DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Atualizar preço de Shopify para lista de preços ERPNext DocType: Healthcare Settings,Default Medical Code Standard,Padrão padrão de código médico @@ -5627,7 +5687,6 @@ DocType: Item Group,Item Group Name,Nome do Grupo de Itens DocType: Budget,Applicable on Material Request,Aplicável no pedido material DocType: Support Settings,Search APIs,APIs de pesquisa DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Porcentagem de superprodução para pedido de venda -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Especificações DocType: Purchase Invoice,Supplied Items,Itens Fornecidos DocType: Leave Control Panel,Select Employees,Selecione Funcionários apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Selecione a conta de receita de juros no empréstimo {0} @@ -5653,7 +5712,7 @@ DocType: Salary Slip,Deductions,Deduções ,Supplier-Wise Sales Analytics,Análise de vendas com base em fornecedores DocType: GSTR 3B Report,February,fevereiro DocType: Appraisal,For Employee,Para empregado -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Data de entrega real +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Data de entrega real DocType: Sales Partner,Sales Partner Name,Nome do parceiro de vendas apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Linha de depreciação {0}: a data de início da depreciação é entrada como data anterior DocType: GST HSN Code,Regional,Regional @@ -5692,6 +5751,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Fat DocType: Supplier Scorecard,Supplier Scorecard,Scorecard de Fornecedores DocType: Travel Itinerary,Travel To,Viajar para apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Marcar Atendimento +DocType: Shift Type,Determine Check-in and Check-out,Determine o check-in e o check-out DocType: POS Closing Voucher,Difference,Diferença apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Pequeno DocType: Work Order Item,Work Order Item,Item de ordem de trabalho @@ -5725,6 +5785,7 @@ DocType: Sales Invoice,Shipping Address Name,Nome do endereço de entrega apps/erpnext/erpnext/healthcare/setup.py,Drug,Droga apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} está fechado DocType: Patient,Medical History,Histórico médico +DocType: Expense Claim,Expense Taxes and Charges,Impostos e Taxas de Despesas DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Número de dias após a data da fatura ter expirado antes de cancelar a assinatura ou a assinatura de marcação como não remunerada 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: Patient Relation,Family,Família @@ -5757,7 +5818,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Força apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} unidades de {1} necessárias em {2} para concluir esta transação. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush Matérias-primas de subcontratação com base em -DocType: Bank Guarantee,Customer,Cliente DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Se ativado, o Termo Acadêmico do campo será obrigatório na Ferramenta de Inscrição do Programa." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Para o Grupo de Alunos Baseados em Lote, o Lote Estudantil será validado para todos os Alunos do Programa de Inscrição." DocType: Course,Topics,Tópicos @@ -5837,6 +5897,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Membros do Capítulo DocType: Warranty Claim,Service Address,Endereço de serviço DocType: Journal Entry,Remark,Observação +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Linha {0}: Quantidade não disponível para {4} no depósito {1} no momento da postagem da entrada ({2} {3}) DocType: Patient Encounter,Encounter Time,Hora do Encontro DocType: Serial No,Invoice Details,Detalhes da fatura apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Outras contas podem ser feitas em Grupos, mas as entradas podem ser feitas em relação a não grupos" @@ -5917,6 +5978,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","U apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Encerramento (Abertura + Total) DocType: Supplier Scorecard Criteria,Criteria Formula,Fórmula de critérios apps/erpnext/erpnext/config/support.py,Support Analytics,Suporte Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID do dispositivo de atendimento (ID de tag biométrico / RF) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Revisão e ação DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Se a conta estiver congelada, as entradas serão permitidas para usuários restritos." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Valor após depreciação @@ -5938,6 +6000,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Pagamento de empréstimo DocType: Employee Education,Major/Optional Subjects,Assuntos Principais / Opcionais DocType: Soil Texture,Silt,Silte +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Endereços e Contatos do Fornecedor DocType: Bank Guarantee,Bank Guarantee Type,Tipo de Garantia Bancária DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Se desabilitado, o campo 'Total arredondado' não será visível em nenhuma transação" DocType: Pricing Rule,Min Amt,Min Amt @@ -5976,6 +6039,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Abrindo Item de Ferramenta de Criação de Fatura DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Incluir transações POS +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nenhum funcionário encontrado para o valor do campo de empregado determinado. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Valor recebido (moeda da empresa) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage está cheio, não salvou" DocType: Chapter Member,Chapter Member,Membro do Capítulo @@ -6008,6 +6072,7 @@ DocType: SMS Center,All Lead (Open),Todo o chumbo (aberto) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Nenhum grupo de alunos criado. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Linha duplicada {0} com o mesmo {1} DocType: Employee,Salary Details,Detalhes do salário +DocType: Employee Checkin,Exit Grace Period Consequence,Saia da Consequência do Período de Carência DocType: Bank Statement Transaction Invoice Item,Invoice,Fatura DocType: Special Test Items,Particulars,Detalhes apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base no item ou no depósito" @@ -6109,6 +6174,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Fora do AMC DocType: Job Opening,"Job profile, qualifications required etc.","Perfil do trabalho, qualificações necessárias, etc." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Enviar para Estado +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Você deseja enviar a solicitação de material DocType: Opportunity Item,Basic Rate,Taxa Básica DocType: Compensatory Leave Request,Work End Date,Data de término do trabalho apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Solicitação de Matérias Primas @@ -6294,6 +6360,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Valor de Depreciação DocType: Sales Order Item,Gross Profit,Lucro bruto DocType: Quality Inspection,Item Serial No,Item nº de série DocType: Asset,Insurer,Segurador +DocType: Employee Checkin,OUT,FORA apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Valor de Compra DocType: Asset Maintenance Task,Certificate Required,Certificado Requerido DocType: Retention Bonus,Retention Bonus,Bônus de retenção @@ -6409,6 +6476,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Valor da diferença DocType: Invoice Discounting,Sanctioned,Sancionado DocType: Course Enrollment,Course Enrollment,Inscrição no Curso DocType: Item,Supplier Items,Itens do Fornecedor +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",A hora de início não pode ser maior que ou igual a Hora final \ para {0}. DocType: Sales Order,Not Applicable,Não aplicável DocType: Support Search Source,Response Options,Opções de resposta apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} deve ser um valor entre 0 e 100 @@ -6495,7 +6564,6 @@ DocType: Travel Request,Costing,Custeio apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Ativo permanente DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Ganho total -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de Clientes> Território DocType: Share Balance,From No,De não DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Fatura de reconciliação de pagamento DocType: Purchase Invoice,Taxes and Charges Added,Impostos e Encargos Adicionados @@ -6603,6 +6671,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignorar regra de preços apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Comida DocType: Lost Reason Detail,Lost Reason Detail,Detalhe da Razão Perdida +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Os seguintes números de série foram criados:
{0} DocType: Maintenance Visit,Customer Feedback,Feedback do cliente DocType: Serial No,Warranty / AMC Details,Garantia / AMC Detalhes DocType: Issue,Opening Time,Tempo de abertura @@ -6652,6 +6721,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Nome da empresa não é o mesmo apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,A promoção de funcionários não pode ser enviada antes da data da promoção apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Não é permitido atualizar transações de estoque com mais de {0} +DocType: Employee Checkin,Employee Checkin,Check-in de funcionários 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 menor que a data de término do item {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Crie cotações de clientes DocType: Buying Settings,Buying Settings,Configurações de compra @@ -6673,6 +6743,7 @@ DocType: Job Card Time Log,Job Card Time Log,Registro de tempo do cartão de tra DocType: Patient,Patient Demographics,Dados demográficos do paciente DocType: Share Transfer,To Folio No,Para o fólio não apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Fluxo de Caixa das Operações +DocType: Employee Checkin,Log Type,Tipo de registro DocType: Stock Settings,Allow Negative Stock,Permitir estoque negativo apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Nenhum dos itens tem qualquer alteração na quantidade ou valor. DocType: Asset,Purchase Date,data de compra @@ -6717,6 +6788,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Muito hiper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Selecione a natureza do seu negócio. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Por favor selecione mês e ano +DocType: Service Level,Default Priority,Prioridade Padrão DocType: Student Log,Student Log,Registro de Aluno DocType: Shopping Cart Settings,Enable Checkout,Ativar o checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Recursos humanos @@ -6745,7 +6817,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Conecte o Shopify com o ERPNext DocType: Homepage Section Card,Subtitle,Subtítulo DocType: Soil Texture,Loam,Loam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornecedor> Tipo de Fornecedor DocType: BOM,Scrap Material Cost(Company Currency),Custo do material de sucata (moeda da empresa) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Nota de remessa {0} não deve ser enviada DocType: Task,Actual Start Date (via Time Sheet),Data de início real (via Folha de horas) @@ -6801,6 +6872,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosagem DocType: Cheque Print Template,Starting position from top edge,Posição inicial da borda superior apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Duração do Compromisso (mins) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Este funcionário já possui um log com o mesmo timestamp. {0} DocType: Accounting Dimension,Disable,Desabilitar DocType: Email Digest,Purchase Orders to Receive,Pedidos de compra a receber apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Ordens de produção não podem ser levantadas para: @@ -6816,7 +6888,6 @@ DocType: Production Plan,Material Requests,Solicitações de material DocType: Buying Settings,Material Transferred for Subcontract,Material transferido para subcontrato DocType: Job Card,Timing Detail,Detalhe da temporização apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Obrigatório em -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Importando {0} de {1} DocType: Job Offer Term,Job Offer Term,Termo de Oferta de Emprego DocType: SMS Center,All Contact,Todos os contatos DocType: Project Task,Project Task,Tarefa do Projeto @@ -6867,7 +6938,6 @@ DocType: Student Log,Academic,Acadêmico 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 números de série. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Do estado DocType: Leave Type,Maximum Continuous Days Applicable,Máximo de dias contínuos aplicáveis -apps/erpnext/erpnext/config/support.py,Support Team.,Equipe de suporte. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Por favor insira o nome da empresa primeiro apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Importação bem sucedida DocType: Guardian,Alternate Number,numero alternado @@ -6959,6 +7029,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Linha # {0}: Item adicionado DocType: Student Admission,Eligibility and Details,Elegibilidade e Detalhes DocType: Staffing Plan,Staffing Plan Detail,Detalhe do plano de pessoal +DocType: Shift Type,Late Entry Grace Period,Período de Carência de Entrada Atrasada DocType: Email Digest,Annual Income,Rendimento anual DocType: Journal Entry,Subscription Section,Seção de assinatura DocType: Salary Slip,Payment Days,Dias de pagamento @@ -7009,6 +7080,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Saldo da conta DocType: Asset Maintenance Log,Periodicity,Periodicidade apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Registo médico +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,O tipo de registro é necessário para check-ins que caem no turno: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Execução DocType: Item,Valuation Method,Método de Avaliação apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} contra fatura de vendas {1} @@ -7093,6 +7165,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Custo estimado por pos DocType: Loan Type,Loan Name,Nome do Empréstimo apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Definir modo de pagamento padrão DocType: Quality Goal,Revision,Revisão +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"O tempo antes do horário de término do turno, quando o check-out é considerado antecipado (em minutos)." DocType: Healthcare Service Unit,Service Unit Type,Tipo de unidade de serviço DocType: Purchase Invoice,Return Against Purchase Invoice,Retorno contra fatura de compra apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Gerar Segredo @@ -7248,12 +7321,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Cosméticos DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Marque esta opção se você quiser forçar o usuário a selecionar uma série antes de salvar. Não haverá padrão se você verificar isso. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Os usuários com essa função têm permissão para definir contas congeladas e criar / modificar entradas contábeis para contas congeladas +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código do item> Grupo de itens> Marca DocType: Expense Claim,Total Claimed Amount,Quantidade total reivindicada apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Não foi possível encontrar o Time Slot nos próximos {0} dias para a Operação {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Empacotando apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Você só pode renovar se sua assinatura expirar dentro de 30 dias apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},O valor deve estar entre {0} e {1} DocType: Quality Feedback,Parameters,Parâmetros +DocType: Shift Type,Auto Attendance Settings,Configurações de atendimento automático ,Sales Partner Transaction Summary,Resumo de transação do parceiro de vendas DocType: Asset Maintenance,Maintenance Manager Name,Nome do gerente de manutenção apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,É necessário buscar os detalhes do item. @@ -7345,10 +7420,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Validar Regra Aplicada DocType: Job Card Item,Job Card Item,Item de cartão de trabalho DocType: Homepage,Company Tagline for website homepage,Tagline da empresa para a página inicial do site +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Defina Tempo de Resposta e Resolução para Prioridade {0} no índice {1}. DocType: Company,Round Off Cost Center,Centro de custo arredondado DocType: Supplier Scorecard Criteria,Criteria Weight,Peso dos Critérios DocType: Asset,Depreciation Schedules,Cronogramas de depreciação -DocType: Expense Claim Detail,Claim Amount,Valor da reclamação DocType: Subscription,Discounts,Descontos DocType: Shipping Rule,Shipping Rule Conditions,Condições da regra de envio DocType: Subscription,Cancelation Date,Data de cancelamento @@ -7376,7 +7451,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Crie leads apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Mostrar valores zero DocType: Employee Onboarding,Employee Onboarding,Empregado Onboarding DocType: POS Closing Voucher,Period End Date,Data de término do período -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Oportunidades de vendas por origem DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,O primeiro Aprovador de Saídas na lista será definido como o Aprovado de Sair padrão. DocType: POS Settings,POS Settings,Configurações de POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Todas as contas @@ -7397,7 +7471,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Banco apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Linha # {0}: a taxa deve ser igual a {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Itens de serviço de saúde -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Nenhum registro foi encontrado apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Faixa de Envelhecimento 3 DocType: Vital Signs,Blood Pressure,Pressão sanguínea apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Alvo ativado @@ -7444,6 +7517,7 @@ DocType: Company,Existing Company,Empresa existente apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Lotes apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Defesa DocType: Item,Has Batch No,Tem Lote Não +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Dias atrasados DocType: Lead,Person Name,Nome da pessoa DocType: Item Variant,Item Variant,Variante de item DocType: Training Event Employee,Invited,Convidamos @@ -7465,7 +7539,7 @@ DocType: Purchase Order,To Receive and Bill,Para receber e faturar apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datas de início e término não em um Período da folha de pagamento válido, não é possível calcular {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Mostrar apenas o cliente desses grupos de clientes apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Selecione itens para salvar a fatura -DocType: Service Level,Resolution Time,Tempo de resolução +DocType: Service Level Priority,Resolution Time,Tempo de resolução DocType: Grading Scale Interval,Grade Description,Descrição da nota DocType: Homepage Section,Cards,Postais DocType: Quality Meeting Minutes,Quality Meeting Minutes,Minutos da Reunião de Qualidade @@ -7492,6 +7566,7 @@ DocType: Project,Gross Margin %,Margem Bruta apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Saldo do extrato bancário de acordo com a contabilidade geral apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Saúde (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Depósito padrão para criar ordem de venda e nota de remessa +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,O Tempo de Resposta para {0} no índice {1} não pode ser maior que o Tempo de Resolução. DocType: Opportunity,Customer / Lead Name,Nome do cliente / lead DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Quantidade não reclamada @@ -7538,7 +7613,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importando Partes e Endereços DocType: Item,List this Item in multiple groups on the website.,Listar este item em vários grupos no site. DocType: Request for Quotation,Message for Supplier,Mensagem para o fornecedor -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,"Não é possível alterar {0}, pois a transação de estoque do item {1} existe." DocType: Healthcare Practitioner,Phone (R),Telefone (R) DocType: Maintenance Team Member,Team Member,Membro da equipe DocType: Asset Category Account,Asset Category Account,Conta de categoria de ativos diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv index 2408fa4837..6df33b2c29 100644 --- a/erpnext/translations/ro.csv +++ b/erpnext/translations/ro.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Data de începere a termenului apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Mențiunea {0} și factura de vânzare {1} au fost anulate DocType: Purchase Receipt,Vehicle Number,Numărul vehiculului apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Adresa ta de email... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Includeți intrările de cărți implicite +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Includeți intrările de cărți implicite DocType: Activity Cost,Activity Type,Tipul activității DocType: Purchase Invoice,Get Advances Paid,Obțineți avansuri plătite DocType: Company,Gain/Loss Account on Asset Disposal,Contul de câștig / pierdere privind eliminarea activelor @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Ce face? DocType: Bank Reconciliation,Payment Entries,Intrări de plată DocType: Employee Education,Class / Percentage,Clasă / Procentaj ,Electronic Invoice Register,Registrul electronic al facturilor +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Numărul de evenimente după care se execută consecința. DocType: Sales Invoice,Is Return (Credit Note),Este retur (nota de credit) +DocType: Price List,Price Not UOM Dependent,Pretul nu este dependent de UOM DocType: Lab Test Sample,Lab Test Sample,Test de laborator DocType: Shopify Settings,status html,starea html DocType: Fiscal Year,"For e.g. 2012, 2012-13","De ex. 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Căutare produs DocType: Salary Slip,Net Pay,Remunerația netă apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Total Amt facturat DocType: Clinical Procedure,Consumables Invoice Separately,Consumabile Factură separată +DocType: Shift Type,Working Hours Threshold for Absent,Timpul de lucru pentru absență DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Bugetul nu poate fi atribuit contului de grup {0} DocType: Purchase Receipt Item,Rate and Amount,Rata și suma @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Setați depozitul sursă DocType: Healthcare Settings,Out Patient Settings,Afișați setările pacientului DocType: Asset,Insurance End Date,Data de încheiere a asigurării DocType: Bank Account,Branch Code,Codul filialei -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Timpul de răspuns apps/erpnext/erpnext/public/js/conf.js,User Forum,Forum utilizator DocType: Landed Cost Item,Landed Cost Item,Costul Landed Item 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 @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Lead Owner DocType: Share Transfer,Transfer,Transfer apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Elementul de căutare (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Rezultatul trimis +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,De la data nu poate fi mai mare decât de Până în prezent DocType: Supplier,Supplier of Goods or Services.,Furnizor de bunuri sau servicii. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Numele noului cont. Notă: nu creați conturi pentru clienți și furnizori apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Grupul de studenți sau programul de cursuri este obligatoriu @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Baza de date DocType: Skill,Skill Name,Nume de calificare apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Print Print Card DocType: Soil Texture,Ternary Plot,Terenul Ternar -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setați seria de numire pentru {0} prin Configurare> Setări> Serii de numire apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Bilete de suport DocType: Asset Category Account,Fixed Asset Account,Contul de active fixe apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Cele mai recente @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Distanță UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligatoriu pentru bilanțul contabil DocType: Payment Entry,Total Allocated Amount,Suma totală alocată DocType: Sales Invoice,Get Advances Received,Obțineți avansuri primite +DocType: Shift Type,Last Sync of Checkin,Ultima sincronizare a verificării DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Suma fiscală a articolului inclusă în valoare apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Planul de abonament DocType: Student,Blood Group,Grupa sanguină apps/erpnext/erpnext/config/healthcare.py,Masters,studii de masterat DocType: Crop,Crop Spacing UOM,Distanță de decupare UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Timpul după data începerii trecerii la check-in este considerat târziu (în minute). apps/erpnext/erpnext/templates/pages/home.html,Explore,Explora +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nu au fost găsite facturi restante apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} posturile vacante și {1} bugetul pentru {2} deja planificate pentru filialele din {3}. \ Puteți planifica doar pentru {4} posturile vacante și bugetul {5} conform planului de personal {6} pentru compania mamă {3}. DocType: Promotional Scheme,Product Discount Slabs,Plăci de reducere a produselor @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Cererea de participare DocType: Item,Moving Average,Media mișcării DocType: Employee Attendance Tool,Unmarked Attendance,Semnătura fără marcă DocType: Homepage Section,Number of Columns,Numar de coloane +DocType: Issue Priority,Issue Priority,Prioritatea emiterii DocType: Holiday List,Add Weekly Holidays,Adăugați sărbătorile săptămânale DocType: Shopify Log,Shopify Log,Magazinul de jurnal apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Creați Slip Salariu @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Valoare / Descriere DocType: Warranty Claim,Issue Date,Data emiterii 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 îndeplinește această cerință apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Nu se poate crea Bonus de retenție pentru angajații din stânga +DocType: Employee Checkin,Location / Device ID,Locația / ID-ul dispozitivului DocType: Purchase Order,To Receive,A primi apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Sunteți în modul offline. Nu veți putea reîncărca până când nu aveți rețea. DocType: Course Activity,Enrollment,înrolare @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informații de facturare electronice lipsesc apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nu a fost creată nicio solicitare materială -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codul elementului> Grupul de articole> Marca DocType: Loan,Total Amount Paid,Suma totală plătită apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Toate aceste elemente au fost deja facturate DocType: Training Event,Trainer Name,Numele trainerului @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp 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} DocType: Employee,You can enter any date manually,Puteți introduce orice dată manual DocType: Stock Reconciliation Item,Stock Reconciliation Item,Reconcilierea postului +DocType: Shift Type,Early Exit Consequence,Early Exit Consequence DocType: Item Group,General Settings,setari generale apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Data scadentă nu poate fi înainte de data de facturare a furnizorului / furnizorului apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Introduceți numele Beneficiarului înainte de depunere. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,Auditor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Confirmarea platii ,Available Stock for Packing Items,Stocul disponibil pentru articolele de ambalare apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Eliminați această factură {0} din formularul C {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Fiecare check-in valabil și Check-out DocType: Support Search Source,Query Route String,Query String Route DocType: Customer Feedback Template,Customer Feedback Template,Șablonul feedbackului clientului apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Citate către conducători sau clienți. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Controlul autorizației ,Daily Work Summary Replies,Rezumat zilnic Rezumat de lucru apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Ați fost invitat (ă) să colaborați la proiect: {0} +DocType: Issue,Response By Variance,Răspuns prin varianță DocType: Item,Sales Details,Detalii vânzări apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Letter Heads pentru șabloane de imprimare. DocType: Salary Detail,Tax on additional salary,Impozit pe salariu suplimentar @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Adresele DocType: Project,Task Progress,Progresul sarcinilor DocType: Journal Entry,Opening Entry,Deschiderea intrării DocType: Bank Guarantee,Charges Incurred,Taxele incasate +DocType: Shift Type,Working Hours Calculation Based On,Calculul orelor de lucru bazat pe DocType: Work Order,Material Transferred for Manufacturing,Materialul transferat pentru producție DocType: Products Settings,Hide Variants,Ascunde variantele DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Dezactivați planificarea capacității și urmărirea timpului @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,Depreciere DocType: Guardian,Interests,interese DocType: Purchase Receipt Item Supplied,Consumed Qty,Cantitate consumată DocType: Education Settings,Education Manager,Director de educație +DocType: Employee Checkin,Shift Actual Start,Schimbare Start Actual DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planificați jurnalele de timp în afara programului de lucru al stației de lucru. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Puncte de loialitate: {0} DocType: Healthcare Settings,Registration Message,Mesaj de înregistrare @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Factura deja creată pentru toate orele de facturare DocType: Sales Partner,Contact Desc,Contact Desc DocType: Purchase Invoice,Pricing Rules,Regulile de stabilire a prețurilor +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Întrucât există tranzacții existente împotriva elementului {0}, nu puteți modifica valoarea {1}" DocType: Hub Tracked Item,Image List,Lista de imagini DocType: Item Variant Settings,Allow Rename Attribute Value,Permiteți redenumirea valorii atributului -DocType: Price List,Price Not UOM Dependant,Pretul nu este dependent de UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Timp (în minute) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,De bază DocType: Loan,Interest Income Account,Contul de venituri din dobânzi @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,Tipul de angajare apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Selectați POS Profile DocType: Support Settings,Get Latest Query,Obțineți ultima interogare DocType: Employee Incentive,Employee Incentive,Angajament pentru angajați +DocType: Service Level,Priorities,priorităţi apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Adăugați cărți sau secțiuni personalizate pe pagina de pornire DocType: Homepage,Hero Section Based On,Secțiunea Hero bazată pe DocType: Project,Total Purchase Cost (via Purchase Invoice),Costul total de achiziție (prin factura de cumpărare) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,Fabricați împotriva s DocType: Blanket Order Item,Ordered Quantity,Cantitate comandată apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rândul # {0}: Depozitul respins este obligatoriu pentru elementul respins {1} ,Received Items To Be Billed,Elementele primite pentru a fi facturate -DocType: Salary Slip Timesheet,Working Hours,Ore de lucru +DocType: Attendance,Working Hours,Ore de lucru apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Mod de plată apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Elementele de comandă de achiziție nu au fost primite la timp apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Durata în Zile @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Informații legale și alte informații generale despre Furnizorul dvs. DocType: Item Default,Default Selling Cost Center,Implicit Centrul de costuri de vânzare DocType: Sales Partner,Address & Contacts,Adresă și contacte -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 participare prin Configurare> Serie de numerotare DocType: Subscriber,Subscriber,Abonat apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) nu este în stoc apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Selectați mai întâi Data de înregistrare @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,% Metoda completă DocType: Detected Disease,Tasks Created,Sarcini create apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Implicit BOM ({0}) trebuie să fie activ pentru acest element sau pentru șablonul său apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Rata comisionului % -DocType: Service Level,Response Time,Timp de raspuns +DocType: Service Level Priority,Response Time,Timp de raspuns DocType: Woocommerce Settings,Woocommerce Settings,Setări Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Cantitatea trebuie să fie pozitivă DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Taxă pentru vizitarea p DocType: Bank Statement Settings,Transaction Data Mapping,Transaction Data Mapping apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,"Un plumb necesită fie numele unei persoane, fie numele unei organizații" DocType: Student,Guardians,Gardienii -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 instructorilor în Educație> Setări educaționale apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Selectați marca ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Venitul mediu DocType: Shipping Rule,Calculate Based On,Calculați pe baza @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Setați un obiectiv apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Recordul de participare {0} există împotriva studenților {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Data tranzacției apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Anuleaza abonarea +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nu s-a putut stabili Acordul privind nivelul serviciilor {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Suma salariului net DocType: Account,Liability,Răspundere DocType: Employee,Bank A/C No.,Banca A / C Nr. @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Codul materialului brut apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Cumpărarea facturii {0} este deja trimisă DocType: Fees,Student Email,Student Email -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Recursiunea BOM: {0} nu poate fi părinte sau copil de {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Obțineți articole din serviciile de asistență medicală apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Înregistrare stoc {0} nu este trimisă DocType: Item Attribute Value,Item Attribute Value,Valoarea atributului elementului @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,Permiteți tipărirea înainte de a DocType: Production Plan,Select Items to Manufacture,Selectați elementele de fabricație DocType: Leave Application,Leave Approver Name,Lasă numele de autorizare DocType: Shareholder,Shareholder,Acționar -DocType: Issue,Agreement Status,Starea acordului apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Setările prestabilite pentru vânzarea tranzacțiilor. 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" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Selectați BOM @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Contul de venituri apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Toate Depozitele DocType: Contract,Signee Details,Signee Detalii +DocType: Shift Type,Allow check-out after shift end time (in minutes),Permiteți check-out după ce ora de terminare a schimbării (în minute) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Achiziții DocType: Item Group,Check this if you want to show in website,Verificați dacă doriți să vă afișați pe site apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Anul fiscal {0} nu a fost găsit @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Data de începere a amortiz DocType: Activity Cost,Billing Rate,Rata de facturare apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Avertisment: încă {0} # {1} există împotriva introducerii stocului {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Activați setările Google Maps pentru a estima și a optimiza traseele +DocType: Purchase Invoice Item,Page Break,Break-ul paginii DocType: Supplier Scorecard Criteria,Max Score,Scorul maxim apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Data de începere a rambursării nu poate fi înainte de Data de plată. DocType: Support Search Source,Support Search Source,Sprijiniți sursa de căutare @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Obiectivul obiectivului d DocType: Employee Transfer,Employee Transfer,Transferul angajaților ,Sales Funnel,Pâlnie de vânzări DocType: Agriculture Analysis Criteria,Water Analysis,Analiza apei +DocType: Shift Type,Begin check-in before shift start time (in minutes),Începeți check-in-ul înainte de ora de start a schimbării (în minute) DocType: Accounts Settings,Accounts Frozen Upto,Conturi înghețate până la apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Nu este nimic de editat. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operațiunea {0} este mai lungă decât orice oră disponibilă în stația de lucru {1}, descompune operațiunea în mai multe operații" @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Cont apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Ordinul de vânzări {0} este {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Întârziere la plată (Zile) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Introduceți detaliile de depreciere +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,OP PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Data de livrare estimată ar trebui să fie după data de comandă de vânzare +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Cantitatea de articol nu poate fi zero apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Atribut nevalid apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Selectați BOM pentru elementul {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tip de factură @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,Data de întreținere DocType: Volunteer,Afternoon,Dupa amiaza DocType: Vital Signs,Nutrition Values,Valorile nutriției DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Prezența unei febră (temperatură> 38,5 ° C sau temperatura susținută> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configurați sistemul de numire a angajaților în Resurse umane> Setări HR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC inversat DocType: Project,Collect Progress,Collect Progress apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energie @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,Progresul de instalare ,Ordered Items To Be Billed,Articolele comandate vor fi facturate DocType: Taxable Salary Slab,To Amount,La suma DocType: Purchase Invoice,Is Return (Debit Note),Este retur (Nota de debit) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriu apps/erpnext/erpnext/config/desktop.py,Getting Started,Noțiuni de bază apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,contopi apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Nu se poate schimba data de începere a anului fiscal și data de încheiere a anului fiscal după salvarea anului fiscal. @@ -2216,8 +2232,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Data actuală apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Data de începere a întreținerii nu poate fi înainte de data livrării pentru numărul de serie {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Rândul {0}: Rata de schimb este obligatorie DocType: Purchase Invoice,Select Supplier Address,Selectați adresa furnizorului +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Cantitatea disponibilă este {0}, aveți nevoie de {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Introduceți Secretul API pentru consumatori DocType: Program Enrollment Fee,Program Enrollment Fee,Taxă pentru înscrierea în program +DocType: Employee Checkin,Shift Actual End,Shift Actuală sfârșit DocType: Serial No,Warranty Expiry Date,Data expirării garanției DocType: Hotel Room Pricing,Hotel Room Pricing,Pretul camerei hotelului apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Contribuții impozabile exterioare (altele decât ratingul zero, ratingul nominal și scutite" @@ -2277,6 +2295,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Citirea 5 DocType: Shopping Cart Settings,Display Settings,Setări de afișare apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Alegeți numărul de amortizări rezervate +DocType: Shift Type,Consequence after,Consecință după apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,La ce ai nevoie de ajutor? DocType: Journal Entry,Printing Settings,Setări de imprimare apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bancar @@ -2286,6 +2305,7 @@ DocType: Purchase Invoice Item,PR Detail,PR detaliu apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Adresa de facturare este identică cu adresa de expediere DocType: Account,Cash,Bani lichizi DocType: Employee,Leave Policy,Lasati politica +DocType: Shift Type,Consequence,Consecinţă apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Adresa studenților DocType: GST Account,CESS Account,Cont CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Centrul de costuri este necesar pentru contul "Profit și pierdere" {2}. Creați un centru de cost implicit pentru companie. @@ -2350,6 +2370,7 @@ DocType: GST HSN Code,GST HSN Code,Codul GST HSN DocType: Period Closing Voucher,Period Closing Voucher,Perioada de închidere a perioadei apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Numele Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Introduceți contul de cheltuieli +DocType: Issue,Resolution By Variance,Rezoluția prin varianță DocType: Employee,Resignation Letter Date,Scrisoare de demisie DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Participarea la data @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Vezi acum DocType: Item Price,Valid Upto,Valid pana la apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referința Doctype trebuie să fie una dintre {0} +DocType: Employee Checkin,Skip Auto Attendance,Să nu participați la Auto DocType: Payment Request,Transaction Currency,Tranzacție valută DocType: Loan,Repayment Schedule,Programul de rambursare apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Creați intrarea stocului de stocare a probelor @@ -2433,6 +2455,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Structura salar DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Taxele de voucher pentru închiderea POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Acțiune inițializată DocType: POS Profile,Applicable for Users,Aplicabil pentru utilizatori +,Delayed Order Report,Raport de comandă întârziată DocType: Training Event,Exam,Examen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Număr incorect de intrări în registrul general găsit. Este posibil să fi selectat un cont greșit în tranzacție. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Linie de vânzări @@ -2447,10 +2470,11 @@ DocType: Account,Round Off,Rotunji DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Condițiile se vor aplica tuturor elementelor selectate combinate. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Configurarea DocType: Hotel Room,Capacity,Capacitate +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Numărul instalat apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Lotul {0} al articolului {1} este dezactivat. DocType: Hotel Room Reservation,Hotel Reservation User,Utilizator rezervare hotel -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Ziua de lucru a fost repetată de două ori +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Acordul privind nivelul serviciilor cu tipul de entitate {0} și Entitatea {1} există deja. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Grup de produse care nu este menționat în articolul de bază pentru articolul {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Eroare de nume: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Teritoriul este necesar în POS Profile @@ -2498,6 +2522,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Data planificării DocType: Packing Slip,Package Weight Details,Greutatea pachetului DocType: Job Applicant,Job Opening,Deschiderea de locuri de muncă +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Ultimul cunoscut sincronizare de succes a angajatului Checkin. Resetați acest lucru numai dacă sunteți sigur că toate jurnalele sunt sincronizate din toate locațiile. Vă rugăm să nu modificați acest lucru dacă nu sunteți sigur. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Costul actual apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Suma totală ({0}) față de comanda {1} nu poate fi mai mare decât suma totală ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Variantele de articol au fost actualizate @@ -2542,6 +2567,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Referință de primire de apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Obțineți inexacte DocType: Tally Migration,Is Day Book Data Imported,Sunt importate date despre carte de zi ,Sales Partners Commission,Comisia pentru Parteneri de Vânzări +DocType: Shift Type,Enable Different Consequence for Early Exit,Activați diferite consecințe pentru ieșirea anticipată apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,legal DocType: Loan Application,Required by Date,Obligatoriu după dată DocType: Quiz Result,Quiz Result,Rezultatul testului @@ -2601,7 +2627,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,An financ DocType: Pricing Rule,Pricing Rule,Regulă de stabilire a prețurilor apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Lista opțională de vacanță nu este setată pentru perioada de concediu {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Vă rugăm să setați câmpul ID utilizator într-o înregistrare a angajatului pentru a seta Rolul angajatului -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Timpul de rezolvare DocType: Training Event,Training Event,Eveniment de instruire DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Tensiunea arterială normală de repaus la un adult este de aproximativ 120 mmHg sistolică și 80 mmHg diastolică, abreviată "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Sistemul va prelua toate intrările dacă valoarea limită este zero. @@ -2645,6 +2670,7 @@ DocType: Woocommerce Settings,Enable Sync,Activați sincronizarea DocType: Student Applicant,Approved,Aprobat apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},De la data ar trebui să fie în Anul fiscal. Presupunând de la data = {0} 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. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} este o stare de participare nevalidă. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Contul de deschidere temporar DocType: Purchase Invoice,Cash/Bank Account,Contul bancar / bancar DocType: Quality Meeting Table,Quality Meeting Table,Tabel de întâlniri de calitate @@ -2680,6 +2706,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Alimente, băuturi și tutun" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Programul cursului DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Element detaliu detaliat +DocType: Shift Type,Attendance will be marked automatically only after this date.,Participarea va fi marcată automat numai după această dată. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Livrările efectuate către deținătorii UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Cerere de ofertă apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Moneda nu poate fi modificată după efectuarea intrărilor utilizând altă valută @@ -2728,7 +2755,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Este un element din Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procedura de calitate. DocType: Share Balance,No of Shares,Nr. De acțiuni -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rând {0}: Cantitatea nu este disponibilă pentru {4} în depozit {1} la data postării înregistrării ({2} {3}) DocType: Quality Action,Preventive,Preventiv DocType: Support Settings,Forum URL,Adresa URL a forumului apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Angajați și prezență @@ -2950,7 +2976,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Tipul de reducere DocType: Hotel Settings,Default Taxes and Charges,Taxele și taxele implicite apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Aceasta se bazează pe tranzacțiile împotriva acestui furnizor. Consultați linia temporală de mai jos pentru detalii apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Suma maximă a beneficiilor angajatului {0} depășește {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Introduceți data de începere și de încheiere a acordului. DocType: Delivery Note Item,Against Sales Invoice,Împotriva facturii de vânzări DocType: Loyalty Point Entry,Purchase Amount,Suma cumpărată apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Nu se poate seta ca pierdut ca ordinul de vânzări. @@ -2974,7 +2999,7 @@ DocType: Homepage,"URL for ""All Products""",URL pentru "Toate produsele&qu DocType: Lead,Organization Name,Numele Organizatiei apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Valabil de la și valabile până la câmpuri sunt obligatorii pentru suma cumulativă apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Rândul # {0}: Lotul nu trebuie să fie același ca {1} {2} -DocType: Employee,Leave Details,Lăsați detalii +DocType: Employee Checkin,Shift Start,Schimbare pornire apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Tranzacțiile stocurilor înainte de {0} sunt înghețate DocType: Driver,Issuing Date,Data emiterii apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,care a făcut cererea @@ -3019,9 +3044,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detaliile șablonului pentru fluxul de numerar apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Recrutare și formare profesională DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Perioadele de programare pentru o participare automată apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Din valută și valută nu poate fi același apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Produse farmaceutice DocType: Employee,HR-EMP-,HR-vorba sunt +DocType: Service Level,Support Hours,Ore de sprijin apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} este anulată sau închisă apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Rândul {0}: Avansul față de client trebuie să fie credit apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grup de Voucher (Consolidat) @@ -3131,6 +3158,7 @@ DocType: Asset Repair,Repair Status,Stare de reparare DocType: Territory,Territory Manager,director teritorial DocType: Lab Test,Sample ID,ID-ul probelor apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Cosul este gol +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Participarea a fost marcată ca check-in pentru angajați apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Va fi trimis un bun {0} ,Absent Student Report,Studiu absent pentru studenți apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Inclus în Profitul brut @@ -3138,7 +3166,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,L DocType: Travel Request Costing,Funded Amount,Sumă finanțată apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nu a fost trimis, astfel încât acțiunea nu poate fi finalizată" DocType: Subscription,Trial Period End Date,Perioada de încercare a perioadei +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Intrări alternante ca IN și OUT în timpul aceleiași schimbări DocType: BOM Update Tool,The new BOM after replacement,Noul BOM după înlocuire +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizor> Tipul furnizorului apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Punctul 5 DocType: Employee,Passport Number,Numarul pasaportului apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Deschiderea temporară @@ -3254,6 +3284,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Rapoartele cheie apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Furnizor posibil ,Issued Items Against Work Order,Articole emise împotriva ordinii de lucru apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Crearea facturii {0} +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 instructorilor în Educație> Setări educaționale DocType: Student,Joining Date,Data îmbinării apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Solicitarea site-ului DocType: Purchase Invoice,Against Expense Account,În contul de cheltuieli @@ -3293,6 +3324,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Taxe aplicabile ,Point of Sale,Punct de vânzare DocType: Authorization Rule,Approving User (above authorized value),Aprobarea utilizatorului (peste valoarea autorizată) +DocType: Service Level Agreement,Entity,Entitate apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Suma {0} {1} transferată de la {2} la {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Clientul {0} nu aparține proiectului {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,De la numele partidului @@ -3339,6 +3371,7 @@ DocType: Asset,Opening Accumulated Depreciation,Deschiderea amortizării acumula DocType: Soil Texture,Sand Composition (%),Compoziția nisipului (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importați date de carte de zi +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setați seria de numire pentru {0} prin Configurare> Setări> Serii de numire DocType: Asset,Asset Owner Company,Societatea de proprietari de active apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Centrul de costuri este necesar pentru a rezerva o cerere de cheltuieli apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} Nod serial serios pentru articolul {1} @@ -3399,7 +3432,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Proprietar de active apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Depozitul este obligatoriu pentru un stoc Articol {0} în rândul {1} DocType: Stock Entry,Total Additional Costs,Costuri suplimentare suplimentare -DocType: Marketplace Settings,Last Sync On,Ultima sincronizare activată apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Alegeți cel puțin un rând în tabelul Taxe și taxe DocType: Asset Maintenance Team,Maintenance Team Name,Numele echipei de întreținere apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Diagrama centrelor de cost @@ -3415,12 +3447,12 @@ DocType: Sales Order Item,Work Order Qty,Numărul comenzilor de lucru DocType: Job Card,WIP Warehouse,WIP Warehouse DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Codul de utilizator nu este setat pentru angajat {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Cantitatea disponibilă este {0}, aveți nevoie de {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Utilizatorul {0} a fost creat DocType: Stock Settings,Item Naming By,Denumirea articolului prin apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Ordonat 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ăcini și nu poate fi editat. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Solicitarea materialului {0} este anulată sau oprită +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strict bazat pe tipul de jurnal în Employee Checkin DocType: Purchase Order Item Supplied,Supplied Qty,Cantitate furnizată DocType: Cash Flow Mapper,Cash Flow Mapper,Cash Flow Mapper DocType: Soil Texture,Sand,Nisip @@ -3479,6 +3511,7 @@ DocType: Lab Test Groups,Add new line,Adăugați o linie nouă apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Grupul de elemente duplicat găsit în tabelul cu grupuri de elemente apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Salariu anual DocType: Supplier Scorecard,Weighting Function,Funcție de ponderare +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Factor de conversie ({0} -> {1}) nu a fost găsit pentru articol: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Eroare la evaluarea formulei de criterii ,Lab Test Report,Raport de testare în laborator DocType: BOM,With Operations,Cu operațiuni @@ -3492,6 +3525,7 @@ DocType: Expense Claim Account,Expense Claim Account,Cheltuieli de revendicare a apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nu există rambursări disponibile pentru înscrierea în jurnal apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} este student inactiv apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Faceți intrarea în stoc +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Recursiunea BOM: {0} nu poate fi părinte sau copil de {1} DocType: Employee Onboarding,Activities,Activitati apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast un depozit este obligatoriu ,Customer Credit Balance,Soldul creditelor clienților @@ -3504,9 +3538,11 @@ DocType: Supplier Scorecard Period,Variables,variabile apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Programul de loialitate multiplă a fost găsit pentru client. Selectați manual. DocType: Patient,Medication,Medicament apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Selectați programul de loialitate +DocType: Employee Checkin,Attendance Marked,Participarea marcată apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Materie prima DocType: Sales Order,Fully Billed,Complet facturat 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 hotelului pe {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Selectați o singură prioritate ca implicită. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identificați / creați cont (Ledger) pentru tipul - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Suma totală de credit / debit ar trebui să fie aceeași cu cea înregistrată în jurnal DocType: Purchase Invoice Item,Is Fixed Asset,Este activul fix @@ -3527,6 +3563,7 @@ DocType: Purpose of Travel,Purpose of Travel,Scopul călătoriei DocType: Healthcare Settings,Appointment Confirmation,Confirmare programare DocType: Shopping Cart Settings,Orders,Comenzi DocType: HR Settings,Retirement Age,Vârsta de pensionare +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 participare prin Configurare> Serie de numerotare apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Numărul estimat apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Ștergerea nu este permisă pentru țara {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Rândul # {0}: Asset {1} este deja {2} @@ -3610,11 +3647,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Contabil apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Voucher de închidere POS alreday există pentru {0} între data {1} și {2} apps/erpnext/erpnext/config/help.py,Navigating,Navigarea +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Facturile restante nu necesită o reevaluare a cursului de schimb DocType: Authorization Rule,Customer / Item Name,Numele clientului / elementului apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Noul număr de serie nu poate avea Warehouse. Depozitul trebuie să fie setat prin intrarea în stoc sau prin chitanță DocType: Issue,Via Customer Portal,Prin portalul de clienți DocType: Work Order Operation,Planned Start Time,Planificat ora de începere apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} este {2} +DocType: Service Level Priority,Service Level Priority,Prioritatea nivelului serviciilor apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Numărul de amortizări rezervate nu poate fi mai mare decât numărul total de amortizări apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Partajați registrul DocType: Journal Entry,Accounts Payable,Creanțe @@ -3725,7 +3764,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Livrare la DocType: Bank Statement Transaction Settings Item,Bank Data,Date bancare apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Programat până -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Menținerea orelor de facturare și a orelor de lucru la același nivel apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Oportunități de urmărire după sursa de plumb. DocType: Clinical Procedure,Nursing User,Utilizator Nursing DocType: Support Settings,Response Key List,Listă cu chei de răspuns @@ -3893,6 +3931,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Ora de începere efectivă DocType: Antibiotic,Laboratory User,Utilizator de laborator apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Licitatii online +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioritatea {0} a fost repetată. DocType: Fee Schedule,Fee Creation Status,Starea de creare a taxelor apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Softwares apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Comandă de vânzare la plată @@ -3959,6 +3998,7 @@ DocType: Patient Encounter,In print,În imprimare apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Nu s-au putut obține informații pentru {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,"Valuta de facturare trebuie să fie egală fie cu moneda companiei implicită, fie cu moneda contului de partid" apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Introduceți Id-ul angajatului acestei persoane de vânzări +DocType: Shift Type,Early Exit Consequence after,Consecința de ieșire precoce după apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Creați facturi de vânzare și cumpărare deschise DocType: Disease,Treatment Period,Perioada de tratament apps/erpnext/erpnext/config/settings.py,Setting up Email,Configurarea e-mailului @@ -3976,7 +4016,6 @@ DocType: Employee Skill Map,Employee Skills,Abilitățile angajaților apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Numele studentului: DocType: SMS Log,Sent On,Trimis DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Factură de vânzare -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Timpul de răspuns nu poate fi mai mare decât timpul de rezoluție DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Pentru grupul de studenți bazat pe curs, cursul va fi validat pentru fiecare student din cursurile înscrise în înscrierea în program." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Furnizări intra-statale DocType: Employee,Create User Permission,Creați permisiunea utilizatorului @@ -4015,6 +4054,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Condiții contractuale standard pentru vânzări sau achiziții. DocType: Sales Invoice,Customer PO Details,Detalii PO pentru clienți apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacientul nu a fost găsit +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Selectați o prioritate prestabilită. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Eliminați elementul dacă taxele nu se aplică acelui element apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Un grup de clienți există cu același nume, modificați numele clientului sau redenumiți grupul de clienți" 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. @@ -4054,6 +4094,7 @@ DocType: Quality Goal,Quality Goal,Obiectiv de calitate DocType: Support Settings,Support Portal,Portal de suport apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Data de încheiere a sarcinii {0} nu poate fi mai mică de {1} data de începere așteptată {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Angajatul {0} este pe Lăsați pe {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Acest acord privind nivelul serviciilor este specific clientului {0} DocType: Employee,Held On,A avut loc DocType: Healthcare Practitioner,Practitioner Schedules,Practitioner Schedules DocType: Project Template Task,Begin On (Days),Începeți (Zile) @@ -4061,6 +4102,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Ordinul de lucru a fost {0} DocType: Inpatient Record,Admission Schedule Date,Data calendarului de admitere apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Ajustarea valorii activelor +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Marchează participarea pe baza "Evaluare angajat" pentru angajații care au fost alocate acestei schimbări. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Livrările făcute persoanelor neînregistrate apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Toate locurile de muncă DocType: Appointment Type,Appointment Type,Tip de întâlnire @@ -4174,7 +4216,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),"Greutatea brută a pachetului. De obicei, greutatea netă + greutatea materialului de ambalare. (pentru imprimare)" DocType: Plant Analysis,Laboratory Testing Datetime,Laboratorul de testare Datatime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Elementul {0} nu poate avea lot -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Piața de vânzări pe etapă apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Grupul Forței Studenților DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Intrare tranzacție la bancă DocType: Purchase Order,Get Items from Open Material Requests,Obțineți articole din cereri de materiale deschise @@ -4256,7 +4297,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Afișați Aging Warehouse-înțelept DocType: Sales Invoice,Write Off Outstanding Amount,Scrie Suma Remarcabilă DocType: Payroll Entry,Employee Details,Detaliile angajatului -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Timpul de pornire nu poate fi mai mare decât timpul de încheiere pentru {0}. DocType: Pricing Rule,Discount Amount,Suma de reducere DocType: Healthcare Service Unit Type,Item Details,Detalii articol apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Declarația fiscală duplicată din {0} pentru perioada {1} @@ -4309,7 +4349,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Plata netă nu poate fi negativă apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Nr de interacțiuni 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/hr/doctype/employee/employee_dashboard.py,Shift,Schimb +DocType: Attendance,Shift,Schimb apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Programa de procesare și părți DocType: Stock Settings,Convert Item Description to Clean HTML,Conversia elementului de articol pentru a curăța HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Toate grupurile de furnizori @@ -4380,6 +4420,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Activitatea d DocType: Healthcare Service Unit,Parent Service Unit,Serviciul pentru părinți DocType: Sales Invoice,Include Payment (POS),Includeți plata (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Capital privat +DocType: Shift Type,First Check-in and Last Check-out,Primul check-in și ultimul check-out DocType: Landed Cost Item,Receipt Document,Documentul de primire DocType: Supplier Scorecard Period,Supplier Scorecard Period,Perioada de evaluare a furnizorului DocType: Employee Grade,Default Salary Structure,Structura salarială prestabilită @@ -4462,6 +4503,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Creați comanda de aprovizionare apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definiți bugetul pentru un exercițiu financiar. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Tabelele de conturi nu pot fi goale. +DocType: Employee Checkin,Entry Grace Period Consequence,Concediul perioadei de grație de intrare ,Payment Period Based On Invoice Date,Perioada de plată bazată pe data facturii apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Data instalării nu poate fi înainte de data livrării pentru articolul {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Link la solicitarea materialului @@ -4470,6 +4512,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapat tipul d apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Rând {0}: Există deja o intrare pentru reîncărcare pentru acest depozit {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data Documentelor DocType: Monthly Distribution,Distribution Name,Denumirea distribuției +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Ziua de lucru {0} a fost repetată. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Grupați la non-grup apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Actualizare în curs. Ar putea dura ceva timp. DocType: Item,"Example: ABCD.##### @@ -4482,6 +4525,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Cantitatea de combustibil apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile nr DocType: Invoice Discounting,Disbursed,debursate +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Timp după sfârșitul schimbării, în timpul căruia se ia în considerare participarea." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Modificarea netă a conturilor de plătit apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Nu e disponibil apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Cu jumătate de normă @@ -4495,7 +4539,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Posibili apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Afișați PDC în imprimantă apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Furnizor de magazin DocType: POS Profile User,POS Profile User,Utilizator profil POS -DocType: Student,Middle Name,Al doilea nume DocType: Sales Person,Sales Person Name,Nume persoană de vânzare DocType: Packing Slip,Gross Weight,Greutate brută DocType: Journal Entry,Bill No,"Nu, Bill" @@ -4504,7 +4547,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Loca DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Acord privind nivelul serviciilor -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Selectați mai întâi angajatul și data apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Rata de evaluare a postului este recalculată ținând cont de valoarea voucherului costat DocType: Timesheet,Employee Detail,Detaliile angajatului DocType: Tally Migration,Vouchers,Bonuri @@ -4539,7 +4581,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Acord privind ni DocType: Additional Salary,Date on which this component is applied,Data la care se aplică această componentă apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Lista Acționarilor disponibili cu numere folio apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Configurați conturile Gateway. -DocType: Service Level,Response Time Period,Perioada de răspuns +DocType: Service Level Priority,Response Time Period,Perioada de răspuns DocType: Purchase Invoice,Purchase Taxes and Charges,Achiziționați impozite și taxe DocType: Course Activity,Activity Date,Data activității apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Selectați sau adăugați un nou client @@ -4564,6 +4606,7 @@ DocType: Sales Person,Select company name first.,Selectați mai întâi numele c apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,An financiar DocType: Sales Invoice Item,Deferred Revenue,Venituri amânate apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Este necesar să selectați una dintre Vânzări sau Cumpărare +DocType: Shift Type,Working Hours Threshold for Half Day,Timpul de lucru pentru jumătate de zi ,Item-wise Purchase History,În funcție de istoricul achizițiilor apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Nu se poate modifica data de începere a serviciului pentru elementul din rândul {0} DocType: Production Plan,Include Subcontracted Items,Includeți articolele subcontractate @@ -4596,6 +4639,7 @@ DocType: Journal Entry,Total Amount Currency,Valoarea totală a valutei DocType: BOM,Allow Same Item Multiple Times,Permiteți aceluiași articol mai multe ore apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Creați BOM DocType: Healthcare Practitioner,Charges,Taxe +DocType: Employee,Attendance and Leave Details,Participarea și părăsirea detaliilor DocType: Student,Personal Details,Detalii personale DocType: Sales Order,Billing and Delivery Status,Statutul de facturare și de livrare apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Rând {0}: Pentru furnizorul {0} Adresa de e-mail este obligată să trimită e-mail @@ -4647,7 +4691,6 @@ DocType: Bank Guarantee,Supplier,Furnizor apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Introduceți valoare între {0} și {1} DocType: Purchase Order,Order Confirmation Date,Data de confirmare a comenzii DocType: Delivery Trip,Calculate Estimated Arrival Times,Calculați timpul estimat de sosire -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configurați sistemul de numire a angajaților în Resurse umane> Setări HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Consumabil DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Data de începere a abonării @@ -4670,7 +4713,7 @@ DocType: Installation Note Item,Installation Note Item,Notă privind instalarea DocType: Journal Entry Account,Journal Entry Account,Contul de intrare în jurnal apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variantă apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Activitatea Forumului -DocType: Service Level,Resolution Time Period,Rezoluția Perioada de timp +DocType: Service Level Priority,Resolution Time Period,Rezoluția Perioada de timp DocType: Request for Quotation,Supplier Detail,Detaliile furnizorului DocType: Project Task,View Task,Vizualizați sarcina DocType: Serial No,Purchase / Manufacture Details,Detaliile de cumpărare / fabricație @@ -4737,6 +4780,7 @@ DocType: Sales Invoice,Commission Rate (%),Rata comisionului (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Depozitul poate fi schimbat numai prin Înregistrare stoc / Nota de livrare / Cumpărare DocType: Support Settings,Close Issue After Days,Închideți emisiunea după zile DocType: Payment Schedule,Payment Schedule,Plata plății +DocType: Shift Type,Enable Entry Grace Period,Activați perioada de grație de intrare DocType: Patient Relation,Spouse,soț DocType: Purchase Invoice,Reason For Putting On Hold,Motivul pentru a pune în așteptare DocType: Item Attribute,Increment,Creştere @@ -4876,6 +4920,7 @@ DocType: Authorization Rule,Customer or Item,Client sau element DocType: Vehicle Log,Invoice Ref,Factură Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Formularul C nu se aplică pentru factură: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Factura creată +DocType: Shift Type,Early Exit Grace Period,Early Exit Grace Period DocType: Patient Encounter,Review Details,Detalii de examinare apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Rând {0}: Valoarea orelor trebuie să fie mai mare decât zero. DocType: Account,Account Number,Numar de cont @@ -4887,7 +4932,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Aplicabil dacă societatea este SpA, SApA sau SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Condiții de suprapunere găsite între: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Plătit și neîncasat -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Codul elementului este obligatoriu deoarece elementul nu este numerotat automat DocType: GST HSN Code,HSN Code,Codul HSN DocType: GSTR 3B Report,September,Septembrie apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Cheltuieli administrative @@ -4923,6 +4967,8 @@ DocType: Travel Itinerary,Travel From,Călătorie de la apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Contul CWIP DocType: SMS Log,Sender Name,Numele expeditorului DocType: Pricing Rule,Supplier Group,Grupul de furnizori +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Setați ora de începere și ora de încheiere pentru Ziua de suport {0} la indexul {1}. DocType: Employee,Date of Issue,Data emiterii ,Requested Items To Be Transferred,Articolele solicitate să fie transferate DocType: Employee,Contract End Date,Data de încheiere a contractului @@ -4933,6 +4979,7 @@ DocType: Healthcare Service Unit,Vacant,Vacant DocType: Opportunity,Sales Stage,Stadiul vânzărilor DocType: Sales Order,In Words will be visible once you save the Sales Order.,Cuvintele vor fi vizibile odată ce salvați Ordinul de vânzări. DocType: Item Reorder,Re-order Level,Re-comandă nivelul +DocType: Shift Type,Enable Auto Attendance,Activați participarea automată apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Preferinţă ,Department Analytics,Departamentul Analytics DocType: Crop,Scientific Name,Nume stiintific @@ -4945,6 +4992,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},Starea {0} {1} este { DocType: Quiz Activity,Quiz Activity,Activitatea Quiz apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} nu se află într-o perioadă de salarizare valabilă DocType: Timesheet,Billed,facturează +apps/erpnext/erpnext/config/support.py,Issue Type.,Tipul problemei. DocType: Restaurant Order Entry,Last Sales Invoice,Ultima factură de vânzare DocType: Payment Terms Template,Payment Terms,Termeni de plată apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Cantitate rezervată: Cantitatea comandată pentru vânzare, dar nu livrată." @@ -5040,6 +5088,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,activ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} nu are un program de practicieni în domeniul sănătății. Adăugați-o la medicul de masterat în domeniul sănătății DocType: Vehicle,Chassis No,Șasiul nr +DocType: Employee,Default Shift,Implicit Shift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Abrevierea companiei apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Arborele din lista de materiale DocType: Article,LMS User,Utilizator LMS @@ -5088,6 +5137,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Persoana de vânzări părinte DocType: Student Group Creation Tool,Get Courses,Obțineți cursuri apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rândul {{0}: Cantitatea trebuie să fie 1, deoarece elementul este un activ fix. Utilizați un rând separat pentru cantități multiple." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Timp de lucru sub care este marcat Absent. (Zero pentru dezactivare) DocType: Customer Group,Only leaf nodes are allowed in transaction,Numai nodurile frunzelor sunt permise în tranzacție DocType: Grant Application,Organization,Organizare DocType: Fee Category,Fee Category,Categorie de taxe @@ -5100,6 +5150,7 @@ DocType: Payment Order,PMO-,PMO- 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: Volunteer,Morning,Dimineaţă DocType: Quotation Item,Quotation Item,Citat +apps/erpnext/erpnext/config/support.py,Issue Priority.,Prioritatea emiterii. DocType: Journal Entry,Credit Card Entry,Intrarea în cardul de credit apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Slotul de timp a fost anulat, slotul {0} până la {1} se suprapune cu slotul existent {2} până la {3}" DocType: Journal Entry Account,If Income or Expense,Dacă venitul sau cheltuielile @@ -5150,11 +5201,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Importul de date și setările 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: Account,Expense Account,Cont de cheltuieli +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Timpul înainte de începerea timpului de schimbare în timpul căruia se ia în considerare participarea angajaților. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Relația cu Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Creați factură apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Solicitarea de plată există deja {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Angajatul eliberat pe {0} trebuie să fie setat ca "Stânga" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Plătește {0} {1} +DocType: Company,Sales Settings,Setări de vânzări DocType: Sales Order Item,Produced Quantity,Cantitate produsă apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Cererea de cotație poate fi accesată făcând clic pe următorul link DocType: Monthly Distribution,Name of the Monthly Distribution,Denumirea distribuirii lunare @@ -5233,6 +5286,7 @@ DocType: Company,Default Values,Valori implicite apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Se creează șabloane fiscale predefinite pentru vânzări și achiziții. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Tipul de plecare {0} nu poate fi repornit apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Debit În cont trebuie să existe un cont de creanță +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Vă rugăm să setați contul în depozit {0} sau contul implicit de inventar din companie {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Setați ca implicit DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Greutatea netă a acestui pachet. (calculată automat ca sumă de greutate netă a articolelor) @@ -5259,8 +5313,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,A apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Loturile expirate DocType: Shipping Rule,Shipping Rule Type,Tip de regulă de transport DocType: Job Offer,Accepted,Admis -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ștergeți angajatul {0} \ pentru a anula acest document" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Ați evaluat deja criteriile de evaluare {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Selectați numerele lotului apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Vârsta (zile) @@ -5287,6 +5339,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Selectați-vă domeniile DocType: Agriculture Task,Task Name,Nume sarcină 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ștergeți angajatul {0} \ pentru a anula acest document" ,Amount to Deliver,Suma de livrare apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Compania {0} nu există apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Nu au fost găsite solicitări de material în așteptare pentru linkul pentru elementele date. @@ -5336,6 +5390,7 @@ DocType: Program Enrollment,Enrolled courses,Cursuri înscrise DocType: Lab Prescription,Test Code,Cod de test DocType: Purchase Taxes and Charges,On Previous Row Total,Pe rândul precedent total DocType: Student,Student Email Address,Adresa de e-mail a studentului +,Delayed Item Report,Raport privind articolul întârziat DocType: Academic Term,Education,Educaţie DocType: Supplier Quotation,Supplier Address,Adresa furnizorului DocType: Salary Detail,Do not include in total,Nu includeți în total @@ -5343,7 +5398,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nu există DocType: Purchase Receipt Item,Rejected Quantity,Cantitatea respinsă DocType: Cashier Closing,To TIme,La Timp -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Factor de conversie ({0} -> {1}) nu a fost găsit pentru articol: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Utilizatorul grupului zilnic de lucru sumar DocType: Fiscal Year Company,Fiscal Year Company,Anul fiscal apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Elementul alternativ nu trebuie să fie același cu codul elementului @@ -5395,6 +5449,7 @@ DocType: Program Fee,Program Fee,Taxa de program DocType: Delivery Settings,Delay between Delivery Stops,Întârziere între starea de livrare DocType: Stock Settings,Freeze Stocks Older Than [Days],Înghetați stocurile mai vechi decât [Zile] DocType: Promotional Scheme,Promotional Scheme Product Discount,Reducere de produs promoțională +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Prioritatea emisiunii există deja DocType: Account,Asset Received But Not Billed,"Activul primit, dar nu facturat" DocType: POS Closing Voucher,Total Collected Amount,Suma totală colectată DocType: Course,Default Grading Scale,Scara de evaluare standard @@ -5437,6 +5492,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Condiții de îndeplinire apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Non-grup în grup DocType: Student Guardian,Mother,Mamă +DocType: Issue,Service Level Agreement Fulfilled,Acordul privind nivelul serviciilor a fost îndeplinit DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Deducerea impozitelor pentru beneficiile nerecuperate ale angajaților DocType: Travel Request,Travel Funding,Finanțarea turismului DocType: Shipping Rule,Fixed,Fix @@ -5466,10 +5522,12 @@ DocType: Item,Warranty Period (in days),Perioada de garanție (în zile) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Nu au fost gasite articolele. DocType: Item Attribute,From Range,Din Gama DocType: Clinical Procedure,Consumables,Consumabile +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' și 'timestamp' sunt obligatorii. DocType: Purchase Taxes and Charges,Reference Row #,Numărul de referință # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Stabiliți "Centrul de cost pentru amortizarea activelor" din Compania {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Rândul # {0}: Este necesar un document de plată pentru finalizarea trasacției DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Faceți clic pe acest buton pentru a vă trage datele de comandă de vânzări de la Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Timp de lucru sub care se marchează o jumătate de zi. (Zero pentru dezactivare) ,Assessment Plan Status,Starea planului de evaluare apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Selectați mai întâi {0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Trimiteți acest lucru pentru a crea înregistrarea angajatului @@ -5540,6 +5598,7 @@ DocType: Quality Procedure,Parent Procedure,Procedura părintească apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Setați Deschideți apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Toggle Filtre DocType: Production Plan,Material Request Detail,Detalii privind solicitarea materialului +DocType: Shift Type,Process Attendance After,Participarea la proces după DocType: Material Request Item,Quantity and Warehouse,Cantitate și depozit apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Mergeți la Programe apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Rândul # {0}: intrarea duplicată în Referințe {1} {2} @@ -5597,6 +5656,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Informațiile părților apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debitori ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Până în prezent nu poate fi mai mare decât data scutirii angajatului +DocType: Shift Type,Enable Exit Grace Period,Activați Perioada de ieșire din Grație DocType: Expense Claim,Employees Email Id,Numărul de e-mail al angajaților DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Actualizați prețul de la Shopify la lista de prețuri ERP următoare DocType: Healthcare Settings,Default Medical Code Standard,Standardul medical standard standard @@ -5627,7 +5687,6 @@ DocType: Item Group,Item Group Name,Numele grupului de elemente DocType: Budget,Applicable on Material Request,Aplicabil la solicitarea materialului DocType: Support Settings,Search APIs,API-uri de căutare DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Procentaj de supraproducție pentru comandă de vânzări -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Specificații DocType: Purchase Invoice,Supplied Items,Articole furnizate DocType: Leave Control Panel,Select Employees,Selectați Angajați apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Selectați contul de venituri din dobânzi în împrumut {0} @@ -5653,7 +5712,7 @@ DocType: Salary Slip,Deductions,deduceri ,Supplier-Wise Sales Analytics,Analiza vânzărilor pe bază de furnizori DocType: GSTR 3B Report,February,februarie DocType: Appraisal,For Employee,Pentru angajat -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Data livrării efective +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Data livrării efective DocType: Sales Partner,Sales Partner Name,Numele partenerului de vânzări apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Rândul de amortizare {0}: Data de începere a amortizării este introdusă ca dată trecută DocType: GST HSN Code,Regional,Regional @@ -5692,6 +5751,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Fac DocType: Supplier Scorecard,Supplier Scorecard,Cartea de evaluare a furnizorului DocType: Travel Itinerary,Travel To,Călători în apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Marchează prezența +DocType: Shift Type,Determine Check-in and Check-out,Determinați Check-in și Check-out DocType: POS Closing Voucher,Difference,Diferență apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Mic DocType: Work Order Item,Work Order Item,Postul de comandă de lucru @@ -5725,6 +5785,7 @@ DocType: Sales Invoice,Shipping Address Name,Numele adresei de expediere apps/erpnext/erpnext/healthcare/setup.py,Drug,Medicament apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} este închis DocType: Patient,Medical History,Istoricul medical +DocType: Expense Claim,Expense Taxes and Charges,Cheltuieli și impozite DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Numărul de zile după expirarea datei facturii înainte de a anula abonamentul sau marcarea abonamentului ca neplătit apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Nota de instalare {0} a fost deja trimisă DocType: Patient Relation,Family,Familie @@ -5757,7 +5818,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Putere apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} unități de {1} necesare în {2} pentru a finaliza această tranzacție. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush Materii Prime ale subcontractelor bazate pe -DocType: Bank Guarantee,Customer,Client DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Dacă este activată, domeniul Academic Term va fi obligatoriu în Instrumentul de înscriere în program." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Pentru grupul de studenți bazat pe grupuri, lotul de studenți va fi validat pentru fiecare student din înscrierea în program." DocType: Course,Topics,Subiecte @@ -5837,6 +5897,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Capitolul Membri DocType: Warranty Claim,Service Address,Adresa de serviciu DocType: Journal Entry,Remark,Remarca +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rând {0}: Cantitatea care nu este disponibilă pentru {4} în depozit {1} la momentul postării înregistrării ({2} {3}) DocType: Patient Encounter,Encounter Time,Întâlniți timpul DocType: Serial No,Invoice Details,Detaliile facturii apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Alte conturi pot fi făcute în cadrul grupurilor, dar pot fi făcute înscrieri în afara grupurilor" @@ -5917,6 +5978,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","U apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Închidere (Deschidere + Total) DocType: Supplier Scorecard Criteria,Criteria Formula,Criterii Formula apps/erpnext/erpnext/config/support.py,Support Analytics,Suport Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Dispozitiv ID de participare (ID biometric / RF tag) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Revizuire și acțiune DocType: Account,"If the account is frozen, entries are allowed to restricted users.","În cazul în care contul este înghețat, intrările sunt permise utilizatorilor restricționați." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Suma după amortizare @@ -5938,6 +6000,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Rambursare a creditului DocType: Employee Education,Major/Optional Subjects,Subiecte majore / facultative DocType: Soil Texture,Silt,Nămol +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Adresele și contactele furnizorilor DocType: Bank Guarantee,Bank Guarantee Type,Tip de garanție bancară DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Dacă este dezactivat, câmpul "Total rotunjit" nu va fi vizibil în nicio tranzacție" DocType: Pricing Rule,Min Amt,Min Amt @@ -5976,6 +6039,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Deschiderea elementului Instrument de creare facturi DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Includeți tranzacțiile POS +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Niciun angajat nu a fost găsit pentru valoarea câmpului angajat dat. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Suma primită (moneda companiei) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage este plin, nu a salvat" DocType: Chapter Member,Chapter Member,Capitolul Membru @@ -6008,6 +6072,7 @@ DocType: SMS Center,All Lead (Open),Tot plumb (deschis) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Nu au fost create grupuri de studenți. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Rând duplicat {0} cu același {1} DocType: Employee,Salary Details,Detalii salariu +DocType: Employee Checkin,Exit Grace Period Consequence,Ieșiți din perioada de grație DocType: Bank Statement Transaction Invoice Item,Invoice,Factura fiscala DocType: Special Test Items,Particulars,Particularități apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Alegeți un filtru bazat pe Articol sau pe Warehouse @@ -6109,6 +6174,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Din AMC DocType: Job Opening,"Job profile, qualifications required etc.","Profilul de muncă, calificările necesare etc." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Navele către stat +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Doriți să trimiteți cererea de material DocType: Opportunity Item,Basic Rate,Rata de baza DocType: Compensatory Leave Request,Work End Date,Data de încheiere a lucrului apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Cerere pentru materii prime @@ -6294,6 +6360,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Suma amortizării DocType: Sales Order Item,Gross Profit,Profit brut DocType: Quality Inspection,Item Serial No,Element nr DocType: Asset,Insurer,Asiguratorul +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Sumă de cumpărare DocType: Asset Maintenance Task,Certificate Required,Certificat necesar DocType: Retention Bonus,Retention Bonus,Bonus de retentie @@ -6409,6 +6476,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Valoarea diferenței DocType: Invoice Discounting,Sanctioned,consacrat DocType: Course Enrollment,Course Enrollment,Înscriere la curs DocType: Item,Supplier Items,Elemente ale furnizorului +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Timpul de începere nu poate fi mai mare sau egal cu timpul de încheiere \ pentru {0}. DocType: Sales Order,Not Applicable,Nu se aplică DocType: Support Search Source,Response Options,Opțiuni de răspuns apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} ar trebui să fie o valoare cuprinsă între 0 și 100 @@ -6495,7 +6564,6 @@ DocType: Travel Request,Costing,costing apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Mijloace fixe DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Total câștiguri -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriu DocType: Share Balance,From No,De la nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Factura de reconciliere a plăților DocType: Purchase Invoice,Taxes and Charges Added,Taxele și taxele adăugate @@ -6603,6 +6671,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignorați regulamentul privind prețurile apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Alimente DocType: Lost Reason Detail,Lost Reason Detail,Lost Ratio detaliu +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Au fost create următoarele numere de serie:
{0} DocType: Maintenance Visit,Customer Feedback,Raportul clienților DocType: Serial No,Warranty / AMC Details,Garanție / Detalii AMC DocType: Issue,Opening Time,Timpul de deschidere @@ -6652,6 +6721,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Numele companiei nu este același apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Promovarea angajaților nu poate fi depusă înainte de data promoției apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nu este permisă actualizarea tranzacțiilor stoc mai vechi de {0} +DocType: Employee Checkin,Employee Checkin,Salariul angajatului apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Data de începere ar trebui să fie mai mică decât data de încheiere pentru articolul {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Creați cotații pentru clienți DocType: Buying Settings,Buying Settings,Cumpărarea setărilor @@ -6673,6 +6743,7 @@ DocType: Job Card Time Log,Job Card Time Log,Jurnal de timp pentru cartea de viz DocType: Patient,Patient Demographics,Demografia pacientului DocType: Share Transfer,To Folio No,Pentru Folio nr apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Fluxul de numerar din operațiuni +DocType: Employee Checkin,Log Type,Tipul de jurnal DocType: Stock Settings,Allow Negative Stock,Permiteți stocul negativ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Niciunul dintre ele nu are nicio schimbare în cantitate sau valoare. DocType: Asset,Purchase Date,Data cumpărării @@ -6717,6 +6788,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Foarte Hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Selectați natura afacerii dvs. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Selectați luna și anul +DocType: Service Level,Default Priority,Prioritate prestabilită DocType: Student Log,Student Log,Jurnalul studentului DocType: Shopping Cart Settings,Enable Checkout,Activați verificarea apps/erpnext/erpnext/config/settings.py,Human Resources,Resurse umane @@ -6745,7 +6817,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Conectați-vă la Shopify cu ERPNext DocType: Homepage Section Card,Subtitle,Subtitlu DocType: Soil Texture,Loam,Lut -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizor> Tipul furnizorului DocType: BOM,Scrap Material Cost(Company Currency),Costul materialului de scutire (moneda companiei) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Notă de livrare {0} nu trebuie trimisă DocType: Task,Actual Start Date (via Time Sheet),Data de începere efectivă (prin foaia de timp) @@ -6801,6 +6872,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dozare DocType: Cheque Print Template,Starting position from top edge,Poziția de pornire de la marginea de sus apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Durata de programare (minute) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Acest angajat are deja un jurnal cu același timbru. {0} DocType: Accounting Dimension,Disable,Dezactivați DocType: Email Digest,Purchase Orders to Receive,Comenzi de cumpărare pentru primire apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Comenzile de producție nu pot fi ridicate pentru: @@ -6816,7 +6888,6 @@ DocType: Production Plan,Material Requests,Cereri de materiale DocType: Buying Settings,Material Transferred for Subcontract,Material transferat pentru subcontractare DocType: Job Card,Timing Detail,Calendarul detaliilor apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Necesar la -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Importarea {0} din {1} DocType: Job Offer Term,Job Offer Term,Termenul ofertei de muncă DocType: SMS Center,All Contact,Toate contactele DocType: Project Task,Project Task,Sarcina proiectului @@ -6867,7 +6938,6 @@ DocType: Student Log,Academic,Academic apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Elementul {0} nu este configurat pentru numerele Serial apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Din stat DocType: Leave Type,Maximum Continuous Days Applicable,Zilele maxime continue sunt aplicabile -apps/erpnext/erpnext/config/support.py,Support Team.,Echipa de suport. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Introduceți mai întâi numele companiei apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Importați cu succes DocType: Guardian,Alternate Number,Numărul alternativ @@ -6959,6 +7029,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Rândul # {0}: elementul adăugat DocType: Student Admission,Eligibility and Details,Eligibilitate și detalii DocType: Staffing Plan,Staffing Plan Detail,Detaliile planului de personal +DocType: Shift Type,Late Entry Grace Period,Începutul perioadei de grație de intrare DocType: Email Digest,Annual Income,Venit anual DocType: Journal Entry,Subscription Section,Secțiunea de subscripție DocType: Salary Slip,Payment Days,Zile de plată @@ -7009,6 +7080,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Balanța contului DocType: Asset Maintenance Log,Periodicity,Periodicitate apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Fișă medicală +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Tipul de jurnal este necesar pentru verificările care intră în schimbare: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Execuţie DocType: Item,Valuation Method,Metoda de evaluare apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} împotriva facturii de vânzări {1} @@ -7093,6 +7165,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Costul estimat pe pozi DocType: Loan Type,Loan Name,Numele împrumutului apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Setați modul de plată implicit DocType: Quality Goal,Revision,Revizuire +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Timpul înainte de sfârșitul perioadei de schimbare, când check-out-ul este considerat devreme (în minute)." DocType: Healthcare Service Unit,Service Unit Type,Tip de unitate de service DocType: Purchase Invoice,Return Against Purchase Invoice,Întoarceți-vă în contul facturii de cumpărare apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Generați secret @@ -7248,12 +7321,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Produse cosmetice DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Verificați dacă doriți să forțați utilizatorul să selecteze o serie înainte de salvare. Nu veți avea nici o valoare implicită dacă verificați acest lucru. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Utilizatorilor cu acest rol li se permite să stabilească conturi înghețate și să creeze / să modifice intrări contabile în conturi înghețate +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codul elementului> Grupul de articole> Marca DocType: Expense Claim,Total Claimed Amount,Suma totală solicitată apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Nu se poate găsi slotul de timp în următoarele {0} zile pentru operația {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Înfășurați-vă apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Poți să reînnoi numai dacă îți expiră calitatea de membru în termen de 30 de zile apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Valoarea trebuie să fie între {0} și {1} DocType: Quality Feedback,Parameters,Parametrii +DocType: Shift Type,Auto Attendance Settings,Setări de participare automată ,Sales Partner Transaction Summary,Rezumat tranzacție partener de vânzări DocType: Asset Maintenance,Maintenance Manager Name,Numele Managerului de întreținere apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Este necesar să preluați detaliile postului. @@ -7345,10 +7420,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Validați regula aplicată DocType: Job Card Item,Job Card Item,Postul pentru carte de locuri de muncă DocType: Homepage,Company Tagline for website homepage,Compoziția de linia companiei pentru pagina de pornire a site-ului +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Setați timpul de răspuns și rezoluția pentru prioritatea {0} la indexul {1}. DocType: Company,Round Off Cost Center,Centrul de costuri off-center DocType: Supplier Scorecard Criteria,Criteria Weight,Criterii Greutate DocType: Asset,Depreciation Schedules,Planurile de amortizare -DocType: Expense Claim Detail,Claim Amount,Suma de revendicare DocType: Subscription,Discounts,reduceri DocType: Shipping Rule,Shipping Rule Conditions,Regulile pentru regulile de transport DocType: Subscription,Cancelation Date,Data de anulare @@ -7376,7 +7451,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Creați rezultate apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Afișați valorile zero DocType: Employee Onboarding,Employee Onboarding,Angajarea la bord DocType: POS Closing Voucher,Period End Date,Perioada de sfârșit a perioadei -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Oportunități de vânzare după sursă DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Primul Aprobator de plecare din listă va fi setat ca implicit Permis de plecare. DocType: POS Settings,POS Settings,Setări POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Toate conturile @@ -7397,7 +7471,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Rândul # {0}: Rata trebuie să fie aceeași ca {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Servicii de asistență medicală -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Nu au fost găsite apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Rata de îmbătrânire 3 DocType: Vital Signs,Blood Pressure,Tensiune arteriala 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 @@ -7444,6 +7517,7 @@ DocType: Company,Existing Company,Compania existentă apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Sarjele apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Apărare DocType: Item,Has Batch No,Are lotul nr +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Zilele întârziate DocType: Lead,Person Name,Numele persoanei DocType: Item Variant,Item Variant,Varianta de articol DocType: Training Event Employee,Invited,invitat @@ -7465,7 +7539,7 @@ DocType: Purchase Order,To Receive and Bill,Primirea și facturarea apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datele de începere și de sfârșit nu se află într-o perioadă de salarizare valabilă, nu pot calcula {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Afișați numai clienții acestor grupuri de clienți apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Selectați elementele pentru a salva factura -DocType: Service Level,Resolution Time,Timp de rezoluție +DocType: Service Level Priority,Resolution Time,Timp de rezoluție DocType: Grading Scale Interval,Grade Description,Descrierea clasei DocType: Homepage Section,Cards,Carduri DocType: Quality Meeting Minutes,Quality Meeting Minutes,Conferințe de calitate @@ -7492,6 +7566,7 @@ DocType: Project,Gross Margin %,Marja brută % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Soldul bilanțului bancar în conformitate cu Registrul general apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Asistență medicală (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Implicit Warehouse pentru a crea Comenzi vânzări și Nota de livrare +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Timpul de răspuns pentru {0} la indexul {1} nu poate fi mai mare decât timpul de rezoluție. DocType: Opportunity,Customer / Lead Name,Numele clientului / conducătorului auto DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Sumă nerevendicată @@ -7538,7 +7613,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importul părților și adreselor DocType: Item,List this Item in multiple groups on the website.,Listează acest articol în mai multe grupuri de pe site. DocType: Request for Quotation,Message for Supplier,Mesaj pentru furnizor -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Nu se poate schimba {0} ca tranzacția de stoc pentru articolul {1} să existe. DocType: Healthcare Practitioner,Phone (R),Telefon (R) DocType: Maintenance Team Member,Team Member,Membru al echipei DocType: Asset Category Account,Asset Category Account,Contul categoriei de cont diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv index f06602ecd9..21920a998a 100644 --- a/erpnext/translations/ru.csv +++ b/erpnext/translations/ru.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Дата начала срока apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Встреча {0} и счет-фактура {1} отменены DocType: Purchase Receipt,Vehicle Number,Номер автомобиля apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Ваш адрес электронной почты... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Включить записи в книгу по умолчанию +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Включить записи в книгу по умолчанию DocType: Activity Cost,Activity Type,Тип деятельности DocType: Purchase Invoice,Get Advances Paid,Получите авансовый платеж DocType: Company,Gain/Loss Account on Asset Disposal,Счет прибылей / убытков при выбытии активов @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Что оно д DocType: Bank Reconciliation,Payment Entries,Платежные записи DocType: Employee Education,Class / Percentage,Класс / Процент ,Electronic Invoice Register,Электронный реестр счетов +DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Номер вхождения, после которого выполняется следствие." DocType: Sales Invoice,Is Return (Credit Note),Возврат (Кредитная нота) +DocType: Price List,Price Not UOM Dependent,Цена не зависит от UOM DocType: Lab Test Sample,Lab Test Sample,Образец лабораторного теста DocType: Shopify Settings,status html,статус HTML DocType: Fiscal Year,"For e.g. 2012, 2012-13","Например, 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Поиск пр DocType: Salary Slip,Net Pay,Чистая оплата apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Общая сумма счета DocType: Clinical Procedure,Consumables Invoice Separately,Расходные материалы отдельно +DocType: Shift Type,Working Hours Threshold for Absent,Порог рабочего времени для отсутствующих DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Бюджет нельзя назначить для учетной записи группы {0} DocType: Purchase Receipt Item,Rate and Amount,Оценить и сумма @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Установить исходны DocType: Healthcare Settings,Out Patient Settings,Настройки амбулаторного пациента DocType: Asset,Insurance End Date,Дата окончания страхования DocType: Bank Account,Branch Code,Код филиала -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Время ответить apps/erpnext/erpnext/public/js/conf.js,User Forum,Пользовательский форум DocType: Landed Cost Item,Landed Cost Item,Стоимость товара apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Продавец и покупатель не могут быть одинаковыми @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Ведущий владелец DocType: Share Transfer,Transfer,Перечислить apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Поиск элемента (Ctrl + I) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Результат отправлен +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,"С даты не может быть больше, чем на дату" DocType: Supplier,Supplier of Goods or Services.,Поставщик товаров или услуг. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Название новой учетной записи. Примечание. Пожалуйста, не создавайте учетные записи для клиентов и поставщиков." apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Студенческая группа или расписание курсов обязательно @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,База д DocType: Skill,Skill Name,Название навыка apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Распечатать отчетную карточку DocType: Soil Texture,Ternary Plot,Троичный участок -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Билеты поддержки DocType: Asset Category Account,Fixed Asset Account,Учетная запись фиксированного актива apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Самый последний @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Расстояние UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Обязательно для бухгалтерского баланса DocType: Payment Entry,Total Allocated Amount,Общая выделенная сумма DocType: Sales Invoice,Get Advances Received,Получать авансы полученные +DocType: Shift Type,Last Sync of Checkin,Последняя синхронизация регистрации DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,"Сумма налога на имущество, включенная в стоимость" apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,План подписки DocType: Student,Blood Group,Группа крови apps/erpnext/erpnext/config/healthcare.py,Masters,Мастера DocType: Crop,Crop Spacing UOM,Crop Spacing UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,"Время после начала смены, когда регистрация считается поздней (в минутах)." apps/erpnext/erpnext/templates/pages/home.html,Explore,Проводить исследования +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Не найдено неоплаченных счетов apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} вакансий и {1} бюджета для {2} уже запланировано для дочерних компаний {3}. \ Вы можете планировать только до {4} вакансий и бюджета {5} в соответствии с кадровым планом {6} для головной компании {3}. DocType: Promotional Scheme,Product Discount Slabs,Дисконтные плиты продукта @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Запрос посещаемости DocType: Item,Moving Average,Скользящая средняя DocType: Employee Attendance Tool,Unmarked Attendance,Посещаемость без опознавательных знаков DocType: Homepage Section,Number of Columns,Число столбцов +DocType: Issue Priority,Issue Priority,Приоритет вопроса DocType: Holiday List,Add Weekly Holidays,Добавить еженедельные праздники DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Создать бланк зарплаты @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Значение / описание DocType: Warranty Claim,Issue Date,Дата выпуска 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}. Невозможно найти одну партию, которая удовлетворяет этому требованию" apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Невозможно создать бонус удержания для оставленных сотрудников +DocType: Employee Checkin,Location / Device ID,Расположение / ID устройства DocType: Purchase Order,To Receive,Получить apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,"Вы находитесь в автономном режиме. Вы не сможете перезагрузить, пока у вас нет сети." DocType: Course Activity,Enrollment,регистрация @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Шаблон лабораторно apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Макс: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Отсутствует информация об инвойсировании apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Материальный запрос не создан -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка DocType: Loan,Total Amount Paid,Общая выплаченная сумма apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Все эти элементы уже выставлен счет DocType: Training Event,Trainer Name,Имя тренера @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Пожалуйста, укажите имя в отведении {0}" DocType: Employee,You can enter any date manually,Вы можете ввести любую дату вручную DocType: Stock Reconciliation Item,Stock Reconciliation Item,Элемент сверки запасов +DocType: Shift Type,Early Exit Consequence,Ранний выход DocType: Item Group,General Settings,общие настройки apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Срок оплаты не может быть раньше даты публикации / выставления счета поставщику apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Введите имя бенефициара перед отправкой. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,ревизор apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Подтверждение оплаты ,Available Stock for Packing Items,Доступный запас для упаковки apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},"Пожалуйста, удалите этот счет-фактуру {0} из C-формы {1}" +DocType: Shift Type,Every Valid Check-in and Check-out,Каждый действительный заезд и выезд DocType: Support Search Source,Query Route String,Строка маршрута запроса DocType: Customer Feedback Template,Customer Feedback Template,Шаблон обратной связи с клиентом apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Цитаты для лидов или клиентов. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Контроль авторизации ,Daily Work Summary Replies,Ежедневные ответы apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Вы приглашены к сотрудничеству в проекте: {0} +DocType: Issue,Response By Variance,Ответ по отклонениям DocType: Item,Sales Details,Детали продаж apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Заголовки писем для шаблонов печати. DocType: Salary Detail,Tax on additional salary,Налог на дополнительную заработную плату @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Адре DocType: Project,Task Progress,Задача Прогресс DocType: Journal Entry,Opening Entry,Открытие входа DocType: Bank Guarantee,Charges Incurred,Начисленные расходы +DocType: Shift Type,Working Hours Calculation Based On,Расчет рабочего времени на основе DocType: Work Order,Material Transferred for Manufacturing,Материал передан для производства DocType: Products Settings,Hide Variants,Скрыть варианты DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Отключить планирование емкости и отслеживание времени @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,обесценивание DocType: Guardian,Interests,интересы DocType: Purchase Receipt Item Supplied,Consumed Qty,Потребляемый кол-во DocType: Education Settings,Education Manager,Менеджер по образованию +DocType: Employee Checkin,Shift Actual Start,Сдвиг фактического начала DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Планируйте журналы времени вне рабочего времени рабочей станции. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Очки лояльности: {0} DocType: Healthcare Settings,Registration Message,Регистрационное сообщение @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Счет уже создан за все расчетные часы DocType: Sales Partner,Contact Desc,Связаться с Desc DocType: Purchase Invoice,Pricing Rules,Правила ценообразования +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Поскольку существуют транзакции с элементом {0}, вы не можете изменить значение {1}" DocType: Hub Tracked Item,Image List,Список изображений DocType: Item Variant Settings,Allow Rename Attribute Value,Разрешить переименовать значение атрибута -DocType: Price List,Price Not UOM Dependant,Цена не зависит от UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Время (в минутах) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,основной DocType: Loan,Interest Income Account,Счет процентных доходов @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,вид трудоустройства apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Выберите профиль POS DocType: Support Settings,Get Latest Query,Получить последний запрос DocType: Employee Incentive,Employee Incentive,Стимул сотрудника +DocType: Service Level,Priorities,приоритеты apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Добавить карты или пользовательские разделы на главной странице DocType: Homepage,Hero Section Based On,Раздел героя на основе DocType: Project,Total Purchase Cost (via Purchase Invoice),Общая стоимость покупки (через счет на покупку) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,Производств DocType: Blanket Order Item,Ordered Quantity,Заказанное количество apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Строка № {0}: Отклоненный склад является обязательным для отклоненного элемента {1} ,Received Items To Be Billed,Полученные товары должны быть выставлены счета -DocType: Salary Slip Timesheet,Working Hours,Рабочее время +DocType: Attendance,Working Hours,Рабочее время apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Режим оплаты apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,"Элементы заказа на поставку, не полученные вовремя" apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Продолжительность в днях @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,Уставная информация и другая общая информация о вашем поставщике DocType: Item Default,Default Selling Cost Center,Центр продаж по умолчанию DocType: Sales Partner,Address & Contacts,Адрес и контакты -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, настройте серию нумерации для Посещаемости через Настройка> Серия нумерации" DocType: Subscriber,Subscriber,подписчик apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Форма / Элемент / {0}) нет в наличии apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Пожалуйста, сначала выберите Дата публикации" @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,% Завершения метода DocType: Detected Disease,Tasks Created,Задачи созданы apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Спецификация по умолчанию ({0}) должна быть активной для этого элемента или его шаблона apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Ставка комиссионного вознаграждения % -DocType: Service Level,Response Time,Время отклика +DocType: Service Level Priority,Response Time,Время отклика DocType: Woocommerce Settings,Woocommerce Settings,Настройки Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Количество должно быть положительным DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Плата за посе DocType: Bank Statement Settings,Transaction Data Mapping,Отображение данных транзакции apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,"Ведущий требует либо имя человека, либо название организации" DocType: Student,Guardians,Опекуны -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Пожалуйста, настройте систему имен инструкторов в «Образование»> «Настройки образования»" apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Выберите бренд ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Средний доход DocType: Shipping Rule,Calculate Based On,Рассчитать на основе @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Установит apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Запись о посещаемости {0} существует в отношении ученика {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Дата транзакции apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Отменить подписку +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Не удалось установить соглашение об уровне обслуживания {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Чистая сумма зарплаты DocType: Account,Liability,ответственность DocType: Employee,Bank A/C No.,Банк A / C № @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Код товара apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Счет на покупку {0} уже отправлен DocType: Fees,Student Email,Электронная почта студента -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Рекурсия спецификации: {0} не может быть родительским или дочерним для {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Получить предметы из медицинских услуг apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Запись на складе {0} не отправлена DocType: Item Attribute Value,Item Attribute Value,Значение атрибута элемента @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,Разрешить печать пе DocType: Production Plan,Select Items to Manufacture,Выберите товары для производства DocType: Leave Application,Leave Approver Name,Оставьте имя утверждающего DocType: Shareholder,Shareholder,акционер -DocType: Issue,Agreement Status,Статус соглашения apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Настройки по умолчанию для транзакций продажи. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Пожалуйста, выберите «Прием студентов», который является обязательным для платного студента" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Выберите спецификацию @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Счет дохода apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Все склады DocType: Contract,Signee Details,Сведения о получателе +DocType: Shift Type,Allow check-out after shift end time (in minutes),Разрешить выезд после окончания смены (в минутах) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Закупка DocType: Item Group,Check this if you want to show in website,"Отметьте это, если хотите показать на сайте" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Финансовый год {0} не найден @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Дата начала амо DocType: Activity Cost,Billing Rate,Платежный тариф apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Предупреждение: существует еще {0} # {1} для входа в запас {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,"Пожалуйста, включите настройки Google Maps, чтобы оценить и оптимизировать маршруты" +DocType: Purchase Invoice Item,Page Break,Разрыв страницы DocType: Supplier Scorecard Criteria,Max Score,Максимальная оценка apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Дата начала погашения не может быть раньше Даты выплаты. DocType: Support Search Source,Support Search Source,Поддержка поиска источника @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Цель качества DocType: Employee Transfer,Employee Transfer,Перевод сотрудника ,Sales Funnel,Воронка продаж DocType: Agriculture Analysis Criteria,Water Analysis,Анализ воды +DocType: Shift Type,Begin check-in before shift start time (in minutes),Начать регистрацию до начала смены (в минутах) DocType: Accounts Settings,Accounts Frozen Upto,Счета заморожены до apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Там нет ничего для редактирования. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Операция {0} длиннее любого доступного рабочего времени на рабочей станции {1}, разбейте операцию на несколько операций" @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Де apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Заказ на продажу {0} равен {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Отсрочка платежа (дней) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Введите данные амортизации +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Заказчик ПО apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Ожидаемая дата доставки должна быть после даты заказа клиента +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Количество товара не может быть нулевым apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Неверный атрибут apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},"Пожалуйста, выберите спецификацию для позиции {0}" DocType: Bank Statement Transaction Invoice Item,Invoice Type,Тип счета @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,Дата технического о DocType: Volunteer,Afternoon,После полудня DocType: Vital Signs,Nutrition Values,Пищевые ценности DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Наличие лихорадки (температура> 38,5 ° C / 101,3 ° F или продолжительная температура> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен сотрудников в разделе «Управление персоналом»> «Настройки HR»" apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC наоборот DocType: Project,Collect Progress,Собирать прогресс apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,энергии @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,Прогресс установки ,Ordered Items To Be Billed,Заказанные товары для выставления счета DocType: Taxable Salary Slab,To Amount,К сумме DocType: Purchase Invoice,Is Return (Debit Note),Возврат (дебетовое примечание) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория apps/erpnext/erpnext/config/desktop.py,Getting Started,Начиная apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,сливаться apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Невозможно изменить дату начала финансового года и дату окончания финансового года после сохранения финансового года. @@ -2216,8 +2232,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Фактическая дата apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Дата начала технического обслуживания не может быть раньше даты поставки для серийного номера {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Строка {0}: обменный курс обязателен DocType: Purchase Invoice,Select Supplier Address,Выберите адрес поставщика +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Доступное количество: {0}, вам нужно {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,"Пожалуйста, введите API Consumer Secret" DocType: Program Enrollment Fee,Program Enrollment Fee,Плата за регистрацию в программе +DocType: Employee Checkin,Shift Actual End,Сдвиг фактического конца DocType: Serial No,Warranty Expiry Date,Дата окончания гарантии DocType: Hotel Room Pricing,Hotel Room Pricing,Цены на гостиничные номера apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Исходящие облагаемые налогом поставки (кроме нулевых, нулевых и освобожденных)" @@ -2277,6 +2295,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Чтение 5 DocType: Shopping Cart Settings,Display Settings,Настройки экрана apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Пожалуйста, установите количество забронированных амортизационных отчислений" +DocType: Shift Type,Consequence after,Следствие после apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,С чем вам помочь? DocType: Journal Entry,Printing Settings,Настройки печати apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Банковское дело @@ -2286,6 +2305,7 @@ DocType: Purchase Invoice Item,PR Detail,PR деталь apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Платежный адрес совпадает с адресом доставки DocType: Account,Cash,Денежные средства DocType: Employee,Leave Policy,Оставьте политику +DocType: Shift Type,Consequence,следствие apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Адрес студента DocType: GST Account,CESS Account,Счет CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: МВЗ требуется для счета «Прибыли и убытки» {2}. Пожалуйста, настройте Центр затрат по умолчанию для Компании." @@ -2350,6 +2370,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN код DocType: Period Closing Voucher,Period Closing Voucher,Ваучер закрытия периода apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Имя Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,"Пожалуйста, войдите в счет расходов" +DocType: Issue,Resolution By Variance,Разрешение по отклонениям DocType: Employee,Resignation Letter Date,Письмо об отставке Дата DocType: Soil Texture,Sandy Clay,Песчаная глина DocType: Upload Attendance,Attendance To Date,Посещаемость на сегодняшний день @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Смотри сейчас DocType: Item Price,Valid Upto,Действителен до apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Тип ссылки должен быть одним из {0} +DocType: Employee Checkin,Skip Auto Attendance,Пропустить автоматическое посещение DocType: Payment Request,Transaction Currency,Валюта транзакции DocType: Loan,Repayment Schedule,График погашения apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Создать образец записи для удержания запаса @@ -2433,6 +2455,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Назначе DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS заключительный ваучер налоги apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Действие инициализировано DocType: POS Profile,Applicable for Users,Применимо для пользователей +,Delayed Order Report,Отчет по отложенному заказу DocType: Training Event,Exam,Экзамен apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,"Найдено неправильное количество записей в Главной книге. Возможно, вы выбрали неверную учетную запись в транзакции." apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Трубопровод продаж @@ -2447,10 +2470,11 @@ DocType: Account,Round Off,Округлять DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Условия будут применены ко всем выбранным элементам вместе взятым. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,конфигурировать DocType: Hotel Room,Capacity,Вместимость +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Установлено Кол-во apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Партия {0} элемента {1} отключена. DocType: Hotel Room Reservation,Hotel Reservation User,Пользователь по бронированию отелей -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Рабочий день был повторен дважды +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Соглашение об уровне обслуживания с типом объекта {0} и объектом {1} уже существует. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},"Группа товаров, не указанная в основной записи товара для товара {0}" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Ошибка имени: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Требуется территория в POS-профиле @@ -2498,6 +2522,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Расписание Дата DocType: Packing Slip,Package Weight Details,Вес упаковки DocType: Job Applicant,Job Opening,Открытие вакансии +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Последняя известная успешная синхронизация регистрации сотрудника. Сбрасывайте это, только если вы уверены, что все журналы синхронизированы из всех мест. Пожалуйста, не изменяйте это, если вы не уверены." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Действительная цена apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Общий аванс ({0}) по заказу {1} не может быть больше общего итога ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Обновлены варианты предметов @@ -2542,6 +2567,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Ссылка на пок apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Получить призывы DocType: Tally Migration,Is Day Book Data Imported,Импортированы ли данные дневника ,Sales Partners Commission,Комиссия торговых партнеров +DocType: Shift Type,Enable Different Consequence for Early Exit,Включить различные последствия для досрочного выхода apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,легальный DocType: Loan Application,Required by Date,Требуется по дате DocType: Quiz Result,Quiz Result,Результат теста @@ -2601,7 +2627,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Фина DocType: Pricing Rule,Pricing Rule,Правило ценообразования apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Необязательный праздничный список не установлен на период отпуска {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,"Пожалуйста, установите поле «Идентификатор пользователя» в записи сотрудника, чтобы установить роль сотрудника" -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Время решать DocType: Training Event,Training Event,Учебное мероприятие DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Нормальное артериальное давление в состоянии покоя у взрослого составляет приблизительно 120 мм рт.ст., систолическое и 80 мм рт.ст., диастолическое, сокращенно "120/80 мм рт.ст."" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Система извлечет все записи, если предельное значение равно нулю." @@ -2645,6 +2670,7 @@ DocType: Woocommerce Settings,Enable Sync,Включить синхрониза DocType: Student Applicant,Approved,Одобренный apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Дата должна быть в течение финансового года. Исходя из даты = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,"Пожалуйста, установите группу поставщиков в настройках покупки." +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} является недействительным статусом посещаемости. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Временное открытие счета DocType: Purchase Invoice,Cash/Bank Account,Наличные / банковский счет DocType: Quality Meeting Table,Quality Meeting Table,Стол для совещаний по качеству @@ -2680,6 +2706,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Продукты питания, напитки и табак" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Расписание курсов DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Деталь мудрого налога +DocType: Shift Type,Attendance will be marked automatically only after this date.,Посещаемость будет отмечена автоматически только после этой даты. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Поставки для держателей UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Запрос котировок apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Валюту нельзя изменить после ввода записей в другой валюте @@ -2728,7 +2755,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Является ли пункт из центра apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Процедура качества. DocType: Share Balance,No of Shares,Нет акций -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Строка {0}: Кол-во недоступно для {4} на складе {1} во время проводки записи ({2} {3}) DocType: Quality Action,Preventive,превентивный DocType: Support Settings,Forum URL,URL форума apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Сотрудник и посещаемость @@ -2950,7 +2976,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Тип скидки DocType: Hotel Settings,Default Taxes and Charges,Налоги и сборы по умолчанию apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Это основано на сделках с этим Поставщиком. Смотрите график ниже для деталей apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Максимальный размер вознаграждения работника {0} превышает {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Введите дату начала и окончания действия соглашения. DocType: Delivery Note Item,Against Sales Invoice,Против счета-фактуры DocType: Loyalty Point Entry,Purchase Amount,Сумма покупки apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,"Невозможно установить как Потерянный, поскольку Заказ на продажу сделан." @@ -2974,7 +2999,7 @@ DocType: Homepage,"URL for ""All Products""",URL для "Все проду DocType: Lead,Organization Name,Название организации apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Допустимые и действительные поля до обязательны для накопительного apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Строка # {0}: номер партии должен совпадать с {1} {2} -DocType: Employee,Leave Details,Оставьте детали +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Сделки с акциями до {0} заморожены DocType: Driver,Issuing Date,Дата выпуска ценных бумаг apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Requestor @@ -3019,9 +3044,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Детали шаблона сопоставления денежных потоков apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Подбор и обучение DocType: Drug Prescription,Interval UOM,Интервал УОМ +DocType: Shift Type,Grace Period Settings For Auto Attendance,Настройки льготного периода для автоматической посещаемости apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,От валюты и до валюты не может быть одинаковым apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Фармацевтические препараты DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Часы поддержки apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} отменен или закрыт apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Строка {0}: аванс против клиента должен быть кредитным apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Группа по ваучеру (консолидировано) @@ -3131,6 +3158,7 @@ DocType: Asset Repair,Repair Status,Статус ремонта DocType: Territory,Territory Manager,Региональный менеджер DocType: Lab Test,Sample ID,Образец ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Корзина пуста +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Посещаемость была отмечена согласно регистрации сотрудников apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Актив {0} должен быть отправлен ,Absent Student Report,Отчет об отсутствии студентов apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Включено в валовую прибыль @@ -3138,7 +3166,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,Финансируемая сумма apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не было отправлено, поэтому действие не может быть завершено" DocType: Subscription,Trial Period End Date,Дата окончания пробного периода +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Чередование записей как IN и OUT в течение одной смены DocType: BOM Update Tool,The new BOM after replacement,Новая спецификация после замены +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Поставщик> Тип поставщика apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Пункт 5 DocType: Employee,Passport Number,Номер паспорта apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Временное открытие @@ -3254,6 +3284,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Ключевые отчеты apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Возможный поставщик ,Issued Items Against Work Order,Выданные предметы против наряда на работу apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Создание {0} счета +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Пожалуйста, настройте систему имен инструкторов в «Образование»> «Настройки образования»" DocType: Student,Joining Date,Дата вступления apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Запрашивающий сайт DocType: Purchase Invoice,Against Expense Account,По счету расходов @@ -3293,6 +3324,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Применимые сборы ,Point of Sale,Торговая точка DocType: Authorization Rule,Approving User (above authorized value),Утверждающий пользователь (выше разрешенного значения) +DocType: Service Level Agreement,Entity,сущность apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Сумма {0} {1} переведена из {2} в {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Клиент {0} не принадлежит проекту {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,От имени партии @@ -3339,6 +3371,7 @@ DocType: Asset,Opening Accumulated Depreciation,Начисление накоп DocType: Soil Texture,Sand Composition (%),Песок Состав (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Импорт данных дневника +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Пожалуйста, установите серию имен для {0} через Настройка> Настройки> Серия имен" DocType: Asset,Asset Owner Company,"Компания, владеющая активами" apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,"Учетный центр требуется, чтобы заказать расходную заявку" apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} действительные серийные номера для элемента {1} @@ -3399,7 +3432,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Владелец Актива apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Склад является обязательным для складской позиции {0} в строке {1} DocType: Stock Entry,Total Additional Costs,Всего дополнительных расходов -DocType: Marketplace Settings,Last Sync On,Последняя синхронизация включена apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,"Пожалуйста, укажите хотя бы одну строку в таблице налогов и сборов" DocType: Asset Maintenance Team,Maintenance Team Name,Название группы обслуживания apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,План центров затрат @@ -3415,12 +3447,12 @@ DocType: Sales Order Item,Work Order Qty,Кол-во заказов DocType: Job Card,WIP Warehouse,WIP Склад DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Идентификатор пользователя не установлен для Сотрудника {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Доступное количество: {0}, вам нужно {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Пользователь {0} создан DocType: Stock Settings,Item Naming By,Наименование товара по apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Приказал apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,"Это корневая группа клиентов, которую нельзя редактировать." apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Запрос материала {0} отменен или остановлен +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Строго на основе типа журнала в регистрации сотрудников DocType: Purchase Order Item Supplied,Supplied Qty,Поставляется Кол-во DocType: Cash Flow Mapper,Cash Flow Mapper,Денежный поток Mapper DocType: Soil Texture,Sand,песок @@ -3479,6 +3511,7 @@ DocType: Lab Test Groups,Add new line,Добавить новую строку apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Дублированная группа товаров найдена в таблице групп товаров apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Годовой оклад DocType: Supplier Scorecard,Weighting Function,Весовая функция +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Ошибка оценки формулы критерия ,Lab Test Report,Отчет о лабораторных испытаниях DocType: BOM,With Operations,С операциями @@ -3492,6 +3525,7 @@ DocType: Expense Claim Account,Expense Claim Account,Счет расходов apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Нет доступных платежей для записи в журнале apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} неактивный студент apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Сделать складской запас +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Рекурсия спецификации: {0} не может быть родительским или дочерним по отношению к {1} DocType: Employee Onboarding,Activities,мероприятия apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,По крайней мере один склад обязателен ,Customer Credit Balance,Кредитный баланс клиента @@ -3504,9 +3538,11 @@ DocType: Supplier Scorecard Period,Variables,переменные apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,"Найдена Многократная Программа Лояльности для Клиента. Пожалуйста, выберите вручную." DocType: Patient,Medication,медикаментозное лечение apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Выберите программу лояльности +DocType: Employee Checkin,Attendance Marked,Посещаемость отмечена apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Сырье DocType: Sales Order,Fully Billed,Полностью выставлен счет apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Пожалуйста, установите стоимость номера в отеле {}" +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Выберите только один приоритет по умолчанию. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Укажите / создайте учетную запись (книгу) для типа - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Общая сумма кредита / дебета должна совпадать с соответствующей записью в журнале DocType: Purchase Invoice Item,Is Fixed Asset,Фиксированный актив @@ -3527,6 +3563,7 @@ DocType: Purpose of Travel,Purpose of Travel,Цель поездки DocType: Healthcare Settings,Appointment Confirmation,Подтверждение назначения DocType: Shopping Cart Settings,Orders,заказы DocType: HR Settings,Retirement Age,Пенсионный возраст +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, настройте серию нумерации для Посещаемости через Настройка> Серия нумерации" apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Прогнозируемое кол-во apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Удаление не разрешено для страны {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Строка # {0}: актив {1} уже {2} @@ -3610,11 +3647,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,бухгалтер apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},В течение {0} между датой {1} и {2} существует закрывающий ваучер POS. apps/erpnext/erpnext/config/help.py,Navigating,навигационный +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Неоплаченные счета требуют переоценки обменного курса DocType: Authorization Rule,Customer / Item Name,Клиент / Название товара apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новый серийный номер не может иметь склад. Склад должен быть настроен путем поступления на склад или получения покупки DocType: Issue,Via Customer Portal,Через клиентский портал DocType: Work Order Operation,Planned Start Time,Запланированное время начала apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} - это {2} +DocType: Service Level Priority,Service Level Priority,Приоритет уровня обслуживания apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,"Количество забронированных амортизаций не может быть больше, чем общее количество амортизаций" apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Поделиться Ledger DocType: Journal Entry,Accounts Payable,Кредиторская задолженность @@ -3725,7 +3764,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Доставка к DocType: Bank Statement Transaction Settings Item,Bank Data,Банковские данные apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Запланировано до -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Сохранять расчетные и рабочие часы одинаковыми в расписании apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Отслеживание потенциальных клиентов по ведущему источнику. DocType: Clinical Procedure,Nursing User,Уход пользователя DocType: Support Settings,Response Key List,Список ключей ответа @@ -3893,6 +3931,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Фактическое время начала DocType: Antibiotic,Laboratory User,Пользователь лаборатории apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Интернет Аукционы +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Приоритет {0} был повторен. DocType: Fee Schedule,Fee Creation Status,Статус создания комиссии apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Softwares apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Заказ на продажу до оплаты @@ -3959,6 +3998,7 @@ DocType: Patient Encounter,In print,В печати apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Не удалось получить информацию для {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Валюта выставления счета должна совпадать с валютой компании по умолчанию или валютой счета участника apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,"Пожалуйста, введите идентификатор сотрудника этого продавца" +DocType: Shift Type,Early Exit Consequence after,Последствие досрочного выхода после apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Создание начальных счетов-фактур купли-продажи DocType: Disease,Treatment Period,Период лечения apps/erpnext/erpnext/config/settings.py,Setting up Email,Настройка электронной почты @@ -3976,7 +4016,6 @@ DocType: Employee Skill Map,Employee Skills,Навыки сотрудников apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Имя ученика: DocType: SMS Log,Sent On,Отправлено DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Счет-фактура продажи -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,"Время отклика не может быть больше, чем время разрешения" DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Для основанной на курсе Студенческой группы, Курс будет утвержден для каждого Студента из зарегистрированных Курсов в Зачислении в Программу." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Внутригосударственные поставки DocType: Employee,Create User Permission,Создать разрешение пользователя @@ -4015,6 +4054,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Стандартные условия договора купли-продажи. DocType: Sales Invoice,Customer PO Details,Детали заказа клиента apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Пациент не найден +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Выберите приоритет по умолчанию. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Удалить элемент, если к этому пункту не применяется плата" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Группа клиентов существует с тем же именем, пожалуйста, измените имя клиента или переименуйте группу клиентов" 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. @@ -4054,6 +4094,7 @@ DocType: Quality Goal,Quality Goal,Цель качества DocType: Support Settings,Support Portal,Портал поддержки apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Дата окончания задачи {0} не может быть меньше {1} ожидаемой даты начала {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Сотрудник {0} в отпуске {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Настоящее Соглашение об уровне обслуживания относится только к Клиенту {0} DocType: Employee,Held On,Удерживается DocType: Healthcare Practitioner,Practitioner Schedules,Расписание практикующих DocType: Project Template Task,Begin On (Days),Начать в (дни) @@ -4061,6 +4102,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Заказ на работу был {0} DocType: Inpatient Record,Admission Schedule Date,Дата приема apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Корректировка стоимости активов +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Отметьте посещаемость на основе «Проверка сотрудников» для сотрудников, назначенных для этой смены." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,"Поставки, сделанные незарегистрированным лицам" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Все вакансии DocType: Appointment Type,Appointment Type,Тип Назначения @@ -4174,7 +4216,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Вес брутто упаковки. Обычно вес нетто + вес упаковочного материала. (для печати) DocType: Plant Analysis,Laboratory Testing Datetime,Лабораторные испытания apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Элемент {0} не может иметь партию -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Трубопровод продаж по этапам apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Студенческая группа Сила DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Запись в банковской выписке DocType: Purchase Order,Get Items from Open Material Requests,Получить предметы из открытых заявок на материалы @@ -4256,7 +4297,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Шоу старения на склад DocType: Sales Invoice,Write Off Outstanding Amount,Списать непогашенную сумму DocType: Payroll Entry,Employee Details,Данные сотрудника -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,"Время начала не может быть больше, чем время окончания для {0}." DocType: Pricing Rule,Discount Amount,Сумма скидки DocType: Healthcare Service Unit Type,Item Details,Детали товара apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Дубликат налоговой декларации {0} за период {1} @@ -4309,7 +4349,7 @@ DocType: Customer,CUST-.YYYY.-,КЛИЕНТ-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Чистая оплата не может быть отрицательной apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Нет взаимодействий 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/hr/doctype/employee/employee_dashboard.py,Shift,сдвиг +DocType: Attendance,Shift,сдвиг apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Обработка плана счетов и партий DocType: Stock Settings,Convert Item Description to Clean HTML,Преобразовать описание элемента в чистый HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Все группы поставщиков @@ -4380,6 +4420,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Работн DocType: Healthcare Service Unit,Parent Service Unit,Родительский Сервисный Центр DocType: Sales Invoice,Include Payment (POS),Включить оплату (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Частный акционерный капитал +DocType: Shift Type,First Check-in and Last Check-out,Первый заезд и Последний выезд DocType: Landed Cost Item,Receipt Document,Документ квитанции DocType: Supplier Scorecard Period,Supplier Scorecard Period,Период оценки поставщиков DocType: Employee Grade,Default Salary Structure,Структура зарплаты по умолчанию @@ -4462,6 +4503,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Создать заказ на поставку apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Определите бюджет на финансовый год. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Таблица счетов не может быть пустой. +DocType: Employee Checkin,Entry Grace Period Consequence,Последовательность льготного периода ,Payment Period Based On Invoice Date,"Период оплаты, основанный на дате выставления счета" apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Дата установки не может быть раньше даты поставки для элемента {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Ссылка на запрос материала @@ -4470,6 +4512,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Тип соп apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Строка {0}: запись повторного заказа уже существует для этого склада {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Дата Дока DocType: Monthly Distribution,Distribution Name,Название распространения +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Рабочий день {0} был повторен. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Группа в группу apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Производится обновление. Это может занять некоторое время. DocType: Item,"Example: ABCD.##### @@ -4482,6 +4525,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Кол-во топлива apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Мобильный № DocType: Invoice Discounting,Disbursed,Освоено +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Время после окончания смены, в течение которого выезд считается посещением." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Чистое изменение кредиторской задолженности apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Недоступен apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Неполная занятость @@ -4495,7 +4539,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Поте apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Показать PDC в печати apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Поставщик DocType: POS Profile User,POS Profile User,POS Профиль пользователя -DocType: Student,Middle Name,Второе имя DocType: Sales Person,Sales Person Name,Имя торгового представителя DocType: Packing Slip,Gross Weight,Общий вес DocType: Journal Entry,Bill No,Билл № @@ -4504,7 +4547,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Но DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-Видеоблог-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Соглашение об уровне обслуживания -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,"Пожалуйста, сначала выберите Сотрудника и Дату" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Коэффициент оценки товара пересчитывается с учетом суммы ваучера DocType: Timesheet,Employee Detail,Деталь сотрудника DocType: Tally Migration,Vouchers,Ваучеры @@ -4539,7 +4581,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Соглашен DocType: Additional Salary,Date on which this component is applied,Дата применения этого компонента apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Список доступных акционеров с номерами фолио apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Настройка учетных записей шлюза. -DocType: Service Level,Response Time Period,Время отклика +DocType: Service Level Priority,Response Time Period,Время отклика DocType: Purchase Invoice,Purchase Taxes and Charges,Налоги и сборы при покупке DocType: Course Activity,Activity Date,Дата деятельности apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Выберите или добавьте нового клиента @@ -4564,6 +4606,7 @@ DocType: Sales Person,Select company name first.,Сначала выберите apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Финансовый год DocType: Sales Invoice Item,Deferred Revenue,Отложенный доход apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,"По крайней мере, один из продажи или покупки должен быть выбран" +DocType: Shift Type,Working Hours Threshold for Half Day,Порог рабочего времени на полдня ,Item-wise Purchase History,История покупок apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Невозможно изменить дату остановки службы для элемента в строке {0} DocType: Production Plan,Include Subcontracted Items,Включить субподрядные пункты @@ -4596,6 +4639,7 @@ DocType: Journal Entry,Total Amount Currency,Общая сумма валюты DocType: BOM,Allow Same Item Multiple Times,Разрешить один и тот же элемент несколько раз apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Создать спецификацию DocType: Healthcare Practitioner,Charges,расходы +DocType: Employee,Attendance and Leave Details,Посещаемость и детали отпуска DocType: Student,Personal Details,Персональные данные DocType: Sales Order,Billing and Delivery Status,Биллинг и статус доставки apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Строка {0}: для поставщика {0} Адрес электронной почты необходим для отправки электронной почты @@ -4647,7 +4691,6 @@ DocType: Bank Guarantee,Supplier,поставщик apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Введите значение между {0} и {1} DocType: Purchase Order,Order Confirmation Date,Дата подтверждения заказа DocType: Delivery Trip,Calculate Estimated Arrival Times,Рассчитать примерное время прибытия -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен сотрудников в разделе «Управление персоналом»> «Настройки HR»" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,потребляемый DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Дата начала подписки @@ -4670,7 +4713,7 @@ DocType: Installation Note Item,Installation Note Item,Примечание по DocType: Journal Entry Account,Journal Entry Account,Учетная запись журнала apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Вариант apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Активность форума -DocType: Service Level,Resolution Time Period,Время разрешения +DocType: Service Level Priority,Resolution Time Period,Время разрешения DocType: Request for Quotation,Supplier Detail,Деталь поставщика DocType: Project Task,View Task,Просмотр задачи DocType: Serial No,Purchase / Manufacture Details,Детали покупки / производства @@ -4737,6 +4780,7 @@ DocType: Sales Invoice,Commission Rate (%),Ставка комиссионног DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Склад может быть изменен только при наличии товара на складе / накладной / квитанции о покупке DocType: Support Settings,Close Issue After Days,Закрыть номер после дня DocType: Payment Schedule,Payment Schedule,График платежей +DocType: Shift Type,Enable Entry Grace Period,Включить льготный период DocType: Patient Relation,Spouse,супруга DocType: Purchase Invoice,Reason For Putting On Hold,Причина приостановления DocType: Item Attribute,Increment,инкремент @@ -4876,6 +4920,7 @@ DocType: Authorization Rule,Customer or Item,Клиент или Товар DocType: Vehicle Log,Invoice Ref,Счет Реф apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-форма не применима для счета-фактуры: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Счет создан +DocType: Shift Type,Early Exit Grace Period,Льготный период раннего выхода DocType: Patient Encounter,Review Details,Подробности обзора apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Строка {0}: значение часов должно быть больше нуля. DocType: Account,Account Number,Номер счета @@ -4887,7 +4932,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Применимо, если компания SpA, SApA или SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,"Перекрывающиеся условия, найденные между:" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Оплачено и не доставлено -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Код товара является обязательным, потому что элемент не нумеруется автоматически" DocType: GST HSN Code,HSN Code,Код HSN DocType: GSTR 3B Report,September,сентябрь apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Административные затраты @@ -4923,6 +4967,8 @@ DocType: Travel Itinerary,Travel From,Путешествие от apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Аккаунт CWIP DocType: SMS Log,Sender Name,Имя отправителя DocType: Pricing Rule,Supplier Group,Группа поставщиков +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Установите время начала и время окончания \ Support Day {0} в индексе {1}. DocType: Employee,Date of Issue,Дата выдачи ,Requested Items To Be Transferred,Запрошенные предметы для передачи DocType: Employee,Contract End Date,Дата окончания контракта @@ -4933,6 +4979,7 @@ DocType: Healthcare Service Unit,Vacant,вакантный DocType: Opportunity,Sales Stage,Стадия продаж DocType: Sales Order,In Words will be visible once you save the Sales Order.,"В словах будет видно, как только вы сохраните заказ на продажу." DocType: Item Reorder,Re-order Level,Уровень повторного заказа +DocType: Shift Type,Enable Auto Attendance,Включить автоматическое посещение apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,предпочтение ,Department Analytics,Отдел аналитики DocType: Crop,Scientific Name,Научное название @@ -4945,6 +4992,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},Статус {0} {1}: DocType: Quiz Activity,Quiz Activity,Викторина apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} не находится в действительном периоде расчета DocType: Timesheet,Billed,Объявленный +apps/erpnext/erpnext/config/support.py,Issue Type.,Тип проблемы. DocType: Restaurant Order Entry,Last Sales Invoice,Последний счет-фактура DocType: Payment Terms Template,Payment Terms,Условия оплаты apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Зарезервированное Кол-во: Количество, заказанное для продажи, но не доставленное." @@ -5040,6 +5088,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Актив apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} не имеет расписания практикующего врача. Добавьте его в мастера здравоохранения DocType: Vehicle,Chassis No,№ шасси +DocType: Employee,Default Shift,Сдвиг по умолчанию apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Сокращение компании apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Дерево спецификаций DocType: Article,LMS User,Пользователь LMS @@ -5088,6 +5137,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST .YYYY.- DocType: Sales Person,Parent Sales Person,Родитель по продажам DocType: Student Group Creation Tool,Get Courses,Получить курсы apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Строка # {0}: кол-во должно быть 1, так как элемент является фиксированным активом. Пожалуйста, используйте отдельную строку для нескольких кол-во." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Рабочее время, ниже которого отмечается отсутствие. (Ноль отключить)" DocType: Customer Group,Only leaf nodes are allowed in transaction,В транзакции разрешены только конечные узлы DocType: Grant Application,Organization,организация DocType: Fee Category,Fee Category,Плата Категория @@ -5100,6 +5150,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,"Пожалуйста, обновите ваш статус для этого учебного мероприятия" DocType: Volunteer,Morning,утро DocType: Quotation Item,Quotation Item,Цитата +apps/erpnext/erpnext/config/support.py,Issue Priority.,Приоритет вопроса. DocType: Journal Entry,Credit Card Entry,Ввод кредитной карты apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Временной интервал пропущен, интервал от {0} до {1} перекрывается с существующим интервалом {2} до {3}" DocType: Journal Entry Account,If Income or Expense,Если доход или расходы @@ -5150,11 +5201,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Импорт данных и настройки 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: Account,Expense Account,Служебные расходы +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Время до начала смены, в течение которого регистрация сотрудников рассматривается для посещения." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Отношение с Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Создать счет apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Запрос на оплату уже существует {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Сотрудник, освобожденный на {0}, должен быть установлен как 'Левый'" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Платить {0} {1} +DocType: Company,Sales Settings,Настройки продаж DocType: Sales Order Item,Produced Quantity,Произведенное количество apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,"Запрос котировки можно получить, нажав на следующую ссылку" DocType: Monthly Distribution,Name of the Monthly Distribution,Название ежемесячного распределения @@ -5233,6 +5286,7 @@ DocType: Company,Default Values,Значения по умолчанию apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Налоговые шаблоны по умолчанию для продажи и покупки созданы. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Тип отпуска {0} не может быть перенесен apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Дебет К счету должна быть дебиторская задолженность +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Установите учетную запись на складе {0} или учетную запись по умолчанию в компании {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Установить по умолчанию DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Вес нетто этой упаковки. (рассчитывается автоматически как сумма веса нетто предметов) @@ -5259,8 +5313,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Пакеты с истекшим сроком годности DocType: Shipping Rule,Shipping Rule Type,Тип правила доставки DocType: Job Offer,Accepted,Принято -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Пожалуйста, удалите Сотрудника {0} \, чтобы отменить этот документ" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Вы уже оценили критерии оценки {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Выберите номера партий apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Возраст (дни) @@ -5287,6 +5339,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Выберите ваши домены DocType: Agriculture Task,Task Name,Название задачи apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,"Записи запасов, уже созданные для заказа на работу" +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Пожалуйста, удалите Сотрудника {0} \, чтобы отменить этот документ" ,Amount to Deliver,Сумма для доставки apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Компания {0} не существует apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Не найдено ожидающих запросов материала для ссылки на данные элементы. @@ -5336,6 +5390,7 @@ DocType: Program Enrollment,Enrolled courses,Записанные курсы DocType: Lab Prescription,Test Code,Тестовый код DocType: Purchase Taxes and Charges,On Previous Row Total,Всего на предыдущей строке DocType: Student,Student Email Address,Адрес электронной почты студента +,Delayed Item Report,Отчет по отложенному пункту DocType: Academic Term,Education,образование DocType: Supplier Quotation,Supplier Address,Адрес поставщика DocType: Salary Detail,Do not include in total,Не включайте в общей сложности @@ -5343,7 +5398,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} не существует DocType: Purchase Receipt Item,Rejected Quantity,Отклоненное количество DocType: Cashier Closing,To TIme,Ко времени -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: Daily Work Summary Group User,Daily Work Summary Group User,Ежедневная работа DocType: Fiscal Year Company,Fiscal Year Company,Финансовый год Компания apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Альтернативный товар не должен совпадать с кодом товара @@ -5395,6 +5449,7 @@ DocType: Program Fee,Program Fee,Стоимость программы DocType: Delivery Settings,Delay between Delivery Stops,Задержка между остановками доставки DocType: Stock Settings,Freeze Stocks Older Than [Days],Заморозить запасы старше [дней] DocType: Promotional Scheme,Promotional Scheme Product Discount,Рекламная схема товара со скидкой +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Приоритет выпуска уже существует DocType: Account,Asset Received But Not Billed,"Актив получен, но не выставлен" DocType: POS Closing Voucher,Total Collected Amount,Общая собранная сумма DocType: Course,Default Grading Scale,Шкала оценок по умолчанию @@ -5437,6 +5492,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Условия выполнения apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Non-Group to Group DocType: Student Guardian,Mother,Мама +DocType: Issue,Service Level Agreement Fulfilled,Соглашение об уровне обслуживания выполнено DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Налоговый вычет для невостребованных вознаграждений работникам DocType: Travel Request,Travel Funding,Финансирование путешествий DocType: Shipping Rule,Fixed,Исправлена @@ -5466,10 +5522,12 @@ DocType: Item,Warranty Period (in days),Гарантийный срок (в дн apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Ничего не найдено. DocType: Item Attribute,From Range,Из диапазона DocType: Clinical Procedure,Consumables,расходные материалы +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' и 'timestamp' являются обязательными. DocType: Purchase Taxes and Charges,Reference Row #,Ссылочный ряд apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},"Пожалуйста, установите «Центр затрат на амортизацию активов» в компании {0}" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Строка # {0}: платежный документ необходим для завершения операции DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Нажмите эту кнопку, чтобы получить данные заказа на продажу из Amazon MWS." +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Рабочее время, ниже которого отмечается полдня. (Ноль отключить)" ,Assessment Plan Status,Состояние плана оценки apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,"Пожалуйста, сначала выберите {0}" apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Отправить это, чтобы создать запись сотрудника" @@ -5540,6 +5598,7 @@ DocType: Quality Procedure,Parent Procedure,Родительская проце apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Установить Открыть apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Toggle Filters DocType: Production Plan,Material Request Detail,Деталь запроса материала +DocType: Shift Type,Process Attendance After,Посещаемость процесса после DocType: Material Request Item,Quantity and Warehouse,Количество и склад apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Перейти к программам apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Строка # {0}: повторяющаяся запись в ссылках {1} {2} @@ -5597,6 +5656,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Информация о вечеринке apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Должники ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,На сегодняшний день не может превышать дату освобождения работника +DocType: Shift Type,Enable Exit Grace Period,Включить Exit Grace Period DocType: Expense Claim,Employees Email Id,Идентификатор электронной почты сотрудников DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Обновление цены от Shopify до ERPСледующий прайс-лист DocType: Healthcare Settings,Default Medical Code Standard,Стандарт медицинского кодекса по умолчанию @@ -5627,7 +5687,6 @@ DocType: Item Group,Item Group Name,Название группы товаров DocType: Budget,Applicable on Material Request,Применимо по запросу материала DocType: Support Settings,Search APIs,API поиска DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Процент перепроизводства для заказа клиента -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Характеристики DocType: Purchase Invoice,Supplied Items,Поставляемые товары DocType: Leave Control Panel,Select Employees,Выберите сотрудников apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Выберите счет процентного дохода в кредите {0} @@ -5653,7 +5712,7 @@ DocType: Salary Slip,Deductions,вычеты ,Supplier-Wise Sales Analytics,Аналитика продаж по поставщикам DocType: GSTR 3B Report,February,февраль DocType: Appraisal,For Employee,Для сотрудника -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Фактическая дата доставки +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Фактическая дата доставки DocType: Sales Partner,Sales Partner Name,Имя торгового партнера apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Строка амортизации {0}: дата начала амортизации вводится как прошедшая дата DocType: GST HSN Code,Regional,региональный @@ -5692,6 +5751,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,А DocType: Supplier Scorecard,Supplier Scorecard,Система показателей поставщиков DocType: Travel Itinerary,Travel To,Путешествовать в apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Марк посещаемости +DocType: Shift Type,Determine Check-in and Check-out,Определить Заезд и Выезд DocType: POS Closing Voucher,Difference,разница apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Маленький DocType: Work Order Item,Work Order Item,Элемент заказа на работу @@ -5725,6 +5785,7 @@ DocType: Sales Invoice,Shipping Address Name,Название адреса до apps/erpnext/erpnext/healthcare/setup.py,Drug,лекарственный apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} закрыто DocType: Patient,Medical History,История болезни +DocType: Expense Claim,Expense Taxes and Charges,Расходные налоги и сборы DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Количество дней после даты выставления счета до отмены подписки или пометки подписки как неоплаченной apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Замечание по установке {0} уже отправлено DocType: Patient Relation,Family,семья @@ -5757,7 +5818,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Прочность apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} единиц {1} необходимо в {2} для завершения этой транзакции. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Отпуск сырья субконтракта на основе -DocType: Bank Guarantee,Customer,Покупатель DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Если этот параметр включен, поле «Академический срок» будет обязательным в Инструменте регистрации в программе." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Для группы студентов, основанной на пакетном режиме, партия учащихся будет подтверждена для каждого студента, участвующего в программе." DocType: Course,Topics,темы @@ -5837,6 +5897,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Члены Главы DocType: Warranty Claim,Service Address,Адрес службы DocType: Journal Entry,Remark,замечание +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Строка {0}: количество недоступно для {4} на складе {1} во время проводки записи ({2} {3}) DocType: Patient Encounter,Encounter Time,Время встречи DocType: Serial No,Invoice Details,Детали счета apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Дальнейшие учетные записи могут быть сделаны в группах, но записи могут быть сделаны против не групп" @@ -5917,6 +5978,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Закрытие (Открытие + Итого) DocType: Supplier Scorecard Criteria,Criteria Formula,Критерии Формула apps/erpnext/erpnext/config/support.py,Support Analytics,Аналитика поддержки +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Идентификатор устройства посещаемости (биометрический идентификатор / идентификатор радиочастотной метки) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Обзор и действие DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Если учетная запись заблокирована, записи разрешены для пользователей с ограниченным доступом." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Сумма после начисления амортизации @@ -5938,6 +6000,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Погашение кредита DocType: Employee Education,Major/Optional Subjects,Основные / Необязательные предметы DocType: Soil Texture,Silt,наносы +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Адреса и контакты поставщиков DocType: Bank Guarantee,Bank Guarantee Type,Тип банковской гарантии DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Если отключить, поле «Rounded Total» не будет видно ни в одной транзакции" DocType: Pricing Rule,Min Amt,Мин Amt @@ -5976,6 +6039,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Открытие инструмента создания счета DocType: Soil Analysis,(Ca+Mg)/K,(Са + Mg) / К DocType: Bank Reconciliation,Include POS Transactions,Включить POS-транзакции +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Сотрудник не найден для данного значения поля сотрудника. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Полученная сумма (валюта компании) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage переполнен, не сохранил" DocType: Chapter Member,Chapter Member,Член главы @@ -6008,6 +6072,7 @@ DocType: SMS Center,All Lead (Open),Весь свинец (открытый) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Студенческие группы не созданы. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Повторяющаяся строка {0} с тем же {1} DocType: Employee,Salary Details,Детали зарплаты +DocType: Employee Checkin,Exit Grace Period Consequence,Выход из льготного периода DocType: Bank Statement Transaction Invoice Item,Invoice,Счет-фактура DocType: Special Test Items,Particulars,Частности apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Пожалуйста, установите фильтр на основе товара или склада" @@ -6109,6 +6174,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Из AMC DocType: Job Opening,"Job profile, qualifications required etc.","Профиль работы, требуемая квалификация и т. Д." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Корабль В Государство +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Вы хотите отправить материальный запрос DocType: Opportunity Item,Basic Rate,Основная ставка DocType: Compensatory Leave Request,Work End Date,Дата окончания работ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Запрос на сырье @@ -6294,6 +6360,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Сумма амортизац DocType: Sales Order Item,Gross Profit,Валовая прибыль DocType: Quality Inspection,Item Serial No,Пункт серийный номер DocType: Asset,Insurer,страхователь +DocType: Employee Checkin,OUT,ИЗ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Сумма покупки DocType: Asset Maintenance Task,Certificate Required,Требуется сертификат DocType: Retention Bonus,Retention Bonus,Удержание бонуса @@ -6409,6 +6476,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Сумма разн DocType: Invoice Discounting,Sanctioned,санкционированные DocType: Course Enrollment,Course Enrollment,Запись на курсы DocType: Item,Supplier Items,Товары поставщика +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Время начала не может быть больше или равно времени окончания \ для {0}. DocType: Sales Order,Not Applicable,Непригодный DocType: Support Search Source,Response Options,Варианты ответа apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} должно быть значением от 0 до 100 @@ -6495,7 +6564,6 @@ DocType: Travel Request,Costing,Стоимость apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Основные средства DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Общий заработок -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория DocType: Share Balance,From No,От нет DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Сверочный счет DocType: Purchase Invoice,Taxes and Charges Added,Налоги и сборы добавлены @@ -6603,6 +6671,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Игнорировать правило ценообразования apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,питание DocType: Lost Reason Detail,Lost Reason Detail,Потерянная причина подробно +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Были созданы следующие серийные номера:
{0} DocType: Maintenance Visit,Customer Feedback,Обратная связь с клиентом DocType: Serial No,Warranty / AMC Details,Гарантия / AMC Подробнее DocType: Issue,Opening Time,Время открытия @@ -6652,6 +6721,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Название компании не совпадает apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Акция сотрудника не может быть подана до даты Акции apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Не разрешено обновлять сделки с акциями старше {0} +DocType: Employee Checkin,Employee Checkin,Сотрудник Checkin apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Дата начала должна быть меньше даты окончания для элемента {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Создание цитат клиентов DocType: Buying Settings,Buying Settings,Настройки покупки @@ -6673,6 +6743,7 @@ DocType: Job Card Time Log,Job Card Time Log,Журнал учета рабоч DocType: Patient,Patient Demographics,Пациент Демография DocType: Share Transfer,To Folio No,В фолио нет apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Денежный поток от операций +DocType: Employee Checkin,Log Type,Тип журнала DocType: Stock Settings,Allow Negative Stock,Разрешить отрицательный запас apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Ни один из предметов не имеет каких-либо изменений в количестве или стоимости. DocType: Asset,Purchase Date,Дата покупки @@ -6717,6 +6788,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Очень гипер apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Выберите характер вашего бизнеса. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,"Пожалуйста, выберите месяц и год" +DocType: Service Level,Default Priority,Приоритет по умолчанию DocType: Student Log,Student Log,Студенческий журнал DocType: Shopping Cart Settings,Enable Checkout,Включить оформление заказа apps/erpnext/erpnext/config/settings.py,Human Resources,Отдел кадров @@ -6745,7 +6817,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Подключите Shopify с ERPNext DocType: Homepage Section Card,Subtitle,подзаголовок DocType: Soil Texture,Loam,суглинок -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Поставщик> Тип поставщика DocType: BOM,Scrap Material Cost(Company Currency),Стоимость материала лома (валюта компании) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Накладная {0} не должна быть отправлена DocType: Task,Actual Start Date (via Time Sheet),Фактическая дата начала (через табель рабочего времени) @@ -6801,6 +6872,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,дозировка DocType: Cheque Print Template,Starting position from top edge,Начальная позиция от верхнего края apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Продолжительность встречи (мин) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},У этого сотрудника уже есть журнал с той же отметкой времени. {0} DocType: Accounting Dimension,Disable,запрещать DocType: Email Digest,Purchase Orders to Receive,Заказы на покупку для получения apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Производственные заказы не могут быть получены для: @@ -6816,7 +6888,6 @@ DocType: Production Plan,Material Requests,Материальные Запрос DocType: Buying Settings,Material Transferred for Subcontract,Материал передан для субконтракта DocType: Job Card,Timing Detail,Деталь времени apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Требуется на -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Импорт {0} из {1} DocType: Job Offer Term,Job Offer Term,Срок предложения работы DocType: SMS Center,All Contact,Все контакты DocType: Project Task,Project Task,Задача проекта @@ -6867,7 +6938,6 @@ DocType: Student Log,Academic,академический apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Элемент {0} не настроен для серийных номеров. Проверьте основной элемент apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,От государства DocType: Leave Type,Maximum Continuous Days Applicable,Максимальное количество непрерывных дней -apps/erpnext/erpnext/config/support.py,Support Team.,Команда поддержки. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,"Пожалуйста, сначала введите название компании" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Импорт успешен DocType: Guardian,Alternate Number,Альтернативный номер @@ -6959,6 +7029,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Строка № {0}: пункт добавлен DocType: Student Admission,Eligibility and Details,Право и детали DocType: Staffing Plan,Staffing Plan Detail,Детальный план персонала +DocType: Shift Type,Late Entry Grace Period,Льготный период позднего въезда DocType: Email Digest,Annual Income,Годовой доход DocType: Journal Entry,Subscription Section,Раздел подписки DocType: Salary Slip,Payment Days,Дни оплаты @@ -7009,6 +7080,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Баланс DocType: Asset Maintenance Log,Periodicity,периодичность apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Медицинская запись +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Тип регистрации необходим для регистрации заезда в смену: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,выполнение DocType: Item,Valuation Method,Метод оценки apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} по счету-фактуре {1} @@ -7093,6 +7165,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Расчетная ц DocType: Loan Type,Loan Name,Название займа apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Установить режим оплаты по умолчанию DocType: Quality Goal,Revision,пересмотр +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Время до окончания смены при выезде считается ранним (в минутах). DocType: Healthcare Service Unit,Service Unit Type,Тип сервисного блока DocType: Purchase Invoice,Return Against Purchase Invoice,Возврат против счета на покупку apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Генерировать секрет @@ -7248,12 +7321,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Косметика DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Отметьте это, если вы хотите заставить пользователя выбрать серию перед сохранением. Там не будет по умолчанию, если вы проверите это." DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Пользователи с этой ролью могут устанавливать заблокированные учетные записи и создавать / изменять учетные записи для заблокированных учетных записей. +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка DocType: Expense Claim,Total Claimed Amount,Общая заявленная сумма 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} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Завершение apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Вы можете продлить только если срок вашего членства истекает в течение 30 дней apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Значение должно быть между {0} и {1} DocType: Quality Feedback,Parameters,параметры +DocType: Shift Type,Auto Attendance Settings,Настройки автоматической посещаемости ,Sales Partner Transaction Summary,Сводка по сделкам с партнерами по продажам DocType: Asset Maintenance,Maintenance Manager Name,Имя менеджера по обслуживанию apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Это необходимо для получения информации об элементе. @@ -7345,10 +7420,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Утвердить примененное правило DocType: Job Card Item,Job Card Item,Элемент работы карты DocType: Homepage,Company Tagline for website homepage,Компания Tagline для домашней страницы сайта +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Установите время отклика и разрешение для приоритета {0} в индексе {1}. DocType: Company,Round Off Cost Center,Центр затрат Round Off DocType: Supplier Scorecard Criteria,Criteria Weight,Критерии Вес DocType: Asset,Depreciation Schedules,Графики амортизации -DocType: Expense Claim Detail,Claim Amount,Сумма претензии DocType: Subscription,Discounts,Скидки DocType: Shipping Rule,Shipping Rule Conditions,Условия доставки DocType: Subscription,Cancelation Date,Дата отмены @@ -7376,7 +7451,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Создать пот apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Показать нулевые значения DocType: Employee Onboarding,Employee Onboarding,Наем сотрудников DocType: POS Closing Voucher,Period End Date,Дата окончания периода -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Возможности продаж по источникам DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Первый утверждающий в списке будет установлен как утверждающий по умолчанию. DocType: POS Settings,POS Settings,Настройки POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Все аккаунты @@ -7397,7 +7471,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Бан apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Строка # {0}: скорость должна совпадать с {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Пункты медицинского обслуживания -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,записей не найдено apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Диапазон старения 3 DocType: Vital Signs,Blood Pressure,Кровяное давление apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Цель включена @@ -7444,6 +7517,7 @@ DocType: Company,Existing Company,Существующая компания apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Порции apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Защита DocType: Item,Has Batch No,Есть партия нет +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Задержанные дни DocType: Lead,Person Name,Имя DocType: Item Variant,Item Variant,Пункт вариант DocType: Training Event Employee,Invited,приглашенный @@ -7465,7 +7539,7 @@ DocType: Purchase Order,To Receive and Bill,Получить и Билл apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Даты начала и окончания, отличные от действительного периода расчета, не могут рассчитать {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Показывать только клиентов из этих групп клиентов apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,"Выберите элементы, чтобы сохранить счет" -DocType: Service Level,Resolution Time,Время разрешения +DocType: Service Level Priority,Resolution Time,Время разрешения DocType: Grading Scale Interval,Grade Description,Описание класса DocType: Homepage Section,Cards,Карты DocType: Quality Meeting Minutes,Quality Meeting Minutes,Протокол встречи качества @@ -7492,6 +7566,7 @@ DocType: Project,Gross Margin %,Валовая прибыль % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Баланс банковской выписки по Главной книге apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Здравоохранение (бета) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Склад по умолчанию для создания заказа на продажу и накладной +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,"Время ответа для {0} в индексе {1} не может быть больше, чем время разрешения." DocType: Opportunity,Customer / Lead Name,Клиент / Ведущий DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Невостребованная сумма @@ -7538,7 +7613,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Стороны импорта и адреса DocType: Item,List this Item in multiple groups on the website.,Разместите этот пункт в нескольких группах на сайте. DocType: Request for Quotation,Message for Supplier,Сообщение для поставщика -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,"Невозможно изменить {0}, так как существует транзакция запаса для позиции {1}." DocType: Healthcare Practitioner,Phone (R),Телефон (R) DocType: Maintenance Team Member,Team Member,Участник команды DocType: Asset Category Account,Asset Category Account,Учетная запись категории активов diff --git a/erpnext/translations/si.csv b/erpnext/translations/si.csv index e22f460991..22ea5558d3 100644 --- a/erpnext/translations/si.csv +++ b/erpnext/translations/si.csv @@ -76,7 +76,7 @@ DocType: Academic Term,Term Start Date,කාලීන ආරම්භක දි apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,පත්වීම් {0} සහ විකුණුම් ඉන්වොයිසිය {1} අවලංගු වේ DocType: Purchase Receipt,Vehicle Number,වාහන අංකය apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,ඔයාගේ ඊතැපැල් ලිපිනය... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,ප්රකෘති පොත් ඇතුළත් කරන්න +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,ප්රකෘති පොත් ඇතුළත් කරන්න DocType: Activity Cost,Activity Type,ක්රියාකාරකම් වර්ගය DocType: Purchase Invoice,Get Advances Paid,අත්තිකාරම් ලබා ගැනීම DocType: Company,Gain/Loss Account on Asset Disposal,වත්කම් බැහැර කිරීම පිළිබඳ ලාභ / පාඩුව @@ -222,7 +222,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,එය කරන DocType: Bank Reconciliation,Payment Entries,ගෙවීම් සටහන් DocType: Employee Education,Class / Percentage,පන්තිය / ප්රතිශතය ,Electronic Invoice Register,විද්යුත් ඉන්වොයිස් ලියාපදිංචිය +DocType: Shift Type,The number of occurrence after which the consequence is executed.,ප්‍රතිවිපාකය ක්‍රියාත්මක කිරීමෙන් පසු සිදුවීම් ගණන. DocType: Sales Invoice,Is Return (Credit Note),ප්රතිලාභ (ණය විස්තරය) +DocType: Price List,Price Not UOM Dependent,මිල UOM යැපෙන්නන් නොවේ DocType: Lab Test Sample,Lab Test Sample,පරීක්ෂණ පරීක්ෂණ සාම්පල DocType: Shopify Settings,status html,තත්වය html DocType: Fiscal Year,"For e.g. 2012, 2012-13","උදා: 2012, 2012-13" @@ -324,6 +326,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,නිෂ්ප DocType: Salary Slip,Net Pay,ශුද්ධ ගෙවීම් apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,මුලු ඉන්වෙන්ටඩ් Amt DocType: Clinical Procedure,Consumables Invoice Separately,අත්යවශ්ය ඉන්වොයිසිය +DocType: Shift Type,Working Hours Threshold for Absent,නොපැමිණීම සඳහා වැඩකරන සීමාව DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.- MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},සමූහ ගිණුමට එරෙහිව අයවැය කළ නොහැකි ය {0} DocType: Purchase Receipt Item,Rate and Amount,අනුපාතිකය හා මුදල @@ -379,7 +382,6 @@ DocType: Sales Invoice,Set Source Warehouse,ප්රභව ගබඩාව ස DocType: Healthcare Settings,Out Patient Settings,රෝගියාගේ සැකැස්ම DocType: Asset,Insurance End Date,රක්ෂණ අවසන් දිනය DocType: Bank Account,Branch Code,ශාඛා සංග්රහය -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,පිළිතුරු දීමට ගතවන කාලය apps/erpnext/erpnext/public/js/conf.js,User Forum,පරිශීලක සංසදය DocType: Landed Cost Item,Landed Cost Item,භූමි භාණ්ඩ පිරිවැය අයිතමය apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,විකිණුම්කරු සහ ගැනුම්කරු සමාන විය නොහැකිය @@ -597,6 +599,7 @@ DocType: Lead,Lead Owner,නායක හිමිකරු DocType: Share Transfer,Transfer,මාරු apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),සොයන්න අයිතමය (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} ප්රතිඵල යවා ඇත +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,දිනය සිට අදට වඩා වැඩි විය නොහැක DocType: Supplier,Supplier of Goods or Services.,භාණ්ඩ හෝ සේවා සැපයුම්කරු. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,නව ගිණුමේ නම. සටහන: පාරිභෝගිකයින් සහ සැපයුම්කරුවන් සඳහා ගිණුම් සකස් නොකරන්න apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,ශිෂ්ය කණ්ඩායම හෝ පාඨමාලා කාලසටහන අනිවාර්ය වේ @@ -889,6 +892,7 @@ DocType: Delivery Trip,Distance UOM,දුරස්ථ යූඕම් DocType: Accounting Dimension,Mandatory For Balance Sheet,ශේෂ පත්රයේ වලංගු වේ DocType: Payment Entry,Total Allocated Amount,සමස්ථ ප්රතිපාදන ප්රමාණය DocType: Sales Invoice,Get Advances Received,ලැබුණු අත්තිකාරම් ලබාගන්න +DocType: Shift Type,Last Sync of Checkin,චෙක්පින් හි අවසාන සමමුහුර්තකරණය DocType: Student,B-,බී- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,එකතු කළ අගය මත එකතු කළ මුදල apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -897,7 +901,9 @@ DocType: Subscription Plan,Subscription Plan,දායක සැලැස්ම DocType: Student,Blood Group,ලේ වර්ගය apps/erpnext/erpnext/config/healthcare.py,Masters,ස්වාමිවරු DocType: Crop,Crop Spacing UOM,බෝග පරතරය UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,මාරුවීමේ ආරම්භක වේලාවෙන් පසුව පරීක්ෂා කිරීම ප්‍රමාද වී (මිනිත්තු වලින්) සලකනු ලැබේ. apps/erpnext/erpnext/templates/pages/home.html,Explore,ගවේෂණය කරන්න +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,කැපී පෙනෙන ඉන්වොයිසි හමු නොවීය DocType: Promotional Scheme,Product Discount Slabs,නිෂ්පාදන වට්ටම් පන් DocType: Hotel Room Package,Amenities,පහසුකම් DocType: Lab Test Groups,Add Test,ටෙස්ට් එකතු කරන්න @@ -996,6 +1002,7 @@ DocType: Attendance,Attendance Request,පැමිණීමේ ඉල්ලී DocType: Item,Moving Average,ගමන් සාමාන්ය DocType: Employee Attendance Tool,Unmarked Attendance,අනාරක්ෂිත සහභාගී වීම DocType: Homepage Section,Number of Columns,තීරු ගණන +DocType: Issue Priority,Issue Priority,ප්‍රමුඛතාවය නිකුත් කරන්න DocType: Holiday List,Add Weekly Holidays,සතිපතා නිවාඩු දින එකතු කරන්න DocType: Shopify Log,Shopify Log,ලොග් කරන්න apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,වැටුප් තලයක් සාදන්න @@ -1003,6 +1010,7 @@ DocType: Customs Tariff Number,Customs Tariff Number,රේගු ගාස් DocType: Job Offer Term,Value / Description,අගය / විස්තරය DocType: Warranty Claim,Issue Date,නිකුත් කල දිනය apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,වමේ සේවකයින් සඳහා රඳවා ගැනීමේ බෝනස් සෑදිය නොහැක +DocType: Employee Checkin,Location / Device ID,ස්ථානය / උපාංග හැඳුනුම්පත DocType: Purchase Order,To Receive,ලැබීම සඳහා apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,ඔබ නොබැඳි මාදිලියේ සිටියි. ඔබ ජාලයක් පවතින තුරු ඔබට නැවත පූරණය කිරීමට නොහැකි වනු ඇත. DocType: Course Activity,Enrollment,ඇතුළත් වීම @@ -1011,7 +1019,6 @@ DocType: Lab Test Template,Lab Test Template,පරීක්ෂණ පරීක apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},උපරිමය: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ඉ-ඉන්වොයිසි තොරතුරු අතුරුදහන් apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,කිසිදු ද්රව්යමය ඉල්ලීමක් නිර්මාණය කර නැත -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,අයිතම කේතය> අයිතම සමූහය> වෙළඳ නාමය DocType: Loan,Total Amount Paid,මුළු මුදල ගෙවා ඇත apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,මේ සියල්ලම දැනටමත් කුවිතාන්සි කර ඇත DocType: Training Event,Trainer Name,පුහුණුකරු නම @@ -1122,6 +1129,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Lead Lead හි ප්රධාන නාමය සඳහන් කරන්න. {0} DocType: Employee,You can enter any date manually,ඔබට ඕනෑම දිනයකට ප්රවේශ විය හැක DocType: Stock Reconciliation Item,Stock Reconciliation Item,කොටස් සංහිදියාව අයිතමය +DocType: Shift Type,Early Exit Consequence,මුල් පිටවීමේ ප්‍රතිවිපාකය DocType: Item Group,General Settings,සාමාන්ය සැකසුම් apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,තැපැල් කිරීම / සැපයුම් ඉන්වොයිස් දිනයට පෙර නියමිත දිනට නොවිය යුතුය apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,උපලේඛනය ඉදිරිපත් කිරීමට පෙර ප්රතිලාභියාගේ නම ඇතුළත් කරන්න. @@ -1160,6 +1168,7 @@ DocType: Account,Auditor,විගණකාධිපති apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,ගෙවීම් තහවුරු කිරීම ,Available Stock for Packing Items,ඇසුරුම් ද්රව්ය සඳහා පවතින කොටස් apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},කරුණාකර C-Form {1} වෙතින් මෙම ඉන්වොයිසිය {0} ඉවත් කරන්න. +DocType: Shift Type,Every Valid Check-in and Check-out,සෑම වලංගු පිරික්සීමක් සහ පිටවීමක් DocType: Support Search Source,Query Route String,Query Route String DocType: Customer Feedback Template,Customer Feedback Template,පාරිභෝගික ආකෘතිය සැකිල්ල apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,මඟ පෙන්වීම් හෝ ගනුදෙනුකරුවන් සඳහා මිල ගණන්. @@ -1194,6 +1203,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,බලය පැවරීමේ පාලනය ,Daily Work Summary Replies,දෛනික වැඩ සාරාංශ පිළිතුරු apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},මෙම ව්යාපෘතියට හවුල් වීමට ඔබට ආරාධනා කර ඇත: {0} +DocType: Issue,Response By Variance,විචලනය මගින් ප්‍රතිචාර දැක්වීම DocType: Item,Sales Details,විකුණුම් විස්තර apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,මුද්රණ සැකිලි සඳහා ලිපි ශීර්ෂ DocType: Salary Detail,Tax on additional salary,අතිරේක වැටුප මත බදු @@ -1317,6 +1327,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,පාර DocType: Project,Task Progress,කාර්ය ප්රගතිය DocType: Journal Entry,Opening Entry,විවෘත කිරීම DocType: Bank Guarantee,Charges Incurred,අයකිරීම් +DocType: Shift Type,Working Hours Calculation Based On,වැඩ කරන පැය ගණනය කිරීම මත පදනම්ව DocType: Work Order,Material Transferred for Manufacturing,නිෂ්පාදන සඳහා මාරු කර ඇති ද්රව්ය DocType: Products Settings,Hide Variants,ප්රභේද සඟවන්න DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ධාරිතා සැලසුම්කරණය සහ කාල සක්රීය කිරීම අක්රීය කරන්න @@ -1345,6 +1356,7 @@ DocType: Account,Depreciation,ක්ෂයවීම DocType: Guardian,Interests,උනන්දුව DocType: Purchase Receipt Item Supplied,Consumed Qty,පාරිෙභෝජනය ෙකෙර් DocType: Education Settings,Education Manager,අධ්යාපන කළමණාකරු +DocType: Employee Checkin,Shift Actual Start,සැබෑ ආරම්භය මාරු කරන්න DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,වැඩකරන වේලාවෙන් පිටත සටහන් කරන්න. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},පක්ෂපාතීත්ව ලකුණු: {0} DocType: Healthcare Settings,Registration Message,ලියාපදිංචි වීමේ පණිවිඩය @@ -1371,7 +1383,6 @@ DocType: Sales Partner,Contact Desc,විමසන්න DocType: Purchase Invoice,Pricing Rules,මිල නියම කිරීම DocType: Hub Tracked Item,Image List,පින්තූර ලැයිස්තුව DocType: Item Variant Settings,Allow Rename Attribute Value,ප්රත්යාවර්ත වටිනාකම අළලා ඉඩ දෙන්න -DocType: Price List,Price Not UOM Dependant,මිළ ගණන් නැත apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),වේලාව (විනාඩි) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,මූලික DocType: Loan,Interest Income Account,පොලී ආදායම් ගිණුම @@ -1381,6 +1392,7 @@ DocType: Employee,Employment Type,රැකියා වර්ගය apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,POS පැතිකඩ තෝරන්න DocType: Support Settings,Get Latest Query,අලුත් විමසන්න DocType: Employee Incentive,Employee Incentive,සේවක දිරිගැන්වීම +DocType: Service Level,Priorities,ප්‍රමුඛතා apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,මුල් පිටුවෙහි කාඩ්පත් හෝ අභිරුචි කොටස් එකතු කරන්න DocType: Homepage,Hero Section Based On,Hero අංශය මත පදනම් වේ DocType: Project,Total Purchase Cost (via Purchase Invoice),මුළු මිලදී ගැනීමේ පිරිවැය (මිලදී ගැනීමේ ඉන්වොයිසිය) @@ -1441,7 +1453,7 @@ DocType: Work Order,Manufacture against Material Request,ද්රව්ය ඉ DocType: Blanket Order Item,Ordered Quantity,නියම ප්රමාණය apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},පේළිය # {0}: ප්රතික්ෂේප කරන ලද අයිතමය මත ප්රතික්ෂේප කළ ගබඩාව {1} ,Received Items To Be Billed,බිල්පත් කිරීමට ලැබුණු භාණ්ඩ -DocType: Salary Slip Timesheet,Working Hours,වැඩ කරන පැය +DocType: Attendance,Working Hours,වැඩ කරන පැය apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,ගෙවීමේ ක්රමය apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,නියමිත වේලාවට නොලැබෙන ඇණවුම් භාණ්ඩ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,දින තුළ ගතවන කාලය @@ -1561,7 +1573,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,ඔබේ සැපයුම්කරු පිළිබඳ ව්යවස්ථාපිත තොරතුරු සහ අනෙකුත් පොදු තොරතුරු DocType: Item Default,Default Selling Cost Center,ප්රකෘති විකුණුම් පිරිවැය මධ්යස්ථානය DocType: Sales Partner,Address & Contacts,ලිපිනය සහ සම්බන්ධතා -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර පැමිණීම සඳහා අංකනය කිරීමේ ශ්‍රේණිය සැකසුම> අංකනය මාලාව හරහා සකසන්න DocType: Subscriber,Subscriber,ග්රාහකයා apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ආකෘති / අයිතම / {0}) තොගයෙන් තොරය apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,කරුණාකර පළමුව පළ කිරීම පළ කරන්න @@ -1572,7 +1583,7 @@ DocType: Project,% Complete Method,සම්පූර්ණ සම්පුර DocType: Detected Disease,Tasks Created,කාර්යයන් නිර්මාණය කරයි apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) මෙම අයිතමය හෝ එහි අච්චුව සඳහා ක්රියාකාරී විය යුතුය apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,කොමිෂන් සභා අනුපාතය% -DocType: Service Level,Response Time,ප්රතිචාර කාලය +DocType: Service Level Priority,Response Time,ප්රතිචාර කාලය DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce සැකසුම් apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,ප්රමාණය ධනාත්මක විය යුතුය DocType: Contract,CRM,CRM @@ -1589,7 +1600,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,නේවාසික DocType: Bank Statement Settings,Transaction Data Mapping,ගනුදෙනු දත්ත සිතියම්ගත කිරීම apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,නායකයකු පුද්ගලයෙකුගේ නම හෝ සංවිධානයේ නම අවශ්ය වේ DocType: Student,Guardians,ආරක්ෂකයින් -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,කරුණාකර අධ්යාපනය> අධ්යාපන සැකසීම් තුළ උපදේශක නාමකරණයක් සැකසීම apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,බ්රෑන්ඩ් තෝරන්න ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,මැද ආදායම් DocType: Shipping Rule,Calculate Based On,පාදක කර ගනී @@ -1691,7 +1701,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,ද්රව්ය ද්රව්ය සංග්රහය apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,මිලදී ගැනීමේ ඉන්වොයිසිය {0} දැනටමත් ඉදිරිපත් කර ඇත DocType: Fees,Student Email,ශිෂ්ය විද්යුත් තැපෑල -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM විකාශනය: {0} දෙමාපියන්ගේ හෝ දරුවාගේ {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,සෞඛ්ය සේවාවන්ගෙන් අයිතම ලබා ගන්න apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,කොටස් ප්රවේශය {0} ඉදිරිපත් කර නැත DocType: Item Attribute Value,Item Attribute Value,අයිතමය වටිනාකම අගයන් @@ -1716,7 +1725,6 @@ DocType: POS Profile,Allow Print Before Pay,ගෙවීමට පෙර මු DocType: Production Plan,Select Items to Manufacture,නිෂ්පාදනය කිරීමට අයිතම තෝරන්න DocType: Leave Application,Leave Approver Name,අනුමත නම තබන්න DocType: Shareholder,Shareholder,කොටස්කරු -DocType: Issue,Agreement Status,ගිවිසුමේ තත්වය apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,ගනුදෙනු විකිණීම සඳහා පෙරනිමි සැකසුම්. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,ශිෂ්යත්ව අයදුම්කරුට අනිවාර්යයෙන්ම ශිෂ්ය නේවාසික ප්රවේශය තෝරාගන්න apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOM තෝරන්න @@ -1978,6 +1986,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,ආදායම් ගිණුම apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,සියලු බඞු ගබඞාව DocType: Contract,Signee Details,සිග්නේ විස්තර +DocType: Shift Type,Allow check-out after shift end time (in minutes),මාරුව අවසන් වේලාවෙන් පසුව (මිනිත්තු කිහිපයකින්) පරීක්ෂා කිරීමට ඉඩ දෙන්න apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,ප්රසම්පාදනය DocType: Item Group,Check this if you want to show in website,ඔබට වෙබ් අඩවියේ ප්රදර්ශනය කිරීමට අවශ්ය නම් මෙය පරික්ෂා කරන්න apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,මුල්ය වර්ෂය {0} සොයාගත නොහැකි විය @@ -2044,6 +2053,7 @@ DocType: Asset Finance Book,Depreciation Start Date,ක්ෂයවීම් ආ DocType: Activity Cost,Billing Rate,බිල්පත් අනුපාතය apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},අවවාදයයි: තවත් {0} # {1} කොටස් ඇතුළත් කිරීම් {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,මාර්ග තක්සේරු කිරීමට සහ ප්රශස්තකරණය කිරීමට කරුණාකර Google සිතියම් සැකසීමට සක්රිය කරන්න +DocType: Purchase Invoice Item,Page Break,පිටුව බ්රේස් DocType: Supplier Scorecard Criteria,Max Score,මැක්ස් ලකුණු apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,ආපසු ගෙවීමේ ආරම්භක දිනය උපත් දිනය ගෙවීමට පෙර නොවේ. DocType: Support Search Source,Support Search Source,සෙවුම් මූලාශ්රය සහාය @@ -2110,6 +2120,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,ගුණාත්මක DocType: Employee Transfer,Employee Transfer,සේවක ස්ථාන මාරු ,Sales Funnel,විකුණුම් දහරාව DocType: Agriculture Analysis Criteria,Water Analysis,ජල විශ්ලේෂණය +DocType: Shift Type,Begin check-in before shift start time (in minutes),මාරුවීමේ ආරම්භක වේලාවට පෙර (මිනිත්තු කිහිපයකින්) පරීක්ෂා කිරීම ආරම්භ කරන්න DocType: Accounts Settings,Accounts Frozen Upto,ගිණුමේ ශුක්ර තරලය apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,සංස්කරණය කිරීමට කිසිවක් නැත. DocType: Item Variant Settings,Do not update variants on save,සුරැකීමේදී ප්රභේද යාවත්කාලීන නොකරන්න @@ -2122,7 +2133,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,ව apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},විකුණුම් නියෝගය {0} යනු {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ගෙවීම් ප්රමාද (දින) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,ක්ෂය කිරීම් විස්තර ඇතුළත් කරන්න +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,පාරිභෝගික තැ.පෙ. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,අපේක්ෂිත සැපයුම් දිනය විකුණුම් නියෝගය අනුව විය යුතුය +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,අයිතමයේ ප්‍රමාණය ශුන්‍ය විය නොහැක apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,වලංගු නොවන ගුණාංගයක් apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},අයිතමයට එරෙහිව BOM අයිතමය තෝරන්න. {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,ඉන්වොයිසි වර්ගය @@ -2132,6 +2145,7 @@ DocType: Maintenance Visit,Maintenance Date,නඩත්තු දිනය DocType: Volunteer,Afternoon,දහවල් DocType: Vital Signs,Nutrition Values,පෝෂණ ගුණයන් DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),උණ ඇතිවීම (temp> 38.5 ° C / 101.3 ° F හෝ අඛණ්ඩ තාපය> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,කරුණාකර සේවක නම් කිරීමේ පද්ධතිය මානව සම්පත්> මානව සම්පත් සැකසුම් තුළ සකසන්න apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC ප්රතිවර්තනය DocType: Project,Collect Progress,ප්රගතිය එකතු කරන්න apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,බලශක්ති @@ -2139,6 +2153,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,බලශ DocType: Soil Analysis,Ca/K,Ca / K apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Work Order already created for all items with BOM,BOM හි සියළු අයිතමයන් සඳහා දැනටමත් වැඩ පිළිවෙල සකසා ඇත apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Billed Amount,බිල්පත් ප්රමාණය +apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},ඇතුළත් කර ඇති වත්මන් ඕඩෝමීටර කියවීම ආරම්භක වාහන ඔඩෝමීටරයට වඩා වැඩි විය යුතුය {0} DocType: Employee Transfer Property,Employee Transfer Property,සේවක ස්ථාන මාරු දේපල apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Pending Activities,නොඉවසන ක්රියාකාරකම් apps/erpnext/erpnext/utilities/user_progress.py,List a few of your customers. They could be organizations or individuals.,ඔබේ ගනුදෙනුකරුවන් කීපයක් ලැයිස්තුගත කරන්න. ඔවුන් සංවිධාන හෝ පුද්ගලයන් විය හැකිය. @@ -2181,6 +2196,7 @@ DocType: Setup Progress,Setup Progress,ප්රගතිය සැකසීම ,Ordered Items To Be Billed,බිල්පත් කිරීමට නියමිත භාණ්ඩ DocType: Taxable Salary Slab,To Amount,මුදල DocType: Purchase Invoice,Is Return (Debit Note),ආපසු (හර පත් සටහන) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,පාරිභෝගික> පාරිභෝගික කණ්ඩායම> ප්‍රදේශය apps/erpnext/erpnext/config/desktop.py,Getting Started,ඇරඹේ apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,ඒකාබද්ධ කරන්න apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,මූල්ය වර්ෂය සුරක්ෂිත කිරීමෙන් පසු මූල්ය වර්ෂය ආරම්භක දිනය හා මූල්ය වර්ෂය අවසාන දිනය වෙනස් කළ නොහැක. @@ -2201,6 +2217,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Ex DocType: Purchase Invoice,Select Supplier Address,සැපයුම්කරුගේ ලිපිනය තෝරන්න apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,API පාරිභෝගික රහස් අංකය ඇතුළු කරන්න DocType: Program Enrollment Fee,Program Enrollment Fee,වැඩසටහන් බඳවා ගැනීමේ ගාස්තුව +DocType: Employee Checkin,Shift Actual End,මාරුව සැබෑ අවසානය DocType: Serial No,Warranty Expiry Date,වගකීම් කාලය කල් ඉකුත්වීම DocType: Hotel Room Pricing,Hotel Room Pricing,හෝටල් කාමර මිලකරණය apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","බාහිර බදු කළ හැකි සැපයුම් (ශූන්ය වර්ගීකරණයට වඩා අළෙවිය, නිශාචිත ඇගයීම සහ නිදහස් කිරීම්" @@ -2260,6 +2277,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,කියවීම 5 DocType: Shopping Cart Settings,Display Settings,දර්ශණ සැකසීම් apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,කරුණාකර වෙන්කර ඇති අවප්රමාණයන් ගණන නියම කරන්න +DocType: Shift Type,Consequence after,පසු විපාක apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,ඔබට උදව් අවශ්ය කුමක් සඳහාද? DocType: Journal Entry,Printing Settings,මුද්රණ සැකසුම් apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,බැංකු @@ -2269,6 +2287,7 @@ DocType: Purchase Invoice Item,PR Detail,PR විස්තරය apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,බිල්පත් ලිපිනය නැව් ලිපිනය DocType: Account,Cash,මුදල් DocType: Employee,Leave Policy,නිවාඩු ප්රතිපත්තිය +DocType: Shift Type,Consequence,ප්‍රතිවිපාකය apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,ශිෂ්ය ලිපිනය DocType: GST Account,CESS Account,සෙස් ගිණුම apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: 'ලාභ සහ ලොස් ගිණුම' සඳහා පිරිවැය මධ්යස්ථානය අවශ්ය වේ {2}. සමාගම සඳහා පෙරනිමි පිරිවැය මධ්යස්ථානයක් සකස් කරන්න. @@ -2333,6 +2352,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN කේතය DocType: Period Closing Voucher,Period Closing Voucher,වාරික වවුචර් කාලය apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,ගාඩියන් 2 නම apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,කරුණාකර වියදම් ගිණුම ඇතුළත් කරන්න +DocType: Issue,Resolution By Variance,විචලනය අනුව යෝජනාව DocType: Employee,Resignation Letter Date,ඉල්ලා අස්වීමේ ලිපිය DocType: Soil Texture,Sandy Clay,සැන්ඩි ක්ලේ DocType: Upload Attendance,Attendance To Date,පැමිණීමේ දිනය @@ -2345,6 +2365,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,දැන් බලන්න DocType: Item Price,Valid Upto,වලංගු වුවත් apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},විමර්ශන Doctype විය යුතුය {0} +DocType: Employee Checkin,Skip Auto Attendance,ස්වයංක්‍රීය පැමිණීම මඟ හරින්න DocType: Payment Request,Transaction Currency,හුවමාරු ව්යවහාර මුදල් DocType: Loan,Repayment Schedule,ආපසු ගෙවීමේ උපලේඛනය apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,සාම්පල රඳවා ගැනීමේ කොටස් ප්රවේශය සාදන්න @@ -2416,6 +2437,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,වැටුප DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS අවසාන වවුචර් බදු apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,ක්රියාමාර්ගය අනුගමනය කෙරේ DocType: POS Profile,Applicable for Users,පරිශීලකයින් සඳහා අදාළ වේ +,Delayed Order Report,ප්‍රමාද වූ ඇණවුම් වාර්තාව DocType: Training Event,Exam,විභාගය apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,සාමාන්ය ලෙජර් සටහන් ප්රමාණවත් සංඛ්යාවක් සොයාගත හැකිය. ඔබ ගනුදෙනුවේදී වැරදි ගිණුමක් තෝරාගෙන ඇත. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,විකුණුම් පොම්පය @@ -2430,10 +2452,10 @@ DocType: Account,Round Off,වට රවුම DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,සියලු තෝරාගත් අයිතමයන් සඳහා කොන්දේසි කොන්දේසි අදාළ වේ. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,වින්යාස කරන්න DocType: Hotel Room,Capacity,ධාරිතාව +DocType: Employee Checkin,Shift End,මාරුව අවසානය DocType: Installation Note Item,Installed Qty,ස්ථාපිත Qty apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,අයිතමයේ {0} කාණ්ඩයේ {0} ආබාධිතය. DocType: Hotel Room Reservation,Hotel Reservation User,හෝටල් වෙන් කිරීමේ පරිශීලක -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,වැඩපොත දෙවරක් නැවත නැවතත් සිදු කර ඇත apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},අයිතමයේ අයිතමය සඳහා භාණ්ඩ අයිතමයේ අයිතමය කාණ්ඩයේ අයිතමය සමූහය {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},නම දෝෂය: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,POS පැතිකඩ තුළ අවශ්ය ප්රදේශය අවශ්ය වේ @@ -2479,6 +2501,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,උපලේඛන දිනය DocType: Packing Slip,Package Weight Details,ඇසුරුම් බර විස්තර DocType: Job Applicant,Job Opening,රැකියා ආරම්භ කිරීම +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,සේවක චෙක්පින් අවසන් වරට දන්නා සාර්ථක සමමුහුර්තකරණය. මෙය නැවත සකසන්න සියලු ස්ථාන වලින් සියලුම ලොග් සමමුහුර්ත වී ඇති බව ඔබට විශ්වාස නම් පමණි. ඔබට විශ්වාස නැතිනම් කරුණාකර මෙය වෙනස් නොකරන්න. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,තථ්ය පිරිවැය apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),අනුපිළිවෙලට {1} සම්පූර්ණ මුළු පෙරනය ({0}) විශාල එකතුව ({2}) වඩා විශාල විය නොහැකිය apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,යාවත්කාලීන කරන්න @@ -2523,6 +2546,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,යොමු මිලද apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,ආරාධනා ලබා ගන්න DocType: Tally Migration,Is Day Book Data Imported,දෛනික පොත් දත්ත ආනයනය කර ඇත ,Sales Partners Commission,විකුණුම් හවුල්කරුවන්ගේ කොමිසම +DocType: Shift Type,Enable Different Consequence for Early Exit,මුල් පිටවීම සඳහා විවිධ ප්‍රතිවිපාක සක්‍රීය කරන්න apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,නීතිමය DocType: Loan Application,Required by Date,දිනය අවශ්ය වේ DocType: Quiz Result,Quiz Result,ප්රශ්න ප්රතිඵල @@ -2582,7 +2606,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,මූල DocType: Pricing Rule,Pricing Rule,මිල නියම කිරීම apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},නිවාඩුවක් සඳහා විකල්ප නිවාඩු දිනයන් නොමැත {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Employee Role පිහිටුවීම සඳහා සේවක වාර්තාවක් තුළ පරිශීලක හැඳුනුම් ක්ෂේත්රය සකසන්න -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,විසඳීමට ගතවන කාලය DocType: Training Event,Training Event,පුහුණු වැඩසටහන DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","වැඩිහිටියකුගේ සාමාන්ය පියයුරු රුධිර පීඩනය ආසන්න වශයෙන් 120 mmHg systolic සහ 80 mmHg diastolic, abbreviated "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,සීමාව ශුන්ය වේ නම් පද්ධතියේ සියළු ප්රවේශයන් ලබාගනී. @@ -2626,6 +2649,7 @@ DocType: Woocommerce Settings,Enable Sync,Sync සක්රිය කරන් DocType: Student Applicant,Approved,අනුමත apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},දිනෙන් දින මුදල් වර්ෂය තුළ විය යුතුය. උපුටා ගත් දිනය = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,කරුණාකර සැපයුම් සමූහය සැකසීම් මිලදී ගැනීම සඳහා කරුණාකර කරන්න. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} යනු අවලංගු පැමිණීමේ තත්වයකි. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,තාවකාලික විවෘත කිරීමේ ගිණුම DocType: Purchase Invoice,Cash/Bank Account,මුදල් / බැංකු ගිණුම DocType: Quality Meeting Table,Quality Meeting Table,තත්ත්ව රැස්වීම් වගුව @@ -2661,6 +2685,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS ඔට් ටෙක්සන් apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","ආහාර, පාන හා දුම්කොළ" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,පාඨමාලා කාලසටහන DocType: Purchase Taxes and Charges,Item Wise Tax Detail,උපලේඛනය නැව් බඩු විස්තරය +DocType: Shift Type,Attendance will be marked automatically only after this date.,පැමිණීම ස්වයංක්‍රීයව සලකුණු කරනු ලබන්නේ මෙම දිනයෙන් පසුව පමණි. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,UIN හිමියන්ට ලබා දුන් සැපයුම් apps/erpnext/erpnext/hooks.py,Request for Quotations,ඉල්ලීම් සඳහා ඉල්ලීම apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,අනෙක් ව්යවහාර මුදල් භාවිතා කරමින් ප්රවේශයන් කිරීමෙන් පසුව මුදල් වෙනස් කළ නොහැක @@ -2709,7 +2734,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,අයිතමයේ සිට අයිතමය දක්වා ඇත apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,ගුණාත්මක පරිපාටිය. DocType: Share Balance,No of Shares,කොටස් ගණන -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),පේළිය {0}: ඇතුළත් කිරීම් ({2} {3}) හි {4} ගබඩාව {1} DocType: Quality Action,Preventive,වැලැක්වීෙම් DocType: Support Settings,Forum URL,ෆෝරම ලිපිනය apps/erpnext/erpnext/config/hr.py,Employee and Attendance,සේවකයෙකු සහ පැමිණීම @@ -2931,7 +2955,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,වට්ටම් ව DocType: Hotel Settings,Default Taxes and Charges,පැහැර හරින බදු සහ ගාස්තු apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,මෙම සැපයුම්කරුට එරෙහි ගනුදෙනු මත පදනම් වේ. විස්තර සඳහා පහත කාල රේඛා බලන්න apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},සේවකයාගේ උපරිම ප්රතිලාභය {0} ඉක්මවයි {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,ගිවිසුම සඳහා ආරම්භක සහ අවසන් දිනය ඇතුලත් කරන්න. DocType: Delivery Note Item,Against Sales Invoice,විකිණුම් ඉන්වොයිසියට එරෙහිව DocType: Loyalty Point Entry,Purchase Amount,මිලදී ගැනීමේ මුදල apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,විකිණුම් ඇණවුම ලෙස අහිමි වීමක් ලෙස නොසලකන්න. @@ -2955,7 +2978,7 @@ DocType: Homepage,"URL for ""All Products""","සියලු නිෂ් DocType: Lead,Organization Name,සංවිධානයේ නම apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,සමුච්චිත සඳහා ක්ෂේත්ර වල සිට වලංගු සහ වලංගු වේ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},පේළිය # {0}: අංක අංකය සමාන කළ යුතුය {1} {2} -DocType: Employee,Leave Details,නිවාඩු දෙන්න +DocType: Employee Checkin,Shift Start,මාරුව ආරම්භය apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} ට පෙර කොටස් ගනුදෙනු සිදු වී ඇත DocType: Driver,Issuing Date,දිනය නිකුත් කිරීම apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,ඉල්ලුම්කරු @@ -3000,9 +3023,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,මුදල් ප්රවාහය සිතියම් කිරීමේ සැකිල්ල තොරතුරු apps/erpnext/erpnext/config/hr.py,Recruitment and Training,බඳවා ගැනීම හා පුහුණු කිරීම DocType: Drug Prescription,Interval UOM,UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,ස්වයංක්‍රීය පැමිණීම සඳහා වර්‍ග කාල සැකසුම් apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,ව්යවහාර මුදලින් හා මුදල්වලට එකම දේ කළ නොහැකිය apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ඖෂධ DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,ආධාරක පැය apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} අවලංගු කිරීම හෝ වසා දැමීම apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,පේළිය {0}: ගනුදෙනුකරුට අත්තිකාරම් ණය කළ යුතුය apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),වවුචර් විසින් (සමූහගත) @@ -3112,6 +3137,7 @@ DocType: Asset Repair,Repair Status,අළුත්වැඩියා තත් DocType: Territory,Territory Manager,ප්රාදේශීය කළමනාකරු DocType: Lab Test,Sample ID,සාම්පල අංකය apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,කරත්තය Empty +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,සේවක පිරික්සුම් වලට අනුව පැමිණීම සලකුණු කර ඇත apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,වත්කම් {0} ඉදිරිපත් කළ යුතුය ,Absent Student Report,නොපැහැදිලි ශිෂ්ය වාර්තාව apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,දළ ලාභය ඇතුළත්ය @@ -3119,7 +3145,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,ආධාර මුදල apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ඉදිරිපත් කර නොමැති බැවින් ක්රියාව සම්පූර්ණ කල නොහැක DocType: Subscription,Trial Period End Date,පරීක්ෂණ කාලය අවසන් වන දිනය +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,එකම මාරුවකදී IN සහ OUT ලෙස විකල්ප ඇතුළත් කිරීම් DocType: BOM Update Tool,The new BOM after replacement,නව BOM ආදේශනය කිරීමෙන් පසුව +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම්කරු වර්ගය apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,අයිතමය 5 DocType: Employee,Passport Number,ගමන් බලපත්ර අංකය apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,තාවකාලික විවෘත කිරීම @@ -3235,6 +3263,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,ප්රධාන වාර apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,හැකි සැපයුම්කරු ,Issued Items Against Work Order,වැඩ පිළිවෙලට එරෙහිව නිකුත් කළ අයිතම apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} ඉන්වොයිසියක් නිර්මාණය කිරීම +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,කරුණාකර අධ්‍යාපනය> අධ්‍යාපන සැකසුම් තුළ උපදේශක නම් කිරීමේ පද්ධතිය සකසන්න DocType: Student,Joining Date,බැඳීමේ දිනය apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,වෙබ් අඩවිය ඉල්ලීම DocType: Purchase Invoice,Against Expense Account,වියදම් ගිණුමට එරෙහිව @@ -3274,6 +3303,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,අදාල ගාස්තු ,Point of Sale,විකිණුම් ලක්ෂ්යය DocType: Authorization Rule,Approving User (above authorized value),අනුමත කරන ලද පරිශීලකයා +DocType: Service Level Agreement,Entity,ආයතනය apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{0} {1} ප්රමාණයෙන් {2} සිට {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},පාරිභෝගිකයා {0} ව්යාපෘතියට අයත් නොවේ {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,පක්ෂ නමෙන් @@ -3378,7 +3408,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,වත්කම් අයිතිකරු apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},තොගය සඳහා ගබඩාව {0} කොටස් {1} DocType: Stock Entry,Total Additional Costs,මුළු අතිරේක පිරිවැය -DocType: Marketplace Settings,Last Sync On,අවසාන සමමුහුර්ත කිරීම apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,කරුණාකර බදු සහ ගාස්තු වගුවෙහි අවම වශයෙන් එක් පේළියක් සකසන්න DocType: Asset Maintenance Team,Maintenance Team Name,නඩත්තු කණ්ඩායම නම apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,පිරිවැය මධ්යස්ථානවල සිතියම @@ -3394,12 +3423,12 @@ DocType: Sales Order Item,Work Order Qty,වැඩ පිළිවෙල Qty DocType: Job Card,WIP Warehouse,WIP ගබඩාව DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},පරිශීලක හැඳුනුම්පත සඳහා පරිශීලක හැඳුනුම්පත {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","පවතින qty යනු {0}, ඔබට අවශ්යය {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,පරිශීලකයා {0} නිර්මාණය කරන ලදි DocType: Stock Settings,Item Naming By,අයිතමය නම් කිරීම apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,නිෙයෝග කරන ලදි apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,මෙය මූල පාරිභෝගික කණ්ඩායමක් සංස්කරණය කළ නොහැක. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,ද්රව්ය ඉල්ලීම {0} අවලංගු කිරීම හෝ නතර කිරීම +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,සේවක චෙක්පින් හි ලොග් වර්ගය මත දැඩි ලෙස පදනම් වේ DocType: Purchase Order Item Supplied,Supplied Qty,සැපයුම් Qty DocType: Cash Flow Mapper,Cash Flow Mapper,මුදල් ප්රවාහ මාපකය DocType: Soil Texture,Sand,වැලි @@ -3457,6 +3486,7 @@ DocType: Lab Test Groups,Add new line,නව රේඛාව එකතු කර apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,අයිතම කාණ්ඩයේ වගුවේ සොයාගත හැකි අනුපිටපත් අයිතම කාණ්ඩයක් apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,වාර්ෂික වැටුප DocType: Supplier Scorecard,Weighting Function,බර කිරිමේ කාර්යය +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,නිර්ණායක සූත්රය තක්සේරු කිරීමේ දෝෂයකි ,Lab Test Report,පරීක්ෂණ පරීක්ෂණ වාර්තාව DocType: BOM,With Operations,මෙහෙයුම් සමඟ @@ -3482,9 +3512,11 @@ DocType: Supplier Scorecard Period,Variables,විචල්යයන් apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,පාරිභෝගිකයා සඳහා වූ තවත් ලැදියා වැඩසටහනක්. කරුණාකර අතින් තෝරා ගන්න. DocType: Patient,Medication,බෙහෙත් apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,ලෝයල්ටි වැඩසටහන තෝරන්න +DocType: Employee Checkin,Attendance Marked,පැමිණීම සලකුණු කර ඇත apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,අමු ද්රව්ය DocType: Sales Order,Fully Billed,සම්පුර්ණයෙන්ම බිල්පත් apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},කරුණාකර හෝටල් කාමර ගාස්තු {{ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,පෙරනිමියෙන් එක් ප්‍රමුඛතාවයක් පමණක් තෝරන්න. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},කරුණාකර ටයිප් කිරීම සඳහා කරුණාකර ගිණුම (ලෙජරය) හඳුනා ගන්න. {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,සමස්ථ ණය / හර ණය ප්රමාණය ආශ්රිත ජර්නල් සටහන් ඇතුළත් කළ යුතුය DocType: Purchase Invoice Item,Is Fixed Asset,ස්ථාවර වත්කම් @@ -3505,6 +3537,7 @@ DocType: Purpose of Travel,Purpose of Travel,සංචාරයේ අරමු DocType: Healthcare Settings,Appointment Confirmation,පත්වීම් ස්ථිර කිරීම DocType: Shopping Cart Settings,Orders,නියෝග DocType: HR Settings,Retirement Age,විශ්රාමික වයස +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර පැමිණීම සඳහා අංකනය කිරීමේ ශ්‍රේණිය සැකසුම> අංකනය මාලාව හරහා සකසන්න apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,ප්රක්ෂේපිත Q. apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},රටකට මකාදැමීම රටට අවසර නැත {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},පේළිය # {0}: වත්කම් {1} දැනටමත් {2} @@ -3588,11 +3621,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,ගණකාධිකාරී apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS අවසන් කිරීමේ වවුචරය alreday පවතී {0} අතර දිනය {1} සහ {2} apps/erpnext/erpnext/config/help.py,Navigating,ගමන් කිරීම +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,කැපී පෙනෙන ඉන්වොයිසි සඳහා විනිමය අනුපාත නැවත ඇගයීමක් අවශ්‍ය නොවේ DocType: Authorization Rule,Customer / Item Name,ගණුදෙනුකරු / අයිතම නම apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,නව අනුපිළිවෙලට ගබඩාවක් තිබිය නොහැක. ගබඩා ප්රවේශය හෝ මිලදී ගැනීමේ රිසිට්පතෙන් ගබඩාව සකස් කළ යුතුය DocType: Issue,Via Customer Portal,ගනුදෙනුකාර ද්වාරය හරහා DocType: Work Order Operation,Planned Start Time,සැලසුම් කළ ආරම්භක කාලය apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} යනු {2} +DocType: Service Level Priority,Service Level Priority,සේවා මට්ටමේ ප්‍රමුඛතාවය apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,වෙන්කරන ලද අවප්රමාණයන් ගණන අවප්රමාණය කළ මුළු ගණනට වඩා විශාල විය නොහැකිය apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Share ලෙජරය DocType: Journal Entry,Accounts Payable,ගෙවිය යුතු ගිණුම් @@ -3702,7 +3737,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,වෙත ලබාදීම DocType: Bank Statement Transaction Settings Item,Bank Data,බැංකු දත්ත apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,උපලේඛනගත කිරීම -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,කාල සටහන් කාලවලදී බිල්පත් පැය හා වැඩ කරන පැය පවත්වා ගන්න apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,ඊයම් ප්රභවයෙන් මඟ පෙන්වීම DocType: Clinical Procedure,Nursing User,හෙද පරිශීලකයා DocType: Support Settings,Response Key List,ප්රතිචාර යතුරු ලැයිස්තුව @@ -3935,6 +3969,7 @@ DocType: Patient Encounter,In print,මුද්රණය දී apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0} සඳහා තොරතුරු ලබාගත නොහැක. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,බිල්පත් මුදල් ගෙවීම් පැහැර හරින සමාගමක මුදලින් හෝ පාර්ශවීය ගිණුම් මුදලකට සමාන විය යුතුය apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,කරුණාකර මෙම අලෙවිකරුගේ සේවක අංකය ඇතුලත් කරන්න +DocType: Shift Type,Early Exit Consequence after,මුල් පිටවීමේ ප්‍රතිවිපාක පසු apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,විකුණුම් සහ මිලදී ගැනීම් ඉන්වොයිස් විවෘත කිරීම DocType: Disease,Treatment Period,ප්රතිකාර කාලය apps/erpnext/erpnext/config/settings.py,Setting up Email,ඊ-තැපැල් කිරීම @@ -3952,7 +3987,6 @@ DocType: Employee Skill Map,Employee Skills,සේවක නිපුණතා apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,ශිෂ්ය නම: DocType: SMS Log,Sent On,යැවූ සේක DocType: Bank Statement Transaction Invoice Item,Sales Invoice,විකුණුම් ඉන්වොයිසිය -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,විසඳීමේ වේලාව විසඳීමේ වේලාවට වඩා වැඩි විය නොහැක DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","පාඨමාලා හැදෑරූ ශිෂ්ය කණ්ඩායම් සඳහා, පාඨමාලාවට ඇතුලත් කර ඇති පාඨමාලා වලින් සෑම ශිෂ්යයකු සඳහාම පාඨමාලාව තක්සේරු කරනු ලැබේ." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,අභ්යන්තර සැපයුම් DocType: Employee,Create User Permission,පරිශීලක අවසරය සාදන්න @@ -3991,6 +4025,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,විකිණුම් හෝ මිලදී ගැනීම් සඳහා සම්මත ගිවිසුම් කොන්දේසි. DocType: Sales Invoice,Customer PO Details,පාරිභෝගික සේවා විස්තරය apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,රෝගියා සොයාගත නොහැකි විය +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,පෙරනිමි ප්‍රමුඛතාවයක් තෝරන්න. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,එම අයිතමය සඳහා ගාස්තු අදාල නොවේ නම් අයිතමය ඉවත් කරන්න apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,පාරිභෝගික කණ්ඩායමක් එකම නමක් ඇත. කරුණාකර පාරිභෝගික නම හෝ පාරිභෝගික කණ්ඩායම වෙනස් කරන්න 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. @@ -4029,6 +4064,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),සමස්ත විය DocType: Quality Goal,Quality Goal,තත්ත්ව පරමාර්ථය DocType: Support Settings,Support Portal,උපකාරක ද්වාරය apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},සේවකයා {0} නිවාඩු දී {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},මෙම සේවා මට්ටමේ ගිවිසුම පාරිභෝගිකයාට විශේෂිත වේ {0} DocType: Employee,Held On,පවත්වන ලදි DocType: Healthcare Practitioner,Practitioner Schedules,වෘත්තිකයන් කාලසටහන් DocType: Project Template Task,Begin On (Days),ආරම්භය (දින) @@ -4036,6 +4072,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},වැඩ පිළිවෙල {0} DocType: Inpatient Record,Admission Schedule Date,ඇතුළත් වීමේ උපලේඛන දිනය apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,වත්කම් අගය සකස් කිරීම +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,මෙම මාරුවට අනුයුක්ත කර ඇති සේවකයින් සඳහා 'සේවක පිරික්සුම' මත පදනම්ව පැමිණීම සලකුණු කරන්න. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,ලියාපදිංචි නොකළ පුද්ගලයින්ට සැපයුම් apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,සියලු රැකියා DocType: Appointment Type,Appointment Type,පත්වීම් වර්ගය @@ -4149,7 +4186,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),පැකේජයේ දළ බර. සාමාන්යයෙන් බර + ඇසුරුම් ද්රව්ය බර. (මුද්රිත) DocType: Plant Analysis,Laboratory Testing Datetime,ඩී apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,අයිතමය {0} ට නොහැකි විය හැක -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,වේදිකාවේ විකුණුම් පොම්පය apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,ශිෂ්ය කණ්ඩායම් ශක්තිය DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,බැංකු ප්රකාශය DocType: Purchase Order,Get Items from Open Material Requests,විවෘත ද්රව්ය ඉල්ලීම් වලින් භාණ්ඩ ලබා ගන්න @@ -4229,7 +4265,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,ගබඩා ගබඩාව පෙන්වන්න-ප්රඥාව DocType: Sales Invoice,Write Off Outstanding Amount,නොකළ ප්රමාණය ඉවත් කරන්න DocType: Payroll Entry,Employee Details,සේවක විස්තර -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,ආරම්භක වේලාව {0} සඳහා අවසාන කාලය වඩා වැඩි විය නොහැක. DocType: Pricing Rule,Discount Amount,වට්ටම් මුදල DocType: Healthcare Service Unit Type,Item Details,අයිතම විස්තරය apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js,From Delivery Note,බෙදාහැරීමේ සටහන @@ -4281,7 +4316,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,ශුද්ධ ගෙවීම් ඍණ විය නොහැක apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,අන්තර් ක්රියාකාරී සංඛ්යාව 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/hr/doctype/employee/employee_dashboard.py,Shift,වෙනස් කරන්න +DocType: Attendance,Shift,වෙනස් කරන්න apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,සැකසීමේ සටහන සහ පාර්ශවයන් DocType: Stock Settings,Convert Item Description to Clean HTML,HTML හී පිරිසිදු කිරීමට අයිතමය වින්යාස කරන්න apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,සියලු සැපයුම් කණ්ඩායම් @@ -4352,6 +4387,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,සේවය DocType: Healthcare Service Unit,Parent Service Unit,ෙදමාපිය ෙසේවා ඒකකය DocType: Sales Invoice,Include Payment (POS),ගෙවීම් (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,පුද්ගලික කොටස් +DocType: Shift Type,First Check-in and Last Check-out,පළමු පිරික්සුම සහ අවසන් පිරික්සුම DocType: Landed Cost Item,Receipt Document,රිසිට් පත DocType: Supplier Scorecard Period,Supplier Scorecard Period,සැපයුම්කරුවන් ලකුණු කාලය DocType: Employee Grade,Default Salary Structure,පඩිපාලක ව්යුහය @@ -4434,6 +4470,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,මිලදී ගැනීමේ නියෝගයක් නිර්මාණය කරන්න apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,මූල්ය වර්ෂය සඳහා අයවැය නිශ්චය කරන්න. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,ගිණුම් වගුව හිස්ව තැබිය නොහැක. +DocType: Employee Checkin,Entry Grace Period Consequence,ඇතුළත් වීමේ වර්‍ගයේ ප්‍රතිවිපාකය ,Payment Period Based On Invoice Date,ඉන්වොයිස් දිනය මත ගෙවීම් කාලය apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},අයිතමය සඳහා උප්පැන්න දිනය පෙර ස්ථාපන දිනය {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,ද්රව්ය ඉල්ලීම සම්බන්ධ කිරීම @@ -4454,6 +4491,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,ඉන්ධන apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,ගාඩියන් 1 ජංගම අංක DocType: Invoice Discounting,Disbursed,උපෙයෝජනය කරනු ලැෙබ් +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,පැමිණීම සඳහා පිටවීම සලකා බලනු ලබන මාරුව අවසන් වූ වේලාව. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,ගෙවිය යුතු ගිණුම්වල ශුද්ධ වෙනස්වීම් apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,ලද නොහැක apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,අර්ධ කාලීන @@ -4467,7 +4505,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,වි apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,මුද්රණයේදී PDC පෙන්වන්න apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,සාප්පු සැපයුම්කරු DocType: POS Profile User,POS Profile User,POS පැතිකඩ පරිශීලක -DocType: Student,Middle Name,මැද නම DocType: Sales Person,Sales Person Name,විකුණුම් පුද්ගලයාගේ නම DocType: Packing Slip,Gross Weight,දළ බර DocType: Journal Entry,Bill No,පනත් කෙටුම්පත අංක @@ -4476,7 +4513,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,න DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,සේවා මට්ටමේ ගිවිසුම -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,කරුණාකර පළමුව සේවකයා සහ දිනය තෝරන්න apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,භාණ්ඩ පිරිවැය වවුචර් මුදල සැලකිල්ලට ගනිමින් අයිතමයන් තක්සේරු කිරීමේ අනුපාතය නැවත සලකා බලනු ලැබේ DocType: Timesheet,Employee Detail,සේවක විස්තර DocType: Tally Migration,Vouchers,වවුචර් @@ -4511,7 +4547,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,සේවා ම DocType: Additional Salary,Date on which this component is applied,මෙම සංරචකය අදාළ වන දිනය apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,කොටස් හිමියන්ගේ කොටස් ලැයිස්තුගත කිරීම apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup ගේට්වේ ගිණුම්. -DocType: Service Level,Response Time Period,ප්රතිචාර කාල වේලාව +DocType: Service Level Priority,Response Time Period,ප්රතිචාර කාල වේලාව DocType: Purchase Invoice,Purchase Taxes and Charges,මිලට ගැනීම බදු සහ ගාස්තු DocType: Course Activity,Activity Date,ක්රියාකාරකම් දිනය apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,නව ගනුදෙනුකරුවකු තෝරන්න හෝ එකතු කරන්න @@ -4536,6 +4572,7 @@ DocType: Sales Person,Select company name first.,මුලින්ම සමා apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,මූල්ය වර්ෂය DocType: Sales Invoice Item,Deferred Revenue,විෙමෝචිත ආදායම් apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,විකිණීමෙන් හෝ මිලට ගැනීමෙන් එකක් තෝරා ගත යුතුය +DocType: Shift Type,Working Hours Threshold for Half Day,වැඩ කරන පැය භාගය සඳහා සීමාව ,Item-wise Purchase History,අයිතමය මිලදී ගැනීමේ ඉතිහාසය apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},පේළියෙහි අයිතමය සඳහා සේවා නැවතුම් දිනය වෙනස් කළ නොහැක {0} DocType: Production Plan,Include Subcontracted Items,උප කොන්ත්රාත් භාණ්ඩ ඇතුළත් කරන්න @@ -4568,6 +4605,7 @@ DocType: Journal Entry,Total Amount Currency,සම්පූර්ණ මුද DocType: BOM,Allow Same Item Multiple Times,එකම අයිතමය බහු වාර ගණනට ඉඩ දෙන්න apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,BOM නිර්මාණය කරන්න DocType: Healthcare Practitioner,Charges,ගාස්තු +DocType: Employee,Attendance and Leave Details,පැමිණීම සහ නිවාඩු විස්තර DocType: Student,Personal Details,පුද්ගලික තොරතුරු DocType: Sales Order,Billing and Delivery Status,බිල්පත් කිරීම සහ සැපයුම් තත්ත්වය apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,පේළිය {0}: සැපයුම්කරු සඳහා {0} විද්යුත් තැපැල් යැවීම සඳහා විද්යුත් තැපැල් ලිපිනය අවශ්ය වේ @@ -4619,7 +4657,6 @@ DocType: Bank Guarantee,Supplier,සැපයුම්කරු apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},{0} සහ {1} DocType: Purchase Order,Order Confirmation Date,ඇණවුම් කිරීමේ දිනය DocType: Delivery Trip,Calculate Estimated Arrival Times,ඇස්තමේන්තුගත පැමිණීමේ වේලාවන් ගණනය කරන්න -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,කරුණාකර සේවක නම් කිරීමේ පද්ධතිය මානව සම්පත්> මානව සම්පත් සැකසුම් තුළ සකසන්න apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,අත්යවශ්යයි DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,දායකත්වය ආරම්භක දිනය @@ -4641,7 +4678,7 @@ DocType: Installation Note Item,Installation Note Item,ස්ථාපන සට DocType: Journal Entry Account,Journal Entry Account,ජර්නල් ප්රවේශ ගිණුම apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,ප්රභවය apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,සංසද ක්රියාකාරිත්වය -DocType: Service Level,Resolution Time Period,විසඳීමේ කාල සීමාව +DocType: Service Level Priority,Resolution Time Period,විසඳීමේ කාල සීමාව DocType: Request for Quotation,Supplier Detail,සැපයුම්කරුගේ විස්තර DocType: Project Task,View Task,කාර්යය බලන්න DocType: Serial No,Purchase / Manufacture Details,මිලදී ගැනීම / නිෂ්පාදන විස්තර @@ -4708,6 +4745,7 @@ DocType: Sales Invoice,Commission Rate (%),කොමිෂන් සභා අ DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,ගබඩා සංචිතය / ලබා ගැනීම සටහන / මිලදී ගැනීමේ රිසිට්පත හරහා පමණක් වෙනස් කළ හැකිය DocType: Support Settings,Close Issue After Days,දිනෙන් පසු ගැටලුව විසඳන්න DocType: Payment Schedule,Payment Schedule,ගෙවීම් උපලේඛනය +DocType: Shift Type,Enable Entry Grace Period,ඇතුළත් වීමේ වර්‍ග කාලය සක්‍රීය කරන්න DocType: Patient Relation,Spouse,කලත්රයා DocType: Purchase Invoice,Reason For Putting On Hold,කල් තබාගැනීම සඳහා හේතුව DocType: Item Attribute,Increment,වැඩිවීම @@ -4845,6 +4883,7 @@ DocType: Authorization Rule,Customer or Item,ගණුදෙනුකරු හ DocType: Vehicle Log,Invoice Ref,ඉන්වොයිසිය Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-ආකෘතිය ඉන්වොයිස් සඳහා අදාල නොවේ: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,ඉන්වොයිසිය සෑදේ +DocType: Shift Type,Early Exit Grace Period,මුල් පිටවීමේ වර්‍ග කාලය DocType: Patient Encounter,Review Details,සමාලෝචනය apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,පේළිය {0}: ශුන්යයට වඩා වැඩි වේ. DocType: Account,Account Number,ගිණුම් අංකය @@ -4856,7 +4895,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","සමාගම SpA, SApA හෝ SRL යන නම් අදාළ වේ" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,අතර හමු වූ අතිරේක කොන්දේසි: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,ගෙවන ලද සහ නොගෙවූ -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,අයිතමය ස්වයංක්රීයව අංකනය නොකිරීම නිසා අයිතම කේතය අනිවාර්ය වේ DocType: GST HSN Code,HSN Code,HSN කේතය DocType: GSTR 3B Report,September,සැප්තැම්බර් apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,පරිපාලන වියදම් @@ -4901,6 +4939,7 @@ DocType: Healthcare Service Unit,Vacant,පුරප්පාඩු DocType: Opportunity,Sales Stage,විකුණුම් අදියර DocType: Sales Order,In Words will be visible once you save the Sales Order.,විකුණුම් නියෝගය සුරැකීමෙන් පසු වචනවල දෘෂ්ටි වනු ඇත. DocType: Item Reorder,Re-order Level,නැවත පිළිවෙළ මට්ටම +DocType: Shift Type,Enable Auto Attendance,ස්වයංක්‍රීය පැමිණීම සක්‍රීය කරන්න apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,මනාපය ,Department Analytics,දෙපාර්තමේන්තු විශ්ලේෂණ DocType: Crop,Scientific Name,විද්යාත්මක නාමය @@ -4913,6 +4952,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} තත්ව DocType: Quiz Activity,Quiz Activity,Quiz ක්රියාකාරිත්වය apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} වලංගු පඩිපත් කාලය තුල නොමැත DocType: Timesheet,Billed,බිල්පත් +apps/erpnext/erpnext/config/support.py,Issue Type.,නිකුත් කිරීමේ වර්ගය. DocType: Restaurant Order Entry,Last Sales Invoice,අවසාන විකුණුම් ඉන්වොයිසිය DocType: Payment Terms Template,Payment Terms,ගෙවීම් කොන්දේසි apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",වෙන් කළ මුදල: විකිණිම සඳහා ප්රමාණවත් මුදලක් නොලැබේ. @@ -5008,6 +5048,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,වත්කම apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} සෞඛ්ය ආරක්ෂණ වෘත්තිකයින්ට නැත. සෞඛ්යාරක්ෂක අභ්යාසයේ ප්රධානියා එය එකතු කරන්න DocType: Vehicle,Chassis No,චැසි අංකය +DocType: Employee,Default Shift,පෙරනිමි මාරුව apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,සමාගම් කෙටි කිරීම apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,ද්රව්ය බිල් පත්රය DocType: Article,LMS User,LMS පරිශීලක @@ -5056,6 +5097,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,මව් විකුණුම් පුද්ගලයා DocType: Student Group Creation Tool,Get Courses,පාඨමාලා ලබා ගන්න apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","පේළිය # {0}: Qty 1 විය යුතුය, අයිතමය යනු ස්ථාවර වත්කමකි. කරුණාකර තවත් qty සඳහා වෙනම පේළියක් භාවිතා කරන්න." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),නොපැමිණීම සලකුණු කර ඇති වැඩ කරන වේලාවට පහළින්. (අක්‍රීය කිරීමට ශුන්‍යය) DocType: Customer Group,Only leaf nodes are allowed in transaction,ගනුදෙනුවලදී පත්ර කොළ පමණක් අවසර ලබා ඇත DocType: Grant Application,Organization,සංවිධානය DocType: Fee Category,Fee Category,ගාස්තු වර්ගය @@ -5068,6 +5110,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,මෙම පුහුණු අවස්ථාවට ඔබගේ තත්ත්වය යාවත්කාලීන කරන්න DocType: Volunteer,Morning,උදෑසන DocType: Quotation Item,Quotation Item,මිල කැඳවීම +apps/erpnext/erpnext/config/support.py,Issue Priority.,ප්‍රමුඛතාවය නිකුත් කරන්න. DocType: Journal Entry,Credit Card Entry,ක්රෙඩිට් කාඩ් ප්රවේශය apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","ස්ලට් පථය අතුගා දැමූ අතර, ස්ලට් {0} සිට {1} දක්වා ඇති විනිවිදක ස්තරය {2} සිට {3}" DocType: Journal Entry Account,If Income or Expense,ආදායම් හෝ වියදම @@ -5116,11 +5159,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,දත්ත ආයාත කිරීම සහ සැකසීම් 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: Account,Expense Account,වියදම් ගිණුම +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,සේවක පිරික්සුම පැමිණීම සඳහා සලකා බලනු ලබන මාරුව ආරම්භක වේලාවට පෙර කාලය. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,ගාඩියන් සමග සම්බන්ධතාවය 1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,ඉන්වොයිසියක් සාදන්න apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},ගෙවීම් ඉල්ලීම දැනටමත් පවතී {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} මත සේවක සේවිකාවන් ලිහිල් කළ යුතුය 'වම' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},{0} {1} +DocType: Company,Sales Settings,විකුණුම් සැකසුම් DocType: Sales Order Item,Produced Quantity,නිෂ්පාදිත ප්රමාණය apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,පහත දැක්වෙන සබැඳිය ක්ලික් කිරීමෙන් මිල ගණන් කැඳවීම සඳහා ප්රවේශ විය හැකිය DocType: Monthly Distribution,Name of the Monthly Distribution,මාසික බෙදාහැරීමේ නම @@ -5199,6 +5244,7 @@ DocType: Company,Default Values,පෙරනිමි අගයන් apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,විකිණුම් සහ මිලදී ගැනීම සඳහා පෙරනිමි බදු ආකෘති නිර්මාණය කර ඇත. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Leave වර්ගය {0} වර්ගය ඉදිරියට ගෙන යා නොහැක apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,හර කිරීම ලැබිය යුතු ගිණුම සඳහා ගිණුම විය යුතුය +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},ගබඩාව {0} හෝ ව්යාපාරයේ පෙරගෙවුම් ඉන්වොයිසියේ ගිණුමක් සකසන්න {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,පෙරනිමි ලෙස සකසන්න DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),මෙම පැකේජයේ ශුද්ධ බර. (අයිතම ස්වයංක්රීයව ගණනය කරනු ලැබේ) @@ -5225,8 +5271,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,කල්ඉකුත්වී ඇත DocType: Shipping Rule,Shipping Rule Type,නැව් පාලක වර්ගය DocType: Job Offer,Accepted,පිළිගත්තා -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","මෙම ලේඛනය අවලංගු කිරීමට කරුණාකර සේවකයා {0} delete මකන්න" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,ඔබ දැනටමත් තක්සේරු ක්රමවේදයන් සඳහා තක්සේරු කර ඇත {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,කාණ්ඩ අංක තෝරන්න apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),වයස් (දින) @@ -5253,6 +5297,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,ඔබගේ වසම් තෝරන්න DocType: Agriculture Task,Task Name,කාර්යයේ නම apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,වැඩ පිළිවෙළ සඳහා දැනටමත් නිර්මාණය කර ඇති කොටස් ප්රවේශයන් +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","මෙම ලේඛනය අවලංගු කිරීමට කරුණාකර සේවකයා {0} delete මකන්න" ,Amount to Deliver,ලබා දෙන මුදල apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,සමාගම {0} නොමැත apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,ලබා දුන් අයිතම සඳහා සම්බන්ධ කිරීම සඳහා අවශ්ය ද්රව්ය ද්රව්ය ඉල්ලීම් කිසිවක් නොමැත. @@ -5301,6 +5347,7 @@ DocType: Program Enrollment,Enrolled courses,පාඨමාලා DocType: Lab Prescription,Test Code,ටෙස්ට් සංග්රහය DocType: Purchase Taxes and Charges,On Previous Row Total,පෙර Row Total මත DocType: Student,Student Email Address,ශිෂ්ය ඊමේල් ලිපිනය +,Delayed Item Report,ප්‍රමාද වූ අයිතම වාර්තාව DocType: Academic Term,Education,අධ්යාපන DocType: Supplier Quotation,Supplier Address,සැපයුම්කරුගේ ලිපිනය DocType: Salary Detail,Do not include in total,මුලුමනින්ම ඇතුළත් නොකරන්න @@ -5308,7 +5355,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} නොමැත DocType: Purchase Receipt Item,Rejected Quantity,ප්රතික්ෂේපිත ප්රමානය DocType: Cashier Closing,To TIme,ටිමෝ -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: Daily Work Summary Group User,Daily Work Summary Group User,දෛනික වැඩ සාරාංශ සමූහ පරිශීලක DocType: Fiscal Year Company,Fiscal Year Company,රාජ්ය මූල්ය සමාගම apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,විකල්ප අයිතම අයිතමය කේතයට සමාන නොවිය යුතුය @@ -5360,6 +5406,7 @@ DocType: Program Fee,Program Fee,වැඩසටහන් ගාස්තු DocType: Delivery Settings,Delay between Delivery Stops,Delivery Stops අතර ප්රමාද වීම DocType: Stock Settings,Freeze Stocks Older Than [Days],ෆ්රීඩම් ස්ටෝට්ස් පැරණි [දින] DocType: Promotional Scheme,Promotional Scheme Product Discount,ප්රවර්ධන සැලැස්ම නිෂ්පාදන වට්ටම් +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ප්‍රමුඛතාවය නිකුත් කිරීම දැනටමත් පවතී DocType: Account,Asset Received But Not Billed,වත්කම් ලැබු නමුත් බිල්පත් නොලැබේ DocType: POS Closing Voucher,Total Collected Amount,මුළු එකතුව DocType: Course,Default Grading Scale,පෙරනිමි ශ්රේණිගත කිරීමේ පරිමාණය @@ -5402,6 +5449,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,ඉටු කරන නියමයන් apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,කණ්ඩායම් නොවන කණ්ඩායම් වලට DocType: Student Guardian,Mother,මව +DocType: Issue,Service Level Agreement Fulfilled,සේවා මට්ටමේ ගිවිසුම ඉටු විය DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,සේවක ප්රතිලාභ නොලැබීම සඳහා බදු DocType: Travel Request,Travel Funding,සංචාරක අරමුදල් DocType: Shipping Rule,Fixed,ස්ථාවර @@ -5431,10 +5479,12 @@ DocType: Item,Warranty Period (in days),වගකීම් කාලය (දි apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,අයිතම හමු නොවිනි. DocType: Item Attribute,From Range,පරාසය සිට DocType: Clinical Procedure,Consumables,පාරිභෝජනය +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'සේවක_ ක්ෂේත්‍ර_ අගය' සහ 'කාලරාමුව' අවශ්‍ය වේ. DocType: Purchase Taxes and Charges,Reference Row #,යොමු අංක පේලිය # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},කරුණාකර සමාගමෙන් වත්කම් ක්ෂයවීම් පිරිවැය මධ්යස්ථානයක් සකසන්න {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,පේළිය # {0}: පත්රිකාව සම්පූර්ණ කිරීම සඳහා ගෙවීම් ලේඛනය අවශ්ය වේ DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ඔබේ විකුණුම් නියෝගය Amazon MWS වෙතින් ලබා ගැනීම සඳහා මෙම බොත්තම ක්ලික් කරන්න. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),අර්ධ දිනය සලකුණු කර ඇති වැඩ කරන වේලාවට පහළින්. (අක්‍රීය කිරීමට ශුන්‍යය) ,Assessment Plan Status,තක්සේරු සැලැස්ම තත්වය apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,කරුණාකර {0} මුලින්ම තෝරන්න apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,සේවක වාර්තාව සෑදීමට මෙය ඉදිරිපත් කරන්න @@ -5505,6 +5555,7 @@ DocType: Quality Procedure,Parent Procedure,ෙදමාපිය apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,විවෘත කරන්න apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Toggle පෙරහන් DocType: Production Plan,Material Request Detail,ද්රව්ය ඉල්ලීම් විස්තර +DocType: Shift Type,Process Attendance After,පැමිණීමේ ක්‍රියාවලිය DocType: Material Request Item,Quantity and Warehouse,ප්රමාණය සහ ගබඩාව apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,වැඩසටහන් වෙත යන්න apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},පේළිය # {0}: පරිශීලන අනුපිටපත් ඇතුලත් කිරීම {1} {2} @@ -5562,6 +5613,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,පක්ෂ තොරතුරු apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),ණයකරු ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,මේ දක්වා සේවකයාගේ සහනදායි දිනයට වඩා වැඩි යමක් නැත +DocType: Shift Type,Enable Exit Grace Period,පිටවීමේ වර්‍ග කාලය සක්‍රීය කරන්න DocType: Expense Claim,Employees Email Id,සේවක විද්යුත් ලිපිනය DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify සිට ERPNext මිල ලැයිස්තුවෙන් මිල යාවත්කාලීන කරන්න DocType: Healthcare Settings,Default Medical Code Standard,සම්මත වෛද්ය කේත ප්රමිතිය @@ -5592,7 +5644,6 @@ DocType: Item Group,Item Group Name,අයිතම සමූහයේ නම DocType: Budget,Applicable on Material Request,ද්රව්ය ඉල්ලීම මත අදාළ වේ DocType: Support Settings,Search APIs,API සඳහා සොයන්න DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,විකුණුම් නියෝග සඳහා වැඩිපුර නිෂ්පාදනයක් -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,පිරිවිතර DocType: Purchase Invoice,Supplied Items,සැපයුම් අයිතම DocType: Leave Control Panel,Select Employees,සේවකයින් තෝරන්න apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},පොලී ආදායම් ගිණුමක් තෝරන්න {0} @@ -5618,7 +5669,7 @@ DocType: Salary Slip,Deductions,අඩුපාඩු ,Supplier-Wise Sales Analytics,සැපයුම්කරු-ප්රඥාව්ය විකුණුම් විශ්ලේෂණ DocType: GSTR 3B Report,February,පෙබරවාරි DocType: Appraisal,For Employee,සේවකයා සඳහා -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,සැබෑ සැපයුම් දිනය +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,සැබෑ සැපයුම් දිනය DocType: Sales Partner,Sales Partner Name,විකුණුම් සහකරු නම apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,ක්ෂය කිරීම් පේළි {0}: ක්ෂයවීම් ආරම්භක දිනය අතීත දිනය ලෙස ඇතුළත් කර ඇත DocType: GST HSN Code,Regional,කලාපීය @@ -5657,6 +5708,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,ස DocType: Supplier Scorecard,Supplier Scorecard,සැපයුම් සිතුවම් DocType: Travel Itinerary,Travel To,ගමන් කරන්න apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,මාක් පැමිණීම +DocType: Shift Type,Determine Check-in and Check-out,පිරික්සුම සහ පිටවීම තීරණය කරන්න DocType: POS Closing Voucher,Difference,වෙනස apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,කුඩා DocType: Work Order Item,Work Order Item,වැඩ පිළිවෙල අයිතමය @@ -5690,6 +5742,7 @@ DocType: Sales Invoice,Shipping Address Name,නැව්ගත කිරීම apps/erpnext/erpnext/healthcare/setup.py,Drug,මත්ද්රව්ය apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} වසා ඇත DocType: Patient,Medical History,වෛද්ය ඉතිහාසය +DocType: Expense Claim,Expense Taxes and Charges,වියදම් බදු සහ ගාස්තු DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,දායක මුදල අවලංගු කිරීමට හෝ දායක මුදල් නොගෙවීම සඳහා ඉන්වොයිසියේ දිනකට පසුව දින ගණනක් ගත වී ඇත apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,ස්ථාපන සටහන {0} දැනටමත් ඉදිරිපත් කර ඇත DocType: Patient Relation,Family,පවුලේ @@ -5721,7 +5774,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,ශක්තිය apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,මෙම ගනුදෙනුව සම්පූර්ණ කිරීමට {2} අවශ්ය වන {1} ඒකක {1}. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,මත පදනම් වූ උප කොන්ත්රාත්තුවේ Backflush අමුද්රව්ය -DocType: Bank Guarantee,Customer,පාරිභෝගික DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","සක්රීය නම්, වැඩසටහන් බඳවා ගැනීමේ මෙවලමෙහි ඇති ක්ෂේත්ර අධ්යයන වාරය අනිවාර්ය වේ." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",ශිෂ්ය කණ්ඩායම සඳහා ශිෂ්ය ශිෂ්ය කණ්ඩායම වැඩසටහනෙහි ඇතුළත් වීමෙන් සෑම ශිෂ්යයෙකු සඳහාම වලංගු වේ. DocType: Course,Topics,මාතෘකා @@ -5877,6 +5929,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),අවසාන (විවෘත කිරීම + මුළු එකතුව) DocType: Supplier Scorecard Criteria,Criteria Formula,නිර්වචනය apps/erpnext/erpnext/config/support.py,Support Analytics,සහාය විශ්ලේෂණ +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),පැමිණීමේ උපාංග හැඳුනුම්පත (ජෛවමිතික / ආර්එෆ් ටැග් හැඳුනුම්පත) apps/erpnext/erpnext/config/quality_management.py,Review and Action,සමාලෝචනය සහ ක්රියාකාරීත්වය DocType: Account,"If the account is frozen, entries are allowed to restricted users.","ගිණුම ශීත කළ හොත්, පරිශීලකයන්ට සීමා කිරීම සඳහා ප්රවේශයන් අවසර ලබා දෙනු ලැබේ." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,ක්ෂයවීමෙන් පසුව @@ -5898,6 +5951,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,ණය ආපසු ගෙවීම් DocType: Employee Education,Major/Optional Subjects,ප්රධාන / විකල්ප විෂයයන් DocType: Soil Texture,Silt,සිල්ට් +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,සැපයුම්කරුගේ ලිපිනයන් සහ සම්බන්ධතා DocType: Bank Guarantee,Bank Guarantee Type,බැංකු ඇපකරය වර්ගය DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","අක්රිය කලහොත්, 'Rounded Total' ක්ෂේත්රය ඕනෑම ගනුදෙනුවක දී දැකිය නොහැක" DocType: Pricing Rule,Min Amt,මිනිට් @@ -5935,6 +5989,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,ආරම්භක ඉන්වොයිස් සෑදීම මෙවලම අයිතමය DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,POS ගනුදෙනු +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ලබා දී ඇති සේවක ක්ෂේත්‍ර වටිනාකම සඳහා කිසිදු සේවකයෙකු හමු නොවීය. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),ලැබුණු මුදල (සමාගම් ව්යවහාර මුදල්) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",LocalStorage පිරී ඉතිරී නැත DocType: Chapter Member,Chapter Member,පරිච්ඡේදය @@ -5967,6 +6022,7 @@ DocType: SMS Center,All Lead (Open),සියලු නායක (විවෘ apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,කිසිදු ශිෂ්ය කණ්ඩායම් නිර්මාණය කළේ නැත. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},{0} සමග එකම අනුපිටපතක් {1} DocType: Employee,Salary Details,වැටුප් විස්තර +DocType: Employee Checkin,Exit Grace Period Consequence,අනුග්‍රහයෙන් ඉවත්ව යන්න DocType: Bank Statement Transaction Invoice Item,Invoice,ඉන්වොයිසිය DocType: Special Test Items,Particulars,විස්තර apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,කරුණාකර අයිතමය හෝ ගුදම් මත පදනම්ව පෙරහන් සකසන්න @@ -6067,6 +6123,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,AMC වෙතින් DocType: Job Opening,"Job profile, qualifications required etc.","රැකියා පැතිකඩ, සුදුසුකම් අවශ්ය වේ." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,නැව් රාජ්යය +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,ද්‍රව්‍යමය ඉල්ලීම ඉදිරිපත් කිරීමට ඔබට අවශ්‍යද? DocType: Opportunity Item,Basic Rate,මූලික වේගය DocType: Compensatory Leave Request,Work End Date,වැඩ අවසන් දිනය apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,අමු ද්රව්ය සඳහා ඉල්ලීම් @@ -6251,6 +6308,7 @@ DocType: Depreciation Schedule,Depreciation Amount,ක්ෂයවීම් ප DocType: Sales Order Item,Gross Profit,දළ ලාභය DocType: Quality Inspection,Item Serial No,අයිතමය අනු අංකය DocType: Asset,Insurer,රක්ෂණකරු +DocType: Employee Checkin,OUT,පිටතට apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,මිලදී ගැනීමේ මුදල DocType: Asset Maintenance Task,Certificate Required,සහතිකය අවශ්ය වේ DocType: Retention Bonus,Retention Bonus,රඳවා ගැනීමේ බෝනස් @@ -6452,7 +6510,6 @@ DocType: Travel Request,Costing,පිරිවැය apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,ස්ථාවර වත්කම් DocType: Purchase Order,Ref SQ,එස්.ඩී. DocType: Salary Structure,Total Earning,මුළු ආදායම -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,පාරිභෝගික> පාරිභෝගික කණ්ඩායම> ප්‍රදේශය DocType: Share Balance,From No,අංක සිට DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ගෙවීම් ප්රතිසන්ධානය ඉන්වොයිසිය DocType: Purchase Invoice,Taxes and Charges Added,බදු සහ ගාස්තු එකතු කරන ලදි @@ -6560,6 +6617,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,මිල නියම කිරීම නොසලකා හරින්න apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ආහාර DocType: Lost Reason Detail,Lost Reason Detail,නැතිවූ හේතුව විස්තරය +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},පහත දැක්වෙන අනුක්‍රමික අංක නිර්මාණය කරන ලදි:
{0} DocType: Maintenance Visit,Customer Feedback,පාරිභෝගික අදහස් DocType: Serial No,Warranty / AMC Details,වගකීම / AMC විස්තර DocType: Issue,Opening Time,ආරම්භක වේලාව @@ -6609,6 +6667,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,සමාගම් නම නොවේ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,උසස්වීම් දිනට පෙර සේවක ප්රවර්ධන කළ නොහැක apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} ට වඩා පැරණි කොටස් ගනුදෙනු යාවත්කාලීන කිරීමට ඉඩ නොදේ. +DocType: Employee Checkin,Employee Checkin,සේවක පිරික්සුම apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},ආරම්භක දිනය අයිතමය සඳහා අවසන් දිනයට වඩා අඩු විය යුතුය {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,ගනුදෙනුකරුවන්ගේ උපුටා දැක්වීම සාදන්න DocType: Buying Settings,Buying Settings,මිලදී ගැනීමේ සැකසීම් @@ -6630,6 +6689,7 @@ DocType: Job Card Time Log,Job Card Time Log,රැකියා කාඩ් ක DocType: Patient,Patient Demographics,රෝගීන්ගේ සංඛ්යාලේඛන DocType: Share Transfer,To Folio No,කාසියේ අංකය apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,මෙහෙයුම් වලින් මුදල් ප්රවාහය +DocType: Employee Checkin,Log Type,ලොග් වර්ගය DocType: Stock Settings,Allow Negative Stock,සෘණ කොටස් වලට ඉඩ දෙන්න apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,කිසිදු භාණ්ඩයක ප්රමාණය හෝ වටිනාකමේ වෙනසක් නැත. DocType: Asset,Purchase Date,මිලදීගත් දිනය @@ -6673,6 +6733,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,ඉතා හයිපර් apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,ඔබේ ව්යාපාරයේ ස්වභාවය තෝරන්න. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,කරුණාකර මාසය සහ අවුරුද්ද තෝරන්න +DocType: Service Level,Default Priority,පෙරනිමි ප්‍රමුඛතාවය DocType: Student Log,Student Log,ශිෂ්ය ලොග් DocType: Shopping Cart Settings,Enable Checkout,Checkout කරන්න apps/erpnext/erpnext/config/settings.py,Human Resources,මානව සම්පත් @@ -6701,7 +6762,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext සමඟ වෙළඳාම් කරන්න DocType: Homepage Section Card,Subtitle,උපසිරැසි DocType: Soil Texture,Loam,ලොම් -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම්කරු වර්ගය DocType: BOM,Scrap Material Cost(Company Currency),ඉවතලන ද්රව්ය පිරිවැය (සමාගම් ව්යවහාර මුදල්) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,බෙදාහැරීමේ සටහන {0} ඉදිරිපත් නොකළ යුතුය DocType: Task,Actual Start Date (via Time Sheet),සත්ය ආරම්භක දිනය (කාල සටහන මගින්) @@ -6757,6 +6817,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,ආහාරය DocType: Cheque Print Template,Starting position from top edge,ඉහළ කෙළවරේ සිට ස්ථානගත කිරීම apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),පත්වීම් කාලය (විනාඩි) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},මෙම සේවකයාට දැනටමත් එකම කාලරාමුව සහිත ලොගයක් ඇත. {0} DocType: Accounting Dimension,Disable,අක්රීය කරන්න DocType: Email Digest,Purchase Orders to Receive,ලැබීමට මිලදී ගැනීමේ නියෝග apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,නිශ්පාදන නියෝග සඳහා මතු කළ නොහැක: @@ -6772,7 +6833,6 @@ DocType: Production Plan,Material Requests,ද්රව්ය ඉල්ලීම DocType: Buying Settings,Material Transferred for Subcontract,උප කොන්ත්රාත්තුව සඳහා පැවරූ ද්රව්ය DocType: Job Card,Timing Detail,කාල නියමයන් apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,අවශ්යයි -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{0} ආනයනය කිරීම {1} DocType: Job Offer Term,Job Offer Term,රැකියා ඉදිරිපත් කිරීම DocType: SMS Center,All Contact,සියලු සබඳතා DocType: Project Task,Project Task,ව්යාපෘති කාර්යය @@ -6823,7 +6883,6 @@ DocType: Student Log,Academic,අධ්යයන apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,අයිතමය {0} අයිතමය මාස්ටර් සඳහා serial number සඳහා සකසා නැත apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,රාජ්යයෙන් DocType: Leave Type,Maximum Continuous Days Applicable,උපරිම අඛණ්ඩ දිනයක් අදාළ වේ -apps/erpnext/erpnext/config/support.py,Support Team.,සහාය කණ්ඩායම. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,කරුණාකර පළමු නමට නමක් ඇතුළත් කරන්න apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,ආනයනය සාර්ථකයි DocType: Guardian,Alternate Number,විකල්ප අංකය @@ -6914,6 +6973,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,පේළිය # {0}: අයිතමය එකතු කරන ලදි DocType: Student Admission,Eligibility and Details,සුදුසුකම් සහ විස්තර DocType: Staffing Plan,Staffing Plan Detail,කාර්ය මණ්ඩල සැලැස්ම විස්තර +DocType: Shift Type,Late Entry Grace Period,ප්‍රමාද ඇතුළත් වීමේ කාල සීමාව DocType: Email Digest,Annual Income,වාර්ෂික ආදායම DocType: Journal Entry,Subscription Section,දායකත්ව අංශය DocType: Salary Slip,Payment Days,ගෙවීම් දින @@ -6964,6 +7024,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,ගිණුම් ශේෂය DocType: Asset Maintenance Log,Periodicity,වාරිකය apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,වෛද්ය වාර්තාව +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,මාරුවෙහි වැටෙන පිරික්සුම් සඳහා ලොග් වර්ගය අවශ්‍ය වේ: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,ක්රියාත්මක කිරීම DocType: Item,Valuation Method,තක්සේරු ක්රමය apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},විකුණුම් ඉන්වොයිසියකට එරෙහිව {0} {1} @@ -7048,6 +7109,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,ඇස්තමේන DocType: Loan Type,Loan Name,ණය නම apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ගෙවීමේ පෙරනිමි ආකාරය සකසන්න DocType: Quality Goal,Revision,සංශෝධනය කිරීම +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,මාරුවීමේ අවසන් වේලාවට පෙර වේලාව පිටවීම කලින් (මිනිත්තු වලින්) ලෙස සලකනු ලැබේ. DocType: Healthcare Service Unit,Service Unit Type,සේවා ඒකකය වර්ගය DocType: Purchase Invoice,Return Against Purchase Invoice,මිලදී ගැනීමේ ඉන්වොයිසයට එළඹීම apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,රහස් නිර්මාණය කරන්න @@ -7202,12 +7264,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,විලවුන් DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,සුරැකීමට පෙර ලිපි මාලාවක් තේරීමට පරිශීලකයාට බල කිරීමට අවශ්ය නම් මෙය පරික්ෂා කරන්න. ඔබ මෙය පරික්ෂා කර බැලුවහොත් එහි පෙරනිමි නොවනු ඇත. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,මෙම භූමිකාව සමඟ භාවිතා කරන්නන් ශීත කළ ගිණුම් සකස් කිරීමට සහ ශීත කළ ගිණුම්වලට එරෙහිව ගිණුම් සටහන් සකස් කිරීම හෝ වෙනස් කිරීම සඳහා අවසර ලබා දී ඇත +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,අයිතම කේතය> අයිතම සමූහය> වෙළඳ නාමය DocType: Expense Claim,Total Claimed Amount,මුළු හිමිකම්ලාභී මුදල 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} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,ආවරණය කිරීම apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,ඔබගේ සාමාජිකත්වය දින 30 ක් ඇතුලත කල් ඉකුත් වන්නේ නම් පමණක් ඔබට අලුත් කළ හැකිය apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},අගය {0} සහ {1} අතර විය යුතුය DocType: Quality Feedback,Parameters,පරාමිතීන් +DocType: Shift Type,Auto Attendance Settings,ස්වයංක්‍රීය පැමිණීමේ සැකසුම් ,Sales Partner Transaction Summary,විකුණුම් හවුල්කරු ගනුදෙනුවේ සාරාංශය DocType: Asset Maintenance,Maintenance Manager Name,නඩත්තු කළමනාකරු නම apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,අයිතමය තොරතුරු ලබා ගැනීමට අවශ්ය වේ. @@ -7301,7 +7365,6 @@ DocType: Homepage,Company Tagline for website homepage,වෙබ් අඩවි DocType: Company,Round Off Cost Center,වට රවුම පිරිවැය මධ්යස්ථානය DocType: Supplier Scorecard Criteria,Criteria Weight,මිනුම් බර DocType: Asset,Depreciation Schedules,ක්ෂයවීම් ලේඛන -DocType: Expense Claim Detail,Claim Amount,හිමිකම් ප්රමාණය DocType: Subscription,Discounts,වට්ටම් DocType: Shipping Rule,Shipping Rule Conditions,නැව් නිශ්කාෂණ කොන්දේසි DocType: Subscription,Cancelation Date,අවලංගු කිරීමේ දිනය @@ -7329,7 +7392,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,සාදන්න apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,ශුන්ය අගයන් පෙන්වන්න DocType: Employee Onboarding,Employee Onboarding,සේවක ගුවන්යානය DocType: POS Closing Voucher,Period End Date,කාලය අවසන් වන දිනය -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,ප්රභවයෙන් විකුණුම් අවස්ථා DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,ලැයිස්තුෙව් පළමු අනුමත අනුමත පමාණය අනුමත අනුමත අනුමත කරනු ලැෙබ්. DocType: POS Settings,POS Settings,POS සැකසුම් apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,සියලු ගිණුම් @@ -7350,7 +7412,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,බැ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,පේළිය # {0}: අනුපාතය {1} සමාන වේ: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,සෞඛ්ය සේවා භාණ්ඩ -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,වාර්තා හමුවී නැත apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,වැඩිහිටි පරාසය 3 DocType: Vital Signs,Blood Pressure,රුධිර පීඩනය apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,ඉලක්කය මත @@ -7394,6 +7455,7 @@ DocType: Company,Existing Company,පවතින සමාගම apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,පැකට් apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,ආරක්ෂක DocType: Item,Has Batch No,අංක යාවත්කාලීන කර ඇත +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,ප්‍රමාද වූ දින DocType: Lead,Person Name,පුද්ගල නම DocType: Item Variant,Item Variant,අයිතම ප්රභේදය DocType: Training Event Employee,Invited,ආරාධිතයි @@ -7414,7 +7476,7 @@ DocType: Purchase Order,To Receive and Bill,ලැබීමට සහ බිල apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","ආරම්භක සහ අවසන් දින වල වලංගු පඩිපත් කාල පරිච්ඡේදයේදී නොව, {0} ගණනය කළ නොහැකි ය." DocType: POS Profile,Only show Customer of these Customer Groups,මෙම පාරිභෝගික කණ්ඩායම් සඳහා පාරිභෝගිකයින් පමණක් පෙන්වන්න apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ඉන්වොයිසිය සුරැකීමට අයිතම තෝරන්න -DocType: Service Level,Resolution Time,විසඳීමේ වේලාව +DocType: Service Level Priority,Resolution Time,විසඳීමේ වේලාව DocType: Grading Scale Interval,Grade Description,ශ්රේණි විස්තරය DocType: Homepage Section,Cards,කාඩ්පත් DocType: Quality Meeting Minutes,Quality Meeting Minutes,ගුණාත්මක රැස්වීම් වාර්ථා diff --git a/erpnext/translations/sk.csv b/erpnext/translations/sk.csv index 0ed47fbe55..f6f7a0f4d0 100644 --- a/erpnext/translations/sk.csv +++ b/erpnext/translations/sk.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Termín Dátum začiatku apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Schôdzka {0} a predajná faktúra {1} boli zrušené DocType: Purchase Receipt,Vehicle Number,Číslo vozidla apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Vaša emailová adresa... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Zahrnúť predvolené položky knihy +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Zahrnúť predvolené položky knihy DocType: Activity Cost,Activity Type,Typ aktivity DocType: Purchase Invoice,Get Advances Paid,Zaplatené zálohy DocType: Company,Gain/Loss Account on Asset Disposal,Zisk / strata na likvidácii majetku @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Čo to robí? DocType: Bank Reconciliation,Payment Entries,Platobné položky DocType: Employee Education,Class / Percentage,Trieda / percento ,Electronic Invoice Register,Elektronický register faktúr +DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Počet výskytov, po ktorých je dôsledok vykonaný." DocType: Sales Invoice,Is Return (Credit Note),Je návrat (kreditná poznámka) +DocType: Price List,Price Not UOM Dependent,Cena nie je závislá od UOM DocType: Lab Test Sample,Lab Test Sample,Vzorka laboratórneho testu DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Napríklad 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Vyhľadávanie p DocType: Salary Slip,Net Pay,Čistý plat apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Celkový fakturovaný Amt DocType: Clinical Procedure,Consumables Invoice Separately,Faktúra spotrebného materiálu samostatne +DocType: Shift Type,Working Hours Threshold for Absent,Prahová hodnota pracovnej doby pre neprítomnosť DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Rozpočet nie je možné priradiť ku kontu skupiny {0} DocType: Purchase Receipt Item,Rate and Amount,Sadzba a výška @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Nastaviť zdrojový sklad DocType: Healthcare Settings,Out Patient Settings,Out Patient Settings (Nastavenia pacienta) DocType: Asset,Insurance End Date,Dátum ukončenia poistenia DocType: Bank Account,Branch Code,Kód pobočky -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Čas na odpoveď apps/erpnext/erpnext/public/js/conf.js,User Forum,Užívateľské fórum DocType: Landed Cost Item,Landed Cost Item,Položka nákladových nákladov 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ť tí istí @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Vedúci vlastník DocType: Share Transfer,Transfer,prevod apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Položka vyhľadávania (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Výsledok bol odoslaný +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Od dátumu nemôže byť väčší ako k dnešnému dňu DocType: Supplier,Supplier of Goods or Services.,Dodávateľ tovaru alebo služieb. 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: Nevytvárajte účty pre zákazníkov a dodávateľov apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Študentská skupina alebo rozvrh kurzu je povinný @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Databáza po DocType: Skill,Skill Name,Názov zručnosti apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Vytlačiť kartu správy DocType: Soil Texture,Ternary Plot,Ternárny graf -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte Pomenovaciu sériu pre {0} cez Setup> Settings> Naming Series apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Podporné vstupenky DocType: Asset Category Account,Fixed Asset Account,Účet investičného majetku apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,najnovšie @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Vzdialenosť UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Povinné pre súvahu DocType: Payment Entry,Total Allocated Amount,Celková alokovaná suma DocType: Sales Invoice,Get Advances Received,Získané pokroky +DocType: Shift Type,Last Sync of Checkin,Posledná synchronizácia služby Checkin DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Položka Suma dane zahrnuté v hodnote apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Plán predplatného DocType: Student,Blood Group,Krvná skupina apps/erpnext/erpnext/config/healthcare.py,Masters,masters DocType: Crop,Crop Spacing UOM,Medzera orezania UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,"Čas po začatí zmeny posunu, keď je check-in považovaný za neskorý (v minútach)." apps/erpnext/erpnext/templates/pages/home.html,Explore,preskúmať +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nenašli sa žiadne nevyrovnané faktúry DocType: Promotional Scheme,Product Discount Slabs,Produkt Zľavové dosky DocType: Hotel Room Package,Amenities,Vybavenie DocType: Lab Test Groups,Add Test,Pridať test @@ -1004,6 +1009,7 @@ DocType: Attendance,Attendance Request,Žiadosť o účasť DocType: Item,Moving Average,Pohyblivý priemer DocType: Employee Attendance Tool,Unmarked Attendance,Neoznačená účasť DocType: Homepage Section,Number of Columns,Počet stĺpcov +DocType: Issue Priority,Issue Priority,Priorita vydania DocType: Holiday List,Add Weekly Holidays,Pridať týždenné prázdniny DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Vytvorte platový sklz @@ -1012,6 +1018,7 @@ DocType: Job Offer Term,Value / Description,Hodnota / Popis DocType: Warranty Claim,Issue Date,Dátum vydania 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 dávku pre položku {0}. Nemožno nájsť jednu dávku, ktorá spĺňa túto požiadavku" apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Nie je možné vytvoriť bonus na ponechanie pre ľavých zamestnancov +DocType: Employee Checkin,Location / Device ID,ID lokality / zariadenia DocType: Purchase Order,To Receive,Obdržať apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,"Ste v režime offline. Nebudete môcť znova načítať, kým nebudete mať sieť." DocType: Course Activity,Enrollment,Zápis @@ -1020,7 +1027,6 @@ DocType: Lab Test Template,Lab Test Template,Laboratórna testovacia šablóna apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Chýbajú informácie o elektronickej fakturácii apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Nebola vytvorená žiadna požiadavka na materiál -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položiek> Značka DocType: Loan,Total Amount Paid,Celková suma zaplatená apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Všetky tieto položky už boli fakturované DocType: Training Event,Trainer Name,Meno trénera @@ -1131,6 +1137,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Uveďte, prosím, úvodné meno v úvode {0}" DocType: Employee,You can enter any date manually,Môžete zadať ľubovoľný dátum manuálne DocType: Stock Reconciliation Item,Stock Reconciliation Item,Položka Zosúladenie zásob +DocType: Shift Type,Early Exit Consequence,Dôsledok predčasného ukončenia DocType: Item Group,General Settings,Všeobecné nastavenia apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Dátum splatnosti nemôže byť pred dátumom účtovania / fakturácie dodávateľa apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Pred odoslaním zadajte meno príjemcu. @@ -1169,6 +1176,7 @@ DocType: Account,Auditor,kontrolór apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Potvrdenie platby ,Available Stock for Packing Items,Dostupný sklad pre položky balenia apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Odstráňte túto faktúru {0} z formulára C {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Každá platná registrácia a odhlásenie DocType: Support Search Source,Query Route String,Reťazec dotazu trasy DocType: Customer Feedback Template,Customer Feedback Template,Šablóna spätnej väzby od zákazníkov apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Citáty pre vedúcich alebo zákazníkov. @@ -1203,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Kontrola autorizácie ,Daily Work Summary Replies,Odpovede na dennú prácu apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Boli ste pozvaní na spoluprácu na projekte: {0} +DocType: Issue,Response By Variance,Odpoveď podľa variácie DocType: Item,Sales Details,Podrobnosti o predaji apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Letter Heads pre tlačové šablóny. DocType: Salary Detail,Tax on additional salary,Daň z dodatočného platu @@ -1326,6 +1335,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Adresy z DocType: Project,Task Progress,Úloha Úloha DocType: Journal Entry,Opening Entry,Otvorenie vstupu DocType: Bank Guarantee,Charges Incurred,Vzniknuté poplatky +DocType: Shift Type,Working Hours Calculation Based On,Výpočet pracovných hodín na základe DocType: Work Order,Material Transferred for Manufacturing,Materiál prevedený na výrobu DocType: Products Settings,Hide Variants,Skryť varianty DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Zakázať plánovanie kapacity a sledovanie času @@ -1355,6 +1365,7 @@ DocType: Account,Depreciation,znehodnotenie DocType: Guardian,Interests,záujmy DocType: Purchase Receipt Item Supplied,Consumed Qty,Spotreba Množstvo DocType: Education Settings,Education Manager,Manažér vzdelávania +DocType: Employee Checkin,Shift Actual Start,Shift Skutočné spustenie DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Plánovanie časových záznamov mimo pracovných hodín pracovnej stanice. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Vernostné body: {0} DocType: Healthcare Settings,Registration Message,Registrácia Správa @@ -1379,9 +1390,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktúra už bola vytvorená pre všetky fakturačné hodiny DocType: Sales Partner,Contact Desc,Kontaktný formulár DocType: Purchase Invoice,Pricing Rules,Cenové pravidlá +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Keďže existujú transakcie proti položke {0}, nemôžete zmeniť hodnotu {1}" DocType: Hub Tracked Item,Image List,Zoznam obrázkov DocType: Item Variant Settings,Allow Rename Attribute Value,Povoliť hodnotu premenovania atribútu -DocType: Price List,Price Not UOM Dependant,Cena nie je závislá od UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Čas (v minútach) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,základné DocType: Loan,Interest Income Account,Účet úrokových výnosov @@ -1391,6 +1402,7 @@ DocType: Employee,Employment Type,typ zamestnania apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Vyberte POS profil DocType: Support Settings,Get Latest Query,Získajte najnovší dopyt DocType: Employee Incentive,Employee Incentive,Motivácia zamestnancov +DocType: Service Level,Priorities,priority apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Pridajte na domovskú stránku karty alebo vlastné sekcie DocType: Homepage,Hero Section Based On,Hero Sekcia Na DocType: Project,Total Purchase Cost (via Purchase Invoice),Celková obstarávacia cena (prostredníctvom nákupnej faktúry) @@ -1451,7 +1463,7 @@ DocType: Work Order,Manufacture against Material Request,Výroba proti žiadosti DocType: Blanket Order Item,Ordered Quantity,Objednané množstvo apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Riadok # {0}: Zamietnutý sklad je povinný proti odmietnutej položke {1} ,Received Items To Be Billed,Prijaté položky na fakturáciu -DocType: Salary Slip Timesheet,Working Hours,Pracovný čas +DocType: Attendance,Working Hours,Pracovný čas apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Režim platby apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Položky objednávky neboli doručené včas apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Trvanie v dňoch @@ -1571,7 +1583,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,P DocType: Supplier,Statutory info and other general information about your Supplier,Zákonné informácie a ďalšie všeobecné informácie o Vašom dodávateľovi DocType: Item Default,Default Selling Cost Center,Centrum východiskových predajných nákladov DocType: Sales Partner,Address & Contacts,Adresa a kontakty -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Prosím nastavte číslovaciu sériu pre dochádzku cez Setup> Numbering Series DocType: Subscriber,Subscriber,predplatiteľ apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) je skladom apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Najprv vyberte Dátum účtovania @@ -1582,7 +1593,7 @@ DocType: Project,% Complete Method,Úplná metóda DocType: Detected Disease,Tasks Created,Úlohy boli vytvorené apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Pre túto položku alebo jej šablónu musí byť aktívny predvolený kusovník ({0}) apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Miera Komisie -DocType: Service Level,Response Time,Doba odozvy +DocType: Service Level Priority,Response Time,Doba odozvy DocType: Woocommerce Settings,Woocommerce Settings,Nastavenia služby Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Množstvo musí byť kladné DocType: Contract,CRM,CRM @@ -1599,7 +1610,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Poplatok za návštevu v DocType: Bank Statement Settings,Transaction Data Mapping,Mapovanie transakčných dát apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Olovo vyžaduje buď meno osoby alebo názov organizácie DocType: Student,Guardians,strážcovia -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Prosím nastavte inštruktor pomenovania systému vo vzdelávaní> Nastavenia vzdelávania apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Vybrať značku ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Stredný príjem DocType: Shipping Rule,Calculate Based On,Vypočítať na základe @@ -1636,6 +1646,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Nastavte cieľ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Záznam o účasti {0} existuje proti študentovi {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Dátum transakcie apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Zrušiť odber +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nepodarilo sa nastaviť zmluvu o úrovni služby {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Čiastka čistého platu DocType: Account,Liability,zodpovednosť DocType: Employee,Bank A/C No.,Bankové č. @@ -1701,7 +1712,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Kód položky suroviny apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Nákupná faktúra {0} je už odoslaná DocType: Fees,Student Email,E-mail študenta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Rekurzia kusovníka: {0} nemôže byť rodičom alebo dieťaťom {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Získajte položky zo služieb zdravotnej starostlivosti apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Položka položky {0} nie je odoslaná DocType: Item Attribute Value,Item Attribute Value,Hodnota atribútu položky @@ -1726,7 +1736,6 @@ DocType: POS Profile,Allow Print Before Pay,Povoliť tlač pred platbou DocType: Production Plan,Select Items to Manufacture,Vyberte položky na výrobu DocType: Leave Application,Leave Approver Name,Nechajte meno schvaľovateľa DocType: Shareholder,Shareholder,akcionár -DocType: Issue,Agreement Status,Stav dohody apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Predvolené nastavenia pre predajné transakcie. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Vyberte študentský vstup, ktorý je povinný pre plateného študenta" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Vyberte položku BOM @@ -1989,6 +1998,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Účet príjmov apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Všetky sklady DocType: Contract,Signee Details,Podrobnosti o signee +DocType: Shift Type,Allow check-out after shift end time (in minutes),Povoliť odhlásenie po ukončení zmeny (v minútach) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Obstarávanie DocType: Item Group,Check this if you want to show in website,"Ak chcete zobraziť na webovej stránke, začiarknite toto políčko" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiškálny rok {0} nebol nájdený @@ -2055,6 +2065,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Dátum začiatku odpisovania DocType: Activity Cost,Billing Rate,Fakturačná sadzba apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Upozornenie: Ďalšia {0} # {1} existuje proti skladovej položke {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,"Ak chcete odhadnúť a optimalizovať trasy, povoľte nastavenie služby Mapy Google" +DocType: Purchase Invoice Item,Page Break,Zlom strany DocType: Supplier Scorecard Criteria,Max Score,Max apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Dátum začiatku splatnosti nemôže byť pred dátumom vyplatenia. DocType: Support Search Source,Support Search Source,Zdroj vyhľadávania podpory @@ -2121,6 +2132,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Cieľ cieľa kvality DocType: Employee Transfer,Employee Transfer,Prevod zamestnancov ,Sales Funnel,Predajný lievik DocType: Agriculture Analysis Criteria,Water Analysis,Analýza vody +DocType: Shift Type,Begin check-in before shift start time (in minutes),Začať odbavenie pred začiatkom posunu (v minútach) DocType: Accounts Settings,Accounts Frozen Upto,Účty Frozen Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Nič sa nedá upraviť. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operácia {0} dlhšia ako ktorákoľvek dostupná pracovná doba v pracovnej stanici {1}, rozdelí operáciu do viacerých operácií" @@ -2134,7 +2146,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Hoto apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Zákazka odberateľa {0} je {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Oneskorenie platby (dni) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Zadajte podrobnosti o odpisoch +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Zákaznícka objednávka apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Očakávaný dátum dodania by mal byť po dátume zákazky odberateľa +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Množstvo položky nemôže byť nulové apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Neplatný atribút apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Vyberte položku BOM proti položke {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Typ faktúry @@ -2144,6 +2158,7 @@ DocType: Maintenance Visit,Maintenance Date,Dátum údržby DocType: Volunteer,Afternoon,Popoludnie DocType: Vital Signs,Nutrition Values,Hodnoty výživy DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Prítomnosť horúčky (teplota> 38,5 ° C / 101,3 ° F alebo trvalá teplota> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Prosím, nastavte systém pomenovania zamestnancov v ľudských zdrojoch> HR nastavenia" apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Reversed DocType: Project,Collect Progress,Collect Progress apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,energie @@ -2194,6 +2209,7 @@ DocType: Setup Progress,Setup Progress,Nastavenie Pokrok ,Ordered Items To Be Billed,Objednané položky na fakturáciu DocType: Taxable Salary Slab,To Amount,Suma DocType: Purchase Invoice,Is Return (Debit Note),Is Return (Debet Note) +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/config/desktop.py,Getting Started,Začíname apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Zlúčiť apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Dátum začiatku fiškálneho roka a dátum ukončenia fiškálneho roka nie je možné zmeniť po uložení fiškálneho roka. @@ -2212,8 +2228,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Aktuálny dátum apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Dátum začiatku údržby nemôže byť pred dátumom dodania pre sériové číslo {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Riadok {0}: Kurz je povinný DocType: Purchase Invoice,Select Supplier Address,Vyberte položku Adresa dodávateľa +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Dostupné množstvo je {0}, ktoré potrebujete {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Zadajte tajné rozhranie API pre spotrebiteľov DocType: Program Enrollment Fee,Program Enrollment Fee,Poplatok za zápis programu +DocType: Employee Checkin,Shift Actual End,Shift Skutočný koniec DocType: Serial No,Warranty Expiry Date,Dátum uplynutia platnosti záruky DocType: Hotel Room Pricing,Hotel Room Pricing,Ceny hotelových izieb apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Zdaniteľné dodávky (iné ako nulové, s nulovým ratingom a oslobodené od dane)" @@ -2273,6 +2291,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Čítanie 5 DocType: Shopping Cart Settings,Display Settings,Nastavenia zobrazenia apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Nastavte počet rezervovaných rezervácií +DocType: Shift Type,Consequence after,Dôsledok po apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,S čím potrebujete pomôcť? DocType: Journal Entry,Printing Settings,Nastavenia tlače apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,bankovníctvo @@ -2282,6 +2301,7 @@ DocType: Purchase Invoice Item,PR Detail,PR Detail apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Fakturačná adresa je rovnaká ako adresa pre odoslanie DocType: Account,Cash,peňažný DocType: Employee,Leave Policy,Opustiť politiku +DocType: Shift Type,Consequence,dôsledok apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Adresa študenta DocType: GST Account,CESS Account,Účet CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Nákladové stredisko sa vyžaduje pre účet Zisk a strata {2}. Nastavte pre spoločnosť štandardné nákladové stredisko. @@ -2346,6 +2366,7 @@ DocType: GST HSN Code,GST HSN Code,GST Kód HSN DocType: Period Closing Voucher,Period Closing Voucher,Poukážka na ukončenie obdobia apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Meno Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Zadajte prosím nákladový účet +DocType: Issue,Resolution By Variance,Rozlíšenie podľa variácie DocType: Employee,Resignation Letter Date,Dátum rezignácie Dátum DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Dochádzka do dňa @@ -2358,6 +2379,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Zobraziť teraz DocType: Item Price,Valid Upto,Platné hore apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referenčný Doctype musí byť jeden z {0} +DocType: Employee Checkin,Skip Auto Attendance,Preskočiť automatickú účasť DocType: Payment Request,Transaction Currency,Mena transakcie DocType: Loan,Repayment Schedule,Splátkový kalendár apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Vytvorte položku skladu vzorky @@ -2429,6 +2451,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Priradenie mzdo DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Daň z uzávierok POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Akcia Inicializovaná DocType: POS Profile,Applicable for Users,Platí pre používateľov +,Delayed Order Report,Správa o oneskorenom príkaze DocType: Training Event,Exam,skúška apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nesprávny počet nájdených položiek hlavnej knihy. Možno ste v transakcii vybrali nesprávny účet. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Predajné potrubie @@ -2443,10 +2466,11 @@ DocType: Account,Round Off,Zaokrúhliť DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Podmienky budú aplikované na všetky vybrané položky kombinované. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,konfigurácia DocType: Hotel Room,Capacity,kapacita +DocType: Employee Checkin,Shift End,Koniec posunu DocType: Installation Note Item,Installed Qty,Nainštalované množstvo 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ázaná. DocType: Hotel Room Reservation,Hotel Reservation User,Užívateľ hotelovej rezervácie -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Pracovný deň sa opakoval dvakrát +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Zmluva o úrovni služby s typom entity {0} a entitou {1} už existuje. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Skupina položiek neuvedená v riadku položky pre položku {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Chyba názvu: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Územie je vyžadované v POS profile @@ -2494,6 +2518,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Plán Dátum DocType: Packing Slip,Package Weight Details,Podrobnosti o hmotnosti balenia DocType: Job Applicant,Job Opening,Voľné pracovné miesto +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Posledná známa úspešná synchronizácia zamestnancov Checkin. Obnoviť len vtedy, ak ste si istí, že všetky protokoly sú synchronizované zo všetkých miest. Prosím, neupravujte to, ak si nie ste istí." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Skutočné náklady apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Celková záloha ({0}) proti objednávke {1} nemôže byť väčšia ako celkový súčet ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Varianty položky boli aktualizované @@ -2538,6 +2563,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Referenčný doklad o kú apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Získať faktúry DocType: Tally Migration,Is Day Book Data Imported,Importujú sa údaje zo dňa ,Sales Partners Commission,Komisia pre predajných partnerov +DocType: Shift Type,Enable Different Consequence for Early Exit,Povoliť rôzne dôsledky pre predčasné ukončenie apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,právnej DocType: Loan Application,Required by Date,Vyžaduje dátum DocType: Quiz Result,Quiz Result,Výsledok testu @@ -2597,7 +2623,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finančn DocType: Pricing Rule,Pricing Rule,Cenové pravidlo apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Nepovinný zoznam dovoleniek nie je nastavený na dobu dovolenky {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,"Nastavte pole ID používateľa v zázname Zamestnanec, aby ste nastavili funkciu Zamestnanec" -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Čas na vyriešenie DocType: Training Event,Training Event,Tréningová akcia DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normálny pokojový krvný tlak u dospelých je približne 120 mmHg systolický, a 80 mmHg diastolický, skrátene "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Ak je limitná hodnota nula, systém načíta všetky položky." @@ -2641,6 +2666,7 @@ DocType: Woocommerce Settings,Enable Sync,Povoliť synchronizáciu DocType: Student Applicant,Approved,schválený apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Od dátumu by mal byť v rámci fiškálneho roka. Za predpokladu od dátumu = {0} 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. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} je neplatný stav dochádzky. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Účet dočasného otvorenia DocType: Purchase Invoice,Cash/Bank Account,Hotovostný / bankový účet DocType: Quality Meeting Table,Quality Meeting Table,Tabuľka kvality stretnutia @@ -2676,6 +2702,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Potraviny, nápoje a tabak" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Rozvrh kurzu DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detail položky Múdry daň +DocType: Shift Type,Attendance will be marked automatically only after this date.,Dochádzka bude automaticky označená až po tomto dátume. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Dodávky pre držiaky UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Žiadosť o ponuky apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Menu nie je možné zmeniť po zadaní údajov pomocou inej meny @@ -2724,7 +2751,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Je položka z rozbočovača apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Postup kvality. DocType: Share Balance,No of Shares,Počet akcií -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Riadok {0}: Počet nie je k dispozícii pre {4} v sklade {1} v čase odoslania položky ({2} {3}) DocType: Quality Action,Preventive,preventívna DocType: Support Settings,Forum URL,Adresa URL fóra apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Zamestnanec a účasť @@ -2946,7 +2972,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Typ zľavy DocType: Hotel Settings,Default Taxes and Charges,Štandardné dane a poplatky apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,To je založené na transakciách voči tomuto dodávateľovi. Podrobnosti nájdete v časovej osi nižšie apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Maximálna výška dávky zamestnanca {0} presahuje hodnotu {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Zadajte dátum začiatku a konca zmluvy. DocType: Delivery Note Item,Against Sales Invoice,Proti predajnej faktúre DocType: Loyalty Point Entry,Purchase Amount,Suma nákupu apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Nie je možné nastaviť ako Lost ako zákazka odberateľa. @@ -2970,7 +2995,7 @@ DocType: Homepage,"URL for ""All Products""",Adresa URL pre „všetky produkty DocType: Lead,Organization Name,Názov organizácie apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Platné od a platné upto polia sú povinné pre kumulatívne apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Riadok # {0}: Číslo dávky musí byť rovnaké ako {1} {2} -DocType: Employee,Leave Details,Podrobnosti ponechajte +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Transakcie akcií pred {0} sú zmrazené DocType: Driver,Issuing Date,Dátum vydania apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,žiadateľ @@ -3015,9 +3040,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Podrobnosti šablóny mapovania cash flow apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Nábor a odborná príprava DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Nastavenia doby odozvy pre automatickú účasť apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Z meny a do meny nemôže byť rovnaká apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Pharmaceuticals DocType: Employee,HR-EMP-,HR-EMP +DocType: Service Level,Support Hours,Hodiny podpory apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} sa zruší alebo zatvorí apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Riadok {0}: Záloha voči zákazníkovi musí byť kreditná apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Skupina podľa kupónu (Konsolidované) @@ -3127,6 +3154,7 @@ DocType: Asset Repair,Repair Status,Stav opravy DocType: Territory,Territory Manager,Správca územia DocType: Lab Test,Sample ID,ID vzorky apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Košík je prázdny +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Účasť bola označená ako check-in zamestnanca apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Musí sa odoslať položka {0} ,Absent Student Report,Absent Student Report apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Zahrnuté v hrubom zisku @@ -3134,7 +3162,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,C DocType: Travel Request Costing,Funded Amount,Financovaná suma apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nebola odoslaná, takže akciu nemožno dokončiť" DocType: Subscription,Trial Period End Date,Dátum ukončenia skúšobného obdobia +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Striedanie záznamov ako IN a OUT počas tej istej zmeny DocType: BOM Update Tool,The new BOM after replacement,Nový kusovník po výmene +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Položka 5 DocType: Employee,Passport Number,Číslo pasu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Dočasné otvorenie @@ -3250,6 +3280,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Kľúčové správy apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Možný dodávateľ ,Issued Items Against Work Order,Vydané položky proti pracovnému poriadku apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Vytvorenie {0} faktúry +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Prosím nastavte inštruktor pomenovania systému vo vzdelávaní> Nastavenia vzdelávania DocType: Student,Joining Date,Dátum pripojenia apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Žiadajúca lokalita DocType: Purchase Invoice,Against Expense Account,Proti výdavkovému účtu @@ -3289,6 +3320,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Platné poplatky ,Point of Sale,Miesto predaja DocType: Authorization Rule,Approving User (above authorized value),Schválenie používateľa (nad autorizovanou hodnotou) +DocType: Service Level Agreement,Entity,bytosť apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Suma {0} {1} prevedená z {2} na {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Zákazník {0} nepatrí do projektu {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Z názvu strany @@ -3335,6 +3367,7 @@ DocType: Asset,Opening Accumulated Depreciation,Otvorenie akumulovaných odpisov DocType: Soil Texture,Sand Composition (%),Zloženie piesku (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importovať údaje dennej knihy +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte Pomenovaciu sériu pre {0} cez Setup> Settings> Naming Series DocType: Asset,Asset Owner Company,Majiteľ spoločnosti apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Nákladové stredisko musí rezervovať nárok na výdavky apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} platné sériové čísla pre položku {1} @@ -3395,7 +3428,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Majiteľ majetku apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Sklad je povinný na sklade Položka {0} v riadku {1} DocType: Stock Entry,Total Additional Costs,Celkové dodatočné náklady -DocType: Marketplace Settings,Last Sync On,Posledná synchronizácia zapnutá apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Nastavte aspoň jeden riadok v tabuľke Dane a poplatky DocType: Asset Maintenance Team,Maintenance Team Name,Názov tímu údržby apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Graf nákladových stredísk @@ -3411,12 +3443,12 @@ DocType: Sales Order Item,Work Order Qty,Počet pracovných objednávok DocType: Job Card,WIP Warehouse,WIP Warehouse DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ID používateľa nie je nastavené pre zamestnanca {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Dostupné množstvo je {0}, ktoré potrebujete {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Používateľ {0} bol vytvorený DocType: Stock Settings,Item Naming By,Pomenovanie položky podľa apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,objednaný apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Toto je skupina zákazníkov root a nedá sa upraviť. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Požiadavka materiálu {0} sa zruší alebo zastaví +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Prísne na základe typu denníka v položke Zamestnanec Checkin DocType: Purchase Order Item Supplied,Supplied Qty,Dodávané množstvo DocType: Cash Flow Mapper,Cash Flow Mapper,Mapovač peňažných tokov DocType: Soil Texture,Sand,piesok @@ -3475,6 +3507,7 @@ DocType: Lab Test Groups,Add new line,Pridať nový riadok apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Duplicitná skupina položiek nájdená v tabuľke skupiny položiek apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Ročný plat DocType: Supplier Scorecard,Weighting Function,Funkcia váženia +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Chyba pri hodnotení vzorca kritérií ,Lab Test Report,Laboratórny test DocType: BOM,With Operations,S operáciami @@ -3488,6 +3521,7 @@ DocType: Expense Claim Account,Expense Claim Account,Účet nárokov na výdavky apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Pre zápis do denníka nie sú k dispozícii žiadne splátky apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} je neaktívny študent apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Vstup do skladu +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Rekurzia kusovníka: {0} nemôže byť rodičom alebo dieťaťom {1} DocType: Employee Onboarding,Activities,aktivity apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Minimálne jeden sklad je povinný ,Customer Credit Balance,Zostatok kreditu zákazníka @@ -3500,9 +3534,11 @@ DocType: Supplier Scorecard Period,Variables,premenné apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Pre zákazníka bol nájdený viacnásobný vernostný program. Vyberte manuálne. DocType: Patient,Medication,liečenie apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Vyberte Vernostný program +DocType: Employee Checkin,Attendance Marked,Účasť označená apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Suroviny DocType: Sales Order,Fully Billed,Plne účtované apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Nastavte cenu hotelovej izby na {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Vyberte iba jednu prioritu ako predvolenú. 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 (Ledger) pre typ - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Celková suma úveru / debetu by mala byť rovnaká ako viazaná položka denníka DocType: Purchase Invoice Item,Is Fixed Asset,Je fixný majetok @@ -3523,6 +3559,7 @@ DocType: Purpose of Travel,Purpose of Travel,Účel cesty DocType: Healthcare Settings,Appointment Confirmation,Potvrdenie o vymenovaní DocType: Shopping Cart Settings,Orders,objednávky DocType: HR Settings,Retirement Age,Dôchodkový vek +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Prosím nastavte číslovaciu sériu pre dochádzku cez Setup> Numbering Series apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Premietané množstvo apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Vymazanie nie je povolené pre krajinu {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Riadok # {0}: Hodnota {1} je už {2} @@ -3606,11 +3643,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,účtovný apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Poukaz POS Uzavretý poukaz alreday existuje pre {0} medzi dátumom {1} a {2} apps/erpnext/erpnext/config/help.py,Navigating,Navigácia +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Žiadne nevyrovnané faktúry nevyžadujú preceňovanie výmenného kurzu DocType: Authorization Rule,Customer / Item Name,Názov zákazníka / položky apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nové sériové číslo nemôže mať sklad. Sklad musí byť nastavený vstupom do skladu alebo nákupným dokladom DocType: Issue,Via Customer Portal,Cez Zákaznícky portál DocType: Work Order Operation,Planned Start Time,Čas plánovaného spustenia apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} je {2} +DocType: Service Level Priority,Service Level Priority,Priorita úrovne služby apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Počet rezervovaných odpisov nesmie byť väčší ako celkový počet odpisov apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Podiel Ledger DocType: Journal Entry,Accounts Payable,Záväzky @@ -3720,7 +3759,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Doručiť do DocType: Bank Statement Transaction Settings Item,Bank Data,Bankové údaje apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Naplánované Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Udržiavanie fakturačných hodín a pracovných hodín rovnaké na časovom rozvrhu apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Track Leads podľa Lead Source. DocType: Clinical Procedure,Nursing User,Ošetrovateľský užívateľ DocType: Support Settings,Response Key List,Zoznam kľúčov odpovedí @@ -3888,6 +3926,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Skutočný čas začiatku DocType: Antibiotic,Laboratory User,Užívateľ laboratória apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Online aukcie +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Priorita {0} bola opakovaná. DocType: Fee Schedule,Fee Creation Status,Stav vytvorenia poplatku apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,softvéry apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Zákazka odberateľa na platbu @@ -3954,6 +3993,7 @@ DocType: Patient Encounter,In print,V tlači apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Nepodarilo sa získať informácie pre {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Fakturačná mena sa musí rovnať predvolenej mene spoločnosti alebo mene účtu strany apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Zadajte Id zamestnanca tejto osoby +DocType: Shift Type,Early Exit Consequence after,Dôsledok predčasného ukončenia po apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Vytvorenie otváracích predajov a nákupných faktúr DocType: Disease,Treatment Period,Obdobie liečby apps/erpnext/erpnext/config/settings.py,Setting up Email,Nastavenie e-mailu @@ -3971,7 +4011,6 @@ DocType: Employee Skill Map,Employee Skills,Zamestnanecké zručnosti apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Meno študenta: DocType: SMS Log,Sent On,Odoslané dňa DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Faktúra -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Čas odozvy nemôže byť väčší ako Čas rozlíšenia DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Pre študentskú skupinu založenú na kurze bude kurz validovaný pre každého študenta zo zapísaných kurzov v zápise do programu. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Vnútroštátne dodávky DocType: Employee,Create User Permission,Vytvoriť oprávnenie používateľa @@ -4010,6 +4049,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Štandardné zmluvné podmienky predaja alebo nákupu. DocType: Sales Invoice,Customer PO Details,Detaily zákazníka apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacient sa nenašiel +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Vyberte predvolenú prioritu. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Odstráňte položku, ak sa na túto položku nevzťahujú poplatky" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Skupina zákazníkov existuje s rovnakým menom, prosím, zmeňte meno zákazníka alebo premenujte skupinu zákazníkov" 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. @@ -4049,6 +4089,7 @@ DocType: Quality Goal,Quality Goal,Cieľ kvality DocType: Support Settings,Support Portal,Portál podpory apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Dátum ukončenia úlohy {0} nemôže byť kratší ako {1} očakávaný dátum začiatku {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Zamestnanec {0} je na dovolenke {1} +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} DocType: Employee,Held On,Sa konalo v dňoch DocType: Healthcare Practitioner,Practitioner Schedules,Plány praktických lekárov DocType: Project Template Task,Begin On (Days),Začať dňa (dni) @@ -4056,6 +4097,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Pracovný príkaz bol {0} DocType: Inpatient Record,Admission Schedule Date,Harmonogram prijímania Dátum apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Úprava hodnoty aktív +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Označiť dochádzku na základe 'Zamestnanec Checkin' pre Zamestnancov pridelených k tejto zmene. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Dodávky pre neregistrované osoby apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Všetky úlohy DocType: Appointment Type,Appointment Type,Typ stretnutia @@ -4169,7 +4211,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Celková hmotnosť balenia. Zvyčajne čistá hmotnosť + hmotnosť obalového materiálu. (pre tlač) DocType: Plant Analysis,Laboratory Testing Datetime,Laboratórne testovanie Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Položka {0} nemôže mať dávku -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Predajné potrubie podľa etapy apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Sila študentskej skupiny DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Transakčný záznam výpisu z účtu DocType: Purchase Order,Get Items from Open Material Requests,Získať položky z otvorených materiálov žiadosti @@ -4251,7 +4292,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Zobraziť Aging Warehouse-múdry DocType: Sales Invoice,Write Off Outstanding Amount,Odpísaná vynikajúca čiastka DocType: Payroll Entry,Employee Details,Podrobnosti o zamestnancovi -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Čas začiatku nemôže byť väčší ako čas ukončenia pre {0}. DocType: Pricing Rule,Discount Amount,Výška zľavy DocType: Healthcare Service Unit Type,Item Details,Podrobnosti o položke apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Duplicitné daňové priznanie {0} za obdobie {1} @@ -4304,7 +4344,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Čistý plat nemôže byť záporný apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Počet interakcií 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} sa nedá preniesť viac ako {2} proti objednávke {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,smena +DocType: Attendance,Shift,smena apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Spracovanie účtovej osnovy a strán DocType: Stock Settings,Convert Item Description to Clean HTML,Konvertovať Popis položky na Vyčistiť HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Všetky skupiny dodávateľov @@ -4375,6 +4415,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktivita zame DocType: Healthcare Service Unit,Parent Service Unit,Jednotka rodičovskej služby DocType: Sales Invoice,Include Payment (POS),Zahrnúť platbu (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Súkromný majetok +DocType: Shift Type,First Check-in and Last Check-out,Prvý check-in a posledný check-out DocType: Landed Cost Item,Receipt Document,Doklad o príjme DocType: Supplier Scorecard Period,Supplier Scorecard Period,Obdobie hodnotenia dodávateľov DocType: Employee Grade,Default Salary Structure,Štandardná mzdová štruktúra @@ -4457,6 +4498,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Vytvoriť objednávku apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definujte rozpočet na rozpočtový rok. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Tabuľka účtov nemôže byť prázdna. +DocType: Employee Checkin,Entry Grace Period Consequence,Dôsledok obdobia vstupnej milosti ,Payment Period Based On Invoice Date,Platobné obdobie založené na dátume faktúry apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Dátum inštalácie nemôže byť pred dátumom dodania položky {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Odkaz na žiadosť o materiál @@ -4465,6 +4507,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Typ mapovaný apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Riadok {0}: Pre tento sklad už existuje položka Zmena poradia {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Dátum dokumentu DocType: Monthly Distribution,Distribution Name,Názov distribúcie +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Pracovný deň {0} bol opakovaný. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,"Skupina do skupiny, ktorá nie je členom skupiny" apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Prebieha aktualizácia. Môže to chvíľu trvať. DocType: Item,"Example: ABCD.##### @@ -4477,6 +4520,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Množstvo paliva apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile Nie DocType: Invoice Discounting,Disbursed,vyplatená +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 uvažuje o odchode." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Čistá zmena záväzkov apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Nie je k dispozícií apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Čiastočný @@ -4490,7 +4534,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potenci apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Zobraziť PDC v Print apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Dodávateľ DocType: POS Profile User,POS Profile User,Používateľ profilu POS -DocType: Student,Middle Name,Stredné meno DocType: Sales Person,Sales Person Name,Názov predajnej osoby DocType: Packing Slip,Gross Weight,Celková hmotnosť DocType: Journal Entry,Bill No,Bill č @@ -4499,7 +4542,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nové DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-Vlog-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Dohoda o úrovni služieb -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Najprv vyberte zamestnanca a dátum apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Kurzová sadzba sa prepočítava vzhľadom na sumu poukážky na vyložené náklady DocType: Timesheet,Employee Detail,Detail zamestnanca DocType: Tally Migration,Vouchers,poukážky @@ -4534,7 +4576,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Dohoda o úrovni DocType: Additional Salary,Date on which this component is applied,Dátum uplatnenia tejto zložky apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Zoznam dostupných akcionárov s číslami folio apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Nastavenie účtov brány. -DocType: Service Level,Response Time Period,Doba odozvy +DocType: Service Level Priority,Response Time Period,Doba odozvy DocType: Purchase Invoice,Purchase Taxes and Charges,Nákupné dane a poplatky DocType: Course Activity,Activity Date,Dátum aktivity apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Vyberte alebo pridajte nového zákazníka @@ -4559,6 +4601,7 @@ DocType: Sales Person,Select company name first.,Najskôr vyberte názov spoloč apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Finančný rok DocType: Sales Invoice Item,Deferred Revenue,Výnosy budúcich období apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Aspoň jeden z predajných alebo nákupných musí byť vybraný +DocType: Shift Type,Working Hours Threshold for Half Day,Prahová hodnota pracovnej doby pre poldeň ,Item-wise Purchase History,História nákupu apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Dátum zastavenia služby nie je možné zmeniť pre položku v riadku {0} DocType: Production Plan,Include Subcontracted Items,Zahrnúť subdodávky @@ -4591,6 +4634,7 @@ DocType: Journal Entry,Total Amount Currency,Mena celkovej čiastky DocType: BOM,Allow Same Item Multiple Times,Allow Same Item Multiple Times apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Vytvoriť kusovník DocType: Healthcare Practitioner,Charges,poplatky +DocType: Employee,Attendance and Leave Details,Podrobnosti o dochádzke a odchode DocType: Student,Personal Details,Osobné údaje DocType: Sales Order,Billing and Delivery Status,Stav fakturácie a dodania apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Riadok {0}: Dodávateľ {0} je potrebný na odoslanie e-mailu @@ -4642,7 +4686,6 @@ DocType: Bank Guarantee,Supplier,dodávateľ apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Zadajte hodnotu betweeen {0} a {1} DocType: Purchase Order,Order Confirmation Date,Dátum potvrdenia objednávky DocType: Delivery Trip,Calculate Estimated Arrival Times,Vypočítajte odhadované časy príchodu -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Prosím, nastavte systém pomenovania zamestnancov v ľudských zdrojoch> HR nastavenia" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Jedlé DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Dátum začiatku odberu @@ -4665,7 +4708,7 @@ DocType: Installation Note Item,Installation Note Item,Inštalácia Poznámka Po DocType: Journal Entry Account,Journal Entry Account,Účet pre zápis do denníka apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Varianta apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Činnosť fóra -DocType: Service Level,Resolution Time Period,Časové rozlíšenie rozlíšenia +DocType: Service Level Priority,Resolution Time Period,Časové rozlíšenie rozlíšenia DocType: Request for Quotation,Supplier Detail,Detail dodávateľa DocType: Project Task,View Task,Zobraziť úlohu DocType: Serial No,Purchase / Manufacture Details,Podrobnosti o nákupe / výrobe @@ -4732,6 +4775,7 @@ DocType: Sales Invoice,Commission Rate (%),Sadzba Komisie (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Sklad je možné zmeniť iba prostredníctvom položky Vstup / dodanie / Potvrdenie o kúpe DocType: Support Settings,Close Issue After Days,Zatvorte problém po dňoch DocType: Payment Schedule,Payment Schedule,Rozvrh platieb +DocType: Shift Type,Enable Entry Grace Period,Povoliť obdobie vstupu vstupov DocType: Patient Relation,Spouse,manželka DocType: Purchase Invoice,Reason For Putting On Hold,Dôvod pre pozastavenie DocType: Item Attribute,Increment,prírastok @@ -4871,6 +4915,7 @@ DocType: Authorization Rule,Customer or Item,Zákazník alebo položka DocType: Vehicle Log,Invoice Ref,Faktúra Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Formulár C sa na Faktúru nevzťahuje: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Faktúra bola vytvorená +DocType: Shift Type,Early Exit Grace Period,Predčasné ukončenie Grace Obdobie DocType: Patient Encounter,Review Details,Podrobnosti kontroly apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Riadok {0}: Hodnota hodín musí byť väčšia ako nula. DocType: Account,Account Number,Číslo účtu @@ -4882,7 +4927,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned 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" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Prekrývajúce sa podmienky nájdené medzi: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Platené a nedoručené -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Kód položky je povinný, pretože položka nie je automaticky očíslovaná" DocType: GST HSN Code,HSN Code,Kód HSN DocType: GSTR 3B Report,September,septembra apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administratívne výdavky @@ -4918,6 +4962,8 @@ DocType: Travel Itinerary,Travel From,Cestovanie z apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP účet DocType: SMS Log,Sender Name,Meno odosielateľa DocType: Pricing Rule,Supplier Group,Skupina dodávateľov +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Nastavte čas začiatku a čas ukončenia {0} na index {1}. DocType: Employee,Date of Issue,Dátum vydania ,Requested Items To Be Transferred,"Požadované položky, ktoré sa majú preniesť" DocType: Employee,Contract End Date,Dátum ukončenia zmluvy @@ -4928,6 +4974,7 @@ DocType: Healthcare Service Unit,Vacant,prázdny DocType: Opportunity,Sales Stage,Predajné štádium DocType: Sales Order,In Words will be visible once you save the Sales Order.,V programe Words budú viditeľné po uložení zákazky odberateľa. DocType: Item Reorder,Re-order Level,Re-order Level +DocType: Shift Type,Enable Auto Attendance,Povoliť automatickú účasť apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,prednosť ,Department Analytics,Oddelenie Analytics DocType: Crop,Scientific Name,Vedecké meno @@ -4940,6 +4987,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} status je {2} DocType: Quiz Activity,Quiz Activity,Aktivita kvízu apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} nie je v platnom období mzdy DocType: Timesheet,Billed,účtované +apps/erpnext/erpnext/config/support.py,Issue Type.,Typ problému. DocType: Restaurant Order Entry,Last Sales Invoice,Posledná predajná faktúra DocType: Payment Terms Template,Payment Terms,Platobné podmienky apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Vyhradené množstvo: Množstvo objednané na predaj, ale nedodané." @@ -5035,6 +5083,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,aktívum apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} nemá plán lekárov pre zdravotnú starostlivosť. Pridajte ho do programu Master Healthcare Practitioner DocType: Vehicle,Chassis No,Podvozok č +DocType: Employee,Default Shift,Predvolený posun apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Skratka spoločnosti apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Strom kusovníka DocType: Article,LMS User,Používateľ LMS @@ -5083,6 +5132,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Rodičovská predajná osoba DocType: Student Group Creation Tool,Get Courses,Získajte kurzy apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Riadok # {0}: Počet musí byť 1, pretože položka je fixným aktívom. Použite samostatný riadok pre viacnásobný počet." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Pracovná doba, pod ktorou je Absent označená. (Zero na vypnutie)" DocType: Customer Group,Only leaf nodes are allowed in transaction,V transakcii sú povolené iba uzly listov DocType: Grant Application,Organization,organizácie DocType: Fee Category,Fee Category,Kategória poplatku @@ -5095,6 +5145,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Aktualizujte svoj stav pre túto školiacu udalosť DocType: Volunteer,Morning,dopoludnia DocType: Quotation Item,Quotation Item,Položka ponuky +apps/erpnext/erpnext/config/support.py,Issue Priority.,Priorita vydania. DocType: Journal Entry,Credit Card Entry,Vstup kreditnej karty apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Vynechaný časový priestor, slot {0} až {1} sa prekrýva s exisiting slotom {2} až {3}" DocType: Journal Entry Account,If Income or Expense,Ak sú príjmy alebo výdavky @@ -5145,11 +5196,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Import a nastavenie dát 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 Automatický výber, zákazníci budú automaticky prepojení s príslušným vernostným programom (pri uložení)" DocType: Account,Expense Account,Výdavkový účet +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Čas pred začiatkom zmeny, počas ktorého sa zvažuje vstup do zamestnania." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Vzťah s Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Vytvoriť faktúru apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Žiadosť o platbu už existuje {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Zamestnanec uvoľnený na {0} musí byť nastavený ako "Ľavý" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Platiť {0} {1} +DocType: Company,Sales Settings,Nastavenia predaja DocType: Sales Order Item,Produced Quantity,Vyrobené množstvo apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,K žiadosti o cenovú ponuku sa dostanete kliknutím na nasledujúci odkaz DocType: Monthly Distribution,Name of the Monthly Distribution,Názov mesačnej distribúcie @@ -5228,6 +5281,7 @@ DocType: Company,Default Values,Základné hodnoty apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Vytvoria sa štandardné šablóny pre predaj a nákup. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Typ ponechania {0} nie je možné prenášať ďalej apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Debet Na účet musí byť účet s pohľadávkami +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 zmluvy nemôže byť menší ako dnes. apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Nastavte účet v sklade {0} alebo predvolený účet zásob v spoločnosti {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Nastaviť ako predvolenú DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Čistá hmotnosť tohto balíka. (vypočíta sa automaticky ako súčet čistej hmotnosti položiek) @@ -5254,8 +5308,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,m apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Platnosti po uplynutí platnosti DocType: Shipping Rule,Shipping Rule Type,Typ pravidla odoslania DocType: Job Offer,Accepted,Prijatý -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Odstráňte zamestnanca {0}, ak chcete tento dokument zrušiť" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Posudzovali ste už hodnotiace kritériá {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Vyberte čísla šarží apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Vek (dni) @@ -5282,6 +5334,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Vyberte svoje domény DocType: Agriculture Task,Task Name,Názov úlohy apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Skladové položky už vytvorené pre pracovný príkaz +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Odstráňte zamestnanca {0}, ak chcete tento dokument zrušiť" ,Amount to Deliver,Suma na dodanie apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Spoločnosť {0} neexistuje apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,"Neboli nájdené žiadne čakajúce žiadosti o materiál, ktoré by odkazovali na dané položky." @@ -5331,6 +5385,7 @@ DocType: Program Enrollment,Enrolled courses,Zapísané kurzy DocType: Lab Prescription,Test Code,Skúšobný poriadok DocType: Purchase Taxes and Charges,On Previous Row Total,Na predchádzajúcom riadku Celkom DocType: Student,Student Email Address,E-mailová adresa študenta +,Delayed Item Report,Správa o oneskorenej položke DocType: Academic Term,Education,vzdelanie DocType: Supplier Quotation,Supplier Address,Adresa dodávateľa DocType: Salary Detail,Do not include in total,Neuvádzajte spolu @@ -5338,7 +5393,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} neexistuje DocType: Purchase Receipt Item,Rejected Quantity,Zamietnuté množstvo DocType: Cashier Closing,To TIme,Ak chcete -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: Daily Work Summary Group User,Daily Work Summary Group User,Užívateľ skupiny denného pracovného prehľadu DocType: Fiscal Year Company,Fiscal Year Company,Spoločnosť fiškálneho roka apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternatívna položka nesmie byť rovnaká ako kód položky @@ -5390,6 +5444,7 @@ DocType: Program Fee,Program Fee,Poplatok za program DocType: Delivery Settings,Delay between Delivery Stops,Oneskorenie medzi zastaveniami doručenia DocType: Stock Settings,Freeze Stocks Older Than [Days],Staršie zmrazenie zásob ako [dni] DocType: Promotional Scheme,Promotional Scheme Product Discount,Zľava na propagačnú schému +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Priorita vydania už existuje DocType: Account,Asset Received But Not Billed,"Aktíva prijaté, ale neboli účtované" DocType: POS Closing Voucher,Total Collected Amount,Celková suma DocType: Course,Default Grading Scale,Predvolená stupnica stupňovania @@ -5432,6 +5487,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Podmienky plnenia apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,"Skupina, ktorá nie je členom skupiny" DocType: Student Guardian,Mother,matka +DocType: Issue,Service Level Agreement Fulfilled,Dohoda o úrovni služieb splnená DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Odpočítanie dane pre nenárokované zamestnanecké výhody DocType: Travel Request,Travel Funding,Cestovné financovanie DocType: Shipping Rule,Fixed,fixné @@ -5461,10 +5517,12 @@ DocType: Item,Warranty Period (in days),Záručná doba (v dňoch) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Nenašli sa žiadne položky. DocType: Item Attribute,From Range,Z rozsahu DocType: Clinical Procedure,Consumables,Spotrebný +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,Vyžadujú sa 'employee_field_value' a 'timestamp'. DocType: Purchase Taxes and Charges,Reference Row #,Referenčný riadok # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Nastavte hodnotu „Centrum nákladov na odpisy majetku“ v spoločnosti {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Riadok # {0}: Platobný doklad je potrebný na dokončenie transakcie DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Kliknite na toto tlačidlo, ak chcete údaje o odbernej objednávke vytiahnuť z Amazon MWS." +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Pracovné hodiny, pod ktorými je označený poldeň. (Zero na vypnutie)" ,Assessment Plan Status,Stav plánu hodnotenia apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Najprv vyberte možnosť {0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Odošlite túto správu na vytvorenie záznamu Zamestnanec @@ -5535,6 +5593,7 @@ DocType: Quality Procedure,Parent Procedure,Postup rodičov apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Nastavte položku Otvoriť apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Prepnúť filtre DocType: Production Plan,Material Request Detail,Detail požiadavky na materiál +DocType: Shift Type,Process Attendance After,Proces Dochádzka Po DocType: Material Request Item,Quantity and Warehouse,Množstvo a sklad apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Prejdite na položku Programy apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Riadok # {0}: Duplicitná položka v odkazoch {1} {2} @@ -5592,6 +5651,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Informácie o strane apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Dlžníci ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,K dnešnému dňu nemôže byť väčšia ako zamestnanec uľavenie dátum +DocType: Shift Type,Enable Exit Grace Period,Povoliť obdobie ukončenia Grace DocType: Expense Claim,Employees Email Id,Id zamestnaneckého e-mailu DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Aktualizovať cenu z Shopify do ERPNext Cenník DocType: Healthcare Settings,Default Medical Code Standard,Štandard Štandardu lekárskeho predpisu @@ -5622,7 +5682,6 @@ DocType: Item Group,Item Group Name,Názov skupiny položiek DocType: Budget,Applicable on Material Request,Platí pre materiálovú požiadavku DocType: Support Settings,Search APIs,Vyhľadávacie rozhrania API DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Percento nadvýroby Pre zákazku odberateľa -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,technické údaje DocType: Purchase Invoice,Supplied Items,Dodávané položky DocType: Leave Control Panel,Select Employees,Vyberte Zamestnancov apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Výber úrokového účtu v úvere {0} @@ -5648,7 +5707,7 @@ DocType: Salary Slip,Deductions,odpočty ,Supplier-Wise Sales Analytics,Analytika predaja od dodávateľov DocType: GSTR 3B Report,February,február DocType: Appraisal,For Employee,Pre zamestnanca -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Skutočný dátum dodania +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Skutočný dátum dodania DocType: Sales Partner,Sales Partner Name,Názov obchodného partnera apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Odpisový riadok {0}: Dátum odpisovania je uvedený ako dátum DocType: GST HSN Code,Regional,regionálne @@ -5687,6 +5746,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Fak DocType: Supplier Scorecard,Supplier Scorecard,Dodávateľ Scorecard DocType: Travel Itinerary,Travel To,Cestovať do apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Označiť účasť +DocType: Shift Type,Determine Check-in and Check-out,Určenie registrácie a odhlásenia DocType: POS Closing Voucher,Difference,Rozdiel apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,malý DocType: Work Order Item,Work Order Item,Položka objednávky objednávky @@ -5720,6 +5780,7 @@ DocType: Sales Invoice,Shipping Address Name,Názov dodacej adresy apps/erpnext/erpnext/healthcare/setup.py,Drug,liek apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} je zatvorené DocType: Patient,Medical History,História medicíny +DocType: Expense Claim,Expense Taxes and Charges,Dane a poplatky za výdavky DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Počet dní po uplynutí dátumu fakturácie pred zrušením predplatného alebo predplatného ako nezaplateného apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Poznámka k inštalácii {0} už bola odoslaná DocType: Patient Relation,Family,rodina @@ -5752,7 +5813,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,pevnosť apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} jednotiek {1} potrebných na {2} na dokončenie tejto transakcie. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush Surové materiály Subcontract založené na -DocType: Bank Guarantee,Customer,zákazník DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ak je táto možnosť povolená, pole Nástroj akademického termínu bude povinný v nástroji Zapisovanie do programu." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Pre skupinu študentov založenú na dávke bude študentská šarža overená pre každého študenta zo zápisu do programu. DocType: Course,Topics,témy @@ -5832,6 +5892,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Poslancov DocType: Warranty Claim,Service Address,Adresa služby DocType: Journal Entry,Remark,Poznámka +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Riadok {0}: Množstvo nie je k dispozícii pre {4} v sklade {1} v čase odoslania záznamu ({2} {3}) DocType: Patient Encounter,Encounter Time,Čas stretnutia DocType: Serial No,Invoice Details,Podrobnosti faktúry 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ť vykonané v rámci skupín, ale položky môžu byť vykonané proti ne-skupinám" @@ -5912,6 +5973,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","P apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Zatvorenie (otvorenie + celkom) DocType: Supplier Scorecard Criteria,Criteria Formula,Kritérium vzorca apps/erpnext/erpnext/config/support.py,Support Analytics,Podpora Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID dochádzkového zariadenia (ID biometrickej / RF značky) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Preskúmanie a akcia DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ak je účet zmrazený, položky sú povolené pre používateľov s obmedzeným prístupom." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Suma po odpise @@ -5933,6 +5995,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Splácanie úveru DocType: Employee Education,Major/Optional Subjects,Hlavné / voliteľné predmety DocType: Soil Texture,Silt,kal +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Adresy dodávateľov a kontakty DocType: Bank Guarantee,Bank Guarantee Type,Typ bankovej záruky DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ak je táto možnosť zakázaná, pole „Zaokrúhlené celkom“ nebude v žiadnej transakcii viditeľné" DocType: Pricing Rule,Min Amt,Min Amt @@ -5971,6 +6034,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Otvorenie položky Nástroj na vytvorenie faktúry DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Zahrnúť transakcie POS +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Žiadny zamestnanec zistený pre danú hodnotu zamestnaneckého poľa. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Prijatá čiastka (mena spoločnosti) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage je plná, neuložila" DocType: Chapter Member,Chapter Member,Člen kapitoly @@ -6003,6 +6067,7 @@ DocType: SMS Center,All Lead (Open),Všetky elektródy (otvorené) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Neboli vytvorené žiadne študentské skupiny. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Duplikovať riadok {0} s rovnakým {1} DocType: Employee,Salary Details,Podrobnosti o plate +DocType: Employee Checkin,Exit Grace Period Consequence,Ukončenie následku Grace Period DocType: Bank Statement Transaction Invoice Item,Invoice,faktúra DocType: Special Test Items,Particulars,podrobnosti apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Nastavte filter na základe položky alebo skladu @@ -6104,6 +6169,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Z AMC DocType: Job Opening,"Job profile, qualifications required etc.","Profil práce, požadované kvalifikácie atď." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Loď do štátu +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Chcete odoslať žiadosť o materiál DocType: Opportunity Item,Basic Rate,Základná sadzba DocType: Compensatory Leave Request,Work End Date,Dátum ukončenia práce apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Žiadosť o suroviny @@ -6289,6 +6355,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Výška odpisu DocType: Sales Order Item,Gross Profit,Hrubý zisk DocType: Quality Inspection,Item Serial No,Položka Sériové číslo DocType: Asset,Insurer,poisťovateľ +DocType: Employee Checkin,OUT,VON apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Nákupná suma DocType: Asset Maintenance Task,Certificate Required,Požadovaný certifikát DocType: Retention Bonus,Retention Bonus,Retenčný bonus @@ -6404,6 +6471,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Výška rozdielu (me DocType: Invoice Discounting,Sanctioned,schválený DocType: Course Enrollment,Course Enrollment,Zápis kurzu DocType: Item,Supplier Items,Položky dodávateľa +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Čas začiatku nemôže byť väčší alebo rovný času konca {0}. DocType: Sales Order,Not Applicable,Nepoužiteľný DocType: Support Search Source,Response Options,Možnosti odpovede apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} by mala byť hodnota medzi 0 a 100 @@ -6490,7 +6559,6 @@ DocType: Travel Request,Costing,rozpočet apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Dlhodobý majetok DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Celkové zárobky -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníkov> Územie DocType: Share Balance,From No,Od č DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Faktúra na vyrovnanie platieb DocType: Purchase Invoice,Taxes and Charges Added,Pridané dane a poplatky @@ -6598,6 +6666,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignorovať pravidlo určovania cien apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,jedlo DocType: Lost Reason Detail,Lost Reason Detail,Detail strateného dôvodu +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Boli vytvorené nasledujúce sériové čísla:
{0} DocType: Maintenance Visit,Customer Feedback,Spätná väzba od zákazníka DocType: Serial No,Warranty / AMC Details,Podrobnosti o záruke / AMC DocType: Issue,Opening Time,Otvaracie hodiny @@ -6647,6 +6716,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Názov spoločnosti nie je rovnaký apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Propagácia zamestnanca nemôže byť odoslaná pred dátumom propagácie apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nie je povolené aktualizovať akcie transakcií staršie ako {0} +DocType: Employee Checkin,Employee Checkin,Zamestnanec Checkin apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Dátum začiatku by mal byť nižší ako dátum ukončenia pre položku {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Vytvorenie úvodzoviek zákazníkov DocType: Buying Settings,Buying Settings,Nastavenia nákupu @@ -6668,6 +6738,7 @@ DocType: Job Card Time Log,Job Card Time Log,Časový záznam pracovnej karty DocType: Patient,Patient Demographics,Demografia pacienta DocType: Share Transfer,To Folio No,Na Folio č apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Peňažné toky z operácií +DocType: Employee Checkin,Log Type,Typ protokolu DocType: Stock Settings,Allow Negative Stock,Povoliť zápornú zásobu apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Žiadna z položiek nemá žiadnu zmenu v množstve alebo hodnote. DocType: Asset,Purchase Date,Dátum nákupu @@ -6712,6 +6783,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Veľmi hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Vyberte si charakter svojho podnikania. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Vyberte mesiac a rok +DocType: Service Level,Default Priority,Predvolená priorita DocType: Student Log,Student Log,Študentský denník DocType: Shopping Cart Settings,Enable Checkout,Povoliť službu Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Ľudské zdroje @@ -6740,7 +6812,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Pripojiť Shopify s ERPNext DocType: Homepage Section Card,Subtitle,podtitul DocType: Soil Texture,Loam,hlina -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa DocType: BOM,Scrap Material Cost(Company Currency),Cena materiálu šrotu (mena spoločnosti) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Upozornenie o doručení {0} sa nesmie odoslať DocType: Task,Actual Start Date (via Time Sheet),Skutočný dátum začiatku (prostredníctvom výkazu) @@ -6796,6 +6867,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,dávkovanie DocType: Cheque Print Template,Starting position from top edge,Počiatočná pozícia od horného okraja apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Trvanie schôdzky (min) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Tento zamestnanec už má denník s rovnakou časovou pečiatkou. {0} DocType: Accounting Dimension,Disable,zakázať DocType: Email Digest,Purchase Orders to Receive,Objednávky na príjem apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Výrobné objednávky nie je možné zvýšiť pre: @@ -6811,7 +6883,6 @@ DocType: Production Plan,Material Requests,Žiadosti o materiál DocType: Buying Settings,Material Transferred for Subcontract,Materiál prevedený na subdodávky DocType: Job Card,Timing Detail,Detail načasovania apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Povinné On -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Import {0} z {1} DocType: Job Offer Term,Job Offer Term,Termín pracovnej ponuky DocType: SMS Center,All Contact,Všetky kontakty DocType: Project Task,Project Task,Projektová úloha @@ -6862,7 +6933,6 @@ DocType: Student Log,Academic,akademický apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Položka {0} nie je nastavená pre sériové čísla apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Zo štátu DocType: Leave Type,Maximum Continuous Days Applicable,Maximálne použiteľné nepretržité dni -apps/erpnext/erpnext/config/support.py,Support Team.,Podporný tím. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Najskôr zadajte názov spoločnosti apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Import bol úspešný DocType: Guardian,Alternate Number,Alternatívne číslo @@ -6954,6 +7024,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Riadok # {0}: Pridaná položka DocType: Student Admission,Eligibility and Details,Spôsobilosť a podrobnosti DocType: Staffing Plan,Staffing Plan Detail,Detail personálneho plánu +DocType: Shift Type,Late Entry Grace Period,Neskoré vstupné obdobie DocType: Email Digest,Annual Income,Ročný príjem DocType: Journal Entry,Subscription Section,Odberová sekcia DocType: Salary Slip,Payment Days,Platobné dni @@ -7004,6 +7075,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Zostatok na účte DocType: Asset Maintenance Log,Periodicity,periodicita apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Zdravotný záznam +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Typ logu je potrebný pre check-iny spadajúce do zmeny: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,poprava DocType: Item,Valuation Method,Metóda oceňovania apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} proti predajnej faktúre {1} @@ -7088,6 +7160,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Odhadovaná cena za po DocType: Loan Type,Loan Name,Názov úveru apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Nastaviť predvolený spôsob platby DocType: Quality Goal,Revision,opakovanie +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Čas pred ukončením posunu, keď je odhlásenie považované za skoré (v minútach)." DocType: Healthcare Service Unit,Service Unit Type,Typ servisnej jednotky DocType: Purchase Invoice,Return Against Purchase Invoice,Návrat proti nákupnej faktúre apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Generovať tajomstvo @@ -7243,12 +7316,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,kozmetika DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Označte túto možnosť, ak chcete, aby užívateľ pred uložením vybral sériu. Ak to skontrolujete, nebude to predvolené." DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Používatelia s touto úlohou môžu nastaviť zmrazené účty a vytvárať / upravovať účtovné položky voči zmrazeným účtom +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položiek> Značka DocType: Expense Claim,Total Claimed Amount,Celková výška nárokovanej sumy apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Časový slot sa nedá nájsť v nasledujúcom {0} dňoch pre operáciu {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Balenie apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Obnoviť sa môžete len v prípade, že platnosť vášho členstva vyprší do 30 dní" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Hodnota musí byť medzi hodnotou {0} a hodnotou {1} DocType: Quality Feedback,Parameters,parametre +DocType: Shift Type,Auto Attendance Settings,Nastavenia automatického dochádzania ,Sales Partner Transaction Summary,Zhrnutie transakcie obchodného partnera DocType: Asset Maintenance,Maintenance Manager Name,Názov manažéra údržby apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Je potrebné načítať Podrobnosti položky. @@ -7340,10 +7415,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Overiť platné pravidlo DocType: Job Card Item,Job Card Item,Položka pracovnej karty DocType: Homepage,Company Tagline for website homepage,Spoločnosť Tagline pre domovskú stránku webovej stránky +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Nastavte čas odozvy a rozlíšenie pre prioritu {0} v indexe {1}. DocType: Company,Round Off Cost Center,Nákladové stredisko DocType: Supplier Scorecard Criteria,Criteria Weight,Kritériá Hmotnosť DocType: Asset,Depreciation Schedules,Plány odpisov -DocType: Expense Claim Detail,Claim Amount,Suma nároku DocType: Subscription,Discounts,zľavy DocType: Shipping Rule,Shipping Rule Conditions,Podmienky prepravného pravidla DocType: Subscription,Cancelation Date,Dátum zrušenia @@ -7371,7 +7446,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Vytvorenie potenciáln apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Zobraziť nulové hodnoty DocType: Employee Onboarding,Employee Onboarding,Zamestnanec Onboarding DocType: POS Closing Voucher,Period End Date,Dátum ukončenia obdobia -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Obchodné príležitosti podľa zdroja DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Prvý Leave Approver v zozname bude nastavený ako predvolený Leave Approver. DocType: POS Settings,POS Settings,Nastavenia POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Všetky účty @@ -7392,7 +7466,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bankov apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Riadok # {0}: Rýchlosť musí byť rovnaká ako {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Položky služby zdravotnej starostlivosti -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Nenašli sa žiadne záznamy apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Rozsah starnutia 3 DocType: Vital Signs,Blood Pressure,Krvný tlak apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Zacieliť na @@ -7439,6 +7512,7 @@ DocType: Company,Existing Company,Existujúca spoločnosť apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,dávky apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,obrana DocType: Item,Has Batch No,Má šaržu č +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Oneskorené dni DocType: Lead,Person Name,Meno osoby DocType: Item Variant,Item Variant,Položka Variant DocType: Training Event Employee,Invited,pozvaný @@ -7460,7 +7534,7 @@ DocType: Purchase Order,To Receive and Bill,Prijať a Bill apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Dátumy začiatku a konca nie sú v platnom období miezd, nie je možné vypočítať {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Zákazníkovi zobrazte iba tieto Zákaznícke skupiny apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Vyberte položky na uloženie faktúry -DocType: Service Level,Resolution Time,Čas rozlíšenia +DocType: Service Level Priority,Resolution Time,Čas rozlíšenia DocType: Grading Scale Interval,Grade Description,Popis triedy DocType: Homepage Section,Cards,karty DocType: Quality Meeting Minutes,Quality Meeting Minutes,Zápisnica o kvalite stretnutia @@ -7487,6 +7561,7 @@ DocType: Project,Gross Margin %,Hrubá marža% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Zostatok bankového výpisu podľa hlavnej knihy apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Zdravotná starostlivosť (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Predvolený sklad na vytvorenie zákazky odberateľa a dodacieho listu +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Čas odozvy pre {0} v indexe {1} nemôže byť väčší ako Resolution Time. DocType: Opportunity,Customer / Lead Name,Meno zákazníka / zákazníka DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Nevyžiadaná suma @@ -7532,7 +7607,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Dovozné strany a adresy DocType: Item,List this Item in multiple groups on the website.,Zoznam tejto položky vo viacerých skupinách na webovej stránke. DocType: Request for Quotation,Message for Supplier,Správa pre dodávateľa -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,"{0} nie je možné zmeniť, pretože existuje transakcia pre položku {1}." DocType: Healthcare Practitioner,Phone (R),Telefón (R) DocType: Maintenance Team Member,Team Member,Člen tímu DocType: Asset Category Account,Asset Category Account,Účet kategórie aktív diff --git a/erpnext/translations/sl.csv b/erpnext/translations/sl.csv index 1dbacefaae..5790c89ebe 100644 --- a/erpnext/translations/sl.csv +++ b/erpnext/translations/sl.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Datum začetka trajanja apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Dogodek {0} in prodajni račun {1} sta bila preklicana DocType: Purchase Receipt,Vehicle Number,Številka vozila apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Vaš email naslov... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Vključi privzete vnose knjige +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Vključi privzete vnose knjige DocType: Activity Cost,Activity Type,Vrsta dejavnosti DocType: Purchase Invoice,Get Advances Paid,Plačan napredek DocType: Company,Gain/Loss Account on Asset Disposal,Račun dobička / izgube pri odstranitvi sredstev @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Kaj to naredi? DocType: Bank Reconciliation,Payment Entries,Plačilni vnosi DocType: Employee Education,Class / Percentage,Razred / odstotek ,Electronic Invoice Register,Elektronski register računa +DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Število dogodkov, po katerem se izvede posledica." DocType: Sales Invoice,Is Return (Credit Note),Je vrnitev (kreditna opomba) +DocType: Price List,Price Not UOM Dependent,Cena ni UOM odvisna DocType: Lab Test Sample,Lab Test Sample,Laboratorijski testni vzorec DocType: Shopify Settings,status html,stanje html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Za npr. 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Iskanje izdelkov DocType: Salary Slip,Net Pay,Neto plača apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Skupaj fakturirani amt DocType: Clinical Procedure,Consumables Invoice Separately,Potrošni material Račun ločeno +DocType: Shift Type,Working Hours Threshold for Absent,Prag dela za odsoten DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Proračuna ni mogoče dodeliti za skupinski račun {0} DocType: Purchase Receipt Item,Rate and Amount,Stopnja in znesek @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Nastavite skladišče virov DocType: Healthcare Settings,Out Patient Settings,Nastavitve bolnika DocType: Asset,Insurance End Date,Datum konca zavarovanja DocType: Bank Account,Branch Code,Kodeks podružnice -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Čas za odgovor apps/erpnext/erpnext/public/js/conf.js,User Forum,Uporabniški forum DocType: Landed Cost Item,Landed Cost Item,Postavka iztovorjene cene 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 enaka @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Glavni lastnik DocType: Share Transfer,Transfer,Prenos apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Element iskanja (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Vneseni rezultat +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Od datuma ne more biti večja kot do danes DocType: Supplier,Supplier of Goods or Services.,Dobavitelj blaga ali storitev. 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: ne ustvarjajte računov za stranke in dobavitelje apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Študentska skupina ali urnik tečaja je obvezen @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Baza potenci DocType: Skill,Skill Name,Ime spretnosti apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Natisni kartico s poročilom DocType: Soil Texture,Ternary Plot,Ternary Plot -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavite Naming Series za {0} prek Setup> Settings> Series Naming apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Vstopnice za podporo DocType: Asset Category Account,Fixed Asset Account,Račun osnovnih sredstev apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Zadnje @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Razdalja UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Obvezno za bilanco stanja DocType: Payment Entry,Total Allocated Amount,Skupni dodeljeni znesek DocType: Sales Invoice,Get Advances Received,Prejmite prejete predujme +DocType: Shift Type,Last Sync of Checkin,Zadnja sinhronizacija prijave DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Znesek davka na postavko vključen v vrednost apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Naročniški načrt DocType: Student,Blood Group,Krvna skupina apps/erpnext/erpnext/config/healthcare.py,Masters,Mojstri DocType: Crop,Crop Spacing UOM,Obrezovanje razmika UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,"Čas po začetku prehoda, ko se prijava šteje za pozno (v minutah)." apps/erpnext/erpnext/templates/pages/home.html,Explore,Raziščite +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Ni bilo ugotovljenih neplačanih računov apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.","{0} prostih delovnih mest in {1} proračuna za {2}, ki sta že načrtovana za hčerinske družbe {3}. Načrtujete lahko samo {4} prostih delovnih mest in proračun {5} glede na kadrovski načrt {6} za matično podjetje {3}." DocType: Promotional Scheme,Product Discount Slabs,Plošče za popust za izdelke @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Zahteva za obisk DocType: Item,Moving Average,Gibljivo povprečje DocType: Employee Attendance Tool,Unmarked Attendance,Neoznačena prisotnost DocType: Homepage Section,Number of Columns,Število stolpcev +DocType: Issue Priority,Issue Priority,Prednostna naloga DocType: Holiday List,Add Weekly Holidays,Dodaj tedenske počitnice DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Ustvarite izplačilo plač @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Vrednost / opis DocType: Warranty Claim,Issue Date,Datum izdaje 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 paket za postavko {0}. Ni mogoče najti posameznega paketa, ki bi izpolnjeval to zahtevo" apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Bonusa za zadržanje za leve zaposlene ni mogoče ustvariti +DocType: Employee Checkin,Location / Device ID,ID lokacije / naprave DocType: Purchase Order,To Receive,Prejeti apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,"Ste v načinu brez povezave. Ne boste mogli ponovno naložiti, dokler ne boste imeli omrežja." DocType: Course Activity,Enrollment,Vpis @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Predloga za laboratorijsko preizku apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Največ: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Manjkajo podatki o elektronskem izdajanju računov apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Ustvarjena ni bila nobena zahteva za material -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda izdelka> Skupina izdelkov> Blagovna znamka DocType: Loan,Total Amount Paid,Skupni znesek plačila apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Vsi ti elementi so že bili zaračunani DocType: Training Event,Trainer Name,Ime trenerja @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Navedite vodilno ime v svincu {0} DocType: Employee,You can enter any date manually,Ročno lahko vnesete poljuben datum DocType: Stock Reconciliation Item,Stock Reconciliation Item,Postavka usklajevanja zalog +DocType: Shift Type,Early Exit Consequence,Zgodnja izstopna posledica DocType: Item Group,General Settings,Splošne nastavitve apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Rok ne more biti pred knjiženjem / datumom računa dobavitelja apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Pred pošiljanjem vnesite ime upravičenca. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,Revizor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Potrdilo plačila ,Available Stock for Packing Items,Razpoložljiva zaloga za pakirne izdelke apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Odstranite ta račun {0} iz obrazca C {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Vsaka veljavna prijava in odjava DocType: Support Search Source,Query Route String,Vrstica poizvedovalne poti DocType: Customer Feedback Template,Customer Feedback Template,Predloga za povratne informacije strank apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Citati za voditelje ali stranke. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Nadzor avtorizacije ,Daily Work Summary Replies,Povzetki dnevnega dela apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Povabljeni ste k sodelovanju v projektu: {0} +DocType: Issue,Response By Variance,Odziv z odstopanjem DocType: Item,Sales Details,Podrobnosti o prodaji apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Črke za tiskanje predlog. DocType: Salary Detail,Tax on additional salary,Davek na dodatno plačo @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Naslovi s DocType: Project,Task Progress,Napredek naloge DocType: Journal Entry,Opening Entry,Začetni vnos DocType: Bank Guarantee,Charges Incurred,Nastali stroški +DocType: Shift Type,Working Hours Calculation Based On,Izračun delovnih ur na podlagi DocType: Work Order,Material Transferred for Manufacturing,Preneseni material za proizvodnjo DocType: Products Settings,Hide Variants,Skrij različice DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Onemogoči načrtovanje zmogljivosti in sledenje času @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,Amortizacija DocType: Guardian,Interests,Interesi DocType: Purchase Receipt Item Supplied,Consumed Qty,Porabljena količina DocType: Education Settings,Education Manager,Vodja izobraževanja +DocType: Employee Checkin,Shift Actual Start,Premakni dejanski začetek DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Načrtujte dnevnike časa izven delovnega časa delovne postaje. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Točke zvestobe: {0} DocType: Healthcare Settings,Registration Message,Sporočilo o registraciji @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Račun je že ustvarjen za vse obračunske ure DocType: Sales Partner,Contact Desc,Kontaktna služba DocType: Purchase Invoice,Pricing Rules,Pravila o določanju cen +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Ker obstajajo obstoječe transakcije z elementom {0}, ne morete spremeniti vrednosti {1}" DocType: Hub Tracked Item,Image List,Seznam slik DocType: Item Variant Settings,Allow Rename Attribute Value,Dovoli preimenovanje vrednosti atributa -DocType: Price List,Price Not UOM Dependant,Cena ni UOM odvisna apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Čas (v min) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Osnovno DocType: Loan,Interest Income Account,Račun prihodkov iz obresti @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,tip zaposlitve apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Izberite profil POS DocType: Support Settings,Get Latest Query,Prenesite najnovejšo poizvedbo DocType: Employee Incentive,Employee Incentive,Spodbuda za zaposlene +DocType: Service Level,Priorities,Prednostne naloge apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Dodajte kartice ali razdelke po meri na domačo stran DocType: Homepage,Hero Section Based On,Odsek junaka na podlagi DocType: Project,Total Purchase Cost (via Purchase Invoice),Skupna nabavna cena (prek računa za nakup) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,Izdelava glede na zahte DocType: Blanket Order Item,Ordered Quantity,Naročena količina apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Vrstica # {0}: zavrnjeno skladišče je obvezno proti zavrnjeni postavki {1} ,Received Items To Be Billed,"Prejeti elementi, ki jih je treba zaračunati" -DocType: Salary Slip Timesheet,Working Hours,Delovni čas +DocType: Attendance,Working Hours,Delovni čas apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Način plačila apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Postavke naročila niso bile prejete pravočasno apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Trajanje v dneh @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,P DocType: Supplier,Statutory info and other general information about your Supplier,Zakonske informacije in druge splošne informacije o vašem dobavitelju DocType: Item Default,Default Selling Cost Center,Privzeto prodajno mesto za prodajo DocType: Sales Partner,Address & Contacts,Naslov in stiki -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavite številske serije za Prisotnost prek Nastavitve> Številčne serije DocType: Subscriber,Subscriber,Naročnik apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) ni na zalogi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Najprej izberite Datum knjiženja @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,% Dokončana metoda DocType: Detected Disease,Tasks Created,"Naloge, ustvarjene" apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Privzeta BOM ({0}) mora biti aktivna za to postavko ali njeno predlogo apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Stopnja Komisije% -DocType: Service Level,Response Time,Odzivni čas +DocType: Service Level Priority,Response Time,Odzivni čas DocType: Woocommerce Settings,Woocommerce Settings,Nastavitve za Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Količina mora biti pozitivna DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Stroški bolnišničnega DocType: Bank Statement Settings,Transaction Data Mapping,Preslikava podatkov o transakcijah apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Voditelj zahteva ime osebe ali ime organizacije DocType: Student,Guardians,Varuhi -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavite Sistem za poimenovanje inštruktorja v izobraževanju> Nastavitve izobraževanja apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Izberite blagovno znamko ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Srednji dohodek DocType: Shipping Rule,Calculate Based On,Izračunajte na podlagi @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Nastavite cilj apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Zapis o prisotnosti {0} obstaja proti študentu {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Datum transakcije apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Prekliči naročnino +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Ni mogoče določiti sporazuma o ravni storitve {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Znesek neto plač DocType: Account,Liability,Odgovornost DocType: Employee,Bank A/C No.,Bančni A / C št. @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Šifra postavke surovine apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Račun za nakup {0} je že poslan DocType: Fees,Student Email,E-naslov študenta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Ponovitev BOM: {0} ne more biti staršev ali otrok {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Pridobite izdelke iz zdravstvenih storitev apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Vnos delnice {0} ni predložen DocType: Item Attribute Value,Item Attribute Value,Vrednost atributa elementa @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,Dovoli tiskanje pred plačilom DocType: Production Plan,Select Items to Manufacture,Izberite elemente za izdelavo DocType: Leave Application,Leave Approver Name,Pusti ime odobritve DocType: Shareholder,Shareholder,Delničar -DocType: Issue,Agreement Status,Stanje sporazuma apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Privzete nastavitve za prodajne transakcije. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Prosimo, da izberete sprejem študentov, ki je obvezen za plačanega študenta" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Izberite BOM @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Račun dohodka apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Vsa skladišča DocType: Contract,Signee Details,Podrobnosti o znaku +DocType: Shift Type,Allow check-out after shift end time (in minutes),Dovoli odjavo po končnem času izmene (v minutah) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Javna naročila DocType: Item Group,Check this if you want to show in website,"Označite to možnost, če želite prikazati na spletnem mestu" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskalno leto {0} ni bilo mogoče najti @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Začetni datum amortizacije DocType: Activity Cost,Billing Rate,Stopnja zaračunavanja apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Opozorilo: še en {0} # {1} obstaja proti vnosu v zalogi {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,"Omogočite nastavitve Google Zemljevidov, da ocenite in optimizirate poti" +DocType: Purchase Invoice Item,Page Break,Prelom strani DocType: Supplier Scorecard Criteria,Max Score,Najvišji rezultat apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Datum začetka odplačevanja ne more biti pred datumom izplačila. DocType: Support Search Source,Support Search Source,Podpora viru iskanja @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Cilj cilja kakovosti DocType: Employee Transfer,Employee Transfer,Prenos zaposlenih ,Sales Funnel,Potek prodaje DocType: Agriculture Analysis Criteria,Water Analysis,Analiza vode +DocType: Shift Type,Begin check-in before shift start time (in minutes),Začnite prijavo pred začetkom časa premika (v minutah) DocType: Accounts Settings,Accounts Frozen Upto,Računi zamrznjeni apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Ničesar ni za urejanje. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Delovanje {0}, ki je daljše od razpoložljivih delovnih ur v delovni postaji {1}, operacijo razčlenite na več operacij" @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Dena apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Prodajno naročilo {0} je {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Zamuda pri plačilu (dnevi) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Vnesite podrobnosti amortizacije +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Stranka naročnika apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Pričakovani datum dobave mora biti po datumu prodajnega naloga +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Količina elementa ne more biti nič apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Neveljaven atribut apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Izberite BOM pred postavko {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Vrsta računa @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,Datum vzdrževanja DocType: Volunteer,Afternoon,Popoldne DocType: Vital Signs,Nutrition Values,Vrednosti hranilne vrednosti DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Prisotnost zvišane telesne temperature (temp> 38,5 ° C / 101,3 ° F ali stalna temperatura> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Namestite sistem za imenovanje zaposlenih v človeških virih> Nastavitve za HR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC obrnjen DocType: Project,Collect Progress,Zberite napredek apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energija @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,Napredek namestitve ,Ordered Items To Be Billed,Naročene postavke za zaračunavanje DocType: Taxable Salary Slab,To Amount,Na znesek DocType: Purchase Invoice,Is Return (Debit Note),Je vrnitev (bremenitveno obvestilo) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Stranka> Skupina kupcev> Ozemlje apps/erpnext/erpnext/config/desktop.py,Getting Started,Kako začeti apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Spoji apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,"Ni mogoče spremeniti začetnega datuma fiskalnega leta in končnega davčnega leta, potem ko je fiskalno leto shranjeno." @@ -2216,8 +2232,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Dejanski datum apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Datum začetka vzdrževanja ne sme biti pred datumom dobave za serijsko številko {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Vrstica {0}: menjalni tečaj je obvezen DocType: Purchase Invoice,Select Supplier Address,Izberite naslov dobavitelja +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Razpoložljiva količina je {0}, potrebujete {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Vnesite Secret of Consumer API DocType: Program Enrollment Fee,Program Enrollment Fee,Pristojbina za vpis programa +DocType: Employee Checkin,Shift Actual End,Shift Actual End DocType: Serial No,Warranty Expiry Date,Datum veljavnosti garancije DocType: Hotel Room Pricing,Hotel Room Pricing,Cene hotelskih sob apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Zunanje obdavčljive dobave (razen ničelnih, ničelnih in oproščenih)" @@ -2277,6 +2295,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Branje 5 DocType: Shopping Cart Settings,Display Settings,Nastavitve zaslona apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Nastavite število knjiženih amortizacij +DocType: Shift Type,Consequence after,Posledica za apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Za kaj potrebujete pomoč? DocType: Journal Entry,Printing Settings,Nastavitve tiskanja apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bančništvo @@ -2286,6 +2305,7 @@ DocType: Purchase Invoice Item,PR Detail,PR Podrobnosti apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Naslov za obračun je enak naslovu za dostavo DocType: Account,Cash,Gotovina DocType: Employee,Leave Policy,Zapusti politiko +DocType: Shift Type,Consequence,Posledica apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Naslov učenca DocType: GST Account,CESS Account,Račun CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Stroškovno mesto je potrebno za račun »Dobiček in izguba« {2}. Za podjetje nastavite privzeto središče stroškov. @@ -2350,6 +2370,7 @@ DocType: GST HSN Code,GST HSN Code,Kodeks GST HSN DocType: Period Closing Voucher,Period Closing Voucher,Dokončni bon apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Ime skrbnika2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Vnesite Stroškovni račun +DocType: Issue,Resolution By Variance,Ločljivost po varianci DocType: Employee,Resignation Letter Date,Datum odstopnega pisma DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Prisotnost na dan @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Prikaži zdaj DocType: Item Price,Valid Upto,Velja do konca apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referenčni dokument mora biti eden od {0} +DocType: Employee Checkin,Skip Auto Attendance,Preskoči avto DocType: Payment Request,Transaction Currency,Valuta transakcije DocType: Loan,Repayment Schedule,Urnik odplačevanja apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Ustvarite vnos v zalogo vzorca @@ -2433,6 +2455,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Dodelitev struk DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Davki za zaključevanje bonov POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Ukrep je začet DocType: POS Profile,Applicable for Users,Uporabno za uporabnike +,Delayed Order Report,Poročilo o zakasnjenem naročilu DocType: Training Event,Exam,Izpit apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nepravilno število najdenih vnosov glavne knjige. Morda ste v transakciji izbrali napačen račun. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Prodajni cevovod @@ -2447,10 +2470,11 @@ DocType: Account,Round Off,Zaokrožite DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Pogoji bodo uporabljeni za vse izbrane elemente skupaj. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Konfiguriraj DocType: Hotel Room,Capacity,Zmogljivost +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Nameščena količina apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Paket {0} elementa {1} je onemogočen. DocType: Hotel Room Reservation,Hotel Reservation User,Uporabnik rezervacije hotelov -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Delovni dan je bil ponovljen dvakrat +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Sporazum o ravni storitev z vrsto entitete {0} in entiteto {1} že obstaja. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},"Skupina postavke, ki ni navedena v glavnem elementu za element {0}" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Napaka imena: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Teritorij je potreben v profilu POS @@ -2498,6 +2522,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Datum razporeda DocType: Packing Slip,Package Weight Details,Podrobnosti teže paketa DocType: Job Applicant,Job Opening,Odpiranje dela +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Zadnja znana uspešna sinhronizacija zaposlenega Checkin. To ponastavite samo, če ste prepričani, da so vsi dnevniki sinhronizirani z vseh lokacij. Prosim, ne spreminjajte tega, če niste prepričani." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Dejanska cena apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Skupni predujem ({0}) proti naročilu {1} ne more biti večji od skupnega zneska ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Različice artiklov so posodobljene @@ -2542,6 +2567,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Referenčni potrdilo o na apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Pridobite račune DocType: Tally Migration,Is Day Book Data Imported,Je dan podatkov o knjigi uvožen ,Sales Partners Commission,Komisija za prodajne partnerje +DocType: Shift Type,Enable Different Consequence for Early Exit,Omogoči drugačno posledico za zgodnji izhod apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Pravno DocType: Loan Application,Required by Date,Zahteva po datumu DocType: Quiz Result,Quiz Result,Rezultat kviza @@ -2601,7 +2627,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finančno DocType: Pricing Rule,Pricing Rule,Pravilo o določanju cen apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Neobvezni seznam praznikov ni nastavljen za obdobje dopusta {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,"Vnesite polje ID uporabnika v zapisu zaposlenega, da nastavite vlogo uslužbenca" -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Čas za reševanje DocType: Training Event,Training Event,Usposabljanje DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normalni krvni tlak v mirovanju pri odraslem je približno 120 mmHg sistolični in 80 mmHg diastolični, skrajšano "120/80 mmHg"." DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Če bo mejna vrednost nič, bo sistem vnesel vse vnose." @@ -2645,6 +2670,7 @@ DocType: Woocommerce Settings,Enable Sync,Omogoči sinhronizacijo DocType: Student Applicant,Approved,Odobreno apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Od datuma mora biti v proračunskem letu. Ob predpostavki od datuma = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Nastavite skupino dobaviteljev v nastavitvah nakupa. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} je neveljaven status obiska. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Začasni račun za začetek DocType: Purchase Invoice,Cash/Bank Account,Denarni / bančni račun DocType: Quality Meeting Table,Quality Meeting Table,Tabela kakovosti sestanka @@ -2680,6 +2706,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,Oznaka MWS Auth apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Hrana, pijača in tobak" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Razpored tečajev DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Postavka Wise Davčna Podrobnosti +DocType: Shift Type,Attendance will be marked automatically only after this date.,Prisotnost bo samodejno označena šele po tem datumu. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Dobave za imetnike UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Zahtevek za ponudbo apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Valute ni mogoče spremeniti po vnosu z drugo valuto @@ -2727,7 +2754,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Je element iz vozlišča apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Postopek kakovosti. DocType: Share Balance,No of Shares,Št. Delnic -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Vrstica {0}: Količina ni na voljo za {4} v skladišču {1} ob času objave vnosa ({2} {3}) DocType: Quality Action,Preventive,Preventivno DocType: Support Settings,Forum URL,URL foruma apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Zaposleni in obiskovalci @@ -2949,7 +2975,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Vrsta popustov DocType: Hotel Settings,Default Taxes and Charges,Privzeti davki in pristojbine apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,To temelji na transakcijah s tem dobaviteljem. Za podrobnosti si oglejte časovni pas spodaj apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Najvišji znesek za zaposlene {0} presega {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Vnesite začetni in končni datum pogodbe. DocType: Delivery Note Item,Against Sales Invoice,Proti računu za prodajo DocType: Loyalty Point Entry,Purchase Amount,Znesek nakupa apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Ni mogoče nastaviti kot izgubljeno kot prodajno naročilo. @@ -2973,7 +2998,7 @@ DocType: Homepage,"URL for ""All Products""",URL za »Vsi izdelki« DocType: Lead,Organization Name,ime organizacije apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Veljavna polja in veljavna polja za dopolnitev so obvezna za kumulativno apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Vrstica # {0}: serijska št. Mora biti enaka kot {1} {2} -DocType: Employee,Leave Details,Pustite podrobnosti +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Zamrznejo se transakcije z vrednostnimi papirji pred {0} DocType: Driver,Issuing Date,Datum izdaje apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Prosilec @@ -3018,9 +3043,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Podrobnosti predloge za preslikavo denarnega toka apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Zaposlovanje in usposabljanje DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Nastavitve obdobja počitka za samodejno prisotnost apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Iz valute in valute ne moreta biti enaka apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmacevtski izdelki DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Čas podpore apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} je preklican ali zaprt apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Vrstica {0}: Predplačilo za stranko mora biti dobroimetje apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Združi po kuponu (konsolidirano) @@ -3130,6 +3157,7 @@ DocType: Asset Repair,Repair Status,Stanje popravila DocType: Territory,Territory Manager,Upravitelj ozemlja DocType: Lab Test,Sample ID,ID vzorca apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Košarica je prazna +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Udeležba je bila označena kot prijavljena na zaposlenega apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Predložiti je treba sredstvo {0} ,Absent Student Report,Odsotno študentsko poročilo apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Vključen v bruto dobiček @@ -3137,7 +3165,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,C DocType: Travel Request Costing,Funded Amount,Finančni znesek apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} ni bila poslana, zato dejanja ni mogoče dokončati" DocType: Subscription,Trial Period End Date,Preskusni končni datum +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Izmenični vnosi kot IN in OUT med istim premikom DocType: BOM Update Tool,The new BOM after replacement,Nova BOM po zamenjavi +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavitelj> Vrsta dobavitelja apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Točka 5 DocType: Employee,Passport Number,Številka potnega lista apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Začasno odpiranje @@ -3253,6 +3283,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Ključna poročila apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Možen dobavitelj ,Issued Items Against Work Order,Izdane postavke za delovni nalog apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Ustvarjanje računa {0} Račun +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Nastavite Sistem za poimenovanje inštruktorja v izobraževanju> Nastavitve izobraževanja DocType: Student,Joining Date,Datum pridružitve apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Zahtevano mesto DocType: Purchase Invoice,Against Expense Account,Proti računu stroškov @@ -3292,6 +3323,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Veljavni stroški ,Point of Sale,Prodajno mesto DocType: Authorization Rule,Approving User (above authorized value),Odobritev uporabnika (nad dovoljeno vrednostjo) +DocType: Service Level Agreement,Entity,Entiteta apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Znesek {0} {1} prenesen iz {2} v {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Stranka {0} ne pripada projektu {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Iz imena stranke @@ -3338,6 +3370,7 @@ DocType: Asset,Opening Accumulated Depreciation,Odpiranje akumulirane amortizaci DocType: Soil Texture,Sand Composition (%),Sestava peska (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Podatki o knjigi dneva uvoza +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavite Naming Series za {0} prek Setup> Settings> Series Naming DocType: Asset,Asset Owner Company,Družba lastnik premoženja apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Stroškovno mesto je potrebno za knjiženje odškodninskega zahtevka apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} veljavnih serijskih številk za element {1} @@ -3398,7 +3431,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Lastnik premoženja apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Skladišče je obvezno za element {0} v vrstici {1} DocType: Stock Entry,Total Additional Costs,Skupni dodatni stroški -DocType: Marketplace Settings,Last Sync On,Zadnja sinhronizacija vklopljena apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,V tabeli Davki in stroški nastavite vsaj eno vrstico DocType: Asset Maintenance Team,Maintenance Team Name,Ime vzdrževalne ekipe apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Grafikon stroškovnih mest @@ -3414,12 +3446,12 @@ DocType: Sales Order Item,Work Order Qty,Število delovnih nalogov DocType: Job Card,WIP Warehouse,WIP skladišče DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ID uporabnika ni nastavljen za zaposlenega {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Na voljo je številka {0}, potrebujete {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Uporabnik {0} je ustvarjen DocType: Stock Settings,Item Naming By,Postavka poimenovanja apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Naročeno apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,To je glavna skupina odjemalcev in je ni mogoče urejati. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Zahteva za material {0} je preklicana ali ustavljena +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strogo temelji na Log Type v službi Checkin DocType: Purchase Order Item Supplied,Supplied Qty,Priložena količina DocType: Cash Flow Mapper,Cash Flow Mapper,Kartiranje denarnih tokov DocType: Soil Texture,Sand,Pesek @@ -3478,6 +3510,7 @@ DocType: Lab Test Groups,Add new line,Dodaj novo vrstico apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Podvojena skupina postavk najdete v tabeli skupine postavk apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Letna plača DocType: Supplier Scorecard,Weighting Function,Funkcija uteževanja +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor pretvorbe UOM ({0} -> {1}) ni bil najden za element: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Napaka pri ocenjevanju formule meril ,Lab Test Report,Poročilo o laboratorijskih testih DocType: BOM,With Operations,Z operacijami @@ -3491,6 +3524,7 @@ DocType: Expense Claim Account,Expense Claim Account,Račun zahtevkov za strošk apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Za vnos v dnevnik ni na voljo povračil apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} je neaktivna študentka apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Izdelava zaloge +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Ponovitev BOM: {0} ne more biti staršev ali otrok {1} DocType: Employee Onboarding,Activities,Dejavnosti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Vsaj eno skladišče je obvezno ,Customer Credit Balance,Stanje posojila strank @@ -3503,9 +3537,11 @@ DocType: Supplier Scorecard Period,Variables,Spremenljivke apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Na voljo je večkratni program zvestobe za naročnika. Izberite ročno. DocType: Patient,Medication,Zdravila apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Izberite Program zvestobe +DocType: Employee Checkin,Attendance Marked,Udeleženci so bili označeni apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Surovine DocType: Sales Order,Fully Billed,Popolnoma zaračunan apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Prosimo, nastavite ceno hotelske sobe na {}" +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Izberite samo eno prioriteto kot privzeto. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Prepoznajte / ustvarite račun (Ledger) za vrsto - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Skupni znesek kreditov / bremenitev mora biti enak kot povezava v dnevnik DocType: Purchase Invoice Item,Is Fixed Asset,Je fiksno sredstvo @@ -3526,6 +3562,7 @@ DocType: Purpose of Travel,Purpose of Travel,Namen potovanja DocType: Healthcare Settings,Appointment Confirmation,Potrditev dogovora DocType: Shopping Cart Settings,Orders,Naročila DocType: HR Settings,Retirement Age,Starost upokojitve +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Nastavite številske serije za Prisotnost prek Nastavitve> Številčne serije apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Predvidena količina apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Brisanje ni dovoljeno za državo {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Vrstica # {0}: Sredstvo {1} je že {2} @@ -3609,11 +3646,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Računovodja apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Vnaprejšnje potrdilo o zaključku bonusa POS obstaja za {0} med datumom {1} in {2} apps/erpnext/erpnext/config/help.py,Navigating,Navigacija +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Nobeni odprti računi ne zahtevajo prevrednotenja deviznega tečaja DocType: Authorization Rule,Customer / Item Name,Ime stranke / postavke apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nova serijska številka ne more imeti skladišča. Skladišče mora biti nastavljeno z vnosom delnic ali potrdilom o nakupu DocType: Issue,Via Customer Portal,Preko portala za stranke DocType: Work Order Operation,Planned Start Time,Načrtovani čas začetka apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} je {2} +DocType: Service Level Priority,Service Level Priority,Prednostna raven storitve apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Število knjiženih amortizacij ne sme biti večje od skupnega števila amortizacij apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Skupna raba Ledger DocType: Journal Entry,Accounts Payable,Obveznosti do dobaviteljev @@ -3724,7 +3763,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Dostava v DocType: Bank Statement Transaction Settings Item,Bank Data,Bančni podatki apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Načrtovano Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Ohranite Billing Hours in delovne ure Enako na Timesheet apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Pot vodi po vodilnem viru. DocType: Clinical Procedure,Nursing User,Uporabnik zdravstvene nege DocType: Support Settings,Response Key List,Seznam ključnih odgovorov @@ -3892,6 +3930,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Dejanski čas začetka DocType: Antibiotic,Laboratory User,Uporabnik laboratorija apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Spletne dražbe +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prednost {0} je bila ponovljena. DocType: Fee Schedule,Fee Creation Status,Stanje ustvarjanja pristojbin apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Programska oprema apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Prodajni nalog za plačilo @@ -3958,6 +3997,7 @@ DocType: Patient Encounter,In print,V tisku apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Podatkov za {0} ni bilo mogoče pridobiti. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Valuta za obračun mora biti enaka privzeti valuti podjetja ali valuti računa stranke apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Vnesite ID zaposlenega te prodajne osebe +DocType: Shift Type,Early Exit Consequence after,Zgodnja izstopna posledica apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Ustvarite odprte račune za prodajo in nakup DocType: Disease,Treatment Period,Obdobje zdravljenja apps/erpnext/erpnext/config/settings.py,Setting up Email,Nastavitev e-pošte @@ -3975,7 +4015,6 @@ DocType: Employee Skill Map,Employee Skills,Spretnosti zaposlenih apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Študentsko ime: DocType: SMS Log,Sent On,Poslano vklopljeno DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Prodajni račun -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Odzivni čas ne sme biti daljši od časa za ločljivost DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Za študentsko skupino, ki temelji na predmetu, bo tečaj potrjen za vsakega študenta iz vpisanih tečajev v programu za vpis." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Dobave znotraj države DocType: Employee,Create User Permission,Ustvari uporabniško dovoljenje @@ -4014,6 +4053,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standardni pogodbeni pogoji za prodajo ali nakup. DocType: Sales Invoice,Customer PO Details,Podrobnosti o stranki naročnika apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Bolnika ni mogoče najti +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Izberite privzeto prednost. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Odstranite element, če se stroški ne nanašajo na ta element" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Skupina strank obstaja z istim imenom. Prosimo, spremenite ime stranke ali preimenujete skupino kupcev" 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. @@ -4053,6 +4093,7 @@ DocType: Quality Goal,Quality Goal,Cilj kakovosti DocType: Support Settings,Support Portal,Portal za podporo apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Končni datum opravila {0} ne sme biti manjši od {1} pričakovanega začetnega datuma {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Zaposleni {0} je zapustil na {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Ta sporazum o ravni storitev je specifičen za stranko {0} DocType: Employee,Held On,Held On DocType: Healthcare Practitioner,Practitioner Schedules,Seznami zdravilcev DocType: Project Template Task,Begin On (Days),Začni dne (dneve) @@ -4060,6 +4101,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Delovni nalog je bil {0} DocType: Inpatient Record,Admission Schedule Date,Datum vpisa apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Prilagoditev vrednosti sredstev +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Označite prisotnost na podlagi 'Preverjanje zaposlenih' za zaposlene, ki so dodeljeni tej izmeni." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Dobave za neregistrirane osebe apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Vsa delovna mesta DocType: Appointment Type,Appointment Type,Vrsta sestanka @@ -4173,7 +4215,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruto teža paketa. Običajno neto teža + teža embalaže. (za tiskanje) DocType: Plant Analysis,Laboratory Testing Datetime,Datetime čas laboratorijskega testiranja apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Postavka {0} ne more imeti paketa -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Prodajni cevovod po stopnjah apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Moč učenčeve skupine DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Vnos transakcije bančnega izpiska DocType: Purchase Order,Get Items from Open Material Requests,Pridobite elemente iz odprtih zahtev za material @@ -4255,7 +4296,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Pokaži skladišče staranja DocType: Sales Invoice,Write Off Outstanding Amount,Izpusti neporavnani znesek DocType: Payroll Entry,Employee Details,Podrobnosti o zaposlenih -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Začetni čas ne more biti daljši od končnega časa za {0}. DocType: Pricing Rule,Discount Amount,Znesek popusta DocType: Healthcare Service Unit Type,Item Details,Podrobnosti izdelka apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Podvojena davčna izjava o {0} za obdobje {1} @@ -4308,7 +4348,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto plačilo ne more biti negativno apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Št. Interakcij 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} # Predmet {1} ni mogoče prenesti več kot {2} proti naročilu za nakup {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Shift +DocType: Attendance,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Obdelovalni kontni načrt in pogodbenice DocType: Stock Settings,Convert Item Description to Clean HTML,Pretvori opis elementa v Clean HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Vse skupine dobaviteljev @@ -4379,6 +4419,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Zaposlitvena DocType: Healthcare Service Unit,Parent Service Unit,Enota matične službe DocType: Sales Invoice,Include Payment (POS),Vključi plačilo (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Zasebni kapital +DocType: Shift Type,First Check-in and Last Check-out,Prva prijava in zadnja odjava DocType: Landed Cost Item,Receipt Document,Dokument o prejemu DocType: Supplier Scorecard Period,Supplier Scorecard Period,Obdobje kazalnika dobavitelja DocType: Employee Grade,Default Salary Structure,Privzeta struktura plač @@ -4461,6 +4502,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Ustvarite naročilo apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Določite proračun za proračunsko leto. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Tabela računov ne sme biti prazna. +DocType: Employee Checkin,Entry Grace Period Consequence,Posledica vstopnega obdobja ,Payment Period Based On Invoice Date,Obdobje plačila na podlagi datuma računa apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Datum namestitve ne more biti pred datumom dobave za element {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Povezava na zahtevo za material @@ -4469,6 +4511,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Vrsta preslik apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Vrstica {0}: v tem skladišču že obstaja vnos ponovnega urejanja {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Datum dokumenta DocType: Monthly Distribution,Distribution Name,Ime distribucije +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Delovni dan {0} se je ponovil. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Skupina v drugo skupino apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Posodobitev poteka. Morda bo trajalo nekaj časa. DocType: Item,"Example: ABCD.##### @@ -4481,6 +4524,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Količina goriva apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile No DocType: Invoice Discounting,Disbursed,Izplačano +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Čas po koncu izmene, v katerem se upošteva check-out za udeležbo." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Neto sprememba obveznosti do dobaviteljev apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Ni na voljo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Krajši delovni čas @@ -4494,7 +4538,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Možne p apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Pokaži PDC v tiskanju apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify dobavitelj DocType: POS Profile User,POS Profile User,Uporabnik POS profila -DocType: Student,Middle Name,Srednje ime DocType: Sales Person,Sales Person Name,Ime prodajne osebe DocType: Packing Slip,Gross Weight,Bruto teža DocType: Journal Entry,Bill No,Predlog št @@ -4503,7 +4546,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Nova DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Sporazum o ravni storitev -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Najprej izberite zaposlenega in datum apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Stopnja vrednotenja postavke se preračuna glede na znesek kupona stroškov iztovarjanja DocType: Timesheet,Employee Detail,Podrobnosti o zaposlenih DocType: Tally Migration,Vouchers,Kuponi @@ -4538,7 +4580,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Sporazum o ravni DocType: Additional Salary,Date on which this component is applied,"Datum, na katerega se ta komponenta uporablja" apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Seznam razpoložljivih delničarjev s številkami apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Nastavitve računov za prehod. -DocType: Service Level,Response Time Period,Obdobje odzivnega časa +DocType: Service Level Priority,Response Time Period,Obdobje odzivnega časa DocType: Purchase Invoice,Purchase Taxes and Charges,Nakup davkov in dajatev DocType: Course Activity,Activity Date,Datum aktivnosti apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Izberite ali dodajte novo stranko @@ -4563,6 +4605,7 @@ DocType: Sales Person,Select company name first.,Najprej izberite ime podjetja. apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Finančno leto DocType: Sales Invoice Item,Deferred Revenue,Odloženi prihodki apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,V vsakem primeru je treba izbrati eno od prodajnih ali nakupnih +DocType: Shift Type,Working Hours Threshold for Half Day,Delovni čas Prag za pol dneva ,Item-wise Purchase History,Zgodovina nabave apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Ni mogoče spremeniti datuma zaustavitve storitve za element v vrstici {0} DocType: Production Plan,Include Subcontracted Items,Vključite postavke podizvajalcev @@ -4595,6 +4638,7 @@ DocType: Journal Entry,Total Amount Currency,Skupna valuta zneska DocType: BOM,Allow Same Item Multiple Times,Dovoli isti element večkrat apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Ustvari BOM DocType: Healthcare Practitioner,Charges,Stroški +DocType: Employee,Attendance and Leave Details,Prisotnost in podatki o dopustu DocType: Student,Personal Details,Osebni podatki DocType: Sales Order,Billing and Delivery Status,Stanje zaračunavanja in dostave apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Vrstica {0}: Za dobavitelja {0} E-poštni naslov je potreben za pošiljanje e-pošte @@ -4646,7 +4690,6 @@ DocType: Bank Guarantee,Supplier,Dobavitelj apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Vnesite vrednost med {0} in {1} DocType: Purchase Order,Order Confirmation Date,Datum potrditve naročila DocType: Delivery Trip,Calculate Estimated Arrival Times,Izračunajte predvideni čas prihoda -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Namestite sistem za imenovanje zaposlenih v človeških virih> Nastavitve za HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Potrošni DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Datum začetka naročnine @@ -4669,7 +4712,7 @@ DocType: Installation Note Item,Installation Note Item,Namestitev Opomba Postavk DocType: Journal Entry Account,Journal Entry Account,Račun za vnos v dnevnik apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Varianta apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Dejavnost foruma -DocType: Service Level,Resolution Time Period,Časovno obdobje ločljivosti +DocType: Service Level Priority,Resolution Time Period,Časovno obdobje ločljivosti DocType: Request for Quotation,Supplier Detail,Podrobnosti o dobavitelju DocType: Project Task,View Task,Prikaži opravilo DocType: Serial No,Purchase / Manufacture Details,Podrobnosti o nakupu / izdelavi @@ -4736,6 +4779,7 @@ DocType: Sales Invoice,Commission Rate (%),Stopnja Komisije (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Skladišče se lahko spremeni samo z vstopnico / dobavnico / nakupom DocType: Support Settings,Close Issue After Days,Zapri vprašanje po dnevih DocType: Payment Schedule,Payment Schedule,Urnik plačila +DocType: Shift Type,Enable Entry Grace Period,Omogoči začetno obdobje odobritve DocType: Patient Relation,Spouse,Zakonec DocType: Purchase Invoice,Reason For Putting On Hold,Razlog za zadržanje DocType: Item Attribute,Increment,Povečanje @@ -4875,6 +4919,7 @@ DocType: Authorization Rule,Customer or Item,Stranka ali izdelek DocType: Vehicle Log,Invoice Ref,Račun Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Obrazec C ne velja za račun: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Račun je ustvarjen +DocType: Shift Type,Early Exit Grace Period,Zgodnje izhodno obdobje Grace DocType: Patient Encounter,Review Details,Podrobnosti o pregledu apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Vrstica {0}: Vrednost ure mora biti večja od nič. DocType: Account,Account Number,Številka računa @@ -4886,7 +4931,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Velja, če je družba SpA, SApA ali SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,"Pogoji, ki se prekrivajo, so med:" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Plačan in ni dostavljen -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Koda postavke je obvezna, ker postavka ni samodejno oštevilčena" DocType: GST HSN Code,HSN Code,Kodeks HSN DocType: GSTR 3B Report,September,September apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administrativni stroški @@ -4922,6 +4966,8 @@ DocType: Travel Itinerary,Travel From,Potovanje iz apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Račun CWIP DocType: SMS Log,Sender Name,Ime pošiljatelja DocType: Pricing Rule,Supplier Group,Skupina dobaviteljev +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Nastavite čas začetka in končni čas za dan podpore {0} v indeksu {1}. DocType: Employee,Date of Issue,Datum izdaje ,Requested Items To Be Transferred,Zahtevane postavke za prenos DocType: Employee,Contract End Date,Datum konca pogodbe @@ -4932,6 +4978,7 @@ DocType: Healthcare Service Unit,Vacant,Prazen DocType: Opportunity,Sales Stage,Prodajna faza DocType: Sales Order,In Words will be visible once you save the Sales Order.,"V besedi bo viden, ko shranite prodajni nalog." DocType: Item Reorder,Re-order Level,Raven ponovnega naročanja +DocType: Shift Type,Enable Auto Attendance,Omogoči samodejno prisotnost apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Prednost ,Department Analytics,Analytics oddelka DocType: Crop,Scientific Name,Znanstveno ime @@ -4944,6 +4991,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},Stanje {0} {1} je {2} DocType: Quiz Activity,Quiz Activity,Dejavnost kviza apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} ni v veljavnem obdobju plačevanja DocType: Timesheet,Billed,Obračunano +apps/erpnext/erpnext/config/support.py,Issue Type.,Vrsta težave. DocType: Restaurant Order Entry,Last Sales Invoice,Zadnji prodajni račun DocType: Payment Terms Template,Payment Terms,Plačilni pogoji apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Rezervirano Količina: Količina, naročena za prodajo, vendar ne dostavljena." @@ -5039,6 +5087,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Sredstvo apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} nima programa Zdravstveni delavec. Dodajte ga v nadrejenega zdravnika DocType: Vehicle,Chassis No,Št +DocType: Employee,Default Shift,Privzeti premik apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Okrajšava podjetja apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Drevo gradiva DocType: Article,LMS User,Uporabnik LMS @@ -5087,6 +5136,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Matična prodajna oseba DocType: Student Group Creation Tool,Get Courses,Pridobite tečaje 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.","Vrstica # {0}: Količina mora biti 1, ker je postavka osnovno sredstvo. Uporabite ločeno vrstico za večkratno količino." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Delovne ure, pod katerimi je označena odsotnost. (Nič do onemogočenja)" DocType: Customer Group,Only leaf nodes are allowed in transaction,V transakciji so dovoljene le listne vozlišča DocType: Grant Application,Organization,Organizacija DocType: Fee Category,Fee Category,Kategorija plačila @@ -5099,6 +5149,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Posodobite svoje stanje za to usposabljanje DocType: Volunteer,Morning,Jutro DocType: Quotation Item,Quotation Item,Postavka ponudbe +apps/erpnext/erpnext/config/support.py,Issue Priority.,Prednostna naloga. DocType: Journal Entry,Credit Card Entry,Vnos s kreditno kartico apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Časovna reža je preskočena, reža {0} do {1} prekriva obstoječo režo {2} do {3}" DocType: Journal Entry Account,If Income or Expense,Če dohodek ali odhodek @@ -5149,11 +5200,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Uvoz podatkov in nastavitve 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 je izbrana možnost Samodejni vklop, bodo stranke samodejno povezane z zadevnim programom zvestobe (ob shranjevanju)" DocType: Account,Expense Account,Stroškovni račun +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Čas pred začetkom izmene, med katerim se šteje za prijavo zaposlenega." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Povezava z varuhom1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Ustvari račun apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Zahtevek za plačilo že obstaja {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Zaposleni, ki je bil odpuščen {0}, mora biti nastavljen kot "levo"" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Plačajte {0} {1} +DocType: Company,Sales Settings,Prodajne nastavitve DocType: Sales Order Item,Produced Quantity,Proizvedena količina apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Do zahteve za ponudbo lahko dostopate s klikom na naslednjo povezavo DocType: Monthly Distribution,Name of the Monthly Distribution,Ime mesečne distribucije @@ -5232,6 +5285,7 @@ DocType: Company,Default Values,Privzete vrednosti apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Ustvarjene so privzete predloge za davek za prodajo in nakup. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Tipa zapustitve {0} ni mogoče prenesti apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Bremenitev Račun mora biti račun terjatev +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Datum konca pogodbe ne sme biti manjši kot danes. apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Nastavite račun v skladišču {0} ali privzetem računu inventarja v podjetju {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Ponastavi DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Neto teža tega paketa. (izračunano samodejno kot vsota neto teže postavk) @@ -5258,8 +5312,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Potekle serije DocType: Shipping Rule,Shipping Rule Type,Vrsta pravila pošiljanja DocType: Job Offer,Accepted,Sprejeto -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Izbrišite zaposlenega {0}, da prekličete ta dokument" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Ocenjevalna merila {} ste že ocenili. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Izberite Serijske številke apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Starost (dnevi) @@ -5286,6 +5338,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Izberite svoje domene DocType: Agriculture Task,Task Name,Ime opravila apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Vnosi v zalogi so že ustvarjeni za delovni nalog +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Izbrišite zaposlenega {0}, da prekličete ta dokument" ,Amount to Deliver,Znesek za dostavo apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Podjetje {0} ne obstaja apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Za povezavo za dane elemente ni bilo najdenih nerešenih zahtevkov za material. @@ -5335,6 +5389,7 @@ DocType: Program Enrollment,Enrolled courses,Vpisani tečaji DocType: Lab Prescription,Test Code,Preskusni kod DocType: Purchase Taxes and Charges,On Previous Row Total,Na prejšnji vrstici Skupaj DocType: Student,Student Email Address,E-naslov študenta +,Delayed Item Report,Zapoznelo poročilo o postavki DocType: Academic Term,Education,Izobraževanje DocType: Supplier Quotation,Supplier Address,Naslov dobavitelja DocType: Salary Detail,Do not include in total,Ne vključujte skupaj @@ -5342,7 +5397,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ne obstaja DocType: Purchase Receipt Item,Rejected Quantity,Zavrnjena količina DocType: Cashier Closing,To TIme,V TIme -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Faktor pretvorbe UOM ({0} -> {1}) ni bil najden za element: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Dnevni uporabnik skupine Povzetek dela DocType: Fiscal Year Company,Fiscal Year Company,Poslovno leto Podjetje apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternativni element ne sme biti enak kodi izdelka @@ -5394,6 +5448,7 @@ DocType: Program Fee,Program Fee,Pristojbina za program DocType: Delivery Settings,Delay between Delivery Stops,Zamuda med ustavitvijo dostave DocType: Stock Settings,Freeze Stocks Older Than [Days],Zamrzni zaloge starejše od [dni] DocType: Promotional Scheme,Promotional Scheme Product Discount,Popust za promocijske izdelke +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Obstaja že prednostna naloga DocType: Account,Asset Received But Not Billed,"Prejeta sredstva, vendar ne zaračunajo" DocType: POS Closing Voucher,Total Collected Amount,Skupni zbrani znesek DocType: Course,Default Grading Scale,Privzeta lestvica ocenjevanja @@ -5435,6 +5490,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Pogoji za izpolnitev apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Ne-skupina v skupino DocType: Student Guardian,Mother,Mati +DocType: Issue,Service Level Agreement Fulfilled,Izpolnjen sporazum o ravni storitev DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Odbitni davek za nezavarovane dajatve zaposlenih DocType: Travel Request,Travel Funding,Financiranje potovanj DocType: Shipping Rule,Fixed,Fiksno @@ -5464,10 +5520,12 @@ DocType: Item,Warranty Period (in days),Garancijsko obdobje (v dneh) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Ni najdenih elementov. DocType: Item Attribute,From Range,Iz območja DocType: Clinical Procedure,Consumables,Potrošni material +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' in 'timestamp' sta obvezna. DocType: Purchase Taxes and Charges,Reference Row #,Referenčna vrstica # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},V podjetju {0} nastavite 'Središče stroškov amortizacije sredstev' apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Vrstica # {0}: Plačilni dokument je potreben za dokončanje postopka DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Kliknite ta gumb, če želite podatke o prodajnem nalogu povleči iz storitve Amazon MWS." +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Delovni čas, pod katerim je označen pol dneva. (Nič do onemogočenja)" ,Assessment Plan Status,Status načrta ocenjevanja apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Najprej izberite {0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Pošljite to, da ustvarite zapis zaposlenega" @@ -5538,6 +5596,7 @@ DocType: Quality Procedure,Parent Procedure,Postopek staršev apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Nastavite Odpri apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Preklop filtrov DocType: Production Plan,Material Request Detail,Podrobnosti o zahtevi za material +DocType: Shift Type,Process Attendance After,Udeležba v procesu po DocType: Material Request Item,Quantity and Warehouse,Količina in skladišče apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Pojdite na Programi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Vrstica # {0}: podvojen vnos v virih {1} {2} @@ -5595,6 +5654,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Informacije o strankah apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Dolžniki ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Do danes ne more presegati datuma odpuščanja zaposlenega +DocType: Shift Type,Enable Exit Grace Period,Omogoči izhodno obdobje mirovanja DocType: Expense Claim,Employees Email Id,ID osebja e-pošte DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Posodobi Cena iz Shopify V ERPNext cenik DocType: Healthcare Settings,Default Medical Code Standard,Privzeti standard medicinske kode @@ -5625,7 +5685,6 @@ DocType: Item Group,Item Group Name,Ime skupine elementov DocType: Budget,Applicable on Material Request,Velja na zahtevo za material DocType: Support Settings,Search APIs,API-ji za iskanje DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Odstotek prekomerne proizvodnje za prodajni nalog -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Specifikacije DocType: Purchase Invoice,Supplied Items,Priloženi predmeti DocType: Leave Control Panel,Select Employees,Izberite Zaposleni apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Izberite račun obrestnih prihodkov v posojilu {0} @@ -5651,7 +5710,7 @@ DocType: Salary Slip,Deductions,Odbitki ,Supplier-Wise Sales Analytics,Prodajna analiza podjetja Wise DocType: GSTR 3B Report,February,Februar DocType: Appraisal,For Employee,Za zaposlenega -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Dejanski datum dostave +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Dejanski datum dostave DocType: Sales Partner,Sales Partner Name,Ime prodajnega partnerja apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Vrstica amortizacije {0}: Začetni datum amortizacije se vnese kot pretekli datum DocType: GST HSN Code,Regional,Regionalno @@ -5690,6 +5749,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Tro DocType: Supplier Scorecard,Supplier Scorecard,Tabela rezultatov dobavitelja DocType: Travel Itinerary,Travel To,Potovati v apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Označi Prisotnost +DocType: Shift Type,Determine Check-in and Check-out,Določite prijavo in odjavo DocType: POS Closing Voucher,Difference,Razlika apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Majhna DocType: Work Order Item,Work Order Item,Postavka delovnega naloga @@ -5723,6 +5783,7 @@ DocType: Sales Invoice,Shipping Address Name,Ime in naslov pošiljanja apps/erpnext/erpnext/healthcare/setup.py,Drug,Drog apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} je zaprt DocType: Patient,Medical History,Zdravstvena zgodovina +DocType: Expense Claim,Expense Taxes and Charges,Stroški in stroški DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,"Število dni po preteku datuma izdaje računa, preden prekličete naročnino ali označite naročnino kot neplačano" apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Namestitvena opomba {0} je že bila poslana DocType: Patient Relation,Family,Družina @@ -5754,7 +5815,6 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 2,Točka 2 apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,"Davčne stopnje zadržanja, ki se uporabljajo za transakcije." DocType: Dosage Strength,Strength,Trdnost DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,"Surovine za backflush, ki temeljijo na podnaročilu" -DocType: Bank Guarantee,Customer,Stranka DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Če je omogočeno, bo polje Academic Term obvezno v orodju za včlanitev v program." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Za Študentsko skupino, ki temelji na serijah, bo Študentska Serija potrjena za vsakega Študenta iz Vpisa v Program." DocType: Course,Topics,Teme @@ -5834,6 +5894,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Člani poglavja DocType: Warranty Claim,Service Address,Naslov storitve DocType: Journal Entry,Remark,Opomba +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Vrstica {0}: količina ni na voljo za {4} v skladišču {1} ob času objave vnosa ({2} {3}) DocType: Patient Encounter,Encounter Time,Čas srečanja DocType: Serial No,Invoice Details,Podrobnosti računa 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čune lahko ustvarite v skupinah, vendar lahko vnose vnesete za skupine, ki niso skupine" @@ -5914,6 +5975,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","I apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Zapiranje (Odpiranje + Skupaj) DocType: Supplier Scorecard Criteria,Criteria Formula,Formula za merila apps/erpnext/erpnext/config/support.py,Support Analytics,Podpora Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID naprave za prisotnost (ID biometrične / RF oznake) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Pregled in dejanje DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Če je račun zamrznjen, so vpisi dovoljeni za omejene uporabnike." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Znesek po amortizaciji @@ -5935,6 +5997,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Odplačilo posojila DocType: Employee Education,Major/Optional Subjects,Glavni / neobvezni predmeti DocType: Soil Texture,Silt,Silt +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Naslovi dobaviteljev in stiki DocType: Bank Guarantee,Bank Guarantee Type,Vrsta bančne garancije DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Če je onemogočeno, polje »Zaokroženo skupno« ne bo vidno v nobeni transakciji" DocType: Pricing Rule,Min Amt,Min Amt @@ -5973,6 +6036,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Odpiranje elementa orodja za ustvarjanje računa DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Vključi POS transakcije +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},"Ni zaposlenih, ki bi našel vrednost polja za zaposlenega. "{}": {}" DocType: Payment Entry,Received Amount (Company Currency),Prejeti znesek (valuta podjetja) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage je poln, ni shranil" DocType: Chapter Member,Chapter Member,Članica poglavja @@ -6005,6 +6069,7 @@ DocType: SMS Center,All Lead (Open),Vse vodilo (odprto) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Ni ustvarjena nobena študentska skupina. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Podvojena vrstica {0} z isto {1} DocType: Employee,Salary Details,Podrobnosti o plačah +DocType: Employee Checkin,Exit Grace Period Consequence,Izhod iz obdobja mirovanja DocType: Bank Statement Transaction Invoice Item,Invoice,Račun DocType: Special Test Items,Particulars,Podrobnosti apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Nastavite filter na podlagi elementa ali skladišča @@ -6106,6 +6171,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Iz AMC DocType: Job Opening,"Job profile, qualifications required etc.","Profil zaposlitve, zahtevane kvalifikacije itd." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Ladja v državo +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Ali želite oddati zahtevo za material DocType: Opportunity Item,Basic Rate,Osnovna stopnja DocType: Compensatory Leave Request,Work End Date,Datum konca dela apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Zahteva za surovine @@ -6291,6 +6357,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Amortizacija Znesek DocType: Sales Order Item,Gross Profit,Bruto dobiček DocType: Quality Inspection,Item Serial No,Zaporedna št DocType: Asset,Insurer,Zavarovalnica +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Znesek nakupa DocType: Asset Maintenance Task,Certificate Required,Zahtevano potrdilo DocType: Retention Bonus,Retention Bonus,Bonus za zadržanje @@ -6405,6 +6472,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Znesek razlike (valu DocType: Invoice Discounting,Sanctioned,Sankcionirano DocType: Course Enrollment,Course Enrollment,Vpis v tečaj DocType: Item,Supplier Items,Izdelki dobavitelja +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Začetni čas ne sme biti večji ali enak končnemu času za {0}. DocType: Sales Order,Not Applicable,Se ne uporablja DocType: Support Search Source,Response Options,Možnosti odziva apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,Vrednost {0} mora biti med 0 in 100 @@ -6491,7 +6560,6 @@ DocType: Travel Request,Costing,Stroški apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Fiksna sredstva DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Skupaj zaslužek -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Stranka> Skupina kupcev> Ozemlje DocType: Share Balance,From No,Od št DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Račun poravnave plačil DocType: Purchase Invoice,Taxes and Charges Added,Dodani davki in pristojbine @@ -6599,6 +6667,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Prezri pravilo o cenah apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Hrana DocType: Lost Reason Detail,Lost Reason Detail,Podrobnosti izgubljenega razloga +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Ustvarjene so bile naslednje serijske številke:
{0} DocType: Maintenance Visit,Customer Feedback,Povratne informacije strank DocType: Serial No,Warranty / AMC Details,Podrobnosti o garanciji / AMC DocType: Issue,Opening Time,Čas odpiranja @@ -6648,6 +6717,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Ime podjetja ni isto apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Promocije zaposlenih ne morete oddati pred datumom promocije apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},"Ni dovoljeno posodabljati transakcij z zalogami, starejših od {0}" +DocType: Employee Checkin,Employee Checkin,Zaposleni Checkin 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ši od končnega datuma za element {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Ustvarite ponudbe strank DocType: Buying Settings,Buying Settings,Nastavitve za nakup @@ -6669,6 +6739,7 @@ DocType: Job Card Time Log,Job Card Time Log,Dnevnik časovne kartice delovnega DocType: Patient,Patient Demographics,Demografija bolnikov DocType: Share Transfer,To Folio No,Na Folio št apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Denarni tok iz poslovanja +DocType: Employee Checkin,Log Type,Vrsta dnevnika DocType: Stock Settings,Allow Negative Stock,Dovoli negativno zalogo apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Nobena od postavk ne spreminja količine ali vrednosti. DocType: Asset,Purchase Date,Datum nakupa @@ -6713,6 +6784,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Zelo Hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Izberite naravo svojega podjetja. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Izberite mesec in leto +DocType: Service Level,Default Priority,Privzeta prioriteta DocType: Student Log,Student Log,Študentski dnevnik DocType: Shopping Cart Settings,Enable Checkout,Omogoči Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Človeški viri @@ -6741,7 +6813,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Povežite Shopify z ERPNext DocType: Homepage Section Card,Subtitle,Podnaslov DocType: Soil Texture,Loam,Loam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavitelj> Vrsta dobavitelja DocType: BOM,Scrap Material Cost(Company Currency),Stroški materiala za odpadke (valuta podjetja) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Opomba za dostavo {0} ne sme biti poslana DocType: Task,Actual Start Date (via Time Sheet),Dejanski datum začetka (prek časovnega lista) @@ -6797,6 +6868,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Doziranje DocType: Cheque Print Template,Starting position from top edge,Začetni položaj od zgornjega roba apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Trajanje sestanka (min) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Ta zaposleni že ima dnevnik z istim časovnim žigom. {0} DocType: Accounting Dimension,Disable,Onemogoči DocType: Email Digest,Purchase Orders to Receive,Naročila za nakup apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Naročil ni mogoče povečati za: @@ -6812,7 +6884,6 @@ DocType: Production Plan,Material Requests,Zahtevki za material DocType: Buying Settings,Material Transferred for Subcontract,"Material, prenesen za podizvajalce" DocType: Job Card,Timing Detail,Podrobno merjenje časa apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Zahtevano Vklopljeno -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Uvažanje {0} od {1} DocType: Job Offer Term,Job Offer Term,Trajanje ponudbe dela DocType: SMS Center,All Contact,Vsi stiki DocType: Project Task,Project Task,Naloga projekta @@ -6863,7 +6934,6 @@ DocType: Student Log,Academic,Akademski apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Element {0} ni nastavljen za serijske številke apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Od države DocType: Leave Type,Maximum Continuous Days Applicable,Največja veljavna neprekinjena dneva -apps/erpnext/erpnext/config/support.py,Support Team.,Skupina za podporo. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Najprej vnesite ime podjetja apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Uvoz je uspešen DocType: Guardian,Alternate Number,Nadomestna številka @@ -6955,6 +7025,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Vrstica # {0}: element je dodan DocType: Student Admission,Eligibility and Details,Upravičenost in podrobnosti DocType: Staffing Plan,Staffing Plan Detail,Podrobnosti o kadrovskem načrtu +DocType: Shift Type,Late Entry Grace Period,Pozna vhodna prehodna doba DocType: Email Digest,Annual Income,Letni prihodek DocType: Journal Entry,Subscription Section,Oddelek za naročnino DocType: Salary Slip,Payment Days,Dnevi plačila @@ -7005,6 +7076,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Stanje na računu DocType: Asset Maintenance Log,Periodicity,Periodičnost apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Zdravstvena evidenca +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,"Vrsta dnevnika je potrebna za prijavo, ki pade v premik: {0}." apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Izvajanje DocType: Item,Valuation Method,Metoda vrednotenja apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} proti računu za prodajo {1} @@ -7089,6 +7161,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Ocenjena cena na polo DocType: Loan Type,Loan Name,Ime posojila apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Nastavi privzeti način plačila DocType: Quality Goal,Revision,Revizija +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Čas pred koncem izmene, ko se odjava šteje kot zgodnja (v minutah)." DocType: Healthcare Service Unit,Service Unit Type,Vrsta servisne enote DocType: Purchase Invoice,Return Against Purchase Invoice,Povračilo računa za nakup apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Ustvari skrivnost @@ -7244,12 +7317,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Kozmetika DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Označite to možnost, če želite uporabnika prisiliti, da pred shranjevanjem izbere serijo. Privzeta nastavitev ne bo, če to preverite." 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 lahko nastavijo zamrznjene račune in ustvarijo / spremenijo računovodske vnose za zamrznjene račune +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda izdelka> Skupina izdelkov> Blagovna znamka DocType: Expense Claim,Total Claimed Amount,Skupni zahtevani znesek apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},V naslednjih {0} dneh za delovanje {1} časovne reže ni mogoče najti apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Zavijanje apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Podaljšate lahko samo, če vaše članstvo poteče v 30 dneh" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vrednost mora biti med {0} in {1} DocType: Quality Feedback,Parameters,Parametri +DocType: Shift Type,Auto Attendance Settings,Nastavitve samodejne prisotnosti ,Sales Partner Transaction Summary,Povzetek transakcijskih prodajnih partnerjev DocType: Asset Maintenance,Maintenance Manager Name,Ime upravljavca vzdrževanja apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,"Potrebno je, da prenesete podrobnosti elementa." @@ -7341,10 +7416,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Potrdite uporabljeno pravilo DocType: Job Card Item,Job Card Item,Postavka zaposlitvene kartice DocType: Homepage,Company Tagline for website homepage,Podpora podjetja za domačo stran spletnega mesta +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Nastavite odzivni čas in ločljivost za prednost {0} na indeksu {1}. DocType: Company,Round Off Cost Center,Okrogli center stroškov DocType: Supplier Scorecard Criteria,Criteria Weight,Teža meril DocType: Asset,Depreciation Schedules,Urniki amortizacije -DocType: Expense Claim Detail,Claim Amount,Znesek zahtevka DocType: Subscription,Discounts,Popusti DocType: Shipping Rule,Shipping Rule Conditions,Pogoji za dostavo DocType: Subscription,Cancelation Date,Datum preklica @@ -7372,7 +7447,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Ustvari vodi apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Pokaži ničelne vrednosti DocType: Employee Onboarding,Employee Onboarding,Zaposleni Onboarding DocType: POS Closing Voucher,Period End Date,Datum konca obdobja -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Možnosti prodaje po viru DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Prva odobritev dopusta na seznamu bo nastavljena kot privzeti odobritev opustitve. DocType: POS Settings,POS Settings,Nastavitve POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Vsi računi @@ -7393,7 +7467,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank D apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Vrstica # {0}: hitrost mora biti enaka kot {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.LLLL.- DocType: Healthcare Settings,Healthcare Service Items,Izdelki zdravstvene oskrbe -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Ni najdenih zapisov apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Območje staranja 3 DocType: Vital Signs,Blood Pressure,Krvni pritisk 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 @@ -7440,6 +7513,7 @@ DocType: Company,Existing Company,Obstoječe podjetje apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Paketi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Obramba DocType: Item,Has Batch No,Ima serijsko št +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Zapozneli dnevi DocType: Lead,Person Name,Ime osebe DocType: Item Variant,Item Variant,Postavka Variant DocType: Training Event Employee,Invited,Povabljen @@ -7461,7 +7535,7 @@ DocType: Purchase Order,To Receive and Bill,Za sprejem in Bill apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Začetni in končni datumi, ki niso v veljavnem obdobju plačil, ne morejo izračunati {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Kupca lahko prikažete samo za te skupine strank apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,"Izberite elemente, ki jih želite shraniti" -DocType: Service Level,Resolution Time,Čas ločljivosti +DocType: Service Level Priority,Resolution Time,Čas ločljivosti DocType: Grading Scale Interval,Grade Description,Opis stopnje DocType: Homepage Section,Cards,Kartice DocType: Quality Meeting Minutes,Quality Meeting Minutes,Zapisnik o kakovostnem sestanku @@ -7488,6 +7562,7 @@ DocType: Project,Gross Margin %,Bruto marža% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Stanje bančnega izpiska v skladu z glavno knjigo apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Zdravstveno varstvo (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Privzeto skladišče za ustvarjanje prodajnega naloga in dobavnice +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Odzivni čas za {0} pri indeksu {1} ne sme biti večji od časa za resolucijo. DocType: Opportunity,Customer / Lead Name,Stranka / ime vodje DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Nezahtevani znesek @@ -7534,7 +7609,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Uvoznice in naslovi DocType: Item,List this Item in multiple groups on the website.,Navedite ta element v več skupinah na spletnem mestu. DocType: Request for Quotation,Message for Supplier,Sporočilo za dobavitelja -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,"Ni mogoče spremeniti {0}, ker obstaja transakcija zalog za postavko {1}." DocType: Healthcare Practitioner,Phone (R),Telefon (R) DocType: Maintenance Team Member,Team Member,Član ekipe DocType: Asset Category Account,Asset Category Account,Račun kategorije sredstev diff --git a/erpnext/translations/sq.csv b/erpnext/translations/sq.csv index cdbf9619c4..88ebdc0c17 100644 --- a/erpnext/translations/sq.csv +++ b/erpnext/translations/sq.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Afati i fillimit të fillimit apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Emërimi {0} dhe Shitja e Faturave {1} u anuluan DocType: Purchase Receipt,Vehicle Number,Numri i automjeteve apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Adresa juaj e emailit ... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Përfshini shënimet e Librit Default +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Përfshini shënimet e Librit Default DocType: Activity Cost,Activity Type,Lloji i Aktivitetit DocType: Purchase Invoice,Get Advances Paid,Merrni avancimet e paguara DocType: Company,Gain/Loss Account on Asset Disposal,Llogaria e fitimit / humbjes së aktiveve @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Çfarë bën? DocType: Bank Reconciliation,Payment Entries,Pranimet e pagesës DocType: Employee Education,Class / Percentage,Klasa / Përqindja ,Electronic Invoice Register,Regjistri elektronik i faturave +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Numri i ndodhjes pas së cilës pasoja është ekzekutuar. DocType: Sales Invoice,Is Return (Credit Note),Është Kthimi (Shënimi i Kredisë) +DocType: Price List,Price Not UOM Dependent,Çmimi nuk është UOM i varur DocType: Lab Test Sample,Lab Test Sample,Shembulli i testit të laboratorit DocType: Shopify Settings,status html,statusi html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Për shembull 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Kërkimi i produ DocType: Salary Slip,Net Pay,Paga neto apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Totali i Faturuar Amt DocType: Clinical Procedure,Consumables Invoice Separately,Faturat e Konsumit të Veçantë +DocType: Shift Type,Working Hours Threshold for Absent,Orari i Punës Prag për mungesë DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Buxheti nuk mund të caktohet kundër Llogarisë së Grupit {0} DocType: Purchase Receipt Item,Rate and Amount,Norma dhe Shuma @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Vendosni Magazinën Burimore DocType: Healthcare Settings,Out Patient Settings,Nga Cilësimet e pacientit DocType: Asset,Insurance End Date,Data e përfundimit të sigurimit DocType: Bank Account,Branch Code,Kodi i degës -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Koha për t'u përgjigjur apps/erpnext/erpnext/public/js/conf.js,User Forum,Forumi i përdoruesit DocType: Landed Cost Item,Landed Cost Item,Njësia e Kostos së Vendosur 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 @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Pronari i plumbit DocType: Share Transfer,Transfer,transferim apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Kërko artikull (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Rezultati i paraqitur +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Nga data nuk mund të jetë më e madhe se sa deri më sot DocType: Supplier,Supplier of Goods or Services.,Furnizuesi i Mallrave ose Shërbimeve. 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 lutemi mos krijoni llogari për Konsumatorët dhe Furnizuesit apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Grupi i Studentëve ose Orari i kurseve është i detyrueshëm @@ -882,7 +885,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Baza e të d DocType: Skill,Skill Name,Emri i Aftësive apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Kartela e Raportimit të Printimit DocType: Soil Texture,Ternary Plot,Komplot tresh -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vendosni Serinë Naming për {0} nëpërmjet Setup> Settings> Seria Naming apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Biletat Mbështetëse DocType: Asset Category Account,Fixed Asset Account,Llogaria e aseteve fikse apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Të fundit @@ -895,6 +897,7 @@ DocType: Delivery Trip,Distance UOM,Distance UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,E detyrueshme për bilancin DocType: Payment Entry,Total Allocated Amount,Shuma totale e alokuar DocType: Sales Invoice,Get Advances Received,Merrni Pranimet e Pranuara +DocType: Shift Type,Last Sync of Checkin,Sinkronizimi i fundit i kontrollit DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Shuma e tatimit të artikullit të përfshirë në vlerë apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -903,7 +906,9 @@ DocType: Subscription Plan,Subscription Plan,Plani i pajtimit DocType: Student,Blood Group,Grupi i gjakut apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Crop,Crop Spacing UOM,Hapësira e hapësirës së UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Koha pas fillimit të ndryshimit të kohës kur check-in konsiderohet si vonë (në minuta). apps/erpnext/erpnext/templates/pages/home.html,Explore,Eksploroni +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nuk u gjetën fatura të papaguara DocType: Promotional Scheme,Product Discount Slabs,Pllakat e zbritjes së produktit DocType: Hotel Room Package,Amenities,pajisje DocType: Lab Test Groups,Add Test,Shto Test @@ -1002,6 +1007,7 @@ DocType: Attendance,Attendance Request,Kërkesa për pjesëmarrje DocType: Item,Moving Average,Mesatarja lëvizëse DocType: Employee Attendance Tool,Unmarked Attendance,Pjesëmarrja e pashënuar DocType: Homepage Section,Number of Columns,Numri i kolonave +DocType: Issue Priority,Issue Priority,Çështja Prioritet DocType: Holiday List,Add Weekly Holidays,Shto Pushime Javore DocType: Shopify Log,Shopify Log,Shkruaj Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Krijo një pagese @@ -1010,6 +1016,7 @@ DocType: Job Offer Term,Value / Description,Vlera / Përshkrimi DocType: Warranty Claim,Issue Date,Data e lëshimit 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 lutemi zgjidhni një Grumbull për Item {0}. Nuk mund të gjej një grumbull të vetëm që plotëson këtë kërkesë apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Nuk mund të krijohen bonuse të mbajtjes për të punësuarit e majtë +DocType: Employee Checkin,Location / Device ID,Vendndodhja / ID pajisjes DocType: Purchase Order,To Receive,Për të marrë apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Je në modalitetin offline. Ju nuk do të jeni në gjendje të rifreskoni derisa të keni rrjet. DocType: Course Activity,Enrollment,regjistrim @@ -1018,7 +1025,6 @@ DocType: Lab Test Template,Lab Test Template,Modeli i testimit të laboratorit apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Informacioni elektronik i faturave mungon apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Asnjë kërkesë materiale nuk është krijuar -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kodi i artikullit> Grupi i artikullit> Markë DocType: Loan,Total Amount Paid,Shuma totale e paguar apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Të gjitha këto objekte tashmë janë faturuar DocType: Training Event,Trainer Name,Emri Trajner @@ -1129,6 +1135,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp 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} DocType: Employee,You can enter any date manually,Ju mund të futni çdo datë me dorë DocType: Stock Reconciliation Item,Stock Reconciliation Item,Pajtimi i artikullit +DocType: Shift Type,Early Exit Consequence,Pasoja e hershme e daljes DocType: Item Group,General Settings,Cilësimet e përgjithshme apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Data e duhur nuk mund të jetë përpara datës së faturave të dërgimit / furnizuesit apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Futni emrin e Përfituesit para se të dorëzoni. @@ -1167,6 +1174,7 @@ DocType: Account,Auditor,revizor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Konfirmim pagese ,Available Stock for Packing Items,Stoqet në dispozicion për artikujt e paketimit apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Hiq këtë Faturë {0} nga C-Form {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Çdo Kontroll i Vlefshëm dhe Check-out DocType: Support Search Source,Query Route String,Kërkoj String Strip DocType: Customer Feedback Template,Customer Feedback Template,Modeli i Reagimit të Klientit apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Kuotat e Drejtuesve ose Konsumatorëve. @@ -1201,6 +1209,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Kontrolli i autorizimit ,Daily Work Summary Replies,Përgjigjet Përmbledhëse të Punës Ditore apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Ju jeni ftuar të bashkëpunoni në projekt: {0} +DocType: Issue,Response By Variance,Përgjigje Nga Variacioni DocType: Item,Sales Details,Detajet e shitjes apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Letër Kreu për template të shtypura. DocType: Salary Detail,Tax on additional salary,Tatimi mbi pagën shtesë @@ -1324,6 +1333,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Adresat d DocType: Project,Task Progress,Përparimi i punës DocType: Journal Entry,Opening Entry,Hapja e hyrjes DocType: Bank Guarantee,Charges Incurred,Ngarkesat e kryera +DocType: Shift Type,Working Hours Calculation Based On,Orari i punës duke u bazuar në llogaritjen DocType: Work Order,Material Transferred for Manufacturing,Materiali i Transferuar për Prodhim DocType: Products Settings,Hide Variants,Fshih variantet DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Çaktivizoni Planifikimin e Kapaciteteve dhe Ndjekjen Kohore @@ -1353,6 +1363,7 @@ DocType: Account,Depreciation,amortizim DocType: Guardian,Interests,interesat DocType: Purchase Receipt Item Supplied,Consumed Qty,Konsumuar Qty DocType: Education Settings,Education Manager,Menaxher i Arsimit +DocType: Employee Checkin,Shift Actual Start,Shift Start Actual DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Plani kohën logs jashtë orarit të punës Workstation. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Pikë Besnikërie: {0} DocType: Healthcare Settings,Registration Message,Mesazhi i regjistrimit @@ -1377,9 +1388,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Fatura tashmë e krijuar për të gjitha orët e faturimit DocType: Sales Partner,Contact Desc,Kontaktoni me Desc DocType: Purchase Invoice,Pricing Rules,Rregullat e Çmimeve +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Pasi që ekzistojnë transaksione ekzistuese kundër sendit {0}, nuk mund ta ndryshoni vlerën e {1}" DocType: Hub Tracked Item,Image List,Lista e imazhit DocType: Item Variant Settings,Allow Rename Attribute Value,Lejo rinumërimin e vlerës së atributeve -DocType: Price List,Price Not UOM Dependant,Çmimi nuk është UOM i varur apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Koha (në minuta) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,themelor DocType: Loan,Interest Income Account,Llogaria e të Ardhurave të Interesit @@ -1389,6 +1400,7 @@ DocType: Employee,Employment Type,Lloji i Punësimit apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Zgjidh Profilin e POS DocType: Support Settings,Get Latest Query,Merr pyetjen më të fundit DocType: Employee Incentive,Employee Incentive,Nxitës i Punonjësve +DocType: Service Level,Priorities,prioritetet apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Shtoni kartat ose seksione me porosi në faqen kryesore DocType: Homepage,Hero Section Based On,Seksioni i Heroit Bazohet DocType: Project,Total Purchase Cost (via Purchase Invoice),Kostoja totale e blerjes (nëpërmjet faturës së blerjes) @@ -1449,7 +1461,7 @@ DocType: Work Order,Manufacture against Material Request,Prodhimi kundër Kërke DocType: Blanket Order Item,Ordered Quantity,Sasia e porositur apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rreshti # {0}: Magazina e refuzuar është e detyrueshme kundër artikullit të refuzuar {1} ,Received Items To Be Billed,Artikujt e pranuar që duhet të faturohen -DocType: Salary Slip Timesheet,Working Hours,Orë pune +DocType: Attendance,Working Hours,Orë pune apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Mënyra e pagesës apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Artikujt e porositjes së blerjes nuk janë marrë në kohë apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Kohëzgjatja në Ditë @@ -1568,7 +1580,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Info statutore dhe informacione të tjera të përgjithshme rreth Furnizuesit tuaj DocType: Item Default,Default Selling Cost Center,Default Qendra e Shitjes së Kostos DocType: Sales Partner,Address & Contacts,Adresa dhe Kontaktet -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ju lutem vendosni seritë e numërimit për Pjesëmarrjen përmes Setup> Seritë e Numërimit DocType: Subscriber,Subscriber,pajtimtar apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) është jashtë magazinës apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Ju lutemi zgjidhni Data e Postimit të parë @@ -1579,7 +1590,7 @@ DocType: Project,% Complete Method,Metoda e plotë DocType: Detected Disease,Tasks Created,Detyrat e krijuara apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) duhet të jetë aktiv për këtë artikull ose modelin e tij apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Shkalla e Komisionit% -DocType: Service Level,Response Time,Koha e përgjigjes +DocType: Service Level Priority,Response Time,Koha e përgjigjes DocType: Woocommerce Settings,Woocommerce Settings,Cilësimet e Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Sasia duhet të jetë pozitive DocType: Contract,CRM,CRM @@ -1596,7 +1607,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Ngarkesa për vizitë n DocType: Bank Statement Settings,Transaction Data Mapping,Mapping i të dhënave të transaksionit apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Një udhëheqës kërkon emrin e një personi ose emrin e një organizate DocType: Student,Guardians,Guardians -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ju lutemi vendosni Sistemin e Emërimit të Instruktorit në Arsim> Cilësimet e Arsimit apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Zgjidh markën ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Të ardhurat e mesme DocType: Shipping Rule,Calculate Based On,Llogaritni Bazuar @@ -1633,6 +1643,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Vendosni një Targe apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Regjistri i Pjesëmarrjes {0} ekziston kundër Studentit {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Data e transaksionit apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Anulo abonimin +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Nuk mund të vendoste Marrëveshjen e Nivelit të Shërbimit {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Shuma e pagës neto DocType: Account,Liability,detyrim DocType: Employee,Bank A/C No.,Banka A / C Nr. @@ -1698,7 +1709,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Kodi i Artit të lëndës së parë apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Fatura e blerjes {0} është dorëzuar tashmë DocType: Fees,Student Email,Student Email -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Rekrutimi i BOM: {0} nuk mund të jetë prindi ose fëmija i {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Get Items nga Healthcare Services apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Hyrja e aksioneve {0} nuk është dorëzuar DocType: Item Attribute Value,Item Attribute Value,Vlera e atributit @@ -1723,7 +1733,6 @@ DocType: POS Profile,Allow Print Before Pay,Lejo print para se të paguash DocType: Production Plan,Select Items to Manufacture,Zgjedhni artikujt në prodhim DocType: Leave Application,Leave Approver Name,Lëreni emrin e aprovuesit DocType: Shareholder,Shareholder,aksionari -DocType: Issue,Agreement Status,Statusi i Marrëveshjes apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Parametrat e paracaktuar për shitjen e transaksioneve 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 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Zgjidh BOM @@ -1986,6 +1995,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Llogaria e të Ardhurave apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Të gjitha magazinat DocType: Contract,Signee Details,Detajet e shënimit +DocType: Shift Type,Allow check-out after shift end time (in minutes),Lejo check-out pas kohës fund të ndryshimit (në minuta) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Prokurimit DocType: Item Group,Check this if you want to show in website,Kontrolloni këtë nëse dëshironi të shfaqni në faqen e internetit apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Viti fiskal {0} nuk u gjet @@ -2051,6 +2061,7 @@ DocType: Employee Benefit Application,Remaining Benefits (Yearly),Përfitimet e DocType: Asset Finance Book,Depreciation Start Date,Data e fillimit të zhvlerësimit DocType: Activity Cost,Billing Rate,Shkalla e faturimit apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Aktivizo cilësimet e Google Maps për të vlerësuar dhe optimizuar rrugët +DocType: Purchase Invoice Item,Page Break,Pushim i faqes DocType: Supplier Scorecard Criteria,Max Score,Pikët maksimale apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Data e fillimit të ripagimit nuk mund të jetë para datës së disbursimit. DocType: Support Search Source,Support Search Source,Kërkoni burimin e kërkimit @@ -2117,6 +2128,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Qëllimi i Objektivit të DocType: Employee Transfer,Employee Transfer,Transferimi i Punonjësve ,Sales Funnel,Shpërndarja e shitjeve DocType: Agriculture Analysis Criteria,Water Analysis,Analiza e ujit +DocType: Shift Type,Begin check-in before shift start time (in minutes),Filloni check-in para kohës së fillimit të ndryshimit (në minuta) DocType: Accounts Settings,Accounts Frozen Upto,Llogaritë e ngrira deri në apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Nuk ka asgjë për të redaktuar. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operacioni {0} më i gjatë se çdo orë pune në dispozicion në workstation {1}, prishen operacionin në operacione të shumëfishta" @@ -2130,7 +2142,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Llog apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Urdhri i shitjes {0} është {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Vonesa në pagesë (Ditë) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Shkruani detajet e zhvlerësimit +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Customer PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Data e dorëzimit të pritshëm duhet të jetë pas datës së porosisë së shitjes +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Sasia e artikullit nuk mund të jetë zero apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Atribut i pavlefshëm apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Ju lutem zgjidhni BOM kundër sendit {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Lloji i faturës @@ -2140,6 +2154,7 @@ DocType: Maintenance Visit,Maintenance Date,Data e Mirëmbajtjes DocType: Volunteer,Afternoon,pasdite DocType: Vital Signs,Nutrition Values,Vlerat e të ushqyerit DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),Prania e etheve (temp> 38.5 ° C / 101.3 ° F ose temperatura e qëndrueshme> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ju lutem vendosni Sistemin e Emërimit të Punonjësve në Burimet Njerëzore> Cilësimet e HR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC u anulua DocType: Project,Collect Progress,Mblidhni progresin apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,energji @@ -2190,6 +2205,7 @@ DocType: Setup Progress,Setup Progress,Progresi i konfigurimit ,Ordered Items To Be Billed,Artikujt e urdhëruar për t'u faturuar DocType: Taxable Salary Slab,To Amount,Për Shuma DocType: Purchase Invoice,Is Return (Debit Note),Është kthimi (Shënimi i debitit) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klienti> Grupi i Konsumatorëve> Territori apps/erpnext/erpnext/config/desktop.py,Getting Started,Fillimi apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Shkrihet apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Nuk mund të ndryshojë datën e fillimit të vitit fiskal dhe datën e përfundimit të vitit fiskal pasi të jetë ruajtur viti fiskal. @@ -2208,8 +2224,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Data Aktuale apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Data e fillimit të mirëmbajtjes nuk mund të jetë përpara datës së dërgimit për Serial No {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Rreshti {0}: Shkalla e këmbimit është e detyrueshme DocType: Purchase Invoice,Select Supplier Address,Zgjidh Adresa e Furnizuesit +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Sasia e disponueshme është {0}, keni nevojë për {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Ju lutemi shkruani API Consumer Secret DocType: Program Enrollment Fee,Program Enrollment Fee,Tarifa e regjistrimit të programit +DocType: Employee Checkin,Shift Actual End,Shift Fundi aktual DocType: Serial No,Warranty Expiry Date,Data e skadimit të garancisë DocType: Hotel Room Pricing,Hotel Room Pricing,Çmimet e dhomave të hotelit apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Furnizimet e tatueshme të jashtme (përveç vlerësimit zero, zero të vlerësuara dhe të përjashtuara" @@ -2269,6 +2287,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Leximi 5 DocType: Shopping Cart Settings,Display Settings,Cilësimet e ekranit apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Vendosni numrin e amortizimeve të rezervuara +DocType: Shift Type,Consequence after,Pasoja pas apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Çka keni nevojë për ndihmë? DocType: Journal Entry,Printing Settings,Cilësimet e printimit apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banking @@ -2278,6 +2297,7 @@ DocType: Purchase Invoice Item,PR Detail,PR Detail apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Adresa e faturimit është e njëjtë me adresën e transportit DocType: Account,Cash,para DocType: Employee,Leave Policy,Lini Politikën +DocType: Shift Type,Consequence,pasojë apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Adresa e studentit DocType: GST Account,CESS Account,Llogaria CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Qendra e Kostos kërkohet për llogarinë 'Fitimi dhe Humbja' {2}. Ju lutemi të krijoni një Qendër Kosto të paracaktuar për Kompaninë. @@ -2342,6 +2362,7 @@ DocType: GST HSN Code,GST HSN Code,Kodi GST HSN DocType: Period Closing Voucher,Period Closing Voucher,Vlera e Mbylljes Periudhës apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Emri i Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Ju lutemi shkruani llogarinë e shpenzimeve +DocType: Issue,Resolution By Variance,Zgjidhja Nga Variance DocType: Employee,Resignation Letter Date,Data e dorëheqjes së Letrës DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Pjesëmarrja deri në datën @@ -2354,6 +2375,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Shiko tani DocType: Item Price,Valid Upto,Valid Upto apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Dokumenti i referencës duhet të jetë një nga {0} +DocType: Employee Checkin,Skip Auto Attendance,Zhvendos Pjesëmarrjen Automatike DocType: Payment Request,Transaction Currency,Valuta e Transaksionit DocType: Loan,Repayment Schedule,Orari i Ripagimit apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Krijoni Regjistrimin e Stokut të Mbajtjes së mostrës @@ -2425,6 +2447,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Caktimi i Struk DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Taksa për mbylljen e kuponit të POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Veprimi inicializuar DocType: POS Profile,Applicable for Users,E aplikueshme për përdoruesit +,Delayed Order Report,Raporti i vonuar i porosisë DocType: Training Event,Exam,Provimi apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Gjetja e numrit të gabuar të shënimeve të përgjithshme të librit. Ju mund të keni zgjedhur një llogari të gabuar në transaksion. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Shitjet e tubacionit @@ -2439,10 +2462,11 @@ DocType: Account,Round Off,Rrumbullakët DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Kushtet do të aplikohen në të gjitha artikujt e zgjedhur të kombinuar. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Konfiguro DocType: Hotel Room,Capacity,kapacitet +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Qty Instaluar 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. DocType: Hotel Room Reservation,Hotel Reservation User,Përdoruesi i rezervimit të hotelit -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Puna e punës është përsëritur dy herë +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Marrëveshja e nivelit të shërbimit me llojin e entitetit {0} dhe entitet {1} tashmë ekziston. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Grupi i Artikullit që nuk përmendet në zotëruesin e artikullit për artikullin {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Gabim i emrit: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Territori kërkohet në Profilin e POS @@ -2488,6 +2512,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Orari Data DocType: Packing Slip,Package Weight Details,Pesha Detajet Pesha DocType: Job Applicant,Job Opening,Hapja e Punës +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Sync i fundit i njohur i suksesshëm i Kontrollit të punonjësve. Rivendosni këtë vetëm nëse jeni i sigurt se të gjitha Ditarët sinkronizohen nga të gjitha vendet. Ju lutem mos e ndryshoni këtë nëse nuk jeni të sigurt. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Kostoja aktuale apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Parapagimi total ({0}) kundër Rendit {1} nuk mund të jetë më i madh se Grand Total ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Ndryshimet e artikullit janë përditësuar @@ -2532,6 +2557,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Pranimi i blerjes së ref apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Merr Faturat DocType: Tally Migration,Is Day Book Data Imported,Të dhënat e librit ditor janë të importuara ,Sales Partners Commission,Komisioni i Shitjeve të Partnerëve +DocType: Shift Type,Enable Different Consequence for Early Exit,Aktivizo pasoja të ndryshme për daljen e hershme apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,juridik DocType: Loan Application,Required by Date,Kërkohet nga Data DocType: Quiz Result,Quiz Result,Rezultati i Quiz @@ -2591,7 +2617,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Viti fina DocType: Pricing Rule,Pricing Rule,Rregullimi i çmimeve 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} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Vendosni fushën ID të përdoruesit në një rekord Punonjës për të caktuar Roli i Punonjësve -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Koha për të zgjidhur DocType: Training Event,Training Event,Ngjarja e Trajnimit DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Tensioni normal i pushimit të gjakut në një të rritur është afërsisht 120 mmHg sistolik, dhe 80 mmHg diastolic, shkurtuar "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Sistemi do të shkoj të marr të gjitha shënimet nëse vlera kufi është zero. @@ -2635,6 +2660,7 @@ DocType: Woocommerce Settings,Enable Sync,Aktivizo sinkronizimin DocType: Student Applicant,Approved,i miratuar apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Nga Data duhet të jetë brenda Vitit Fiskal. Duke supozuar nga data = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Ju lutemi Vendoseni Grupi Furnizues në Cilësimet e Blerjes. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} është një status i pavlefshëm i prezencës. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Llogaria e hapjes së përkohshme DocType: Purchase Invoice,Cash/Bank Account,Llogaria Cash / Llogaria Bankare DocType: Quality Meeting Table,Quality Meeting Table,Tabela e takimeve të cilësisë @@ -2670,6 +2696,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Ushqim, Pije dhe Duhan" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Orari i kursit DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detaji i Detajuar i Detajuar i Detajuar +DocType: Shift Type,Attendance will be marked automatically only after this date.,Pjesëmarrja do të shënohet automatikisht vetëm pas kësaj date. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Furnizime të bëra për mbajtësit e UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Kërkesa për kuotime 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 pas regjistrimit duke përdorur disa valuta të tjera @@ -2718,7 +2745,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Është artikulli nga Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Procedura e Cilësisë. DocType: Share Balance,No of Shares,Jo të aksioneve -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rreshti {0}: Qty nuk është i disponueshëm për {4} në magazinë {1} në kohën e postimit të hyrjes ({2} {3}) DocType: Quality Action,Preventive,parandalues DocType: Support Settings,Forum URL,URL e forumit apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Punonjës dhe Pjesëmarrje @@ -2940,7 +2966,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Lloji i zbritjes DocType: Hotel Settings,Default Taxes and Charges,Taksat dhe taksat e paracaktuara apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Kjo bazohet në transaksione kundër këtij Furnizuesi. Shiko detajet më poshtë për detaje apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Shuma maksimale e përfitimit të punonjësit {0} tejkalon {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Fut datën e fillimit dhe përfundimit të Marrëveshjes. DocType: Delivery Note Item,Against Sales Invoice,Kundër shitjes së faturave DocType: Loyalty Point Entry,Purchase Amount,Shuma e Blerjes apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Nuk mund të vendoset si Humbur si Urdhri i shitjeve është bërë. @@ -2964,7 +2989,7 @@ DocType: Homepage,"URL for ""All Products""",URL për "Të gjitha produktet DocType: Lead,Organization Name,Emri i Organizatës apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Të vlefshme nga fusha dhe të vlefshme deri në fushë janë të detyrueshme për grumbullimin apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Rresht # {0}: Grupi Nuk duhet të jetë i njëjtë me {1} {2} -DocType: Employee,Leave Details,Lini Detajet +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Transaksionet e aksioneve para {0} janë të ngrira DocType: Driver,Issuing Date,Data e lëshimit apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,kërkuesi @@ -3009,9 +3034,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Detajet e modelit të fluksit të parasë së parasë apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Rekrutimi dhe Trajnimi DocType: Drug Prescription,Interval UOM,Interval UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Cilësimet e Periudhës së Graceve për Pjesëmarrjen në Auto apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Nga Valuta dhe Valuta nuk mund të jenë të njëjta apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,farmaceutike DocType: Employee,HR-EMP-,HR-boshllëkun +DocType: Service Level,Support Hours,Orët e mbështetjes apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} anulohet ose mbyllet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Rresht {0}: Advance ndaj Klientit duhet të jetë kredi apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grupi nga Voucher (Konsoliduar) @@ -3120,6 +3147,7 @@ DocType: Asset Repair,Repair Status,Gjendja e Riparimit DocType: Territory,Territory Manager,Menaxheri i Territorit DocType: Lab Test,Sample ID,Shembull i ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Shporta është e zbrazët +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 kontrollimeve të punonjësve apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Aseti {0} duhet të dorëzohet ,Absent Student Report,Raporti i munguar i nxënësve apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Të përfshira në fitimin bruto @@ -3127,7 +3155,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,L DocType: Travel Request Costing,Funded Amount,Shuma e financuar apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nuk është dorëzuar kështu që veprimi nuk mund të përfundojë DocType: Subscription,Trial Period End Date,Data e përfundimit të periudhës së gjykimit +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Regjimet alternative si IN dhe OUT gjatë të njëjtit ndryshim DocType: BOM Update Tool,The new BOM after replacement,BOM i ri pas zëvendësimit +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizuesi> Lloji i Furnizuesit apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Pika 5 DocType: Employee,Passport Number,Numër pasaporte apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Hapja e përkohshme @@ -3243,6 +3273,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Raportet kyçe apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Furnizuesi i mundshëm ,Issued Items Against Work Order,Lëshuar Artikuj kundër Rendit Punë apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Krijimi i {0} Faturave +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ju lutemi vendosni Sistemin e Emërimit të Instruktorit në Arsim> Cilësimet e Arsimit DocType: Student,Joining Date,Bashkimi Data apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Kërkimi i Faqes DocType: Purchase Invoice,Against Expense Account,Kundër Llogarisë së Shpenzimeve @@ -3282,6 +3313,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Akuzat në fuqi ,Point of Sale,Pika e shitjes DocType: Authorization Rule,Approving User (above authorized value),Miratimi i Përdoruesit (mbi vlerën e autorizuar) +DocType: Service Level Agreement,Entity,Enti apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Shuma {0} {1} e transferuar nga {2} në {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Klienti {0} nuk i përket projektit {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Nga emri i partisë @@ -3328,6 +3360,7 @@ DocType: Asset,Opening Accumulated Depreciation,Zhvlerësimi akumulues i hapjes DocType: Soil Texture,Sand Composition (%),Përbërja e rërës (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Të dhënat e librit të dites së importit +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vendosni Serinë Naming për {0} nëpërmjet Setup> Settings> Seria Naming DocType: Asset,Asset Owner Company,Shoqëria Pronar i Pasurisë apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Qendra e kostos kërkohet të rezervojë një kërkesë për shpenzime apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} numra të vlefshëm serial për Artikullin {1} @@ -3388,7 +3421,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Pronar i aseteve apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Magazina është e detyrueshme për artikullin Item {0} në rresht {1} DocType: Stock Entry,Total Additional Costs,Totali i Kostove Shtese -DocType: Marketplace Settings,Last Sync On,Sinkronizimi i fundit në apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Vendosni të paktën një rresht në Tabelën e Taksave dhe Ngarkimeve DocType: Asset Maintenance Team,Maintenance Team Name,Emri i ekipit të mirëmbajtjes apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Tabela e qendrave të kostos @@ -3404,12 +3436,12 @@ DocType: Sales Order Item,Work Order Qty,Rendi i Punës Qty DocType: Job Card,WIP Warehouse,WIP Magazina DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ID-ja e përdoruesit nuk është caktuar për punonjësin {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Qty në dispozicion është {0}, keni nevojë për {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Përdoruesi {0} krijoi DocType: Stock Settings,Item Naming By,Artikulli i emërtimit nga apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,urdhërohet apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Ky është një grup klientësh rrënjë dhe nuk mund të redaktohet. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Kërkesa për materiale {0} anulohet ose ndalet +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Bazuar rigorozisht në Tipin e Identifikimit në Kontrollin e Punonjësve DocType: Purchase Order Item Supplied,Supplied Qty,Furnizuar Qty DocType: Cash Flow Mapper,Cash Flow Mapper,Fluksi i rrjedhës së parasë DocType: Soil Texture,Sand,rërë @@ -3468,6 +3500,7 @@ DocType: Lab Test Groups,Add new line,Shto një rresht të ri apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Grupi i artikujve të kopjuar gjendet në tabelën e grupit të artikujve apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Rroga vjetore DocType: Supplier Scorecard,Weighting Function,Funksioni i peshimit +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Faktori i konvertimit ({0} -> {1}) nuk u gjet për artikullin: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Gabim gjatë vlerësimit të formulës së kritereve ,Lab Test Report,Raporti i testit të laboratorit DocType: BOM,With Operations,Me Operacione @@ -3481,6 +3514,7 @@ DocType: Expense Claim Account,Expense Claim Account,Llogaria e Kërkesës së S 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 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} është student joaktiv apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Bëni regjistrimin e aksioneve +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Rekursi BOM: {0} nuk mund të jetë prind ose fëmijë i {1} DocType: Employee Onboarding,Activities,aktivitetet apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast një magazinë është e detyrueshme ,Customer Credit Balance,Bilanci i Kredisë për Klientin @@ -3493,9 +3527,11 @@ DocType: Supplier Scorecard Period,Variables,Variablat 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 lutem zgjidhni me dorë. DocType: Patient,Medication,mjekim apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Zgjidh programin e besnikërisë +DocType: Employee Checkin,Attendance Marked,Pjesëmarrja e shënuar apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,"Lende e pare, lende e paperpunuar" DocType: Sales Order,Fully Billed,Plotësisht faturuar apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Ju lutemi përcaktoni Shkallën e Dhomës së Hotelit në +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Zgjidh vetëm një prioritet si të paracaktuar. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Identifikoni / krijoni Account (Ledger) për llojin {0} 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: Purchase Invoice Item,Is Fixed Asset,Është aseti fiks @@ -3516,6 +3552,7 @@ DocType: Purpose of Travel,Purpose of Travel,Qëllimi i udhëtimit DocType: Healthcare Settings,Appointment Confirmation,Konfirmimi i Emërimit DocType: Shopping Cart Settings,Orders,urdhërat DocType: HR Settings,Retirement Age,Mosha e daljes në pension +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ju lutem vendosni seritë e numërimit për Pjesëmarrjen përmes Setup> Seritë e Numërimit apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Qtyra e parashikuar apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Largimi nuk lejohet për shtetin {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Rreshti # {0}: Aseti {1} është tashmë {2} @@ -3599,11 +3636,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,llogaritar apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Vlera e mbylljes POS përfundimisht ekziston për {0} midis datës {1} dhe {2} apps/erpnext/erpnext/config/help.py,Navigating,Vozitja +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Asnjë faturë e papaguar nuk kërkon rivlerësimin e kursit të këmbimit DocType: Authorization Rule,Customer / Item Name,Customer / Item Emri apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Serial i ri nuk mund të ketë Magazinë. Magazina duhet të caktohet nga Regjistrimi i Stokut ose Pranimi i Blerjes DocType: Issue,Via Customer Portal,Përmes portalit të klientit DocType: Work Order Operation,Planned Start Time,Koha e Planifikuar e Fillimit apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} është {2} +DocType: Service Level Priority,Service Level Priority,Prioritet i nivelit të shërbimit apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Numri i amortizimeve të rezervuara nuk mund të jetë më i madh se numri total i amortizimit apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Libri i aksioneve DocType: Journal Entry,Accounts Payable,Llogaritë e pagueshme @@ -3714,7 +3753,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Dorëzimi për DocType: Bank Statement Transaction Settings Item,Bank Data,Të dhënat bankare apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planifikuar Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Ruajtja e Orëve të Faturimit dhe Orëve të Punës Same në Timesheet apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Rruga kryeson nga burimi kryesor. DocType: Clinical Procedure,Nursing User,Përdorues i Infermierisë DocType: Support Settings,Response Key List,Lista kryesore e përgjigjeve @@ -3882,6 +3920,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Koha Aktuale e Fillimit DocType: Antibiotic,Laboratory User,Përdoruesi i Laboratorit apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Akuzat Online +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioriteti {0} është përsëritur. DocType: Fee Schedule,Fee Creation Status,Statusi i Krijimit të Tarifave apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Programe apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Renditja e Shitjes në Pagesë @@ -3948,6 +3987,7 @@ DocType: Patient Encounter,In print,Ne printim apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Nuk mundi të gjente informacion për {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Monedha e faturimit duhet të jetë e barabartë me monedhën ose paranë e llogarisë së partisë apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Ju lutemi shkruani Id Punonjës i këtij personi shitës +DocType: Shift Type,Early Exit Consequence after,Pasoja e hershme e daljes pas apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Krijo hapjen e shitjeve dhe blerjeve të faturave DocType: Disease,Treatment Period,Periudha e Trajtimit apps/erpnext/erpnext/config/settings.py,Setting up Email,Vendosja e emailit @@ -3965,7 +4005,6 @@ DocType: Employee Skill Map,Employee Skills,Aftësitë e Punonjësve apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Emri i studentit: DocType: SMS Log,Sent On,Dërguar DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Shitja Faturë -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Koha e përgjigjes nuk mund të jetë më e madhe se Koha e Zgjidhjes DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Për Grupin e Studentëve të Bazuar në Kurse, Kursi do të verifikohet për çdo Student nga Kurse të Regjistruar në Regjistrimin e Programit." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Furnizime brenda vendit DocType: Employee,Create User Permission,Krijo lejen e përdoruesit @@ -4004,6 +4043,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Kushtet e kontratës standarde për shitje ose blerje. DocType: Sales Invoice,Customer PO Details,Detajet e Klientit apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacienti nuk u gjet +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Zgjidh një përparësi të paracaktuar. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Hiq artikullin nëse akuzat nuk janë të zbatueshme për atë artikull apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Grupi i Konsumatorëve ekziston me të njëjtin emër, ju lutem ndryshoni emrin e Klientit ose riemëroni Grupin e Konsumatorëve" 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. @@ -4043,6 +4083,7 @@ DocType: Quality Goal,Quality Goal,Qëllimi i Cilësisë DocType: Support Settings,Support Portal,Mbështetje Portal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Data e përfundimit të detyrës {0} nuk mund të jetë më pak se {1} data e pritjes së fillimit {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Punonjësi {0} është në Lini në {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Kjo Marrëveshje për Nivelin e Shërbimit është specifike për Klientin {0} DocType: Employee,Held On,Mbahen DocType: Healthcare Practitioner,Practitioner Schedules,Oraret e praktikantit DocType: Project Template Task,Begin On (Days),Filloni On (Days) @@ -4050,6 +4091,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Rendi i punës ka qenë {0} DocType: Inpatient Record,Admission Schedule Date,Data e Regjistrimit të Pranimit apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Rregullimi i vlerës së aseteve +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Marrja e pjesëmarrjes në treg në bazë të 'Kontrollit të punonjësve' për punonjësit e caktuar në këtë ndryshim. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Furnizime të bëra personave të paregjistruar apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Të gjitha Punët DocType: Appointment Type,Appointment Type,Lloji i takimit @@ -4163,7 +4205,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P 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 + pesha e paketimit. (për shtyp) DocType: Plant Analysis,Laboratory Testing Datetime,Datat e testimit laboratorik apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Artikulli {0} nuk mund të ketë Batch -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Shitjet e gazsjellësit sipas fazës apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Forca e Grupit të Studentëve DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Hyrja në transaksion e deklaratës bankare DocType: Purchase Order,Get Items from Open Material Requests,Merrni artikujt nga kërkesat e materialeve të hapura @@ -4245,7 +4286,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Trego plakjen e magazinave DocType: Sales Invoice,Write Off Outstanding Amount,Shkruani shumën e papaguar DocType: Payroll Entry,Employee Details,Detajet e punonjësve -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Koha e fillimit nuk mund të jetë më e madhe se Koha e mbarimit për {0}. DocType: Pricing Rule,Discount Amount,Shuma e zbritjes DocType: Healthcare Service Unit Type,Item Details,Detajet e artikullit apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Deklarata Tatimore Duplikate e {0} për periudhën {1} @@ -4298,7 +4338,7 @@ DocType: Customer,CUST-.YYYY.-,Kons-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Shitja neto nuk mund të jetë negative apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Jo e ndërveprimeve apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rreshti {0} # Njësia {1} nuk mund të transferohet më shumë se {2} kundër Urdhrit të Blerjes {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,ndryshim +DocType: Attendance,Shift,ndryshim apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Përpunimi i Kartës së Llogarive dhe Palëve DocType: Stock Settings,Convert Item Description to Clean HTML,Convert Item Description për të pastruar HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Të gjitha grupet e furnizuesve @@ -4369,6 +4409,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktiviteti i DocType: Healthcare Service Unit,Parent Service Unit,Njësia e Shërbimit Prindëror DocType: Sales Invoice,Include Payment (POS),Përfshi Pagesa (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Kapitali privat +DocType: Shift Type,First Check-in and Last Check-out,Check-in e parë dhe Check-out fundit DocType: Landed Cost Item,Receipt Document,Dokumenti i pranimit DocType: Supplier Scorecard Period,Supplier Scorecard Period,Periudha e rezultateve të furnitorit DocType: Employee Grade,Default Salary Structure,Struktura e pagave të parazgjedhur @@ -4450,6 +4491,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Krijoni Urdhër blerjeje apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Përcaktoni buxhetin për një vit financiar. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Tabela e llogarive nuk mund të jetë e zbrazët. +DocType: Employee Checkin,Entry Grace Period Consequence,Periudha e hyrjes në Grace Periudha ,Payment Period Based On Invoice Date,Periudha e Pagesës Bazuar në Datën e Faturës apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Data e instalimit nuk mund të jetë para datës së dërgesës për Item {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Lidhje me kërkesën materiale @@ -4458,6 +4500,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Lloji i të d apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Rreshti {0}: Një hyrje riorganizimi tashmë ekziston për këtë magazinë {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data e Dokumentit DocType: Monthly Distribution,Distribution Name,Emri i Shpërndarjes +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Puna e punës {0} është përsëritur. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Grupi për Jo-Grup apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Përditësohet në progres. Mund të duhet një kohë. DocType: Item,"Example: ABCD.##### @@ -4470,6 +4513,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Karburanti Qty apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile Nr DocType: Invoice Discounting,Disbursed,disbursuar +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Kohë pas përfundimit të ndërrimit gjatë së cilës kontrolli konsiderohet për pjesëmarrje. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Ndryshimi neto në llogaritë e pagueshme apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,I padisponueshem apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Me kohë të pjesshme @@ -4483,7 +4527,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Mundësi apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Trego PDC në Print apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Dyqan furnizuesin DocType: POS Profile User,POS Profile User,POS Profili i Përdoruesit -DocType: Student,Middle Name,Emri i mesëm DocType: Sales Person,Sales Person Name,Emri i shitësit DocType: Packing Slip,Gross Weight,Pesha bruto DocType: Journal Entry,Bill No,Bill Nr @@ -4492,7 +4535,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Vendn DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-Vlog-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Marrëveshja e nivelit të shërbimit -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Ju lutemi zgjidhni të punësuarit dhe datën e parë apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Vlera e vlerësimit të artikullit rillogaritet duke marrë parasysh shumën e kuponit të kostos së tokës DocType: Timesheet,Employee Detail,Detajet e Punonjësve DocType: Tally Migration,Vouchers,kupona @@ -4527,7 +4569,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Marrëveshja e n DocType: Additional Salary,Date on which this component is applied,Data në të cilën aplikohet ky komponent apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Lista e Aksionarëve në dispozicion me numra foli apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Konfiguro llogarinë e Gateway. -DocType: Service Level,Response Time Period,Periudha kohore e përgjigjes +DocType: Service Level Priority,Response Time Period,Periudha kohore e përgjigjes DocType: Purchase Invoice,Purchase Taxes and Charges,Blerja e Taksave dhe Tarifave DocType: Course Activity,Activity Date,Data Aktiviteti apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Zgjidh ose shto klient të ri @@ -4552,6 +4594,7 @@ DocType: Sales Person,Select company name first.,Zgjidhni emrin e kompanisë së apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Viti financiar DocType: Sales Invoice Item,Deferred Revenue,Të Ardhurat e shtyra apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Atleast një nga Shitja ose Blerja duhet të zgjidhet +DocType: Shift Type,Working Hours Threshold for Half Day,Orari i Punës Prag për gjysmën e ditës ,Item-wise Purchase History,Historiku i Blerjes në artikull apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Nuk mund të ndryshojë Data e ndalimit të shërbimit për artikullin në rresht {0} DocType: Production Plan,Include Subcontracted Items,Përfshirja e artikujve të nënkontraktuar @@ -4584,6 +4627,7 @@ DocType: Journal Entry,Total Amount Currency,Valuta totale e shumës DocType: BOM,Allow Same Item Multiple Times,Lejo të njëjtën artikull shumë herë apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Krijo BOM DocType: Healthcare Practitioner,Charges,akuzat +DocType: Employee,Attendance and Leave Details,Pjesëmarrja dhe Detajet e Largimit DocType: Student,Personal Details,Detaje personale DocType: Sales Order,Billing and Delivery Status,Statusi i Faturimit dhe Dorëzimit apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Rresht {0}: Për furnizuesin {0} Adresa e postës elektronike është e nevojshme për të dërguar email @@ -4635,7 +4679,6 @@ DocType: Bank Guarantee,Supplier,furnizuesi apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Futni vlerën midis {0} dhe {1} DocType: Purchase Order,Order Confirmation Date,Data e konfirmimit të porosisë DocType: Delivery Trip,Calculate Estimated Arrival Times,Llogaritni kohën e parashikuar të mbërritjes -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ju lutem vendosni Sistemin e Emërimit të Punonjësve në Burimet Njerëzore> Cilësimet e HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Konsumit DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Data e fillimit të abonimit @@ -4658,7 +4701,7 @@ DocType: Installation Note Item,Installation Note Item,Shënim Instalimi Shënim DocType: Journal Entry Account,Journal Entry Account,Llogaria hyrëse e gazetës apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,variant apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Aktiviteti i forumit -DocType: Service Level,Resolution Time Period,Zgjidhja Periudha Kohore +DocType: Service Level Priority,Resolution Time Period,Zgjidhja Periudha Kohore DocType: Request for Quotation,Supplier Detail,Detaji i Furnizuesit DocType: Project Task,View Task,Shiko Task DocType: Serial No,Purchase / Manufacture Details,Detajet e Blerjes / Prodhimit @@ -4725,6 +4768,7 @@ DocType: Sales Invoice,Commission Rate (%),Shkalla e Komisionit (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Depoja mund të ndryshohet vetëm nëpërmjet Shënimit të Shitjes / Dorëzimit të Shenjës / Blerjes së Blerjes DocType: Support Settings,Close Issue After Days,Mbylle Issue After Days DocType: Payment Schedule,Payment Schedule,Orari i Pagesës +DocType: Shift Type,Enable Entry Grace Period,Aktivizo periudhën e hirit të hyrjes DocType: Patient Relation,Spouse,bashkëshort DocType: Purchase Invoice,Reason For Putting On Hold,Arsyeja për të vendosur DocType: Item Attribute,Increment,rritje @@ -4864,6 +4908,7 @@ DocType: Authorization Rule,Customer or Item,Klienti ose artikulli DocType: Vehicle Log,Invoice Ref,Fatura Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Forma C nuk është e aplikueshme për Faturën: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Fatura u krijua +DocType: Shift Type,Early Exit Grace Period,Periudha hershme e daljes së hirit DocType: Patient Encounter,Review Details,Detajet e shqyrtimit apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Rreshti {0}: Vlera e orëve duhet të jetë më e madhe se zero. DocType: Account,Account Number,Numri i llogarisë @@ -4875,7 +4920,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","E aplikueshme nëse kompania është SpA, SApA ose SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Kushtet e mbivendosjes gjenden në mes: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Pa paguar dhe nuk është dorëzuar -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Kodi i artikullit është i detyrueshëm sepse artikulli nuk numërohet automatikisht DocType: GST HSN Code,HSN Code,Kodi HSN DocType: GSTR 3B Report,September,shtator apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Shpenzime administrative @@ -4911,6 +4955,8 @@ DocType: Travel Itinerary,Travel From,Udhëtoni nga apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Llogaria CWIP DocType: SMS Log,Sender Name,Emri i Dërguesit DocType: Pricing Rule,Supplier Group,Grupi Furnizues +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Set Start Time dhe End Time për \ Day Mbështetje {0} në indeksin {1}. DocType: Employee,Date of Issue,Data e lëshimit ,Requested Items To Be Transferred,Artikujt e Kërkuar për t'u Transferuar DocType: Employee,Contract End Date,Data e përfundimit të kontratës @@ -4921,6 +4967,7 @@ DocType: Healthcare Service Unit,Vacant,vakant DocType: Opportunity,Sales Stage,Faza e shitjeve DocType: Sales Order,In Words will be visible once you save the Sales Order.,Në Fjalë do të jetë e dukshme sapo të ruani Urdhërin e Shitjes. DocType: Item Reorder,Re-order Level,Rivendosni nivelin +DocType: Shift Type,Enable Auto Attendance,Aktivizo ndjekjen automatike apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,preferencë ,Department Analytics,Departamenti i Analizës DocType: Crop,Scientific Name,Emer shkencor @@ -4933,6 +4980,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} statusi ësht DocType: Quiz Activity,Quiz Activity,Aktiviteti i Quizit apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} nuk është në një periudhë të vlefshme pagese DocType: Timesheet,Billed,faturuar +apps/erpnext/erpnext/config/support.py,Issue Type.,Lloji i emetimit. DocType: Restaurant Order Entry,Last Sales Invoice,Fatura e Shitjes së Fundit DocType: Payment Terms Template,Payment Terms,Kushtet e pagesës apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Qty i rezervuar: Sasia e urdhëruar për shitje, por nuk është dorëzuar." @@ -5028,6 +5076,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,pasuri apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} nuk ka një orar të praktikantit të kujdesit shëndetësor. Shtojeni atë në mjeshtrin e praktikantit të kujdesit shëndetësor DocType: Vehicle,Chassis No,Shasia nr +DocType: Employee,Default Shift,Shift i parazgjedhur apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Shkurtim i kompanisë apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Pema e materialit DocType: Article,LMS User,Përdorues LMS @@ -5076,6 +5125,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Personi i shitjes së prindërve DocType: Student Group Creation Tool,Get Courses,Merr kurset 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.","Rreshti # {0}: Qty duhet të jetë 1, pasi artikulli është një pasuri fikse. Ju lutemi përdorni rresht të veçantë për shumë qty." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Orët e punës nën të cilat shënohet mungesa. (Zero për të çaktivizuar) DocType: Customer Group,Only leaf nodes are allowed in transaction,Në transaksion lejohen vetëm nyjet e fletëve DocType: Grant Application,Organization,organizatë DocType: Fee Category,Fee Category,Tarifa Kategoria @@ -5088,6 +5138,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Ju lutem update statusin tuaj për këtë ngjarje trajnimi DocType: Volunteer,Morning,mëngjes DocType: Quotation Item,Quotation Item,Çështja e kuotimit +apps/erpnext/erpnext/config/support.py,Issue Priority.,Çështja Prioritet. DocType: Journal Entry,Credit Card Entry,Hyrja në kartë krediti apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Hapësira kohore ka hyrë, vendi {0} to {1} mbivendoset në hapësirën ekzistuese {2} në {3}" DocType: Journal Entry Account,If Income or Expense,Nëse të ardhurat ose shpenzimet @@ -5136,11 +5187,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Importi dhe cilësimet e të dhënave 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 Opt In është i kontrolluar, atëherë klientët do të lidhen automatikisht me Programin përkatës të Besnikërisë (në kursim)" DocType: Account,Expense Account,Llogaria e shpenzimeve +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Koha para fillimit të ndryshimit të kohës gjatë së cilës kontrolli i punonjësve konsiderohet për pjesëmarrje. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Marrëdhëniet me Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Krijo faturë apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Kërkesa e Pagesës tashmë ekziston {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Punonjësi i liruar në {0} duhet të vendoset si 'Majtas' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Paguaj {0} {1} +DocType: Company,Sales Settings,Cilësimet e shitjeve DocType: Sales Order Item,Produced Quantity,Sasia e prodhuar apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Kërkesa për kuotim mund të arrihet duke klikuar në lidhjen e mëposhtme DocType: Monthly Distribution,Name of the Monthly Distribution,Emri i Shpërndarjes mujore @@ -5219,6 +5272,7 @@ DocType: Company,Default Values,Vlerat e Default apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Modelet e taksave të parazgjedhur për shitje dhe blerje krijohen. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Lini tipin {0} nuk mund të transferohet apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Debi Për llogari duhet të jetë një llogari e arkëtueshme +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Data e fundit e Marrëveshjes nuk mund të jetë më e vogël se sot. apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Ju lutemi vendosni Llogarinë në Depo {0} ose Llogarinë e Inventarit të Parazgjedhur në Kompaninë {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Vendose si paresore DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Pesha neto e kësaj pakete. (llogaritur automatikisht si shuma e peshës neto të artikujve) @@ -5245,8 +5299,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,m apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Paketat e skaduara DocType: Shipping Rule,Shipping Rule Type,Lloji Rregullave të Transportit DocType: Job Offer,Accepted,pranuar -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ju lutemi fshini punonjësit {0} \ për të anuluar këtë dokument" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Ju keni vlerësuar tashmë për kriteret e vlerësimit {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Përzgjidhni Numrat Batch apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Mosha (Ditë) @@ -5273,6 +5325,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Zgjidh fushat tuaja DocType: Agriculture Task,Task Name,Emri i Task apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Regjistrimet e stoqeve tashmë të krijuara për Rendit të Punës +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ju lutemi fshini punonjësit {0} \ për të anuluar këtë dokument" ,Amount to Deliver,Shuma për të dorëzuar apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Kompania {0} nuk ekziston apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Nuk ka kërkesa materiale në pritje që lidhen për artikujt e dhënë. @@ -5322,6 +5376,7 @@ DocType: Program Enrollment,Enrolled courses,Kurset e regjistruar DocType: Lab Prescription,Test Code,Kodi i Testimit DocType: Purchase Taxes and Charges,On Previous Row Total,Në rreshtin e mëparshëm total DocType: Student,Student Email Address,Adresa Studentore e Studentit +,Delayed Item Report,Raport i vonuar i artikullit DocType: Academic Term,Education,arsim DocType: Supplier Quotation,Supplier Address,Adresa e Furnizuesit DocType: Salary Detail,Do not include in total,Mos përfshini në total @@ -5329,7 +5384,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} nuk ekziston DocType: Purchase Receipt Item,Rejected Quantity,Sasia e refuzuar DocType: Cashier Closing,To TIme,Për këtë -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Faktori i konvertimit ({0} -> {1}) nuk u gjet për artikullin: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Përdoruesi i grupit të punës së përditshme DocType: Fiscal Year Company,Fiscal Year Company,Kompania Fiskale Viti apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Elementi alternativ nuk duhet të jetë i njëjtë me kodin e artikullit @@ -5381,6 +5435,7 @@ DocType: Program Fee,Program Fee,Tarifa e programit DocType: Delivery Settings,Delay between Delivery Stops,Vonesa në mes ndalimeve të dorëzimit DocType: Stock Settings,Freeze Stocks Older Than [Days],Ngrirja e stoqeve më të vjetra se [Ditët] DocType: Promotional Scheme,Promotional Scheme Product Discount,Skema promovuese e skemës së produktit +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Çështja prioritare tashmë ekziston DocType: Account,Asset Received But Not Billed,Pasuri e marrë por jo e faturuar DocType: POS Closing Voucher,Total Collected Amount,Shuma totale e mbledhur DocType: Course,Default Grading Scale,Shkalla e Vlerësimit të Parazgjedhur @@ -5423,6 +5478,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Kushtet e Përmbushjes apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Jo-Grupi në Grup DocType: Student Guardian,Mother,nënë +DocType: Issue,Service Level Agreement Fulfilled,Marrëveshja e nivelit të shërbimit të përmbushur DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Tatimi i zbritjes për përfitimet e papaguara të punonjësve DocType: Travel Request,Travel Funding,Financimi i udhëtimeve DocType: Shipping Rule,Fixed,fiks @@ -5452,10 +5508,12 @@ DocType: Item,Warranty Period (in days),Periudha e garancisë (në ditë) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Asnjë artikull nuk u gjet. DocType: Item Attribute,From Range,Nga Gama DocType: Clinical Procedure,Consumables,konsumit +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' dhe 'timestamp' janë të nevojshme. DocType: Purchase Taxes and Charges,Reference Row #,Rreshti i referencës # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Vendosni 'Qendrën e Kostove të Zhvlerësimit të Aseteve' në kompaninë {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Rreshti # {0}: Dokument i pagesës kërkohet për të përfunduar shenja DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Klikoni këtë buton për të tërhequr të dhënat e Renditjes së Shitjes nga Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Orët e punës nën të cilat është shënuar Dita e Gjysmës. (Zero për të çaktivizuar) ,Assessment Plan Status,Statusi i Planit të Vlerësimit apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Ju lutem zgjidhni {0} së pari apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Dorëzoni këtë për të krijuar rekordin e Punonjësit @@ -5526,6 +5584,7 @@ DocType: Quality Procedure,Parent Procedure,Procedura e prindit apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Cakto hapur apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Filtrat e Toggle DocType: Production Plan,Material Request Detail,Detaji i Kërkesës Materiale +DocType: Shift Type,Process Attendance After,Pjesëmarrja në proces pas DocType: Material Request Item,Quantity and Warehouse,Sasia dhe Magazina apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Shkoni te Programet apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Rreshti # {0}: Paraqitja e dyfishta në referenca {1} {2} @@ -5583,6 +5642,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Informacione të Partisë apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debitorët ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Deri më sot nuk mund të jetë më e madhe se data e lehtësimit të punonjësve +DocType: Shift Type,Enable Exit Grace Period,Aktivizo periudhën e shtyrjes së daljes DocType: Expense Claim,Employees Email Id,E-mail i punonjësve DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Update Çmimi nga Shopify të ERPNext Listën e Çmimeve DocType: Healthcare Settings,Default Medical Code Standard,Standardi Standard i Kodit të Mjekësisë Default @@ -5613,7 +5673,6 @@ DocType: Item Group,Item Group Name,Emri i grupit të artikullit DocType: Budget,Applicable on Material Request,Aplikohet në Kërkesën Materiale DocType: Support Settings,Search APIs,Kërko API DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Përqindja e mbivendosjes për porosinë e shitjeve -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,specifikimet DocType: Purchase Invoice,Supplied Items,Artikujt e furnizuar DocType: Leave Control Panel,Select Employees,Zgjidhni punonjësit apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Zgjidh llogarinë e të ardhurave nga interesi në kredi {0} @@ -5639,7 +5698,7 @@ DocType: Salary Slip,Deductions,zbritjet ,Supplier-Wise Sales Analytics,Furnizuesi-i mençur Shitjes Analytics DocType: GSTR 3B Report,February,shkurt DocType: Appraisal,For Employee,Për punonjësin -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Data Aktuale e Dorëzimit +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Data Aktuale e Dorëzimit DocType: Sales Partner,Sales Partner Name,Emri i partnerit të shitjes apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Rënia e zhvlerësimit {0}: Data e Fillimit të Zhvlerësimit futet si data e fundit DocType: GST HSN Code,Regional,rajonal @@ -5678,6 +5737,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Fat DocType: Supplier Scorecard,Supplier Scorecard,Nota e Furnizuesit DocType: Travel Itinerary,Travel To,Udhëtoni në apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Shënoje Pjesëmarrjen +DocType: Shift Type,Determine Check-in and Check-out,Përcaktoni Check-in dhe Check-out DocType: POS Closing Voucher,Difference,ndryshim apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,i vogël DocType: Work Order Item,Work Order Item,Artikulli i Renditjes së Punës @@ -5711,6 +5771,7 @@ DocType: Sales Invoice,Shipping Address Name,Emri i adresës së transportit apps/erpnext/erpnext/healthcare/setup.py,Drug,drogë apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} është i mbyllur DocType: Patient,Medical History,Histori mjekesore +DocType: Expense Claim,Expense Taxes and Charges,Tatimet dhe pagesat e shpenzimeve DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Numri i ditëve pas datës së faturës ka kaluar para se të anulojë abonimin ose të shënojë abonimin si të papaguar apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Shënimi i instalimit {0} është dorëzuar tashmë DocType: Patient Relation,Family,familje @@ -5743,7 +5804,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Forcë apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} njësi {1} të nevojshme në {2} për të përfunduar këtë transaksion. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Materiale të papërpunuara të nënkontraktuara të bazuara -DocType: Bank Guarantee,Customer,klient DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Nëse aktivizohet, termi Akademik i fushës do të jetë i detyrueshëm në Programin e Regjistrimit të Programit." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Për grupin studentor me bazë grumbullimi, grupi i nxënësve do të verifikohet për çdo student nga regjistrimi i programit." DocType: Course,Topics,Temat @@ -5823,6 +5883,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Anëtarët e Kapitullit DocType: Warranty Claim,Service Address,Adresa e shërbimit DocType: Journal Entry,Remark,vërejtje +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rreshti {0}: Sasia nuk është e disponueshme për {4} në depo {1} në kohën e postimit të hyrjes ({2} {3}) DocType: Patient Encounter,Encounter Time,Koha e takimit DocType: Serial No,Invoice Details,Detajet e faturës 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ën Grupet, por hyrjet mund të bëhen kundër jo-Grupeve" @@ -5903,6 +5964,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","N apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Mbyllja (Hapja + Gjithsej) DocType: Supplier Scorecard Criteria,Criteria Formula,Formula e kritereve apps/erpnext/erpnext/config/support.py,Support Analytics,Mbështet Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID pajisjes së pjesëmarrjes (ID biometrike / RF tag) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Rishikimi dhe Veprimi DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Nëse llogaria është e ngrirë, hyrjet u lejohet përdoruesve të kufizuar." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Shuma pas zhvlerësimit @@ -5924,6 +5986,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Shlyerja e huasë DocType: Employee Education,Major/Optional Subjects,Lëndët kryesore / fakultative DocType: Soil Texture,Silt,baltë +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Adresarët dhe Kontaktet e Furnizuesit DocType: Bank Guarantee,Bank Guarantee Type,Lloji i Garancisë Bankare DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Nëse çaktivizohet, fusha 'Gjithë Gjitha' nuk do të jetë e dukshme në asnjë transaksion" DocType: Pricing Rule,Min Amt,Min Amt @@ -5962,6 +6025,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Hapja e artikullit të krijimit të faturës DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Përfshi transaksione POS +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Nuk u gjet asnjë punonjës për vlerën e dhënë të fushës së punonjësit. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Shuma e marrë (Monedha e kompanisë) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage është plot, nuk ka shpëtuar" DocType: Chapter Member,Chapter Member,Anëtar i Kapitullit @@ -5994,6 +6058,7 @@ DocType: SMS Center,All Lead (Open),Të gjithë udhëheqësit (të hapura) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Nuk u krijuan grupe studentësh. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Rreshti i dyfishtë {0} me të njëjtën {1} DocType: Employee,Salary Details,Detajet e pagave +DocType: Employee Checkin,Exit Grace Period Consequence,Dalja pasojë e periudhës së hirit DocType: Bank Statement Transaction Invoice Item,Invoice,faturë DocType: Special Test Items,Particulars,Të dhënat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Vendosni filtrin në bazë të Item ose Warehouse @@ -6095,6 +6160,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Nga AMC DocType: Job Opening,"Job profile, qualifications required etc.","Profili i punës, kualifikimet e kërkuara etj." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Anije në shtet +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,A doni të dorëzoni kërkesën materiale DocType: Opportunity Item,Basic Rate,Norma bazë DocType: Compensatory Leave Request,Work End Date,Data e përfundimit të punës apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Kërkesa për lëndë të para @@ -6280,6 +6346,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Shuma e zhvlerësimit DocType: Sales Order Item,Gross Profit,Fitimi bruto DocType: Quality Inspection,Item Serial No,Artikulli Nr DocType: Asset,Insurer,sigurues +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Blerja Shuma DocType: Asset Maintenance Task,Certificate Required,Certifikata e kërkuar DocType: Retention Bonus,Retention Bonus,Bonus mbajtës @@ -6395,6 +6462,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Shuma e diferencës DocType: Invoice Discounting,Sanctioned,sanksionuar DocType: Course Enrollment,Course Enrollment,Regjistrimi i kursit DocType: Item,Supplier Items,Artikujt e Furnizuesit +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Koha e fillimit nuk mund të jetë më e madhe ose e barabartë me kohën e mbarimit \ për {0}. DocType: Sales Order,Not Applicable,Nuk aplikohet DocType: Support Search Source,Response Options,Opsionet e Përgjigjes apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} duhet të jetë një vlerë midis 0 dhe 100 @@ -6481,7 +6550,6 @@ DocType: Travel Request,Costing,kushton apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Asetet fikse DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Fitimi total -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klienti> Grupi i Konsumatorëve> Territori DocType: Share Balance,From No,Nga Nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Fatura e pajtimit të pagesave DocType: Purchase Invoice,Taxes and Charges Added,Taksat dhe Ngarkesat e Shtuara @@ -6589,6 +6657,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignore Rregullat e Çmimeve apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ushqim DocType: Lost Reason Detail,Lost Reason Detail,Detaji i humbur i arsyes +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Janë krijuar numrat vijues në vijim:
{0} DocType: Maintenance Visit,Customer Feedback,Reagimi i klientit DocType: Serial No,Warranty / AMC Details,Garancia / Detajet e AMC DocType: Issue,Opening Time,Koha e hapjes @@ -6638,6 +6707,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Emri i kompanisë nuk është i njëjtë apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Promovimi i punonjësve nuk mund të paraqitet përpara datës së promovimit apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Nuk lejohet të përditësojë transaksionet e aksioneve më të vjetra se {0} +DocType: Employee Checkin,Employee Checkin,Kontroll i Punonjësve 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ë e vogël se data e fundit për artikullin {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Krijo kuotat e klientit DocType: Buying Settings,Buying Settings,Blerja e cilësimeve @@ -6659,6 +6729,7 @@ DocType: Job Card Time Log,Job Card Time Log,Koha e Identifikimit të Punës së DocType: Patient,Patient Demographics,Demografia e pacientëve DocType: Share Transfer,To Folio No,Për Folio Nr apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Rrjedha e parasë nga operacionet +DocType: Employee Checkin,Log Type,Lloji i Identifikimit DocType: Stock Settings,Allow Negative Stock,Lejo aksionet negative apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Asnjë nga artikujt nuk ka asnjë ndryshim në sasi apo vlerë. DocType: Asset,Purchase Date,Data e blerjes @@ -6703,6 +6774,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Shumë Hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Zgjidhni natyrën e biznesit tuaj. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Ju lutemi zgjidhni muaj dhe vit +DocType: Service Level,Default Priority,Prioritet i paracaktuar DocType: Student Log,Student Log,Regjistri i nxënësve DocType: Shopping Cart Settings,Enable Checkout,Aktivizo arkë apps/erpnext/erpnext/config/settings.py,Human Resources,Burimet njerëzore @@ -6731,7 +6803,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Lidhu Shopify me ERPNext DocType: Homepage Section Card,Subtitle,nëntitull DocType: Soil Texture,Loam,tokë pjellore -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizuesi> Lloji i Furnizuesit DocType: BOM,Scrap Material Cost(Company Currency),Kostoja materiale e skrapit (Valuta e kompanisë) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Shënimi i Dorëzimit {0} nuk duhet të dorëzohet DocType: Task,Actual Start Date (via Time Sheet),Data aktuale e fillimit (me anë të kohës) @@ -6787,6 +6858,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,dozim DocType: Cheque Print Template,Starting position from top edge,Pozicioni i nisjes nga buza e sipërme apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Kohëzgjatja e takimit (minuta) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Ky punonjës tashmë ka një regjistër me të njëjtën kohë. {0} DocType: Accounting Dimension,Disable,disable DocType: Email Digest,Purchase Orders to Receive,Urdhërat e blerjes për të marrë apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Urdhrat për prodhime nuk mund të ngrihen për: @@ -6802,7 +6874,6 @@ DocType: Production Plan,Material Requests,Kërkesat materiale DocType: Buying Settings,Material Transferred for Subcontract,Transferimi i materialit për nënkontratë DocType: Job Card,Timing Detail,Detajimi i kohës apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Kërkohet -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Importimi {0} i {1} DocType: Job Offer Term,Job Offer Term,Termi i ofertës së punës DocType: SMS Center,All Contact,Të gjitha kontaktet DocType: Project Task,Project Task,Detyra e Projektit @@ -6853,7 +6924,6 @@ DocType: Student Log,Academic,Akademik apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Artikulli {0} nuk është i konfiguruar për Numrat Serial apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Nga shteti DocType: Leave Type,Maximum Continuous Days Applicable,Ditët Maksimale të Vazhdueshme të zbatueshme -apps/erpnext/erpnext/config/support.py,Support Team.,Ekipi i Mbështetjes. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Ju lutem shkruani fillimisht emrin e kompanisë apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Importi i suksesshëm DocType: Guardian,Alternate Number,Numri Alternues @@ -6945,6 +7015,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Rreshti # {0}: Elementi i shtuar DocType: Student Admission,Eligibility and Details,Pranueshmëria dhe Detajet DocType: Staffing Plan,Staffing Plan Detail,Detajimi i planit të stafit +DocType: Shift Type,Late Entry Grace Period,Periudha e hirit të hyrjes në fund DocType: Email Digest,Annual Income,Të ardhurat vjetore DocType: Journal Entry,Subscription Section,Seksioni i pajtimit DocType: Salary Slip,Payment Days,Ditë Pagesash @@ -6995,6 +7066,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Bilanci i llogarisë DocType: Asset Maintenance Log,Periodicity,periodicitet apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Regjistri mjekësor +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Lloji i Identifikimit kërkohet për hyrjet që bien në ndryshim: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,ekzekutim DocType: Item,Valuation Method,Metoda e vlerësimit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} kundër Faturave të Shitjes {1} @@ -7079,6 +7151,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Kostoja e vlerësuar p DocType: Loan Type,Loan Name,Emri i huasë apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Vendosni mënyrën e paracaktuar të pagesës DocType: Quality Goal,Revision,rishikim +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Koha para përfundimit të kohës së ndryshimit kur check-out konsiderohet si herët (në minuta). DocType: Healthcare Service Unit,Service Unit Type,Lloji i njësisë së shërbimit DocType: Purchase Invoice,Return Against Purchase Invoice,Kthimi kundrejt faturës së blerjes apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Gjeni sekret @@ -7234,12 +7307,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Kozmetikë DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Kontrolloni këtë nëse doni ta detyroni përdoruesit të zgjedhë një seri përpara se të kurseni. Nuk do të ketë parazgjedhje nëse kontrolloni këtë. 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 lejohen të përcaktojnë llogaritë e ngrira dhe të krijojnë / modifikojnë shënimet kontabël ndaj llogarive të ngrira +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kodi i artikullit> Grupi i artikullit> Markë DocType: Expense Claim,Total Claimed Amount,Shuma totale e pretenduar apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Nuk mund të gjejmë Slot Time gjatë {0} ditëve të ardhshme për Operacionin {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Mbarimi apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Ju mund të rinovoni vetëm nëse anëtarësimi juaj mbaron brenda 30 ditëve apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Vlera duhet të jetë midis {0} dhe {1} DocType: Quality Feedback,Parameters,parametrat +DocType: Shift Type,Auto Attendance Settings,Cilësimet e ndjekjes automatike ,Sales Partner Transaction Summary,Përmbledhje e transaksionit të partnerëve të shitjes DocType: Asset Maintenance,Maintenance Manager Name,Emri Menaxher i Mirëmbajtjes apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Duhet të marrësh Detajet e Artikujve. @@ -7331,10 +7406,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Validoni Rregullin e Aplikuar DocType: Job Card Item,Job Card Item,Punë me kartë pune DocType: Homepage,Company Tagline for website homepage,Tagline e kompanisë për faqen e internetit të internetit +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Vendosni kohën e përgjigjes dhe Rezolucionin për prioritetin {0} në indeksin {1}. DocType: Company,Round Off Cost Center,Qendra e Përbashkët e Kostos DocType: Supplier Scorecard Criteria,Criteria Weight,Kriteri Pesha DocType: Asset,Depreciation Schedules,Oraret e amortizimit -DocType: Expense Claim Detail,Claim Amount,Shuma e Kërkesës DocType: Subscription,Discounts,Zbritje DocType: Shipping Rule,Shipping Rule Conditions,Kushtet e Rregullave të Transportit DocType: Subscription,Cancelation Date,Data e anulimit @@ -7362,7 +7437,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Krijo çon apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Trego vlerat zero DocType: Employee Onboarding,Employee Onboarding,Punonjësi Onboarding DocType: POS Closing Voucher,Period End Date,Data e përfundimit të periudhës -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Shitjet Mundësi nga Burimi DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Miratuesi i parë i Lëshimit në listë do të caktohet si Lëshuesi i Parazgjedhur. DocType: POS Settings,POS Settings,POS Settings apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Të gjitha llogaritë @@ -7383,7 +7457,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Banka apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Rreshti # {0}: Norma duhet të jetë e njëjtë me {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,FDH-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Artikujt e shërbimit të kujdesit shëndetësor -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Nuk u gjet asnjë regjistër apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Gama e plakjes 3 DocType: Vital Signs,Blood Pressure,Presioni i gjakut apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Synimi i On @@ -7430,6 +7503,7 @@ DocType: Company,Existing Company,Kompania Ekzistuese apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,tufa apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,mbrojtje DocType: Item,Has Batch No,Ka Batch Nr +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Ditë të vonuara DocType: Lead,Person Name,Emri i personit DocType: Item Variant,Item Variant,Varianti i artikullit DocType: Training Event Employee,Invited,të ftuar @@ -7451,7 +7525,7 @@ DocType: Purchase Order,To Receive and Bill,Për të marrë dhe Bill apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Datat e fillimit dhe të përfundimit nuk janë në një periudhë të vlefshme të pagave, nuk mund të llogarisin {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Trego vetëm Konsumatorin e këtyre Grupeve të Klientit apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Zgjidhni artikujt për të ruajtur faturën -DocType: Service Level,Resolution Time,Koha e Zgjidhjes +DocType: Service Level Priority,Resolution Time,Koha e Zgjidhjes DocType: Grading Scale Interval,Grade Description,Përshkrimi i notës DocType: Homepage Section,Cards,letra DocType: Quality Meeting Minutes,Quality Meeting Minutes,Minutat e takimit të cilësisë @@ -7478,6 +7552,7 @@ DocType: Project,Gross Margin %,Margjina bruto% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Bilanci i Pasqyrave të Bankës sipas Librit të Përgjithshëm apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Shëndetësia (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Magazinimi i parazgjedhur për të krijuar Urdhërin e Shitjes dhe Shënimin e Dorëzimit +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Koha e përgjigjes për {0} në indeksin {1} nuk mund të jetë më e madhe se Koha e Zgjidhjes. DocType: Opportunity,Customer / Lead Name,Customer / Lead Emri DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Shuma e pa kërkuar @@ -7524,7 +7599,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importimi i Palëve dhe Adresave DocType: Item,List this Item in multiple groups on the website.,Listoni këtë artikull në grupe të shumta në faqen e internetit. DocType: Request for Quotation,Message for Supplier,Mesazh për Furnizuesin -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Nuk mund të ndryshojë {0} si ekzistojnë transaksionet e aksioneve për artikullin {1}. DocType: Healthcare Practitioner,Phone (R),Telefoni (R) DocType: Maintenance Team Member,Team Member,Anëtar i ekipit DocType: Asset Category Account,Asset Category Account,Llogaria e kategorisë së pasurisë diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv index 27659d8379..e655f442fe 100644 --- a/erpnext/translations/sr.csv +++ b/erpnext/translations/sr.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Датум почетка термина apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Састанак {0} и фактура продаје {1} су отказани DocType: Purchase Receipt,Vehicle Number,Вехицле Нумбер apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Ваша емаил адреса... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Укључи подразумеване уносе у књигу +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Укључи подразумеване уносе у књигу DocType: Activity Cost,Activity Type,Тип активности DocType: Purchase Invoice,Get Advances Paid,Гет Адванцес Паид DocType: Company,Gain/Loss Account on Asset Disposal,Рачун добити / губитка на располагању @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Шта ради? DocType: Bank Reconciliation,Payment Entries,Платни уноси DocType: Employee Education,Class / Percentage,Цласс / Перцентаге ,Electronic Invoice Register,Регистар електронских фактура +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Број појављивања након које се извршава посљедица. DocType: Sales Invoice,Is Return (Credit Note),Да ли је повратак (кредитна напомена) +DocType: Price List,Price Not UOM Dependent,Прице Нот УОМ Депендент DocType: Lab Test Sample,Lab Test Sample,Лаб Тест Сампле DocType: Shopify Settings,status html,статус хтмл DocType: Fiscal Year,"For e.g. 2012, 2012-13","За нпр. 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Претражи DocType: Salary Slip,Net Pay,Нето плата apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Укупни фактурирани Амт DocType: Clinical Procedure,Consumables Invoice Separately,Потрошни материјал Фактура одвојено +DocType: Shift Type,Working Hours Threshold for Absent,Праг радног времена за одсуство DocType: Appraisal,HR-APR-.YY.-.MM.,ХР-АПР-.ИИ.-.ММ. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Буџет не може бити додељен груписном налогу {0} DocType: Purchase Receipt Item,Rate and Amount,Стопа и износ @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Сет Соурце Варехоус DocType: Healthcare Settings,Out Patient Settings,Оут Патиент Сеттингс DocType: Asset,Insurance End Date,Датум завршетка осигурања DocType: Bank Account,Branch Code,Бранцх Цоде -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Време за одговор apps/erpnext/erpnext/public/js/conf.js,User Forum,Усер Форум DocType: Landed Cost Item,Landed Cost Item,Ландед Цост Итем apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Продавац и купац не могу бити исти @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Леад Овнер DocType: Share Transfer,Transfer,Трансфер apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Ставка претраге (Цтрл + и) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Резултат је послан +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Од датума не може бити већи од датума До DocType: Supplier,Supplier of Goods or Services.,Добављач робе или услуга. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Име новог налога. Напомена: немојте креирати рачуне за клијенте и добављаче apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Студентска група или распоред курса је обавезан @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,База п DocType: Skill,Skill Name,Име вештине apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Принт Репорт Цард DocType: Soil Texture,Ternary Plot,Тернари Плот -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Суппорт Тицкетс DocType: Asset Category Account,Fixed Asset Account,Рачун фиксних средстава apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Најновији @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Дистанце УОМ DocType: Accounting Dimension,Mandatory For Balance Sheet,Обавезно за биланс стања DocType: Payment Entry,Total Allocated Amount,Укупни додељени износ DocType: Sales Invoice,Get Advances Received,Примите примљене авансе +DocType: Shift Type,Last Sync of Checkin,Ласт Синц оф Цхецкин DocType: Student,B-,Б- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Износ пореза укључен у вриједност apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,План претплате DocType: Student,Blood Group,Крвна група apps/erpnext/erpnext/config/healthcare.py,Masters,Мастерс DocType: Crop,Crop Spacing UOM,Изрезивање размака УОМ +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Време након почетка смене када се цхецк-ин сматра закашњењем (у минутама). apps/erpnext/erpnext/templates/pages/home.html,Explore,Екплоре +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Нису пронађене неподмирене фактуре DocType: Promotional Scheme,Product Discount Slabs,Плоче с попустима за производе DocType: Hotel Room Package,Amenities,Аменитиес DocType: Lab Test Groups,Add Test,Адд Тест @@ -1004,6 +1009,7 @@ DocType: Attendance,Attendance Request,Захтев за присуствова DocType: Item,Moving Average,Покретни просек DocType: Employee Attendance Tool,Unmarked Attendance,Неозначено присуство DocType: Homepage Section,Number of Columns,Број колона +DocType: Issue Priority,Issue Priority,Приоритет проблема DocType: Holiday List,Add Weekly Holidays,Адд Веекли Холидаис DocType: Shopify Log,Shopify Log,Схопифи Лог apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Направите списак плата @@ -1012,6 +1018,7 @@ DocType: Job Offer Term,Value / Description,Вредност / опис DocType: Warranty Claim,Issue Date,Датум издавања 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}. Није могуће пронаћи ниједан пакет који испуњава овај захтјев apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Није могуће креирати бонус за задржавање за преостале запослене +DocType: Employee Checkin,Location / Device ID,ИД локације / уређаја DocType: Purchase Order,To Receive,Примити apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Налазите се у изванмрежном режиму. Нећете моћи поново учитати све док не добијете мрежу. DocType: Course Activity,Enrollment,Упис @@ -1020,7 +1027,6 @@ DocType: Lab Test Template,Lab Test Template,Лаб Тест Темплате apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Макс.: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Недостаје информација о електронском фактурисању apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Није направљен никакав материјални захтев -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Шифра артикла> Итем Гроуп> Бранд DocType: Loan,Total Amount Paid,Укупно плаћени износ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Све ове ставке су већ фактурисане DocType: Training Event,Trainer Name,Име тренера @@ -1131,6 +1137,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Наведите име олова у олову {0} DocType: Employee,You can enter any date manually,Можете унети било који датум ручно DocType: Stock Reconciliation Item,Stock Reconciliation Item,Итем Рецонцилиатион Итем +DocType: Shift Type,Early Exit Consequence,Последица раног излаза DocType: Item Group,General Settings,Генерал Сеттингс apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Датум доспијећа не може бити прије књижења / датума фактуре добављача apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Унесите име Корисника пре подношења. @@ -1169,6 +1176,7 @@ DocType: Account,Auditor,Аудитор apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Потврда о уплати ,Available Stock for Packing Items,Доступна залиха за паковање предмета apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Уклоните ову фактуру {0} из Ц-обрасца {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Свака валидна пријава и одјава DocType: Support Search Source,Query Route String,Стринг Куери Роуте DocType: Customer Feedback Template,Customer Feedback Template,Шаблон за повратне информације о клијентима apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Цитати за водитеље или клијенте. @@ -1203,6 +1211,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Контрола ауторизације ,Daily Work Summary Replies,Свакодневни рад Сажетак одговора apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Позвани сте да сарађујете на пројекту: {0} +DocType: Issue,Response By Variance,Респонсе Би Варианце DocType: Item,Sales Details,Салес Детаилс apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Леттер Хеадс за предлошке за штампање. DocType: Salary Detail,Tax on additional salary,Порез на додатну плату @@ -1326,6 +1335,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Адре DocType: Project,Task Progress,Таск Прогресс DocType: Journal Entry,Opening Entry,Опенинг Ентри DocType: Bank Guarantee,Charges Incurred,Наплата трошкова +DocType: Shift Type,Working Hours Calculation Based On,Калкулација радних сати на основу DocType: Work Order,Material Transferred for Manufacturing,Пренесени материјал за производњу DocType: Products Settings,Hide Variants,Сакриј варијанте DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Онемогућите планирање капацитета и праћење времена @@ -1355,6 +1365,7 @@ DocType: Account,Depreciation,Амортизација DocType: Guardian,Interests,Интерестс DocType: Purchase Receipt Item Supplied,Consumed Qty,Цонсумед Кти DocType: Education Settings,Education Manager,Едуцатион Манагер +DocType: Employee Checkin,Shift Actual Start,Схифт Ацтуал Старт DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Планирање дневника времена изван радног времена радне станице. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Бодови лојалности: {0} DocType: Healthcare Settings,Registration Message,Регистратион Мессаге @@ -1379,9 +1390,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Фактура је већ направљена за све обрачунске сате DocType: Sales Partner,Contact Desc,Цонтацт Десц DocType: Purchase Invoice,Pricing Rules,Правила о ценама +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Будући да постоје постојеће трансакције против ставке {0}, не можете променити вредност {1}" DocType: Hub Tracked Item,Image List,Имаге Лист DocType: Item Variant Settings,Allow Rename Attribute Value,Дозволи преименовање вредности атрибута -DocType: Price List,Price Not UOM Dependant,Прице Нот УОМ Депендент apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Време (у мин) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Басиц DocType: Loan,Interest Income Account,Рачун прихода од камата @@ -1391,6 +1402,7 @@ DocType: Employee,Employment Type,Тип запослења apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Изаберите ПОС профил DocType: Support Settings,Get Latest Query,Набавите најновији упит DocType: Employee Incentive,Employee Incentive,Подстицај запослених +DocType: Service Level,Priorities,Приоритети apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Додајте картице или прилагођене секције на почетну страницу DocType: Homepage,Hero Section Based On,Херо Сецтион Басед Он DocType: Project,Total Purchase Cost (via Purchase Invoice),Укупна цена набавке (преко фактуре куповине) @@ -1451,7 +1463,7 @@ DocType: Work Order,Manufacture against Material Request,Произведено DocType: Blanket Order Item,Ordered Quantity,Наређена количина apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ред # {0}: Одбијена складишта је обавезна за одбијену ставку {1} ,Received Items To Be Billed,Примљене ставке за наплату -DocType: Salary Slip Timesheet,Working Hours,Радно време +DocType: Attendance,Working Hours,Радно време apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Плаћање режим apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Ставке наруџбенице нису примљене на време apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Трајање у данима @@ -1571,7 +1583,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,Законске информације и остале опште информације о Вашем добављачу DocType: Item Default,Default Selling Cost Center,Дефаулт Селлинг Цост Центер DocType: Sales Partner,Address & Contacts,Адреса и контакти -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Поставите серију нумерисања за Присуство преко Подешавања> Серија нумерисања DocType: Subscriber,Subscriber,Претплатник apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Форм / Итем / {0}) нема на складишту apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Прво изаберите Датум књижења @@ -1582,7 +1593,7 @@ DocType: Project,% Complete Method,% Цомплете Метод DocType: Detected Disease,Tasks Created,Таскс Цреатед apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Подразумевана БОМ ({0}) мора бити активна за ову ставку или њен предложак apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Стопа Комисије% -DocType: Service Level,Response Time,Време одзива +DocType: Service Level Priority,Response Time,Време одзива DocType: Woocommerce Settings,Woocommerce Settings,Вооцоммерце Сеттингс apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Количина мора бити позитивна DocType: Contract,CRM,ЦРМ @@ -1599,7 +1610,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Накнада у бол DocType: Bank Statement Settings,Transaction Data Mapping,Мапирање података о трансакцијама apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Олово захтева или име особе или име организације DocType: Student,Guardians,Чувари -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Подесите Систем за именовање инструктора у образовању> Поставке образовања apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Изаберите бренд ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Средњим дохотком DocType: Shipping Rule,Calculate Based On,Цалцулате Басед Он @@ -1636,6 +1646,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Поставите apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Записник о присуству {0} постоји против студента {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Датум трансакције apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Отказати претплату +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Није могуће поставити споразум о нивоу услуге {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Износ нето зараде DocType: Account,Liability,Одговорност DocType: Employee,Bank A/C No.,Банкарски А / Ц број @@ -1701,7 +1712,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Шифра артикла сировине apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Фактура куповине {0} је већ послата DocType: Fees,Student Email,Студент Емаил -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Рекурс БОМ-а: {0} не може бити родитељ или дијете {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Набавите артикле из здравствених услуга apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Унос акција {0} није достављен DocType: Item Attribute Value,Item Attribute Value,Вредност атрибута ставке @@ -1726,7 +1736,6 @@ DocType: POS Profile,Allow Print Before Pay,Дозволи штампање пр DocType: Production Plan,Select Items to Manufacture,Изаберите ставке за производњу DocType: Leave Application,Leave Approver Name,Оставите име одобрења DocType: Shareholder,Shareholder,Акционар -DocType: Issue,Agreement Status,Статус споразума apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Подразумевана подешавања за продају трансакција. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Молимо Вас да одаберете Пријем студената који је обавезан за плаћеног студента apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Изаберите БОМ @@ -1989,6 +1998,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Рачун прихода apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Алл Варехоусес DocType: Contract,Signee Details,Сигнее Детаилс +DocType: Shift Type,Allow check-out after shift end time (in minutes),Дозволи одјаву након завршетка смене (у минутима) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Набавка DocType: Item Group,Check this if you want to show in website,Означите ово ако желите да се прикаже на сајту apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Фискална година {0} није пронађена @@ -2055,6 +2065,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Датум почетка а DocType: Activity Cost,Billing Rate,Стопа наплате apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Упозорење: Још једна {0} # {1} постоји против ставке залиха {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Омогућите Гоогле Мапс Сеттингс да бисте проценили и оптимизовали руте +DocType: Purchase Invoice Item,Page Break,Прелом странице DocType: Supplier Scorecard Criteria,Max Score,Мак Сцоре apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Датум почетка отплате не може бити пре датума исплате. DocType: Support Search Source,Support Search Source,Суппорт Сеарцх Соурце @@ -2123,6 +2134,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Циљ циља квал DocType: Employee Transfer,Employee Transfer,Трансфер запослених ,Sales Funnel,Ток за продају DocType: Agriculture Analysis Criteria,Water Analysis,Анализа воде +DocType: Shift Type,Begin check-in before shift start time (in minutes),Започните пријаву пре почетка времена промене (у минутима) DocType: Accounts Settings,Accounts Frozen Upto,Рачуни Фрозен Упто apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Нема ништа за уређивање. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Операција {0} дуже од свих расположивих радних сати на радној станици {1}, разбити операцију у више операција" @@ -2136,7 +2148,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Но apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Продајни налог {0} је {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Одлагање плаћања (Дани) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Унесите детаље амортизације +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Корисничка ПО apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Очекивани датум испоруке треба да буде после датума налога за продају +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Количина артикла не може бити нула apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Неважећи атрибут apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Изаберите БОМ у односу на ставку {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Тип фактуре @@ -2146,6 +2160,7 @@ DocType: Maintenance Visit,Maintenance Date,Датум одржавања DocType: Volunteer,Afternoon,Поподневни DocType: Vital Signs,Nutrition Values,Нутритион Валуес DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Присуство грознице (темп> 38,5 ° Ц / 101,3 ° Ф или продужена темп> 38 ° Ц / 100,4 ° Ф)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Поставите Систем за именовање запосленика у људским ресурсима> Поставке људских ресурса apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ИТЦ Реверсед DocType: Project,Collect Progress,Цоллецт Прогресс apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Енергија @@ -2196,6 +2211,7 @@ DocType: Setup Progress,Setup Progress,Сетуп Прогресс ,Ordered Items To Be Billed,Наређене ставке за наплату DocType: Taxable Salary Slab,To Amount,То Амоунт DocType: Purchase Invoice,Is Return (Debit Note),Да ли је повратак (задужење) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Купац> Корисничка група> Територија apps/erpnext/erpnext/config/desktop.py,Getting Started,Почетак apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Мерге apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Није могуће променити почетни датум фискалне године и датум завршетка фискалне године када се сачува фискална година. @@ -2214,8 +2230,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Стварни датум apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Датум почетка одржавања не може бити пре датума испоруке за серијски број {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Ред {0}: Течај је обавезан DocType: Purchase Invoice,Select Supplier Address,Изаберите адресу добављача +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Доступна количина је {0}, потребно је {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Унесите тајну АПИ потрошача DocType: Program Enrollment Fee,Program Enrollment Fee,Накнада за упис програма +DocType: Employee Checkin,Shift Actual End,Схифт Ацтуал Енд DocType: Serial No,Warranty Expiry Date,Датум истека гаранције DocType: Hotel Room Pricing,Hotel Room Pricing,Хотелска цена apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Спољне опорезиве испоруке (осим нултих, нултих и ослобођених)" @@ -2275,6 +2293,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Читање 5 DocType: Shopping Cart Settings,Display Settings,Подешавања екрана apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Молимо вас да поставите број књижених амортизација +DocType: Shift Type,Consequence after,Последица после apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,С чиме ти треба помоћ? DocType: Journal Entry,Printing Settings,Принтинг Сеттингс apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Банкарство @@ -2284,6 +2303,7 @@ DocType: Purchase Invoice Item,PR Detail,ПР Детаил apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Адреса за наплату је иста као адреса за доставу DocType: Account,Cash,Готовина DocType: Employee,Leave Policy,Леаве Полици +DocType: Shift Type,Consequence,Последица apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Студент Аддресс DocType: GST Account,CESS Account,ЦЕСС налог apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Центар трошка је потребан за 'Профит и губитак' {2}. Поставите подразумевани центар трошкова за компанију. @@ -2348,6 +2368,7 @@ DocType: GST HSN Code,GST HSN Code,ГСТ ХСН код DocType: Period Closing Voucher,Period Closing Voucher,Период за затварање ваучера apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Име Гуардиан2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Унесите рачун трошкова +DocType: Issue,Resolution By Variance,Резолуција по варијанси DocType: Employee,Resignation Letter Date,Датум оставке DocType: Soil Texture,Sandy Clay,Санди Цлаи DocType: Upload Attendance,Attendance To Date,Аттенданце То Дате @@ -2360,6 +2381,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Прикажи сада DocType: Item Price,Valid Upto,Важи до apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Референце Доцтипе мора бити једна од {0} +DocType: Employee Checkin,Skip Auto Attendance,Прескочи Ауто Аттенданце DocType: Payment Request,Transaction Currency,Валута трансакције DocType: Loan,Repayment Schedule,Распоред отплате apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Направите унос залиха узорка @@ -2431,6 +2453,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Додела с DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Порез на ваучер за затварање ПОС-а apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Ацтион Инитиалисед DocType: POS Profile,Applicable for Users,Примјењиво за кориснике +,Delayed Order Report,Извештај о одложеној наруџби DocType: Training Event,Exam,Испит apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Неисправан број пронађених уноса главне књиге. Можда сте у трансакцији изабрали погрешан рачун. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Пипелине продаје @@ -2445,10 +2468,11 @@ DocType: Account,Round Off,Заокружити DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Услови ће се примјењивати на све одабране ставке заједно. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Цонфигуре DocType: Hotel Room,Capacity,Капацитет +DocType: Employee Checkin,Shift End,Схифт Енд DocType: Installation Note Item,Installed Qty,Инсталлед Кти apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Пакет {0} ставке {1} је онемогућен. DocType: Hotel Room Reservation,Hotel Reservation User,Корисник резервације хотела -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Радни дан је поновљен два пута +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Уговор о нивоу услуге са типом ентитета {0} и ентитетом {1} већ постоји. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Група ставки која није наведена у главном ставку за ставку {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Грешка имена: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Територија је обавезна у ПОС профилу @@ -2496,6 +2520,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Сцхедуле Дате DocType: Packing Slip,Package Weight Details,Детаљи о тежини пакета DocType: Job Applicant,Job Opening,Отварање посла +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Последња позната успешна синхронизација запосленика Цхецкин. Поново поставите ово само ако сте сигурни да су сви записи синхронизовани са свих локација. Молимо вас да не мењате ово ако нисте сигурни. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Стварна цена apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Укупни напредак ({0}) против наруџбе {1} не може бити већи од укупног износа ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Итем Варијанте су ажуриране @@ -2540,6 +2565,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Референтни ра apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Гет Инвоциес DocType: Tally Migration,Is Day Book Data Imported,Да ли су подаци о дневној књизи увезени ,Sales Partners Commission,Салес Партнерс Цоммиссион +DocType: Shift Type,Enable Different Consequence for Early Exit,Омогући различите последице за рани излазак apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Правни DocType: Loan Application,Required by Date,Потребно по датуму DocType: Quiz Result,Quiz Result,Куиз Ресулт @@ -2599,7 +2625,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Фина DocType: Pricing Rule,Pricing Rule,Правило о ценама apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Необавезна листа празника није постављена за период одласка {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Поставите поље ИД корисника у запис Запосленика да бисте поставили улогу запосленика -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Време је да се реши DocType: Training Event,Training Event,Траининг Евент DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Нормални крвни притисак код одрастања је око 120 ммХг систолички и 80 ммХг дијастолички, скраћено "120/80 ммХг"." DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Систем ће дохватити све уносе ако је гранична вриједност нула. @@ -2643,6 +2668,7 @@ DocType: Woocommerce Settings,Enable Sync,Омогући синхронизац DocType: Student Applicant,Approved,Одобрено apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Од датума треба да буде у оквиру фискалне године. Претпоставка од датума = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Подесите групу добављача у поставкама куповине. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} је неважећи статус присутности. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Привремени отварање рачуна DocType: Purchase Invoice,Cash/Bank Account,Готовински / банковни рачун DocType: Quality Meeting Table,Quality Meeting Table,Табела квалитета састанка @@ -2678,6 +2704,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,МВС Аутх Токен apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Храна, пиће и дуван" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Распоред курса DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Итем Висе Так Детаил +DocType: Shift Type,Attendance will be marked automatically only after this date.,Присуство ће бити аутоматски означено тек након тог датума. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Потрошња за УИН носиоце apps/erpnext/erpnext/hooks.py,Request for Quotations,Захтев за понуду apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Валута се не може мењати након уноса неке друге валуте @@ -2726,7 +2753,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Ис Итем фром Хуб apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Процедура квалитета. DocType: Share Balance,No of Shares,Број акција -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ред {0}: Количина није доступна за {4} у складишту {1} у време објављивања уноса ({2} {3}) DocType: Quality Action,Preventive,Превентивно DocType: Support Settings,Forum URL,Форум УРЛ apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Запослени и присутни @@ -2948,7 +2974,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Тип попуста DocType: Hotel Settings,Default Taxes and Charges,Подразумевани порези и таксе apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Ово се заснива на трансакцијама против овог добављача. Погледајте временску линију испод за детаље apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Максимални износ накнаде за запослене {0} прелази {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Унесите датум почетка и завршетка уговора. DocType: Delivery Note Item,Against Sales Invoice,Против фактуре продаје DocType: Loyalty Point Entry,Purchase Amount,Куповни износ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Није могуће подесити као Изгубљено као продајни налог. @@ -2972,7 +2997,7 @@ DocType: Homepage,"URL for ""All Products""",УРЛ за "Сви произ DocType: Lead,Organization Name,Назив организације apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Важећа и валидна поља упто су обавезна за кумулатив apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Ред # {0}: Серијски број мора бити исти као и {1} {2} -DocType: Employee,Leave Details,Оставите детаље +DocType: Employee Checkin,Shift Start,Схифт Старт apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Стоцк трансакције пре {0} су замрзнуте DocType: Driver,Issuing Date,Датум издавања apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Рекуестор @@ -3017,9 +3042,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Детаљи шаблона мапирања новчаног тока apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Запошљавање и обука DocType: Drug Prescription,Interval UOM,Интервал УОМ +DocType: Shift Type,Grace Period Settings For Auto Attendance,Подешавања Граце периода за аутоматско присуство apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Из валуте и валуте не може бити исто apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Пхармацеутицалс DocType: Employee,HR-EMP-,ХР-ЕМП- +DocType: Service Level,Support Hours,Суппорт Хоурс apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} је отказан или затворен apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Ред {0}: Аванс против клијента мора бити кредит apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Груписање по ваучеру (Консолидовано) @@ -3129,6 +3156,7 @@ DocType: Asset Repair,Repair Status,Статус поправке DocType: Territory,Territory Manager,територија Директор DocType: Lab Test,Sample ID,Сампле ИД apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Кошарица је празна +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Похађање је означено по пријавама за запослене apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Имовина {0} мора бити послата ,Absent Student Report,Одсуство студентског извештаја apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Укључено у бруто профит @@ -3136,7 +3164,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,Финансирани износ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} није послата тако да се акција не може довршити DocType: Subscription,Trial Period End Date,Датум завршетка пробног периода +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Наизменични уноси као ИН и ОУТ током исте смене DocType: BOM Update Tool,The new BOM after replacement,Нова БОМ након замене +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добављач> Тип добављача apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Тачка 5 DocType: Employee,Passport Number,Број пасоша apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Привремено отварање @@ -3252,6 +3282,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Кеи Репортс apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Могући добављач ,Issued Items Against Work Order,Издате ставке против радног налога apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Креирање {0} фактуре +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Подесите Систем за именовање инструктора у образовању> Поставке образовања DocType: Student,Joining Date,Датум придруживања apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Рекуестинг Сите DocType: Purchase Invoice,Against Expense Account,Против рачуна трошкова @@ -3291,6 +3322,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Примјењиве накнаде ,Point of Sale,Место продаје DocType: Authorization Rule,Approving User (above authorized value),Одобравање корисника (изнад овлашћене вредности) +DocType: Service Level Agreement,Entity,Ентитет apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Износ {0} {1} пренесен из {2} у {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Корисник {0} не припада пројекту {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Од имена странке @@ -3337,6 +3369,7 @@ DocType: Asset,Opening Accumulated Depreciation,Отварање акумули DocType: Soil Texture,Sand Composition (%),Састав песка (%) DocType: Production Plan,MFG-PP-.YYYY.-,МФГ-ПП-.ИИИИ.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Увоз података о књизи +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Подесите Наминг Сериес за {0} преко подешавања> Сеттингс> Наминг Сериес DocType: Asset,Asset Owner Company,Друштво власника имовине apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Трошковно мјесто је потребно за књижење трошкова потраживања apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} важећих серијских бројева за ставку {1} @@ -3397,7 +3430,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Власник имовине apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Складиште је обавезно за ставку ставке {0} у реду {1} DocType: Stock Entry,Total Additional Costs,Укупни додатни трошкови -DocType: Marketplace Settings,Last Sync On,Последња синхронизација укључена apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Поставите бар један ред у табели Порези и накнаде DocType: Asset Maintenance Team,Maintenance Team Name,Име тима за одржавање apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Графикон центара трошкова @@ -3413,12 +3445,12 @@ DocType: Sales Order Item,Work Order Qty,Количина радних нало DocType: Job Card,WIP Warehouse,ВИП Варехоусе DocType: Payment Request,ACC-PRQ-.YYYY.-,АЦЦ-ПРК-.ИИИИ.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ИД корисника није постављен за запосленика {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Доступан број је {0}, потребно је {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Корисник {0} је креиран DocType: Stock Settings,Item Naming By,Итем Наминг Би apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Наређено apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Ово је главна корисничка група и не може се уређивати. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Захтев за материјал {0} је отказан или заустављен +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Строго базирано на Лог Типе у Емплоиее Цхецкин DocType: Purchase Order Item Supplied,Supplied Qty,Приложена количина DocType: Cash Flow Mapper,Cash Flow Mapper,Цасх Флов Маппер DocType: Soil Texture,Sand,Песак @@ -3477,6 +3509,7 @@ DocType: Lab Test Groups,Add new line,Додајте нову линију apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Удвостручена група ставки пронађена у табели групе ставки apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Годишња плата DocType: Supplier Scorecard,Weighting Function,Функција пондерисања +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Грешка при процени формуле критеријума ,Lab Test Report,Лаб Тест Репорт DocType: BOM,With Operations,Са операцијама @@ -3490,6 +3523,7 @@ DocType: Expense Claim Account,Expense Claim Account,Рачун трошкова apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Нема отплата за унос дневника apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} је неактиван студент apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Маке Стоцк Ентри +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Рекурс БОМ-а: {0} не може бити родитељ или дијете {1} DocType: Employee Onboarding,Activities,Активности apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Најмање једно складиште је обавезно ,Customer Credit Balance,Салдо кредита за клијенте @@ -3502,9 +3536,11 @@ DocType: Supplier Scorecard Period,Variables,Променљиве apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Пронашли смо више програма лојалности за клијента. Одаберите ручно. DocType: Patient,Medication,Лијекови apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Изаберите Програм лојалности +DocType: Employee Checkin,Attendance Marked,Аттенданце Маркед apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Сировине DocType: Sales Order,Fully Billed,Фулли Биллед apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Молимо вас да поставите цену за хотелску собу на {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Изаберите само један приоритет као подразумевани. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Молимо идентификујте / креирајте налог (књига) за тип - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Укупан износ кредита / задужења треба да буде исти као и унос у дневник DocType: Purchase Invoice Item,Is Fixed Asset,Ис Фикед Ассет @@ -3525,6 +3561,7 @@ DocType: Purpose of Travel,Purpose of Travel,Сврха путовања DocType: Healthcare Settings,Appointment Confirmation,Потврда заказивања DocType: Shopping Cart Settings,Orders,Ордерс DocType: HR Settings,Retirement Age,Старосна граница +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Поставите серију нумерисања за Присуство преко Подешавања> Серија нумерисања apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Пројецтед Кти apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Брисање није дозвољено за земљу {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Ред # {0}: Средство {1} је већ {2} @@ -3608,11 +3645,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Аццоунтант apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Трајање купона за ПОС терминале постоји за {0} између датума {1} и {2} apps/erpnext/erpnext/config/help.py,Navigating,Навигација +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Ниједна отворена фактура не захтева ревалоризацију девизног курса DocType: Authorization Rule,Customer / Item Name,Назив клијента / предмета apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Нови серијски број не може имати складиште. Складиште мора бити постављено путем уноса залиха или куповине DocType: Issue,Via Customer Portal,Преко корисничког портала DocType: Work Order Operation,Planned Start Time,Планирано време почетка apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} је {2} +DocType: Service Level Priority,Service Level Priority,Приоритет нивоа услуге apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Број књижених амортизација не може бити већи од укупног броја амортизације apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Схаре Ледгер DocType: Journal Entry,Accounts Payable,Износ обавеза @@ -3723,7 +3762,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Испорука до DocType: Bank Statement Transaction Settings Item,Bank Data,Банк Дата apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Сцхедулед Упто -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Одржавајте сате за наплату и радне сате на листи задатака apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Водећи трагови водећег извора. DocType: Clinical Procedure,Nursing User,Нурсинг Усер DocType: Support Settings,Response Key List,Листа кључних одговора @@ -3891,6 +3929,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Стварно време почетка DocType: Antibiotic,Laboratory User,Корисник лабораторије apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Онлине Ауцтионс +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Приоритет {0} је поновљен. DocType: Fee Schedule,Fee Creation Status,Статус стварања накнаде apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Софтварес apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Продајни налог до плаћања @@ -3957,6 +3996,7 @@ DocType: Patient Encounter,In print,У штампи apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Није могуће дохватити информације за {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Валута за наплату мора бити једнака или заданој валути компаније или валути партије рачуна apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Унесите Ид запосленика ове особе за продају +DocType: Shift Type,Early Exit Consequence after,Последица за рани излазак после apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Направите отварање фактура продаје и куповине DocType: Disease,Treatment Period,Период лечења apps/erpnext/erpnext/config/settings.py,Setting up Email,Подешавање е-поште @@ -3974,7 +4014,6 @@ DocType: Employee Skill Map,Employee Skills,Емплоиее Скиллс apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Име студента: DocType: SMS Log,Sent On,Послат на DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Продаја фактура -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Време реакције не може бити веће од времена резолуције DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","За студентску групу засновану на курсу, курс ће бити валидиран за сваког студента са уписаних курсева у упис у програм." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Унутрашња опрема DocType: Employee,Create User Permission,Креирање корисничке дозволе @@ -4013,6 +4052,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Стандардни услови уговора за продају или куповину. DocType: Sales Invoice,Customer PO Details,Детаљи о корисничком ПО-у apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Пацијент није пронађен +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Изаберите подразумевани приоритет. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Уклоните ставку ако наплата није примјењива на ту ставку apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Постоји корисничка група са истим именом, промените име клијента или преименујете корисничку групу" 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. @@ -4052,6 +4092,7 @@ DocType: Quality Goal,Quality Goal,Циљ квалитета DocType: Support Settings,Support Portal,Портал за подршку apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Датум завршетка задатка {0} не може бити мањи од {1} очекиваног датума почетка {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Запослени {0} је на остави на {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Овај уговор о нивоу услуге је специфичан за клијента {0} DocType: Employee,Held On,Одржаној DocType: Healthcare Practitioner,Practitioner Schedules,Працтитионер Сцхедулес DocType: Project Template Task,Begin On (Days),Почни (дана) @@ -4059,6 +4100,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Радни налог је био {0} DocType: Inpatient Record,Admission Schedule Date,Дате Сцхедуле Дате apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Подешавање вредности имовине +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Означите присуство на основу 'Цхецк-иња запослених' за запослене који су додељени овој смени. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Снабдевање нерегистрованих лица apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Алл Јобс DocType: Appointment Type,Appointment Type,Аппоинтмент Типе @@ -4172,7 +4214,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Бруто тежина пакета. Обично нето тежина + тежина амбалаже. (за штампу) DocType: Plant Analysis,Laboratory Testing Datetime,Лаборатори Тестинг Датетиме apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Ставка {0} не може имати пакет -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Продаја нафтовода по стадијима apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Снага студентске групе DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Унос трансакције банковног извода DocType: Purchase Order,Get Items from Open Material Requests,Набавите ставке из отворених захтева за материјал @@ -4254,7 +4295,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Схов Агинг Варехоусе-висе DocType: Sales Invoice,Write Off Outstanding Amount,Исписивање изванредног износа DocType: Payroll Entry,Employee Details,Емплоиее Детаилс -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Време почетка не може бити веће од времена завршетка за {0}. DocType: Pricing Rule,Discount Amount,Износ попуста DocType: Healthcare Service Unit Type,Item Details,Детаљи о ставци apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Дуплицирана пореска декларација за {0} за период {1} @@ -4307,7 +4347,7 @@ DocType: Customer,CUST-.YYYY.-,ЦУСТ-.ИИИИ.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Нето плата не може бити негативна apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Но оф Интерацтионс 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/hr/doctype/employee/employee_dashboard.py,Shift,Смена +DocType: Attendance,Shift,Смена apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Обрада контног плана и страна DocType: Stock Settings,Convert Item Description to Clean HTML,Претвори опис ставке у Цлеан ХТМЛ apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Све групе добављача @@ -4378,6 +4418,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Запосл DocType: Healthcare Service Unit,Parent Service Unit,Јединица за подршку родитеља DocType: Sales Invoice,Include Payment (POS),Укључи плаћање (ПОС) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Приватна имовина +DocType: Shift Type,First Check-in and Last Check-out,Прва пријава и задња одјава DocType: Landed Cost Item,Receipt Document,Рецеипт Доцумент DocType: Supplier Scorecard Period,Supplier Scorecard Period,Период Сцорецард добављача DocType: Employee Grade,Default Salary Structure,Дефаулт Салари Струцтуре @@ -4460,6 +4501,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Направите наруџбеницу apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Дефинишите буџет за финансијску годину. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Табела налога не може бити празна. +DocType: Employee Checkin,Entry Grace Period Consequence,Последица уласка у Граце Период ,Payment Period Based On Invoice Date,Период плаћања на основу датума фактуре apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Датум инсталације не може бити пре датума испоруке за ставку {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Веза са захтевом за материјал @@ -4468,6 +4510,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Мапира apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Ред {0}: већ постоји унос промене редоследа за ово складиште {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Датум DocType: Monthly Distribution,Distribution Name,Име дистрибуције +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Радни дан {0} је поновљен. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Гроуп то Нон-Гроуп apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,У току је ажурирање. Може потрајати. DocType: Item,"Example: ABCD.##### @@ -4480,6 +4523,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Количина горива apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Гуардиан1 Мобиле Но DocType: Invoice Discounting,Disbursed,Исплацено +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Време након завршетка смене током којег се сматра да је цхецк-оут присутан. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Нето промена на рачунима apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Није доступно apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Скраћено време @@ -4493,7 +4537,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Поте apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Прикажи ПДЦ у штампи apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Схопифи Супплиер DocType: POS Profile User,POS Profile User,ПОС Профиле Усер -DocType: Student,Middle Name,Средње име DocType: Sales Person,Sales Person Name,Име продавача DocType: Packing Slip,Gross Weight,Бруто тежина DocType: Journal Entry,Bill No,Билл Но @@ -4502,7 +4545,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Не DocType: Vehicle Log,HR-VLOG-.YYYY.-,ХР-ВЛОГ-.ИИИИ.- DocType: Student,A+,А + DocType: Issue,Service Level Agreement,Уговор о нивоу услуга -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Прво изаберите Емплоиее анд Дате apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Стопа вредновања позиције се прерачунава узимајући у обзир износ ваучера за земљишне трошкове DocType: Timesheet,Employee Detail,Емплоиее Детаил DocType: Tally Migration,Vouchers,Ваучери @@ -4537,7 +4579,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Уговор о DocType: Additional Salary,Date on which this component is applied,Датум на који се ова компонента примјењује apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Списак доступних акционара са бројевима фолија apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Подешавање Гатеваи налога. -DocType: Service Level,Response Time Period,Период одговора +DocType: Service Level Priority,Response Time Period,Период одговора DocType: Purchase Invoice,Purchase Taxes and Charges,Порези и накнаде за куповину DocType: Course Activity,Activity Date,Датум активности apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Изаберите или додајте новог купца @@ -4562,6 +4604,7 @@ DocType: Sales Person,Select company name first.,Прво изаберите и apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Финансијска година DocType: Sales Invoice Item,Deferred Revenue,Одложени приход apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,"У сваком случају, мора се одабрати један од начина продаје или куповине" +DocType: Shift Type,Working Hours Threshold for Half Day,Праг рада за пола дана ,Item-wise Purchase History,Итем-висе Историја куповине apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Није могуће променити датум сервисног заустављања за ставку у реду {0} DocType: Production Plan,Include Subcontracted Items,Укључи ставке подуговора @@ -4594,6 +4637,7 @@ DocType: Journal Entry,Total Amount Currency,Валута укупног изн DocType: BOM,Allow Same Item Multiple Times,Дозволи исту ставку више пута apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Цреате БОМ DocType: Healthcare Practitioner,Charges,Цхаргес +DocType: Employee,Attendance and Leave Details,Присуство и оставите детаље DocType: Student,Personal Details,Лични подаци DocType: Sales Order,Billing and Delivery Status,Статус наплате и испоруке apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Ред {0}: За добављача {0} Емаил адреса је потребна за слање е-поште @@ -4645,7 +4689,6 @@ DocType: Bank Guarantee,Supplier,Добављач apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Унесите вредност између {0} и {1} DocType: Purchase Order,Order Confirmation Date,Датум потврде наруџбе DocType: Delivery Trip,Calculate Estimated Arrival Times,Израчунај процењено време доласка -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Поставите Систем за именовање запосленика у људским ресурсима> Поставке људских ресурса apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Цонсумабле DocType: Instructor,EDU-INS-.YYYY.-,ЕДУ-ИНС-.ИИИИ.- DocType: Subscription,Subscription Start Date,Датум почетка претплате @@ -4668,7 +4711,7 @@ DocType: Installation Note Item,Installation Note Item,Напомена за и DocType: Journal Entry Account,Journal Entry Account,Аццоунт Ентри Ентри apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Вариант apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Форум Ацтивити -DocType: Service Level,Resolution Time Period,Временски период резолуције +DocType: Service Level Priority,Resolution Time Period,Временски период резолуције DocType: Request for Quotation,Supplier Detail,Супплиер Детаил DocType: Project Task,View Task,Прикажи задатак DocType: Serial No,Purchase / Manufacture Details,Детаљи куповине / производње @@ -4735,6 +4778,7 @@ DocType: Sales Invoice,Commission Rate (%),Стопа провизије (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Складиште се може мијењати само путем уноса / испоруке дионица / потврде о купњи DocType: Support Settings,Close Issue After Days,Цлосе Иссуе Афтер Даис DocType: Payment Schedule,Payment Schedule,Динамика плаћања +DocType: Shift Type,Enable Entry Grace Period,Омогући почетни период уласка DocType: Patient Relation,Spouse,Супруга DocType: Purchase Invoice,Reason For Putting On Hold,Разлог за стављање на чекање DocType: Item Attribute,Increment,Пораст @@ -4874,6 +4918,7 @@ DocType: Authorization Rule,Customer or Item,Купац или артикл DocType: Vehicle Log,Invoice Ref,Рачун Реф apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Ц-образац се не односи на фактуру: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Рачун је израђен +DocType: Shift Type,Early Exit Grace Period,Рани излазак Граце Период DocType: Patient Encounter,Review Details,Детаљи прегледа apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Ред {0}: Вредност сата мора бити већа од нуле. DocType: Account,Account Number,Број рачуна @@ -4885,7 +4930,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Важеће ако је компанија СпА, САпА или СРЛ" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Услови који се преклапају пронађени између: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Плаћено и није испоручено -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Шифра артикла је обавезна јер ставка није аутоматски нумерисана DocType: GST HSN Code,HSN Code,ХСН Цоде DocType: GSTR 3B Report,September,септембар apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Административни трошкови @@ -4921,6 +4965,8 @@ DocType: Travel Itinerary,Travel From,Травел Фром apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Рачун ЦВИП DocType: SMS Log,Sender Name,Сендер Наме DocType: Pricing Rule,Supplier Group,Супплиер Гроуп +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Поставите Почетно време и Време завршетка за Дан подршке {0} у индексу {1}. DocType: Employee,Date of Issue,Датум издавања ,Requested Items To Be Transferred,Тражене ставке које треба пренијети DocType: Employee,Contract End Date,Датум завршетка уговора @@ -4931,6 +4977,7 @@ DocType: Healthcare Service Unit,Vacant,Празан DocType: Opportunity,Sales Stage,Салес Стаге DocType: Sales Order,In Words will be visible once you save the Sales Order.,Ин Вордс ће бити видљиве када сачувате продајни налог. DocType: Item Reorder,Re-order Level,Реордер ниво +DocType: Shift Type,Enable Auto Attendance,Омогући аутоматско присуство apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Преференце ,Department Analytics,Департмент Аналитицс DocType: Crop,Scientific Name,Научно име @@ -4943,6 +4990,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},Статус {0} {1} DocType: Quiz Activity,Quiz Activity,Куиз Ацтивити apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} није у важећем периоду на платном списку DocType: Timesheet,Billed,Наплаћено +apps/erpnext/erpnext/config/support.py,Issue Type.,Врста издања. DocType: Restaurant Order Entry,Last Sales Invoice,Фактура последње продаје DocType: Payment Terms Template,Payment Terms,Услови плаћања apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Резервисано Количина: Количина наручена за продају, али не испоручена." @@ -5038,6 +5086,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Имовина apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} нема распоред здравствених радника. Додајте га у мајстора здравствене праксе DocType: Vehicle,Chassis No,Цхассис Но +DocType: Employee,Default Shift,Дефаулт Схифт apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Скраћеница компаније apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Дрво материјала DocType: Article,LMS User,ЛМС Усер @@ -5086,6 +5135,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,ЕДУ-ФСТ-.ИИИИ.- DocType: Sales Person,Parent Sales Person,Парент Салес Персон DocType: Student Group Creation Tool,Get Courses,Гет Цоурсес apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ред # {0}: Количина мора бити 1, јер је ставка фиксно средство. Молимо користите посебан ред за вишеструку количину." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Радно време испод којег је Абсент означен. (Нула до онемогућавања) DocType: Customer Group,Only leaf nodes are allowed in transaction,Само су чворови листова дозвољени у трансакцији DocType: Grant Application,Organization,Организација DocType: Fee Category,Fee Category,Категорија накнаде @@ -5098,6 +5148,7 @@ DocType: Payment Order,PMO-,ПМО- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Ажурирајте свој статус за овај тренинг догађај DocType: Volunteer,Morning,Јутро DocType: Quotation Item,Quotation Item,Куотатион Итем +apps/erpnext/erpnext/config/support.py,Issue Priority.,Приоритет проблема. DocType: Journal Entry,Credit Card Entry,Унос кредитне картице apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Временски размак је прескочен, слот {0} до {1} преклапа постојећи слот {2} до {3}" DocType: Journal Entry Account,If Income or Expense,Ако је приход или расход @@ -5148,11 +5199,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Увоз података и подешавања 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: Account,Expense Account,Расходи рачун +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Време пре почетка смене, током којег се сматра да је запослење пријављено." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Однос са Гуардиан-ом1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Направите фактуру apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Захтев за плаћање већ постоји {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Запослени ослобођен у {0} мора бити постављен као "Лијево" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Плати {0} {1} +DocType: Company,Sales Settings,Поставке продаје DocType: Sales Order Item,Produced Quantity,Продуцед Куантити apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Захтеву за понуду можете приступити кликом на следећи линк DocType: Monthly Distribution,Name of the Monthly Distribution,Назив месечне дистрибуције @@ -5231,6 +5284,7 @@ DocType: Company,Default Values,Дефаулт вредности apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Креирани су основни шаблони пореза за продају и куповину. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Тип остављања {0} се не може преносити apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Задужење Рачун мора бити рачун потраживања +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Подесите налог на складишту {0} или подразумевани рачун инвентара у предузећу {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Фабрички подешен DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Нето тежина овог пакета. (израчунава се аутоматски као збир нето тежине артикала) @@ -5257,8 +5311,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Екпиред Батцхес DocType: Shipping Rule,Shipping Rule Type,Тип правила о испоруци DocType: Job Offer,Accepted,Прихваћено -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Избришите запосленика {0} да откажете овај документ" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Већ сте процијенили критерије процјене {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Изаберите Бројеви бројева apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Старост (Дани) @@ -5285,6 +5337,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Изаберите своје домене DocType: Agriculture Task,Task Name,Таск Наме apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Стоцк Уноси већ креирани за радни налог +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Избришите запосленика {0} да откажете овај документ" ,Amount to Deliver,Износ за испоруку apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Компанија {0} не постоји apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Није пронађен ниједан захтјев за материјалом за повезивање за дате ставке. @@ -5334,6 +5388,7 @@ DocType: Program Enrollment,Enrolled courses,Уписани курсеви DocType: Lab Prescription,Test Code,Тест Цоде DocType: Purchase Taxes and Charges,On Previous Row Total,Он Превиоус Ров Тотал DocType: Student,Student Email Address,Адреса е-поште студента +,Delayed Item Report,Одложени извештај о ставкама DocType: Academic Term,Education,образовање DocType: Supplier Quotation,Supplier Address,Адреса добављача DocType: Salary Detail,Do not include in total,Не укључујте укупно @@ -5341,7 +5396,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} не постоји DocType: Purchase Receipt Item,Rejected Quantity,Одбијена количина DocType: Cashier Closing,To TIme,Времену -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},УОМ конверзијски фактор ({0} -> {1}) није пронађен за ставку: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Дневни радни преглед групе корисника DocType: Fiscal Year Company,Fiscal Year Company,Фискална година Компанија apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Алтернативна ставка не смије бити иста као код ставке @@ -5393,6 +5447,7 @@ DocType: Program Fee,Program Fee,Програм Фее DocType: Delivery Settings,Delay between Delivery Stops,Кашњење између заустављања испоруке DocType: Stock Settings,Freeze Stocks Older Than [Days],Замрзавање акција старије од [дана] DocType: Promotional Scheme,Promotional Scheme Product Discount,Промотивни производни попуст на производе +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Већ постоји приоритет проблема DocType: Account,Asset Received But Not Billed,"Примљено средство, али није наплаћено" DocType: POS Closing Voucher,Total Collected Amount,Укупан прикупљени износ DocType: Course,Default Grading Scale,Дефаулт Градинг Сцале @@ -5435,6 +5490,7 @@ DocType: C-Form,III,ИИИ DocType: Contract,Fulfilment Terms,Услови испуњења apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Нон-Гроуп то Гроуп DocType: Student Guardian,Mother,Мајко +DocType: Issue,Service Level Agreement Fulfilled,Испуњен је Споразум о нивоу услуга DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Порез на одбитак за неплаћене накнаде запосленима DocType: Travel Request,Travel Funding,Финансирање путовања DocType: Shipping Rule,Fixed,Фикед @@ -5464,10 +5520,12 @@ DocType: Item,Warranty Period (in days),Период гаранције (у да apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Нема пронађених ставки. DocType: Item Attribute,From Range,Фром Ранге DocType: Clinical Procedure,Consumables,Потрошни материјал +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'емплоиее_фиелд_валуе' и 'тиместамп' су обавезни. DocType: Purchase Taxes and Charges,Reference Row #,Референтни ред # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Подесите "Центар трошкова трошкова амортизације" у предузећу {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Ред # {0}: Документ за плаћање је потребан да би се довршила трансакција DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Кликните на ово дугме да бисте повукли податке о продајном налогу од Амазон МВС. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Радно вријеме испод којег се означава пола дана. (Нула до онемогућавања) ,Assessment Plan Status,Статус плана процјене apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Прво изаберите {0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Пошаљите ово да бисте креирали запис запосленика @@ -5538,6 +5596,7 @@ DocType: Quality Procedure,Parent Procedure,Парент Процедуре apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Сет Опен apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Тоггле Филтерс DocType: Production Plan,Material Request Detail,Материал Рекуест Детаил +DocType: Shift Type,Process Attendance After,Присуство процеса после DocType: Material Request Item,Quantity and Warehouse,Количина и складиште apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Идите на Програми apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Ред # {0}: Двоструки унос у референцама {1} {2} @@ -5595,6 +5654,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Информације о забави apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Дужници ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,До данас не може бити већи од датума отпуштања запосленог +DocType: Shift Type,Enable Exit Grace Period,Омогући излазни период грејања DocType: Expense Claim,Employees Email Id,Ид запосленика е-поште DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Ажурирајте цену из Схопифи у ЕРПНект ценовник DocType: Healthcare Settings,Default Medical Code Standard,Стандардни медицински код Стандард @@ -5625,7 +5685,6 @@ DocType: Item Group,Item Group Name,Назив групе ставке DocType: Budget,Applicable on Material Request,Примјењиво на захтјев за материјал DocType: Support Settings,Search APIs,АПИ-ји за претрагу DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Проценат прекомерне производње за продајни налог -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Спецификације DocType: Purchase Invoice,Supplied Items,Супплиед Итемс DocType: Leave Control Panel,Select Employees,Селецт Емплоиеес apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Изаберите рачун прихода од камата у зајму {0} @@ -5651,7 +5710,7 @@ DocType: Salary Slip,Deductions,Одбијања ,Supplier-Wise Sales Analytics,Салес-Висе Салес Аналитицс DocType: GSTR 3B Report,February,Фебруар DocType: Appraisal,For Employee,За запосленика -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Стварни датум испоруке +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Стварни датум испоруке DocType: Sales Partner,Sales Partner Name,Име партнера за продају apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Редослед амортизације {0}: Почетни датум амортизације се уноси као датум претходног датума DocType: GST HSN Code,Regional,Регионал @@ -5690,6 +5749,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Ф DocType: Supplier Scorecard,Supplier Scorecard,Супплиер Сцорецард DocType: Travel Itinerary,Travel To,Путују у apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Марк Аттенданце +DocType: Shift Type,Determine Check-in and Check-out,Одредите пријаву и одјаву DocType: POS Closing Voucher,Difference,Разлика apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Мала DocType: Work Order Item,Work Order Item,Ставка радног налога @@ -5723,6 +5783,7 @@ DocType: Sales Invoice,Shipping Address Name,Наме Аддресс Аддре apps/erpnext/erpnext/healthcare/setup.py,Drug,Друг apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} је затворено DocType: Patient,Medical History,Медицинска историја +DocType: Expense Claim,Expense Taxes and Charges,Трошкови и таксе DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Број дана након истека датума фактуре пре отказивања претплате или означавања претплате као неплаћене apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Напомена за инсталацију {0} је већ послата DocType: Patient Relation,Family,Породица @@ -5755,7 +5816,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Снага apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} јединица {1} потребних за {2} да би се завршила ова трансакција. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Бацкфлусх сировине на основу подуговора -DocType: Bank Guarantee,Customer,Цустомер DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ако је омогућено, поље Ацадемиц Терм ће бити обавезно у алату за упис у програм." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","За студентску групу засновану на шаржама, студентска серија ће бити валидирана за сваког ученика из програма за упис у програм." DocType: Course,Topics,Теме @@ -5835,6 +5895,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Цхаптер Мемберс DocType: Warranty Claim,Service Address,Адреса сервиса DocType: Journal Entry,Remark,Ремарк +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ред {0}: количина није доступна за {4} у складишту {1} у време објављивања уноса ({2} {3}) DocType: Patient Encounter,Encounter Time,Енцоунтер Тиме DocType: Serial No,Invoice Details,Детаљи рачуна apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Додатни рачуни се могу направити у оквиру групе, али уноси се могу вршити против не-група" @@ -5915,6 +5976,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Затварање (отварање + укупно) DocType: Supplier Scorecard Criteria,Criteria Formula,Формула критерија apps/erpnext/erpnext/config/support.py,Support Analytics,Суппорт Аналитицс +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ИД уређаја за присуство (Биометриц / РФ таг ИД) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Преглед и радња DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ако је рачун замрзнут, уноси су дозвољени ограниченим корисницима." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Износ након амортизације @@ -5936,6 +5998,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Отплата кредита DocType: Employee Education,Major/Optional Subjects,Главни / опциони предмети DocType: Soil Texture,Silt,Силт +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Адресе и контакти добављача DocType: Bank Guarantee,Bank Guarantee Type,Врста банкарске гаранције DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ако је онемогућено, поље 'Окружено укупно' неће бити видљиво у било којој трансакцији" DocType: Pricing Rule,Min Amt,Мин Амт @@ -5974,6 +6037,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Отварање ставке алата за креирање фактуре DocType: Soil Analysis,(Ca+Mg)/K,(Ца + Мг) / К DocType: Bank Reconciliation,Include POS Transactions,Укључи ПОС трансакције +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Нема запосленика за дату вредност поља запосленог. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Примљени износ (валута компаније) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","ЛоцалСтораге је пун, није спасио" DocType: Chapter Member,Chapter Member,Цхаптер Мембер @@ -6006,6 +6070,7 @@ DocType: SMS Center,All Lead (Open),Све водеће (отворено) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Није формирана ниједна студентска група. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Поновљени ред {0} са истим {1} DocType: Employee,Salary Details,Детаљи плата +DocType: Employee Checkin,Exit Grace Period Consequence,Излазак из последице грејс периода DocType: Bank Statement Transaction Invoice Item,Invoice,Фактура DocType: Special Test Items,Particulars,Посебни подаци apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Поставите филтер на основу ставке или складишта @@ -6107,6 +6172,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Оут оф АМЦ DocType: Job Opening,"Job profile, qualifications required etc.","Профил посла, потребне квалификације итд." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Схип То Стате +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Желите ли да пошаљете материјални захтјев DocType: Opportunity Item,Basic Rate,Басиц Рате DocType: Compensatory Leave Request,Work End Date,Датум завршетка посла apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Захтев за сировине @@ -6292,6 +6358,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Амортизација Из DocType: Sales Order Item,Gross Profit,Укупан профит DocType: Quality Inspection,Item Serial No,Итем Сериал Но DocType: Asset,Insurer,Осигураватељ +DocType: Employee Checkin,OUT,ОУТ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Буиинг Амоунт DocType: Asset Maintenance Task,Certificate Required,Потребан цертификат DocType: Retention Bonus,Retention Bonus,Бонус за задржавање @@ -6406,6 +6473,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Износ разл DocType: Invoice Discounting,Sanctioned,Санцтионед DocType: Course Enrollment,Course Enrollment,Упис на курс DocType: Item,Supplier Items,Артикли добављача +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Време почетка не може бити веће или једнако времену завршетка за {0}. DocType: Sales Order,Not Applicable,Није применљиво DocType: Support Search Source,Response Options,Опције одговора apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} треба да буде вредност између 0 и 100 @@ -6492,7 +6561,6 @@ DocType: Travel Request,Costing,Цостинг apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Основна средства DocType: Purchase Order,Ref SQ,Реф СК DocType: Salary Structure,Total Earning,Тотална зарада -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Купац> Корисничка група> Територија DocType: Share Balance,From No,Фром Но DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Фактура поравнања плаћања DocType: Purchase Invoice,Taxes and Charges Added,Додати порези и накнаде @@ -6600,6 +6668,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Занемари правило о ценама apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Храна DocType: Lost Reason Detail,Lost Reason Detail,Изгубљени разлог детаљ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Креирани су следећи серијски бројеви:
{0} DocType: Maintenance Visit,Customer Feedback,Цустомер Феедбацк DocType: Serial No,Warranty / AMC Details,Детаљи гаранције / АМЦ-а DocType: Issue,Opening Time,Радно време @@ -6649,6 +6718,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Име компаније није исто apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Промоција запослених се не може поднети пре датума промоције apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Није дозвољено ажурирање трансакција залихама старијим од {0} +DocType: Employee Checkin,Employee Checkin,Емплоиее Цхецкин apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Датум почетка треба да буде мањи од датума завршетка за ставку {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Направите понуде корисника DocType: Buying Settings,Buying Settings,Буиинг Сеттингс @@ -6670,6 +6740,7 @@ DocType: Job Card Time Log,Job Card Time Log,Дневник радног вре DocType: Patient,Patient Demographics,Патиент Демограпхицс DocType: Share Transfer,To Folio No,За Фолио Но apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Новчани ток из пословања +DocType: Employee Checkin,Log Type,Лог Типе DocType: Stock Settings,Allow Negative Stock,Аллов Негативе Стоцк apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Ниједна ставка нема никакву промјену у количини или вриједности. DocType: Asset,Purchase Date,Датум куповине @@ -6714,6 +6785,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Вери Хипер apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Изаберите природу посла. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Изаберите месец и годину +DocType: Service Level,Default Priority,Дефаулт Приорити DocType: Student Log,Student Log,Студент Лог DocType: Shopping Cart Settings,Enable Checkout,Омогући Цхецкоут apps/erpnext/erpnext/config/settings.py,Human Resources,Људски ресурси @@ -6742,7 +6814,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Повежите Схопифи са ЕРПНект DocType: Homepage Section Card,Subtitle,Субтитле DocType: Soil Texture,Loam,Лоам -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добављач> Тип добављача DocType: BOM,Scrap Material Cost(Company Currency),Трошак материјала за биљешку (валута компаније) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Напомена за испоруку {0} не сме бити послата DocType: Task,Actual Start Date (via Time Sheet),Стварни датум почетка (путем временског листа) @@ -6798,6 +6869,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Дозирање DocType: Cheque Print Template,Starting position from top edge,Почетна позиција од горње ивице apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Трајање састанка (мин) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Овај запосленик већ има дневник са истом временском ознаком. {0} DocType: Accounting Dimension,Disable,Онемогући DocType: Email Digest,Purchase Orders to Receive,Налози за куповину за пријем apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Поруџбине за производњу се не могу подићи за: @@ -6813,7 +6885,6 @@ DocType: Production Plan,Material Requests,Материал Рекуестс DocType: Buying Settings,Material Transferred for Subcontract,Пренесени материјал за подуговор DocType: Job Card,Timing Detail,Тиминг Детаил apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Рекуиред Он -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Увоз {0} од {1} DocType: Job Offer Term,Job Offer Term,Термин понуде за посао DocType: SMS Center,All Contact,Сви контакти DocType: Project Task,Project Task,Пројецт Таск @@ -6864,7 +6935,6 @@ DocType: Student Log,Academic,Ацадемиц apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Ставка {0} није подешена за серијске бројеве apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Фром Стате DocType: Leave Type,Maximum Continuous Days Applicable,Максималан број непрекидних дана који се примењује -apps/erpnext/erpnext/config/support.py,Support Team.,Тим за подршку. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Прво унесите име компаније apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Импорт Успешно DocType: Guardian,Alternate Number,Алтернативни број @@ -6956,6 +7026,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Ред # {0}: ставка је додата DocType: Student Admission,Eligibility and Details,Подобност и детаљи DocType: Staffing Plan,Staffing Plan Detail,Детаљ плана особља +DocType: Shift Type,Late Entry Grace Period,Лате Ентри Граце Период DocType: Email Digest,Annual Income,Годишњи приход DocType: Journal Entry,Subscription Section,Секција за претплату DocType: Salary Slip,Payment Days,Дани плаћања @@ -7006,6 +7077,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Стање на рачуну DocType: Asset Maintenance Log,Periodicity,Периодицити apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Медицински запис +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Лог-тип је потребан за цхецк-инове који падају у смени: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Извршење DocType: Item,Valuation Method,Метод вредновања apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} против фактуре продаје {1} @@ -7090,6 +7162,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Процењена ц DocType: Loan Type,Loan Name,Назив зајма apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Подесите подразумевани начин плаћања DocType: Quality Goal,Revision,Ревизија +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Време пре завршетка смене када се цхецк-оут сматра ранијим (у минутима). DocType: Healthcare Service Unit,Service Unit Type,Тип услужне јединице DocType: Purchase Invoice,Return Against Purchase Invoice,Повратак против фактуре куповине apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Генерате Сецрет @@ -7245,12 +7318,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Козметика DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Означите ово ако желите приморати корисника да одабере серију прије спремања. Ако то означите, неће бити задане поставке." DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Корисници са овом улогом могу да постављају смрзнуте рачуне и креирају / мењају рачуноводствене ставке за замрзнуте рачуне +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Шифра артикла> Итем Гроуп> Бранд DocType: Expense Claim,Total Claimed Amount,Укупан тражени износ 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} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Окончање apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Можете да обновите само ако ваше чланство истиче у року од 30 дана apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Вредност мора бити између {0} и {1} DocType: Quality Feedback,Parameters,Параметерс +DocType: Shift Type,Auto Attendance Settings,Ауто Аттенданце Сеттингс ,Sales Partner Transaction Summary,Сажетак трансакција продајног партнера DocType: Asset Maintenance,Maintenance Manager Name,Име менаџера одржавања apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Потребно је да преузме детаље о ставци. @@ -7342,10 +7417,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Валидате Апплиед Руле DocType: Job Card Item,Job Card Item,Ставка радне картице DocType: Homepage,Company Tagline for website homepage,Компанија Таглине фор хомепаге +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Подесите време одговора и резолуцију за приоритет {0} на индексу {1}. DocType: Company,Round Off Cost Center,Округли центар трошкова DocType: Supplier Scorecard Criteria,Criteria Weight,Тежина критерија DocType: Asset,Depreciation Schedules,Распореди амортизације -DocType: Expense Claim Detail,Claim Amount,Износ потраживања DocType: Subscription,Discounts,Попусти DocType: Shipping Rule,Shipping Rule Conditions,Услови за поштарину DocType: Subscription,Cancelation Date,Датум отказивања @@ -7373,7 +7448,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Цреате Леад apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Прикажи нулту вредност DocType: Employee Onboarding,Employee Onboarding,Запослени Онбоардинг DocType: POS Closing Voucher,Period End Date,Датум завршетка периода -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Могућности продаје по изворима DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Први одобрени допуст у листи ће бити постављен као подразумевани Леаве Аппровер. DocType: POS Settings,POS Settings,ПОС Сеттингс apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Сви налози @@ -7394,7 +7468,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Бан apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ред # {0}: Стопа мора бити иста као и {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,ФХП-ЦПР-.ИИИИ.- DocType: Healthcare Settings,Healthcare Service Items,Ставке здравствене службе -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Нема пронађених записа apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Распон старења 3 DocType: Vital Signs,Blood Pressure,Крвни притисак apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Таргет Он @@ -7441,6 +7514,7 @@ DocType: Company,Existing Company,Екистинг Цомпани apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Серије apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Одбрана DocType: Item,Has Batch No,Има Батцх Но +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Делаиед Даис DocType: Lead,Person Name,Име особе DocType: Item Variant,Item Variant,Итем Вариант DocType: Training Event Employee,Invited,Позван @@ -7462,7 +7536,7 @@ DocType: Purchase Order,To Receive and Bill,Да примим и Билл apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Почетни и завршни датуми који нису у важећем обрачунском периоду, не могу израчунати {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Прикажи само клијенте ових корисничких група apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Изаберите ставке за чување фактуре -DocType: Service Level,Resolution Time,Ресолутион Тиме +DocType: Service Level Priority,Resolution Time,Ресолутион Тиме DocType: Grading Scale Interval,Grade Description,Граде Десцриптион DocType: Homepage Section,Cards,Картице DocType: Quality Meeting Minutes,Quality Meeting Minutes,Записници о квалитету састанка @@ -7489,6 +7563,7 @@ DocType: Project,Gross Margin %,Бруто маржа% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Биланс банковног извода према главној књизи apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Здравство (бета) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Подразумевано складиште за креирање продајног налога и напомене за испоруку +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Време одговора за {0} код индекса {1} не може бити веће од времена резолуције. DocType: Opportunity,Customer / Lead Name,Име клијента / воде DocType: Student,EDU-STU-.YYYY.-,ЕДУ-СТУ-.ИИИИ.- DocType: Expense Claim Advance,Unclaimed amount,Неуплаћени износ @@ -7535,7 +7610,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Увозне стране и адресе DocType: Item,List this Item in multiple groups on the website.,Наведите ову ставку у више група на веб страници. DocType: Request for Quotation,Message for Supplier,Порука за добављача -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Није могуће променити {0} јер постоји трансакција са акцијама за ставку {1}. DocType: Healthcare Practitioner,Phone (R),Телефон (Р) DocType: Maintenance Team Member,Team Member,Члан тима DocType: Asset Category Account,Asset Category Account,Аццоунт Ассет Цатегори Аццоунт diff --git a/erpnext/translations/sv.csv b/erpnext/translations/sv.csv index 5d83187041..514909b282 100644 --- a/erpnext/translations/sv.csv +++ b/erpnext/translations/sv.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Termins startdatum apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Avtal {0} och Försäljningsfaktura {1} avbröts DocType: Purchase Receipt,Vehicle Number,Fordonsnummer apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Din e-postadress... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Inkludera vanliga bokposter +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Inkludera vanliga bokposter DocType: Activity Cost,Activity Type,Aktivitetstyp DocType: Purchase Invoice,Get Advances Paid,Få förskott betalda DocType: Company,Gain/Loss Account on Asset Disposal,Förtjänst / förlust konto vid bortskaffande av tillgångar @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Vad gör det? DocType: Bank Reconciliation,Payment Entries,Betalningsuppgifter DocType: Employee Education,Class / Percentage,Klass / Procentandel ,Electronic Invoice Register,Elektroniskt fakturoregister +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Antalet förekomst efter vilket konsekvensen utförs. DocType: Sales Invoice,Is Return (Credit Note),Är Retur (Kreditnot) +DocType: Price List,Price Not UOM Dependent,Pris inte UOM beroende DocType: Lab Test Sample,Lab Test Sample,Lab Test Prov DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","För t.ex. 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Produktsökning DocType: Salary Slip,Net Pay,Nettolön apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Totala fakturerade amt DocType: Clinical Procedure,Consumables Invoice Separately,Förbrukningsvaror Faktura Separat +DocType: Shift Type,Working Hours Threshold for Absent,Arbetstimmar tröskeln för frånvarande DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Budget kan inte tilldelas mot gruppkonto {0} DocType: Purchase Receipt Item,Rate and Amount,Betygsätt och belopp @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Set Source Warehouse DocType: Healthcare Settings,Out Patient Settings,Ut patientinställningar DocType: Asset,Insurance End Date,Försäkrings slutdatum DocType: Bank Account,Branch Code,Gren-kod -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Dags att svara apps/erpnext/erpnext/public/js/conf.js,User Forum,Användarforum DocType: Landed Cost Item,Landed Cost Item,Landed Cost Item 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 @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Ledande ägare DocType: Share Transfer,Transfer,Överföra apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Sökningsartikel (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Resultat skickat +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Från datumet kan inte vara större än än hittills DocType: Supplier,Supplier of Goods or Services.,Leverantör av varor eller tjänster. 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å nytt konto. Obs! Skapa inte konton för Kunder och Leverantörer apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Studentgrupp eller kursplan är obligatorisk @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Databas öve DocType: Skill,Skill Name,färdighetsnamn apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Skriv ut rapportkort DocType: Soil Texture,Ternary Plot,Ternary Plot -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 Inställningar> Inställningar> Naming Series apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Stödbiljetter DocType: Asset Category Account,Fixed Asset Account,Fixed Asset Account apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Senast @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Avstånd UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Obligatoriskt för balansräkningen DocType: Payment Entry,Total Allocated Amount,Totalt tilldelat belopp DocType: Sales Invoice,Get Advances Received,Få framtagna förskott +DocType: Shift Type,Last Sync of Checkin,Sista synkroniseringen av Checkin DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Artikelskattbelopp ingår i värde apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Prenumerationsplan DocType: Student,Blood Group,Blodgrupp apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Crop,Crop Spacing UOM,Beskära Spacing UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Tiden efter skiftens starttid när incheckningen anses vara sen (i minuter). apps/erpnext/erpnext/templates/pages/home.html,Explore,Utforska +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Inga utestående fakturor hittades apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} lediga tjänster och {1} budget för {2} som redan planerats för dotterbolag på {3}. \ Du kan bara planera upp till {4} lediga tjänster och och budget {5} enligt personalplan {6} för moderbolaget {3}. DocType: Promotional Scheme,Product Discount Slabs,Produktrabattplattor @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Närvaroförfrågan DocType: Item,Moving Average,Glidande medelvärde DocType: Employee Attendance Tool,Unmarked Attendance,Unmarked Attendance DocType: Homepage Section,Number of Columns,Antal kolumner +DocType: Issue Priority,Issue Priority,Utgåva Prioritet DocType: Holiday List,Add Weekly Holidays,Lägg till veckovisa helgdagar DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Skapa Lön Slip @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Värde / Beskrivning DocType: Warranty Claim,Issue Date,Utgivningsdatum 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 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Kan inte skapa kvarhållningsbonus för kvarvarande anställda +DocType: Employee Checkin,Location / Device ID,Plats / Enhets-ID DocType: Purchase Order,To Receive,Att motta apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Du är i offline-läge. Du kommer inte att kunna ladda om tills du har ett nätverk. DocType: Course Activity,Enrollment,Inskrivning @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Lab Test Template apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-fakturering saknas apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Ingen materiell förfrågan skapad -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelnummer> Varugrupp> Varumärke DocType: Loan,Total Amount Paid,Summa Betald Betalning apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Alla dessa föremål har redan fakturerats DocType: Training Event,Trainer Name,Trainer Name @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Vänligen ange lednamnet i bly {0} DocType: Employee,You can enter any date manually,Du kan ange vilket datum som helst manuellt DocType: Stock Reconciliation Item,Stock Reconciliation Item,Lageravstämningsobjekt +DocType: Shift Type,Early Exit Consequence,Tidig utgångseffekt DocType: Item Group,General Settings,Allmänna Inställningar apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Förfallodagen kan inte vara före fakturadatum för leverans / leverantör apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Ange mottagarens namn innan du skickar in. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,Revisor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Betalningsbekräftelse ,Available Stock for Packing Items,Tillgängligt lager för förpackningsartiklar apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Ta bort denna faktura {0} från C-formulär {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Varje giltig incheckning och utcheckning DocType: Support Search Source,Query Route String,Query Route String DocType: Customer Feedback Template,Customer Feedback Template,Kundtjänstmall apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Citat till ledare eller kunder. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Auktoriseringskontroll ,Daily Work Summary Replies,Dagliga Arbets Sammanfattning Svar apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Du har blivit inbjuden att samarbeta om projektet: {0} +DocType: Issue,Response By Variance,Svarssvar DocType: Item,Sales Details,Försäljningsdetaljer apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Brevhuvud för utskriftsmallar. DocType: Salary Detail,Tax on additional salary,Skatt på extra lön @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Kundadres DocType: Project,Task Progress,Uppgiftens framsteg DocType: Journal Entry,Opening Entry,Öppningsresa DocType: Bank Guarantee,Charges Incurred,Avgifter uppkommit +DocType: Shift Type,Working Hours Calculation Based On,Arbetstimmar Beräkning Baserat på DocType: Work Order,Material Transferred for Manufacturing,Material överfört för tillverkning DocType: Products Settings,Hide Variants,Dölj varianter DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Inaktivera kapacitetsplanering och tidsspårning @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,Avskrivning DocType: Guardian,Interests,Intressen DocType: Purchase Receipt Item Supplied,Consumed Qty,Förbrukad mängd DocType: Education Settings,Education Manager,Utbildningschef +DocType: Employee Checkin,Shift Actual Start,Skift faktiskt start DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planera tidsloggar utanför arbetsstationen Arbetstimmar. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Lojalitetspoäng: {0} DocType: Healthcare Settings,Registration Message,Registreringsmeddelande @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktura som redan skapats för alla faktureringstimmar DocType: Sales Partner,Contact Desc,Kontakt Desc DocType: Purchase Invoice,Pricing Rules,Prissättning Regler +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}",Eftersom det finns befintliga transaktioner mot artikel {0} kan du inte ändra värdet på {1} DocType: Hub Tracked Item,Image List,Bildlista DocType: Item Variant Settings,Allow Rename Attribute Value,Tillåt Byt namn på attributvärde -DocType: Price List,Price Not UOM Dependant,Pris inte UOM beroende apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Tid (i min) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Grundläggande DocType: Loan,Interest Income Account,Ränteinkomstkonto @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,Anställnings typ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Välj POS-profil DocType: Support Settings,Get Latest Query,Hämta senaste frågan DocType: Employee Incentive,Employee Incentive,Anställdas incitament +DocType: Service Level,Priorities,prioriteringar apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Lägg till kort eller anpassade avsnitt på hemsidan DocType: Homepage,Hero Section Based On,Hjältesektion baserad på DocType: Project,Total Purchase Cost (via Purchase Invoice),Total inköpskostnad (via inköpsfaktura) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,Tillverkning mot materi DocType: Blanket Order Item,Ordered Quantity,Beställd mängd apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rad # {0}: Avvisat lager är obligatoriskt mot avvisat föremål {1} ,Received Items To Be Billed,Mottagna objekt som ska faktureras -DocType: Salary Slip Timesheet,Working Hours,Arbetstimmar +DocType: Attendance,Working Hours,Arbetstimmar apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Betalnings sätt apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Beställningsvaror Objekt som inte mottogs i tid apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Varaktighet i dagar @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,R DocType: Supplier,Statutory info and other general information about your Supplier,Lagstadgad information och annan allmän information om din Leverantör DocType: Item Default,Default Selling Cost Center,Standardförsäljningskostnadscenter DocType: Sales Partner,Address & Contacts,Adress och kontakter -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vänligen uppsätt nummerserien för deltagande via Inställningar> Numreringsserie DocType: Subscriber,Subscriber,Abonnent apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) är slut i lager apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Vänligen välj Placeringsdatum först @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,% Fullständig metod DocType: Detected Disease,Tasks Created,Uppgifter skapade apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) måste vara aktiv för det här objektet eller dess mall apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Kommissionens skattesats% -DocType: Service Level,Response Time,Respons tid +DocType: Service Level Priority,Response Time,Respons tid DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce-inställningar apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Mängden måste vara positiv DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Inpatientbesök DocType: Bank Statement Settings,Transaction Data Mapping,Transaktionsdata kartläggning apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,En bly kräver antingen en persons namn eller en organisations namn DocType: Student,Guardians,Guardians -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vänligen installera instruktörsnamnssystemet i utbildning> Utbildningsinställningar apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Välj varumärke ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Medelinkomst DocType: Shipping Rule,Calculate Based On,Beräkna baserad på @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Ange ett mål apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Deltagningsrekord {0} existerar mot student {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Datum för transaktion apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Avbryt prenumeration +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Det gick inte att ange servicenivåavtal {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Netto lönekostnad DocType: Account,Liability,Ansvar DocType: Employee,Bank A/C No.,Bank A / C nr @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Råvaruproduktkod apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Inköpsfaktura {0} är redan inlämnad DocType: Fees,Student Email,Student Email -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} kan inte vara förälder eller barn av {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Få artiklar från sjukvårdstjänster apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Lagerinmatning {0} lämnas inte in DocType: Item Attribute Value,Item Attribute Value,Objekt Attribut Värde @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,Tillåt utskrift innan betalning DocType: Production Plan,Select Items to Manufacture,Välj produkter till tillverkning DocType: Leave Application,Leave Approver Name,Lämna godkännarnamn DocType: Shareholder,Shareholder,Aktieägare -DocType: Issue,Agreement Status,Överenskommelse Status apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Standardinställningar för försäljningstransaktioner. 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" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Välj BOM @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Inkomstkonto apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Alla lagerlokaler DocType: Contract,Signee Details,Signee Detaljer +DocType: Shift Type,Allow check-out after shift end time (in minutes),Tillåt utcheckning efter skift sluttid (i minuter) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Anskaffning DocType: Item Group,Check this if you want to show in website,Kolla här om du vill visa på hemsidan apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiscal Year {0} not found @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Avskrivning Startdatum DocType: Activity Cost,Billing Rate,Faktureringsfrekvens apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Varning: En annan {0} # {1} existerar mot aktiepost {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Aktivera Google Maps Settings för att uppskatta och optimera rutter +DocType: Purchase Invoice Item,Page Break,Sidbrytning DocType: Supplier Scorecard Criteria,Max Score,Max poäng apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Återbetalning Startdatum kan inte vara före Utbetalningsdatum. DocType: Support Search Source,Support Search Source,Stöd sökkälla @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Målsättning för kvalit DocType: Employee Transfer,Employee Transfer,Medarbetaröverföring ,Sales Funnel,Försäljningstratt DocType: Agriculture Analysis Criteria,Water Analysis,Vattenanalys +DocType: Shift Type,Begin check-in before shift start time (in minutes),Börja incheckningen före starttid för skift (i minuter) DocType: Accounts Settings,Accounts Frozen Upto,Konton Fryst Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Det finns inget att redigera. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Drift {0} längre än någon tillgänglig arbetstid i arbetsstationen {1}, bryt ner operationen i flera operationer" @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Kont apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Försäljningsordern {0} är {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Försenad betalning (dagar) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Ange avskrivningsinformation +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Kundpost apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Förväntad leveransdatum bör vara efter försäljningsbeställningsdatum +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Varukvantitet kan inte vara noll apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Ogiltig egenskap apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Var god välj BOM mot artikel {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Fakturatyp @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,Underhållsdatum DocType: Volunteer,Afternoon,Eftermiddag DocType: Vital Signs,Nutrition Values,Näringsvärden DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Förekomst av feber (temp> 38,5 ° C eller upprepad temperatur> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vänligen uppsättning Anställd Namn System i Mänskliga Resurser> HR Inställningar apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Reversed DocType: Project,Collect Progress,Samla framsteg apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energi @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,Setup Progress ,Ordered Items To Be Billed,Beställda objekt som ska faktureras DocType: Taxable Salary Slab,To Amount,Till belopp DocType: Purchase Invoice,Is Return (Debit Note),Är Retur (Debit Not) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium apps/erpnext/erpnext/config/desktop.py,Getting Started,Komma igång apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Sammanfoga apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Kan inte ändra Fiscal Year Startdatum och Fiscal Year End Date när Fiscal Year är sparat. @@ -2216,8 +2232,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Aktuellt datum apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Startdatum för underhåll kan inte vara före leveransdatum för serienummer {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Rad {0}: Växelkurs är obligatorisk DocType: Purchase Invoice,Select Supplier Address,Välj leverantörsadress +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Tillgänglig mängd är {0}, du behöver {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Vänligen ange API konsumenthemlighet DocType: Program Enrollment Fee,Program Enrollment Fee,Program Inskrivningsavgift +DocType: Employee Checkin,Shift Actual End,Skift faktiskt slut DocType: Serial No,Warranty Expiry Date,Förfallodatum för garanti DocType: Hotel Room Pricing,Hotel Room Pricing,Hotellrumspriser apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Utgående beskattningsbara leveranser (andra än nollkvalificerad, ej betygsatt och undantagen" @@ -2277,6 +2295,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Läsa 5 DocType: Shopping Cart Settings,Display Settings,Skärminställningar apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Ange antal avskrivningar bokade +DocType: Shift Type,Consequence after,Konsekvens efter apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Vad behöver du hjälp med? DocType: Journal Entry,Printing Settings,Utskriftsinställningar apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banking @@ -2286,6 +2305,7 @@ DocType: Purchase Invoice Item,PR Detail,PR detalj apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Faktureringsadress är samma som leveransadress DocType: Account,Cash,Kontanter DocType: Employee,Leave Policy,Lämna policy +DocType: Shift Type,Consequence,Följd apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Studentadress DocType: GST Account,CESS Account,CESS-konto apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kostnadscenter krävs för "vinst och förlust" konto {2}. Var god ange ett standardkostnadscenter för företaget. @@ -2350,6 +2370,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN-kod DocType: Period Closing Voucher,Period Closing Voucher,Periodens slutkupong apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Namn apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Vänligen ange kostnadskonto +DocType: Issue,Resolution By Variance,Upplösning enligt varians DocType: Employee,Resignation Letter Date,Avgångsbrev Datum DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Närvaro till datum @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Visa nu DocType: Item Price,Valid Upto,Giltig till apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referens Doktyp måste vara en av {0} +DocType: Employee Checkin,Skip Auto Attendance,Hoppa över automatisk närvaro DocType: Payment Request,Transaction Currency,Transaktionsvaluta DocType: Loan,Repayment Schedule,Återbetalningsplan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Skapa Sample Retention Stock Entry @@ -2433,6 +2455,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Lönestrukturup DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Closing Voucher Skatter apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Åtgärd initierad DocType: POS Profile,Applicable for Users,Gäller för användare +,Delayed Order Report,Försenad beställningsrapport DocType: Training Event,Exam,Examen apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Felaktigt antal generaldirektörsuppgifter hittades. Du kanske har valt ett felaktigt konto i transaktionen. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Försäljningsledning @@ -2447,10 +2470,11 @@ DocType: Account,Round Off,Runda av DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Villkor kommer att tillämpas på alla valda objekt i kombination. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,konfigurera DocType: Hotel Room,Capacity,Kapacitet +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Installerad mängd apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} av Objekt {1} är inaktiverat. DocType: Hotel Room Reservation,Hotel Reservation User,Hotellbokningsanvändare -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Arbetsdagen har upprepats två gånger +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Service Level Agreement med Entity Type {0} och Entity {1} finns redan. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Artikelgrupp som inte nämns i objektmästaren för objektet {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Namnfel: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Territoriet är obligatoriskt i POS-profilen @@ -2498,6 +2522,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Schemaläggningsdatum DocType: Packing Slip,Package Weight Details,Paket Vikt Detaljer DocType: Job Applicant,Job Opening,Jobbmöjlighet +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Senast känd framgångsrik synkronisering av anställd checkin. Återställ detta endast om du är säker på att alla loggar synkroniseras från alla platser. Vänligen ändra inte detta om du är osäker. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Verklig kostnad apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total förskott ({0}) mot Order {1} kan inte vara större än Grand Total ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Produktvarianter uppdaterade @@ -2542,6 +2567,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Referensinköp apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Få inbjudningar DocType: Tally Migration,Is Day Book Data Imported,Inmatas dagboksdata ,Sales Partners Commission,Sales Partners Commission +DocType: Shift Type,Enable Different Consequence for Early Exit,Aktivera olika konsekvenser för tidig utgång apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Rättslig DocType: Loan Application,Required by Date,Krävs efter datum DocType: Quiz Result,Quiz Result,Quiz Resultat @@ -2601,7 +2627,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Finans / DocType: Pricing Rule,Pricing Rule,Prissättning regel 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} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Vänligen ange användar-ID-fältet i en anställd post för att ställa in anställd roll -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Dags att lösa DocType: Training Event,Training Event,Utbildningsevenemang DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Normal vilande blodtryck hos en vuxen är cirka 120 mmHg systolisk och 80 mmHg diastolisk, förkortad "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Systemet hämtar alla poster om gränsvärdet är noll. @@ -2645,6 +2670,7 @@ DocType: Woocommerce Settings,Enable Sync,Aktivera synkronisering DocType: Student Applicant,Approved,Godkänd apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Från datum bör vara inom räkenskapsåret. Antag från datum = {0} 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. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} är en ogiltig närvaro status. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Tillfälligt öppnings konto DocType: Purchase Invoice,Cash/Bank Account,Kontant / bankkonto DocType: Quality Meeting Table,Quality Meeting Table,Kvalitetsmötetabell @@ -2680,6 +2706,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Mat, dryck och tobak" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kursplan DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Art Wise Tax Detail +DocType: Shift Type,Attendance will be marked automatically only after this date.,Närvaro markeras automatiskt endast efter det här datumet. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Tillbehör till UIN-hållare apps/erpnext/erpnext/hooks.py,Request for Quotations,Begäran om citat 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 du har gjort poster med någon annan valuta @@ -2728,7 +2755,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Är objekt från nav apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kvalitetsförfarande. DocType: Share Balance,No of Shares,Antal aktier -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Antal inte tillgänglig för {4} i lager {1} vid bokningstidpunkten för posten ({2} {3}) DocType: Quality Action,Preventive,Förebyggande DocType: Support Settings,Forum URL,Forumadress apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Anställd och närvaro @@ -2950,7 +2976,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Rabatttyp DocType: Hotel Settings,Default Taxes and Charges,Standardskatter och avgifter apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Detta baseras på transaktioner mot denna leverantör. Se tidslinjen nedan för detaljer apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Maximal förmånsbelopp för anställd {0} överstiger {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Ange start och slutdatum för avtalet. DocType: Delivery Note Item,Against Sales Invoice,Mot försäljningsfaktura DocType: Loyalty Point Entry,Purchase Amount,Köpebelopp apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Kan inte ställa in som Lost som Försäljningsorder är gjord. @@ -2974,7 +2999,7 @@ DocType: Homepage,"URL for ""All Products""",URL för "Alla produkter" DocType: Lead,Organization Name,organisations namn apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Giltigt från och giltigt upp till fält är obligatoriska för den kumulativa apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Rad # {0}: Batch nr måste vara samma som {1} {2} -DocType: Employee,Leave Details,Lämna detaljer +DocType: Employee Checkin,Shift Start,Skift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Aktieaffärer före {0} är frusna DocType: Driver,Issuing Date,Utgivningsdatum apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,beställaren @@ -3019,9 +3044,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Klientflödesmallar apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Rekrytering och utbildning DocType: Drug Prescription,Interval UOM,Intervall UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Inställningar för grace period för automatisk närvaro apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Från Valuta och Till Valuta kan inte vara samma apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Läkemedel DocType: Employee,HR-EMP-,HR-EMP +DocType: Service Level,Support Hours,Stödtimmar apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} avbryts eller stängs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Rad {0}: Förskott mot kund måste vara kredit apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grupp med Voucher (konsoliderad) @@ -3131,6 +3158,7 @@ DocType: Asset Repair,Repair Status,Reparationsstatus DocType: Territory,Territory Manager,Territory Manager DocType: Lab Test,Sample ID,Prov ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Varukorgen är tom +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Närvaro har markerats enligt anställdas incheckningar apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Tillgång {0} måste lämnas in ,Absent Student Report,Frånvarande studentrapport apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Ingår i bruttoresultatet @@ -3138,7 +3166,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,P DocType: Travel Request Costing,Funded Amount,Finansierat belopp apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} har inte skickats in så åtgärden kan inte slutföras DocType: Subscription,Trial Period End Date,Försöksperiod Slutdatum +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Alternativa poster som IN och OUT under samma skift DocType: BOM Update Tool,The new BOM after replacement,Den nya BOM efter ersättning +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverantör> Leverantörstyp apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Punkt 5 DocType: Employee,Passport Number,Passnummer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Tillfällig öppning @@ -3254,6 +3284,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Nyckelrapporter apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Möjlig leverantör ,Issued Items Against Work Order,Utgivna poster mot arbetsorder apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Skapa {0} faktura +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Vänligen installera instruktörsnamnssystemet i utbildning> Utbildningsinställningar DocType: Student,Joining Date,Inträdesdatum apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Begär webbplats DocType: Purchase Invoice,Against Expense Account,Mot bekostnad konto @@ -3293,6 +3324,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Tillämpliga avgifter ,Point of Sale,Försäljningsstället DocType: Authorization Rule,Approving User (above authorized value),Godkännande Användare (över auktoriserat värde) +DocType: Service Level Agreement,Entity,Entitet apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Belopp {0} {1} överfört från {2} till {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Kund {0} hör inte till projektet {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Från Party Name @@ -3339,6 +3371,7 @@ DocType: Asset,Opening Accumulated Depreciation,Öppnande ackumulerade avskrivni DocType: Soil Texture,Sand Composition (%),Sandkomposition (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Importera dagbokdata +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 Inställningar> Inställningar> Naming Series DocType: Asset,Asset Owner Company,Asset Owner Company apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Kostnadscenter krävs för att boka en kostnadskrav apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} Giltiga serienummer för objekt {1} @@ -3399,7 +3432,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Tillgångsägare apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Lager är obligatoriskt för lager Artikel {0} i rad {1} DocType: Stock Entry,Total Additional Costs,Totala tilläggskostnader -DocType: Marketplace Settings,Last Sync On,Senast synkroniserad 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 Team,Maintenance Team Name,Underhållsgruppsnamn apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Diagram över kostnadscentra @@ -3415,12 +3447,12 @@ DocType: Sales Order Item,Work Order Qty,Arbetsorder Antal DocType: Job Card,WIP Warehouse,WIP Warehouse DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Användar-ID anges inte för Medarbetare {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Tillgänglig qty är {0}, du behöver {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Användare {0} skapad DocType: Stock Settings,Item Naming By,Artikel Namn By apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Beordrade apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Det här är en kundgrupp för rot och kan inte redigeras. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materialförfrågan {0} avbryts eller stoppas +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Strängt baserat på loggtyp i anställningscheck DocType: Purchase Order Item Supplied,Supplied Qty,Levereras Antal DocType: Cash Flow Mapper,Cash Flow Mapper,Cash Flow Mapper DocType: Soil Texture,Sand,Sand @@ -3479,6 +3511,7 @@ DocType: Lab Test Groups,Add new line,Lägg till en ny rad apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Duplikera objektgrupp som finns i artikelgruppstabellen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Årslön DocType: Supplier Scorecard,Weighting Function,Viktningsfunktion +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Konverteringsfaktor ({0} -> {1}) hittades inte för objektet: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Fel vid utvärdering av kriterierna ,Lab Test Report,Lab Test Report DocType: BOM,With Operations,Med Operationer @@ -3492,6 +3525,7 @@ DocType: Expense Claim Account,Expense Claim Account,Expense Claim Account apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Inga återbetalningar är tillgängliga för Journal Entry apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} är inaktiv student apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Gör lagerinmatning +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM recursion: {0} kan inte vara förälder eller barn på {1} DocType: Employee Onboarding,Activities,verksamhet apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast ett lager är obligatoriskt ,Customer Credit Balance,Kundkreditsaldo @@ -3504,9 +3538,11 @@ DocType: Supplier Scorecard Period,Variables,variabler apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Multipel lojalitetsprogram hittat för kunden. Var god välj manuellt. DocType: Patient,Medication,Medicin apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Välj Lojalitetsprogram +DocType: Employee Checkin,Attendance Marked,Närvaro markerad apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Råmaterial DocType: Sales Order,Fully Billed,Fullt Billed 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/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Välj endast en prioritet som standard. 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} 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: Purchase Invoice Item,Is Fixed Asset,Är fast tillgång @@ -3527,6 +3563,7 @@ DocType: Purpose of Travel,Purpose of Travel,Mening med resa DocType: Healthcare Settings,Appointment Confirmation,Ansökningsbekräftelse DocType: Shopping Cart Settings,Orders,Order DocType: HR Settings,Retirement Age,Pensionsålder +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Vänligen uppsätt nummerserien för deltagande via Inställningar> Numreringsserie apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Projicerad mängd apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Radering är inte tillåtet för land {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Rad # {0}: tillgång {1} är redan {2} @@ -3610,11 +3647,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Revisor apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Closing Voucher finns redan för {0} mellan datum {1} och {2} apps/erpnext/erpnext/config/help.py,Navigating,Navigerande +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Inga utestående fakturor kräver omvärdering av växelkurser DocType: Authorization Rule,Customer / Item Name,Kund / föremålsnamn apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nya serienummer kan inte ha lager. Lager måste ställas in av lagerinträde eller inköpsmottagning DocType: Issue,Via Customer Portal,Via kundportalen DocType: Work Order Operation,Planned Start Time,Planerad starttid apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} är {2} +DocType: Service Level Priority,Service Level Priority,Servicenivå Prioritet apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Antal avskrivningar som bokas kan inte vara större än Totalt antal avskrivningar apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Dela Ledger DocType: Journal Entry,Accounts Payable,Betalningsbara @@ -3725,7 +3764,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Leverans till DocType: Bank Statement Transaction Settings Item,Bank Data,Bankuppgifter apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Schemalagt Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Underhålla faktureringstimmar och arbetstider samma på tidtabell apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Spåra ledningar av blykälla. DocType: Clinical Procedure,Nursing User,Sjuksköterska användare DocType: Support Settings,Response Key List,Response Key List @@ -3893,6 +3931,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Faktisk starttid DocType: Antibiotic,Laboratory User,Laboratorieanvändare apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Online Auktioner +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioritet {0} har upprepats. DocType: Fee Schedule,Fee Creation Status,Fee Creation Status apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Mjukvaror apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Försäljningsorder till betalning @@ -3959,6 +3998,7 @@ DocType: Patient Encounter,In print,I tryck apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Det gick inte att hämta information för {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Faktureringsvaluta måste vara lika med antingen standardföretagets valuta eller partikonto apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Var vänlig ange personnummer för denna säljare +DocType: Shift Type,Early Exit Consequence after,Tidig utgångs följd efter apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Skapa öppna försäljnings- och inköpsfakturor DocType: Disease,Treatment Period,Behandlingsperiod apps/erpnext/erpnext/config/settings.py,Setting up Email,Konfigurera e-post @@ -3976,7 +4016,6 @@ DocType: Employee Skill Map,Employee Skills,Medarbetarfärdigheter apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Elevs namn: DocType: SMS Log,Sent On,Skickad på DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Försäljningsfaktura -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Svarstid kan inte vara större än Upplösningstid DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",För kursbaserad studentgrupp kommer kursen att valideras för varje student från de inskrivna kurser i programinsökan. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Intra State Supplies DocType: Employee,Create User Permission,Skapa användarbehörighet @@ -4015,6 +4054,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standardavtal för försäljning eller inköp. DocType: Sales Invoice,Customer PO Details,Kundens PO-uppgifter apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Patienten hittades inte +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Välj en standardprioritet. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Ta bort objekt om avgifter inte är tillämpliga på den aktuella artikeln apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"En kundgrupp finns med samma namn, ändra kundens namn eller byt namn på kundgruppen" 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. @@ -4054,6 +4094,7 @@ DocType: Quality Goal,Quality Goal,Kvalitetsmål DocType: Support Settings,Support Portal,Supportportal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Slutdatum för uppgift {0} kan inte vara mindre än {1} förväntat startdatum {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Anställd {0} är kvar på {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Detta servicenivåavtal är specifikt för kunden {0} DocType: Employee,Held On,Höll på DocType: Healthcare Practitioner,Practitioner Schedules,Utövarens scheman DocType: Project Template Task,Begin On (Days),Börja på (dagar) @@ -4061,6 +4102,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Arbetsorder har varit {0} DocType: Inpatient Record,Admission Schedule Date,Anmälningsdatum apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Värdetillgång för tillgångar +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Markera närvaro baserad på 'Anställd checkin' för anställda som tilldelats detta skifte. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Leveranser till oregistrerade personer apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Alla jobb DocType: Appointment Type,Appointment Type,Avtalstyp @@ -4174,7 +4216,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Paketets bruttovikt. Vanligtvis nettovikt + förpackningsmaterial vikt. (för utskrift) DocType: Plant Analysis,Laboratory Testing Datetime,Laboratorietestning Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Objektet {0} kan inte ha Batch -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Försäljning Pipeline av Stage apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Studentgruppsstyrkan DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bankredovisning Transaktionsinträde DocType: Purchase Order,Get Items from Open Material Requests,Få föremål från öppna materialförfrågningar @@ -4256,7 +4297,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Visa Aging Warehouse-wise DocType: Sales Invoice,Write Off Outstanding Amount,Skriv av Utestående belopp DocType: Payroll Entry,Employee Details,Anställdas uppgifter -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Starttid kan inte vara större än sluttid för {0}. DocType: Pricing Rule,Discount Amount,Rabattbelopp DocType: Healthcare Service Unit Type,Item Details,Artikel detaljer apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Duplikat skattedeklaration av {0} för perioden {1} @@ -4309,7 +4349,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Netto lön kan inte vara negativ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Inget av interaktioner 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/hr/doctype/employee/employee_dashboard.py,Shift,Flytta +DocType: Attendance,Shift,Flytta apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Bearbetning av konton och parter DocType: Stock Settings,Convert Item Description to Clean HTML,Konvertera artikelbeskrivning för att rena HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Alla leverantörsgrupper @@ -4380,6 +4420,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Anställd omb DocType: Healthcare Service Unit,Parent Service Unit,Föräldra serviceenhet DocType: Sales Invoice,Include Payment (POS),Inkludera betalning (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Privatkapital +DocType: Shift Type,First Check-in and Last Check-out,Första incheckning och sista utcheckning DocType: Landed Cost Item,Receipt Document,Kvitto dokument DocType: Supplier Scorecard Period,Supplier Scorecard Period,Leverantörens scorecardperiod DocType: Employee Grade,Default Salary Structure,Standard lönestruktur @@ -4462,6 +4503,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Skapa inköpsorder apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Definiera budget för ett budgetår. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Kontotabellen kan inte vara tomt. +DocType: Employee Checkin,Entry Grace Period Consequence,Inträde Grace Period Konsekvens ,Payment Period Based On Invoice Date,Betalningsperiod baserad på fakturadatum apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Installationsdatum kan inte vara före leveransdatum för punkt {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Länk till materialförfrågan @@ -4470,6 +4512,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mappad dataty apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Rad {0}: En orderingång finns redan för detta lager {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Datum DocType: Monthly Distribution,Distribution Name,Distributionsnamn +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Arbetsdag {0} har upprepats. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Grupp till Non-Group apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Uppdatering pågår. Det kan ta ett tag. DocType: Item,"Example: ABCD.##### @@ -4482,6 +4525,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Bränsleantal apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobil nr DocType: Invoice Discounting,Disbursed,Utbetalt +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Tid efter slutet av skiftet under vilken utcheckning beaktas för närvaro. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Nettoförändring av konton betalningsbar apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Inte tillgänglig apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Deltid @@ -4495,7 +4539,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potentie apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Visa PDC i Print apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Leverantör DocType: POS Profile User,POS Profile User,POS Profil Användare -DocType: Student,Middle Name,Mellannamn DocType: Sales Person,Sales Person Name,Försäljningspersonens namn DocType: Packing Slip,Gross Weight,Bruttovikt DocType: Journal Entry,Bill No,Bill nr @@ -4504,7 +4547,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Ny pl DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Servicenivåavtal -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Välj anställd och datum först apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Objektvärderingskursen omräknas med tanke på landad kostnadskupongbelopp DocType: Timesheet,Employee Detail,Medarbetardetaljer DocType: Tally Migration,Vouchers,kuponger @@ -4539,7 +4581,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Servicenivåavta DocType: Additional Salary,Date on which this component is applied,Datum då denna komponent tillämpas apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Förteckning över tillgängliga aktieägare med folienummer apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Setup Gateway-konton. -DocType: Service Level,Response Time Period,Response Time Period +DocType: Service Level Priority,Response Time Period,Response Time Period DocType: Purchase Invoice,Purchase Taxes and Charges,Inköpskatter och avgifter DocType: Course Activity,Activity Date,Aktivitetsdatum apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Välj eller lägg till ny kund @@ -4564,6 +4606,7 @@ DocType: Sales Person,Select company name first.,Välj företagets namn först. apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Budgetår DocType: Sales Invoice Item,Deferred Revenue,Uppskjuten intäkt apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Atleast en av Sälja eller Köpa måste väljas +DocType: Shift Type,Working Hours Threshold for Half Day,Arbetstimmar tröskel för halvdag ,Item-wise Purchase History,Objektvis inköpshistorik apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Kan inte ändra servicestoppdatum för objekt i rad {0} DocType: Production Plan,Include Subcontracted Items,Inkludera underleverantörer @@ -4596,6 +4639,7 @@ DocType: Journal Entry,Total Amount Currency,Summa belopp Valuta DocType: BOM,Allow Same Item Multiple Times,Tillåt samma artikel flera gånger apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Skapa BOM DocType: Healthcare Practitioner,Charges,Kostnader +DocType: Employee,Attendance and Leave Details,Närvaro och lämnar detaljer DocType: Student,Personal Details,Personliga detaljer DocType: Sales Order,Billing and Delivery Status,Fakturering och leveransstatus apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Rad {0}: För leverantör {0} E-postadress krävs för att skicka e-post @@ -4647,7 +4691,6 @@ DocType: Bank Guarantee,Supplier,Leverantör apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Ange värde mellan {0} och {1} DocType: Purchase Order,Order Confirmation Date,Beställ Bekräftelsedatum DocType: Delivery Trip,Calculate Estimated Arrival Times,Beräkna uppskattade ankomsttider -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vänligen uppsättning Anställd Namn System i Mänskliga Resurser> HR Inställningar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,förbrukningsartikel DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Prenumerations startdatum @@ -4670,7 +4713,7 @@ DocType: Installation Note Item,Installation Note Item,Installation Objekt Artik DocType: Journal Entry Account,Journal Entry Account,Tidskriftsregistreringskonto apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variant apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Forumaktivitet -DocType: Service Level,Resolution Time Period,Upplösningstidsperiod +DocType: Service Level Priority,Resolution Time Period,Upplösningstidsperiod DocType: Request for Quotation,Supplier Detail,Leverantörsdetaljer DocType: Project Task,View Task,Visa uppgift DocType: Serial No,Purchase / Manufacture Details,Köp / Tillverkningsdetaljer @@ -4737,6 +4780,7 @@ DocType: Sales Invoice,Commission Rate (%),Kommissionens skattesats (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Lageret kan endast ändras via lagerinmatning / leveransnotering / inköpsbevis DocType: Support Settings,Close Issue After Days,Stäng problem efter dagar DocType: Payment Schedule,Payment Schedule,Betalningsplan +DocType: Shift Type,Enable Entry Grace Period,Aktivera inmatningsperioden DocType: Patient Relation,Spouse,Make DocType: Purchase Invoice,Reason For Putting On Hold,Anledning för att sätta på sig DocType: Item Attribute,Increment,Ökning @@ -4876,6 +4920,7 @@ DocType: Authorization Rule,Customer or Item,Kund eller produkt DocType: Vehicle Log,Invoice Ref,Faktura Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-formuläret är inte tillämpligt för faktura: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Faktura skapad +DocType: Shift Type,Early Exit Grace Period,Tidig utgångsperiod DocType: Patient Encounter,Review Details,Granska detaljer apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Rad {0}: Hours-värdet måste vara större än noll. DocType: Account,Account Number,Kontonummer @@ -4887,7 +4932,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Gäller om företaget är SpA, SApA eller SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Överlappande förhållanden som finns mellan: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Betald och ej levererad -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Artikelnummer är obligatorisk eftersom artikelnumret inte numreras automatiskt DocType: GST HSN Code,HSN Code,HSN-kod DocType: GSTR 3B Report,September,september apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Administrativa kostnader @@ -4923,6 +4967,8 @@ DocType: Travel Itinerary,Travel From,Resa från apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP-konto DocType: SMS Log,Sender Name,Avsändarens namn DocType: Pricing Rule,Supplier Group,Leverantörsgrupp +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Ställ in starttid och sluttid för \ supportdag {0} vid index {1}. DocType: Employee,Date of Issue,Utgivningsdatum ,Requested Items To Be Transferred,Begärda objekt som ska överföras DocType: Employee,Contract End Date,Avtalets slutdatum @@ -4933,6 +4979,7 @@ DocType: Healthcare Service Unit,Vacant,Ledig DocType: Opportunity,Sales Stage,Försäljningsstadiet DocType: Sales Order,In Words will be visible once you save the Sales Order.,I Ord kommer du att synas när du har sparat Försäljningsordern. DocType: Item Reorder,Re-order Level,Re-order Level +DocType: Shift Type,Enable Auto Attendance,Aktivera automatisk deltagande apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Preferens ,Department Analytics,Institution Analytics DocType: Crop,Scientific Name,Vetenskapligt namn @@ -4945,6 +4992,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} status är {2 DocType: Quiz Activity,Quiz Activity,Quiz Aktivitet apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} är inte i en giltig löneperiod DocType: Timesheet,Billed,faktureras +apps/erpnext/erpnext/config/support.py,Issue Type.,Typ av utgåva. DocType: Restaurant Order Entry,Last Sales Invoice,Sista försäljningsfaktura DocType: Payment Terms Template,Payment Terms,Betalningsvillkor apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Reserverad Antal: Antal beställda till försäljning, men ej levererad." @@ -5040,6 +5088,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Tillgång apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} har inte en Healthcare Practitioner Schedule. Lägg till den i vårdpraktikerns mästare DocType: Vehicle,Chassis No,Chassi nr +DocType: Employee,Default Shift,Standard Shift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Företagsförkortning apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Trä av Materiel DocType: Article,LMS User,LMS-användare @@ -5088,6 +5137,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Förälderförsäljare DocType: Student Group Creation Tool,Get Courses,Få kurser apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rad # {0}: Antal måste vara 1, eftersom posten är en fast tillgång. Använd separat rad för flera antal." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Arbetstid under vilken Frånvarande är markerad. (Noll att avaktivera) DocType: Customer Group,Only leaf nodes are allowed in transaction,Endast lövnoter är tillåtna i transaktionen DocType: Grant Application,Organization,Organisation DocType: Fee Category,Fee Category,Avgiftskategori @@ -5100,6 +5150,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Uppdatera din status för den här träningsevenemanget DocType: Volunteer,Morning,Morgon DocType: Quotation Item,Quotation Item,Citat +apps/erpnext/erpnext/config/support.py,Issue Priority.,Utgåva Prioritet. DocType: Journal Entry,Credit Card Entry,Kreditkortinträde apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Tidsluckan hoppa över, slitsen {0} till {1} överlappar existerande slits {2} till {3}" DocType: Journal Entry Account,If Income or Expense,Om inkomst eller kostnad @@ -5150,11 +5201,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Dataimport och inställningar 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: Account,Expense Account,Expense Account +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Tiden före starttid för skiftet under vilken anställningsinsökningen beaktas för närvaro. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Förhållande till Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Skapa faktura apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Betalningsförfrågan finns redan {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Anställd löst på {0} måste anges som "Vänster" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Betala {0} {1} +DocType: Company,Sales Settings,Försäljningsinställningar DocType: Sales Order Item,Produced Quantity,Producerad mängd apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Begäran om offert kan nås genom att klicka på följande länk DocType: Monthly Distribution,Name of the Monthly Distribution,Namn på den månatliga distributionen @@ -5233,6 +5286,7 @@ DocType: Company,Default Values,Ursprungliga värden apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Standardskattmallar för försäljning och köp skapas. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Lämna typ {0} kan inte vidarebefordras apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Debit till konto måste vara ett mottagbart konto +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Vänligen ange konto i lager {0} eller standardinventariskonto i företag {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Ange som standard DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettovikten av detta paket. (beräknas automatiskt som summa av nettovikt av poster) @@ -5259,8 +5313,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,C apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Förfallna partier DocType: Shipping Rule,Shipping Rule Type,Leveransregel Typ DocType: Job Offer,Accepted,Accepterad -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ta bort medarbetaren {0} \ för att avbryta det här dokumentet" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Du har redan bedömt för bedömningskriterierna {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Välj batchnummer apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Ålder (dagar) @@ -5287,6 +5339,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Välj domäner DocType: Agriculture Task,Task Name,Arbetsnamn 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ta bort medarbetaren {0} \ för att avbryta det här dokumentet" ,Amount to Deliver,Belopp att leverera apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Företaget {0} existerar inte apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Inga pågående materialförfrågningar hittades för att länka för de angivna objekten. @@ -5336,6 +5390,7 @@ DocType: Program Enrollment,Enrolled courses,Inskrivna kurser DocType: Lab Prescription,Test Code,Testkod DocType: Purchase Taxes and Charges,On Previous Row Total,På tidigare rad totalt DocType: Student,Student Email Address,Student e-postadress +,Delayed Item Report,Fördröjd artikelrapport DocType: Academic Term,Education,Utbildning DocType: Supplier Quotation,Supplier Address,Leverantörsadress DocType: Salary Detail,Do not include in total,Inkludera inte totalt @@ -5343,7 +5398,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} existerar inte DocType: Purchase Receipt Item,Rejected Quantity,Avvisad mängd DocType: Cashier Closing,To TIme,Till tid -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM Konverteringsfaktor ({0} -> {1}) hittades inte för objektet: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Daglig Arbets Sammanfattning Grupp Användare DocType: Fiscal Year Company,Fiscal Year Company,Fiscal Year Company apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Alternativet får inte vara samma som artikelnumret @@ -5395,6 +5449,7 @@ DocType: Program Fee,Program Fee,Programavgift DocType: Delivery Settings,Delay between Delivery Stops,Fördröjning mellan leveransstopp DocType: Stock Settings,Freeze Stocks Older Than [Days],Frys lager Äldre än [dagar] DocType: Promotional Scheme,Promotional Scheme Product Discount,Promotional Scheme Produkt Rabatt +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Problemet prioriteras redan DocType: Account,Asset Received But Not Billed,Tillgång mottagen men ej fakturerad DocType: POS Closing Voucher,Total Collected Amount,Totalt samlat belopp DocType: Course,Default Grading Scale,Standard Betygsskala @@ -5437,6 +5492,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Uppfyllningsvillkor apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Icke-grupp till grupp DocType: Student Guardian,Mother,Mor +DocType: Issue,Service Level Agreement Fulfilled,Service Level Agreement uppfyllt DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Avdragsskatt för oanställda anställningsförmåner DocType: Travel Request,Travel Funding,Resefinansiering DocType: Shipping Rule,Fixed,Fast @@ -5466,10 +5522,12 @@ DocType: Item,Warranty Period (in days),Garantiperiod (i dagar) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Inga föremål hittades. DocType: Item Attribute,From Range,Från Range DocType: Clinical Procedure,Consumables,Förbruknings +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value' och 'timestamp' krävs. DocType: Purchase Taxes and Charges,Reference Row #,Referens Row # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Ange 'Kostnadscentral för tillgångsavskrivning' i Företag {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Rad # {0}: Betalningsdokument krävs för att avsluta dragningen DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Klicka på den här knappen för att dra dina försäljningsorderdata från Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Arbetstid under vilken halvdag markeras. (Noll att avaktivera) ,Assessment Plan Status,Bedömningsplan status apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Var god välj {0} först apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Skicka in det här för att skapa anställningsrekordet @@ -5540,6 +5598,7 @@ DocType: Quality Procedure,Parent Procedure,Föräldraförfarandet apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Ange öppet apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Byt filter DocType: Production Plan,Material Request Detail,Materialförfrågan Detalj +DocType: Shift Type,Process Attendance After,Process närvaro efter DocType: Material Request Item,Quantity and Warehouse,Mängd och lager apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Gå till Program apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: Duplicate entry i Referenser {1} {2} @@ -5597,6 +5656,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Party Information apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Debitorer ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Hittills kan det inte vara större än medarbetarens avlastningsdatum +DocType: Shift Type,Enable Exit Grace Period,Aktivera utgångsperioden DocType: Expense Claim,Employees Email Id,Anställda E-post ID DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Uppdatera priset från Shopify till ERPNext Price List DocType: Healthcare Settings,Default Medical Code Standard,Standard Medical Code Standard @@ -5627,7 +5687,6 @@ DocType: Item Group,Item Group Name,Artikelgruppsnamn DocType: Budget,Applicable on Material Request,Gäller på materialförfrågan DocType: Support Settings,Search APIs,Sök API: er DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Överproduktionsprocent för försäljningsorder -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Specifikationer DocType: Purchase Invoice,Supplied Items,Levererade varor DocType: Leave Control Panel,Select Employees,Välj Medarbetare apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Välj ränteintäkter konto i lån {0} @@ -5653,7 +5712,7 @@ DocType: Salary Slip,Deductions,avdrag ,Supplier-Wise Sales Analytics,Leverantörs-Wise Sales Analytics DocType: GSTR 3B Report,February,februari DocType: Appraisal,For Employee,För anställd -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Faktiskt leveransdatum +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Faktiskt leveransdatum DocType: Sales Partner,Sales Partner Name,Försäljningspartnernamn apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Avskrivningsraden {0}: Avskrivnings Startdatum anges som tidigare datum DocType: GST HSN Code,Regional,Regional @@ -5692,6 +5751,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Pun DocType: Supplier Scorecard,Supplier Scorecard,Leverantör Scorecard DocType: Travel Itinerary,Travel To,Resa till apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Mark Attendance +DocType: Shift Type,Determine Check-in and Check-out,Bestäm incheckning och utcheckning DocType: POS Closing Voucher,Difference,Skillnad apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Små DocType: Work Order Item,Work Order Item,Arbeta beställningsobjekt @@ -5725,6 +5785,7 @@ DocType: Sales Invoice,Shipping Address Name,Fraktadressnamn apps/erpnext/erpnext/healthcare/setup.py,Drug,Läkemedel apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} är stängd DocType: Patient,Medical History,Medicinsk historia +DocType: Expense Claim,Expense Taxes and Charges,Kostnadsskatter och avgifter DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Antal dagar efter fakturadatum har gått innan du avbryter prenumerationen eller prenumerationen som obetald apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Installationsnotering {0} har redan skickats in DocType: Patient Relation,Family,Familj @@ -5757,7 +5818,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Styrka apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} enheter av {1} som behövs i {2} för att slutföra denna transaktion. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush råvaror av underleverantör baserat på -DocType: Bank Guarantee,Customer,Kund DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",Om det är aktiverat är fältet Academic Term obligatoriskt i Programinmälningsverktyget. DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",För gruppbaserad studentgrupp kommer studentenbatchen att valideras för varje student från programansökan. DocType: Course,Topics,ämnen @@ -5837,6 +5897,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Kapitelmedlemmar DocType: Warranty Claim,Service Address,Serviceadress DocType: Journal Entry,Remark,Anmärka +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Mängden är inte tillgänglig för {4} i lager {1} vid bokningstidpunkten för posten ({2} {3}) DocType: Patient Encounter,Encounter Time,Mötes tid DocType: Serial No,Invoice Details,Fakturainformation 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 under Grupper, men poster kan göras mot icke-grupper" @@ -5917,6 +5978,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","E apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Stängning (Öppning + Totalt) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterier Formel apps/erpnext/erpnext/config/support.py,Support Analytics,Support Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Närvaro Enhets-ID (Biometrisk / RF-tagg ID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Granskning och åtgärd DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Om kontot är fruset, är poster tillåtna för begränsade användare." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Belopp efter avskrivningar @@ -5938,6 +6000,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Låneåterbetalning DocType: Employee Education,Major/Optional Subjects,Större / valfria ämnen DocType: Soil Texture,Silt,Slam +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Leverantörsadresser och kontakter DocType: Bank Guarantee,Bank Guarantee Type,Bankgaranti Typ DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",Om deaktiveras kommer fältet "Avrundet totalt" inte att visas i någon transaktion DocType: Pricing Rule,Min Amt,Min Amt @@ -5976,6 +6039,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Öppnande av fakturaverktygsartikel DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Inkludera POS-transaktioner +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Ingen anställd hittades för det angivna arbetstagarens fältvärde. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Mottaget belopp (företagsvaluta) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage är full, sparade inte" DocType: Chapter Member,Chapter Member,Kapitelmedlem @@ -6008,6 +6072,7 @@ DocType: SMS Center,All Lead (Open),Alla ledningar (öppna) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Inga studentgrupper skapade. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Dubbla rad {0} med samma {1} DocType: Employee,Salary Details,Lön Detaljer +DocType: Employee Checkin,Exit Grace Period Consequence,Exit Grace Period Konsekvens DocType: Bank Statement Transaction Invoice Item,Invoice,Faktura DocType: Special Test Items,Particulars,uppgifter apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Ange filter baserat på artikel eller lager @@ -6109,6 +6174,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Av AMC DocType: Job Opening,"Job profile, qualifications required etc.","Jobbprofil, kvalifikationer krävs etc." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Ship to State +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Vill du skicka in materialförfrågan DocType: Opportunity Item,Basic Rate,Grundränta DocType: Compensatory Leave Request,Work End Date,Arbetstid Slutdatum apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Begäran om råmaterial @@ -6294,6 +6360,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Avskrivningsbelopp DocType: Sales Order Item,Gross Profit,Bruttovinst DocType: Quality Inspection,Item Serial No,Artikelnummer DocType: Asset,Insurer,Försäkringsgivare +DocType: Employee Checkin,OUT,UT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Köpbelopp DocType: Asset Maintenance Task,Certificate Required,Certifikat krävs DocType: Retention Bonus,Retention Bonus,Retention Bonus @@ -6409,6 +6476,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Skillnadsbelopp (Fö DocType: Invoice Discounting,Sanctioned,sanktionerade DocType: Course Enrollment,Course Enrollment,Kursansökan DocType: Item,Supplier Items,Leverantörsobjekt +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Starttid kan inte vara större än eller lika med Sluttid \ för {0}. DocType: Sales Order,Not Applicable,Inte tillämpbar DocType: Support Search Source,Response Options,Svaralternativ apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} bör vara ett värde mellan 0 och 100 @@ -6495,7 +6564,6 @@ DocType: Travel Request,Costing,Kostnadsberäkning apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Anläggningstillgångar DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Summa vinstmedel -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium DocType: Share Balance,From No,Från nr DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betalningsavstämningsfaktura DocType: Purchase Invoice,Taxes and Charges Added,Skatter och avgifter tillagda @@ -6603,6 +6671,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ignorera prissättningsregeln apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Mat DocType: Lost Reason Detail,Lost Reason Detail,Förlorad anledning detalj +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Följande serienummer skapades:
{0} DocType: Maintenance Visit,Customer Feedback,Kundåterkoppling DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detaljer DocType: Issue,Opening Time,Öppnings tid @@ -6652,6 +6721,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Företagets namn är inte samma apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Arbetstagarreklam kan inte skickas före kampanjdatum apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Tillåt inte att uppdatera aktie transaktioner som är äldre än {0} +DocType: Employee Checkin,Employee Checkin,Anställd checkin apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Startdatumet bör vara mindre än slutdatum för punkt {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Skapa kundnoteringar DocType: Buying Settings,Buying Settings,Köpinställningar @@ -6673,6 +6743,7 @@ DocType: Job Card Time Log,Job Card Time Log,Tidskort för jobbkort DocType: Patient,Patient Demographics,Patient Demographics DocType: Share Transfer,To Folio No,Till Folio nr apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Kassaflöde från verksamheten +DocType: Employee Checkin,Log Type,Logg typ DocType: Stock Settings,Allow Negative Stock,Tillåt negativt lager apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Ingen av föremålen har någon förändring i kvantitet eller värde. DocType: Asset,Purchase Date,inköpsdatum @@ -6717,6 +6788,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Mycket Hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Välj arten av ditt företag. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Var god välj månad och år +DocType: Service Level,Default Priority,Standardprioritet DocType: Student Log,Student Log,Studentlogg DocType: Shopping Cart Settings,Enable Checkout,Aktivera kassan apps/erpnext/erpnext/config/settings.py,Human Resources,Personalavdelning @@ -6745,7 +6817,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Anslut Shopify med ERPNext DocType: Homepage Section Card,Subtitle,Texta DocType: Soil Texture,Loam,Lerjord -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverantör> Leverantörstyp DocType: BOM,Scrap Material Cost(Company Currency),Skrotmaterialkostnad (företagsvaluta) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Leveransnotering {0} får inte lämnas in DocType: Task,Actual Start Date (via Time Sheet),Faktiskt startdatum (via tidskriftsblad) @@ -6801,6 +6872,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dosering DocType: Cheque Print Template,Starting position from top edge,Startposition från överkant apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Utnämningstid (min) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Den här medarbetaren har redan en logg med samma tidstämpel. {0} DocType: Accounting Dimension,Disable,inaktivera DocType: Email Digest,Purchase Orders to Receive,Inköpsorder att ta emot apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Produktionsorder kan inte höjas för: @@ -6816,7 +6888,6 @@ DocType: Production Plan,Material Requests,Materialförfrågningar DocType: Buying Settings,Material Transferred for Subcontract,Material överfört för underleverantör DocType: Job Card,Timing Detail,Timing Detail apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Krävs på -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Importerar {0} av {1} DocType: Job Offer Term,Job Offer Term,Erbjudandeperiod DocType: SMS Center,All Contact,All kontakt DocType: Project Task,Project Task,Projektuppgift @@ -6867,7 +6938,6 @@ DocType: Student Log,Academic,Akademisk apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Artikel {0} är inte inställd för serienummer. Kontrollera objektmastern apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Från staten DocType: Leave Type,Maximum Continuous Days Applicable,Maximala kontinuerliga dagar gäller -apps/erpnext/erpnext/config/support.py,Support Team.,Supportteam. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Vänligen ange företagsnamn först apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Importera framgångsrik DocType: Guardian,Alternate Number,Alternativt nummer @@ -6959,6 +7029,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Rad # {0}: Artikel tillagd DocType: Student Admission,Eligibility and Details,Behörighet och detaljer DocType: Staffing Plan,Staffing Plan Detail,Bemanningsplandetaljer +DocType: Shift Type,Late Entry Grace Period,Late Ence Grace Period DocType: Email Digest,Annual Income,Årlig inkomst DocType: Journal Entry,Subscription Section,Prenumerationsavsnitt DocType: Salary Slip,Payment Days,Betalningsdagar @@ -7009,6 +7080,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Kontobalans DocType: Asset Maintenance Log,Periodicity,Periodicitet apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Vårdjournal +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Log Type krävs för incheckningar som faller i skiftet: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Avrättning DocType: Item,Valuation Method,Värderingsmetod apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} mot försäljningsfaktura {1} @@ -7093,6 +7165,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Beräknad kostnad per DocType: Loan Type,Loan Name,Lånnamn apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Ange standard betalningssätt DocType: Quality Goal,Revision,Revision +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Tiden före skiftets sluttid när utcheckningen betraktas så tidigt (i minuter). DocType: Healthcare Service Unit,Service Unit Type,Typ av serviceenhet DocType: Purchase Invoice,Return Against Purchase Invoice,Returnera mot inköpsfaktura apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Generera hemlighet @@ -7248,12 +7321,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,kosmetika DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Markera det här om du vill tvinga användaren att välja en serie innan du sparar. Det kommer inte att finnas någon standard om du markerar det här. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Användare med denna roll får ange frusna konton och skapa / ändra redovisningsposter mot frusna konton +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelnummer> Varugrupp> Varumärke DocType: Expense Claim,Total Claimed Amount,Summa anspråk på belopp apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Det gick inte att hitta tidsluckan på de följande {0} dagarna för operation {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Avslutar apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Du kan bara förnya om ditt medlemskap löper ut inom 30 dagar apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Värdet måste vara mellan {0} och {1} DocType: Quality Feedback,Parameters,parametrar +DocType: Shift Type,Auto Attendance Settings,Inställningar för automatisk närvaro ,Sales Partner Transaction Summary,Försäljningspartners transaktionsöversikt DocType: Asset Maintenance,Maintenance Manager Name,Underhållsansvarig namn apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Det behövs för att hämta objektdetaljer. @@ -7345,10 +7420,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Bekräfta tillämpad regel DocType: Job Card Item,Job Card Item,Jobbkortsartikel DocType: Homepage,Company Tagline for website homepage,Företagsnamn för webbplatsens hemsida +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Ange svarstid och upplösning för prioritet {0} vid index {1}. DocType: Company,Round Off Cost Center,Round Off Cost Center DocType: Supplier Scorecard Criteria,Criteria Weight,Kriterier Vikt DocType: Asset,Depreciation Schedules,Avskrivningsplaner -DocType: Expense Claim Detail,Claim Amount,Ansökningsbelopp DocType: Subscription,Discounts,rabatter DocType: Shipping Rule,Shipping Rule Conditions,Leveransvillkor DocType: Subscription,Cancelation Date,Avbokningsdatum @@ -7376,7 +7451,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Skapa Leads apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Visa nollvärden DocType: Employee Onboarding,Employee Onboarding,Anställd ombordstigning DocType: POS Closing Voucher,Period End Date,Period Slutdatum -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Försäljningsmöjligheter enligt källa DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Den första lämnar godkännaren i listan kommer att ställas in som standardladdare. DocType: POS Settings,POS Settings,POS-inställningar apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Alla konton @@ -7397,7 +7471,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bankkl apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Rate måste vara samma som {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Hälso- och sjukvårdstjänster -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Inga uppgifter funna apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Åldringsområde 3 DocType: Vital Signs,Blood Pressure,Blodtryck 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 @@ -7444,6 +7517,7 @@ DocType: Company,Existing Company,Befintligt företag apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,partier apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Försvar DocType: Item,Has Batch No,Har parti nr +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Försenade dagar DocType: Lead,Person Name,Personnamn DocType: Item Variant,Item Variant,Artikelvariant DocType: Training Event Employee,Invited,inbjuden @@ -7465,7 +7539,7 @@ DocType: Purchase Order,To Receive and Bill,Att ta emot och betala apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Start- och slutdatum inte i en giltig löneperiod, kan inte beräkna {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Visa bara kunden av dessa kundgrupper apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Välj objekt för att spara fakturan -DocType: Service Level,Resolution Time,Upplösningstid +DocType: Service Level Priority,Resolution Time,Upplösningstid DocType: Grading Scale Interval,Grade Description,Betygsbeskrivning DocType: Homepage Section,Cards,kort DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kvalitetsmötet protokoll @@ -7492,6 +7566,7 @@ DocType: Project,Gross Margin %,Bruttomarginal % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Balansräkning enligt huvudbok apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Sjukvård (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Standardlager för att skapa försäljningsorder och leveransnotering +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Svarstid för {0} vid index {1} kan inte vara större än Upplösningstid. DocType: Opportunity,Customer / Lead Name,Kund- / lednamn DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Oavkrävat belopp @@ -7538,7 +7613,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Importera parter och adresser DocType: Item,List this Item in multiple groups on the website.,Lista denna artikel i flera grupper på webbplatsen. DocType: Request for Quotation,Message for Supplier,Meddelande till leverantör -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Kan inte ändra {0} eftersom Stock Transaction för Item {1} existerar. DocType: Healthcare Practitioner,Phone (R),Telefon (R) DocType: Maintenance Team Member,Team Member,Lagmedlem DocType: Asset Category Account,Asset Category Account,Asset Category Account diff --git a/erpnext/translations/sw.csv b/erpnext/translations/sw.csv index 357b8cb5a2..132686b80e 100644 --- a/erpnext/translations/sw.csv +++ b/erpnext/translations/sw.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Tarehe ya Mwanzo wa Mwisho apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Uteuzi {0} na ankara ya mauzo {1} kufutwa DocType: Purchase Receipt,Vehicle Number,Nambari ya Gari apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Anwani yako ya barua pepe ... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Weka Machapisho ya Kitabu cha Default +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Weka Machapisho ya Kitabu cha Default DocType: Activity Cost,Activity Type,Aina ya Shughuli DocType: Purchase Invoice,Get Advances Paid,Pata Mafanikio ya kulipwa DocType: Company,Gain/Loss Account on Asset Disposal,Akaunti ya Kupoteza / Kupoteza juu ya Upunguzaji wa Mali @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Inafanya nini? DocType: Bank Reconciliation,Payment Entries,Entries ya Malipo DocType: Employee Education,Class / Percentage,Hatari / Asilimia ,Electronic Invoice Register,Daftari ya Invoice ya umeme +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Idadi ya tukio baada ya matokeo ambayo hufanyika. DocType: Sales Invoice,Is Return (Credit Note),Inarudi (Kielelezo cha Mikopo) +DocType: Price List,Price Not UOM Dependent,Bei Si UOM Inategemea DocType: Lab Test Sample,Lab Test Sample,Mfano wa Mtihani wa Lab DocType: Shopify Settings,status html,hali html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Kwa mfano 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Utafutaji wa Bid DocType: Salary Slip,Net Pay,Net Pay apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Jumla ya Amt Invoiced DocType: Clinical Procedure,Consumables Invoice Separately,Invoice ya Matumizi ya Makabila +DocType: Shift Type,Working Hours Threshold for Absent,Masaa ya Kazi ya Msaada kwa Wasio DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Bajeti haipatikani dhidi ya Akaunti ya Kundi {0} DocType: Purchase Receipt Item,Rate and Amount,Kiwango na Kiasi @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Weka Ghala la Chanzo DocType: Healthcare Settings,Out Patient Settings,Nje Mipangilio ya Mgonjwa DocType: Asset,Insurance End Date,Tarehe ya Mwisho wa Bima DocType: Bank Account,Branch Code,Kanuni ya Tawi -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Muda wa Kujibu apps/erpnext/erpnext/public/js/conf.js,User Forum,Forum Forum DocType: Landed Cost Item,Landed Cost Item,Nambari ya Gharama Iliyoingia 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 @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Weka Mmiliki DocType: Share Transfer,Transfer,Uhamisho apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Tafuta Bidhaa (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,Matokeo ya {0} yaliyotolewa +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Kutoka tarehe haiwezi kuwa kubwa kuliko Kufikia sasa DocType: Supplier,Supplier of Goods or Services.,Uuzaji wa Bidhaa au Huduma. 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 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Kundi la wanafunzi au ratiba ya kozi ni lazima @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Database ya DocType: Skill,Skill Name,Jina la ujuzi apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Kadi ya Ripoti ya Kuchapa DocType: Soil Texture,Ternary Plot,Plot ya Ternary -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 Naming kwa {0} kupitia Setup> Mipangilio> Mfululizo wa Naming apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Tiketi za Msaada DocType: Asset Category Account,Fixed Asset Account,Akaunti ya Mali isiyohamishika apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Hivi karibuni @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Umbali wa UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Kazi ya Karatasi ya Mizani DocType: Payment Entry,Total Allocated Amount,Kiasi kilichopangwa DocType: Sales Invoice,Get Advances Received,Pata Mafanikio Iliyopokelewa +DocType: Shift Type,Last Sync of Checkin,Mwisho wa Sync wa Checkin DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Kiwango cha Ushuru Kilivyowekwa pamoja na Thamani apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Mpango wa Usajili DocType: Student,Blood Group,Kundi la damu apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Crop,Crop Spacing UOM,Ugawanyiko wa mazao UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Wakati baada ya kuhama wakati wa kuanza wakati kuingiliwa kuzingatiwa kama marehemu (kwa dakika). apps/erpnext/erpnext/templates/pages/home.html,Explore,Chunguza +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Hakuna ankara bora zilizopatikana apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} nafasi na {1} bajeti ya {2} tayari iliyopangwa kwa kampuni ndogo ya {3}. Unaweza tu kupanga mipango ya {4} na bajeti {5} kama mpango wa wafanyakazi {6} kwa kampuni ya mzazi {3}. DocType: Promotional Scheme,Product Discount Slabs,Slabs Discount Slabs @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Ombi la Mahudhurio DocType: Item,Moving Average,Kusonga Wastani DocType: Employee Attendance Tool,Unmarked Attendance,Uhudhurio usiojulikana DocType: Homepage Section,Number of Columns,Idadi ya nguzo +DocType: Issue Priority,Issue Priority,Suala la Kipaumbele DocType: Holiday List,Add Weekly Holidays,Ongeza Holidays za wiki DocType: Shopify Log,Shopify Log,Weka Ingia apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Unda Slip ya Mshahara @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Thamani / Maelezo DocType: Warranty Claim,Issue Date,Siku ya kutolewa 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 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Haiwezi kuunda Bonus ya kuhifadhiwa kwa Waajiri wa kushoto +DocType: Employee Checkin,Location / Device ID,Eneo / Kitambulisho cha Kifaa DocType: Purchase Order,To Receive,Kupokea apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Wewe uko katika hali ya mkondo. Hutaweza kupakia upya mpaka utakuwa na mtandao. DocType: Course Activity,Enrollment,Uandikishaji @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Kigezo cha Mtihani wa Lab apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Maelezo ya Utoaji wa E-mail Kukosekana apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Hakuna ombi la vifaa limeundwa -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Msimbo wa Kipengee> Kikundi cha Bidhaa> Brand DocType: Loan,Total Amount Paid,Jumla ya Kutolewa apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Vitu vyote hivi tayari vinatumika DocType: Training Event,Trainer Name,Jina la Mkufunzi @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Tafadhali kutaja Jina la Kiongozi katika Kiongozi {0} DocType: Employee,You can enter any date manually,Unaweza kuingia tarehe yoyote kwa mkono DocType: Stock Reconciliation Item,Stock Reconciliation Item,Toleo la Upatanisho wa hisa +DocType: Shift Type,Early Exit Consequence,Matokeo ya Kutoka Mapema DocType: Item Group,General Settings,Mipangilio ya Jumla apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Tarehe ya Kutokana haiwezi kuwa kabla ya Tarehe ya Utoaji / Usambazaji Tarehe apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Ingiza jina la Msaidizi kabla ya kuwasilisha. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,Mkaguzi apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Uthibitisho wa Malipo ,Available Stock for Packing Items,Inapatikana Stock kwa Vipuri vya Ufungashaji apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Tafadhali ondoa hii ankara {0} kutoka C-Fomu {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Kila Halali Angalia na Kuangalia DocType: Support Search Source,Query Route String,Njia ya String Route DocType: Customer Feedback Template,Customer Feedback Template,Kigezo cha Maoni ya Wateja apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Quotes Kuongoza au Wateja. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Kudhibiti Udhibiti ,Daily Work Summary Replies,Muhtasari wa Kazi ya Kila siku apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Umealikwa kushirikiana kwenye mradi: {0} +DocType: Issue,Response By Variance,Jibu Kwa Tofauti DocType: Item,Sales Details,Maelezo ya Mauzo apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Viongozi wa Barua kwa templates za kuchapisha. DocType: Salary Detail,Tax on additional salary,Kodi ya mshahara wa ziada @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Anwani za DocType: Project,Task Progress,Maendeleo ya Kazi DocType: Journal Entry,Opening Entry,Kuingia Uingiaji DocType: Bank Guarantee,Charges Incurred,Malipo yaliyoingizwa +DocType: Shift Type,Working Hours Calculation Based On,Masaa ya Kazi ya Hesabu ya Hesabu DocType: Work Order,Material Transferred for Manufacturing,Nyenzo Iliyohamishwa kwa Uzalishaji DocType: Products Settings,Hide Variants,Ficha Vigezo DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Zima Mipangilio ya Uwezo na Ufuatiliaji wa Muda @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,Upungufu DocType: Guardian,Interests,Maslahi DocType: Purchase Receipt Item Supplied,Consumed Qty,Uchina uliotumiwa DocType: Education Settings,Education Manager,Meneja wa Elimu +DocType: Employee Checkin,Shift Actual Start,Shift halisi ya Mwanzo DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Panga magogo ya wakati nje ya Masaa ya Kazi ya Kazini. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Pole ya Uaminifu: {0} DocType: Healthcare Settings,Registration Message,Ujumbe wa Usajili @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Dawa tayari imeundwa kwa masaa yote ya kulipa DocType: Sales Partner,Contact Desc,Wasiliana Desc DocType: Purchase Invoice,Pricing Rules,Kanuni za bei +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Kama kuna shughuli zilizopo dhidi ya bidhaa {0}, huwezi kubadilisha thamani ya {1}" DocType: Hub Tracked Item,Image List,Orodha ya Picha DocType: Item Variant Settings,Allow Rename Attribute Value,Ruhusu Kurejesha Thamani ya Thamani -DocType: Price List,Price Not UOM Dependant,Bei Si UOM Inategemea apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Muda (kwa mchana) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Msingi DocType: Loan,Interest Income Account,Akaunti ya Mapato ya Riba @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,Aina ya Ajira apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Chagua Profaili ya POS DocType: Support Settings,Get Latest Query,Pata Jitihada za Mwisho DocType: Employee Incentive,Employee Incentive,Ushawishi wa Wafanyakazi +DocType: Service Level,Priorities,Vipaumbele apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Ongeza kadi au sehemu za desturi kwenye ukurasa wa nyumbani DocType: Homepage,Hero Section Based On,Sehemu ya shujaa inayotegemea DocType: Project,Total Purchase Cost (via Purchase Invoice),Gharama ya Jumla ya Ununuzi (kupitia Invoice ya Ununuzi) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,Unda dhidi ya Nyenzo ya DocType: Blanket Order Item,Ordered Quantity,Amri ya Amri apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Ghala iliyokataliwa ni lazima dhidi ya Kitu kilichokataliwa {1} ,Received Items To Be Billed,Vipokee Vipokee vya Kulipwa -DocType: Salary Slip Timesheet,Working Hours,Saa za kazi +DocType: Attendance,Working Hours,Saa za kazi apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Njia ya Malipo apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Vipengee Vipengee vya Ununuzi havikupokea kwa wakati apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Muda katika Siku @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,S DocType: Supplier,Statutory info and other general information about your Supplier,Maelezo ya kisheria na maelezo mengine ya jumla kuhusu Wafanyabiashara wako DocType: Item Default,Default Selling Cost Center,Kituo cha Gharama ya Kuuza Ghali DocType: Sales Partner,Address & Contacts,Anwani na wasiliana -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Tafadhali kuanzisha mfululizo wa kuhesabu kwa Mahudhurio kupitia Upangilio> Orodha ya Kuhesabu DocType: Subscriber,Subscriber,Msajili apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Fomu / Bidhaa / {0}) haipo nje ya hisa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Tafadhali chagua Tarehe ya Kuweka kwanza @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,Njia kamili DocType: Detected Disease,Tasks Created,Kazi Iliundwa apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,BOM ya chaguo-msingi ({0}) lazima iwe kazi kwa kipengee hiki au template yake apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Kiwango cha Tume% -DocType: Service Level,Response Time,Muda wa kujibu +DocType: Service Level Priority,Response Time,Muda wa kujibu DocType: Woocommerce Settings,Woocommerce Settings,Mipangilio ya Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Wingi lazima uwe na chanya DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Msaada wa Ziara ya Wagon DocType: Bank Statement Settings,Transaction Data Mapping,Mapato ya Takwimu za Transaction apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Kiongozi kinahitaji jina la mtu au jina la shirika DocType: Student,Guardians,Walinzi -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Tafadhali kuanzisha Mtaalamu wa Kuita Mfumo katika Elimu> Mipangilio ya Elimu apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Chagua Brand ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Mapato ya Kati DocType: Shipping Rule,Calculate Based On,Tumia Mahesabu @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Weka Njia apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Rekodi ya Mahudhurio {0} ipo dhidi ya Mwanafunzi {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Tarehe ya Shughuli apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Futa Usajili +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Haikuweza Kuweka Mkataba wa Huduma ya Huduma {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Kiasi cha Mshahara DocType: Account,Liability,Dhima DocType: Employee,Bank A/C No.,Benki ya A / C. @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Msimbo wa Nakala ya Nyenzo apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Invoice ya Ununuzi {0} imewasilishwa tayari DocType: Fees,Student Email,Barua ya Wanafunzi -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Upungufu wa BOM: {0} haiwezi kuwa mzazi au mtoto wa {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Pata vitu kutoka Huduma za Huduma za Afya apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Entry Entry {0} haijawasilishwa DocType: Item Attribute Value,Item Attribute Value,Thamani ya Thamani ya Bidhaa @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,Ruhusu Chapisha Kabla ya Kulipa DocType: Production Plan,Select Items to Manufacture,Chagua Vitu Ili Kukuza DocType: Leave Application,Leave Approver Name,Acha Jina la Msaidizi DocType: Shareholder,Shareholder,Mbia -DocType: Issue,Agreement Status,Hali ya Mkataba apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Mipangilio ya mipangilio ya kuuza shughuli. 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 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Chagua BOM @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Akaunti ya Mapato apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Wilaya zote DocType: Contract,Signee Details,Maelezo ya Signee +DocType: Shift Type,Allow check-out after shift end time (in minutes),Ruhusu ufuatiliaji baada ya muda wa mwisho wa mabadiliko (kwa dakika) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Ununuzi DocType: Item Group,Check this if you want to show in website,Angalia hii ikiwa unataka kuonyesha kwenye tovuti apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Mwaka wa Fedha {0} haukupatikana @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Tarehe ya kuanza kwa kushuka DocType: Activity Cost,Billing Rate,Kiwango cha kulipia apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Onyo: Nyingine {0} # {1} ipo dhidi ya kuingia kwa hisa {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Tafadhali wezesha Mipangilio ya Ramani za Google ili kukadiria na kuboresha njia +DocType: Purchase Invoice Item,Page Break,Uvunjaji wa Ukurasa DocType: Supplier Scorecard Criteria,Max Score,Max Score apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Tarehe ya Kulipa Ulipaji haiwezi kuwa kabla ya Tarehe ya Malipo. DocType: Support Search Source,Support Search Source,Kusaidia Chanzo cha Utafutaji @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Lengo la Lengo la Lengo DocType: Employee Transfer,Employee Transfer,Uhamisho wa Wafanyakazi ,Sales Funnel,Funnel ya Mauzo DocType: Agriculture Analysis Criteria,Water Analysis,Uchambuzi wa Maji +DocType: Shift Type,Begin check-in before shift start time (in minutes),Anza kuingia kabla ya kuanza wakati wa kuanza (kwa dakika) DocType: Accounts Settings,Accounts Frozen Upto,Akaunti Yamehifadhiwa Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Hakuna kitu cha kuhariri. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Uendeshaji {0} mrefu zaidi kuliko masaa yoyote ya kazi iliyopo katika kituo cha kazi {1}, uvunja operesheni katika shughuli nyingi" @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Akau apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Amri ya Mauzo {0} ni {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Kuchelewa kwa malipo (Siku) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Ingiza maelezo ya kushuka kwa thamani +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Mteja PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Tarehe ya utoaji inayotarajiwa inapaswa kuwa baada ya Tarehe ya Kuagiza Mauzo +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Kipengee cha kitu hawezi kuwa sifuri apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Attribute batili apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Tafadhali chagua BOM dhidi ya kipengee {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Aina ya ankara @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,Tarehe ya Matengenezo DocType: Volunteer,Afternoon,Saa ya asubuhi DocType: Vital Signs,Nutrition Values,Maadili ya Lishe DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),Uwepo wa homa (temp> 38.5 ° C / 101.3 ° F au msimu uliohifadhiwa> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Tafadhali kuanzisha Mfumo wa Jina la Wafanyakazi katika Rasilimali za Binadamu> Mipangilio ya HR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC imeingiliwa DocType: Project,Collect Progress,Kusanya Maendeleo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Nishati @@ -2197,6 +2212,7 @@ DocType: Setup Progress,Setup Progress,Maendeleo ya Kuweka ,Ordered Items To Be Billed,Vipengele vya Amri vinavyopigwa DocType: Taxable Salary Slab,To Amount,Kwa Kiasi DocType: Purchase Invoice,Is Return (Debit Note),Inarudi (Kumbuka Debit) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Wateja> Kikundi cha Wateja> Eneo apps/erpnext/erpnext/config/desktop.py,Getting Started,Kuanza apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Unganisha apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Haiwezi kubadilisha Tarehe ya Mwaka wa Fedha na Tarehe ya Mwisho wa Fedha mara Mwaka wa Fedha umehifadhiwa. @@ -2215,8 +2231,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Tarehe halisi apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Tarehe ya kuanza ya matengenezo haiwezi kuwa kabla ya tarehe ya kujifungua kwa Serial No {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Row {0}: Kiwango cha Exchange ni lazima DocType: Purchase Invoice,Select Supplier Address,Chagua Anwani ya Wasambazaji +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Inapatikana kiasi ni {0}, unahitaji {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Tafadhali ingiza Siri ya Watumiaji wa API DocType: Program Enrollment Fee,Program Enrollment Fee,Malipo ya Uandikishaji wa Programu +DocType: Employee Checkin,Shift Actual End,Shift Mwisho Mwisho DocType: Serial No,Warranty Expiry Date,Tarehe ya Kumalizika ya Udhamini DocType: Hotel Room Pricing,Hotel Room Pricing,Bei ya chumba cha Hoteli apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Vifaa vya nje vinavyotokana (isipokuwa sifuri lilipimwa, hazikupimwa na kuachiliwa" @@ -2276,6 +2294,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Kusoma 5 DocType: Shopping Cart Settings,Display Settings,Mipangilio ya kuonyesha apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Tafadhali weka Idadi ya Dhamana iliyopangwa +DocType: Shift Type,Consequence after,Matokeo baada apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Unahitaji msaada gani? DocType: Journal Entry,Printing Settings,Mipangilio ya uchapishaji apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Banking @@ -2285,6 +2304,7 @@ DocType: Purchase Invoice Item,PR Detail,Maelezo ya PR apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Anwani ya kulipia ni sawa na Anwani ya Usafirishaji DocType: Account,Cash,Fedha DocType: Employee,Leave Policy,Acha Sera +DocType: Shift Type,Consequence,Matokeo apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Anwani ya Wanafunzi DocType: GST Account,CESS Account,Akaunti ya CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kituo cha gharama kinahitajika kwa akaunti ya 'Profit and Loss' {2}. Tafadhali weka kituo cha gharama cha chini cha Kampuni. @@ -2349,6 +2369,7 @@ DocType: GST HSN Code,GST HSN Code,Kanuni ya GST HSN DocType: Period Closing Voucher,Period Closing Voucher,Voucher ya kufunga ya muda apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Jina la Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Tafadhali ingiza Akaunti ya Fedha +DocType: Issue,Resolution By Variance,Azimio Kwa Tofauti DocType: Employee,Resignation Letter Date,Barua ya Kuondoa Barua DocType: Soil Texture,Sandy Clay,Mchanga wa Mchanga DocType: Upload Attendance,Attendance To Date,Kuhudhuria Tarehe @@ -2361,6 +2382,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Angalia Sasa DocType: Item Price,Valid Upto,Halafu Upto 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} +DocType: Employee Checkin,Skip Auto Attendance,Skip Attendance Auto DocType: Payment Request,Transaction Currency,Fedha ya Ushirika DocType: Loan,Repayment Schedule,Ratiba ya Ulipaji apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Unda Msajili wa Msajili wa Mfano @@ -2432,6 +2454,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Mgawo wa Mshaha DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Malipo ya Voucher ya Kufunga POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Action Initialised DocType: POS Profile,Applicable for Users,Inatumika kwa Watumiaji +,Delayed Order Report,Ripoti ya Iliyotarajiwa DocType: Training Event,Exam,Mtihani apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Nambari isiyo sahihi ya Entries General Ledger zilizopatikana. Huenda umechagua Akaunti mbaya katika shughuli. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Bomba la Mauzo @@ -2446,10 +2469,11 @@ DocType: Account,Round Off,Pande zote DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Masharti yatatumika kwenye vitu vyote vilivyochaguliwa. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Sanidi DocType: Hotel Room,Capacity,Uwezo +DocType: Employee Checkin,Shift End,Mwisho wa Shift DocType: Installation Note Item,Installed Qty,Uchina uliowekwa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Kipengee {0} cha Item {1} kimefungwa. DocType: Hotel Room Reservation,Hotel Reservation User,User Reservation User -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Kazi ya siku ya kazi imerudiwa mara mbili +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Mkataba wa kiwango cha huduma na Aina ya Entity {0} na Entity {1} tayari imepo. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Kundi la Kipengee ambacho hakijajwa katika kipengee cha bidhaa kwa kipengee {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Jina la kosa: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Territory Inahitajika katika POS Profile @@ -2497,6 +2521,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Tarehe ya Ratiba DocType: Packing Slip,Package Weight Details,Maelezo ya Ufuatiliaji wa Pakiti DocType: Job Applicant,Job Opening,Kufungua kazi +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Inajulikana mara ya mwisho kwa usawazishaji wa wafanyakazi wa Checkin. Weka upya hii tu ikiwa una uhakika kwamba Ingia zote zimeunganishwa kutoka mahali pote. Tafadhali usibadilishe hii ikiwa huna uhakika. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Gharama halisi apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Jumla ya mapema ({0}) dhidi ya Amri {1} haiwezi kuwa kubwa kuliko Jumla ya Jumla ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Vipengee vya habari vinasasishwa @@ -2541,6 +2566,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Receipt ya Ununuzi wa Kum apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Pata maoni DocType: Tally Migration,Is Day Book Data Imported,Data ya Kitabu cha Siku imepakiwa ,Sales Partners Commission,Tume ya Washirika wa Mauzo +DocType: Shift Type,Enable Different Consequence for Early Exit,Wezesha matokeo mazuri kwa kuondoka mapema apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Kisheria DocType: Loan Application,Required by Date,Inahitajika kwa Tarehe DocType: Quiz Result,Quiz Result,Matokeo ya Quiz @@ -2600,7 +2626,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Mwaka wa DocType: Pricing Rule,Pricing Rule,Kanuni ya bei 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} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Tafadhali weka shamba la Kitambulisho cha Mtumiaji katika rekodi ya Wafanyakazi ili kuweka Kazi ya Wafanyakazi -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Muda wa Kutatua DocType: Training Event,Training Event,Tukio la Mafunzo DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Kawaida ya kupumzika shinikizo la damu kwa mtu mzima ni takribani 120 mmHg systolic, na 80 mmHg diastolic, iliyofupishwa "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Mfumo utachukua maelezo yote ikiwa thamani ya kikomo ni sifuri. @@ -2644,6 +2669,7 @@ DocType: Woocommerce Settings,Enable Sync,Wezesha Sync DocType: Student Applicant,Approved,Imekubaliwa apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Kutoka Tarehe lazima iwe ndani ya Mwaka wa Fedha. Kutokana na tarehe = {0} 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. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} ni Hali ya Mahudhurio yasiyofaa. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Akaunti ya Ufunguzi wa Muda DocType: Purchase Invoice,Cash/Bank Account,Akaunti ya Fedha / Benki DocType: Quality Meeting Table,Quality Meeting Table,Jedwali la Mkutano wa Ubora @@ -2679,6 +2705,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,Kitambulisho cha MWS Auth apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Chakula, Beverage & Tobacco" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Ratiba ya Kozi DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Jedwali Maelezo ya kodi ya busara +DocType: Shift Type,Attendance will be marked automatically only after this date.,Mahudhurio yatawekwa alama moja kwa moja tu baada ya tarehe hii. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Ugavi uliofanywa kwa wamiliki wa UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Ombi la Nukuu apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Fedha haipaswi kubadilishwa baada ya kuingiza saini kwa kutumia sarafu nyingine @@ -2727,7 +2754,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Ni kitu kutoka Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Utaratibu wa Ubora. DocType: Share Balance,No of Shares,Hakuna ya Hisa -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Wala haipatikani kwa {4} katika ghala {1} wakati wa kutuma muda wa kuingia ({2} {3}) DocType: Quality Action,Preventive,Kuzuia DocType: Support Settings,Forum URL,URL ya kikao apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Mfanyakazi na Mahudhurio @@ -2948,7 +2974,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Aina ya Punguzo DocType: Hotel Settings,Default Taxes and Charges,Malipo na malipo ya Default apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Hii inategemea mashirikiano dhidi ya Wasambazaji huu. Tazama kalenda ya chini kwa maelezo apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Ufikiaji wa kiasi cha mfanyakazi {0} unazidi {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Ingiza Tarehe ya Mwisho na Mwisho wa Mkataba. DocType: Delivery Note Item,Against Sales Invoice,Dhidi ya ankara za mauzo DocType: Loyalty Point Entry,Purchase Amount,Ununuzi wa Kiasi apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Haiwezi kuweka kama Lost kama Mauzo Order inafanywa. @@ -2972,7 +2997,7 @@ DocType: Homepage,"URL for ""All Products""",URL ya "Bidhaa Zote" DocType: Lead,Organization Name,Jina la Shirika apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Halali kutoka kwenye maeneo ya halali na halali ni lazima kwa kuongezeka apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Kundi Hakuna lazima iwe sawa na {1} {2} -DocType: Employee,Leave Details,Acha Maelezo +DocType: Employee Checkin,Shift Start,Mwanzo wa Shift apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Ushirikiano wa hisa kabla ya {0} ni waliohifadhiwa DocType: Driver,Issuing Date,Tarehe ya Kutuma apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Msaidizi @@ -3017,9 +3042,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Maelezo ya Kigezo cha Ramani ya Fedha ya Fedha apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Uajiri na Mafunzo DocType: Drug Prescription,Interval UOM,Muda wa UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Mipangilio ya Kipindi cha Neema Kwa Mahudhurio ya Auto apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Kutoka kwa Fedha na Fedha haiwezi kuwa sawa apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Madawa DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Masaa ya Msaada apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} imefutwa au imefungwa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Row {0}: Upendeleo dhidi ya Wateja lazima uwe mkopo apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Jumuisha kwa Voucher (Kuunganishwa) @@ -3128,6 +3155,7 @@ DocType: Asset Repair,Repair Status,Hali ya Ukarabati DocType: Territory,Territory Manager,Meneja wa Wilaya DocType: Lab Test,Sample ID,Kitambulisho cha Mfano apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Cart ni tupu +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Mahudhurio yamewekwa alama kama ya ukaguzi wa wafanyakazi apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Malipo {0} yanapaswa kuwasilishwa ,Absent Student Report,Ripoti ya Wanafunzi Yasiyo apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Imejumuishwa katika Faida Pato @@ -3135,7 +3163,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,O DocType: Travel Request Costing,Funded Amount,Kiasi kilichopangwa apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} haijawasilishwa hivyo hatua haiwezi kukamilika DocType: Subscription,Trial Period End Date,Tarehe ya Mwisho wa Kipindi +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Majina mbadala kama IN na OUT wakati wa mabadiliko sawa DocType: BOM Update Tool,The new BOM after replacement,BOM mpya baada ya kubadilishwa +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Wafanyabiashara> Aina ya Wafanyabiashara apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Kipengee 5 DocType: Employee,Passport Number,Nambari ya Pasipoti apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Kufungua kwa muda @@ -3251,6 +3281,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Ripoti muhimu apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Wafanyabiashara wawezekana ,Issued Items Against Work Order,Vitu vinavyochapishwa dhidi ya kazi apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Kuunda {0} ankara +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Tafadhali kuanzisha Mtaalamu wa Kuita Mfumo katika Elimu> Mipangilio ya Elimu DocType: Student,Joining Date,Tarehe ya Kujiunga apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Kuomba Tovuti DocType: Purchase Invoice,Against Expense Account,Dhidi ya Akaunti ya gharama @@ -3290,6 +3321,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Malipo ya kuomba ,Point of Sale,Uhakika wa Uuzaji DocType: Authorization Rule,Approving User (above authorized value),Kupitisha Mtumiaji (juu ya thamani iliyoidhinishwa) +DocType: Service Level Agreement,Entity,Sehemu apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Kiasi {0} {1} kilichohamishwa kutoka {2} hadi {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Wateja {0} sio mradi {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Kutoka Jina la Chama @@ -3336,6 +3368,7 @@ DocType: Asset,Opening Accumulated Depreciation,Kufungua kushuka kwa thamani DocType: Soil Texture,Sand Composition (%),Mchanga Muundo (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Takwimu za Kitabu cha Siku ya Kuingiza +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 Naming kwa {0} kupitia Setup> Mipangilio> Mfululizo wa Naming DocType: Asset,Asset Owner Company,Kampuni ya Mmiliki wa Mali apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Kituo cha gharama kinahitajika kuandika madai ya gharama apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} salama ya serial kwa Bidhaa {1} @@ -3396,7 +3429,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Mmiliki wa Mali apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Ghala ni lazima kwa kipengee cha hisa {0} mfululizo {1} DocType: Stock Entry,Total Additional Costs,Jumla ya gharama za ziada -DocType: Marketplace Settings,Last Sync On,Mwisho Sync On apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Tafadhali weka angalau safu moja kwenye Jedwali la Ushuru na Chaguzi DocType: Asset Maintenance Team,Maintenance Team Name,Jina la Timu ya Matengenezo apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Chati ya Vituo vya Gharama @@ -3412,12 +3444,12 @@ DocType: Sales Order Item,Work Order Qty,Kazi ya Utoaji Kazi DocType: Job Card,WIP Warehouse,Ghala la WIP DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ -YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Kitambulisho cha mtumiaji hakiwekwa kwa Waajiriwa {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Inapatikana qty ni {0}, unahitaji {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Mtumiaji {0} ameundwa DocType: Stock Settings,Item Naming By,Kipengele kinachojulikana apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Amri 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. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Ombi la Vifaa {0} limefutwa au kusimamishwa +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Inategemea sana Aina ya Ingia katika Checkin ya Wafanyakazi DocType: Purchase Order Item Supplied,Supplied Qty,Ugavi wa Uchina DocType: Cash Flow Mapper,Cash Flow Mapper,Cash Flow Mapper DocType: Soil Texture,Sand,Mchanga @@ -3476,6 +3508,7 @@ DocType: Lab Test Groups,Add new line,Ongeza mstari mpya apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Kundi la kipengee cha kipengee kilichopatikana kwenye meza ya kikundi cha bidhaa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Mshahara wa mwaka DocType: Supplier Scorecard,Weighting Function,Kupima uzito Kazi +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Kipengele cha kubadilisha UOM ({0} -> {1}) haipatikani kwa kipengee: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Hitilafu ya kutathmini fomu ya vigezo ,Lab Test Report,Ripoti ya Mtihani wa Lab DocType: BOM,With Operations,Na Uendeshaji @@ -3489,6 +3522,7 @@ DocType: Expense Claim Account,Expense Claim Account,Akaunti ya dai ya gharama apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Hakuna malipo ya kutosha kwa Kuingia kwa Journal apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} ni mwanafunzi asiye na kazi apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Fanya Uingizaji wa hisa +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Upungufu wa BOM: {0} haiwezi kuwa mzazi au mtoto wa {1} DocType: Employee Onboarding,Activities,Shughuli apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Atleast ghala moja ni lazima ,Customer Credit Balance,Mizani ya Mikopo ya Wateja @@ -3501,9 +3535,11 @@ DocType: Supplier Scorecard Period,Variables,Vigezo 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: Patient,Medication,Dawa apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Chagua Programu ya Uaminifu +DocType: Employee Checkin,Attendance Marked,Uhudhurio umewekwa apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Malighafi DocType: Sales Order,Fully Billed,Imejazwa kikamilifu 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/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Chagua Kipaumbele kimoja tu kama chaguo-msingi. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Tafadhali tambua / uunda Akaunti (Ledger) kwa aina - {0} 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: Purchase Invoice Item,Is Fixed Asset,"Je, ni Mali isiyohamishika" @@ -3524,6 +3560,7 @@ DocType: Purpose of Travel,Purpose of Travel,Kusudi la Safari DocType: Healthcare Settings,Appointment Confirmation,Uthibitisho wa Uteuzi DocType: Shopping Cart Settings,Orders,Amri DocType: HR Settings,Retirement Age,Umri wa Kustaafu +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Tafadhali kuanzisha mfululizo wa kuhesabu kwa Mahudhurio kupitia Upangilio> Orodha ya Kuhesabu apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Uchina uliopangwa apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Ufuta hauruhusiwi kwa nchi {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Row # {0}: Mali {1} tayari {2} @@ -3607,11 +3644,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Mhasibu apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Vredcher alreday ipo kwa {0} kati ya tarehe {1} na {2} apps/erpnext/erpnext/config/help.py,Navigating,Inasafiri +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Hakuna ankara bora zinazohitaji kiwango cha ubadilishaji wa kiwango cha kubadilishana DocType: Authorization Rule,Customer / Item Name,Jina la Wateja / Bidhaa apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Serial mpya Hapana haiwezi kuwa na Ghala. Ghala lazima liwekewe na Entry Entry au Receipt ya Ununuzi DocType: Issue,Via Customer Portal,Kupitia Portal ya Wateja DocType: Work Order Operation,Planned Start Time,Muda wa Kuanza apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} ni {2} +DocType: Service Level Priority,Service Level Priority,Ubora wa Kipawa cha Huduma 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 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Shiriki Ledger DocType: Journal Entry,Accounts Payable,Akaunti ya kulipwa @@ -3722,7 +3761,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Utoaji Kwa DocType: Bank Statement Transaction Settings Item,Bank Data,Takwimu za Benki apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Imepangwa Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Hifadhi Masaa ya Mshahara na Masaa ya Kazi sawa na Timesheet apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Orodha inayoongozwa na Chanzo cha Kiongozi. DocType: Clinical Procedure,Nursing User,Mtumiaji wa Uuguzi DocType: Support Settings,Response Key List,Orodha ya Muhimu ya Jibu @@ -3890,6 +3928,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Muda wa Kuanza DocType: Antibiotic,Laboratory User,Mtumiaji wa Maabara apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Mnada wa mtandaoni +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Kipaumbele {0} kimeshindwa. DocType: Fee Schedule,Fee Creation Status,Hali ya Uumbaji wa Mali apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Softwares apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Mauzo ya Malipo ya Malipo @@ -3956,6 +3995,7 @@ DocType: Patient Encounter,In print,Ili kuchapishwa apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Haikuweza kupata maelezo ya {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Fedha ya kulipia lazima iwe sawa na sarafu au kampuni ya sarafu ya kampuni 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 +DocType: Shift Type,Early Exit Consequence after,Matokeo ya Kutoka Mapema baada ya apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Unda Mauzo ya Ufunguzi na Invoices za Ununuzi DocType: Disease,Treatment Period,Kipindi cha Matibabu apps/erpnext/erpnext/config/settings.py,Setting up Email,Kuweka Barua pepe @@ -3973,7 +4013,6 @@ DocType: Employee Skill Map,Employee Skills,Ujuzi wa Waajiriwa apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Jina la Mwanafunzi: DocType: SMS Log,Sent On,Imepelekwa DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Invozi ya Mauzo -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Muda wa kujibu hauwezi kuwa mkubwa kuliko Muda wa Azimio DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Kwa Kundi la Wanafunzi la msingi, Kozi itahakikishiwa kwa kila Mwanafunzi kutoka Kozi zilizosajiliwa katika Uandikishaji wa Programu." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Ugavi wa Serikali za Mitaa DocType: Employee,Create User Permission,Unda Ruhusa ya Mtumiaji @@ -4012,6 +4051,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Kanuni za mkataba wa kawaida kwa Mauzo au Ununuzi. DocType: Sales Invoice,Customer PO Details,Mteja PO Maelezo apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Mgonjwa haipatikani +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Chagua Kipaumbele cha Kikawaida. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Ondoa kipengee ikiwa mashtaka haitumiki kwa bidhaa hiyo apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Kundi la Wateja liko kwa jina moja tafadhali tuma jina la Wateja au uunda jina Kundi la Wateja 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. @@ -4051,6 +4091,7 @@ DocType: Quality Goal,Quality Goal,Lengo la Ubora DocType: Support Settings,Support Portal,Msaada wa Portal apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Tarehe ya mwisho ya kazi {0} haiwezi kuwa chini ya {1} tarehe ya kuanza iliyotarajiwa {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Mfanyakazi {0} ni juu ya Acha kwenye {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Mkataba wa Ngazi ya Huduma ni maalum kwa Wateja {0} DocType: Employee,Held On,Imewekwa DocType: Healthcare Practitioner,Practitioner Schedules,Mipango ya Watendaji DocType: Project Template Task,Begin On (Days),Anza Siku (Siku) @@ -4058,6 +4099,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Kazi ya Kazi imekuwa {0} DocType: Inpatient Record,Admission Schedule Date,Tarehe ya Ratiba ya Uingizaji apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Marekebisho ya Thamani ya Mali +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Mark mahudhurio kulingana na 'Wafanyakazi Checkin' kwa Waajiri kupewa kwa mabadiliko haya. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Ugavi uliofanywa kwa Watu Wasiojiliwa apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Kazi zote DocType: Appointment Type,Appointment Type,Aina ya Uteuzi @@ -4171,7 +4213,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Uzito mkubwa wa mfuko. Kwa kawaida uzito wa uzito + wa uzito wa vifaa vya uzani. (kwa kuchapishwa) DocType: Plant Analysis,Laboratory Testing Datetime,Wakati wa Tathmini ya Maabara apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Item {0} haiwezi kuwa na Batch -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Bomba la Mauzo kwa Hatua apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Nguvu ya Kikundi cha Wanafunzi DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Taarifa ya Benki ya Kuingia Transaction DocType: Purchase Order,Get Items from Open Material Requests,Pata Vitu kutoka kwa Maombi ya Vifaa vya Ufunguzi @@ -4253,7 +4294,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Onyesha wazee wa ghala DocType: Sales Invoice,Write Off Outstanding Amount,Andika Nje Kiasi Kikubwa DocType: Payroll Entry,Employee Details,Maelezo ya Waajiri -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Muda wa Mwanzo hauwezi kuwa mkubwa kuliko Muda wa Mwisho wa {0}. DocType: Pricing Rule,Discount Amount,Kiasi cha Punguzo DocType: Healthcare Service Unit Type,Item Details,Maelezo ya kipengee apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Duplicate Azimio la Kodi ya {0} kwa kipindi {1} @@ -4306,7 +4346,7 @@ DocType: Customer,CUST-.YYYY.-,CUST -YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Mshahara wa Net hauwezi kuwa hasi apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Hakuna Uingiliano 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 kuhamishwa zaidi ya {2} dhidi ya Ununuzi wa Order {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Shift +DocType: Attendance,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Chati ya Usindikaji wa Akaunti na Vyama DocType: Stock Settings,Convert Item Description to Clean HTML,Badilisha Maelezo ya Maelezo kwa Hifadhi ya HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Vikundi vyote vya Wasambazaji @@ -4377,6 +4417,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Kazi ya Onboa DocType: Healthcare Service Unit,Parent Service Unit,Kitengo cha Utumishi wa Mzazi DocType: Sales Invoice,Include Payment (POS),Jumuisha Malipo (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Private Equity +DocType: Shift Type,First Check-in and Last Check-out,Angalia kwanza na Mwisho Check Check out DocType: Landed Cost Item,Receipt Document,Hati ya Receipt DocType: Supplier Scorecard Period,Supplier Scorecard Period,Kipindi cha Scorecard Kipindi DocType: Employee Grade,Default Salary Structure,Mfumo wa Mshahara wa Default @@ -4459,6 +4500,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Unda Utaratibu wa Ununuzi apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Eleza bajeti kwa mwaka wa kifedha. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Jedwali la Akaunti hawezi kuwa tupu. +DocType: Employee Checkin,Entry Grace Period Consequence,Matokeo ya Nyakati za Neema ya Ushauri ,Payment Period Based On Invoice Date,Kipindi cha Malipo Kulingana na tarehe ya ankara apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Tarehe ya uangalizi haiwezi kuwa kabla ya tarehe ya utoaji wa Bidhaa {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Unganisha Ombi la Nyenzo @@ -4467,6 +4509,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Aina ya Data apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Kuingilia upya tayari kunapo kwa ghala hili {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Tarehe ya Hati DocType: Monthly Distribution,Distribution Name,Jina la Usambazaji +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Siku ya kazi {0} imerejezwa. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Gundi kwa Wasio Kikundi apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Mwisho unaendelea. Inaweza kuchukua muda. DocType: Item,"Example: ABCD.##### @@ -4479,6 +4522,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Uchina wa mafuta apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Simu ya Mkono Hakuna DocType: Invoice Discounting,Disbursed,Imepotezwa +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Muda baada ya mwisho wa mabadiliko wakati ambapo hundi ya nje inachukuliwa kwa ajili ya mahudhurio. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Mabadiliko ya Nambari ya Akaunti yanapatikana apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Haipatikani apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Wakati wa sehemu @@ -4492,7 +4536,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Fursa za apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Onyesha PDC katika Print apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Muuzaji wa Shopify DocType: POS Profile User,POS Profile User,Mtumiaji wa Programu ya POS -DocType: Student,Middle Name,Jina la kati DocType: Sales Person,Sales Person Name,Jina la Mtu wa Mauzo DocType: Packing Slip,Gross Weight,Kupima uzito DocType: Journal Entry,Bill No,Bill No @@ -4501,7 +4544,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Eneo DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG -YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Mkataba wa kiwango cha huduma -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Tafadhali chagua Mfanyakazi na Tarehe kwanza apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Kiwango cha upimaji wa kipengee kinarekebishwa kwa kuzingatia kiasi cha malipo ya cheki DocType: Timesheet,Employee Detail,Maelezo ya Waajiriwa DocType: Tally Migration,Vouchers,Vouchers @@ -4536,7 +4578,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Mkataba wa kiwan DocType: Additional Salary,Date on which this component is applied,Tarehe ambayo sehemu hii inatumika apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Orodha ya Washiriki waliopatikana na idadi ya folio apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Akaunti za Hifadhi ya Hifadhi. -DocType: Service Level,Response Time Period,Kipindi cha Mujibu wa Kipindi +DocType: Service Level Priority,Response Time Period,Kipindi cha Mujibu wa Kipindi DocType: Purchase Invoice,Purchase Taxes and Charges,Malipo na Malipo ya Ununuzi DocType: Course Activity,Activity Date,Tarehe ya Shughuli apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Chagua au kuongeza mteja mpya @@ -4561,6 +4603,7 @@ DocType: Sales Person,Select company name first.,Chagua jina la kampuni kwanza. apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Mwaka wa Fedha DocType: Sales Invoice Item,Deferred Revenue,Mapato yaliyotengwa apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Atleast moja ya Mauzo au Ununuzi lazima ichaguliwe +DocType: Shift Type,Working Hours Threshold for Half Day,Masaa ya Kazi ya Kuzuia Siku ya Nusu ,Item-wise Purchase History,Historia ya Ununuzi wa hekima apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Haiwezi kubadilisha Tarehe ya Kuacha Huduma kwa kipengee {0} DocType: Production Plan,Include Subcontracted Items,Jumuisha Vipengee vidogo @@ -4593,6 +4636,7 @@ DocType: Journal Entry,Total Amount Currency,Jumla ya Fedha ya Fedha DocType: BOM,Allow Same Item Multiple Times,Ruhusu Item Same Mara nyingi apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Unda BOM DocType: Healthcare Practitioner,Charges,Malipo +DocType: Employee,Attendance and Leave Details,Kuhudhuria na Kuacha Maelezo DocType: Student,Personal Details,Maelezo ya kibinafsi DocType: Sales Order,Billing and Delivery Status,Hali ya kulipia na utoaji apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Row {0}: Kwa wauzaji {0} Anwani ya barua pepe inahitajika kutuma barua pepe @@ -4644,7 +4688,6 @@ DocType: Bank Guarantee,Supplier,Wauzaji apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Ingiza thamani betweeen {0} na {1} DocType: Purchase Order,Order Confirmation Date,Tarehe ya uthibitisho wa amri DocType: Delivery Trip,Calculate Estimated Arrival Times,Tumia Hesabu ya Kufika Iliyotarajiwa -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Tafadhali kuanzisha Mfumo wa Jina la Wafanyakazi katika Rasilimali za Binadamu> Mipangilio ya HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Inatumiwa DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS -YYYY.- DocType: Subscription,Subscription Start Date,Tarehe ya Kuanza ya Usajili @@ -4667,7 +4710,7 @@ DocType: Installation Note Item,Installation Note Item,Kitu cha Kumbuka cha Ufun DocType: Journal Entry Account,Journal Entry Account,Akaunti ya Kuingia kwa Kawaida apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Tofauti apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Shughuli ya Vikao -DocType: Service Level,Resolution Time Period,Muda wa Muda wa Muda +DocType: Service Level Priority,Resolution Time Period,Muda wa Muda wa Muda DocType: Request for Quotation,Supplier Detail,Maelezo ya Wasambazaji DocType: Project Task,View Task,Tazama Kazi DocType: Serial No,Purchase / Manufacture Details,Maelezo ya Ununuzi / Utengenezaji @@ -4734,6 +4777,7 @@ DocType: Sales Invoice,Commission Rate (%),Kiwango cha Tume (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Ghala inaweza tu kubadilishwa kupitia Stock Entry / Delivery Kumbuka / Ununuzi Receipt DocType: Support Settings,Close Issue After Days,Funga Suala Baada ya Siku DocType: Payment Schedule,Payment Schedule,Ratiba ya Malipo +DocType: Shift Type,Enable Entry Grace Period,Wezesha Kipindi cha Neema cha Kuingia DocType: Patient Relation,Spouse,Mwenzi wako DocType: Purchase Invoice,Reason For Putting On Hold,Sababu ya kuweka juu ya kushikilia DocType: Item Attribute,Increment,Uingizaji @@ -4873,6 +4917,7 @@ DocType: Authorization Rule,Customer or Item,Wateja au Bidhaa DocType: Vehicle Log,Invoice Ref,Invoice Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Fomu ya C haifai kwa Invoice: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Invoice Iliyoundwa +DocType: Shift Type,Early Exit Grace Period,Kipindi cha Neema ya Kutoka Mapema DocType: Patient Encounter,Review Details,Tathmini maelezo apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Row {0}: Thamani ya saa lazima iwe kubwa kuliko sifuri. DocType: Account,Account Number,Idadi ya Akaunti @@ -4884,7 +4929,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Inafaa ikiwa kampuni ni SpA, SAPA au SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Hali ya kuingilia hupatikana kati ya: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Ilipwa na Haijaokolewa -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Msimbo wa kipengee ni lazima kwa sababu kitu haijasabiwa moja kwa moja DocType: GST HSN Code,HSN Code,Msimbo wa HSN DocType: GSTR 3B Report,September,Septemba apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Malipo ya Utawala @@ -4920,6 +4964,8 @@ DocType: Travel Itinerary,Travel From,Kusafiri Kutoka apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Akaunti ya CWIP DocType: SMS Log,Sender Name,Jina la Sender DocType: Pricing Rule,Supplier Group,Kundi la Wasambazaji +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Weka Muda wa Kuanza na Mwisho wa Siku ya Usaidizi {0} kwenye ripoti {1}. DocType: Employee,Date of Issue,Tarehe ya Suala ,Requested Items To Be Transferred,Vitu Vilivyoombwa Ili Kuhamishwa DocType: Employee,Contract End Date,Tarehe ya Mwisho wa Mkataba @@ -4930,6 +4976,7 @@ DocType: Healthcare Service Unit,Vacant,Ziko DocType: Opportunity,Sales Stage,Hatua ya Mauzo DocType: Sales Order,In Words will be visible once you save the Sales Order.,Katika Maneno itaonekana wakati unapohifadhi Amri ya Mauzo. DocType: Item Reorder,Re-order Level,Rejesha Kiwango +DocType: Shift Type,Enable Auto Attendance,Wezesha Mahudhurio ya Auto apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Upendeleo ,Department Analytics,Idara ya Uchambuzi DocType: Crop,Scientific Name,Jina la Sayansi @@ -4942,6 +4989,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} hali ni {2} DocType: Quiz Activity,Quiz Activity,Shughuli ya Maswali apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} sio wakati wa malipo ya halali DocType: Timesheet,Billed,Inauzwa +apps/erpnext/erpnext/config/support.py,Issue Type.,Aina ya Suala. DocType: Restaurant Order Entry,Last Sales Invoice,Mwisho Invoice Mauzo DocType: Payment Terms Template,Payment Terms,Masharti ya Malipo apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Uhifadhi uliohifadhiwa: Wingi umeagizwa kwa ajili ya kuuza, lakini haukutolewa." @@ -5037,6 +5085,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Mali apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} hana Ratiba ya Utunzaji wa Afya. Uongeze katika Mwalimu Mkuu wa Afya DocType: Vehicle,Chassis No,Chassis No +DocType: Employee,Default Shift,Shida ya Hitilafu apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Hali ya Kampuni apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Mti wa Matayarisho ya Vifaa DocType: Article,LMS User,Mtumiaji wa LMS @@ -5085,6 +5134,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST -YYYY.- DocType: Sales Person,Parent Sales Person,Mtu wa Mauzo ya Mzazi DocType: Student Group Creation Tool,Get Courses,Pata Mafunzo apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Uchina lazima uwe 1, kama kipengee ni mali iliyobaki. Tafadhali tumia mstari wa tofauti kwa qty nyingi." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Masaa ya kazi chini ambayo Ukosefu haujulikani. (Zero kuzima) DocType: Customer Group,Only leaf nodes are allowed in transaction,Node tu za majani zinaruhusiwa katika shughuli DocType: Grant Application,Organization,Shirika DocType: Fee Category,Fee Category,Haya Jamii @@ -5097,6 +5147,7 @@ DocType: Payment Order,PMO-,PMO- 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: Volunteer,Morning,Asubuhi DocType: Quotation Item,Quotation Item,Nukuu ya Nukuu +apps/erpnext/erpnext/config/support.py,Issue Priority.,Suala la Kipaumbele. DocType: Journal Entry,Credit Card Entry,Kuingia Kadi ya Mikopo apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Muda wa muda umekwisha, slot {0} kwa {1} huingilia slot ya kutosha {2} kwa {3}" DocType: Journal Entry Account,If Income or Expense,Kama Mapato au gharama @@ -5147,11 +5198,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Kuingiza Data na Mipangilio 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: Account,Expense Account,Akaunti ya gharama +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Muda kabla ya kuanza mwanzo wakati Waangalizi wa Wafanyakazi inachukuliwa kwa ajili ya kuhudhuria. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Uhusiano na Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Unda Invoice apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Ombi la Malipo tayari lipo {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Mfanyakazi aliondolewa kwenye {0} lazima awekwe kama 'Kushoto' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Kulipa {0} {1} +DocType: Company,Sales Settings,Mazingira ya Mauzo DocType: Sales Order Item,Produced Quantity,Waliyotokana na Wingi apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Ombi la nukuu inaweza kupatikana kwa kubonyeza kiungo kinachofuata DocType: Monthly Distribution,Name of the Monthly Distribution,Jina la Usambazaji wa kila mwezi @@ -5230,6 +5283,7 @@ DocType: Company,Default Values,Maadili ya Maadili apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Vidokezo vya kodi za malipo kwa ununuzi na ununuzi vinaloundwa. 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/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Debit Kwa akaunti lazima iwe akaunti inayoidhinishwa +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Tafadhali weka Akaunti katika Duka la Ghala {0} au Akaunti ya Inventory Inventory katika Kampuni {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Weka kama Msingi DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Uzito wavu wa mfuko huu. (mahesabu ya moja kwa moja kama jumla ya uzito wa vitu) @@ -5256,8 +5310,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Batches zilizopita DocType: Shipping Rule,Shipping Rule Type,Aina ya Rule ya Utoaji DocType: Job Offer,Accepted,Imekubaliwa -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Tafadhali futa Waajiri {0} \ ili kufuta hati hii" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Tayari umepima vigezo vya tathmini {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Chagua Hesabu za Batch apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Umri (Siku) @@ -5284,6 +5336,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Chagua Domains yako DocType: Agriculture Task,Task Name,Jina la Task apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Entries Entries tayari kuundwa kwa Work Order +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Tafadhali futa Waajiri {0} \ ili kufuta hati hii" ,Amount to Deliver,Kiasi cha Kutoa apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Kampuni {0} haipo apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Hakuna Maombi ya Nyenzo yaliyotarajiwa yaliyopatikana ili kuunganishwa kwa vitu vyenye. @@ -5333,6 +5387,7 @@ DocType: Program Enrollment,Enrolled courses,Kozi iliyosajiliwa DocType: Lab Prescription,Test Code,Kanuni ya mtihani DocType: Purchase Taxes and Charges,On Previous Row Total,Kwenye Mstari Uliopita DocType: Student,Student Email Address,Anwani ya barua pepe ya Wanafunzi +,Delayed Item Report,Ripoti ya Taarifa ya kuchelewa DocType: Academic Term,Education,Elimu DocType: Supplier Quotation,Supplier Address,Anwani ya Wasambazaji DocType: Salary Detail,Do not include in total,Usijumuishe kwa jumla @@ -5340,7 +5395,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} haipo DocType: Purchase Receipt Item,Rejected Quantity,Nambari ya Kukataliwa DocType: Cashier Closing,To TIme,Kwa TI -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Kipengele cha kubadilisha UOM ({0} -> {1}) haipatikani kwa kipengee: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Muhtasari wa Kazi ya Kila siku ya Mtumiaji DocType: Fiscal Year Company,Fiscal Year Company,Kampuni ya Mwaka wa Fedha apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Kitu mbadala haipaswi kuwa sawa na msimbo wa bidhaa @@ -5392,6 +5446,7 @@ DocType: Program Fee,Program Fee,Malipo ya Programu DocType: Delivery Settings,Delay between Delivery Stops,Punguza muda kati ya Utoaji wa Utoaji DocType: Stock Settings,Freeze Stocks Older Than [Days],Zifungia Hifadhi za Kale kuliko [Siku] DocType: Promotional Scheme,Promotional Scheme Product Discount,Bidhaa ya Uendelezaji wa Mfuko wa Bidhaa +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Suala la Kipaumbele Tayari iko DocType: Account,Asset Received But Not Billed,Mali inayopata lakini haijatibiwa DocType: POS Closing Voucher,Total Collected Amount,Kiasi kilichokusanywa DocType: Course,Default Grading Scale,Kiwango cha Kuzingatia chaguo-msingi @@ -5433,6 +5488,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Masharti ya Utekelezaji apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Sio Kikundi kwa Kundi DocType: Student Guardian,Mother,Mama +DocType: Issue,Service Level Agreement Fulfilled,Mkataba wa kiwango cha huduma umetimizwa DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Kutoa Ushuru kwa Faida za Wafanyakazi Siojulikana DocType: Travel Request,Travel Funding,Fedha za kusafiri DocType: Shipping Rule,Fixed,Zisizohamishika @@ -5462,10 +5518,12 @@ DocType: Item,Warranty Period (in days),Kipindi cha udhamini (katika siku) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Hakuna vitu vilivyopatikana. DocType: Item Attribute,From Range,Kutoka Mbalimbali DocType: Clinical Procedure,Consumables,Matumizi +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'work_field_value' na 'timestamp' zinahitajika. DocType: Purchase Taxes and Charges,Reference Row #,Mstari wa Kumbukumbu # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Tafadhali weka 'Kituo cha Gharama ya Upunguzaji wa Mali' katika Kampuni {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Hati ya kulipa inahitajika ili kukamilisha shughuli DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Bonyeza kifungo hiki ili kuvuta data yako ya Mauzo ya Order kutoka Amazon MWS. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Masaa ya kazi chini ambayo Siku ya Nusu imechapishwa. (Zero kuzima) ,Assessment Plan Status,Hali ya Mpango wa Tathmini apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Tafadhali chagua {0} kwanza apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Tuma hii ili kuunda rekodi ya Wafanyakazi @@ -5536,6 +5594,7 @@ DocType: Quality Procedure,Parent Procedure,Utaratibu wa Mzazi apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Weka Ufunguzi apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Futa Filters DocType: Production Plan,Material Request Detail,Maelezo ya Maelezo ya Nyenzo +DocType: Shift Type,Process Attendance After,Utaratibu wa Mahudhurio Baadaye DocType: Material Request Item,Quantity and Warehouse,Wingi na Ghala apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Nenda kwenye Programu apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: Kuingia kwa Duplicate katika Marejeleo {1} {2} @@ -5593,6 +5652,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Maelezo ya Chama apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Wadaiwa ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Hadi sasa haiwezi kubwa kuliko tarehe ya kuondokana na mfanyakazi +DocType: Shift Type,Enable Exit Grace Period,Wezesha Nyakati za Neema za Kuondoka DocType: Expense Claim,Employees Email Id,Waajiri Barua Id DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Punguza bei kutoka kwa Shopify hadi ERPNext Orodha ya Bei DocType: Healthcare Settings,Default Medical Code Standard,Kiwango cha Standard cha Matibabu ya Kivumu @@ -5623,7 +5683,6 @@ DocType: Item Group,Item Group Name,Jina la Kikundi cha Bidhaa DocType: Budget,Applicable on Material Request,Inahitajika kwa Ombi la Nyenzo DocType: Support Settings,Search APIs,API za Utafutaji DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Asilimia ya upungufu kwa Uagizaji wa Mauzo -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Specifications DocType: Purchase Invoice,Supplied Items,Vitu vinavyopatikana DocType: Leave Control Panel,Select Employees,Chagua Waajiriwa apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Chagua akaunti ya mapato ya riba kwa mkopo {0} @@ -5649,7 +5708,7 @@ DocType: Salary Slip,Deductions,Kupunguza ,Supplier-Wise Sales Analytics,Wafanyabiashara-Wiseja Mauzo Analytics DocType: GSTR 3B Report,February,Februari DocType: Appraisal,For Employee,Kwa Mfanyakazi -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Tarehe halisi ya utoaji +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Tarehe halisi ya utoaji DocType: Sales Partner,Sales Partner Name,Jina la Mshirika wa Mauzo apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Upungufu Row {0}: Dharura ya Kuanzia Tarehe imeanza kama tarehe iliyopita DocType: GST HSN Code,Regional,Mkoa @@ -5688,6 +5747,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Ank DocType: Supplier Scorecard,Supplier Scorecard,Scorecard ya Wasambazaji DocType: Travel Itinerary,Travel To,Safari Kwa apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Mark Attendance +DocType: Shift Type,Determine Check-in and Check-out,Kuamua Angalia na Angalia DocType: POS Closing Voucher,Difference,Tofauti apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Ndogo DocType: Work Order Item,Work Order Item,Jedwali la Kazi ya Kazi @@ -5721,6 +5781,7 @@ DocType: Sales Invoice,Shipping Address Name,Jina la Anwani ya Maji apps/erpnext/erpnext/healthcare/setup.py,Drug,Madawa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} imefungwa DocType: Patient,Medical History,Historia ya Matibabu +DocType: Expense Claim,Expense Taxes and Charges,Kodi na gharama za gharama DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Idadi ya siku baada ya tarehe ya ankara imetoka kabla ya kufuta michango au kusajili usajili bila malipo apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Maelezo ya Usanidi {0} tayari imewasilishwa DocType: Patient Relation,Family,Familia @@ -5752,7 +5813,6 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 2,Kipengee 2 apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,Viwango vya Kuzuia Ushuru kutumiwa kwenye shughuli. DocType: Dosage Strength,Strength,Nguvu DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Rejesha vifaa vya Raw vya Subcontract Based On -DocType: Bank Guarantee,Customer,Wateja DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Ikiwa imewezeshwa, Kipindi cha Mafunzo ya shamba kitakuwa cha lazima katika Kitengo cha Uandikishaji wa Programu." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Kwa Kundi la Wanafunzi la msingi, Kikundi cha Wanafunzi kitathibitishwa kwa kila Mwanafunzi kutoka Uandikishaji wa Programu." DocType: Course,Topics,Mada @@ -5832,6 +5892,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Wajumbe wa Sura DocType: Warranty Claim,Service Address,Anwani ya Huduma DocType: Journal Entry,Remark,Remark +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Wingi haipatikani kwa {4} katika ghala {1} wakati wa kutuma muda wa kuingia ({2} {3}) DocType: Patient Encounter,Encounter Time,Kukutana Muda DocType: Serial No,Invoice Details,Maelezo ya ankara 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 maingilio yanaweza kufanywa dhidi ya wasio Vikundi" @@ -5912,6 +5973,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","B apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Kufungwa (Kufungua + Jumla) DocType: Supplier Scorecard Criteria,Criteria Formula,Mfumo wa Kanuni apps/erpnext/erpnext/config/support.py,Support Analytics,Analytics Support +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Idhini ya Kitambulisho cha Kifaa (Kitambulisho cha kitambulisho cha Biometri / RF) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Tathmini na Hatua DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ikiwa akaunti imehifadhiwa, viingilio vinaruhusiwa watumiaji waliozuiwa." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Kiasi Baada ya kushuka kwa thamani @@ -5933,6 +5995,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Malipo ya Mikopo DocType: Employee Education,Major/Optional Subjects,Majukumu makubwa / Chaguo DocType: Soil Texture,Silt,Silt +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Anwani za Wasambazaji Na Mawasiliano DocType: Bank Guarantee,Bank Guarantee Type,Aina ya Dhamana ya Benki DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ikiwa imezima, shamba 'Rounded Total' halitaonekana katika shughuli yoyote" DocType: Pricing Rule,Min Amt,Min. Amt @@ -5970,6 +6033,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Kufungua Kitufe cha Uumbaji wa Dawa ya Invoice DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Jumuisha Shughuli za POS +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Hakuna Mfanyakazi aliyepatikana kwa thamani ya shamba la mfanyakazi. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Kiasi kilichopokelewa (Fedha la Kampuni) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","Mitaa ya Mitaa imejaa, haikuhifadhi" DocType: Chapter Member,Chapter Member,Mwanachama wa Sura @@ -6002,6 +6066,7 @@ DocType: SMS Center,All Lead (Open),Viongozi wote (Open) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Hakuna Vikundi vya Wanafunzi vilivyoundwa. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Mstari wa Duplicate {0} na sawa {1} DocType: Employee,Salary Details,Maelezo ya Mshahara +DocType: Employee Checkin,Exit Grace Period Consequence,Toka matokeo ya Grace Nyakati DocType: Bank Statement Transaction Invoice Item,Invoice,Dawa DocType: Special Test Items,Particulars,Maelezo apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Tafadhali weka kichujio kulingana na Bidhaa au Ghala @@ -6103,6 +6168,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Nje ya AMC DocType: Job Opening,"Job profile, qualifications required etc.","Profaili ya kazi, sifa zinazohitajika nk." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Ship To State +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Je! Unataka kuwasilisha ombi la nyenzo DocType: Opportunity Item,Basic Rate,Kiwango cha Msingi DocType: Compensatory Leave Request,Work End Date,Tarehe ya Mwisho wa Kazi apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Ombi la Malighafi @@ -6287,6 +6353,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Kiwango cha kushuka kwa thama DocType: Sales Order Item,Gross Profit,Faida Pato DocType: Quality Inspection,Item Serial No,Kitu cha Serial No DocType: Asset,Insurer,Bima +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Kununua Kiasi DocType: Asset Maintenance Task,Certificate Required,Cheti Inahitajika DocType: Retention Bonus,Retention Bonus,Bonus ya kuhifadhiwa @@ -6402,6 +6469,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Tofauti Kiasi (Fedha DocType: Invoice Discounting,Sanctioned,Imeteuliwa DocType: Course Enrollment,Course Enrollment,Uandikishaji wa Kozi DocType: Item,Supplier Items,Bidhaa za Wasambazaji +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Muda wa Mwanzo hauwezi kuwa mkubwa kuliko au sawa na Muda wa Mwisho \ kwa {0}. DocType: Sales Order,Not Applicable,Haihitajika DocType: Support Search Source,Response Options,Chaguo la majibu apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} lazima iwe thamani kati ya 0 na 100 @@ -6488,7 +6557,6 @@ DocType: Travel Request,Costing,Gharama apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Mali za kudumu DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Jumla ya Kupata -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Wateja> Kikundi cha Wateja> Eneo DocType: Share Balance,From No,Kutoka Hapana DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Malipo ya Upatanisho wa Malipo DocType: Purchase Invoice,Taxes and Charges Added,Kodi na Malipo Aliongeza @@ -6596,6 +6664,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Piga sheria ya bei apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Chakula DocType: Lost Reason Detail,Lost Reason Detail,Sababu ya Sababu iliyopotea +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Nambari za serial zifuatazo zimeundwa:
{0} DocType: Maintenance Visit,Customer Feedback,Maoni ya Wateja DocType: Serial No,Warranty / AMC Details,Maelezo ya udhamini / AMC DocType: Issue,Opening Time,Muda wa Ufunguzi @@ -6645,6 +6714,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Jina la kampuni si sawa apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Uendelezaji wa Wafanyakazi hauwezi kuwasilishwa kabla ya Tarehe ya Kukuza apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Hairuhusiwi kusasisha ushirikiano wa hisa zaidi kuliko {0} +DocType: Employee Checkin,Employee Checkin,Checkin ya Wafanyakazi 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} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Unda nukuu za wateja DocType: Buying Settings,Buying Settings,Mipangilio ya kununua @@ -6666,6 +6736,7 @@ DocType: Job Card Time Log,Job Card Time Log,Kadi ya Akaunti ya Kadi ya Kazi DocType: Patient,Patient Demographics,Idadi ya Watu wa Magonjwa DocType: Share Transfer,To Folio No,Kwa No apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Mtoko wa Fedha kutoka Uendeshaji +DocType: Employee Checkin,Log Type,Aina ya Ingia DocType: Stock Settings,Allow Negative Stock,Ruhusu Stock mbaya apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Hakuna vitu vilivyo na mabadiliko yoyote kwa wingi au thamani. DocType: Asset,Purchase Date,Tarehe ya Ununuzi @@ -6710,6 +6781,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Hyper sana apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Chagua asili ya biashara yako. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Tafadhali chagua mwezi na mwaka +DocType: Service Level,Default Priority,Kipaumbele cha Kipaumbele DocType: Student Log,Student Log,Ingia ya Wanafunzi DocType: Shopping Cart Settings,Enable Checkout,Wezesha Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Rasilimali @@ -6738,7 +6810,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Unganisha Dukaify na ERPNext DocType: Homepage Section Card,Subtitle,Mada DocType: Soil Texture,Loam,Loam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Wafanyabiashara> Aina ya Wafanyabiashara DocType: BOM,Scrap Material Cost(Company Currency),Gharama za Nyenzo za Nyenzo (Fedha la Kampuni) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Kumbuka Utoaji {0} haipaswi kuwasilishwa DocType: Task,Actual Start Date (via Time Sheet),Tarehe ya Kwanza ya Kuanza (kupitia Karatasi ya Muda) @@ -6794,6 +6865,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Kipimo DocType: Cheque Print Template,Starting position from top edge,Kuanzia nafasi kutoka kwenye makali ya juu apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Muda wa Uteuzi (mchana) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Mtumishi huyu tayari ana logi yenye timestamp sawa. {0} DocType: Accounting Dimension,Disable,Zima DocType: Email Digest,Purchase Orders to Receive,Amri ya Ununuzi Ili Kupokea apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Amri za Uzalishaji haziwezi kuinuliwa kwa: @@ -6809,7 +6881,6 @@ DocType: Production Plan,Material Requests,Maombi ya Nyenzo DocType: Buying Settings,Material Transferred for Subcontract,Nyenzo Iliyohamishwa kwa Msaada wa Chini DocType: Job Card,Timing Detail,Maelezo ya Muda apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Inahitajika -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Kuagiza {0} ya {1} DocType: Job Offer Term,Job Offer Term,Kazi ya Kutoa Kazi DocType: SMS Center,All Contact,Mawasiliano yote DocType: Project Task,Project Task,Kazi ya Mradi @@ -6860,7 +6931,6 @@ DocType: Student Log,Academic,Chuo kikuu 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 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Kutoka Nchi DocType: Leave Type,Maximum Continuous Days Applicable,Siku Zilizozidi Kuendelea Inafaa -apps/erpnext/erpnext/config/support.py,Support Team.,Timu ya Kusaidia. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Tafadhali ingiza jina la kampuni kwanza apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Ingiza Ufanisi DocType: Guardian,Alternate Number,Nambari mbadala @@ -6952,6 +7022,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Row # {0}: Maelezo imeongezwa DocType: Student Admission,Eligibility and Details,Uhalali na Maelezo DocType: Staffing Plan,Staffing Plan Detail,Mpangilio wa Mpango wa Utumishi +DocType: Shift Type,Late Entry Grace Period,Kipindi cha Neema ya Kuingia kwa Muda DocType: Email Digest,Annual Income,Mapato ya kila mwaka DocType: Journal Entry,Subscription Section,Sehemu ya Usajili DocType: Salary Slip,Payment Days,Siku za Malipo @@ -7002,6 +7073,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Mizani ya Akaunti DocType: Asset Maintenance Log,Periodicity,Periodicity apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Rekodi ya Matibabu +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Aina ya Ingia inahitajika kwa ajili ya kuingia katika kuhama: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Utekelezaji DocType: Item,Valuation Method,Njia ya Hesabu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} dhidi ya ankara ya mauzo {1} @@ -7085,6 +7157,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Kiwango cha gharama kw DocType: Loan Type,Loan Name,Jina la Mikopo apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Weka njia ya malipo ya default DocType: Quality Goal,Revision,Marudio +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Wakati kabla ya mwisho wa mwisho wa kuhama wakati uangalizi unazingatiwa mapema (kwa dakika). DocType: Healthcare Service Unit,Service Unit Type,Aina ya Huduma ya Huduma DocType: Purchase Invoice,Return Against Purchase Invoice,Rudi dhidi ya ankara ya ununuzi apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Kuzalisha siri @@ -7240,12 +7313,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Vipodozi DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Angalia hii ikiwa unataka kulazimisha mtumiaji kuchagua mfululizo kabla ya kuokoa. Hutakuwa na default ikiwa utaangalia hii. 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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Msimbo wa Kipengee> Kikundi cha Bidhaa> Brand DocType: Expense Claim,Total Claimed Amount,Kiasi kilichodaiwa apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Haikuweza kupata muda wa Slot katika siku zifuatazo {0} kwa Uendeshaji {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Kufunga juu apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Unaweza tu upya kama wanachama wako muda mfupi ndani ya siku 30 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Thamani lazima iwe kati ya {0} na {1} DocType: Quality Feedback,Parameters,Parameters +DocType: Shift Type,Auto Attendance Settings,Mipangilio ya Mahudhurio ya Auto ,Sales Partner Transaction Summary,Muhtasari wa Shughuli za Mshirika wa Mauzo DocType: Asset Maintenance,Maintenance Manager Name,Jina la Meneja wa Matengenezo apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Inahitajika Kuchukua Maelezo ya Bidhaa. @@ -7337,10 +7412,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Thibitisha Sheria ya Utekelezaji DocType: Job Card Item,Job Card Item,Kadi ya Kadi ya Kazi DocType: Homepage,Company Tagline for website homepage,Tagline ya kampuni ya homepage ya tovuti +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Weka Muda wa Jibu na Azimio kwa Kipaumbele {0} kwenye index {1}. DocType: Company,Round Off Cost Center,Kituo cha Gharama ya Gurudumu DocType: Supplier Scorecard Criteria,Criteria Weight,Vigezo vya uzito DocType: Asset,Depreciation Schedules,Ratiba ya kushuka kwa thamani -DocType: Expense Claim Detail,Claim Amount,Tumia Kiasi DocType: Subscription,Discounts,Punguzo DocType: Shipping Rule,Shipping Rule Conditions,Masharti ya Kanuni za Uhamisho DocType: Subscription,Cancelation Date,Tarehe ya kufuta @@ -7368,7 +7443,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Unda Mwongozo apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Onyesha maadili ya sifuri DocType: Employee Onboarding,Employee Onboarding,Wafanyakazi Onboarding DocType: POS Closing Voucher,Period End Date,Tarehe ya Mwisho wa Nyakati -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Fursa za Mauzo kwa Chanzo DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Msaidizi wa Kwanza wa Kuondoka katika orodha itawekwa kama Msaidizi wa Kuacha wa Kuacha. DocType: POS Settings,POS Settings,Mipangilio ya POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Akaunti zote @@ -7389,7 +7463,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Matiba apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Kiwango lazima kiwe sawa na {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR -YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Vitu vya Utumishi wa Afya -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Hakuna kumbukumbu zilizopatikana apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Kipindi cha kuzeeka 3 DocType: Vital Signs,Blood Pressure,Shinikizo la damu 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 @@ -7436,6 +7509,7 @@ DocType: Company,Existing Company,Kampuni iliyopo apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Vita apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Ulinzi DocType: Item,Has Batch No,Ina Bande No +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Siku zilizochelewa DocType: Lead,Person Name,Jina la Mtu DocType: Item Variant,Item Variant,Tofauti ya Tofauti DocType: Training Event Employee,Invited,Alialikwa @@ -7457,7 +7531,7 @@ DocType: Purchase Order,To Receive and Bill,Ili Kupokea na Bill apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Tarehe za mwanzo na za mwisho sio wakati wa malipo ya halali, hauwezi kuhesabu {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Onyesha Wateja wa Vikundi hivi vya Wateja apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Chagua vitu ili uhifadhi ankara -DocType: Service Level,Resolution Time,Muda wa Muda +DocType: Service Level Priority,Resolution Time,Muda wa Muda DocType: Grading Scale Interval,Grade Description,Maelezo ya Daraja DocType: Homepage Section,Cards,Kadi DocType: Quality Meeting Minutes,Quality Meeting Minutes,Mkutano wa Mkutano wa Ubora @@ -7484,6 +7558,7 @@ DocType: Project,Gross Margin %,Marginal Pato% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Usawa wa Taarifa ya Benki kama kwa Jedwali Mkuu apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Huduma ya afya (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Ghala la Ghafla ili kujenga Mauzo ya Utaratibu na Utoaji +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Muda wa Majibu kwa {0} kwenye ripoti {1} haiwezi kuwa kubwa kuliko Muda wa Azimio. DocType: Opportunity,Customer / Lead Name,Wateja / Jina la Kiongozi DocType: Student,EDU-STU-.YYYY.-,EDU-STU -YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Kiasi kisichojulikana @@ -7530,7 +7605,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Kuagiza Vyama na Anwani DocType: Item,List this Item in multiple groups on the website.,Andika orodha hii katika vikundi vingi kwenye tovuti. DocType: Request for Quotation,Message for Supplier,Ujumbe kwa Wafanyabiashara -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Haiwezi kubadilisha {0} kama Stock Transaction kwa Bidhaa {1} kuwepo. DocType: Healthcare Practitioner,Phone (R),Simu (R) DocType: Maintenance Team Member,Team Member,Mwanachama wa Timu DocType: Asset Category Account,Asset Category Account,Akaunti ya Jamii ya Mali diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv index 62e74791e9..34c2b55ae1 100644 --- a/erpnext/translations/ta.csv +++ b/erpnext/translations/ta.csv @@ -76,7 +76,7 @@ DocType: Academic Term,Term Start Date,கால துவங்கும் த apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,நியமனம் {0} மற்றும் விற்பனை விலைப்பட்டியல் {1} ரத்துசெய்யப்பட்டது DocType: Purchase Receipt,Vehicle Number,வாகன எண் apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,உங்கள் மின்னஞ்சல் முகவரி... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,இயல்புநிலை புத்தக பதிவுகள் அடங்கும் +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,இயல்புநிலை புத்தக பதிவுகள் அடங்கும் DocType: Activity Cost,Activity Type,செயல்பாட்டு வகை DocType: Purchase Invoice,Get Advances Paid,முன்னேற்றங்கள் பெறவும் DocType: Company,Gain/Loss Account on Asset Disposal,சொத்து நீக்கம் மீது ஆதாயம் / இழப்பு கணக்கு @@ -222,7 +222,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,அது என DocType: Bank Reconciliation,Payment Entries,கட்டணம் உள்ளீடு DocType: Employee Education,Class / Percentage,வகுப்பு / சதவீதம் ,Electronic Invoice Register,மின்னணு விலைப்பட்டியல் பதிவு +DocType: Shift Type,The number of occurrence after which the consequence is executed.,இதன் விளைவாக செயல்படுத்தப்படும் நிகழ்வுகளின் எண்ணிக்கை. DocType: Sales Invoice,Is Return (Credit Note),திரும்ப (கடன் குறிப்பு) +DocType: Price List,Price Not UOM Dependent,விலை UOM சார்ந்தது அல்ல DocType: Lab Test Sample,Lab Test Sample,லேப் டெஸ்ட் மாதிரி DocType: Shopify Settings,status html,நிலை HTML DocType: Fiscal Year,"For e.g. 2012, 2012-13","எ.கா. 2012, 2012-13 க்கு" @@ -253,6 +255,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.js,Create Disbursement Entry,அனு apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Purpose must be one of {0},நோக்கம் {0} DocType: Content Activity,Last Activity ,கடந்த செயல்பாடு DocType: Crop Cycle,A link to all the Locations in which the Crop is growing,பயிர் வளரும் அனைத்து இடங்களுக்கும் ஒரு இணைப்பு +apps/erpnext/erpnext/education/doctype/course_activity/course_activity.py,Course Enrollment {0} does not exists,பாடநெறி பதிவு {0} இல்லை apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},விடுப்பு வகை {0} இல் அனுமதிக்கப்படும் அதிகபட்ச விடுப்பு {1} ,Qty to Transfer,இடமாற்றம் செய்ய Qty apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Group) for type - {0},வகைப்படுத்தவும் / கணக்கை உருவாக்கவும் (குழு) - {0} @@ -320,6 +323,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,தயாரி DocType: Salary Slip,Net Pay,நிகர ஊதியம் apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,மொத்த விலைமதிப்பற்ற அட் DocType: Clinical Procedure,Consumables Invoice Separately,தனிபயன் விலைப்பட்டியல் தனித்தனியாக +DocType: Shift Type,Working Hours Threshold for Absent,இல்லாத நேரத்திற்கான வேலை நேரம் வாசல் DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},குழு கணக்கில் {0} DocType: Purchase Receipt Item,Rate and Amount,விகிதம் மற்றும் தொகை @@ -375,7 +379,6 @@ DocType: Sales Invoice,Set Source Warehouse,அமை மூல கிடங் DocType: Healthcare Settings,Out Patient Settings,நோயாளி அமைப்புகள் வெளியே DocType: Asset,Insurance End Date,காப்பீடு முடிவு தேதி DocType: Bank Account,Branch Code,கிளை கோட் -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,பதில் நேரம் apps/erpnext/erpnext/public/js/conf.js,User Forum,பயனர் கருத்துக்களம் DocType: Landed Cost Item,Landed Cost Item,விலை பொருள் தரப்பட்டது apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,விற்பனையாளர் மற்றும் வாங்குபவர் அதே இருக்க முடியாது @@ -591,6 +594,7 @@ DocType: Lead,Lead Owner,தலைமை நடத்துனர் DocType: Share Transfer,Transfer,மாற்றம் apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),தேடல் உருப்படி (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} முடிவு சமர்ப்பிக்கப்பட்டது +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,தேதியிலிருந்து இன்றுவரை விட அதிகமாக இருக்க முடியாது DocType: Supplier,Supplier of Goods or Services.,பொருட்கள் அல்லது சேவை வழங்குபவர். apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,புதிய கணக்கின் பெயர். குறிப்பு: வாடிக்கையாளர்களுக்கும் சப்ளையர்களுக்கும் கணக்குகளை உருவாக்க வேண்டாம் apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,மாணவர் குழு அல்லது பாடநெறி கட்டாயம் கட்டாயமாக உள்ளது @@ -701,6 +705,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/templates/pages/demo.html,ERPNext Demo,ERPNext டெமோ DocType: Patient,Other Risk Factors,பிற இடர் காரணிகள் DocType: Item Attribute,To Range,வரம்புக்கு +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,{0} applicable after {1} working days,{0} {1} வேலை நாட்களுக்குப் பிறகு பொருந்தும் DocType: Task,Task Description,பணி விவரம் DocType: Bank Account,SWIFT Number,SWIFT எண் DocType: Accounts Settings,Show Payment Schedule in Print,அச்சு கட்டண கட்டணத்தைக் காண்பி @@ -877,6 +882,7 @@ DocType: Delivery Trip,Distance UOM,தூரம் UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,சமநிலை தாள் கட்டாயத்திற்கு DocType: Payment Entry,Total Allocated Amount,மொத்த ஒதுக்கீடு தொகை DocType: Sales Invoice,Get Advances Received,முன்னேற்றங்கள் பெறப்பட்டது +DocType: Shift Type,Last Sync of Checkin,செக்கின் கடைசி ஒத்திசைவு DocType: Student,B-,பி DocType: Purchase Invoice Item,Item Tax Amount Included in Value,மதிப்பில் சேர்க்கப்பட்ட பொருள் வரி தொகை apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -885,7 +891,9 @@ DocType: Subscription Plan,Subscription Plan,சந்தா திட்டம DocType: Student,Blood Group,இரத்த வகை apps/erpnext/erpnext/config/healthcare.py,Masters,முதுநிலை DocType: Crop,Crop Spacing UOM,பயிர் இடைவெளி UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,செக்-இன் தாமதமாக (நிமிடங்களில்) கருதப்படும் போது ஷிப்ட் தொடக்க நேரத்திற்குப் பிறகு நேரம். apps/erpnext/erpnext/templates/pages/home.html,Explore,ஆராயுங்கள் +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,நிலுவையில் உள்ள விலைப்பட்டியல் எதுவும் கிடைக்கவில்லை DocType: Promotional Scheme,Product Discount Slabs,தயாரிப்பு தள்ளுபடி அடுக்குகள் DocType: Hotel Room Package,Amenities,வசதிகள் DocType: Lab Test Groups,Add Test,டெஸ்ட் சேர் @@ -983,6 +991,7 @@ DocType: Attendance,Attendance Request,கலந்துரையாடல் DocType: Item,Moving Average,சராசரியாக நகர்கிறது DocType: Employee Attendance Tool,Unmarked Attendance,குறிக்கப்படாத கலந்துரையாடல் DocType: Homepage Section,Number of Columns,நெடுவரிசைகளின் எண்ணிக்கை +DocType: Issue Priority,Issue Priority,முன்னுரிமை வழங்குதல் DocType: Holiday List,Add Weekly Holidays,வார விடுமுறை தினங்களைச் சேர்க்கவும் DocType: Shopify Log,Shopify Log,Shopify பதிவு apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,சம்பள சரிவை உருவாக்குங்கள் @@ -991,6 +1000,7 @@ DocType: Job Offer Term,Value / Description,மதிப்பு / விளக DocType: Warranty Claim,Issue Date,வெளியீட்டு தேதி 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}. இந்த தேவையை நிறைவேற்றும் ஒற்றைத் தொகுதி கண்டுபிடிக்க முடியவில்லை apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,இடது ஊழியர்களுக்கான தக்கவைப்பு போனஸ் உருவாக்க முடியாது +DocType: Employee Checkin,Location / Device ID,இடம் / சாதன ஐடி DocType: Purchase Order,To Receive,பெற apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,நீங்கள் ஆஃப்லைன் முறையில் இருக்கின்றீர்கள். நெட்வொர்க்கு இருக்கும் வரை நீங்கள் மீண்டும் ஏற்ற முடியாது. DocType: Course Activity,Enrollment,பதிவு @@ -999,7 +1009,6 @@ DocType: Lab Test Template,Lab Test Template,லேப் டெஸ்ட் வ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},அதிகபட்சம்: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,மின்-விலைப்பட்டியல் தகவல் காணப்படவில்லை apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,பொருள் கோரிக்கை எதுவும் உருவாக்கப்படவில்லை -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட் DocType: Loan,Total Amount Paid,மொத்த தொகை பணம் apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,இந்த அனைத்து பொருட்களும் ஏற்கெனவே பதிவு செய்யப்பட்டுள்ளன DocType: Training Event,Trainer Name,பயிற்சியாளர் பெயர் @@ -1108,6 +1117,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},முன்னணி தலைப்பில் குறிப்பிடவும் {0} DocType: Employee,You can enter any date manually,நீங்கள் எந்தவொரு தேதியும் கைமுறையாக உள்ளிடலாம் DocType: Stock Reconciliation Item,Stock Reconciliation Item,பங்கு நல்லிணக்கப் பொருள் +DocType: Shift Type,Early Exit Consequence,ஆரம்பகால வெளியேறும் விளைவு DocType: Item Group,General Settings,பொது அமைப்புகள் apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,தேதி / சப்ளையர் விலைப்பட்டியல் தேதிக்கு முன்பே தேதி இருக்கக்கூடாது apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,சமர்ப்பிக்கும் முன் பயனாளியின் பெயரை உள்ளிடவும். @@ -1145,6 +1155,7 @@ DocType: Account,Auditor,ஆடிட்டர் apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,பணம் உறுதிப்படுத்தல் ,Available Stock for Packing Items,பொருட்கள் பொதிக்கு கிடைக்கும் பங்கு apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},C-Form {1} இலிருந்து இந்த விலைப்பட்டியல் {0} ஐ அகற்றவும் +DocType: Shift Type,Every Valid Check-in and Check-out,ஒவ்வொரு செல்லுபடியாகும் செக்-இன் மற்றும் செக்-அவுட் DocType: Support Search Source,Query Route String,வினவலை பாதை சரம் DocType: Customer Feedback Template,Customer Feedback Template,வாடிக்கையாளர் கருத்து டெம்ப்ளேட் apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,லட்ஸ் அல்லது வாடிக்கையாளர்களுக்கு மேற்கோள். @@ -1179,6 +1190,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,அங்கீகார கட்டுப்பாடு ,Daily Work Summary Replies,தினசரி பணி சுருக்கம் பதில்கள் apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},திட்டத்தில் ஒத்துழைக்க நீங்கள் அழைக்கப்பட்டுள்ளீர்கள்: {0} +DocType: Issue,Response By Variance,மாறுபாட்டின் மூலம் பதில் DocType: Item,Sales Details,விற்பனை விவரங்கள் apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,அச்சு வார்ப்புருகளுக்கான கடிதம் தலைப்புகள். DocType: Salary Detail,Tax on additional salary,கூடுதல் சம்பளத்தில் வரி @@ -1302,6 +1314,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,வாட DocType: Project,Task Progress,பணி முன்னேற்றம் DocType: Journal Entry,Opening Entry,நுழைவுத் திறப்பு DocType: Bank Guarantee,Charges Incurred,கட்டணம் வசூலிக்கப்பட்டது +DocType: Shift Type,Working Hours Calculation Based On,வேலை நேரம் கணக்கீடு அடிப்படையில் DocType: Work Order,Material Transferred for Manufacturing,தயாரிப்புக்கு மாற்றியமைக்கப்பட்ட பொருள் DocType: Products Settings,Hide Variants,மாறுதல்களை மறை DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,செயல்திறன் திட்டமிடல் மற்றும் நேரம் கண்காணிப்பு முடக்கவும் @@ -1331,6 +1344,7 @@ DocType: Account,Depreciation,தேய்மானம் DocType: Guardian,Interests,ஆர்வம் DocType: Purchase Receipt Item Supplied,Consumed Qty,நுகர்வோர் Qty DocType: Education Settings,Education Manager,கல்வி மேலாளர் +DocType: Employee Checkin,Shift Actual Start,உண்மையான தொடக்கத்தை மாற்றவும் DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,பணிநேர வேலை நேரங்களுக்கு வெளியே திட்ட நேரம் பதிவுசெய்கிறது. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},விசுவாச புள்ளிகள்: {0} DocType: Healthcare Settings,Registration Message,பதிவு செய்தியிடல் @@ -1357,7 +1371,6 @@ DocType: Sales Partner,Contact Desc,தொடர்பு Desc DocType: Purchase Invoice,Pricing Rules,விலை விதிமுறைகள் DocType: Hub Tracked Item,Image List,பட பட்டியல் DocType: Item Variant Settings,Allow Rename Attribute Value,பண்புக்கூறு மதிப்பு மறுபெயரிடு -DocType: Price List,Price Not UOM Dependant,விலை இல்லை UOM சார்ந்த apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),நேரம் (நிமிடங்களில்) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,அடிப்படை DocType: Loan,Interest Income Account,வட்டி வருமானம் கணக்கு @@ -1367,6 +1380,7 @@ DocType: Employee,Employment Type,வேலை வகை apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,POS சுயவிவரத்தைத் தேர்ந்தெடுக்கவும் DocType: Support Settings,Get Latest Query,சமீபத்திய வினவலைப் பெறுக DocType: Employee Incentive,Employee Incentive,பணியாளர் ஊக்கத்தொகை +DocType: Service Level,Priorities,முன்னுரிமைகள் apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,முகப்பு பக்கத்தில் அட்டைகள் அல்லது தனிப்பயன் பிரிவுகள் சேர்க்கவும் DocType: Homepage,Hero Section Based On,ஹீரோ பகுதி அடிப்படையில் DocType: Project,Total Purchase Cost (via Purchase Invoice),மொத்த கொள்முதல் செலவு (கொள்முதல் விலைப்பட்டியல் வழியாக) @@ -1426,7 +1440,7 @@ DocType: Work Order,Manufacture against Material Request,பொருள் க DocType: Blanket Order Item,Ordered Quantity,ஆர்டர் அளவு apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},வரிசை # {0}: நிராகரிக்கப்பட்ட பொருளுக்கு எதிராக நிராகரிக்கப்பட்ட கிடங்கு கட்டாயமாகும் {1} ,Received Items To Be Billed,பெறப்பட்ட பொருட்கள் பெறப்பட்டது -DocType: Salary Slip Timesheet,Working Hours,வேலை நேரங்கள் +DocType: Attendance,Working Hours,வேலை நேரங்கள் apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,கட்டண முறை apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,ஆர்டர் பொருள்களை கொள்முதல் செய்வதில்லை apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,நாட்களில் காலம் @@ -1546,7 +1560,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,உங்கள் சப்ளையர் பற்றிய சட்டப்பூர்வ தகவல் மற்றும் பிற பொதுவான தகவல்கள் DocType: Item Default,Default Selling Cost Center,இயல்புநிலை விற்பனை விலை மையம் DocType: Sales Partner,Address & Contacts,முகவரி & தொடர்புகள் -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு> எண்ணைத் தொடர் வழியாக வருகைக்கான எண்ணைத் தொடரை அமைக்கவும் DocType: Subscriber,Subscriber,சந்தாதாரர் apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# படிவம் / பொருள் / {0}) பங்கு இல்லை apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,முதலில் இடுகையிடல் தேதி தேர்ந்தெடுக்கவும் @@ -1557,7 +1570,7 @@ DocType: Project,% Complete Method,% முழுமையான முறை DocType: Detected Disease,Tasks Created,பணிகள் உருவாக்கப்பட்டது apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,இயல்புநிலை BOM ({0}) இந்த உருப்படி அல்லது அதன் டெம்ப்ளேட்டிற்கு செயலில் இருக்க வேண்டும் apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,கமிஷன் விகிதம்% -DocType: Service Level,Response Time,பதில் நேரம் +DocType: Service Level Priority,Response Time,பதில் நேரம் DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce அமைப்புகள் apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,அளவு நேர்மறை இருக்க வேண்டும் DocType: Contract,CRM,சிஆர்எம் @@ -1574,7 +1587,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,உள்நோயாள DocType: Bank Statement Settings,Transaction Data Mapping,பரிவர்த்தனை தரவு வரைபடம் apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,ஒரு முன்னணி நபரின் பெயர் அல்லது ஒரு நிறுவனத்தின் பெயர் தேவை DocType: Student,Guardians,பாதுகாவலர்கள் -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,தயவுசெய்து கல்வி> கல்வி அமைப்புகளில் கல்வி பயிற்றுவிப்பாளரை அமைத்தல் apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,பிராண்ட் தேர்ந்தெடு ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,மத்திய வருவாய் DocType: Shipping Rule,Calculate Based On,அடிப்படையில் கணக்கிட @@ -1611,6 +1623,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ஒரு இலக apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},மாணவர் {1} எதிராக வருகை பதிவு {0} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,பரிவர்த்தனை தேதி apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,சந்தாவை ரத்துசெய் +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,சேவை நிலை ஒப்பந்தத்தை அமைக்க முடியவில்லை {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,நிகர சம்பளம் தொகை DocType: Account,Liability,பொறுப்பு DocType: Employee,Bank A/C No.,வங்கி ஏ / சி. @@ -1676,7 +1689,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,மூல பொருள் பொருள் கோட் apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,கொள்முதல் விலைப்பட்டியல் {0} ஏற்கனவே சமர்ப்பிக்கப்பட்டது DocType: Fees,Student Email,மாணவர் மின்னஞ்சல் -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM மறுநிகழ்வு: {0} பெற்றோ அல்லது குழந்தையின் {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,சுகாதார சேவைகள் இருந்து பொருட்களை பெற apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,பங்கு நுழைவு {0} சமர்ப்பிக்கப்படவில்லை DocType: Item Attribute Value,Item Attribute Value,பொருள் பண்புக்கூறு மதிப்பு @@ -1701,7 +1713,6 @@ DocType: POS Profile,Allow Print Before Pay,பணம் செலுத்த DocType: Production Plan,Select Items to Manufacture,தயாரிப்பதற்கான உருப்படிகளைத் தேர்ந்தெடுக்கவும் DocType: Leave Application,Leave Approver Name,Approver பெயர் விடு DocType: Shareholder,Shareholder,பங்குதாரரின் -DocType: Issue,Agreement Status,ஒப்பந்த நிலை apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,விற்பனை பரிவர்த்தனைகளுக்கான இயல்புநிலை அமைப்புகள். apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,மாணவர் சேர்க்கைக்கு தயவுசெய்து ஊதியம் பெறும் மாணவருக்கு விண்ணப்பிக்க வேண்டும் apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOM ஐத் தேர்ந்தெடுக்கவும் @@ -1961,6 +1972,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,வருமான கணக்கு apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,அனைத்து கிடங்குகள் DocType: Contract,Signee Details,கையெழுத்து விவரங்கள் +DocType: Shift Type,Allow check-out after shift end time (in minutes),ஷிப்ட் இறுதி நேரத்திற்குப் பிறகு (நிமிடங்களில்) வெளியேற அனுமதிக்கவும் apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,கொள்முதல் DocType: Item Group,Check this if you want to show in website,நீங்கள் வலைத்தளத்தில் காட்ட விரும்பினால் இந்த பாருங்கள் apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,நிதி ஆண்டு {0} இல்லை @@ -2026,6 +2038,7 @@ DocType: Employee Benefit Application,Remaining Benefits (Yearly),மீதம DocType: Asset Finance Book,Depreciation Start Date,மறுதொடக்கம் தொடக்க தேதி DocType: Activity Cost,Billing Rate,பில்லிங் விகிதம் apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,பாதைகளை மதிப்பிடவும் மற்றும் மேம்படுத்தவும் Google வரைபட அமைப்புகளை இயக்கவும் +DocType: Purchase Invoice Item,Page Break,பக்கம் இடைவேளை DocType: Supplier Scorecard Criteria,Max Score,மேக்ஸ் ஸ்கோர் apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,திரும்பப்பெறல் தேதி முன் திரும்ப முடியாது. DocType: Support Search Source,Support Search Source,தேடல் மூலத்தை ஆதரிக்கவும் @@ -2091,6 +2104,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,தர இலக்கு DocType: Employee Transfer,Employee Transfer,பணியாளர் மாற்றம் ,Sales Funnel,விற்பனை புனல் DocType: Agriculture Analysis Criteria,Water Analysis,நீர் பகுப்பாய்வு +DocType: Shift Type,Begin check-in before shift start time (in minutes),ஷிப்ட் தொடக்க நேரத்திற்கு முன் (நிமிடங்களில்) செக்-இன் செய்யத் தொடங்குங்கள் DocType: Accounts Settings,Accounts Frozen Upto,கணக்குகள் உறைந்தன apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,திருத்த எதுவும் இல்லை. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","பணிநிலையத்தில் {0} பணிநேரங்களில் எந்தவொரு பணிநேர நேரத்தையும் விட ஆபரேஷன் {0}, செயல்பாட்டை பல செயல்பாடுகளை உடைக்கும்" @@ -2104,7 +2118,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,ப apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},விற்பனை ஆணை {0} {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),பணம் செலுத்துவதில் தாமதம் (நாட்கள்) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,தேய்மான விவரங்களை உள்ளிடுக +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,வாடிக்கையாளர் பி.ஓ. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,விற்பனை வரிசை தேதிக்குப் பிறகு எதிர்பார்க்கப்படும் டெலிவரி தேதி இருக்க வேண்டும் +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,பொருளின் அளவு பூஜ்ஜியமாக இருக்க முடியாது apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,தவறான பண்புக்கூறு apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},உருப்படிக்கு எதிராக BOM ஐத் தேர்ந்தெடுக்கவும் {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,விலைப்பட்டியல் வகை @@ -2114,6 +2130,7 @@ DocType: Maintenance Visit,Maintenance Date,பராமரிப்பு த DocType: Volunteer,Afternoon,மதியம் DocType: Vital Signs,Nutrition Values,ஊட்டச்சத்து கலாச்சாரம் DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),காய்ச்சல் (வெப்பநிலை> 38.5 ° C / 101.3 ° F அல்லது நீடித்த வெப்பம்> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,மனிதவள> மனிதவள அமைப்புகளில் பணியாளர் பெயரிடும் முறையை அமைக்கவும் apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ஐடிசி தலைகீழாகியது DocType: Project,Collect Progress,முன்னேற்றம் சேகரிக்கவும் apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,சக்தி @@ -2164,6 +2181,7 @@ DocType: Setup Progress,Setup Progress,அமைப்பு முன்னே ,Ordered Items To Be Billed,ஆர்டர் செய்யப்படும் பொருட்கள் வரிசைப்படுத்தப்படும் DocType: Taxable Salary Slab,To Amount,தொகைக்கு DocType: Purchase Invoice,Is Return (Debit Note),திரும்ப (பற்று குறிப்பு) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> பிரதேசம் apps/erpnext/erpnext/config/desktop.py,Getting Started,தொடங்குதல் apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Merge apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,நிதியாண்டிற்கான ஆண்டு துவக்க தேதி மற்றும் நிதி ஆண்டின் இறுதி தேதி மாற்றப்பட்ட தேதி மாற்ற முடியாது. @@ -2184,6 +2202,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Ex DocType: Purchase Invoice,Select Supplier Address,வழங்குபவர் முகவரியைத் தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,ஏபிஐ நுகர்வோர் இரகசியத்தை உள்ளிடவும் DocType: Program Enrollment Fee,Program Enrollment Fee,நிரல் பதிவு கட்டணம் +DocType: Employee Checkin,Shift Actual End,உண்மையான முடிவை மாற்றவும் DocType: Serial No,Warranty Expiry Date,உத்தரவாதத்தை காலாவதி தேதி DocType: Hotel Room Pricing,Hotel Room Pricing,ஹோட்டல் அறை விலை apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","வெளிநாட்டு வரிவிதிப்பு பொருட்கள் (பூஜ்ய மதிப்பிடப்பட்டவை, மதிப்பிடப்படாத மற்றும் விலக்கு பெற்றவை தவிர" @@ -2243,6 +2262,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,படித்தல் 5 DocType: Shopping Cart Settings,Display Settings,காட்சி அமைப்புகள் apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,தயவுசெய்து புத்தகங்களின் எண்ணிக்கை குறைக்கப்பட வேண்டும் +DocType: Shift Type,Consequence after,பின்விளைவு apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,உனக்கு என்ன உதவி வேண்டும்? DocType: Journal Entry,Printing Settings,அச்சிடும் அமைப்புகள் apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,வங்கி @@ -2252,6 +2272,7 @@ DocType: Purchase Invoice Item,PR Detail,PR விரிவாக apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,பில்லிங் முகவரி ஷிப்பிங் முகவரி போலவே உள்ளது DocType: Account,Cash,பணம் DocType: Employee,Leave Policy,கொள்கையை விடு +DocType: Shift Type,Consequence,விளைவு apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,மாணவர் முகவரி DocType: GST Account,CESS Account,கணக்கு கணக்கு apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: 'லாபம் மற்றும் இழப்பு' கணக்கிற்கான செலவு மையம் {2} தேவை. நிறுவனத்திற்கு ஒரு முன்னிருப்பு செலவு மையத்தை அமைத்துக்கொள்ளவும். @@ -2315,6 +2336,7 @@ DocType: GST HSN Code,GST HSN Code,ஜிஎஸ்டி HSN கோட் DocType: Period Closing Voucher,Period Closing Voucher,காலம் முடிவடைகிறது apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 பெயர் apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,செலவில் கணக்கு உள்ளிடவும் +DocType: Issue,Resolution By Variance,மாறுபாட்டின் மூலம் தீர்மானம் DocType: Employee,Resignation Letter Date,ராஜினாமா கடிதம் தேதி DocType: Soil Texture,Sandy Clay,சாண்டி களிமண் DocType: Upload Attendance,Attendance To Date,தேதிக்கு வருகை @@ -2327,6 +2349,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,இப்போது பார்க்கலாம் DocType: Item Price,Valid Upto,செல்லுபடியாகும் apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},மேற்கோள் டாக்டைப் {0} +DocType: Employee Checkin,Skip Auto Attendance,ஆட்டோ வருகையைத் தவிர் DocType: Payment Request,Transaction Currency,பரிவர்த்தனை நாணயம் DocType: Loan,Repayment Schedule,திருப்பிச் செலுத்துதல் அட்டவணை apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,மாதிரி வைத்திருத்தல் பங்கு நுழைவு உருவாக்க @@ -2398,6 +2421,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,சம்பள DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS நிறைவு வவுச்சர் வரிகள் apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,நடவடிக்கை ஆரம்பிக்கப்பட்டது DocType: POS Profile,Applicable for Users,பயனர்களுக்கு பொருந்தும் +,Delayed Order Report,தாமதமான ஆர்டர் அறிக்கை DocType: Training Event,Exam,தேர்வு apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,பொது லெட்ஜர் நுழைவுகளின் தவறான எண் காணப்பட்டது. பரிவர்த்தனையில் தவறான கணக்கை நீங்கள் தேர்ந்தெடுத்திருக்கலாம். apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,விற்பனை பைப்லைன் @@ -2412,10 +2436,10 @@ DocType: Account,Round Off,சுற்று ஆஃப் DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,தேர்ந்தெடுக்கப்பட்ட அனைத்து பொருட்களிலும் நிபந்தனைகள் பயன்படுத்தப்படும். apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,கட்டமைக்கவும் DocType: Hotel Room,Capacity,கொள்ளளவு +DocType: Employee Checkin,Shift End,ஷிப்ட் முடிவு DocType: Installation Note Item,Installed Qty,நிறுவப்பட்ட Qty apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,பொருள் {0} தொகுதி {0} முடக்கப்பட்டுள்ளது. DocType: Hotel Room Reservation,Hotel Reservation User,ஹோட்டல் முன்பதிவு பயனர் -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,வேலை நாள் இருமுறை மீண்டும் மீண்டும் வருகிறது apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},பெயர் பிழை: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,POS சுயவிவரத்தில் பிரதேசமானது தேவைப்படுகிறது DocType: Purchase Invoice Item,Service End Date,சேவை முடிவு தேதி @@ -2462,6 +2486,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,அட்டவணை தேதி DocType: Packing Slip,Package Weight Details,தொகுப்பு எடை விவரங்கள் DocType: Job Applicant,Job Opening,வேலை திறப்பு +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,பணியாளர் சரிபார்ப்பின் கடைசியாக அறியப்பட்ட வெற்றிகரமான ஒத்திசைவு. எல்லா இடங்களிலிருந்தும் எல்லா பதிவுகளும் ஒத்திசைக்கப்படுகின்றன என்பது உங்களுக்குத் தெரிந்தால் மட்டுமே இதை மீட்டமைக்கவும். உங்களுக்குத் தெரியாவிட்டால் இதை மாற்ற வேண்டாம். apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,சரியான விலை apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ஆணை {1} க்கு எதிராக ஒட்டுமொத்த முன்கூட்டியே ({0}) கிராண்ட் டோட்டல் ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,உருப்படி மாறுபாடுகள் புதுப்பிக்கப்பட்டன @@ -2506,6 +2531,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,குறிப்பு apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Invocies ஐப் பெறுக DocType: Tally Migration,Is Day Book Data Imported,நாள் புத்தக தரவு இறக்குமதி செய்யப்படுகிறது ,Sales Partners Commission,விற்பனை பங்குதாரர்கள் ஆணையம் +DocType: Shift Type,Enable Different Consequence for Early Exit,ஆரம்பகால வெளியேற்றத்திற்கான வெவ்வேறு விளைவுகளை இயக்கு apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,சட்டம் DocType: Loan Application,Required by Date,தேதி தேவைப்படுகிறது DocType: Quiz Result,Quiz Result,வினாடி வினா @@ -2565,7 +2591,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,நித DocType: Pricing Rule,Pricing Rule,விலை விதி apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},விருப்பமான விடுமுறை பட்டியல் விடுப்பு காலத்திற்கு அமைக்கப்படவில்லை {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,"Employee Role ஐ அமைக்க, ஒரு பணியாளரின் பதிவில் பயனர் ஐடி களத்தை அமைக்கவும்" -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,தீர்ப்பதற்கான நேரம் DocType: Training Event,Training Event,பயிற்சி நிகழ்வு DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","வயது வந்தவர்களில் சாதாரணமாக ஓய்வு பெற்ற இரத்த அழுத்தம் ஏறத்தாழ 120 mmHg systolic, மற்றும் 80 mmHg diastolic, சுருக்கப்பட்ட "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,வரம்பு மதிப்பு பூஜ்ஜியமாக இருந்தால் கணினி அனைத்து உள்ளீடுகளையும் பெறும். @@ -2609,6 +2634,7 @@ DocType: Woocommerce Settings,Enable Sync,ஒத்திசைவை இயக DocType: Student Applicant,Approved,அங்கீகரிக்கப்பட்ட apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},தேதி முதல் நிதி ஆண்டுக்குள் இருக்க வேண்டும். தேதி = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,வாங்குதல் அமைப்புகளில் சப்ளையர் குழுவை அமைக்கவும். +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,}} என்பது தவறான வருகை நிலை. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,தற்காலிக திறப்பு கணக்கு DocType: Purchase Invoice,Cash/Bank Account,பண / வங்கி கணக்கு DocType: Quality Meeting Table,Quality Meeting Table,தர கூட்டம் அட்டவணை @@ -2644,6 +2670,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS அங்கீகார டோ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","உணவு, பானங்கள் மற்றும் புகையிலை" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,பாடநெறி அட்டவணை DocType: Purchase Taxes and Charges,Item Wise Tax Detail,பொருள் வைஸ் வரி விவரம் +DocType: Shift Type,Attendance will be marked automatically only after this date.,இந்த தேதிக்குப் பிறகுதான் வருகை தானாகவே குறிக்கப்படும். apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,UIN வைத்திருப்பவர்களுக்கு வழங்கப்பட்ட பொருட்கள் apps/erpnext/erpnext/hooks.py,Request for Quotations,மேற்கோள்களுக்கான கோரிக்கை apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,சில நாணயங்களைப் பயன்படுத்தி உள்ளீடுகளைச் செய்த பிறகு நாணயத்தை மாற்ற முடியாது @@ -2692,7 +2719,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,பொருள் இருந்து மையமாக உள்ளது apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,தரமான நடைமுறை. DocType: Share Balance,No of Shares,பங்குகளின் எண்ணிக்கை -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),வரிசை {0}: நுழைவு நேரத்தை ({2} {3}) வெளியிட்ட நேரத்தில் {1} கிடங்கில் {4} DocType: Quality Action,Preventive,தடுப்பு DocType: Support Settings,Forum URL,கருத்துக்களம் URL apps/erpnext/erpnext/config/hr.py,Employee and Attendance,பணியாளர் மற்றும் வருகை @@ -2909,7 +2935,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,தள்ளுபட DocType: Hotel Settings,Default Taxes and Charges,இயல்புநிலை வரிகள் மற்றும் கட்டணங்கள் apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,இந்த சப்ளையருக்கு எதிரான பரிவர்த்தனைகளை அடிப்படையாகக் கொண்டது. விபரங்களுக்கு கீழே காலவரிசைப் பார்க்கவும் apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},ஊழியரின் அதிகபட்ச நன்மை அளவு {0} {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,ஒப்பந்தத்தின் தொடக்க மற்றும் முடிவு தேதி சேர்க்கவும். DocType: Delivery Note Item,Against Sales Invoice,விற்பனை விலைப்பட்டியல் எதிராக DocType: Loyalty Point Entry,Purchase Amount,கொள்முதல் தொகை apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,விற்பனை ஆணை தயாரிக்கப்படுகையில் இழந்தது என அமைக்க முடியாது. @@ -2933,7 +2958,7 @@ DocType: Homepage,"URL for ""All Products""","அனைத்து தய DocType: Lead,Organization Name,நிறுவன பெயர் apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,துல்லியமாக இருந்து மற்றும் துறைகள் வரை செல்லுபடியாகும் மொத்தமாக கட்டாயமாகும் apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},வரிசை # {0}: பேட்ச் {1} {2} -DocType: Employee,Leave Details,விவரங்களை விடு +DocType: Employee Checkin,Shift Start,ஷிப்ட் ஸ்டார்ட் apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} க்கு முன்பு பங்கு பரிமாற்றங்கள் முடக்கப்பட்டன DocType: Driver,Issuing Date,வழங்கல் தேதி apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,கோருபவரால் @@ -2978,9 +3003,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,பணப் பாய்வு வரைபடம் வார்ப்புரு விவரங்கள் apps/erpnext/erpnext/config/hr.py,Recruitment and Training,ஆட்சேர்ப்பு மற்றும் பயிற்சி DocType: Drug Prescription,Interval UOM,இடைவெளி UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,ஆட்டோ வருகைக்கான கிரேஸ் கால அமைப்புகள் apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,நாணயத்திலிருந்து மற்றும் நாணயத்திலிருந்து அதே இருக்க முடியாது apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,மருந்துகள் DocType: Employee,HR-EMP-,மனிதவள-EMP- +DocType: Service Level,Support Hours,ஆதரவு நேரம் apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} ரத்து செய்யப்பட்டது அல்லது மூடப்பட்டது apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,வரிசை {0}: வாடிக்கையாளருக்கு எதிராக முன்னுரிமை கடன் இருக்க வேண்டும் apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),வூச்சர் குழு (ஒருங்கிணைந்த) @@ -3090,6 +3117,7 @@ DocType: Asset Repair,Repair Status,பழுதுபார்க்கும DocType: Territory,Territory Manager,பிரதேச மேலாளர் DocType: Lab Test,Sample ID,மாதிரி ஐடி apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,வண்டியில் காலி +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,பணியாளர் செக்-இன் படி வருகை குறிக்கப்பட்டுள்ளது apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,சொத்து {0} சமர்ப்பிக்கப்பட வேண்டும் ,Absent Student Report,மாணவர் அறிக்கை அறிக்கை apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,மொத்த லாபத்தில் சேர்க்கப்பட்டுள்ளது @@ -3097,7 +3125,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,நிதியளித்த தொகை apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} சமர்ப்பிக்கப்படவில்லை, எனவே நடவடிக்கை முடிக்கப்படாது" DocType: Subscription,Trial Period End Date,சோதனை காலம் முடிவு தேதி +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,ஒரே மாற்றத்தின் போது IN மற்றும் OUT என உள்ளீடுகளை மாற்றுகிறது DocType: BOM Update Tool,The new BOM after replacement,புதிய BOM க்குப் பிறகு +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,பொருள் 5 DocType: Employee,Passport Number,கடவுச்சீட்டு எண் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,தற்காலிக திறப்பு @@ -3198,6 +3228,7 @@ DocType: Loan Application,Total Payable Amount,மொத்த செலுத apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Add All Suppliers,அனைத்து சப்ளையர்களை சேர்க்கவும் apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},வரிசை {0}: BOM # {1} இன் நாணயம் தேர்ந்தெடுக்கப்பட்ட நாணயத்திற்கு சமமாக இருக்க வேண்டும் {2} DocType: Pricing Rule,Product,தயாரிப்பு +apps/erpnext/erpnext/utilities/bot.py,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),[{2}] இல் காணப்படும் [{1}] (# படிவம் / பொருள் / {1}) {0} அலகுகள் (# படிவம் / கிடங்கு / {2}) DocType: Vital Signs,Weight (In Kilogram),எடை (கிலோகிராம்) DocType: Department,Leave Approver,அனுப்பி விடு apps/erpnext/erpnext/hr/doctype/leave_period/leave_period_dashboard.py,Transactions,பரிவர்த்தனைகள் @@ -3209,6 +3240,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,முக்கிய அற apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,சாத்தியமான சப்ளையர் ,Issued Items Against Work Order,வேலை ஆணைக்கு எதிராக வழங்கப்பட்ட பொருட்கள் apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} விலைப்பட்டியல் உருவாக்குதல் +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,கல்வி> கல்வி அமைப்புகளில் பயிற்றுவிப்பாளர் பெயரிடும் முறையை அமைக்கவும் DocType: Student,Joining Date,சேரும் தேதி apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,தள கோரிக்கை DocType: Purchase Invoice,Against Expense Account,செலவு கணக்கு எதிராக @@ -3247,6 +3279,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,பொருந்தக்கூடிய கட்டணம் ,Point of Sale,விற்பனை செய்யும் இடம் DocType: Authorization Rule,Approving User (above authorized value),பயனர் அங்கீகாரம் (அங்கீகரிக்கப்பட்ட மதிப்பிற்கு மேல்) +DocType: Service Level Agreement,Entity,நிறுவனத்தின் apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{0} {1} {2} இலிருந்து {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},வாடிக்கையாளர் {0} திட்டம் {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,கட்சி பெயர் இருந்து @@ -3350,7 +3383,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,சொத்து உரிமையாளர் apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},பங்கு பொருள் {0} வரிசையில் {0} DocType: Stock Entry,Total Additional Costs,மொத்த கூடுதல் செலவுகள் -DocType: Marketplace Settings,Last Sync On,கடைசி ஒத்திசைவு apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,வரி மற்றும் கட்டண அட்டவணையில் குறைந்தபட்சம் ஒரு வரிசையை அமைக்கவும் DocType: Asset Maintenance Team,Maintenance Team Name,பராமரிப்பு குழு பெயர் apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,செலவு மையங்களின் பட்டியல் @@ -3366,12 +3398,12 @@ DocType: Sales Order Item,Work Order Qty,வேலை ஆணை Qty DocType: Job Card,WIP Warehouse,WIP கிடங்கு DocType: Payment Request,ACC-PRQ-.YYYY.-,ஏசிசி-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},பணியாளருக்கு பயனர் ஐடி அமைக்கப்படவில்லை {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","{0} கிடைக்கும் க்ய்தி, உங்களுக்கு {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,பயனர் {0} உருவாக்கப்பட்டது DocType: Stock Settings,Item Naming By,பொருள் பெயரிடுதல் apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,ஆணையிட்டார் apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,இது ஒரு ரூட் வாடிக்கையாளர் குழு மற்றும் திருத்த முடியாது. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,பொருள் கோரிக்கை {0} ரத்து செய்யப்பட்டது அல்லது நிறுத்தப்பட்டது +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,பணியாளர் சரிபார்ப்பில் பதிவு வகையை கண்டிப்பாக அடிப்படையாகக் கொண்டது DocType: Purchase Order Item Supplied,Supplied Qty,வழங்கப்பட்ட Qty DocType: Cash Flow Mapper,Cash Flow Mapper,பணப்பாய்வு மேப்பர் DocType: Soil Texture,Sand,மணல் @@ -3429,6 +3461,7 @@ DocType: Lab Test Groups,Add new line,புதிய வரி சேர்க apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,உருப்படி குழு அட்டவணையில் போலி உருப்படி குழு காணப்படுகிறது apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,ஆண்டு சம்பளம் DocType: Supplier Scorecard,Weighting Function,எடை வேலை +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,அடிப்படை சூத்திரத்தை மதிப்பிடுவதில் பிழை ,Lab Test Report,ஆய்வக சோதனை அறிக்கை DocType: BOM,With Operations,செயல்பாடுகள் மூலம் @@ -3454,9 +3487,11 @@ DocType: Supplier Scorecard Period,Variables,மாறிகள் apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,வாடிக்கையாளருக்கு பல லாய்லிட்டி திட்டம் கண்டறியப்பட்டது. கைமுறையாக தேர்ந்தெடுக்கவும். DocType: Patient,Medication,மருந்து apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,லாய்லிட்டி திட்டம் தேர்ந்தெடுக்கவும் +DocType: Employee Checkin,Attendance Marked,வருகை குறிக்கப்பட்டுள்ளது apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,மூல பொருட்கள் DocType: Sales Order,Fully Billed,முழுமையாக பில்ட் apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},ஹோட்டல் ரூட் மதிப்பை {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,இயல்புநிலையாக ஒரே ஒரு முன்னுரிமையைத் தேர்ந்தெடுக்கவும். apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},வகை ({0} வகைக்கு கணக்கு (லெட்ஜர்) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,மொத்த கிரெடிட் / டெபிட் தொகை இணைக்கப்பட்ட ஜர்னல் நுழைவு போலவே இருக்க வேண்டும் DocType: Purchase Invoice Item,Is Fixed Asset,நிலையான சொத்து @@ -3477,6 +3512,7 @@ DocType: Purpose of Travel,Purpose of Travel,பயணத்தின் நே DocType: Healthcare Settings,Appointment Confirmation,நியமனம் உறுதிப்படுத்தல் DocType: Shopping Cart Settings,Orders,ஆணைகள் DocType: HR Settings,Retirement Age,ஓய்வு வயது +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு> எண்ணைத் தொடர் வழியாக வருகைக்கான எண்ணைத் தொடரை அமைக்கவும் apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,மதிப்பிடப்பட்டது Qty apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},வரிசை # {0}: சொத்து {1} ஏற்கனவே உள்ளது {2} DocType: Delivery Note,Installation Status,நிறுவல் நிலை @@ -3559,11 +3595,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,கணக்காளர் apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},தேதி {1} மற்றும் {2} இடையே {0} apps/erpnext/erpnext/config/help.py,Navigating,வழிசெலுத்துகிறது +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,நிலுவையில் உள்ள விலைப்பட்டியல்களுக்கு பரிமாற்ற வீத மறுமதிப்பீடு தேவையில்லை DocType: Authorization Rule,Customer / Item Name,வாடிக்கையாளர் / பொருள் பெயர் apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,புதிய தொடர் இல்லை கிடங்கில் இல்லை. கிடங்கு நுழைவு அல்லது கொள்முதல் ரசீது மூலம் அமைக்க வேண்டும் DocType: Issue,Via Customer Portal,வாடிக்கையாளர் போர்ட்டல் வழியாக DocType: Work Order Operation,Planned Start Time,திட்டமிடப்பட்ட தொடக்க நேரம் apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} {2} +DocType: Service Level Priority,Service Level Priority,சேவை நிலை முன்னுரிமை apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,குறைபாடுகளின் எண்ணிக்கை குறைக்கப்பட்ட மொத்த எண்ணிக்கை குறைவாக இருக்க முடியாது apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,லெட்ஜர் பகிர்ந்து DocType: Journal Entry,Accounts Payable,செலுத்த வேண்டிய கணக்குகள் @@ -3673,7 +3711,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,சேரவேண்டிய இடம் DocType: Bank Statement Transaction Settings Item,Bank Data,வங்கி தரவு apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,திட்டமிடப்பட்டது -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,பில்லிங் மணிநேரம் மற்றும் வேலை நேரங்களை பராமரித்தல் டைம்ஸ் ஷீட்டில் அதே apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,ட்ராக் மூலத்தை வழிநடத்துகிறது. DocType: Clinical Procedure,Nursing User,நர்சிங் பயனர் DocType: Support Settings,Response Key List,பதில் விசை பட்டியல் @@ -3905,6 +3942,7 @@ DocType: Patient Encounter,In print,அச்சு apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0} க்கான தகவலை மீட்டெடுக்க முடியவில்லை. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,பில்லிங் நாணயம் இயல்புநிலை நிறுவன நாணய அல்லது கட்சி கணக்கு நாணயத்திற்கு சமமாக இருக்க வேண்டும் apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,இந்த விற்பனையாளரின் பணியாளர் அடையாளத்தை உள்ளிடுக +DocType: Shift Type,Early Exit Consequence after,ஆரம்பகால வெளியேறும் விளைவு apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,திறக்கும் விற்பனை மற்றும் கொள்முதல் சரக்குகளை உருவாக்கவும் DocType: Disease,Treatment Period,சிகிச்சை காலம் apps/erpnext/erpnext/config/settings.py,Setting up Email,மின்னஞ்சல் அமைத்தல் @@ -3922,7 +3960,6 @@ DocType: Employee Skill Map,Employee Skills,பணியாளர் திற apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,மாணவன் பெயர்: DocType: SMS Log,Sent On,அனுப்பப்பட்டது DocType: Bank Statement Transaction Invoice Item,Sales Invoice,விற்பனை விலைப்பட்டியல் -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,மறுபரிசீலனை நேரம் தீர்மான நேரம் விட அதிகமாக இருக்க முடியாது DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","பாடநெறி அடிப்படையிலான மாணவர் குழுவிற்கு, பாடநெறியைப் பதிவுசெய்ததில் இருந்து ஒவ்வொரு மாணவருக்கும் பாடநெறி மதிப்பீடு செய்யப்படும்." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,உள்-அரசு வழங்கல்கள் DocType: Employee,Create User Permission,பயனர் அனுமதி உருவாக்க @@ -3961,6 +3998,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,விற்பனை அல்லது வாங்குவதற்கான நிலையான ஒப்பந்த விதிமுறைகள். DocType: Sales Invoice,Customer PO Details,வாடிக்கையாளர் PO விவரங்கள் apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,நோயாளி இல்லை +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,இயல்புநிலை முன்னுரிமையைத் தேர்ந்தெடுக்கவும். apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,அந்த உருப்படிக்கு கட்டணங்கள் விதிக்கப்படவில்லையெனில் உருப்படியை அகற்றுக apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ஒரு வாடிக்கையாளர் குழு அதே பெயரில் உள்ளது வாடிக்கையாளர் பெயரை மாற்றவும் அல்லது வாடிக்கையாளர் குழுவை மறுபெயரிடவும் 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. @@ -4006,6 +4044,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},வேலை ஆணை {0} DocType: Inpatient Record,Admission Schedule Date,சேர்க்கை அட்டவணை தேதி apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,சொத்து மதிப்பு சரிசெய்தல் +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,இந்த மாற்றத்திற்கு ஒதுக்கப்பட்ட ஊழியர்களுக்கான 'ஊழியர் செக்கின்' அடிப்படையில் வருகையைக் குறிக்கவும். apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,பதிவுசெய்யப்படாத நபர்களுக்கு வழங்கப்படும் சப்ளை apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,அனைத்து வேலைகளும் DocType: Appointment Type,Appointment Type,நியமனம் வகை @@ -4115,7 +4154,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),தொகுப்பு மொத்த எடை. பொதுவாக நிகர எடை + பேக்கேஜிங் பொருள் எடை. (அச்சிட) DocType: Plant Analysis,Laboratory Testing Datetime,ஆய்வக சோதனை தரவுத்தளம் apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,பொருள் {0} பாட்ச் இருக்க முடியாது -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,ஸ்டேஜ் மூலம் விற்பனை பைப்லைன் apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,மாணவர் குழு வலிமை DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,வங்கி அறிக்கை பரிவர்த்தனை நுழைவு DocType: Purchase Order,Get Items from Open Material Requests,திறந்த பொருள் கோரிக்கைகள் இருந்து பொருட்களை பெறவும் @@ -4196,7 +4234,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,வயதான வர்ஹவுஸ்-வளைவைக் காண்பி DocType: Sales Invoice,Write Off Outstanding Amount,மிகச் சிறந்த தொகை எழுதவும் DocType: Payroll Entry,Employee Details,பணியாளர் விவரங்கள் -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,{0} க்கான முடிவு நேரத்தை விட அதிக நேரம் இருக்க முடியாது. DocType: Pricing Rule,Discount Amount,தள்ளுபடி தொகை DocType: Healthcare Service Unit Type,Item Details,பொருள் விவரங்கள் apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},{0} காலத்திற்கான நகல் வரி பிரவேசம் {1} @@ -4249,7 +4286,7 @@ DocType: Customer,CUST-.YYYY.-,Cust-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,நிகர ஊதியம் எதிர்மறையாக இருக்க முடியாது apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,தொடர்பு இல்லை 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/hr/doctype/employee/employee_dashboard.py,Shift,ஷிப்ட் +DocType: Attendance,Shift,ஷிப்ட் apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,கணக்குகள் மற்றும் கட்சிகளின் செயல்முறை விளக்கப்படம் DocType: Stock Settings,Convert Item Description to Clean HTML,HTML ஐ வடிவமைக்க பொருள் விவரத்தை மாற்றவும் apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,அனைத்து சப்ளையர் குழுக்கள் @@ -4320,6 +4357,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,ஊழிய DocType: Healthcare Service Unit,Parent Service Unit,பெற்றோர் சேவை பிரிவு DocType: Sales Invoice,Include Payment (POS),கட்டணம் (POS) அடங்கும் apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,தனியார் பங்கு +DocType: Shift Type,First Check-in and Last Check-out,முதல் செக்-இன் மற்றும் கடைசியாக செக்-அவுட் DocType: Landed Cost Item,Receipt Document,ரசீது ஆவணம் DocType: Supplier Scorecard Period,Supplier Scorecard Period,சப்ளையர் ஸ்கோர் கார்ட் காலம் DocType: Employee Grade,Default Salary Structure,இயல்புநிலை சம்பள கட்டமைப்பு @@ -4402,11 +4440,13 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,கொள்முதல் ஆர்டர் உருவாக்கவும் apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,நிதி ஆண்டிற்கான வரவு செலவுத் திட்டத்தை வரையறுக்கவும். apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,கணக்கு அட்டவணை காலியாக இருக்க முடியாது. +DocType: Employee Checkin,Entry Grace Period Consequence,நுழைவு கிரேஸ் கால விளைவு ,Payment Period Based On Invoice Date,விலைப்பட்டியல் தேதி அடிப்படையில் கட்டணம் செலுத்துதல் apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},உருப்படி தேதி தேதி {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,பொருள் வேண்டுகோளுக்கு இணைப்பு DocType: Warranty Claim,From Company,நிறுவனத்திலிருந்து DocType: Bank Statement Transaction Settings Item,Mapped Data Type,வரைபட தரவு வகை +apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},வரிசை {0}: இந்த கிடங்கிற்கு ஒரு மறுவரிசை நுழைவு ஏற்கனவே உள்ளது {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ஆவண தேதி DocType: Monthly Distribution,Distribution Name,விநியோக பெயர் apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,குழு அல்லாத குழு @@ -4421,6 +4461,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,எரிபொருள் அளவு apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 மொபைல் எண் DocType: Invoice Discounting,Disbursed,செலவிட்டு +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"ஷிப்ட் முடிவடைந்த நேரம், வருகைக்கு செக்-அவுட் கருதப்படுகிறது." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,செலுத்தத்தக்க கணக்குகளில் நிகர மாற்றம் apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,கிடைக்கவில்லை apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,பகுதி நேரம் @@ -4434,7 +4475,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,வி apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,PDC ஐ அச்சிடுக apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify சப்ளையர் DocType: POS Profile User,POS Profile User,POS செய்தது பயனர் -DocType: Student,Middle Name,மத்திய பெயர் DocType: Sales Person,Sales Person Name,விற்பனையாளர் நபர் பெயர் DocType: Packing Slip,Gross Weight,மொத்த எடை DocType: Journal Entry,Bill No,பில் இல்லை @@ -4443,7 +4483,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,ப DocType: Vehicle Log,HR-VLOG-.YYYY.-,மனிதவள-வீலாக்-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,சேவை நிலை ஒப்பந்தம் -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,முதலில் பணியாளரும் தேதியும் தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,பொருள் மதிப்பீட்டு விகிதம் நிலக்கரிச் செலவினக் கட்டண தொகையை கருத்தில் கொண்டது DocType: Timesheet,Employee Detail,பணியாளர் விபரம் DocType: Tally Migration,Vouchers,கூப்பன்களை @@ -4478,7 +4517,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,சேவை ந DocType: Additional Salary,Date on which this component is applied,இந்த கூறு பயன்படுத்தப்படும் எந்த தேதி apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ஃபோலியோ எண்களுடன் கிடைக்கும் பங்குதாரர்களின் பட்டியல் apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,நுழைவாயில் கணக்குகளை அமைக்கவும். -DocType: Service Level,Response Time Period,பதில் நேரம் காலம் +DocType: Service Level Priority,Response Time Period,பதில் நேரம் காலம் DocType: Purchase Invoice,Purchase Taxes and Charges,கொள்முதல் வரிகள் மற்றும் கட்டணங்கள் DocType: Course Activity,Activity Date,செயல்பாடு தேதி apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,புதிய வாடிக்கையாளரைத் தேர்ந்தெடுக்கவும் அல்லது சேர்க்கவும் @@ -4503,6 +4542,7 @@ DocType: Sales Person,Select company name first.,முதல் நிறுவ apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,நிதி ஆண்டு DocType: Sales Invoice Item,Deferred Revenue,ஒத்திவைக்கப்பட்ட வருவாய் apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,விற்பனை அல்லது வாங்குவதற்கு குறைந்தபட்சம் தேர்ந்தெடுக்கப்பட வேண்டும் +DocType: Shift Type,Working Hours Threshold for Half Day,அரை நாள் வேலை நேரம் வாசல் ,Item-wise Purchase History,பொருள் வாரியான கொள்முதல் வரலாறு apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},வரிசையில் உருப்படிக்கு சேவை நிறுத்து தேதி மாற்ற முடியாது {0} DocType: Production Plan,Include Subcontracted Items,துணை பொருட்கள் அடங்கியவை @@ -4534,6 +4574,7 @@ DocType: Journal Entry,Total Amount Currency,மொத்த தொகை நா DocType: BOM,Allow Same Item Multiple Times,இந்த பொருள் பல முறை அனுமதி apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,BOM ஐ உருவாக்கவும் DocType: Healthcare Practitioner,Charges,கட்டணங்கள் +DocType: Employee,Attendance and Leave Details,வருகை மற்றும் விடுப்பு விவரங்கள் DocType: Student,Personal Details,சொந்த விவரங்கள் DocType: Sales Order,Billing and Delivery Status,பில்லிங் மற்றும் டெலிவரி நிலை apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,வரிசை {0}: சப்ளையர் {0} மின்னஞ்சலை அனுப்ப மின்னஞ்சல் முகவரி தேவை @@ -4585,7 +4626,6 @@ DocType: Bank Guarantee,Supplier,சப்ளையர் apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},மதிப்பு betweeen {0} மற்றும் {1} DocType: Purchase Order,Order Confirmation Date,ஆர்டர் உறுதிப்படுத்தல் தேதி DocType: Delivery Trip,Calculate Estimated Arrival Times,கணக்கிடப்பட்ட வருகை டைம்ஸ் கணக்கிடுங்கள் -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,மனிதவள> மனிதவள அமைப்புகளில் பணியாளர் பெயரிடும் முறையை அமைக்கவும் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,பயன்படுத்தக்கூடிய DocType: Instructor,EDU-INS-.YYYY.-,Edu-ஐஎன்எஸ்-.YYYY.- DocType: Subscription,Subscription Start Date,சந்தா தொடக்க தேதி @@ -4606,7 +4646,7 @@ DocType: Installation Note Item,Installation Note Item,நிறுவல் க DocType: Journal Entry Account,Journal Entry Account,ஜர்னல் நுழைவு கணக்கு apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,மாற்று apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,கருத்துக்களம் செயல்பாடு -DocType: Service Level,Resolution Time Period,தீர்மானம் நேரம் காலம் +DocType: Service Level Priority,Resolution Time Period,தீர்மானம் நேரம் காலம் DocType: Request for Quotation,Supplier Detail,சப்ளையர் விபரம் DocType: Project Task,View Task,பணி என்பதைக் காண்க DocType: Serial No,Purchase / Manufacture Details,கொள்முதல் / உற்பத்தி விவரங்கள் @@ -4673,6 +4713,7 @@ DocType: Sales Invoice,Commission Rate (%),கமிஷன் விகிதம DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,பங்கு நுழைவு / டெலிவரி குறிப்பு / கொள்முதல் ரசீது வழியாக மட்டுமே கிடங்கு மாற்ற முடியும் DocType: Support Settings,Close Issue After Days,நாட்கள் கழித்து வெளியீடு வெளியிடு DocType: Payment Schedule,Payment Schedule,கட்டண அட்டவணை +DocType: Shift Type,Enable Entry Grace Period,நுழைவு கிரேஸ் காலத்தை இயக்கு DocType: Patient Relation,Spouse,மனைவி DocType: Purchase Invoice,Reason For Putting On Hold,நிறுத்துவதற்கான காரணம் DocType: Item Attribute,Increment,உயர்வு @@ -4810,6 +4851,7 @@ DocType: Authorization Rule,Customer or Item,வாடிக்கையாள DocType: Vehicle Log,Invoice Ref,விலைப்பட்டியல் குறிப்பு apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},சி-படிவம் விலைப்பட்டியல் பொருந்தாது: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,விலைப்பட்டியல் உருவாக்கப்பட்டது +DocType: Shift Type,Early Exit Grace Period,ஆரம்பகால வெளியேறும் கிரேஸ் காலம் DocType: Patient Encounter,Review Details,விமர்சனம் விவரங்கள் apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,வரிசை {0}: மணிநேர மதிப்பு பூஜ்ஜியத்தை விட அதிகமாக இருக்க வேண்டும். DocType: Account,Account Number,கணக்கு எண் @@ -4821,7 +4863,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","நிறுவனம் SpA, SAPA அல்லது SRL என்றால் பொருந்தும்" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,இடையிலான நிலைமைகள்: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,பணம் மற்றும் வழங்கப்படவில்லை -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,உருப்படி தானாக எண்ணிடப்படாததால் பொருள் கோட் கட்டாயமாகும் DocType: GST HSN Code,HSN Code,HSN கோட் DocType: GSTR 3B Report,September,செப்டம்பர் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,நிர்வாக செலவுகள் @@ -4867,6 +4908,7 @@ DocType: Healthcare Service Unit,Vacant,காலியாக DocType: Opportunity,Sales Stage,விற்பனை நிலை DocType: Sales Order,In Words will be visible once you save the Sales Order.,"நீங்கள் விற்பனையை ஆர்டர் செய்தபின், வார்த்தைகளில் தெரியும்." DocType: Item Reorder,Re-order Level,மறு ஒழுங்கு நிலை +DocType: Shift Type,Enable Auto Attendance,ஆட்டோ வருகையை இயக்கு apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,விருப்பம் ,Department Analytics,துறை பகுப்பாய்வு DocType: Crop,Scientific Name,அறிவியல் பெயர் @@ -4879,6 +4921,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} நிலை DocType: Quiz Activity,Quiz Activity,வினாடி வினா நடவடிக்கை apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} செல்லுபடியாகும் சம்பள வரம்பில் இல்லை DocType: Timesheet,Billed,பில் செய்த +apps/erpnext/erpnext/config/support.py,Issue Type.,வெளியீட்டு வகை. DocType: Restaurant Order Entry,Last Sales Invoice,கடைசி விற்பனை விலைப்பட்டியல் DocType: Payment Terms Template,Payment Terms,கட்டண வரையறைகள் apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","ஒதுக்கீடு செய்யப்பட்ட அளவு: அளவு விற்பனை செய்யப்பட்டது, ஆனால் வழங்கப்படவில்லை." @@ -4974,6 +5017,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,சொத்து apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} ஒரு ஹெல்த்கேர் ப்ரொஜக்டிஷனரி அட்டவணை இல்லை. அதை சுகாதார நிபுணர் மாஸ்டர் சேர்க்க DocType: Vehicle,Chassis No,சேஸ்ஸி எண் +DocType: Employee,Default Shift,இயல்புநிலை மாற்றம் apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,நிறுவனத்தின் சுருக்கம் apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,பொருட்கள் பில் மரம் DocType: Article,LMS User,LMS பயனர் @@ -5022,6 +5066,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,Edu-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,பெற்றோர் விற்பனை நபர் DocType: Student Group Creation Tool,Get Courses,படிப்புகள் கிடைக்கும் 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 ஆக இருக்க வேண்டும். பல qty க்கு தனி வரிசையைப் பயன்படுத்தவும்." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),இல்லாத நேரம் குறிக்கப்பட்ட வேலை நேரம். (முடக்க பூஜ்ஜியம்) DocType: Customer Group,Only leaf nodes are allowed in transaction,இலைப்புள்ளிகள் மட்டுமே பரிமாற்றத்தில் அனுமதிக்கப்படுகின்றன DocType: Grant Application,Organization,அமைப்பு DocType: Fee Category,Fee Category,கட்டணம் வகை @@ -5034,6 +5079,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,இந்த பயிற்சி நிகழ்வுக்கான உங்கள் நிலையை புதுப்பிக்கவும் DocType: Volunteer,Morning,காலை DocType: Quotation Item,Quotation Item,மேற்கோள் உருப்படி +apps/erpnext/erpnext/config/support.py,Issue Priority.,முன்னுரிமை வழங்குதல். DocType: Journal Entry,Credit Card Entry,கடன் அட்டை நுழைவு apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","நேரம் ஸ்லாட் தவிர்க்கப்பட்டது, ஸ்லாட் {0} {1} க்கு வெளியேறும் ஸ்லாட் {2} க்கு மேல் {3}" DocType: Journal Entry Account,If Income or Expense,வருமானம் அல்லது செலவு @@ -5084,11 +5130,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,தரவு இறக்குமதி மற்றும் அமைப்புகள் 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: Account,Expense Account,செலவு கணக்கு +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,பணியாளர் செக்-இன் வருகைக்காக கருதப்படும் ஷிப்ட் தொடக்க நேரத்திற்கு முந்தைய நேரம். apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,கார்டியன் 1 உடன் உறவு apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,விலைப்பட்டியல் உருவாக்கவும் apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},கட்டணம் கோரிக்கை ஏற்கனவே உள்ளது {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} இல் இருந்து ஓய்வு பெற்ற பணியாளர் 'இடது' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},செலுத்தவும் {0} {1} +DocType: Company,Sales Settings,விற்பனை அமைப்புகள் DocType: Sales Order Item,Produced Quantity,உற்பத்தி அளவு apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,பின்வரும் இணைப்பைக் கிளிக் செய்வதன் மூலம் மேற்கோட்டுக்கான கோரிக்கையை அணுகலாம் DocType: Monthly Distribution,Name of the Monthly Distribution,மாதாந்த விநியோகம் பெயர் @@ -5166,6 +5214,7 @@ DocType: Company,Default Values,இயல்புநிலை மதிப் apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,விற்பனை மற்றும் வாங்குதலுக்கான இயல்புநிலை வரி வார்ப்புருக்கள் உருவாக்கப்படுகின்றன. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,விடுப்பு வகை {0} எடுத்துச் செல்ல முடியாது apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,டெபிட் கணக்கு கணக்கில் இருக்க வேண்டும் +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/selling/page/point_of_sale/point_of_sale.js,Set as Default,இயல்புநிலைக்கு அமை DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),இந்த தொகுப்பு நிகர எடை. (பொருட்களின் நிகர எடையில் தானாக கணக்கிடப்படுகிறது) apps/erpnext/erpnext/stock/doctype/item_variant_settings/item_variant_settings.py,Cannot set the field {0} for copying in variants,வகைகளில் நகல் செய்வதற்கு புலம் {0} அமைக்க முடியாது @@ -5191,8 +5240,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,காலாவதியான பேட்ஸ்கள் DocType: Shipping Rule,Shipping Rule Type,கப்பல் விதி வகை DocType: Job Offer,Accepted,ஏற்கப்பட்டது -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய பணியாளர் {0} delete ஐ நீக்கவும்" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,மதிப்பீட்டிற்கான மதிப்பீட்டிற்கு ஏற்கனவே நீங்கள் மதிப்பீடு செய்துள்ளீர்கள். apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,பாட்ச் எண்கள் தேர்ந்தெடு apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),வயது (நாட்கள்) @@ -5219,6 +5266,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,உங்கள் களங்களைத் தேர்ந்தெடுக்கவும் DocType: Agriculture Task,Task Name,பணி பெயர் apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,வேலை உள்ளீடுகளை ஏற்கனவே பதிவு செய்துள்ளன +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய பணியாளர் {0} delete ஐ நீக்கவும்" ,Amount to Deliver,வழங்குவதற்கான தொகை apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,நிறுவனம் {0} இல்லை apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,கொடுக்கப்பட்ட உருப்படிகளுடன் இணைக்கப்படாத நிலுவையிலுள்ள கோரிக்கைகள் எதுவும் இல்லை. @@ -5268,6 +5317,7 @@ DocType: Program Enrollment,Enrolled courses,பதிவுசெய்யப DocType: Lab Prescription,Test Code,டெஸ்ட் கோட் DocType: Purchase Taxes and Charges,On Previous Row Total,முந்தைய வரிசையில் மொத்தத்தில் DocType: Student,Student Email Address,மாணவர் மின்னஞ்சல் முகவரி +,Delayed Item Report,தாமதமான உருப்படி அறிக்கை DocType: Academic Term,Education,கல்வி DocType: Supplier Quotation,Supplier Address,சப்ளையர் முகவரி DocType: Salary Detail,Do not include in total,மொத்தத்தில் சேர்க்க வேண்டாம் @@ -5275,7 +5325,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} இல்லை DocType: Purchase Receipt Item,Rejected Quantity,நிராகரிக்கப்பட்ட அளவு DocType: Cashier Closing,To TIme,TIme க்கு -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: Daily Work Summary Group User,Daily Work Summary Group User,தினசரி பணி சுருக்கம் குழு பயனர் DocType: Fiscal Year Company,Fiscal Year Company,நிதி ஆண்டு நிறுவனம் apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,மாற்று உருப்படி உருப்படியைக் குறியீடாக இருக்கக்கூடாது @@ -5327,6 +5376,7 @@ DocType: Program Fee,Program Fee,நிரல் கட்டணம் DocType: Delivery Settings,Delay between Delivery Stops,டெலிவரி ஸ்டோப்புகளுக்கு இடையில் தாமதம் DocType: Stock Settings,Freeze Stocks Older Than [Days],[தினங்கள்] DocType: Promotional Scheme,Promotional Scheme Product Discount,ஊக்குவிப்பு திட்டம் தயாரிப்பு தள்ளுபடி +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,முன்னுரிமை ஏற்கனவே உள்ளது DocType: Account,Asset Received But Not Billed,சொத்து பெறப்பட்டது ஆனால் கட்டணம் இல்லை DocType: POS Closing Voucher,Total Collected Amount,மொத்த சேகரிப்பு தொகை DocType: Course,Default Grading Scale,இயல்புநிலை தரமதிப்பீட்டு அளவுகோல் @@ -5369,6 +5419,7 @@ DocType: C-Form,III,மூன்றாம் DocType: Contract,Fulfilment Terms,நிறைவேற்று விதிமுறைகள் apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,குரூப் அல்லாத குழு DocType: Student Guardian,Mother,தாய் +DocType: Issue,Service Level Agreement Fulfilled,சேவை நிலை ஒப்பந்தம் நிறைவேறியது DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,உரிமை கோரப்படாத பணியாளர்களுக்கு நன்மதிப்பு வரி விதிக்க DocType: Travel Request,Travel Funding,சுற்றுலா நிதி DocType: Shipping Rule,Fixed,நிலையான @@ -5398,10 +5449,12 @@ DocType: Item,Warranty Period (in days),உத்தரவாதத்தை க apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,உருப்படிகள் எதுவும் இல்லை. DocType: Item Attribute,From Range,ரேஞ்சில் இருந்து DocType: Clinical Procedure,Consumables,நுகர்பொருள்கள் +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'பணியாளர்_நில_ மதிப்பு' மற்றும் 'நேர முத்திரை' தேவை. DocType: Purchase Taxes and Charges,Reference Row #,குறிப்பு வரிசை # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},நிறுவனத்தில் {0} சொத்து மதிப்பீட்டு விலை மையத்தை அமைக்கவும் apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,வரிசை # {0}: trasaction ஐ முடிக்க கட்டணம் ஆவணம் தேவை DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,அமேசான் MWS இலிருந்து உங்கள் விற்பனை ஆணை தரவுகளை இழுக்க இந்த பொத்தானை கிளிக் செய்யவும். +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),அரை நாள் குறிக்கப்பட்டுள்ள வேலை நேரம் கீழே. (முடக்க பூஜ்ஜியம்) ,Assessment Plan Status,மதிப்பீட்டு திட்டம் நிலை apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,முதலில் {0} என்பதைத் தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,பணியாளர் பதிவை உருவாக்க இதைச் சமர்ப்பிக்கவும் @@ -5472,6 +5525,7 @@ DocType: Quality Procedure,Parent Procedure,பெற்றோர் செய apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,திறந்த அமை apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,வடிகட்டிகளை மாற்று DocType: Production Plan,Material Request Detail,பொருள் கோரிக்கை விரிவாக +DocType: Shift Type,Process Attendance After,செயல்முறை வருகை பின்னர் DocType: Material Request Item,Quantity and Warehouse,அளவு மற்றும் கிடங்கு apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,நிகழ்ச்சிகளுக்கு செல்க apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},வரிசை # {0}: பிரதிகளில் {1} {2} @@ -5529,6 +5583,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,கட்சி தகவல் apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),கடன்கள் ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,பணியாளரின் நிவாரண தேதியை விட இன்றுவரை அதிகமானதாக முடியாது +DocType: Shift Type,Enable Exit Grace Period,வெளியேறு கிரேஸ் காலத்தை இயக்கு DocType: Expense Claim,Employees Email Id,ஊழியர்கள் மின்னஞ்சல் ஐடி DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ERPNext விலை பட்டியல் Shopify இருந்து விலை புதுப்பிக்கவும் DocType: Healthcare Settings,Default Medical Code Standard,இயல்புநிலை மருத்துவ குறியீடு தரநிலை @@ -5559,7 +5614,6 @@ DocType: Item Group,Item Group Name,பொருள் குழு பெயர DocType: Budget,Applicable on Material Request,பொருள் கோரிக்கைக்கு பொருந்தும் DocType: Support Settings,Search APIs,தேடல் API கள் DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,விற்பனை ஆணைக்கான அதிக உற்பத்தி சதவீதம் -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,விவரக்குறிப்புகள் DocType: Purchase Invoice,Supplied Items,வழங்கப்பட்ட பொருட்கள் DocType: Leave Control Panel,Select Employees,பணியாளர்களைத் தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},கடனுக்கான வட்டி வருமானக் கணக்கைத் தேர்ந்தெடுத்து {0} @@ -5585,7 +5639,7 @@ DocType: Salary Slip,Deductions,விலக்கிற்கு ,Supplier-Wise Sales Analytics,சப்ளையர்-வைஸ் விற்பனை அனலிட்டிக்ஸ் DocType: GSTR 3B Report,February,பிப்ரவரி DocType: Appraisal,For Employee,பணியாளருக்கு -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,உண்மையான டெலிவரி தேதி +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,உண்மையான டெலிவரி தேதி DocType: Sales Partner,Sales Partner Name,விற்பனை கூட்டாளர் பெயர் apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,தேய்மானம் வரிசை {0}: தேதியற்ற தொடக்க தேதி கடந்த தேதியன்று உள்ளிடப்பட்டுள்ளது DocType: GST HSN Code,Regional,பிராந்திய @@ -5623,6 +5677,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,எ DocType: Supplier Scorecard,Supplier Scorecard,சப்ளையர் ஸ்கோர் கார்டு DocType: Travel Itinerary,Travel To,சுற்றுலா பயணம் apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,மார்க் கூட்டம் +DocType: Shift Type,Determine Check-in and Check-out,செக்-இன் மற்றும் செக்-அவுட்டை தீர்மானிக்கவும் DocType: POS Closing Voucher,Difference,வேறுபாடு apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,சிறிய DocType: Work Order Item,Work Order Item,வேலை ஆணைப் பொருள் @@ -5656,6 +5711,7 @@ DocType: Sales Invoice,Shipping Address Name,கப்பல் முகவர apps/erpnext/erpnext/healthcare/setup.py,Drug,மருந்து apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} மூடப்பட்டது DocType: Patient,Medical History,மருத்துவ வரலாறு +DocType: Expense Claim,Expense Taxes and Charges,செலவு வரி மற்றும் கட்டணங்கள் DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,சந்தாவை ரத்து செய்வதற்கு முன்பாக விலைப்பட்டியல் தேதி முடிவடைந்த நாட்களின் எண்ணிக்கை அல்லது செலுத்தப்படாமலே சந்தா சந்திப்பு apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,நிறுவல் குறிப்பு {0} ஏற்கனவே சமர்ப்பிக்கப்பட்டுள்ளது DocType: Patient Relation,Family,குடும்ப @@ -5687,7 +5743,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,வலிமை apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,இந்த பரிவர்த்தனை முடிக்க {0} {1} தேவைப்படும் {0} அலகுகள். DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,உபகாரம் சார்ந்த Backflush மூல பொருட்கள் -DocType: Bank Guarantee,Customer,வாடிக்கையாளர் DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","இயக்கப்பட்டிருந்தால், நிரல் கல்வி கருவியில் கல்வித் தராதரம் கட்டாயம் கட்டாயமாகும்." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","பேட்ச் அடிப்படையிலான மாணவர் குழுவிற்கு, மாணவர் பேட்ச் ஒவ்வொரு ஆண்டும் மாணவர் சேர்க்கைக்கு மதிப்பாய்வு செய்யப்படும்." DocType: Course,Topics,தலைப்புகள் @@ -5840,6 +5895,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),நிறைவு (திறக்கும் + மொத்தம்) DocType: Supplier Scorecard Criteria,Criteria Formula,வரையறைகள் ஃபார்முலா apps/erpnext/erpnext/config/support.py,Support Analytics,ஆதரவு அனலிட்டிக்ஸ் +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),வருகை சாதன ஐடி (பயோமெட்ரிக் / ஆர்எஃப் டேக் ஐடி) apps/erpnext/erpnext/config/quality_management.py,Review and Action,விமர்சனம் மற்றும் செயல் DocType: Account,"If the account is frozen, entries are allowed to restricted users.","கணக்கு முடக்கப்பட்டிருந்தால், தடைசெய்யப்பட்ட பயனர்களுக்கு அனுமதி வழங்கப்படும்." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,தேய்மானம் பிறகு தொகை @@ -5861,6 +5917,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,கடனை திறம்பசெலுத்து DocType: Employee Education,Major/Optional Subjects,மேஜர் / விருப்ப பாடங்களில் DocType: Soil Texture,Silt,வண்டல் +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,சப்ளையர் முகவரிகள் மற்றும் தொடர்புகள் DocType: Bank Guarantee,Bank Guarantee Type,வங்கி உத்தரவாத வகை DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","முடக்கினால், 'வட்டமான மொத்த' புலம் எந்த பரிவர்த்தனையிலும் காணப்படாது" DocType: Pricing Rule,Min Amt,மின் அட் @@ -5898,6 +5955,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,விலைப்பட்டியல் உருவாக்கம் கருவிப் பொருள் திறக்கிறது DocType: Soil Analysis,(Ca+Mg)/K,(+ எம்ஜி CA) / கே DocType: Bank Reconciliation,Include POS Transactions,POS பரிவர்த்தனைகளைச் சேர்க்கவும் +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},கொடுக்கப்பட்ட பணியாளர் புல மதிப்புக்கு எந்த ஊழியரும் கிடைக்கவில்லை. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),பெறப்பட்ட தொகை (நிறுவனத்தின் நாணய) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","உள்ளூர் ஸ்டோரேஜ் நிரம்பியுள்ளது, சேமிக்கவில்லை" DocType: Chapter Member,Chapter Member,பாடம் உறுப்பினர் @@ -5930,6 +5988,7 @@ DocType: SMS Center,All Lead (Open),அனைத்து முன்னணி apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,மாணவர் குழுக்கள் உருவாக்கப்படவில்லை. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},அதே {1} உடன் {0} நகல் வரிசை DocType: Employee,Salary Details,சம்பள விவரங்கள் +DocType: Employee Checkin,Exit Grace Period Consequence,கிரேஸ் கால விளைவுகளிலிருந்து வெளியேறு DocType: Bank Statement Transaction Invoice Item,Invoice,விலைப்பட்டியல் DocType: Special Test Items,Particulars,விவரங்கள் apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,பொருள் அல்லது கிடங்கு அடிப்படையில் வடிகட்டியை அமைக்கவும் @@ -6029,6 +6088,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,AMC வெளியே DocType: Job Opening,"Job profile, qualifications required etc.","வேலை விபரங்கள், தகுதிகள் தேவை." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,மாநிலம் கப்பல் +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,பொருள் கோரிக்கையை சமர்ப்பிக்க விரும்புகிறீர்களா? DocType: Opportunity Item,Basic Rate,அடிப்படை விகிதம் DocType: Compensatory Leave Request,Work End Date,வேலை முடிவு தேதி apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,மூலப்பொருட்களுக்கான கோரிக்கை @@ -6188,6 +6248,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Qu apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select a warehouse,ஒரு கிடங்கைத் தேர்ந்தெடுக்கவும் DocType: Purchase Invoice Item,Weight UOM,எடை UOM apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,கணக்குகள் செலுத்தத்தக்க சுருக்கம் +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Order {1},விற்பனை ஆணைக்கு எதிராக {0} {1} DocType: Payroll Employee Detail,Payroll Employee Detail,சம்பள ஊழியர் விபரம் apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,சேர்க்கை மற்றும் சேர்க்கை DocType: Budget Account,Budget Amount,பட்ஜெட் தொகை @@ -6210,6 +6271,7 @@ DocType: Depreciation Schedule,Depreciation Amount,தேய்மானம் DocType: Sales Order Item,Gross Profit,மொத்த லாபம் DocType: Quality Inspection,Item Serial No,பொருள் வரிசை எண் DocType: Asset,Insurer,காப்பீட்டு +DocType: Employee Checkin,OUT,அவுட் apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,தொகை வாங்குதல் DocType: Asset Maintenance Task,Certificate Required,சான்றிதழ் தேவை DocType: Retention Bonus,Retention Bonus,தக்கவைப்பு போனஸ் @@ -6409,7 +6471,6 @@ DocType: Travel Request,Costing,செலவு apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,நிலையான சொத்துக்கள் DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,மொத்த வருவாய் -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> மண்டலம் DocType: Share Balance,From No,இல்லை DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,பணம் ஒப்புதல் விலைப்பட்டியல் DocType: Purchase Invoice,Taxes and Charges Added,வரிகளும் கட்டணங்களும் சேர்க்கப்பட்டது @@ -6516,6 +6577,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,விலை விதி புறக்கணிக்க apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,உணவு DocType: Lost Reason Detail,Lost Reason Detail,லாஸ்ட் காரணம் விபரம் +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},பின்வரும் வரிசை எண்கள் உருவாக்கப்பட்டன:
{0} DocType: Maintenance Visit,Customer Feedback,வாடிக்கையாளர் கருத்து DocType: Serial No,Warranty / AMC Details,உத்தரவாதத்தை / ஏ.எம்.சி விவரங்கள் DocType: Issue,Opening Time,நேரம் திறக்கிறது @@ -6563,6 +6625,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,நிறுவனத்தின் பெயர் அல்ல apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,ஊழியர் ஊக்குவிப்பு ஊக்குவிப்புத் தேதிக்கு முன் சமர்ப்பிக்கப்பட முடியாது apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} விட பழைய பங்குப் பரிவர்த்தனைகளை புதுப்பிக்க அனுமதி இல்லை +DocType: Employee Checkin,Employee Checkin,பணியாளர் செக்கின் apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},தொடக்க தேதி {0} முடிவு தேதிக்கு குறைவாக இருக்க வேண்டும் apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,வாடிக்கையாளர் மேற்கோள்கள் உருவாக்கவும் DocType: Buying Settings,Buying Settings,வாங்குதல் அமைப்புகள் @@ -6583,6 +6646,7 @@ DocType: Job Card Time Log,Job Card Time Log,வேலை அட்டை நே DocType: Patient,Patient Demographics,நோயாளியின் புள்ளிவிவரங்கள் DocType: Share Transfer,To Folio No,ஃபோலியோ இல்லை apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,செயல்பாடுகள் இருந்து பணப்பாய்வு +DocType: Employee Checkin,Log Type,பதிவு வகை DocType: Stock Settings,Allow Negative Stock,எதிர்மறை பங்கு அனுமதி apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,பொருட்கள் எதுவும் அளவு அல்லது மதிப்பு எந்த மாற்றமும் இல்லை. DocType: Asset,Purchase Date,கொள்முதல் தேதி @@ -6627,6 +6691,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,மிகவும் ஹைபர் apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,உங்கள் வியாபாரத்தின் தன்மையைத் தேர்ந்தெடுக்கவும். apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,தயவு செய்து மாதமும் வருடமும் தேர்ந்தெடுக்கவும் +DocType: Service Level,Default Priority,இயல்புநிலை முன்னுரிமை DocType: Student Log,Student Log,மாணவர் பதிவு DocType: Shopping Cart Settings,Enable Checkout,வெளியேறுதலை இயக்கு apps/erpnext/erpnext/config/settings.py,Human Resources,மனித வளம் @@ -6655,7 +6720,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext உடன் Shopify ஐ இணைக்கவும் DocType: Homepage Section Card,Subtitle,வசன DocType: Soil Texture,Loam,லோம் -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை DocType: BOM,Scrap Material Cost(Company Currency),ஸ்க்ராப் பொருள் செலவு (நிறுவனத்தின் நாணய) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,டெலிவரி குறிப்பு {0} சமர்ப்பிக்கப்படக் கூடாது DocType: Task,Actual Start Date (via Time Sheet),உண்மையான தொடக்க தேதி (நேர தாள் வழியாக) @@ -6711,6 +6775,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,மருந்தளவு DocType: Cheque Print Template,Starting position from top edge,மேல் விளிம்பிலிருந்து நிலை தொடங்குகிறது apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),நியமனம் காலம் (நிமிடங்கள்) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},இந்த ஊழியருக்கு ஏற்கனவே அதே நேர முத்திரையுடன் ஒரு பதிவு உள்ளது. {0} DocType: Accounting Dimension,Disable,முடக்கு DocType: Email Digest,Purchase Orders to Receive,பெறுவதற்கான ஆர்டர்களை வாங்குக apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,தயாரிப்பாளர்கள் ஆணைகள் எழுப்ப முடியாது: @@ -6726,7 +6791,6 @@ DocType: Production Plan,Material Requests,பொருள் கோரிக் DocType: Buying Settings,Material Transferred for Subcontract,உபகண்டத்திற்கு மாற்றியமைக்கப்பட்ட பொருள் DocType: Job Card,Timing Detail,நேரம் விரிவாக apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,தேவைப்படுகிறது -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{1} இல் {0} DocType: Job Offer Term,Job Offer Term,வேலை சலுகை காலம் DocType: SMS Center,All Contact,அனைத்து தொடர்பு DocType: Project Task,Project Task,திட்டப்பணி @@ -6777,7 +6841,6 @@ DocType: Student Log,Academic,அகாடமிக் apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,சீரியல் நோக்குக்கு பொருள் பொருளைச் சரிபார்க்க முடியாது {0} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,மாநிலத்திலிருந்து DocType: Leave Type,Maximum Continuous Days Applicable,அதிகபட்ச தொடர்ச்சியான நாட்கள் பொருந்தும் -apps/erpnext/erpnext/config/support.py,Support Team.,ஆதரவு குழு. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,முதலில் நிறுவன பெயரை உள்ளிடவும் apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,இறக்குமதி வெற்றிகரமாக DocType: Guardian,Alternate Number,மாற்று எண் @@ -6869,6 +6932,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,வரிசை # {0}: பொருள் சேர்க்கப்பட்டது DocType: Student Admission,Eligibility and Details,தகுதி மற்றும் விவரம் DocType: Staffing Plan,Staffing Plan Detail,பணியிடத் திட்டம் விவரம் +DocType: Shift Type,Late Entry Grace Period,தாமதமாக நுழைவு கிரேஸ் காலம் DocType: Email Digest,Annual Income,ஆண்டு வருமானம் DocType: Journal Entry,Subscription Section,சந்தா பகுதி DocType: Salary Slip,Payment Days,கட்டண நாட்கள் @@ -6919,6 +6983,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,கணக்கு இருப்பு DocType: Asset Maintenance Log,Periodicity,காலமுறைமை apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,மருத்துவ பதிவு +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,ஷிப்டில் விழும் செக்-இன்ஸுக்கு பதிவு வகை தேவை: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,மரணதண்டனை DocType: Item,Valuation Method,மதிப்பீட்டு முறை apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} விற்பனை விலைப்பட்டியல் எதிராக {1} @@ -7003,6 +7068,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,நிலைக்க DocType: Loan Type,Loan Name,கடன் பெயர் apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,செலுத்திய இயல்புநிலை பயன்முறையை அமை DocType: Quality Goal,Revision,மறுபார்வை +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,செக்-அவுட் ஆரம்பத்தில் (நிமிடங்களில்) கருதப்படும் போது ஷிப்ட் முடிவு நேரத்திற்கு முந்தைய நேரம். DocType: Healthcare Service Unit,Service Unit Type,சேவை பிரிவு வகை DocType: Purchase Invoice,Return Against Purchase Invoice,கொள்முதல் விலைப்பட்டியல் எதிராக திரும்ப apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,இரகசியத்தை உருவாக்குங்கள் @@ -7155,12 +7221,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,ஒப்பனை DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,சேமிப்பிற்கு முன் ஒரு தொடரைத் தேர்ந்தெடுக்க பயனர் கட்டாயப்படுத்த விரும்பினால் இதைச் சரிபார்க்கவும். நீங்கள் இதை சரிபார்க்காமல் இயல்புநிலையில் இருக்க முடியாது. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,இந்த பாத்திரத்தில் உள்ள பயனர்கள் உறைந்த கணக்குகளை அமைக்க மற்றும் உறைந்த கணக்குகளுக்கு எதிராக கணக்கியல் உள்ளீடுகளை உருவாக்க / மாற்ற அனுமதிக்கப்படுகிறார்கள் +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட் DocType: Expense Claim,Total Claimed Amount,மொத்த உரிமைகோரல் தொகை 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} நேரத்தில் நேர துளை கண்டுபிடிக்க முடியவில்லை apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,வரை போடு apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,உங்கள் உறுப்பினர் 30 நாட்களுக்குள் காலாவதியாகிவிட்டால் மட்டுமே நீங்கள் புதுப்பிக்க முடியும் apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},மதிப்பு {0} மற்றும் {1} DocType: Quality Feedback,Parameters,அளவுருக்கள் +DocType: Shift Type,Auto Attendance Settings,ஆட்டோ வருகை அமைப்புகள் ,Sales Partner Transaction Summary,விற்பனை பங்குதாரர் பரிவர்த்தனை சுருக்கம் DocType: Asset Maintenance,Maintenance Manager Name,பராமரிப்பு மேலாளர் பெயர் apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,பொருள் விவரங்களை பெறுவதற்கு இது தேவை. @@ -7253,7 +7321,6 @@ DocType: Homepage,Company Tagline for website homepage,இணைய முகப DocType: Company,Round Off Cost Center,செலவு மையம் சுற்று DocType: Supplier Scorecard Criteria,Criteria Weight,நிபந்தனை எடை DocType: Asset,Depreciation Schedules,மறுதலிப்பு அட்டவணை -DocType: Expense Claim Detail,Claim Amount,உரிமைகோரல் தொகை DocType: Subscription,Discounts,தள்ளுபடிகள் DocType: Shipping Rule,Shipping Rule Conditions,கப்பல் விதி நிபந்தனைகள் DocType: Subscription,Cancelation Date,ரத்து தேதி @@ -7281,7 +7348,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,லீட்ஸ் உ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,பூஜ்ய மதிப்புகள் காட்டு DocType: Employee Onboarding,Employee Onboarding,பணியாளர் ஆன்போர்பிங் DocType: POS Closing Voucher,Period End Date,காலம் முடிவு தேதி -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,ஆதாரத்தின் விற்பனை வாய்ப்புகள் DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,பட்டியலில் முதல் விடுப்பு மதிப்பீட்டாளர் முன்னிருப்பு விடுப்பு மதிப்பீட்டாளராக அமைக்கப்படும். DocType: POS Settings,POS Settings,POS அமைப்புகள் apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,அனைத்து கணக்குகளும் @@ -7302,7 +7368,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,வங apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,வரிசை # {0}: விகிதம் {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,ஹெச்எல்சி-முதலுதவி-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,சுகாதார சேவை பொருட்கள் -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,எந்த பதிவுகளும் கண்டறியப்படவில்லை apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,வயது வரம்பு 3 DocType: Vital Signs,Blood Pressure,இரத்த அழுத்தம் apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,இலக்கு இயக்கத்தில் @@ -7346,6 +7411,7 @@ DocType: Company,Existing Company,தற்போதுள்ள நிறுவ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,தொகுப்புகளும் apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,பாதுகாப்பு DocType: Item,Has Batch No,பேட்ச் இல்லை +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,தாமதமான நாட்கள் DocType: Lead,Person Name,நபர் பெயர் DocType: Item Variant,Item Variant,பொருள் மாறுபாடு DocType: Training Event Employee,Invited,அழைப்பு @@ -7367,7 +7433,7 @@ DocType: Purchase Order,To Receive and Bill,பெறுதல் மற்ற apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","செல்லுபடியாகும் சம்பள வரம்பில் தொடங்கும் மற்றும் முடிவுறும் தேதிகள், {0} கணக்கிட முடியாது." DocType: POS Profile,Only show Customer of these Customer Groups,இந்த வாடிக்கையாளர் குழுக்களின் வாடிக்கையாளரை மட்டுமே காண்பி apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,விலைப்பட்டியல் சேமிக்க பொருட்களை தேர்வு செய்யவும் -DocType: Service Level,Resolution Time,தீர்மானம் நேரம் +DocType: Service Level Priority,Resolution Time,தீர்மானம் நேரம் DocType: Grading Scale Interval,Grade Description,தரம் விவரம் DocType: Homepage Section,Cards,அட்டைகள் DocType: Quality Meeting Minutes,Quality Meeting Minutes,தரம் சந்திப்பு நிமிடங்கள் @@ -7440,7 +7506,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,கட்சிகள் மற்றும் முகவரிகள் இறக்குமதி DocType: Item,List this Item in multiple groups on the website.,இந்த உருப்படி வலைத்தளத்தில் பல குழுக்களில் பட்டியலிட. DocType: Request for Quotation,Message for Supplier,சப்ளையருக்கு செய்தி -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,பொருள் {1} க்கான பங்கு பரிவர்த்தனை இருப்பதை {0} மாற்ற முடியாது. DocType: Healthcare Practitioner,Phone (R),தொலைபேசி (R) DocType: Maintenance Team Member,Team Member,குழு உறுப்பினர் DocType: Asset Category Account,Asset Category Account,சொத்து வகை கணக்கு diff --git a/erpnext/translations/te.csv b/erpnext/translations/te.csv index 6fe19fe5c0..390aaf45a2 100644 --- a/erpnext/translations/te.csv +++ b/erpnext/translations/te.csv @@ -76,7 +76,7 @@ DocType: Academic Term,Term Start Date,టర్మ్ ప్రారంభ త apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,నియామకం {0} మరియు సేల్స్ ఇన్వాయిస్ {1} రద్దు చేయబడింది DocType: Purchase Receipt,Vehicle Number,వాహన సంఖ్య apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,మీ ఇమెయిల్ చిరునామా... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,డిఫాల్ట్ బుక్ ఎంట్రీలను చేర్చండి +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,డిఫాల్ట్ బుక్ ఎంట్రీలను చేర్చండి DocType: Activity Cost,Activity Type,కార్యాచరణ రకం DocType: Purchase Invoice,Get Advances Paid,చెల్లింపు అడ్వాన్స్ పొందండి DocType: Company,Gain/Loss Account on Asset Disposal,ఆస్తి నిర్మూలనపై లాభం / నష్టం ఖాతా @@ -221,7 +221,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,ఇది ఏమ DocType: Bank Reconciliation,Payment Entries,చెల్లింపు ఎంట్రీలు DocType: Employee Education,Class / Percentage,తరగతి / శాతం ,Electronic Invoice Register,ఎలక్ట్రానిక్ ఇన్వాయిస్ రిజిస్టర్ +DocType: Shift Type,The number of occurrence after which the consequence is executed.,పర్యవసానంగా అమలు చేయబడిన సంఘటనల సంఖ్య. DocType: Sales Invoice,Is Return (Credit Note),రిటర్న్ (క్రెడిట్ నోట్) +DocType: Price List,Price Not UOM Dependent,ధర UOM డిపెండెంట్ కాదు DocType: Lab Test Sample,Lab Test Sample,ల్యాబ్ పరీక్ష నమూనా DocType: Shopify Settings,status html,స్థితి html DocType: Fiscal Year,"For e.g. 2012, 2012-13","2012, 2012-13 కొరకు" @@ -320,6 +322,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,ఉత్పత DocType: Salary Slip,Net Pay,నికర జీతం apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,మొత్తం ఇన్వాయిస్ అట్ DocType: Clinical Procedure,Consumables Invoice Separately,ప్రత్యేకంగా వాయిస్ వినియోగం +DocType: Shift Type,Working Hours Threshold for Absent,పని గంటలు లేకపోవడం DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},సమూహం ఖాతాకు బడ్జెట్ కేటాయించబడదు {0} DocType: Purchase Receipt Item,Rate and Amount,రేట్ మరియు మొత్తం @@ -375,7 +378,6 @@ DocType: Sales Invoice,Set Source Warehouse,మూల వేర్ హౌస్ DocType: Healthcare Settings,Out Patient Settings,పేషెంట్ సెట్టింగులు DocType: Asset,Insurance End Date,బీమా ముగింపు తేదీ DocType: Bank Account,Branch Code,శాఖయొక్క సంకేత పదం -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,ప్రతిస్పందించడానికి సమయం apps/erpnext/erpnext/public/js/conf.js,User Forum,వాడుకరి ఫోరం DocType: Landed Cost Item,Landed Cost Item,ధర అంశం ఇవ్వబడింది apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,విక్రేత మరియు కొనుగోలుదారు ఒకే విధంగా ఉండకూడదు @@ -591,6 +593,7 @@ DocType: Lead,Lead Owner,యజమానిని లీడ్ చేయండ DocType: Share Transfer,Transfer,ట్రాన్స్ఫర్ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),శోధన అంశం (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} ఫలితం సమర్పించబడింది +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,తేదీ నుండి తేదీ కంటే ఎక్కువ ఉండకూడదు DocType: Supplier,Supplier of Goods or Services.,వస్తువుల లేదా సేవల సరఫరాదారు. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,కొత్త ఖాతా పేరు. గమనిక: దయచేసి ఖాతాదారులకు మరియు పంపిణీదారులకు ఖాతాలను సృష్టించవద్దు apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,స్టూడెంట్ గ్రూప్ లేదా కోర్సు షెడ్యూల్ తప్పనిసరి @@ -699,6 +702,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/templates/pages/demo.html,ERPNext Demo,ERPNext డెమో DocType: Patient,Other Risk Factors,ఇతర రిస్క్ ఫాక్టర్స్ DocType: Item Attribute,To Range,పరిధిలో +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,{0} applicable after {1} working days,{1} పని దినాల తర్వాత {0} వర్తిస్తుంది DocType: Task,Task Description,టాస్క్ వివరణ DocType: Bank Account,SWIFT Number,SWIFT సంఖ్య DocType: Accounts Settings,Show Payment Schedule in Print,ముద్రణలో చెల్లింపు షెడ్యూల్ను చూపించు @@ -880,6 +884,7 @@ DocType: Delivery Trip,Distance UOM,దూరం UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,బ్యాలెన్స్ షీట్ కోసం తప్పనిసరి DocType: Payment Entry,Total Allocated Amount,మొత్తం కేటాయించిన మొత్తం DocType: Sales Invoice,Get Advances Received,అడ్వాన్సులను స్వీకరించండి +DocType: Shift Type,Last Sync of Checkin,చెకిన్ యొక్క చివరి సమకాలీకరణ DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,అంశం పన్ను మొత్తం విలువలో ఉంది apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -888,7 +893,9 @@ DocType: Subscription Plan,Subscription Plan,సభ్యత్వ ప్రణ DocType: Student,Blood Group,రక్తపు గ్రూపు apps/erpnext/erpnext/config/healthcare.py,Masters,మాస్టర్స్ DocType: Crop,Crop Spacing UOM,పంట అంతరం UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,చెక్-ఇన్ ఆలస్యంగా (నిమిషాల్లో) పరిగణించబడినప్పుడు షిఫ్ట్ ప్రారంభ సమయం తర్వాత సమయం. apps/erpnext/erpnext/templates/pages/home.html,Explore,అన్వేషించండి +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,అత్యుత్తమ ఇన్‌వాయిస్‌లు కనుగొనబడలేదు DocType: Promotional Scheme,Product Discount Slabs,ఉత్పత్తి డిస్కౌంట్ స్లాబ్స్ DocType: Hotel Room Package,Amenities,సదుపాయాలు DocType: Lab Test Groups,Add Test,టెస్ట్ జోడించు @@ -985,6 +992,7 @@ DocType: Attendance,Attendance Request,హాజరు అభ్యర్థన DocType: Item,Moving Average,కదిలే సగటు DocType: Employee Attendance Tool,Unmarked Attendance,గుర్తించని హాజరు DocType: Homepage Section,Number of Columns,నిలువు వరుసల సంఖ్య +DocType: Issue Priority,Issue Priority,ఇష్యూ ప్రాధాన్యత DocType: Holiday List,Add Weekly Holidays,వీక్లీ సెలవులు జోడించండి DocType: Shopify Log,Shopify Log,Shopify లాగ్ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,జీతం స్లిప్ సృష్టించండి @@ -993,6 +1001,7 @@ DocType: Job Offer Term,Value / Description,విలువ / వివరణ DocType: Warranty Claim,Issue Date,జారి చేయు తేది 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} ఎంచుకోండి. ఈ అవసరాన్ని నెరవేర్చడానికి ఒక బ్యాచ్ని కనుగొనడం సాధ్యం కాదు apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,ఎడమ ఉద్యోగుల కోసం నిలుపుదల బోనస్ను సృష్టించలేరు +DocType: Employee Checkin,Location / Device ID,స్థానం / పరికర ID DocType: Purchase Order,To Receive,స్వీకరించేందుకు apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,మీరు ఆఫ్లైన్ మోడ్లో ఉన్నారు. మీకు నెట్వర్క్ ఉన్నంత వరకు మీరు రీలోడ్ చేయలేరు. DocType: Course Activity,Enrollment,నమోదు @@ -1001,7 +1010,6 @@ DocType: Lab Test Template,Lab Test Template,ల్యాబ్ టెస్ట apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},మాక్స్: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ఇ-ఇన్వాయిస్ సమాచారం లేదు apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,విషయం అభ్యర్థన సృష్టించబడలేదు -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ఐటెమ్ కోడ్> ఐటెమ్ గ్రూప్> బ్రాండ్ DocType: Loan,Total Amount Paid,మొత్తం చెల్లింపు మొత్తం apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,ఈ అంశాలన్నీ ఇప్పటికే ఇన్వాయిస్ చేయబడ్డాయి DocType: Training Event,Trainer Name,శిక్షణ పేరు @@ -1111,6 +1119,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},దయచేసి లీడ్ లో లీడ్ పేరును పేర్కొనండి {0} DocType: Employee,You can enter any date manually,మీరు ఏదైనా తేదీని మానవీయంగా నమోదు చేయవచ్చు DocType: Stock Reconciliation Item,Stock Reconciliation Item,స్టాక్ సయోధ్య అంశం +DocType: Shift Type,Early Exit Consequence,ప్రారంభ నిష్క్రమణ పరిణామం DocType: Item Group,General Settings,సాధారణ సెట్టింగులు apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,పోస్ట్ తేదీ / సరఫరాదారు వాయిస్ తేదీకి ముందు ఉండకూడదు apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,సమర్పించే ముందు లబ్ధిదారుడి పేరును నమోదు చేయండి. @@ -1149,6 +1158,7 @@ DocType: Account,Auditor,ఆడిటర్ apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,చెల్లింపు నిర్ధారణ ,Available Stock for Packing Items,అంశాలు ప్యాకింగ్ కోసం అందుబాటులో స్టాక్ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},దయచేసి C-Form {1} నుండి ఈ ఇన్వాయిస్ {0} ను తొలగించండి +DocType: Shift Type,Every Valid Check-in and Check-out,ప్రతి చెల్లుబాటు అయ్యే చెక్-ఇన్ మరియు చెక్-అవుట్ DocType: Support Search Source,Query Route String,ప్రశ్న మార్గం స్ట్రింగ్ DocType: Customer Feedback Template,Customer Feedback Template,కస్టమర్ చూడు మూస apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,లీడ్స్ లేదా కస్టమర్లకు ఉల్లేఖనాలు. @@ -1183,6 +1193,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,అధికార నియంత్రణ ,Daily Work Summary Replies,డైలీ వర్క్ సారాంశం ప్రత్యుత్తరాలు apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},మీరు ప్రాజెక్ట్లో సహకరించడానికి ఆహ్వానించబడ్డారు: {0} +DocType: Issue,Response By Variance,వైవిధ్యం ద్వారా ప్రతిస్పందన DocType: Item,Sales Details,అమ్మకాల వివరాలు apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,ప్రింట్ టెంప్లేట్ల ఉత్తరం ఉత్తరాలు. DocType: Salary Detail,Tax on additional salary,అదనపు జీతం పన్ను @@ -1306,6 +1317,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,కస్ DocType: Project,Task Progress,టాస్క్ ప్రోగ్రెస్ DocType: Journal Entry,Opening Entry,ఎంట్రీ తెరవడం DocType: Bank Guarantee,Charges Incurred,చార్జీలు చోటు చేసుకున్నాయి +DocType: Shift Type,Working Hours Calculation Based On,పని గంటలు లెక్కింపు ఆధారంగా DocType: Work Order,Material Transferred for Manufacturing,తయారీ కోసం పదార్థం బదిలీ చేయబడింది DocType: Products Settings,Hide Variants,వేరియంట్స్ దాచు DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,సామర్థ్య ప్రణాళికా మరియు సమయం ట్రాకింగ్ను నిలిపివేయండి @@ -1335,6 +1347,7 @@ DocType: Account,Depreciation,అరుగుదల DocType: Guardian,Interests,అభిరుచులు DocType: Purchase Receipt Item Supplied,Consumed Qty,వినియోగించిన Qty DocType: Education Settings,Education Manager,ఎడ్యుకేషన్ మేనేజర్ +DocType: Employee Checkin,Shift Actual Start,అసలు ప్రారంభాన్ని మార్చండి DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,వర్క్స్టేషన్ పని గంటలు వెలుపల ప్రణాళిక సమయం లాగ్లు. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},విశ్వసనీయ పాయింట్లు: {0} DocType: Healthcare Settings,Registration Message,నమోదు సందేశం @@ -1361,7 +1374,6 @@ DocType: Sales Partner,Contact Desc,సంప్రదించండి Desc DocType: Purchase Invoice,Pricing Rules,ధర నియమాలు DocType: Hub Tracked Item,Image List,చిత్రం జాబితా DocType: Item Variant Settings,Allow Rename Attribute Value,లక్షణం విలువను పేరుమార్చు అనుమతించు -DocType: Price List,Price Not UOM Dependant,ధర UOM ఆధారపడదు apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),సమయం (నిమిషాల్లో) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,ప్రాథమిక DocType: Loan,Interest Income Account,వడ్డీ ఆదాయం ఖాతా @@ -1371,6 +1383,7 @@ DocType: Employee,Employment Type,ఉపాధి పద్ధతి apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,POS ప్రొఫైల్ను ఎంచుకోండి DocType: Support Settings,Get Latest Query,తాజా ప్రశ్న పొందండి DocType: Employee Incentive,Employee Incentive,ఉద్యోగి ప్రోత్సాహకం +DocType: Service Level,Priorities,ప్రియారిటీస్ apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,హోమ్పేజీలో కార్డులు లేదా అనుకూల విభాగాలను జోడించండి DocType: Homepage,Hero Section Based On,హీరో విభాగం ఆధారంగా DocType: Project,Total Purchase Cost (via Purchase Invoice),మొత్తం కొనుగోలు ఖర్చు (కొనుగోలు వాయిస్ ద్వారా) @@ -1405,6 +1418,7 @@ The package **Item** will have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" For Example: If you are selling Laptops and Backpacks separately and have a special price if the customer buys both, then the Laptop + Backpack will be a new Product Bundle Item. Note: BOM = Bill of Materials","** అంశాలు మొత్తం సముదాయం ** మరొక ** అంశం ** లోకి. మీరు ఒక నిర్దిష్ట ప్యాకేజీ లోకి ** అంశాలు ** బండిల్ చేస్తే, ఇది ఉపయోగకరంగా ఉంటుంది మరియు ప్యాక్ చేయబడిన ** ఐటెమ్ల స్టాక్ని నిలబెట్టుకోండి ** మరియు మొత్తం ** ఐటెమ్ ** కాదు. ప్యాకేజీ ** అంశం ** "నో" మరియు "సేల్స్ ఐటెమ్" "అవును" గా "స్టాక్ అంశం" కలిగి ఉంటుంది. ఉదాహరణకు: మీరు ల్యాప్టాప్లు మరియు బ్యాక్ప్యాక్లను విడివిడిగా అమ్మడం మరియు కస్టమర్ రెండింటిని కొనుగోలు చేస్తే ప్రత్యేకమైన ధరను కలిగి ఉంటే, ఆపై ల్యాప్టాప్ + వీపున తగిలించుకొనే సామాను సంచి కొత్త ఉత్పత్తి బండిల్ అంశం అవుతుంది. గమనిక: BOM = వస్తువుల యొక్క బిల్లు" +apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Another Budget record '{0}' already exists against {1} '{2}' and account '{3}' for fiscal year {4},మరో బడ్జెట్ రికార్డ్ '{0}' ఇప్పటికే {1} '{2}' కు వ్యతిరేకంగా ఉంది మరియు {4} ఆర్థిక సంవత్సరానికి ఖాతా {{3} ' DocType: Asset,Purchase Receipt Amount,కొనుగోలు రసీదు మొత్తం DocType: Issue,Ongoing,కొనసాగుతున్న DocType: Service Level Agreement,Agreement Details,ఒప్పందం వివరాలు @@ -1430,7 +1444,7 @@ DocType: Work Order,Manufacture against Material Request,మెటీరియ DocType: Blanket Order Item,Ordered Quantity,క్రమపరిచిన పరిమాణం apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},రో # {0}: తిరస్కరించబడిన వేర్హౌస్ తిరస్కరించిన అంశం {1} ,Received Items To Be Billed,స్వీకరించబడిన అంశాలు బిల్ -DocType: Salary Slip Timesheet,Working Hours,పని గంటలు +DocType: Attendance,Working Hours,పని గంటలు apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,చెల్లింపు మోడ్ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,కొనుగోలు ఆర్డర్ అంశాలు సమయం పొందలేదు apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,డేస్ లో వ్యవధి @@ -1549,7 +1563,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,మీ సరఫరాదారు గురించి శాసనాత్మక సమాచారం మరియు ఇతర సాధారణ సమాచారం DocType: Item Default,Default Selling Cost Center,డిఫాల్ట్ సెల్లింగ్ కాస్ట్ సెంటర్ DocType: Sales Partner,Address & Contacts,చిరునామా & పరిచయాలు -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,సెటప్> నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబర్ సిరీస్ను సెటప్ చేయండి DocType: Subscriber,Subscriber,సబ్స్క్రయిబర్ apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ఫారం / అంశం / {0}) స్టాక్ లేదు apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,మొదటి తేదీని పోస్ట్ చేయండి @@ -1560,7 +1573,7 @@ DocType: Project,% Complete Method,% పూర్తి విధానం DocType: Detected Disease,Tasks Created,సృష్టించబడిన పనులు apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,డిఫాల్ట్ BOM ({0}) ఈ అంశం లేదా దాని టెంప్లేట్ కోసం క్రియాశీలకంగా ఉండాలి apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,కమీషన్ రేటు% -DocType: Service Level,Response Time,ప్రతిస్పందన సమయం +DocType: Service Level Priority,Response Time,ప్రతిస్పందన సమయం DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce సెట్టింగులు apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,పరిమాణం సానుకూలంగా ఉండాలి DocType: Contract,CRM,CRM @@ -1577,7 +1590,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,ఇన్పేషెం DocType: Bank Statement Settings,Transaction Data Mapping,లావాదేవీ డేటా మ్యాపింగ్ apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,ఒక వ్యక్తికి వ్యక్తి పేరు లేదా సంస్థ పేరు అవసరం DocType: Student,Guardians,గార్దియన్స్ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,దయచేసి ఎడ్యుకేషన్> ఎడ్యుకేషన్ సెట్టింగులలో ఇన్స్ట్రక్టర్ నేమింగ్ సిస్టం సెటప్ చేయండి apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,బ్రాండ్ను ఎంచుకోండి ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,మధ్య ఆదాయం DocType: Shipping Rule,Calculate Based On,ఆధారంగా లెక్కించు @@ -1614,6 +1626,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,టార్గె apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},హాజరు రికార్డు {0} స్టూడెంట్ {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,లావాదేవీ తేదీ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,సబ్స్క్రిప్షన్ను రద్దు చేయండి +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,సేవా స్థాయి ఒప్పందాన్ని సెట్ చేయలేకపోయింది {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,నికర జీతం మొత్తం DocType: Account,Liability,బాధ్యత DocType: Employee,Bank A/C No.,బ్యాంకు A / C నం. @@ -1678,7 +1691,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,రా మెటీరియల్ అంశం కోడ్ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,కొనుగోలు ఇన్వాయిస్ {0} ఇప్పటికే సమర్పించబడింది DocType: Fees,Student Email,విద్యార్థి ఇమెయిల్ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM సూత్రం: {0} {2} యొక్క పేరెంట్ లేదా బిడ్డగా ఉండకూడదు apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,హెల్త్కేర్ సర్వీసెస్ నుండి అంశాలను పొందండి apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,స్టాక్ ఎంట్రీ {0} సమర్పించబడలేదు DocType: Item Attribute Value,Item Attribute Value,అంశం లక్షణం విలువ @@ -1703,7 +1715,6 @@ DocType: POS Profile,Allow Print Before Pay,చెల్లించే ము DocType: Production Plan,Select Items to Manufacture,తయారీకి అంశాలను ఎంచుకోండి DocType: Leave Application,Leave Approver Name,అప్ప్రోవర్ పేరు వదిలివేయండి DocType: Shareholder,Shareholder,వాటాదారు -DocType: Issue,Agreement Status,ఒప్పందం స్థితి apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,అమ్మకం లావాదేవీలకు డిఫాల్ట్ సెట్టింగులు. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,దయచేసి చెల్లించిన విద్యార్ధి దరఖాస్తుదారునికి తప్పనిసరిగా తప్పనిసరి అయిన స్టూడెంట్ అడ్మిషన్ ఎంచుకోండి apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOM ను ఎంచుకోండి @@ -1964,6 +1975,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,ఆదాయం ఖాతా apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,అన్ని గిడ్డంగులు DocType: Contract,Signee Details,సంతకం వివరాలు +DocType: Shift Type,Allow check-out after shift end time (in minutes),షిఫ్ట్ ముగింపు సమయం (నిమిషాల్లో) తర్వాత చెక్-అవుట్ చేయడానికి అనుమతించండి apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,ప్రొక్యూర్మెంట్ DocType: Item Group,Check this if you want to show in website,మీరు వెబ్ సైట్ లో చూపించాలనుకుంటే దీనిని చూడండి apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ఫిస్కల్ ఇయర్ {0} దొరకలేదు @@ -2030,6 +2042,7 @@ DocType: Asset Finance Book,Depreciation Start Date,తరుగుదల ప్ DocType: Activity Cost,Billing Rate,బిల్లింగ్ రేట్ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},హెచ్చరిక: మరొక {0} # {1} స్టాక్ ఎంట్రీకి వ్యతిరేకంగా ఉంది {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,దయచేసి మార్గాలను అంచనా వేయడానికి మరియు ఆప్టిమైజ్ చేయడానికి Google Maps సెట్టింగ్లను ప్రారంభించండి +DocType: Purchase Invoice Item,Page Break,పేజీ బ్రేక్ DocType: Supplier Scorecard Criteria,Max Score,మాక్స్ స్కోరు apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,చెల్లింపు ప్రారంభ తేదీ చెల్లింపు తేదీకి ముందు ఉండకూడదు. DocType: Support Search Source,Support Search Source,మద్దతు శోధన మూలం @@ -2095,6 +2108,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,నాణ్యత లక DocType: Employee Transfer,Employee Transfer,ఉద్యోగి బదిలీ ,Sales Funnel,సేల్స్ ఫన్నెల్ DocType: Agriculture Analysis Criteria,Water Analysis,నీటి విశ్లేషణ +DocType: Shift Type,Begin check-in before shift start time (in minutes),షిఫ్ట్ ప్రారంభ సమయానికి ముందు (నిమిషాల్లో) చెక్-ఇన్ ప్రారంభించండి DocType: Accounts Settings,Accounts Frozen Upto,ఖాతాల ఘనీభవించినవి apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,సవరించడానికి ఏమీ లేదు. DocType: Item Variant Settings,Do not update variants on save,భద్రపరచడానికి వైవిధ్యాలను నవీకరించవద్దు @@ -2107,7 +2121,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,న apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},సేల్స్ ఆర్డర్ {0} {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),చెల్లింపు ఆలస్యం (డేస్) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,తరుగుదల వివరాలను నమోదు చేయండి +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,కస్టమర్ పిఒ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,ఊహించిన డెలివరీ తేదీ సేల్స్ ఆర్డర్ తేదీ తర్వాత ఉండాలి +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,అంశం పరిమాణం సున్నా కాదు apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,చెల్లని లక్షణం apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},దయచేసి వస్తువుకు వ్యతిరేకంగా BOM ను ఎంచుకోండి {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,ఇన్వాయిస్ టైప్ @@ -2117,6 +2133,7 @@ DocType: Maintenance Visit,Maintenance Date,నిర్వహణ తేదీ DocType: Volunteer,Afternoon,మధ్యాహ్నం DocType: Vital Signs,Nutrition Values,న్యూట్రిషన్ విలువలు DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),జ్వరం ఉండటం (తాత్కాలికంగా> 38.5 ° C / 101.3 ° F లేదా నిరంతర ఉష్ణోగ్రత> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి మానవ వనరులు> హెచ్ ఆర్ సెట్టింగులలో ఉద్యోగుల నామకరణ వ్యవస్థను సెటప్ చేయండి apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC తిరగబడింది DocType: Project,Collect Progress,ప్రోగ్రెస్ని సేకరించండి apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,శక్తి @@ -2165,6 +2182,7 @@ DocType: Setup Progress,Setup Progress,ప్రోగ్రెస్ సెట ,Ordered Items To Be Billed,బిల్డ్ చేయవలసిన అంశాలు DocType: Taxable Salary Slab,To Amount,మొత్తానికి DocType: Purchase Invoice,Is Return (Debit Note),రిటర్న్ (డెబిట్ నోట్) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం apps/erpnext/erpnext/config/desktop.py,Getting Started,మొదలు అవుతున్న apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,విలీనం apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,ఫిస్కల్ సంవత్సరం సేవ్ చేయబడిన ఫిస్కల్ ఇయర్ ప్రారంభ తేదీ మరియు ఫిస్కల్ ఇయర్ ఎండ్ ముగింపు తేదీని మార్చలేరు. @@ -2185,6 +2203,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Ex DocType: Purchase Invoice,Select Supplier Address,సరఫరాదారు చిరునామాను ఎంచుకోండి apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,దయచేసి API కన్స్యూమర్ సీక్రెట్ను నమోదు చేయండి DocType: Program Enrollment Fee,Program Enrollment Fee,ప్రోగ్రామ్ నమోదు రుసుము +DocType: Employee Checkin,Shift Actual End,షిఫ్ట్ అసలైన ముగింపు DocType: Serial No,Warranty Expiry Date,వారంటీ గడువు తేదీ DocType: Hotel Room Pricing,Hotel Room Pricing,హోటల్ రూమ్ ప్రైసింగ్ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","బాహ్య పన్ను విధించదగిన సరఫరాలు (సున్నా రేట్ కాకుండా, రేట్ కాదు మరియు మినహాయించబడ్డాయి" @@ -2244,6 +2263,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,పఠనం 5 DocType: Shopping Cart Settings,Display Settings,డిస్ ప్లే సెట్టింగులు apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,దయచేసి తగ్గింపుల సంఖ్యను బుక్ చేసిన సంఖ్యను సెట్ చేయండి +DocType: Shift Type,Consequence after,పరిణామం తరువాత apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,మీకు సహాయం అవసరం ఏమిటి? DocType: Journal Entry,Printing Settings,ముద్రణ సెట్టింగ్లు apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,బ్యాంకింగ్ @@ -2253,8 +2273,10 @@ DocType: Purchase Invoice Item,PR Detail,PR వివరాలు apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,బిల్లింగ్ చిరునామా షిప్పింగ్ చిరునామా వలె ఉంటుంది DocType: Account,Cash,క్యాష్ DocType: Employee,Leave Policy,విధానంలో వదిలివేయండి +DocType: Shift Type,Consequence,పర్యవసానంగా apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,విద్యార్థి చిరునామా DocType: GST Account,CESS Account,CESS ఖాతా +apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: 'లాభం మరియు నష్టం' ఖాతా {2} కోసం ఖర్చు కేంద్రం అవసరం. దయచేసి కంపెనీ కోసం డిఫాల్ట్ ఖర్చు కేంద్రాన్ని ఏర్పాటు చేయండి. apps/erpnext/erpnext/accounts/doctype/account/account.py,"While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA","పిల్లల కంపెనీ {0} కోసం ఖాతాని సృష్టించినప్పుడు, పేరెంట్ ఖాతా {1} దొరకలేదు. దయచేసి సంబంధిత COA లో తల్లిదండ్రుల ఖాతాను సృష్టించండి" apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js,General Ledger,సాధారణ లెడ్జర్ apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,GSTIN పంపినప్పుడు రిమైండర్ పంపండి @@ -2316,6 +2338,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN కోడ్ DocType: Period Closing Voucher,Period Closing Voucher,కాలం ముగింపు వౌచర్ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,గార్డియన్ 2 పేరు apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,దయచేసి ఖర్చు ఖాతా నమోదు చేయండి +DocType: Issue,Resolution By Variance,వైవిధ్యం ద్వారా తీర్మానం DocType: Employee,Resignation Letter Date,రాజీనామా ఉత్తరం తేదీ DocType: Soil Texture,Sandy Clay,శాండీ క్లే DocType: Upload Attendance,Attendance To Date,తేదీకి హాజరు కావడం @@ -2328,6 +2351,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,ఇప్పుడు చూడండి DocType: Item Price,Valid Upto,చెల్లుతుంది వరకు apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},రిఫరెన్స్ డాక్టైప్ తప్పనిసరిగా {0} +DocType: Employee Checkin,Skip Auto Attendance,ఆటో హాజరును దాటవేయి DocType: Payment Request,Transaction Currency,లావాదేవీ కరెన్సీ DocType: Loan,Repayment Schedule,తిరిగి చెల్లింపు షెడ్యూల్ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,నమూనా నిలుపుదల స్టాక్ ఎంట్రీని సృష్టించండి @@ -2399,6 +2423,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,జీతం DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS ముగింపు వౌచర్ పన్నులు apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,చర్య ప్రారంభించబడింది DocType: POS Profile,Applicable for Users,వినియోగదారులకు వర్తింపజేయండి +,Delayed Order Report,ఆలస్యం ఆర్డర్ నివేదిక DocType: Training Event,Exam,పరీక్షా apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,జనరల్ లెడ్జర్ ఎంట్రీలు తప్పు సంఖ్య కనుగొనబడింది. మీరు లావాదేవీలో తప్పు ఖాతాను ఎంచుకొని ఉండవచ్చు. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,సేల్స్ పైప్లైన్ @@ -2413,10 +2438,10 @@ DocType: Account,Round Off,రౌండ్ ఆఫ్ DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,కలిపి ఎంచుకున్న అన్ని అంశాలపై షరతులు వర్తింపజేయబడతాయి. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,కాన్ఫిగర్ DocType: Hotel Room,Capacity,కెపాసిటీ +DocType: Employee Checkin,Shift End,షిఫ్ట్ ఎండ్ DocType: Installation Note Item,Installed Qty,ఇన్స్టాల్ చేసిన Qty apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,అంశం {1} యొక్క బ్యాచ్ {0} నిలిపివేయబడింది. DocType: Hotel Room Reservation,Hotel Reservation User,హోటల్ రిజర్వేషన్ వినియోగదారు -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,పని దినం రెండుసార్లు పునరావృతం చేయబడింది apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},పేరు లోపం: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,POS ప్రొఫైల్ లో భూభాగం అవసరం DocType: Purchase Invoice Item,Service End Date,సేవ ముగింపు తేదీ @@ -2463,6 +2488,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,షెడ్యూల్ తేదీ DocType: Packing Slip,Package Weight Details,ప్యాకేజీ బరువు వివరాలు DocType: Job Applicant,Job Opening,ఉద్యోగం ప్రారంభించడం +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,ఉద్యోగి చెకిన్ యొక్క చివరి తెలిసిన విజయవంతమైన సమకాలీకరణ. అన్ని లాగ్‌లు అన్ని స్థానాల నుండి సమకాలీకరించబడిందని మీకు ఖచ్చితంగా తెలిస్తే మాత్రమే దీన్ని రీసెట్ చేయండి. మీకు ఖచ్చితంగా తెలియకపోతే దయచేసి దీన్ని సవరించవద్దు. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,అసలు ఖరీదు apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ఆర్డర్ {1} వ్యతిరేకంగా మొత్తం అడ్వాన్స్ ({0}) గ్రాండ్ టోటల్ ({2}) కంటే ఎక్కువగా ఉండరాదు apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,అంశం రకాలు నవీకరించబడ్డాయి @@ -2507,6 +2533,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,రిఫరెన్స apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,ఇన్వోసిస్ పొందండి DocType: Tally Migration,Is Day Book Data Imported,డే బుక్ డేటా దిగుమతి అయ్యింది ,Sales Partners Commission,సేల్స్ పార్టిన్స్ కమిషన్ +DocType: Shift Type,Enable Different Consequence for Early Exit,ప్రారంభ నిష్క్రమణ కోసం విభిన్న పరిణామాలను ప్రారంభించండి apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,చట్టపరమైన DocType: Loan Application,Required by Date,తేదీ ద్వారా అవసరం DocType: Quiz Result,Quiz Result,క్విజ్ ఫలితం @@ -2566,7 +2593,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,ఆర్ DocType: Pricing Rule,Pricing Rule,ధర నియమం apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},ఐచ్ఛిక హాలిడే జాబితా సెలవు కాలం కోసం సెట్ చేయబడలేదు {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Employee పాత్రను సెట్ చేయడానికి ఉద్యోగి రికార్డులో వినియోగదారు ID ఫీల్డ్ని సెట్ చేయండి -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,పరిష్కరించడానికి సమయం DocType: Training Event,Training Event,శిక్షణ కార్యక్రమం DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","వయోజనలో సాధారణ విశ్రాంతి రక్తపోటు సుమారు 120 mmHg సిస్టోలిక్, మరియు 80 mmHg డయాస్టొలిక్, సంక్షిప్తంగా "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,పరిమితి విలువ సున్నా అయితే వ్యవస్థ అన్ని ఎంట్రీలను పొందుతుంది. @@ -2609,6 +2635,7 @@ DocType: Woocommerce Settings,Enable Sync,సమకాలీకరణను ప DocType: Student Applicant,Approved,ఆమోదించబడింది apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},తేదీ నుండి ఫిస్కల్ ఇయర్ లోపల ఉండాలి. తేదీ నుండి ఊహించండి = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,దయచేసి సెట్టింగులను కొనడంలో సరఫరాదారు సమూహాన్ని సెట్ చేయండి. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} చెల్లని హాజరు స్థితి. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,తాత్కాలిక ప్రారంభ ఖాతా DocType: Purchase Invoice,Cash/Bank Account,నగదు / బ్యాంకు ఖాతా DocType: Quality Meeting Table,Quality Meeting Table,క్వాలిటీ మీటింగ్ టేబుల్ @@ -2644,6 +2671,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS ఆథ్ టోకెన్ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","ఆహారం, పానీయం మరియు పొగాకు" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,కోర్సు షెడ్యూల్ DocType: Purchase Taxes and Charges,Item Wise Tax Detail,అంశం వైజ్ పన్ను వివరాలు +DocType: Shift Type,Attendance will be marked automatically only after this date.,ఈ తేదీ తర్వాత మాత్రమే హాజరు స్వయంచాలకంగా గుర్తించబడుతుంది. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,UIN హోల్డర్లకు చేసిన సామాగ్రి apps/erpnext/erpnext/hooks.py,Request for Quotations,ఉల్లేఖనాల కోసం అభ్యర్థన apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,ఇతర కరెన్సీని ఉపయోగించి ఎంట్రీలు చేసిన తర్వాత కరెన్సీ మార్చబడదు @@ -2907,7 +2935,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,డిస్కౌం DocType: Hotel Settings,Default Taxes and Charges,డిఫాల్ట్ పన్నులు మరియు ఛార్జీలు apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,ఈ సరఫరాదారుపై లావాదేవీల ఆధారంగా ఇది ఆధారపడి ఉంటుంది. వివరాలు కోసం క్రింద ఉన్న కాలపట్టిక చూడండి apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},ఉద్యోగి యొక్క గరిష్ట లాభం మొత్తం {0} {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,ఒప్పందం కోసం ప్రారంభ మరియు ముగింపు తేదీని నమోదు చేయండి. DocType: Delivery Note Item,Against Sales Invoice,సేల్స్ ఇన్వాయిస్ వ్యతిరేకంగా DocType: Loyalty Point Entry,Purchase Amount,కొనుగోలు మొత్తం apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,సేల్స్ ఆర్డర్ చేసిన లాస్ట్గా సెట్ చేయలేరు. @@ -2931,7 +2958,7 @@ DocType: Homepage,"URL for ""All Products""","అన్ని ఉత్ప DocType: Lead,Organization Name,సంస్థ పేరు apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,చెల్లుబాటు అయ్యే నుండి మరియు చెల్లుబాటు అయ్యే వరకు క్షేత్రాలు తప్పనిసరి apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},వరుస # {0}: బ్యాచ్ సంఖ్య తప్పనిసరిగా {1} {2} -DocType: Employee,Leave Details,వివరాలు వదిలివేయండి +DocType: Employee Checkin,Shift Start,షిఫ్ట్ స్టార్ట్ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} ముందు స్టాక్ లావాదేవీలు స్తంభింపించబడతాయి DocType: Driver,Issuing Date,జారీ తేదీ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,అభ్యర్ధనదారునికి @@ -2976,9 +3003,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,నగదు ప్రవాహం మ్యాపింగ్ మూస వివరాలు apps/erpnext/erpnext/config/hr.py,Recruitment and Training,రిక్రూట్మెంట్ అండ్ ట్రైనింగ్ DocType: Drug Prescription,Interval UOM,ఇంటర్వల్ UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,ఆటో హాజరు కోసం గ్రేస్ పీరియడ్ సెట్టింగులు apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,కరెన్సీ నుండి మరియు కరెన్సీ వరకు అదే కాదు apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ఫార్మాస్యూటికల్స్ DocType: Employee,HR-EMP-,ఆర్ EMP- +DocType: Service Level,Support Hours,మద్దతు గంటలు apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} రద్దు చేయబడింది లేదా మూసివేయబడింది apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,రో {0}: కస్టమర్కు వ్యతిరేకంగా అడ్వాన్స్ క్రెడిట్ అయి ఉండాలి apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),వౌచర్ ద్వారా గుంపు (కన్సాలిడేటెడ్) @@ -3087,6 +3116,7 @@ DocType: Asset Repair,Repair Status,రిపేరు స్థితి DocType: Territory,Territory Manager,భూభాగం మేనేజర్ DocType: Lab Test,Sample ID,నమూనా ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,కార్ట్ ఖాళీగా ఉంది +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,ఉద్యోగి చెక్-ఇన్ల ప్రకారం హాజరు గుర్తించబడింది apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,ఆస్తి {0} సమర్పించాలి ,Absent Student Report,అబ్సెంట్ స్టూడెంట్ రిపోర్ట్ apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,స్థూల లాభాలలో చేర్చబడింది @@ -3094,7 +3124,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,నిధుల మొత్తం apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} సమర్పించబడలేదు కాబట్టి చర్య పూర్తవుతుంది DocType: Subscription,Trial Period End Date,ట్రయల్ గడువు ముగింపు తేదీ +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,ఒకే షిఫ్ట్ సమయంలో IN మరియు OUT వంటి ప్రత్యామ్నాయ ఎంట్రీలు DocType: BOM Update Tool,The new BOM after replacement,కొత్త BOM భర్తీ తర్వాత +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు రకం apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,అంశం 5 DocType: Employee,Passport Number,పాస్ పోర్టు సంఖ్య apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,తాత్కాలిక ప్రారంభ @@ -3115,6 +3147,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot DocType: Agriculture Analysis Criteria,Weather,వాతావరణ ,Welcome to ERPNext,ERPNext కు స్వాగతం DocType: Payment Reconciliation,Maximum Invoice Amount,గరిష్ట వాయిస్ మొత్తం +apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim for Vehicle Log {0},వాహన లాగ్ కోసం ఖర్చు దావా {0} DocType: Healthcare Settings,Patient Encounters in valid days,రోగుల ఎన్కౌంటర్లు చెల్లుబాటు అయ్యే రోజులలో ,Student Fee Collection,స్టూడెంట్ ఫీజు కలెక్షన్ DocType: Selling Settings,Sales Order Required,సేల్స్ ఆర్డర్ అవసరం @@ -3207,6 +3240,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,కీ నివేదిక apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,సాధ్యమయ్యే సరఫరాదారు ,Issued Items Against Work Order,వర్క్ ఆర్డర్ వ్యతిరేకంగా జారీ చేసిన అంశాలు apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} వాయిస్ సృష్టిస్తోంది +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,దయచేసి విద్య> విద్య సెట్టింగులలో బోధకుడు నామకరణ వ్యవస్థను సెటప్ చేయండి DocType: Student,Joining Date,తేదీ చేరడం apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,సైట్ అభ్యర్థిస్తోంది DocType: Purchase Invoice,Against Expense Account,ఎగైనెస్ట్ ఎక్స్పెన్స్ అకౌంట్ @@ -3245,6 +3279,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,వర్తించే ఆరోపణలు ,Point of Sale,అమ్మే చోటు DocType: Authorization Rule,Approving User (above authorized value),ఆమోదించిన వినియోగదారు (అధికారం విలువ పైన) +DocType: Service Level Agreement,Entity,సంస్థ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{0} {1} {2} నుండి {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},వినియోగదారుడు {0} {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,పార్టీ పేరు నుండి @@ -3348,7 +3383,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,ఆస్తి యజమాని apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},స్టాక్ వస్తువు {0} వరుసలో {0} కోసం వేర్హౌస్ తప్పనిసరి DocType: Stock Entry,Total Additional Costs,మొత్తం అదనపు వ్యయాలు -DocType: Marketplace Settings,Last Sync On,చివరి సమకాలీకరణ ఆన్ చేయబడింది apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,దయచేసి పన్నులు మరియు ఛార్జీల పట్టికలో కనీసం ఒక వరుసను సెట్ చేయండి DocType: Asset Maintenance Team,Maintenance Team Name,నిర్వహణ టీమ్ పేరు apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,చార్ట్ సెంటర్స్ చార్ట్ @@ -3363,12 +3397,12 @@ DocType: Sales Order Item,Work Order Qty,వర్క్ ఆర్డర్ Qty DocType: Job Card,WIP Warehouse,WIP వేర్హౌస్ DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Employee కోసం వినియోగదారు ID సెట్ చేయబడలేదు {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","అందుబాటులో ఉన్న qty {0}, మీకు {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,వినియోగదారు {0} సృష్టించారు DocType: Stock Settings,Item Naming By,అంశం నామకరణ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,ఆదేశించారు apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,ఇది ఒక రూట్ కస్టమర్ సమూహం మరియు సవరించబడదు. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,భౌతిక అభ్యర్థన {0} రద్దు చేయబడింది లేదా నిలిపివేయబడింది +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,ఉద్యోగుల చెకిన్‌లో లాగ్ రకంపై ఖచ్చితంగా ఆధారపడి ఉంటుంది DocType: Purchase Order Item Supplied,Supplied Qty,సరఫరా Qty DocType: Cash Flow Mapper,Cash Flow Mapper,క్యాష్ ఫ్లో మాపర్ DocType: Soil Texture,Sand,ఇసుక @@ -3427,6 +3461,7 @@ DocType: Lab Test Groups,Add new line,క్రొత్త పంక్తి apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,ఐటెమ్ సమూహ పట్టికలో నకిలీ అంశం సమూహం కనుగొనబడింది apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,ఏడాది జీతం DocType: Supplier Scorecard,Weighting Function,వెయిటింగ్ ఫంక్షన్ +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,ప్రమాణాల సూత్రాన్ని మూల్యాంకనం చేయడంలో లోపం ,Lab Test Report,లాబ్ పరీక్ష నివేదిక DocType: BOM,With Operations,ఆపరేషన్స్తో @@ -3451,9 +3486,11 @@ DocType: Supplier Scorecard Period,Variables,వేరియబుల్స్ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,కస్టమర్ కోసం బహుళ లాయల్టీ ప్రోగ్రామ్ కనుగొనబడింది. దయచేసి మానవీయంగా ఎంచుకోండి. DocType: Patient,Medication,మందుల apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,లాయల్టీ ప్రోగ్రామ్ను ఎంచుకోండి +DocType: Employee Checkin,Attendance Marked,హాజరు గుర్తించబడింది apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,ముడి సరుకులు DocType: Sales Order,Fully Billed,పూర్తిగా బిల్ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},దయచేసి {@} పై హోటల్ రూట్ రేట్ ను సెట్ చేయండి +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,డిఫాల్ట్‌గా ఒకే ప్రాధాన్యతను ఎంచుకోండి. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,మొత్తం క్రెడిట్ / డెబిట్ మొత్తం లింక్డ్ జర్నల్ ఎంట్రీ మాదిరిగానే ఉండాలి DocType: Purchase Invoice Item,Is Fixed Asset,స్థిర ఆస్తి apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,To Party Name,పార్టీ పేరుకు @@ -3473,6 +3510,7 @@ DocType: Purpose of Travel,Purpose of Travel,ప్రయాణ ముఖ్య DocType: Healthcare Settings,Appointment Confirmation,నియామకం నిర్ధారణ DocType: Shopping Cart Settings,Orders,ఆదేశాలు DocType: HR Settings,Retirement Age,పదవీ విరమణ వయసు +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,దయచేసి సెటప్> నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబరింగ్ సిరీస్‌ను సెటప్ చేయండి apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,అంచనా వేసినది apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},దేశం {0} కోసం తొలగింపు అనుమతించబడదు apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},వరుస # {0}: ఆస్తి {1} ఇప్పటికే {2} @@ -3554,11 +3592,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,అకౌంటెంట్ apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},తేదీ {1} మరియు {2} మధ్య {0} కోసం POS మూసివేత వోచర్ గ్రహీత ఉంది apps/erpnext/erpnext/config/help.py,Navigating,నావిగేట్ +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,అత్యుత్తమ ఇన్వాయిస్‌లకు మారకపు రేటు మూల్యాంకనం అవసరం లేదు DocType: Authorization Rule,Customer / Item Name,కస్టమర్ / అంశం పేరు apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,కొత్త సీరియల్ నో వేర్ హౌస్ ఉండదు. వేర్హౌస్ స్టాక్ ఎంట్రీ లేదా పర్చేజ్ రసీప్ ద్వారా అమర్చాలి DocType: Issue,Via Customer Portal,కస్టమర్ పోర్టల్ ద్వారా DocType: Work Order Operation,Planned Start Time,ప్రణాళిక ప్రారంభ సమయం apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} {2} +DocType: Service Level Priority,Service Level Priority,సేవా స్థాయి ప్రాధాన్యత apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,అణచివేతకు సంబంధించిన సంఖ్యల మొత్తం సంఖ్య తగ్గడం కంటే ఎక్కువగా ఉండదు apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,లెడ్జర్ను భాగస్వామ్యం చేయండి DocType: Journal Entry,Accounts Payable,చెల్లించవలసిన ఖాతాలు @@ -3669,7 +3709,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,కు చేరవేయు DocType: Bank Statement Transaction Settings Item,Bank Data,బ్యాంక్ డేటా apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,షెడ్యూల్డ్ వరకు -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,బిల్లింగ్ గంటలు మరియు పని గంటలు టైమ్స్ షీట్లో ఒకే విధంగా నిర్వహించండి apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,లీడ్ సోర్స్ ద్వారా లీడ్స్ ట్రాక్ చేస్తుంది. DocType: Clinical Procedure,Nursing User,నర్సింగ్ వాడుకరి DocType: Support Settings,Response Key List,ప్రతిస్పందన కీ జాబితా @@ -3836,6 +3875,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,అసలు ప్రారంభం సమయం DocType: Antibiotic,Laboratory User,ప్రయోగశాల వాడుకరి apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,ఆన్లైన్ వేలం +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,ప్రాధాన్యత {0} పునరావృతమైంది. DocType: Fee Schedule,Fee Creation Status,ఫీజు సృష్టి స్థితి apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,సాఫ్ట్వేర్పై apps/erpnext/erpnext/config/help.py,Sales Order to Payment,చెల్లింపు సేల్స్ ఆర్డర్ @@ -3899,6 +3939,7 @@ DocType: Patient Encounter,In print,ముద్రణలో apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0} కోసం సమాచారాన్ని తిరిగి పొందడం సాధ్యం కాలేదు. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,బిల్లింగ్ కరెన్సీ డిఫాల్ట్ కంపెనీ కరెన్సీ లేదా పార్టీ ఖాతా కరెన్సీకి సమానంగా ఉండాలి apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,దయచేసి ఈ అమ్మకాల వ్యక్తి యొక్క Employee Id ని నమోదు చేయండి +DocType: Shift Type,Early Exit Consequence after,ప్రారంభ నిష్క్రమణ పరిణామం apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,ఓపెనింగ్ సేల్స్ మరియు ఇన్వాయిస్లు కొనుగోలు చేయండి DocType: Disease,Treatment Period,చికిత్స కాలం apps/erpnext/erpnext/config/settings.py,Setting up Email,ఇమెయిల్ ఏర్పాటు @@ -3916,7 +3957,6 @@ DocType: Employee Skill Map,Employee Skills,ఉద్యోగి నైపు apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,విద్యార్థి పేరు: DocType: SMS Log,Sent On,పంపబడింది DocType: Bank Statement Transaction Invoice Item,Sales Invoice,సేల్స్ ఇన్వాయిస్ -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,ప్రతిస్పందన సమయం రిజల్యూషన్ సమయం కంటే ఎక్కువగా ఉండరాదు DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","కోర్సు ఆధారిత స్టూడెంట్ గ్రూప్ కోసం, ప్రోగ్రామ్ ఎన్రోల్డ్ కోర్సులు నుండి ప్రతి విద్యార్థికి కోర్సు నమోదు చేయబడుతుంది." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,ఇంట్రా-స్టేట్ సామాగ్రి DocType: Employee,Create User Permission,వాడుకరి అనుమతిని సృష్టించండి @@ -3955,6 +3995,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,సేల్స్ లేదా కొనుగోలు కోసం ప్రామాణిక ఒప్పందం నిబంధనలు. DocType: Sales Invoice,Customer PO Details,కస్టమర్ PO వివరాలు apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,రోగి దొరకలేదు +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,డిఫాల్ట్ ప్రాధాన్యతను ఎంచుకోండి. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,ఆ అంశానికి ఛార్జీలు వర్తించబడకపోతే అంశాన్ని తీసివేయండి apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,కస్టమర్ పేరుని మార్చండి లేదా కస్టమర్ గ్రూప్ పేరు మార్చండి 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. @@ -4001,6 +4042,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},కార్య క్రమాన్ని {0} DocType: Inpatient Record,Admission Schedule Date,ప్రవేశ షెడ్యూల్ తేదీ apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,ఆస్తి విలువ అడ్జస్ట్మెంట్ +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,ఈ షిఫ్ట్‌కు కేటాయించిన ఉద్యోగుల కోసం 'ఎంప్లాయీ చెకిన్' ఆధారంగా హాజరును గుర్తించండి. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,నమోదుకాని వ్యక్తులు చేసిన సామాగ్రి apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,అన్ని జాబ్స్ DocType: Appointment Type,Appointment Type,నియామకం రకం @@ -4114,7 +4156,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),ప్యాకేజీ యొక్క స్థూల బరువు. సాధారణంగా నికర బరువు + ప్యాకేజింగ్ పదార్థం బరువు. (ముద్రణ కోసం) DocType: Plant Analysis,Laboratory Testing Datetime,ప్రయోగశాల పరీక్షా సమయం apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,అంశం {0} బ్యాచ్ కలిగి ఉండదు -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,స్టేజ్ సేల్స్ పైప్లైన్ apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,స్టూడెంట్ గ్రూప్ శక్తి DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,బ్యాంక్ స్టేట్మెంట్ లావాదేవీ ఎంట్రీ DocType: Purchase Order,Get Items from Open Material Requests,ఓపెన్ మెటీరియల్ అభ్యర్థనల నుండి అంశాలను పొందండి @@ -4195,7 +4236,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,ఏజింగ్ వేర్హౌస్-వారీగా చూపించు DocType: Sales Invoice,Write Off Outstanding Amount,అత్యుత్తమ మొత్తం రాయండి DocType: Payroll Entry,Employee Details,ఉద్యోగి వివరాలు -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,ప్రారంభ సమయం {0} కోసం ముగింపు సమయం కంటే ఎక్కువగా ఉండకూడదు. DocType: Pricing Rule,Discount Amount,డిస్కౌంట్ మొత్తం DocType: Healthcare Service Unit Type,Item Details,అంశం వివరాలు apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},కాలానికి {0} {0} నకిలీ పన్ను ప్రకటన @@ -4248,7 +4288,7 @@ DocType: Customer,CUST-.YYYY.-,Cust-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,నికర చెల్లింపు ప్రతికూలంగా ఉండకూడదు apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,సంభాషణల సంఖ్య 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} {3} కొనుగోలు కంటే ఎక్కువ {2} కంటే ఎక్కువ బదిలీ చేయబడదు {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,మార్పు +DocType: Attendance,Shift,మార్పు apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,ఖాతాల మరియు పార్టీల ప్రాసెసింగ్ చార్ట్ DocType: Stock Settings,Convert Item Description to Clean HTML,HTML శుభ్రం చేయడానికి అంశాన్ని వివరణ మార్చండి apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,అన్ని సరఫరాదారు గుంపులు @@ -4318,6 +4358,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,ఉద్య DocType: Healthcare Service Unit,Parent Service Unit,పేరెంట్ సర్వీస్ యూనిట్ DocType: Sales Invoice,Include Payment (POS),చెల్లింపు (POS) చేర్చండి apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,ప్రైవేట్ ఈక్విటీ +DocType: Shift Type,First Check-in and Last Check-out,మొదటి చెక్-ఇన్ మరియు చివరి చెక్-అవుట్ DocType: Landed Cost Item,Receipt Document,స్వీకరణ పత్రం DocType: Supplier Scorecard Period,Supplier Scorecard Period,సరఫరాదారు స్కోరు వ్యవధి DocType: Employee Grade,Default Salary Structure,డిఫాల్ట్ జీతం స్ట్రక్చర్ @@ -4400,6 +4441,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,కొనుగోలు ఆర్డర్ సృష్టించండి apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,ఆర్థిక సంవత్సరం బడ్జెట్ను నిర్వచించండి. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,ఖాతాల పట్టిక ఖాళీగా ఉండకూడదు. +DocType: Employee Checkin,Entry Grace Period Consequence,ఎంట్రీ గ్రేస్ పీరియడ్ పర్యవసానం ,Payment Period Based On Invoice Date,వాయిదా తేదీ ఆధారంగా చెల్లింపు వ్యవధి apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},అంశం {0} కోసం డెలివరీ తేదీకి ముందు సంస్థాపన తేదీ ఉండకూడదు apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,మెటీరియల్ అభ్యర్థనకు లింక్ @@ -4420,6 +4462,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,ఇంధన క్యుటీ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,గార్డియన్ మొబైల్ సంఖ్య DocType: Invoice Discounting,Disbursed,పంపించబడతాయి +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"షిఫ్ట్ ముగిసిన సమయం, హాజరు కోసం చెక్-అవుట్ పరిగణించబడుతుంది." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,చెల్లించవలసిన ఖాతాలలో నికర మార్పు apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,అందుబాటులో లేదు apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,పార్ట్ టైమ్ @@ -4433,7 +4476,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,వి apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,ప్రింట్ లో PDC ను చూపించు apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify సరఫరాదారు DocType: POS Profile User,POS Profile User,POS ప్రొఫైల్ వాడుకరి -DocType: Student,Middle Name,మధ్య పేరు DocType: Sales Person,Sales Person Name,సేల్స్ పర్సన్ నేమ్ DocType: Packing Slip,Gross Weight,స్థూల బరువు DocType: Journal Entry,Bill No,బిల్ నం @@ -4442,7 +4484,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,క DocType: Vehicle Log,HR-VLOG-.YYYY.-,ఆర్ VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,సేవా స్థాయి ఒప్పందం -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,మొదట ఉద్యోగి మరియు తేదీని ఎంచుకోండి apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,అంశం వాల్యుయేషన్ రేటు ల్యాండ్డ్ వ్యయం వోచర్ మొత్తంలో పరిగణనలోకి తీసుకుంటుంది DocType: Timesheet,Employee Detail,ఉద్యోగి వివరాలు DocType: Tally Migration,Vouchers,వోచర్లు @@ -4477,7 +4518,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,సేవా స DocType: Additional Salary,Date on which this component is applied,ఈ భాగం వర్తించబడే తేదీ apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,ఫోలియో సంఖ్యలతో అందుబాటులో ఉన్న వాటాదారుల జాబితా apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,గేట్వే ఖాతాలను సెటప్ చేయండి. -DocType: Service Level,Response Time Period,ప్రతిస్పందన సమయం వ్యవధి +DocType: Service Level Priority,Response Time Period,ప్రతిస్పందన సమయం వ్యవధి DocType: Purchase Invoice,Purchase Taxes and Charges,పన్నులు మరియు ఛార్జీలు కొనుగోలు DocType: Course Activity,Activity Date,కార్యాచరణ తేదీ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,కొత్త కస్టమర్ను ఎంచుకోండి లేదా జోడించండి @@ -4502,6 +4543,7 @@ DocType: Sales Person,Select company name first.,మొదట సంస్థ apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,ఆర్థిక సంవత్సరం DocType: Sales Invoice Item,Deferred Revenue,వాయిదా వేసిన ఆదాయం apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,సెల్లింగ్ లేదా బైయింగ్లో కనీసం ఒక్కదాన్ని ఎంచుకోవాలి +DocType: Shift Type,Working Hours Threshold for Half Day,హాఫ్ డే కోసం వర్కింగ్ అవర్స్ థ్రెషోల్డ్ ,Item-wise Purchase History,అంశం వారీగా కొనుగోలు చరిత్ర apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},వరుసలో {0} వస్తువు కోసం సర్వీస్ స్టాప్ తేదీని మార్చలేరు DocType: Production Plan,Include Subcontracted Items,సబ్ కన్ఫ్రెక్టెడ్ ఐటెమ్లను చేర్చండి @@ -4534,6 +4576,7 @@ DocType: Journal Entry,Total Amount Currency,మొత్తం మొత్త DocType: BOM,Allow Same Item Multiple Times,ఈ అంశం బహుళ సమయాలను అనుమతించు apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,BOM ను సృష్టించండి DocType: Healthcare Practitioner,Charges,ఆరోపణలు +DocType: Employee,Attendance and Leave Details,హాజరు మరియు సెలవు వివరాలు DocType: Student,Personal Details,వ్యక్తిగత సమాచారం DocType: Sales Order,Billing and Delivery Status,బిల్లింగ్ మరియు డెలివరీ స్థితి apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,రో {0}: సరఫరాదారు {0} ఇమెయిల్ పంపడం అవసరం ఇమెయిల్ చిరునామా అవసరం @@ -4585,7 +4628,6 @@ DocType: Bank Guarantee,Supplier,సరఫరాదారు apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},విలువ betweeen {0} మరియు {1} విలువను నమోదు చేయండి DocType: Purchase Order,Order Confirmation Date,ఆర్డర్ నిర్ధారణ తేదీ DocType: Delivery Trip,Calculate Estimated Arrival Times,అంచనావేయబడిన రాకపోక టైమ్స్ని లెక్కించండి -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి మానవ వనరులు> హెచ్ ఆర్ సెట్టింగులలో ఉద్యోగుల నామకరణ వ్యవస్థను సెటప్ చేయండి apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,వినియోగ DocType: Instructor,EDU-INS-.YYYY.-,EDU-ఐఎన్ఎస్-.YYYY.- DocType: Subscription,Subscription Start Date,చందా ప్రారంభ తేదీ @@ -4606,7 +4648,7 @@ DocType: Installation Note Item,Installation Note Item,సంస్థాపన DocType: Journal Entry Account,Journal Entry Account,జర్నల్ ఎంట్రీ ఖాతా apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,వేరియంట్ apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,ఫోరం కార్యాచరణ -DocType: Service Level,Resolution Time Period,రిజల్యూషన్ సమయం కాలం +DocType: Service Level Priority,Resolution Time Period,రిజల్యూషన్ సమయం కాలం DocType: Request for Quotation,Supplier Detail,సరఫరాదారు వివరాలు DocType: Project Task,View Task,టాస్క్ చూడండి DocType: Serial No,Purchase / Manufacture Details,కొనుగోలు / ఉత్పత్తి వివరాలు @@ -4672,6 +4714,7 @@ DocType: Sales Invoice,Commission Rate (%),కమిషన్ రేట్ (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,వేర్హౌస్ మాత్రమే స్టాక్ ఎంట్రీ / డెలివరీ గమనిక / కొనుగోలు రసీదు ద్వారా మార్చబడుతుంది DocType: Support Settings,Close Issue After Days,డేస్ తరువాత మూసివేయండి DocType: Payment Schedule,Payment Schedule,చెల్లింపు షెడ్యూల్ +DocType: Shift Type,Enable Entry Grace Period,ఎంట్రీ గ్రేస్ వ్యవధిని ప్రారంభించండి DocType: Patient Relation,Spouse,జీవిత భాగస్వామి DocType: Purchase Invoice,Reason For Putting On Hold,ఉంచడం కోసం కారణం పట్టుకోండి DocType: Item Attribute,Increment,ఇంక్రిమెంట్ @@ -4810,6 +4853,7 @@ DocType: Authorization Rule,Customer or Item,కస్టమర్ లేదా DocType: Vehicle Log,Invoice Ref,వాయిస్ రిఫ్ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-రూపం ఇన్వాయిస్కు వర్తించదు: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,ఇన్వాయిస్ సృష్టించబడింది +DocType: Shift Type,Early Exit Grace Period,ప్రారంభ నిష్క్రమణ గ్రేస్ కాలం DocType: Patient Encounter,Review Details,సమీక్ష వివరాలు apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,వరుస {0}: గంట విలువ సున్నా కంటే ఎక్కువగా ఉండాలి. DocType: Account,Account Number,ఖాతా సంఖ్య @@ -4821,7 +4865,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","కంపెనీ SPA, SAPA లేదా SRL అయితే వర్తించేది" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,మధ్య ఉన్న పరిస్థితులు: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,చెల్లింపు మరియు పంపిణీ చేయలేదు -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,అంశం స్వయంచాలకంగా సంఖ్య కాదు ఎందుకంటే అంశం కోడ్ తప్పనిసరి DocType: GST HSN Code,HSN Code,HSN కోడ్ DocType: GSTR 3B Report,September,సెప్టెంబర్ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,పరిపాలనాపరమైన ఖర్చులు @@ -4867,6 +4910,7 @@ DocType: Healthcare Service Unit,Vacant,ఖాళీగా DocType: Opportunity,Sales Stage,సేల్స్ స్టేజ్ DocType: Sales Order,In Words will be visible once you save the Sales Order.,సేల్స్ ఆర్డర్ ను మీరు సేవ్ చేసిన తర్వాత పదాలు కనిపిస్తాయి. DocType: Item Reorder,Re-order Level,స్థాయిని పునఃక్రమం చేయండి +DocType: Shift Type,Enable Auto Attendance,ఆటో హాజరును ప్రారంభించండి apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,ప్రాధాన్యత ,Department Analytics,డిపార్ట్మెంట్ ఎనలిటిక్స్ DocType: Crop,Scientific Name,శాస్త్రీయ పేరు @@ -4879,6 +4923,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} స్థి DocType: Quiz Activity,Quiz Activity,క్విజ్ కార్యాచరణ apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} చెల్లుబాటు అయ్యే పేరోల్ వ్యవధిలో లేదు DocType: Timesheet,Billed,బిల్ +apps/erpnext/erpnext/config/support.py,Issue Type.,ఇష్యూ రకం. DocType: Restaurant Order Entry,Last Sales Invoice,చివరి సేల్స్ ఇన్వాయిస్ DocType: Payment Terms Template,Payment Terms,చెల్లింపు నిబందనలు apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","రిజర్వ్ చేయబడింది Qty: పరిమాణం అమ్మకం కోసం ఆదేశించింది, కాని పంపిణీ చేయలేదు." @@ -4972,6 +5017,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,ఆస్తి apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} హెల్త్కేర్ ప్రాక్టీషనర్ షెడ్యూల్ లేదు. హెల్త్ ప్రాక్టీషనర్ మాస్టర్ లో చేర్చండి DocType: Vehicle,Chassis No,చసిసి సంఖ్య +DocType: Employee,Default Shift,డిఫాల్ట్ షిఫ్ట్ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,కంపెనీ సంక్షిప్తీకరణ apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,ట్రీ అఫ్ బిల్ అఫ్ మెటీరియల్స్ DocType: Article,LMS User,LMS వాడుకరి @@ -5020,6 +5066,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,పేరెంట్ సేల్స్ పర్సన్ DocType: Student Group Creation Tool,Get Courses,కోర్సులు పొందండి apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","వరుస # {0}: అంశంగా స్థిర ఆస్తిగా ఉన్నందున, Qty 1 గా ఉండాలి. దయచేసి బహుళ qty కోసం ప్రత్యేక వరుసను ఉపయోగించండి." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),అబ్సెంట్ గుర్తించబడిన పని గంటలు క్రింద. (నిలిపివేయడానికి సున్నా) DocType: Customer Group,Only leaf nodes are allowed in transaction,లాఫ్ నోడ్స్ మాత్రమే లావాదేవీలలో అనుమతించబడతాయి DocType: Grant Application,Organization,సంస్థ DocType: Fee Category,Fee Category,ఫీజు వర్గం @@ -5032,6 +5079,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,దయచేసి ఈ శిక్షణ ఈవెంట్ కోసం మీ స్థితిని నవీకరించండి DocType: Volunteer,Morning,ఉదయం DocType: Quotation Item,Quotation Item,కొటేషన్ అంశం +apps/erpnext/erpnext/config/support.py,Issue Priority.,ఇష్యూ ప్రాధాన్యత. DocType: Journal Entry,Credit Card Entry,క్రెడిట్ కార్డ్ ఎంట్రీ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","సమయం స్లాట్ స్కిప్ చేయబడింది, {0} {1} కు స్లాట్ ఎక్జిబిట్ స్లాట్ {2} కు {3}" DocType: Journal Entry Account,If Income or Expense,ఆదాయం లేదా వ్యయం ఉంటే @@ -5079,11 +5127,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,డేటా దిగుమతి మరియు సెట్టింగులు 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: Account,Expense Account,ఖర్చు ఖాతా +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,ఉద్యోగుల చెక్-ఇన్ హాజరు కోసం పరిగణించబడే షిఫ్ట్ ప్రారంభ సమయానికి ముందు సమయం. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,గార్డియన్ 1 తో సంబంధం apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,వాయిస్ను సృష్టించండి apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},చెల్లింపు అభ్యర్థన ఇప్పటికే ఉంది {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} లో ఉపశమనం పొందిన ఉద్యోగి 'ఎడమ' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},చెల్లించు {0} {1} +DocType: Company,Sales Settings,అమ్మకాల సెట్టింగులు DocType: Sales Order Item,Produced Quantity,ఉత్పత్తి పరిమాణం apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,ఈ క్రింది లింక్పై క్లిక్ చేయడం ద్వారా ఉల్లేఖన కోసం అభ్యర్థనను ఆక్సెస్ చెయ్యవచ్చు DocType: Monthly Distribution,Name of the Monthly Distribution,మంత్లీ పంపిణీ పేరు @@ -5160,6 +5210,7 @@ DocType: Company,Default Values,సాధారణ విలువలు apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,అమ్మకాలు మరియు కొనుగోలు కోసం డిఫాల్ట్ పన్ను టెంప్లేట్లు సృష్టించబడతాయి. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,లీవ్ టైప్ {0} తీసుకువెళ్ళడం సాధ్యం కాదు apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,డెబిట్ ఖాతాకు స్వీకరించదగిన ఖాతా ఉండాలి +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/selling/page/point_of_sale/point_of_sale.js,Set as Default,ఎధావిధిగా ఉంచు DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ఈ ప్యాకేజీ యొక్క నికర బరువు. (వస్తువుల నికర బరువు మొత్తం స్వయంచాలకంగా లెక్కించబడుతుంది) apps/erpnext/erpnext/stock/doctype/item_variant_settings/item_variant_settings.py,Cannot set the field {0} for copying in variants,వైవిధ్యాలలో కాపీ చేయడానికి ఫీల్డ్ {0} సెట్ చేయలేదు @@ -5185,8 +5236,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,గడువు ముగిసిన బ్యాట్స్ DocType: Shipping Rule,Shipping Rule Type,షిప్పింగ్ రూల్ టైప్ DocType: Job Offer,Accepted,ఆమోదించబడిన -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ఈ పత్రాన్ని రద్దు చేయడానికి దయచేసి ఉద్యోగి {0} delete ను తొలగించండి" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,మీరు ఇప్పటికే అంచనా ప్రమాణాల కోసం అంచనా వేశారు. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,ఎంచుకోండి బ్యాచ్ నంబర్లు apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),వయసు (రోజులు) @@ -5213,6 +5262,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,మీ డొమైన్లను ఎంచుకోండి DocType: Agriculture Task,Task Name,టాస్క్ పేరు apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,స్టాక్ ఎంట్రీలు ఇప్పటికే వర్క్ ఆర్డర్ కోసం సృష్టించబడ్డాయి +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ఈ పత్రాన్ని రద్దు చేయడానికి దయచేసి ఉద్యోగి {0} delete ను తొలగించండి" ,Amount to Deliver,పంపిణీ మొత్తం apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,కంపెనీ {0} ఉనికిలో లేదు apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,ఇవ్వబడిన అంశాల కోసం లింక్ చేయబడని విషయం అభ్యర్థనలు ఏవీ కనుగొనబడలేదు. @@ -5262,6 +5313,7 @@ DocType: Program Enrollment,Enrolled courses,చేరాడు కోర్స DocType: Lab Prescription,Test Code,టెస్ట్ కోడ్ DocType: Purchase Taxes and Charges,On Previous Row Total,మునుపటి రో మొత్తంలో DocType: Student,Student Email Address,విద్యార్థి ఇమెయిల్ చిరునామా +,Delayed Item Report,ఆలస్యం అంశం నివేదిక DocType: Academic Term,Education,చదువు DocType: Supplier Quotation,Supplier Address,సరఫరాదారు చిరునామా DocType: Salary Detail,Do not include in total,మొత్తంలో చేర్చవద్దు @@ -5269,7 +5321,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} లేదు DocType: Purchase Receipt Item,Rejected Quantity,తిరస్కరించబడిన పరిమాణం DocType: Cashier Closing,To TIme,TIme కు -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: Daily Work Summary Group User,Daily Work Summary Group User,డైలీ వర్క్ సారాంశం గ్రూప్ వినియోగదారు DocType: Fiscal Year Company,Fiscal Year Company,ఫిస్కల్ ఇయర్ కంపెనీ apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,ప్రత్యామ్నాయ అంశం అంశం కోడ్ వలె ఉండకూడదు @@ -5320,6 +5371,7 @@ DocType: Program Fee,Program Fee,ప్రోగ్రామ్ రుసుమ DocType: Delivery Settings,Delay between Delivery Stops,డెలివరీ స్టాప్స్ మధ్య ఆలస్యం DocType: Stock Settings,Freeze Stocks Older Than [Days],స్తంభింపచేసిన స్టాక్స్ పాతవి [డేస్] DocType: Promotional Scheme,Promotional Scheme Product Discount,ప్రచార పథకం ఉత్పత్తి డిస్కౌంట్ +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ఇష్యూ ప్రాధాన్యత ఇప్పటికే ఉంది DocType: Account,Asset Received But Not Billed,ఆస్తి స్వీకరించబడింది కానీ బిల్ చేయలేదు DocType: POS Closing Voucher,Total Collected Amount,మొత్తం సేకరించిన మొత్తం DocType: Course,Default Grading Scale,డిఫాల్ట్ గ్రేడింగ్ స్కేల్ @@ -5362,6 +5414,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,నెరవేర్చుట నిబంధనలు apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,గుంపుకు గ్రూప్ DocType: Student Guardian,Mother,తల్లి +DocType: Issue,Service Level Agreement Fulfilled,సేవా స్థాయి ఒప్పందం నెరవేరింది DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,క్లెయిమ్ చేయని ఉద్యోగుల లాభాల కొరకు పన్ను తీసివేయుము DocType: Travel Request,Travel Funding,ప్రయాణ నిధి DocType: Shipping Rule,Fixed,స్థిర @@ -5391,10 +5444,12 @@ DocType: Item,Warranty Period (in days),వారంటీ కాలం (రో apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,అంశాలు కనుగొనబడలేదు. DocType: Item Attribute,From Range,రేంజ్ నుండి DocType: Clinical Procedure,Consumables,వినియోగితాలు +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'ఉద్యోగి_ఫీల్డ్_వాల్యూ' మరియు 'టైమ్‌స్టాంప్' అవసరం. DocType: Purchase Taxes and Charges,Reference Row #,సూచన వరుస # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},దయచేసి కంపెనీలో {0} ఆస్తి డిప్రైజేషన్ కాస్ట్ సెంటర్ను సెట్ చేయండి apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,రో # {0}: trasaction ను పూర్తి చేయడానికి చెల్లింపు పత్రం అవసరం DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,అమెజాన్ MWS నుండి మీ సేల్స్ ఆర్డర్ డేటాను తీసివేయడానికి ఈ బటన్ను క్లిక్ చేయండి. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),హాఫ్ డే గుర్తించబడిన పని గంటలు క్రింద. (నిలిపివేయడానికి సున్నా) ,Assessment Plan Status,అంచనా ప్రణాళిక స్థితి apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,దయచేసి మొదట {0} ఎంచుకోండి apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Employee రికార్డు సృష్టించడానికి ఈ సమర్పించండి @@ -5465,6 +5520,7 @@ DocType: Quality Procedure,Parent Procedure,తల్లిదండ్రుల apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,ఓపెన్ సెట్ apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,ఫిల్టర్లను టోగుల్ చేయండి DocType: Production Plan,Material Request Detail,విషయం అభ్యర్థన వివరాలు +DocType: Shift Type,Process Attendance After,ప్రాసెస్ హాజరు తరువాత DocType: Material Request Item,Quantity and Warehouse,పరిమాణం మరియు వేర్హౌస్ apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,ప్రోగ్రామ్లకు వెళ్ళండి apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},రో # {0}: సూచనలు లో నకిలీ ఎంట్రీ {1} {2} @@ -5522,6 +5578,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,పార్టీ సమాచారం apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),రుణదాతలు ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,ఉద్యోగి యొక్క ఉపశమనం తేదీ కంటే ఇప్పటి వరకు కాదు +DocType: Shift Type,Enable Exit Grace Period,నిష్క్రమణ గ్రేస్ వ్యవధిని ప్రారంభించండి DocType: Expense Claim,Employees Email Id,ఉద్యోగుల ఇమెయిల్ ఐడి DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,ERPNext ధర జాబితాకు Shopify నుండి ధరను నవీకరించండి DocType: Healthcare Settings,Default Medical Code Standard,డిఫాల్ట్ మెడికల్ కోడ్ స్టాండర్డ్ @@ -5552,7 +5609,6 @@ DocType: Item Group,Item Group Name,అంశం సమూహం పేరు DocType: Budget,Applicable on Material Request,మెటీరియల్ అభ్యర్థనపై వర్తించేది DocType: Support Settings,Search APIs,శోధన API లు DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,సేల్స్ ఆర్డర్ కోసం అధిక ఉత్పత్తి శాతం -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,లక్షణాలు DocType: Purchase Invoice,Supplied Items,పంపిణీ చేయబడిన అంశాలు DocType: Leave Control Panel,Select Employees,ఉద్యోగులను ఎంచుకోండి apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},రుణంలో వడ్డీ ఆదాయం ఖాతాను ఎంచుకోండి {0} @@ -5567,6 +5623,7 @@ DocType: Shopping Cart Settings,Checkout Settings,Checkout సెట్టిం apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the customer '%s',దయచేసి కస్టమర్ '% s' కోసం ఫిస్కల్ కోడ్ను సెట్ చేయండి DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** మంత్లీ డిస్ట్రిబ్యూషన్ ** మీ వ్యాపారంలో సీజాలిటీ ఉన్నట్లయితే నెలల్లోని బడ్జెట్ / టార్గెట్ను పంపిణీ చేయడంలో మీకు సహాయపడుతుంది. DocType: Guardian,Students,స్టూడెంట్స్ +apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py,Expense Claim {0} already exists for the Vehicle Log,వాహన లాగ్ కోసం ఖర్చు దావా {0} ఇప్పటికే ఉంది 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. ","ఎంచుకున్నట్లయితే, ఈ భాగం లో పేర్కొన్న లేదా లెక్కించిన విలువ ఆదాయాలు లేదా తగ్గింపులకు దోహదం చేయదు. ఏమైనప్పటికీ, అది విలువను తీసివేయగల లేదా తీసివేయగల ఇతర భాగాలచే సూచింపబడుతుంది." apps/erpnext/erpnext/hr/doctype/loan/loan.py,Please enter repayment Amount,దయచేసి చెల్లింపు మొత్తాన్ని నమోదు చేయండి DocType: Sales Invoice,Is Opening Entry,తెరవడం ఎంట్రీ @@ -5577,7 +5634,7 @@ DocType: Salary Slip,Deductions,తగ్గింపులకు ,Supplier-Wise Sales Analytics,సరఫరాదారు-వైజ్ సేల్స్ విశ్లేషణలు DocType: GSTR 3B Report,February,ఫిబ్రవరి DocType: Appraisal,For Employee,ఉద్యోగి కోసం -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,అసలు డెలివరీ తేదీ +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,అసలు డెలివరీ తేదీ DocType: Sales Partner,Sales Partner Name,సేల్స్ భాగస్వామి పేరు apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,తరుగుదల వరుస {0}: తరుగుదల ప్రారంభ తేదీ గత తేదీ వలె నమోదు చేయబడింది DocType: GST HSN Code,Regional,ప్రాంతీయ @@ -5616,6 +5673,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,ఎ DocType: Supplier Scorecard,Supplier Scorecard,సరఫరాదారు స్కోర్కార్డ్ DocType: Travel Itinerary,Travel To,ప్రయాణం చేయు apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,మార్క్ హాజరు +DocType: Shift Type,Determine Check-in and Check-out,చెక్-ఇన్ మరియు చెక్-అవుట్ ని నిర్ణయించండి DocType: POS Closing Voucher,Difference,తేడా apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,చిన్న DocType: Work Order Item,Work Order Item,ఆర్డర్ అంశం పని @@ -5649,6 +5707,7 @@ DocType: Sales Invoice,Shipping Address Name,షిప్పింగ్ చి apps/erpnext/erpnext/healthcare/setup.py,Drug,డ్రగ్ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} మూసివేయబడింది DocType: Patient,Medical History,వైద్య చరిత్ర +DocType: Expense Claim,Expense Taxes and Charges,ఖర్చు పన్నులు మరియు ఛార్జీలు DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,చందాని రద్దు చేయడానికి లేదా చెల్లించని విధంగా చందాని గుర్తించే ముందు ఇన్వాయిస్ తేదీ ముగిసిన రోజుల సంఖ్య apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,ఇన్స్టాలేషన్ గమనిక {0} ఇప్పటికే సమర్పించబడింది DocType: Patient Relation,Family,కుటుంబ @@ -5681,7 +5740,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,బలం apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,ఈ లావాదేవీ పూర్తి చేయడానికి {0} {2} యొక్క {0} యూనిట్లు అవసరం. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,సబ్కాంట్రాక్ ఆధారంగా బ్యాక్ఫ్లష్ రా మెటీరియల్స్ -DocType: Bank Guarantee,Customer,కస్టమర్ DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","ప్రారంభించబడితే, ఫీల్డ్ అకాడెమిక్ టర్మ్ ప్రోగ్రామ్ ఎన్రోల్మెంట్ టూల్లో తప్పనిసరి అవుతుంది." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","బ్యాచ్ బేస్డ్ స్టూడెంట్ గ్రూప్ కోసం, స్టూడెంట్ బ్యాచ్ ప్రోగ్రామ్ ప్రతినిధి నుండి ప్రతి విద్యార్థికి చెల్లుబాటు అవుతుంది." DocType: Course,Topics,Topics @@ -5836,6 +5894,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),మూసివేయడం (మొత్తం + తెరవడం) DocType: Supplier Scorecard Criteria,Criteria Formula,ప్రమాణం ఫార్ములా apps/erpnext/erpnext/config/support.py,Support Analytics,మద్దతు విశ్లేషణలు +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),హాజరు పరికర ID (బయోమెట్రిక్ / RF ట్యాగ్ ID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,సమీక్ష మరియు యాక్షన్ DocType: Account,"If the account is frozen, entries are allowed to restricted users.","ఖాతా స్తంభింపబడితే, పరిమితం చేయబడిన వినియోగదారులకు ఎంట్రీలు అనుమతించబడతాయి." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,తరుగుదల తర్వాత మొత్తం @@ -5857,6 +5916,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,ఋణాన్ని తిరిగి చెల్లించడం DocType: Employee Education,Major/Optional Subjects,మేజర్ / ఆప్షనల్ సబ్జెక్ట్స్ DocType: Soil Texture,Silt,సిల్ట్ +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,సరఫరాదారు చిరునామాలు మరియు పరిచయాలు DocType: Bank Guarantee,Bank Guarantee Type,బ్యాంకు హామీ పద్ధతి DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","డిసేబుల్ చేస్తే, 'వృత్తాకార మొత్తం' ఫీల్డ్ ఏదైనా లావాదేవీలో కనిపించదు" DocType: Pricing Rule,Min Amt,మిన్ అమ్ట్ @@ -5894,6 +5954,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,వాయిస్ సృష్టి సాధనం అంశం తెరవడం DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,POS లావాదేవీలను చేర్చండి +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ఇచ్చిన ఉద్యోగి ఫీల్డ్ విలువ కోసం ఏ ఉద్యోగి కనుగొనబడలేదు. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),స్వీకరించబడిన మొత్తం (కంపెనీ కరెన్సీ) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage నిండింది, సేవ్ చేయలేదు" DocType: Chapter Member,Chapter Member,చాప్టర్ సభ్యుడు @@ -5923,6 +5984,7 @@ DocType: SMS Center,All Lead (Open),ఆల్ లీడ్ (ఓపెన్) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,విద్యార్థి గుంపులు సృష్టించబడలేదు. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},అదే {1} తో {0} నకిలీ వరుస DocType: Employee,Salary Details,జీతం వివరాలు +DocType: Employee Checkin,Exit Grace Period Consequence,గ్రేస్ పీరియడ్ పర్యవసానంగా నిష్క్రమించండి DocType: Bank Statement Transaction Invoice Item,Invoice,వాయిస్ DocType: Special Test Items,Particulars,వివరముల apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,దయచేసి అంశం లేదా గిడ్డంగి ఆధారంగా ఫిల్టర్ను సెట్ చేయండి @@ -6022,6 +6084,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,AMC నుండి DocType: Job Opening,"Job profile, qualifications required etc.","జాబ్ ప్రొఫైల్, అర్హతలు అవసరం." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,షిప్ టు స్టేట్ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,మీరు మెటీరియల్ అభ్యర్థనను సమర్పించాలనుకుంటున్నారా DocType: Opportunity Item,Basic Rate,ప్రాథమిక రేటు DocType: Compensatory Leave Request,Work End Date,పని ముగింపు తేదీ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,ముడి పదార్థాల కొరకు అభ్యర్ధన @@ -6202,6 +6265,7 @@ DocType: Depreciation Schedule,Depreciation Amount,తరుగుదల మొ DocType: Sales Order Item,Gross Profit,స్థూల లాభం DocType: Quality Inspection,Item Serial No,అంశం సీరియల్ నంబర్ DocType: Asset,Insurer,బీమా +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,మొత్తం కొనుగోలు DocType: Asset Maintenance Task,Certificate Required,సర్టిఫికేట్ అవసరం DocType: Retention Bonus,Retention Bonus,నిలుపుదల బోనస్ @@ -6400,7 +6464,6 @@ DocType: Travel Request,Costing,ఖరీదు apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,స్థిర ఆస్తులు DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,మొత్తం సంపాదన -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం DocType: Share Balance,From No,సంఖ్య నుండి DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,చెల్లింపు సయోధ్య వాయిస్ DocType: Purchase Invoice,Taxes and Charges Added,పన్నులు మరియు ఛార్జీలు జోడించబడ్డాయి @@ -6506,6 +6569,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,ప్రైసింగ్ రూల్ను విస్మరించండి apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ఆహార DocType: Lost Reason Detail,Lost Reason Detail,లాస్ట్ రీజన్ వివరాలు +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},కింది క్రమ సంఖ్యలు సృష్టించబడ్డాయి:
{0} DocType: Maintenance Visit,Customer Feedback,కస్టమర్ అభిప్రాయం DocType: Serial No,Warranty / AMC Details,వారంటీ / AMC వివరాలు DocType: Issue,Opening Time,సమయం తెరవడం @@ -6554,6 +6618,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,సంస్థ పేరు అదే కాదు apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,ప్రచార తేదీకి ముందు ఉద్యోగి ప్రమోషన్ సమర్పించబడదు apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} కంటే పాత స్టాక్ లావాదేవీలను నవీకరించడానికి అనుమతి లేదు +DocType: Employee Checkin,Employee Checkin,ఉద్యోగి చెకిన్ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},ప్రారంభ తేదీ {0} కోసం ముగింపు తేదీ కంటే తక్కువగా ఉండాలి apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,కస్టమర్ కోట్స్ సృష్టించండి DocType: Buying Settings,Buying Settings,కొనుగోలు సెట్టింగ్లు @@ -6575,6 +6640,7 @@ DocType: Job Card Time Log,Job Card Time Log,ఉద్యోగ కార్డ DocType: Patient,Patient Demographics,పేషెంట్ డెమోగ్రాఫిక్స్ DocType: Share Transfer,To Folio No,ఫోలియో నో apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,ఆపరేషన్ల నుండి నగదు ప్రవాహం +DocType: Employee Checkin,Log Type,లాగ్ రకం DocType: Stock Settings,Allow Negative Stock,ప్రతికూల స్టాక్ను అనుమతించండి apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,అంశాల్లో ఏదీ పరిమాణం లేదా విలువలో మార్పు లేదు. DocType: Asset,Purchase Date,కొనిన తేదీ @@ -6619,6 +6685,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,చాలా హైపర్ apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,మీ వ్యాపారం యొక్క స్వభావాన్ని ఎంచుకోండి. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,దయచేసి నెల మరియు సంవత్సరం ఎంచుకోండి +DocType: Service Level,Default Priority,డిఫాల్ట్ ప్రాధాన్యత DocType: Student Log,Student Log,స్టూడెంట్ లాగ్ DocType: Shopping Cart Settings,Enable Checkout,Checkout ను ప్రారంభించండి apps/erpnext/erpnext/config/settings.py,Human Resources,మానవ వనరులు @@ -6647,7 +6714,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext తో Shopify ను కనెక్ట్ చేయండి DocType: Homepage Section Card,Subtitle,ఉపశీర్షిక DocType: Soil Texture,Loam,లోవామ్ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు రకం DocType: BOM,Scrap Material Cost(Company Currency),స్క్రాప్ మెటీరియల్ వ్యయం (కంపెనీ కరెన్సీ) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,డెలివరీ గమనిక {0} సమర్పించబడకూడదు DocType: Task,Actual Start Date (via Time Sheet),వాస్తవ ప్రారంభ తేదీ (సమయం షీట్ ద్వారా) @@ -6703,6 +6769,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,మోతాదు DocType: Cheque Print Template,Starting position from top edge,ఎగువ అంచు నుండి స్థానం ప్రారంభమవుతుంది apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),నియామకం వ్యవధి (నిమిషాలు) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},ఈ ఉద్యోగికి ఇప్పటికే అదే టైమ్‌స్టాంప్‌తో లాగ్ ఉంది. {0} DocType: Accounting Dimension,Disable,డిసేబుల్ DocType: Email Digest,Purchase Orders to Receive,స్వీకరించడానికి ఆర్డర్లను కొనుగోలు చేయండి apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,ప్రొడక్షన్స్ ఆర్డర్స్ కోసం పెంచరాదు: @@ -6718,7 +6785,6 @@ DocType: Production Plan,Material Requests,మెటీరియల్ అభ్ DocType: Buying Settings,Material Transferred for Subcontract,సబ్కాన్ట్రాక్ కోసం పదార్థం బదిలీ చేయబడింది DocType: Job Card,Timing Detail,టైమింగ్ వివరాలు apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,అవసరం -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{1} లో {0} దిగుమతి DocType: Job Offer Term,Job Offer Term,జాబ్ ఆఫర్ టర్మ్ DocType: SMS Center,All Contact,అన్ని సంప్రదించండి DocType: Project Task,Project Task,ప్రాజెక్ట్ టాస్క్ @@ -6769,7 +6835,6 @@ DocType: Student Log,Academic,అకడమిక్ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,సీరియల్ నోస్ కోసం అంశం {0} సెటప్ లేదు apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,రాష్ట్రం నుండి DocType: Leave Type,Maximum Continuous Days Applicable,గరిష్ట నిరంతర డేస్ వర్తించదగినది -apps/erpnext/erpnext/config/support.py,Support Team.,మద్దతు బృందం. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,మొదటి కంపెనీ పేరును నమోదు చేయండి apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,దిగుమతి విజయవంతం DocType: Guardian,Alternate Number,ప్రత్యామ్నాయ సంఖ్య @@ -6861,6 +6926,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,వరుస # {0}: అంశం జోడించబడింది DocType: Student Admission,Eligibility and Details,అర్హతలు మరియు వివరాలు DocType: Staffing Plan,Staffing Plan Detail,సిబ్బంది ప్రణాళిక వివరాలు +DocType: Shift Type,Late Entry Grace Period,లేట్ ఎంట్రీ గ్రేస్ పీరియడ్ DocType: Email Digest,Annual Income,వార్షిక ఆదాయం DocType: Journal Entry,Subscription Section,సభ్యత్వ విభాగం DocType: Salary Slip,Payment Days,చెల్లింపు డేస్ @@ -6910,6 +6976,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,ఖాతా నిలువ DocType: Asset Maintenance Log,Periodicity,ఆవర్తకత apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,మెడికల్ రికార్డు +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,షిఫ్ట్‌లో పడే చెక్-ఇన్‌లకు లాగ్ రకం అవసరం: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,అమలు DocType: Item,Valuation Method,వాల్యుయేషన్ మెథడ్ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},సేల్స్ ఇన్వాయిస్ {0} వ్యతిరేకంగా {0} @@ -6993,6 +7060,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,స్థానం ప DocType: Loan Type,Loan Name,లోన్ పేరు apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,చెల్లింపు యొక్క డిఫాల్ట్ మోడ్ను సెట్ చేయండి DocType: Quality Goal,Revision,పునర్విమర్శ +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,చెక్-అవుట్ ప్రారంభ (నిమిషాల్లో) గా పరిగణించబడే షిఫ్ట్ ముగింపు సమయానికి ముందు సమయం. DocType: Healthcare Service Unit,Service Unit Type,సర్వీస్ యూనిట్ పద్ధతి DocType: Purchase Invoice,Return Against Purchase Invoice,కొనుగోలు వాయిస్ వ్యతిరేకంగా తిరిగి apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,సీక్రెట్ను రూపొందించండి @@ -7148,11 +7216,13 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,కాస్మటిక్స్ DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,మీరు సేవ్ చేయడానికి ముందు వరుసను ఎంచుకోవడానికి యూజర్ను బలవంతం చేయాలని అనుకుంటే ఈ తనిఖీ చేయండి. మీరు దీన్ని తనిఖీ చేస్తే డిఫాల్ట్గా ఉండదు. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ఈ పాత్ర ఉన్న వినియోగదారులు స్తంభింపచేసిన ఖాతాలను సెట్ చేయడానికి మరియు స్తంభింపచేసిన ఖాతాలకి వ్యతిరేకంగా అకౌంటింగ్ నమోదులను సవరించడానికి / సవరించడానికి అనుమతించబడ్డారు +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ఐటెమ్ కోడ్> ఐటెమ్ గ్రూప్> బ్రాండ్ DocType: Expense Claim,Total Claimed Amount,మొత్తం దావా వేసిన మొత్తం apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,చుట్టి వేయు apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,మీ సభ్యత్వం 30 రోజుల్లో ముగుస్తుంది ఉంటే మీరు మాత్రమే పునరుద్ధరించవచ్చు apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},విలువ తప్పనిసరిగా {0} మరియు {1} DocType: Quality Feedback,Parameters,పారామీటర్లు +DocType: Shift Type,Auto Attendance Settings,ఆటో హాజరు సెట్టింగ్‌లు ,Sales Partner Transaction Summary,సేల్స్ పార్టనర్ ట్రాన్సాక్షన్ సారాంశం DocType: Asset Maintenance,Maintenance Manager Name,నిర్వహణ మేనేజర్ పేరు apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,ఇది అంశం వివరాలు పొందడం అవసరం. @@ -7245,7 +7315,6 @@ DocType: Homepage,Company Tagline for website homepage,వెబ్సైట్ DocType: Company,Round Off Cost Center,రౌండ్ ఆఫ్ కాస్ట్ సెంటర్ DocType: Supplier Scorecard Criteria,Criteria Weight,ప్రమాణం బరువు DocType: Asset,Depreciation Schedules,తరుగుదల షెడ్యూల్ -DocType: Expense Claim Detail,Claim Amount,దావా మొత్తం DocType: Subscription,Discounts,డిస్కౌంట్ DocType: Shipping Rule,Shipping Rule Conditions,షిప్పింగ్ నియమం నిబంధనలు DocType: Subscription,Cancelation Date,రద్దు తేదీ @@ -7273,7 +7342,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,దారితీస apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,సున్నా విలువలను చూపించు DocType: Employee Onboarding,Employee Onboarding,ఉద్యోగి ఆన్బోర్డ్ DocType: POS Closing Voucher,Period End Date,కాలం ముగింపు తేదీ -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,మూల ద్వారా సేల్స్ అవకాశాలు DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,జాబితాలో మొదటి లీవ్ అప్రోవర్ డిఫాల్ట్ లీవ్ అప్ప్రోవర్గా సెట్ చేయబడుతుంది. DocType: POS Settings,POS Settings,POS సెట్టింగులు apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,అన్ని ఖాతాలు @@ -7294,7 +7362,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,బ్ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,వరుస # {0}: రేట్ {1} వలె ఉండాలి: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,హెల్త్కేర్ సర్వీస్ అంశాలు -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,ఎటువంటి పత్రాలు లభించలేదు apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,వృద్ధాప్యం శ్రేణి 3 DocType: Vital Signs,Blood Pressure,రక్తపోటు apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,టార్గెట్ ఆన్ @@ -7339,6 +7406,7 @@ DocType: Company,Existing Company,ఉన్న కంపెనీ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,వంతులవారీగా apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,రక్షణ DocType: Item,Has Batch No,బ్యాచ్ నం +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,ఆలస్యం రోజులు DocType: Lead,Person Name,వ్యక్తి పేరు DocType: Item Variant,Item Variant,అంశం వేరియంట్ DocType: Training Event Employee,Invited,ఆహ్వానించారు @@ -7360,7 +7428,7 @@ DocType: Purchase Order,To Receive and Bill,స్వీకరించడాన apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","చెల్లుబాటు అయ్యే పేరోల్ వ్యవధిలో లేని తేదీలు మరియు ముగింపులు, {0} ను లెక్కించలేవు." DocType: POS Profile,Only show Customer of these Customer Groups,ఈ కస్టమర్ సమూహాల కస్టమర్ మాత్రమే చూపించు apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ఇన్వాయిస్ను సేవ్ చేయడానికి అంశాలను ఎంచుకోండి -DocType: Service Level,Resolution Time,రిజల్యూషన్ సమయం +DocType: Service Level Priority,Resolution Time,రిజల్యూషన్ సమయం DocType: Grading Scale Interval,Grade Description,గ్రేడ్ వివరణ DocType: Homepage Section,Cards,కార్డులు DocType: Quality Meeting Minutes,Quality Meeting Minutes,క్వాలిటీ మీటింగ్ మినిట్స్ @@ -7433,7 +7501,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,పార్టీలు మరియు చిరునామాలను దిగుమతి చేస్తోంది DocType: Item,List this Item in multiple groups on the website.,వెబ్సైట్లో బహుళ సమూహాలలో ఈ అంశం జాబితా చేయండి. DocType: Request for Quotation,Message for Supplier,సరఫరాదారు కోసం సందేశం -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,{0} అంశం కొరకు స్టాక్ లావాదేవీ {0} గా మార్చలేరు. DocType: Healthcare Practitioner,Phone (R),ఫోన్ (R) DocType: Maintenance Team Member,Team Member,జట్టు సభ్యుడు DocType: Asset Category Account,Asset Category Account,ఆస్తి వర్గం ఖాతా diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv index 78dc7b16db..3e34263230 100644 --- a/erpnext/translations/th.csv +++ b/erpnext/translations/th.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,วันเริ่มต้นภา apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,การนัดหมาย {0} และใบแจ้งหนี้การขาย {1} ถูกยกเลิก DocType: Purchase Receipt,Vehicle Number,จำนวนยานพาหนะ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,ที่อยู่อีเมลของคุณ ... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,รวมรายการหนังสือเริ่มต้น +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,รวมรายการหนังสือเริ่มต้น DocType: Activity Cost,Activity Type,ประเภทกิจกรรม DocType: Purchase Invoice,Get Advances Paid,รับเงินทดรองจ่าย DocType: Company,Gain/Loss Account on Asset Disposal,บัญชีกำไร / ขาดทุนจากการขายสินทรัพย์ @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,มันทำ DocType: Bank Reconciliation,Payment Entries,รายการชำระเงิน DocType: Employee Education,Class / Percentage,ชั้น / ร้อยละ ,Electronic Invoice Register,ลงทะเบียนใบแจ้งหนี้อิเล็กทรอนิกส์ +DocType: Shift Type,The number of occurrence after which the consequence is executed.,จำนวนของการเกิดขึ้นหลังจากการดำเนินการที่ตามมา DocType: Sales Invoice,Is Return (Credit Note),Is Return (ใบลดหนี้) +DocType: Price List,Price Not UOM Dependent,ราคาไม่ขึ้นอยู่กับ UOM DocType: Lab Test Sample,Lab Test Sample,ตัวอย่างการทดสอบในห้องปฏิบัติการ DocType: Shopify Settings,status html,สถานะ html DocType: Fiscal Year,"For e.g. 2012, 2012-13","สำหรับเช่น 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,ค้นหา DocType: Salary Slip,Net Pay,จ่ายสุทธิ apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,จำนวนรวมของใบแจ้งหนี้ DocType: Clinical Procedure,Consumables Invoice Separately,ใบแจ้งหนี้วัสดุสิ้นเปลืองแยกกัน +DocType: Shift Type,Working Hours Threshold for Absent,เกณฑ์ชั่วโมงการทำงานสำหรับการขาดงาน DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},ไม่สามารถกำหนดงบประมาณกับบัญชีกลุ่ม {0} DocType: Purchase Receipt Item,Rate and Amount,อัตราและจำนวน @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,ตั้งค่า Warehouse ต DocType: Healthcare Settings,Out Patient Settings,การตั้งค่าผู้ป่วยออก DocType: Asset,Insurance End Date,วันที่สิ้นสุดการประกันภัย DocType: Bank Account,Branch Code,รหัสสาขา -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,เวลาตอบสนอง apps/erpnext/erpnext/public/js/conf.js,User Forum,ฟอรั่มผู้ใช้ DocType: Landed Cost Item,Landed Cost Item,รายการต้นทุนที่ดิน apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,ผู้ขายและผู้ซื้อต้องไม่เหมือนกัน @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,เจ้าของตะกั่ว DocType: Share Transfer,Transfer,โอน apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),ค้นหารายการ (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} ผลการส่ง +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,วันที่ต้องไม่มากกว่าวันที่ DocType: Supplier,Supplier of Goods or Services.,ผู้จัดหาสินค้าหรือบริการ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,ชื่อบัญชีใหม่ หมายเหตุ: โปรดอย่าสร้างบัญชีสำหรับลูกค้าและซัพพลายเออร์ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,กลุ่มนักศึกษาหรือตารางหลักสูตรมีผลบังคับใช้ @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,ฐานข DocType: Skill,Skill Name,ชื่อทักษะ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,พิมพ์บัตรรายงาน DocType: Soil Texture,Ternary Plot,Ternary Plot -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,ตั๋วสนับสนุน DocType: Asset Category Account,Fixed Asset Account,บัญชีสินทรัพย์ถาวร apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,ล่าสุด @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,ระยะทาง UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,จำเป็นสำหรับงบดุล DocType: Payment Entry,Total Allocated Amount,จำนวนเงินที่จัดสรรทั้งหมด DocType: Sales Invoice,Get Advances Received,รับเงินทดรองจ่าย +DocType: Shift Type,Last Sync of Checkin,ซิงค์ครั้งสุดท้ายของ Checkin DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,จำนวนภาษีสินค้าที่รวมอยู่ในมูลค่า apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,แผนการสมัคร DocType: Student,Blood Group,กรุ๊ปเลือด apps/erpnext/erpnext/config/healthcare.py,Masters,ปริญญาโท DocType: Crop,Crop Spacing UOM,ครอบตัดระยะห่าง +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,เวลาหลังจากเวลาเริ่มกะเป็นระยะเมื่อเช็คอินถือว่าช้า (เป็นนาที) apps/erpnext/erpnext/templates/pages/home.html,Explore,สำรวจ +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,ไม่พบใบแจ้งหนี้ที่โดดเด่น apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} ตำแหน่งงานว่างและงบประมาณ {1} สำหรับ {2} มีการวางแผนไว้แล้วสำหรับ บริษัท ย่อยของ {3} \ คุณสามารถวางแผนได้มากถึง {4} ตำแหน่งและและงบประมาณ {5} ตามแผนพนักงาน {6} สำหรับ บริษัท แม่ {3} DocType: Promotional Scheme,Product Discount Slabs,แผ่นพื้นลดราคาสินค้า @@ -1005,6 +1010,7 @@ DocType: Attendance,Attendance Request,คำขอเข้าร่วมป DocType: Item,Moving Average,ค่าเฉลี่ยเคลื่อนที่ DocType: Employee Attendance Tool,Unmarked Attendance,การเข้าร่วมที่ไม่มีเครื่องหมาย DocType: Homepage Section,Number of Columns,จำนวนคอลัมน์ +DocType: Issue Priority,Issue Priority,ลำดับความสำคัญของปัญหา DocType: Holiday List,Add Weekly Holidays,เพิ่มวันหยุดประจำสัปดาห์ DocType: Shopify Log,Shopify Log,บันทึก Shopify apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,สร้างสลิปเงินเดือน @@ -1013,6 +1019,7 @@ DocType: Job Offer Term,Value / Description,ค่า / คำอธิบาย DocType: Warranty Claim,Issue Date,วันที่ออก 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} ไม่พบชุดเดียวที่ตอบสนองความต้องการนี้ apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,ไม่สามารถสร้างโบนัสการเก็บรักษาสำหรับพนักงานที่เหลือ +DocType: Employee Checkin,Location / Device ID,ที่ตั้ง / รหัสอุปกรณ์ DocType: Purchase Order,To Receive,ที่จะได้รับ apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,คุณอยู่ในโหมดออฟไลน์ คุณจะไม่สามารถโหลดซ้ำได้จนกว่าคุณจะมีเครือข่าย DocType: Course Activity,Enrollment,การลงทะเบียน @@ -1021,7 +1028,6 @@ DocType: Lab Test Template,Lab Test Template,เทมเพลตการท apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},สูงสุด: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ข้อมูลการแจ้งหนี้ทางอิเล็กทรอนิกส์หายไป apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,ไม่ได้สร้างคำขอวัสดุ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มรายการ> แบรนด์ DocType: Loan,Total Amount Paid,จำนวนเงินทั้งหมดที่จ่าย apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,รายการทั้งหมดเหล่านี้ได้รับใบแจ้งหนี้แล้ว DocType: Training Event,Trainer Name,ชื่อผู้ฝึกสอน @@ -1132,6 +1138,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},โปรดระบุชื่อนำในลูกค้าที่มุ่งหวัง {0} DocType: Employee,You can enter any date manually,คุณสามารถป้อนวันที่ด้วยตนเองได้ DocType: Stock Reconciliation Item,Stock Reconciliation Item,รายการกระทบยอดสต็อก +DocType: Shift Type,Early Exit Consequence,ผลออกก่อนกำหนด DocType: Item Group,General Settings,การตั้งค่าทั่วไป apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,วันที่ครบกำหนดต้องไม่อยู่ก่อนวันที่ใบแจ้งหนี้ / ผู้จำหน่าย apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,ป้อนชื่อผู้รับผลประโยชน์ก่อนส่ง @@ -1170,6 +1177,7 @@ DocType: Account,Auditor,ผู้สอบบัญชี apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,ยืนยันการชำระเงิน ,Available Stock for Packing Items,สต็อกที่มีอยู่สำหรับรายการบรรจุภัณฑ์ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},โปรดลบใบแจ้งหนี้นี้ {0} ออกจาก C-Form {1} +DocType: Shift Type,Every Valid Check-in and Check-out,ทุกการเช็คอินและเช็คเอาท์ที่ถูกต้อง DocType: Support Search Source,Query Route String,สตริงเส้นทางแบบสอบถาม DocType: Customer Feedback Template,Customer Feedback Template,เทมเพลตคำติชมของลูกค้า apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,คำพูดสำหรับลูกค้าเป้าหมายหรือลูกค้า @@ -1204,6 +1212,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,การควบคุมการอนุญาต ,Daily Work Summary Replies,สรุปการทำงานรายวัน apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},คุณได้รับเชิญให้ทำงานร่วมกับโครงการ: {0} +DocType: Issue,Response By Variance,การตอบสนองโดยความแปรปรวน DocType: Item,Sales Details,รายละเอียดการขาย apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,หัวจดหมายสำหรับเทมเพลตการพิมพ์ DocType: Salary Detail,Tax on additional salary,ภาษีจากเงินเดือนเพิ่มเติม @@ -1327,6 +1336,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,ที่ DocType: Project,Task Progress,ความคืบหน้างาน DocType: Journal Entry,Opening Entry,เปิดรายการ DocType: Bank Guarantee,Charges Incurred,ค่าใช้จ่ายที่เกิดขึ้น +DocType: Shift Type,Working Hours Calculation Based On,การคำนวณชั่วโมงการทำงานขึ้นอยู่กับ DocType: Work Order,Material Transferred for Manufacturing,โอนวัสดุเพื่อการผลิต DocType: Products Settings,Hide Variants,ซ่อนสายพันธุ์ DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ปิดใช้งานการวางแผนกำลังการผลิตและการติดตามเวลา @@ -1356,6 +1366,7 @@ DocType: Account,Depreciation,การเสื่อมราคา DocType: Guardian,Interests,ความสนใจ DocType: Purchase Receipt Item Supplied,Consumed Qty,บริโภคจำนวนมาก DocType: Education Settings,Education Manager,ผู้จัดการการศึกษา +DocType: Employee Checkin,Shift Actual Start,Shift เริ่มจริง DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,วางแผนเวลาบันทึกนอกเวลาทำงานของเวิร์กสเตชัน apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},คะแนนความภักดี: {0} DocType: Healthcare Settings,Registration Message,ข้อความการลงทะเบียน @@ -1380,9 +1391,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,สร้างใบแจ้งหนี้แล้วสำหรับทุกชั่วโมงการเรียกเก็บเงิน DocType: Sales Partner,Contact Desc,ติดต่อ Desc DocType: Purchase Invoice,Pricing Rules,กฎการกำหนดราคา +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}",เนื่องจากมีธุรกรรมที่มีอยู่กับรายการ {0} คุณจึงไม่สามารถเปลี่ยนมูลค่าของ {1} DocType: Hub Tracked Item,Image List,รายการรูปภาพ DocType: Item Variant Settings,Allow Rename Attribute Value,อนุญาตให้เปลี่ยนชื่อค่าคุณสมบัติ -DocType: Price List,Price Not UOM Dependant,ราคาไม่ขึ้นอยู่กับ UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),เวลา (เป็นนาที) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,ขั้นพื้นฐาน DocType: Loan,Interest Income Account,บัญชีรายรับดอกเบี้ย @@ -1392,6 +1403,7 @@ DocType: Employee,Employment Type,ประเภทการจ้างงา apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,เลือกโพรไฟล์ POS DocType: Support Settings,Get Latest Query,รับแบบสอบถามล่าสุด DocType: Employee Incentive,Employee Incentive,แรงจูงใจพนักงาน +DocType: Service Level,Priorities,ความคาดหวัง apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,เพิ่มการ์ดหรือส่วนที่กำหนดเองในหน้าแรก DocType: Homepage,Hero Section Based On,หมวดฮีโร่ตาม DocType: Project,Total Purchase Cost (via Purchase Invoice),ต้นทุนการซื้อทั้งหมด (ผ่านใบแจ้งหนี้การซื้อ) @@ -1452,7 +1464,7 @@ DocType: Work Order,Manufacture against Material Request,ผลิตต่อ DocType: Blanket Order Item,Ordered Quantity,ปริมาณที่สั่ง apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},แถว # {0}: คลังสินค้าที่ถูกปฏิเสธมีผลบังคับใช้กับรายการที่ถูกปฏิเสธ {1} ,Received Items To Be Billed,รายการที่ได้รับการเรียกเก็บเงิน -DocType: Salary Slip Timesheet,Working Hours,ชั่วโมงทำงาน +DocType: Attendance,Working Hours,ชั่วโมงทำงาน apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,โหมดการชำระเงิน apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,รายการสั่งซื้อไม่ได้รับตรงเวลา apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,ระยะเวลาเป็นวัน @@ -1572,7 +1584,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,ข้อมูลตามกฎหมายและข้อมูลทั่วไปอื่น ๆ เกี่ยวกับผู้จัดหาของคุณ DocType: Item Default,Default Selling Cost Center,ศูนย์ต้นทุนขายเริ่มต้น DocType: Sales Partner,Address & Contacts,ที่อยู่ & ติดต่อ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,โปรดตั้งค่าหมายเลขลำดับสำหรับการเข้าร่วมผ่านการตั้งค่า> ลำดับเลข DocType: Subscriber,Subscriber,สมาชิก apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) หมดสต๊อก apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,โปรดเลือกวันที่ผ่านรายการก่อน @@ -1583,7 +1594,7 @@ DocType: Project,% Complete Method,วิธีการที่สมบูร DocType: Detected Disease,Tasks Created,สร้างงานแล้ว apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,BOM เริ่มต้น ({0}) ต้องแอ็คทีฟสำหรับไอเท็มนี้หรือเทมเพลต apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,อัตราค่านายหน้า% -DocType: Service Level,Response Time,เวลาตอบสนอง +DocType: Service Level Priority,Response Time,เวลาตอบสนอง DocType: Woocommerce Settings,Woocommerce Settings,การตั้งค่า Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,ปริมาณจะต้องเป็นค่าบวก DocType: Contract,CRM,CRM @@ -1600,7 +1611,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,ค่าเข้าช DocType: Bank Statement Settings,Transaction Data Mapping,การทำแผนที่ข้อมูลธุรกรรม apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,ลูกค้าเป้าหมายต้องการชื่อบุคคลหรือชื่อองค์กร DocType: Student,Guardians,ผู้ปกครอง -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในด้านการศึกษา> การตั้งค่าการศึกษา apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,เลือกยี่ห้อ ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,รายได้ปานกลาง DocType: Shipping Rule,Calculate Based On,คำนวณตาม @@ -1637,6 +1647,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,กำหนดเ apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},มีบันทึกการเข้าร่วม {0} ต่อนักศึกษา {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,วันที่ทำธุรกรรม apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,ยกเลิกการสมัครสมาชิก +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,ไม่สามารถตั้งค่าข้อตกลงระดับบริการ {0} apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,จำนวนเงินเดือนสุทธิ DocType: Account,Liability,ความรับผิดชอบ DocType: Employee,Bank A/C No.,เลขที่บัญชีธนาคาร @@ -1702,7 +1713,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,รหัสรายการวัตถุดิบ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,ส่งใบแจ้งหนี้ซื้อ {0} แล้ว DocType: Fees,Student Email,อีเมลนักเรียน -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},การเรียกใช้ BOM ซ้ำ: {0} ไม่สามารถเป็นพาเรนต์หรือลูกของ {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,รับรายการจากบริการสุขภาพ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,ไม่มีการส่งรายการสินค้าเข้าสต็อก {0} DocType: Item Attribute Value,Item Attribute Value,ค่าคุณสมบัติของรายการ @@ -1727,7 +1737,6 @@ DocType: POS Profile,Allow Print Before Pay,อนุญาตให้พิม DocType: Production Plan,Select Items to Manufacture,เลือกรายการที่จะผลิต DocType: Leave Application,Leave Approver Name,ปล่อยชื่อผู้อนุมัติ DocType: Shareholder,Shareholder,ผู้ถือหุ้น -DocType: Issue,Agreement Status,สถานะข้อตกลง apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,การตั้งค่าเริ่มต้นสำหรับการขายการทำธุรกรรม apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,โปรดเลือกการรับนักศึกษาซึ่งเป็นสิ่งจำเป็นสำหรับผู้สมัครที่ชำระเงิน apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,เลือก BOM @@ -1990,6 +1999,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,บัญชีรายรับ apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,คลังสินค้าทั้งหมด DocType: Contract,Signee Details,รายละเอียดผู้ลงนาม +DocType: Shift Type,Allow check-out after shift end time (in minutes),อนุญาตให้เช็คเอาท์หลังจากเปลี่ยนเวลาสิ้นสุด (เป็นนาที) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,จัดซื้อจัดจ้าง DocType: Item Group,Check this if you want to show in website,เลือกตัวเลือกนี้หากคุณต้องการแสดงในเว็บไซต์ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ไม่พบปีบัญชี {0} @@ -2056,6 +2066,7 @@ DocType: Asset Finance Book,Depreciation Start Date,วันที่เริ DocType: Activity Cost,Billing Rate,อัตราการเรียกเก็บเงิน apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},คำเตือน: มี {0} # {1} อีกรายการต่อรายการสต็อก {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,โปรดเปิดใช้งานการตั้งค่า Google Maps เพื่อประเมินและเพิ่มประสิทธิภาพเส้นทาง +DocType: Purchase Invoice Item,Page Break,ตัวแบ่งหน้า DocType: Supplier Scorecard Criteria,Max Score,คะแนนสูงสุด apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,วันที่เริ่มต้นชำระคืนต้องไม่อยู่ก่อนวันที่จ่ายเงิน DocType: Support Search Source,Support Search Source,สนับสนุนแหล่งค้นหา @@ -2124,6 +2135,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,เป้าหมาย DocType: Employee Transfer,Employee Transfer,โอนพนักงาน ,Sales Funnel,ช่องทางขาย DocType: Agriculture Analysis Criteria,Water Analysis,การวิเคราะห์น้ำ +DocType: Shift Type,Begin check-in before shift start time (in minutes),เริ่มการเช็คอินก่อนเวลาเริ่มกะ (เป็นนาที) DocType: Accounts Settings,Accounts Frozen Upto,บัญชีแช่แข็งเกิน apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,ไม่มีอะไรให้แก้ไข apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","การดำเนินการ {0} ยาวกว่าชั่วโมงการทำงานที่มีอยู่ในเวิร์กสเตชัน {1}, แยกการดำเนินการออกเป็นหลาย ๆ การดำเนินการ" @@ -2137,7 +2149,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,บ apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},ใบสั่งขาย {0} คือ {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ความล่าช้าในการชำระเงิน (วัน) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,ป้อนรายละเอียดค่าเสื่อมราคา +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,PO ของลูกค้า apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,วันที่จัดส่งที่คาดหวังควรอยู่หลังวันที่สั่งซื้อการขาย +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,ปริมาณสินค้าไม่สามารถเป็นศูนย์ได้ apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,แอตทริบิวต์ไม่ถูกต้อง apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},โปรดเลือก BOM กับรายการ {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,ประเภทใบแจ้งหนี้ @@ -2147,6 +2161,7 @@ DocType: Maintenance Visit,Maintenance Date,วันที่บำรุงร DocType: Volunteer,Afternoon,ตอนบ่าย DocType: Vital Signs,Nutrition Values,คุณค่าทางโภชนาการ DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),มีไข้ (อุณหภูมิ> 38.5 ° C / 101.3 ° F หรืออุณหภูมิยั่งยืน> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรมนุษย์> การตั้งค่าทรัพยากรบุคคล apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ย้อนกลับ ITC DocType: Project,Collect Progress,รวบรวมความคืบหน้า apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,พลังงาน @@ -2197,6 +2212,7 @@ DocType: Setup Progress,Setup Progress,ความคืบหน้ากา ,Ordered Items To Be Billed,รายการสั่งซื้อจะถูกเรียกเก็บเงิน DocType: Taxable Salary Slab,To Amount,ถึงจำนวนเงิน DocType: Purchase Invoice,Is Return (Debit Note),Is Return (เดบิตหมายเหตุ) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> อาณาเขต apps/erpnext/erpnext/config/desktop.py,Getting Started,เริ่มต้นใช้งาน apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,ผสาน apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,ไม่สามารถเปลี่ยนวันที่เริ่มต้นปีบัญชีและวันที่สิ้นสุดปีบัญชีได้เมื่อบันทึกปีบัญชีแล้ว @@ -2215,8 +2231,10 @@ DocType: Maintenance Schedule Detail,Actual Date,วันที่จริง apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},วันที่เริ่มต้นการซ่อมบำรุงไม่สามารถอยู่ก่อนวันที่ส่งมอบสำหรับหมายเลขลำดับ {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,แถว {0}: จำเป็นต้องใช้อัตราแลกเปลี่ยน DocType: Purchase Invoice,Select Supplier Address,เลือกที่อยู่ผู้ผลิต +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}",ปริมาณที่มีอยู่คือ {0} คุณต้อง {1} apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,โปรดป้อน API Consumer Secret DocType: Program Enrollment Fee,Program Enrollment Fee,ค่าธรรมเนียมการลงทะเบียนโปรแกรม +DocType: Employee Checkin,Shift Actual End,Shift สิ้นสุดจริง DocType: Serial No,Warranty Expiry Date,รับประกันวันหมดอายุ DocType: Hotel Room Pricing,Hotel Room Pricing,ราคาห้องพักโรงแรม apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted",วัสดุที่ต้องเสียภาษีนอกประเทศ @@ -2276,6 +2294,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,อ่าน 5 DocType: Shopping Cart Settings,Display Settings,การตั้งค่าการแสดงผล apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,โปรดตั้งค่าจำนวนค่าเสื่อมราคาที่จองไว้ +DocType: Shift Type,Consequence after,ผลที่ตามมาหลังจาก apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,คุณต้องการความช่วยเหลืออะไร DocType: Journal Entry,Printing Settings,การตั้งค่าการพิมพ์ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,การธนาคาร @@ -2285,6 +2304,7 @@ DocType: Purchase Invoice Item,PR Detail,รายละเอียดการ apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,ที่อยู่สำหรับเรียกเก็บเงินนั้นเหมือนกับที่อยู่สำหรับจัดส่ง DocType: Account,Cash,เงินสด DocType: Employee,Leave Policy,ออกนโยบาย +DocType: Shift Type,Consequence,ผลพวง apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,ที่อยู่นักศึกษา DocType: GST Account,CESS Account,บัญชี CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: ต้องการศูนย์ต้นทุนสำหรับบัญชี 'กำไรและขาดทุน' {2} โปรดตั้งศูนย์ต้นทุนเริ่มต้นสำหรับ บริษัท @@ -2349,6 +2369,7 @@ DocType: GST HSN Code,GST HSN Code,รหัส GST HSN DocType: Period Closing Voucher,Period Closing Voucher,บัตรกำนัลปิดรอบระยะเวลา apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,ชื่อ Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,โปรดป้อนบัญชีค่าใช้จ่าย +DocType: Issue,Resolution By Variance,การแก้ไขตามความแปรปรวน DocType: Employee,Resignation Letter Date,วันที่จดหมายลาออก DocType: Soil Texture,Sandy Clay,ดินทราย DocType: Upload Attendance,Attendance To Date,เข้าร่วมวันที่ @@ -2361,6 +2382,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,ดูตอนนี้ DocType: Item Price,Valid Upto,ใช้ได้ไม่เกิน apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Doctype อ้างอิงต้องเป็นหนึ่งใน {0} +DocType: Employee Checkin,Skip Auto Attendance,ข้ามการเข้าร่วมอัตโนมัติ DocType: Payment Request,Transaction Currency,สกุลเงินการทำธุรกรรม DocType: Loan,Repayment Schedule,กำหนดการชำระคืน apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,สร้างรายการสต็อคการเก็บรักษาตัวอย่าง @@ -2432,6 +2454,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,การกำ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,ภาษีการปิดบัญชี POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,การดำเนินการเริ่มต้นแล้ว DocType: POS Profile,Applicable for Users,ใช้งานได้สำหรับผู้ใช้ +,Delayed Order Report,รายงานคำสั่งซื้อล่าช้า DocType: Training Event,Exam,การสอบ apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,พบรายการบัญชีแยกประเภททั่วไปไม่ถูกต้อง คุณอาจเลือกบัญชีผิดในการทำธุรกรรม apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,ท่อขาย @@ -2446,10 +2469,11 @@ DocType: Account,Round Off,หมดยก DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,เงื่อนไขจะถูกนำไปใช้กับรายการที่เลือกทั้งหมดรวมกัน apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,กำหนดค่า DocType: Hotel Room,Capacity,ความจุ +DocType: Employee Checkin,Shift End,สิ้นสุดกะ DocType: Installation Note Item,Installed Qty,ติดตั้งจำนวน apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,แบทช์ {0} ของไอเท็ม {1} ถูกปิดใช้งาน DocType: Hotel Room Reservation,Hotel Reservation User,ผู้ใช้การจองโรงแรม -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,วันทำงานซ้ำแล้วซ้ำอีก +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,ข้อตกลงระดับบริการที่มีประเภทเอนทิตี {0} และเอนทิตี {1} มีอยู่แล้ว apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},รายการกลุ่มไม่ได้กล่าวถึงในรายการหลักสำหรับรายการ {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},ข้อผิดพลาดของชื่อ: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,ต้องระบุอาณาเขตในโปรไฟล์ POS @@ -2497,6 +2521,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,กำหนดการวันที่ DocType: Packing Slip,Package Weight Details,รายละเอียดน้ำหนักแพ็คเกจ DocType: Job Applicant,Job Opening,เปิดงาน +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,การซิงค์ที่ประสบความสำเร็จครั้งล่าสุดของ Checkin ของพนักงาน รีเซ็ตนี้เฉพาะเมื่อคุณแน่ใจว่าบันทึกทั้งหมดซิงค์จากที่ตั้งทั้งหมด โปรดอย่าแก้ไขสิ่งนี้หากคุณไม่แน่ใจ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ต้นทุนที่แท้จริง apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ยอดรวมล่วงหน้า ({0}) เทียบกับคำสั่ง {1} ต้องไม่มากกว่ายอดรวมทั้งหมด ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,อัพเดตรายการตัวแปร @@ -2541,6 +2566,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,ใบเสร็จร apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,รับ Invocies DocType: Tally Migration,Is Day Book Data Imported,นำเข้าข้อมูลหนังสือรายวันแล้ว ,Sales Partners Commission,ค่าคอมมิชชั่นพันธมิตรการขาย +DocType: Shift Type,Enable Different Consequence for Early Exit,เปิดใช้งานผลที่ตามมาที่แตกต่างกันสำหรับการออกก่อน apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,ถูกกฎหมาย DocType: Loan Application,Required by Date,ตามวันที่กำหนด DocType: Quiz Result,Quiz Result,ผลการทดสอบ @@ -2600,7 +2626,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,ปีก DocType: Pricing Rule,Pricing Rule,กฎการกำหนดราคา apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},รายการวันหยุดเพิ่มเติมที่ไม่ได้ตั้งค่าไว้สำหรับช่วงเวลาลาพัก {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,โปรดตั้งค่าฟิลด์ ID ผู้ใช้ในระเบียนพนักงานเพื่อตั้งค่าบทบาทพนักงาน -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,ใช้เวลาในการแก้ไข DocType: Training Event,Training Event,กิจกรรมฝึกอบรม DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",ความดันโลหิตปกติในผู้ใหญ่อยู่ที่ประมาณ 120 mmHg systolic และ 80 mmHg diastolic เรียกว่า "120/80 mmHg" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,ระบบจะดึงรายการทั้งหมดหากค่า จำกัด เป็นศูนย์ @@ -2644,6 +2669,7 @@ DocType: Woocommerce Settings,Enable Sync,เปิดใช้งานกา DocType: Student Applicant,Approved,ได้รับการอนุมัติ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},จากวันที่ควรอยู่ในปีบัญชี สมมติจากวันที่ = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,โปรดตั้งกลุ่มซัพพลายเออร์ในการตั้งค่าการซื้อ +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} เป็นสถานะการเข้าร่วมที่ไม่ถูกต้อง DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,บัญชีเปิดชั่วคราว DocType: Purchase Invoice,Cash/Bank Account,เงินสด / บัญชีธนาคาร DocType: Quality Meeting Table,Quality Meeting Table,โต๊ะประชุมคุณภาพ @@ -2679,6 +2705,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco",อาหารเครื่องดื่มและยาสูบ apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,ตารางเรียน DocType: Purchase Taxes and Charges,Item Wise Tax Detail,รายการรายละเอียดภาษีที่ชาญฉลาด +DocType: Shift Type,Attendance will be marked automatically only after this date.,ผู้เข้าร่วมจะถูกทำเครื่องหมายอัตโนมัติหลังจากวันที่นี้เท่านั้น apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,วัสดุที่ทำกับผู้ถือ UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,ขอใบเสนอราคา apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,ไม่สามารถเปลี่ยนสกุลเงินได้หลังจากป้อนข้อมูลโดยใช้สกุลเงินอื่น @@ -2727,7 +2754,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,เป็นรายการจาก Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,ขั้นตอนคุณภาพ DocType: Share Balance,No of Shares,ไม่มีการแบ่งปัน -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),แถว {0}: จำนวนไม่พร้อมใช้งานสำหรับ {4} ในคลัง {1} ณ เวลาโพสต์ของรายการ ({2} {3}) DocType: Quality Action,Preventive,ป้องกัน DocType: Support Settings,Forum URL,URL ฟอรัม apps/erpnext/erpnext/config/hr.py,Employee and Attendance,พนักงานและผู้เข้าร่วม @@ -2949,7 +2975,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,ประเภทส DocType: Hotel Settings,Default Taxes and Charges,ภาษีและค่าใช้จ่ายเริ่มต้น apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,นี่คือการทำธุรกรรมกับผู้จัดหานี้ ดูไทม์ไลน์ด้านล่างสำหรับรายละเอียด apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},จำนวนผลประโยชน์สูงสุดของพนักงาน {0} เกิน {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,ป้อนวันที่เริ่มต้นและวันที่สิ้นสุดของข้อตกลง DocType: Delivery Note Item,Against Sales Invoice,กับใบแจ้งหนี้การขาย DocType: Loyalty Point Entry,Purchase Amount,ซื้อจำนวนเงิน apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,ไม่สามารถตั้งค่าเป็นแพ้เมื่อทำใบสั่งขาย @@ -2973,7 +2998,7 @@ DocType: Homepage,"URL for ""All Products""",URL สำหรับ "ผล DocType: Lead,Organization Name,ชื่อองค์กร apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,ฟิลด์ที่ใช้ได้จากและไม่เกินนั้นใช้ได้สำหรับการสะสม apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},แถว # {0}: แบตช์ต้องไม่เหมือนกับ {1} {2} -DocType: Employee,Leave Details,ออกจากรายละเอียด +DocType: Employee Checkin,Shift Start,เริ่มกะ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,ธุรกรรมการทำธุรกรรมก่อน {0} ถูกแช่แข็ง DocType: Driver,Issuing Date,วันที่ออก apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,ผู้ขอ @@ -3018,9 +3043,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,รายละเอียดเทมเพลตการทำแผนที่กระแสเงินสด apps/erpnext/erpnext/config/hr.py,Recruitment and Training,การสรรหาและฝึกอบรม DocType: Drug Prescription,Interval UOM,หน่วยช่วงเวลา +DocType: Shift Type,Grace Period Settings For Auto Attendance,การตั้งค่าช่วงเวลาผ่อนผันสำหรับการเข้าร่วมอัตโนมัติ apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,จากสกุลเงินและเป็นสกุลเงินต้องไม่เหมือนกัน apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ยา DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,สนับสนุนชั่วโมง apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} ถูกยกเลิกหรือปิด apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,แถว {0}: เงินทดรองกับลูกค้าต้องเป็นเครดิต apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),จัดกลุ่มตามคูปอง (รวม) @@ -3130,6 +3157,7 @@ DocType: Asset Repair,Repair Status,สถานะการซ่อม DocType: Territory,Territory Manager,ผู้จัดการดินแดน DocType: Lab Test,Sample ID,ตัวอย่าง ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,รถเข็นว่างเปล่า +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,มีการทำเครื่องหมายการเข้าร่วมตามการเช็คอินของพนักงาน apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,ต้องส่งเนื้อหา {0} ,Absent Student Report,ขาดรายงานนักศึกษา apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,รวมอยู่ในกำไรขั้นต้น @@ -3137,7 +3165,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,จำนวนเงินทุน apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ยังไม่ได้ส่งเพื่อให้การดำเนินการไม่เสร็จสมบูรณ์ DocType: Subscription,Trial Period End Date,วันที่สิ้นสุดระยะเวลาทดลองใช้ +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,สลับรายการเป็นเข้าและออกในระหว่างการเปลี่ยนแปลงเดียวกัน DocType: BOM Update Tool,The new BOM after replacement,BOM ใหม่หลังจากการเปลี่ยน +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ผู้ผลิต> ประเภทผู้จัดจำหน่าย apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,รายการ 5 DocType: Employee,Passport Number,หมายเลขหนังสือเดินทาง apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,เปิดชั่วคราว @@ -3253,6 +3283,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,รายงานสำคั apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,ซัพพลายเออร์ที่เป็นไปได้ ,Issued Items Against Work Order,รายการที่ออกกับงานสั่งทำ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,กำลังสร้างใบแจ้งหนี้ {0} +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในด้านการศึกษา> การตั้งค่าการศึกษา DocType: Student,Joining Date,วันที่เข้าร่วม apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,กำลังร้องขอไซต์ DocType: Purchase Invoice,Against Expense Account,เทียบกับบัญชีค่าใช้จ่าย @@ -3292,6 +3323,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,ค่าใช้จ่ายที่เกี่ยวข้อง ,Point of Sale,จุดขาย DocType: Authorization Rule,Approving User (above authorized value),การอนุมัติผู้ใช้ (สูงกว่าค่าที่ได้รับอนุญาต) +DocType: Service Level Agreement,Entity,เอกลักษณ์ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},จำนวน {0} {1} ถูกถ่ายโอนจาก {2} ถึง {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},ลูกค้า {0} ไม่ได้อยู่ในโครงการ {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,จากชื่อปาร์ตี้ @@ -3338,6 +3370,7 @@ DocType: Asset,Opening Accumulated Depreciation,การเปิดค่า DocType: Soil Texture,Sand Composition (%),องค์ประกอบทราย (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,นำเข้าข้อมูลหนังสือรายวัน +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,โปรดตั้ง Naming Series สำหรับ {0} ผ่านการตั้งค่า> การตั้งค่า> Naming Series DocType: Asset,Asset Owner Company,บริษัท เจ้าของสินทรัพย์ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,ต้องมีศูนย์ต้นทุนเพื่อจองการเรียกร้องค่าใช้จ่าย apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} serial nos ที่ถูกต้องสำหรับรายการ {1} @@ -3398,7 +3431,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,เจ้าของสินทรัพย์ apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},ต้องใช้คลังสินค้าสำหรับสินค้ารายการ {0} ในแถว {1} DocType: Stock Entry,Total Additional Costs,ค่าใช้จ่ายเพิ่มเติมทั้งหมด -DocType: Marketplace Settings,Last Sync On,เปิดการซิงค์ครั้งสุดท้าย apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,โปรดตั้งอย่างน้อยหนึ่งแถวในตารางภาษีและค่าใช้จ่าย DocType: Asset Maintenance Team,Maintenance Team Name,ชื่อทีมบำรุงรักษา apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,แผนภูมิของศูนย์ต้นทุน @@ -3414,12 +3446,12 @@ DocType: Sales Order Item,Work Order Qty,จำนวนสั่งทำงา DocType: Job Card,WIP Warehouse,WIP Warehouse DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ID ผู้ใช้ไม่ได้ตั้งค่าไว้สำหรับพนักงาน {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}",จำนวนที่มีอยู่คือ {0} คุณต้อง {1} apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,สร้างผู้ใช้ {0} แล้ว DocType: Stock Settings,Item Naming By,การตั้งชื่อรายการตาม apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,สั่งซื้อ apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,นี่เป็นกลุ่มลูกค้าหลักและไม่สามารถแก้ไขได้ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,คำขอวัสดุ {0} ถูกยกเลิกหรือหยุด +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,ยึดตามประเภทการบันทึกใน Checkin ของพนักงานอย่างเคร่งครัด DocType: Purchase Order Item Supplied,Supplied Qty,จำนวนที่ให้มา DocType: Cash Flow Mapper,Cash Flow Mapper,Mapper กระแสเงินสด DocType: Soil Texture,Sand,ทราย @@ -3478,6 +3510,7 @@ DocType: Lab Test Groups,Add new line,เพิ่มบรรทัดใหม apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,พบกลุ่มรายการซ้ำในตารางกลุ่มรายการ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,เงินเดือนประจำปี DocType: Supplier Scorecard,Weighting Function,ฟังก์ชั่นการถ่วงน้ำหนัก +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,เกิดข้อผิดพลาดในการประเมินสูตรเกณฑ์ ,Lab Test Report,รายงานการทดสอบในห้องปฏิบัติการ DocType: BOM,With Operations,ด้วยการปฏิบัติงาน @@ -3491,6 +3524,7 @@ DocType: Expense Claim Account,Expense Claim Account,บัญชีการเ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ไม่มีการชำระคืนสำหรับบันทึกรายการ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} เป็นนักเรียนที่ไม่ได้ใช้งาน apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,ทำรายการสินค้า +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},การเรียกใช้ BOM ซ้ำ: {0} ไม่สามารถเป็นพาเรนต์หรือลูกของ {1} DocType: Employee Onboarding,Activities,กิจกรรม apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,อย่างน้อยหนึ่งคลังสินค้าจำเป็นต้องมี ,Customer Credit Balance,ยอดเครดิตลูกค้า @@ -3503,9 +3537,11 @@ DocType: Supplier Scorecard Period,Variables,ตัวแปร apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,พบโปรแกรมความภักดีหลายรายการสำหรับลูกค้า กรุณาเลือกด้วยตนเอง DocType: Patient,Medication,ยา apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,เลือกโปรแกรมความภักดี +DocType: Employee Checkin,Attendance Marked,ทำเครื่องหมายผู้เข้าร่วม apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,วัตถุดิบ DocType: Sales Order,Fully Billed,เรียกเก็บเงินอย่างเต็มที่ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},โปรดตั้งค่าห้องพักของโรงแรมเป็น {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,เลือกลำดับความสำคัญเดียวเป็นค่าเริ่มต้น apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},โปรดระบุ / สร้างบัญชี (บัญชีแยกประเภท) สำหรับประเภท - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,ยอดรวมเครดิต / เดบิตควรเหมือนกับรายการบันทึกประจำวันที่เชื่อมโยง DocType: Purchase Invoice Item,Is Fixed Asset,เป็นสินทรัพย์ถาวร @@ -3526,6 +3562,7 @@ DocType: Purpose of Travel,Purpose of Travel,วัตถุประสงค DocType: Healthcare Settings,Appointment Confirmation,ยืนยันการแต่งตั้ง DocType: Shopping Cart Settings,Orders,สั่งซื้อ DocType: HR Settings,Retirement Age,วัยเกษียณ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,โปรดตั้งค่าหมายเลขลำดับสำหรับการเข้าร่วมผ่านการตั้งค่า> ลำดับเลข apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,ฉายจำนวน apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},ไม่อนุญาตการลบสำหรับประเทศ {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},แถว # {0}: สินทรัพย์ {1} มีอยู่แล้ว {2} @@ -3609,11 +3646,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,นักบัญชี apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},POS Alosing Voucher alreday มีอยู่สำหรับ {0} ระหว่างวันที่ {1} ถึง {2} apps/erpnext/erpnext/config/help.py,Navigating,การนำทาง +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,ไม่มีใบแจ้งหนี้คงค้างที่ต้องการการประเมินค่าอัตราแลกเปลี่ยนใหม่ DocType: Authorization Rule,Customer / Item Name,ชื่อลูกค้า / รายการ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,อนุกรมใหม่ที่ไม่มีคลังสินค้า คลังสินค้าจะต้องกำหนดโดยบันทึกรายการสินค้าหรือใบเสร็จรับเงินซื้อ DocType: Issue,Via Customer Portal,ผ่านทางพอร์ทัลลูกค้า DocType: Work Order Operation,Planned Start Time,เวลาเริ่มต้นตามแผน apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} คือ {2} +DocType: Service Level Priority,Service Level Priority,ระดับความสำคัญของการบริการ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,จำนวนค่าเสื่อมราคาที่จองไม่สามารถมากกว่าจำนวนค่าเสื่อมราคาทั้งหมด apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,แบ่งปันบัญชีแยกประเภท DocType: Journal Entry,Accounts Payable,บัญชีที่สามารถจ่ายได้ @@ -3724,7 +3763,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,ส่งไปที่ DocType: Bank Statement Transaction Settings Item,Bank Data,ข้อมูลธนาคาร apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,กำหนดไม่เกิน -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,รักษาชั่วโมงการเรียกเก็บเงินและเวลาทำงานเหมือนกันใน Timesheet apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,ติดตามลูกค้าเป้าหมายโดยแหล่งข้อมูลนำ DocType: Clinical Procedure,Nursing User,ผู้ใช้การพยาบาล DocType: Support Settings,Response Key List,รายการคีย์การตอบสนอง @@ -3892,6 +3930,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,เวลาเริ่มต้นจริง DocType: Antibiotic,Laboratory User,ผู้ใช้ห้องปฏิบัติการ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,การประมูลออนไลน์ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,ลำดับความสำคัญ {0} ซ้ำแล้วซ้ำอีก DocType: Fee Schedule,Fee Creation Status,สถานะการสร้างค่าธรรมเนียม apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,โปรแกรม apps/erpnext/erpnext/config/help.py,Sales Order to Payment,คำสั่งขายเพื่อการชำระเงิน @@ -3958,6 +3997,7 @@ DocType: Patient Encounter,In print,ในการพิมพ์ apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,ไม่สามารถดึงข้อมูลสำหรับ {0} apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,สกุลเงินการเรียกเก็บเงินจะต้องเท่ากับสกุลเงินของ บริษัท เริ่มต้นหรือสกุลเงินของบัญชีบุคคลอื่น apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,โปรดป้อนรหัสพนักงานของพนักงานขายนี้ +DocType: Shift Type,Early Exit Consequence after,ออกก่อนกำหนดผลที่ตามมาหลังจาก apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,สร้างใบแจ้งหนี้การขายและการเปิด DocType: Disease,Treatment Period,ระยะเวลาการรักษา apps/erpnext/erpnext/config/settings.py,Setting up Email,ตั้งค่าอีเมล์ @@ -3975,7 +4015,6 @@ DocType: Employee Skill Map,Employee Skills,ทักษะของพนัก apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,ชื่อนักเรียน: DocType: SMS Log,Sent On,ส่งเมื่อ DocType: Bank Statement Transaction Invoice Item,Sales Invoice,ใบแจ้งหนี้การขาย -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,เวลาตอบสนองไม่สามารถมากกว่าเวลาแก้ไขได้ DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",สำหรับกลุ่มนักศึกษาตามหลักสูตรหลักสูตรจะได้รับการตรวจสอบสำหรับนักเรียนทุกคนจากหลักสูตรที่ลงทะเบียนไว้ในการลงทะเบียนโปรแกรม apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,วัสดุภายในรัฐ DocType: Employee,Create User Permission,สร้างการอนุญาตของผู้ใช้ @@ -4014,6 +4053,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,ข้อกำหนดสัญญามาตรฐานสำหรับการขายหรือการซื้อ DocType: Sales Invoice,Customer PO Details,รายละเอียดใบสั่งซื้อของลูกค้า apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,ไม่พบผู้ป่วย +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,เลือกลำดับความสำคัญเริ่มต้น apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,ลบรายการหากการเรียกเก็บเงินไม่สามารถใช้ได้กับรายการนั้น apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,กลุ่มลูกค้ามีชื่อเดียวกันโปรดเปลี่ยนชื่อลูกค้าหรือเปลี่ยนชื่อกลุ่มลูกค้า 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. @@ -4053,6 +4093,7 @@ DocType: Quality Goal,Quality Goal,เป้าหมายคุณภาพ DocType: Support Settings,Support Portal,สนับสนุนพอร์ทัล apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},วันที่สิ้นสุดของภารกิจ {0} ต้องไม่น้อยกว่า {1} วันที่เริ่มต้นที่คาดหวัง {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},พนักงาน {0} กำลังออกจากเมื่อวันที่ {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},ข้อตกลงระดับการให้บริการนี้เฉพาะสำหรับลูกค้า {0} DocType: Employee,Held On,จัดขึ้น DocType: Healthcare Practitioner,Practitioner Schedules,ตารางปฏิบัติงาน DocType: Project Template Task,Begin On (Days),เริ่มต้น (วัน) @@ -4060,6 +4101,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},สั่งทำงานได้ {0} DocType: Inpatient Record,Admission Schedule Date,วันที่กำหนดการรับสมัคร apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,การปรับมูลค่าสินทรัพย์ +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,ทำเครื่องหมายการเข้าร่วมตาม 'การเช็คอินของพนักงาน' สำหรับพนักงานที่มอบหมายให้กับการเปลี่ยนแปลงนี้ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,พัสดุที่ทำกับบุคคลที่ไม่ได้ลงทะเบียน apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,งานทั้งหมด DocType: Appointment Type,Appointment Type,ประเภทการนัดหมาย @@ -4173,7 +4215,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),น้ำหนักรวมของบรรจุภัณฑ์ โดยทั่วไปน้ำหนักสุทธิ + น้ำหนักวัสดุบรรจุภัณฑ์ (สำหรับการพิมพ์) DocType: Plant Analysis,Laboratory Testing Datetime,ห้องปฏิบัติการทดสอบวันที่และเวลา apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,ไอเท็ม {0} ไม่สามารถมีแบตช์ -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,ขั้นตอนการขายตามขั้นตอน apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,ความแข็งแกร่งของกลุ่มนักเรียน DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,รายการธุรกรรมทางบัญชีธนาคาร DocType: Purchase Order,Get Items from Open Material Requests,รับรายการจากคำขอเปิดวัสดุ @@ -4255,7 +4296,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,แสดงคลังสินค้าที่มีอายุมาก DocType: Sales Invoice,Write Off Outstanding Amount,ตัดยอดค้างชำระ DocType: Payroll Entry,Employee Details,รายละเอียดพนักงาน -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,เวลาเริ่มต้นไม่สามารถมากกว่าเวลาสิ้นสุดสำหรับ {0} DocType: Pricing Rule,Discount Amount,จำนวนส่วนลด DocType: Healthcare Service Unit Type,Item Details,รายการรายละเอียด apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},การประกาศภาษีซ้ำของ {0} สำหรับระยะเวลา {1} @@ -4308,7 +4348,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,การจ่ายสุทธิไม่สามารถติดลบได้ apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,ไม่มีการโต้ตอบ 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/hr/doctype/employee/employee_dashboard.py,Shift,เปลี่ยน +DocType: Attendance,Shift,เปลี่ยน apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,ประมวลผลผังบัญชีและฝ่ายต่างๆ DocType: Stock Settings,Convert Item Description to Clean HTML,แปลงคำอธิบายรายการเป็น HTML ที่สะอาด apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,กลุ่มซัพพลายเออร์ทั้งหมด @@ -4379,6 +4419,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,กิจก DocType: Healthcare Service Unit,Parent Service Unit,หน่วยบริการผู้ปกครอง DocType: Sales Invoice,Include Payment (POS),รวมการชำระเงิน (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,ภาคเอกชน +DocType: Shift Type,First Check-in and Last Check-out,เช็คอินครั้งแรกและเช็คเอาท์ครั้งสุดท้าย DocType: Landed Cost Item,Receipt Document,เอกสารใบเสร็จรับเงิน DocType: Supplier Scorecard Period,Supplier Scorecard Period,ระยะเวลาการจัดทำดัชนีผู้จัดจำหน่าย DocType: Employee Grade,Default Salary Structure,โครงสร้างเงินเดือนเริ่มต้น @@ -4461,6 +4502,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,สร้างใบสั่งซื้อ apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,กำหนดงบประมาณสำหรับปีการเงิน apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,ตารางบัญชีต้องไม่ว่างเปล่า +DocType: Employee Checkin,Entry Grace Period Consequence,ผลที่ตามมาระยะเวลาปลอดหนี้ ,Payment Period Based On Invoice Date,ระยะเวลาชำระเงินตามวันที่แจ้งหนี้ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},วันที่ติดตั้งไม่สามารถอยู่ก่อนวันที่ส่งมอบสำหรับรายการ {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,เชื่อมโยงไปยังคำขอวัสดุ @@ -4469,6 +4511,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,ประเ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},แถว {0}: มีรายการสั่งซื้อใหม่อยู่แล้วสำหรับคลังสินค้านี้ {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,วันที่หมอ DocType: Monthly Distribution,Distribution Name,ชื่อการแจกจ่าย +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,ซ้ำวันทำงาน {0} แล้ว apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,กลุ่มถึงกลุ่มที่ไม่ใช่ apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,กำลังอัปเดต มันอาจจะใช้เวลาสักครู่. DocType: Item,"Example: ABCD.##### @@ -4481,6 +4524,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,ปริมาณเชื้อเพลิง apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile No DocType: Invoice Discounting,Disbursed,การเบิกจ่าย +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,เวลาหลังจากสิ้นสุดการกะในระหว่างการพิจารณาเช็คเอาต์ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,การเปลี่ยนแปลงสุทธิในบัญชีเจ้าหนี้ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,ไม่ว่าง apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,ไม่เต็มเวลา @@ -4494,7 +4538,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,โอ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,แสดง PDC ในการพิมพ์ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,ผู้จำหน่าย Shopify DocType: POS Profile User,POS Profile User,ผู้ใช้โปรไฟล์ POS -DocType: Student,Middle Name,ชื่อกลาง DocType: Sales Person,Sales Person Name,ชื่อพนักงานขาย DocType: Packing Slip,Gross Weight,น้ำหนักรวม DocType: Journal Entry,Bill No,เลขที่บิล @@ -4503,7 +4546,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,ต DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,ข้อตกลงระดับการให้บริการ -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,โปรดเลือกพนักงานและวันที่ก่อน apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,อัตราการประเมินไอเท็มถูกคำนวณใหม่โดยพิจารณาจากจำนวนคูปองราคาที่ดิน DocType: Timesheet,Employee Detail,รายละเอียดพนักงาน DocType: Tally Migration,Vouchers,บัตรกำนัล @@ -4538,7 +4580,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,ข้อตก DocType: Additional Salary,Date on which this component is applied,วันที่ใช้องค์ประกอบนี้ apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,รายชื่อผู้ถือหุ้นที่มีจำนวนยก apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,ตั้งค่าบัญชี Gateway -DocType: Service Level,Response Time Period,ระยะเวลาตอบสนอง +DocType: Service Level Priority,Response Time Period,ระยะเวลาตอบสนอง DocType: Purchase Invoice,Purchase Taxes and Charges,ซื้อภาษีและค่าธรรมเนียม DocType: Course Activity,Activity Date,กิจกรรมวันที่ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,เลือกหรือเพิ่มลูกค้าใหม่ @@ -4563,6 +4605,7 @@ DocType: Sales Person,Select company name first.,เลือกชื่อ บ apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,ปีการเงิน DocType: Sales Invoice Item,Deferred Revenue,รายได้รอการตัดบัญชี apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,อย่างน้อยหนึ่งในการขายหรือการซื้อจะต้องเลือก +DocType: Shift Type,Working Hours Threshold for Half Day,เกณฑ์ชั่วโมงทำงานสำหรับครึ่งวัน ,Item-wise Purchase History,ประวัติการซื้อที่ฉลาด apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},ไม่สามารถเปลี่ยน Service Stop Date สำหรับรายการในแถว {0} DocType: Production Plan,Include Subcontracted Items,รวมรายการที่รับเหมาช่วง @@ -4595,6 +4638,7 @@ DocType: Journal Entry,Total Amount Currency,จำนวนเงินทั DocType: BOM,Allow Same Item Multiple Times,อนุญาตรายการเดียวกันหลายครั้ง apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,สร้างรายการวัสดุ DocType: Healthcare Practitioner,Charges,ค่าใช้จ่าย +DocType: Employee,Attendance and Leave Details,รายละเอียดการเข้าร่วมและออกจาก DocType: Student,Personal Details,ข้อมูลส่วนตัว DocType: Sales Order,Billing and Delivery Status,สถานะการเรียกเก็บเงินและการจัดส่ง apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,แถว {0}: สำหรับผู้จัดหา {0} ที่อยู่อีเมลจำเป็นต้องส่งอีเมล @@ -4646,7 +4690,6 @@ DocType: Bank Guarantee,Supplier,ผู้ผลิต apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},ป้อนค่า betweeen {0} และ {1} DocType: Purchase Order,Order Confirmation Date,วันที่ยืนยันการสั่งซื้อ DocType: Delivery Trip,Calculate Estimated Arrival Times,คำนวณเวลามาถึงโดยประมาณ -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรมนุษย์> การตั้งค่าทรัพยากรบุคคล apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,วัสดุสิ้นเปลือง DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,วันที่สมัครสมาชิก @@ -4669,7 +4712,7 @@ DocType: Installation Note Item,Installation Note Item,รายการบั DocType: Journal Entry Account,Journal Entry Account,บัญชีรายการบันทึกประจำวัน apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,ตัวแปร apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,กิจกรรมฟอรั่ม -DocType: Service Level,Resolution Time Period,ระยะเวลาการแก้ไข +DocType: Service Level Priority,Resolution Time Period,ระยะเวลาการแก้ไข DocType: Request for Quotation,Supplier Detail,รายละเอียดผู้ผลิต DocType: Project Task,View Task,ดูงาน DocType: Serial No,Purchase / Manufacture Details,รายละเอียดการซื้อ / ผลิต @@ -4736,6 +4779,7 @@ DocType: Sales Invoice,Commission Rate (%),อัตราค่านายห DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,คลังสินค้าสามารถเปลี่ยนแปลงได้ผ่านรายการบันทึกสินค้า / ใบส่งมอบ / ใบเสร็จรับเงิน DocType: Support Settings,Close Issue After Days,ปิดปัญหาหลังจากหลายวัน DocType: Payment Schedule,Payment Schedule,กำหนดการชำระเงิน +DocType: Shift Type,Enable Entry Grace Period,เปิดใช้งานช่วงเวลาผ่อนผันรายการ DocType: Patient Relation,Spouse,คู่สมรส DocType: Purchase Invoice,Reason For Putting On Hold,เหตุผลในการพักสาย DocType: Item Attribute,Increment,การเพิ่มขึ้น @@ -4875,6 +4919,7 @@ DocType: Authorization Rule,Customer or Item,ลูกค้าหรือร DocType: Vehicle Log,Invoice Ref,ใบแจ้งหนี้อ้างอิง apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-form ใช้ไม่ได้กับใบแจ้งหนี้: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,สร้างใบแจ้งหนี้แล้ว +DocType: Shift Type,Early Exit Grace Period,ช่วงเวลาผ่อนผันออกก่อนกำหนด DocType: Patient Encounter,Review Details,รายละเอียดรีวิว apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,แถว {0}: ค่าชั่วโมงต้องมากกว่าศูนย์ DocType: Account,Account Number,หมายเลขบัญชี @@ -4886,7 +4931,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","บังคับใช้หาก บริษัท คือ SpA, SApA หรือ SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,เงื่อนไขที่ทับซ้อนกันพบระหว่าง: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,จ่ายเงินและไม่ได้จัดส่ง -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,รหัสสินค้าเป็นสิ่งจำเป็นเนื่องจากรายการจะไม่ถูกกำหนดหมายเลขโดยอัตโนมัติ DocType: GST HSN Code,HSN Code,รหัส HSN DocType: GSTR 3B Report,September,กันยายน apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,ค่าใช้จ่ายในการบริหาร @@ -4922,6 +4966,8 @@ DocType: Travel Itinerary,Travel From,เดินทางจาก apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,บัญชี CWIP DocType: SMS Log,Sender Name,ชื่อผู้ส่ง DocType: Pricing Rule,Supplier Group,กลุ่มซัพพลายเออร์ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",กำหนดเวลาเริ่มต้นและเวลาสิ้นสุดสำหรับ \ Support Day {0} ที่ดัชนี {1} DocType: Employee,Date of Issue,วันที่ออก ,Requested Items To Be Transferred,รายการที่จะขอโอน DocType: Employee,Contract End Date,วันที่สิ้นสุดสัญญา @@ -4932,6 +4978,7 @@ DocType: Healthcare Service Unit,Vacant,ว่าง DocType: Opportunity,Sales Stage,ขั้นตอนการขาย DocType: Sales Order,In Words will be visible once you save the Sales Order.,ในคำพูดจะสามารถมองเห็นได้เมื่อคุณบันทึกใบสั่งขาย DocType: Item Reorder,Re-order Level,สั่งซื้อใหม่ระดับ +DocType: Shift Type,Enable Auto Attendance,เปิดใช้งานการเข้าร่วมอัตโนมัติ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,การตั้งค่า ,Department Analytics,การวิเคราะห์แผนก DocType: Crop,Scientific Name,ชื่อวิทยาศาสตร์ @@ -4944,6 +4991,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},สถานะ {0} { DocType: Quiz Activity,Quiz Activity,กิจกรรมตอบคำถาม apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} ไม่ได้อยู่ในช่วงการจ่ายเงินเดือนที่ถูกต้อง DocType: Timesheet,Billed,การเรียกเก็บเงิน +apps/erpnext/erpnext/config/support.py,Issue Type.,ประเภทของปัญหา DocType: Restaurant Order Entry,Last Sales Invoice,ใบแจ้งหนี้การขายล่าสุด DocType: Payment Terms Template,Payment Terms,เงื่อนไขการชำระเงิน apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",ปริมาณที่สงวนไว้: ปริมาณที่สั่งให้ขาย แต่ไม่ได้ส่งมอบ @@ -5039,6 +5087,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,สินทรัพย์ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} ไม่มีกำหนดการดูแลสุขภาพ เพิ่มในการดูแลสุขภาพหลัก DocType: Vehicle,Chassis No,หมายเลขตัวถัง +DocType: Employee,Default Shift,ค่าเริ่มต้น Shift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,ชื่อย่อ บริษัท apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,ต้นไม้แห่งรายการวัสดุ DocType: Article,LMS User,ผู้ใช้ LMS @@ -5087,6 +5136,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU ที่ FST-.YYYY.- DocType: Sales Person,Parent Sales Person,พนักงานขายหลัก DocType: Student Group Creation Tool,Get Courses,รับหลักสูตร apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",แถว # {0}: จำนวนต้องเป็น 1 เนื่องจากรายการเป็นสินทรัพย์ถาวร โปรดใช้แถวแยกสำหรับจำนวนหลาย ๆ +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),ชั่วโมงการทำงานด้านล่างที่ไม่มีการทำเครื่องหมาย (ศูนย์ปิดการใช้งาน) DocType: Customer Group,Only leaf nodes are allowed in transaction,ใบไม้โหนดเท่านั้นที่ได้รับอนุญาตในการทำธุรกรรม DocType: Grant Application,Organization,องค์กร DocType: Fee Category,Fee Category,หมวดค่าธรรมเนียม @@ -5099,6 +5149,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,โปรดอัปเดตสถานะของคุณสำหรับกิจกรรมฝึกอบรมนี้ DocType: Volunteer,Morning,ตอนเช้า DocType: Quotation Item,Quotation Item,รายการใบเสนอราคา +apps/erpnext/erpnext/config/support.py,Issue Priority.,ลำดับความสำคัญของปัญหา DocType: Journal Entry,Credit Card Entry,รายการบัตรเครดิต apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",ข้ามไทม์ไลน์ข้ามสล็อต {0} ถึง {1} ทับซ้อนช่วงที่มีอยู่ {2} ถึง {3} DocType: Journal Entry Account,If Income or Expense,หากรายได้หรือค่าใช้จ่าย @@ -5149,11 +5200,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,การนำเข้าข้อมูลและการตั้งค่า 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: Account,Expense Account,บัญชีการใช้จ่าย +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,เวลาก่อนเวลาเริ่มต้นกะในระหว่างที่การเช็คอินของพนักงานได้รับการพิจารณาสำหรับการเข้าร่วม apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,ความสัมพันธ์กับ Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,สร้างใบแจ้งหนี้ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},คำขอการชำระเงินมีอยู่แล้ว {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',ต้องตั้งค่าพนักงานที่ผ่อนปรนใน {0} เป็น 'ซ้าย' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},จ่าย {0} {1} +DocType: Company,Sales Settings,การตั้งค่าการขาย DocType: Sales Order Item,Produced Quantity,ปริมาณที่ผลิต apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,คำขอใบเสนอราคาสามารถเข้าถึงได้โดยคลิกที่ลิงค์ต่อไปนี้ DocType: Monthly Distribution,Name of the Monthly Distribution,ชื่อของการกระจายรายเดือน @@ -5232,6 +5285,7 @@ DocType: Company,Default Values,ค่าเริ่มต้น apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,สร้างแม่แบบภาษีเริ่มต้นสำหรับการขายและการซื้อ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,ไม่สามารถส่งต่อประเภททิ้ง {0} ได้ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,บัญชีเดบิตไปจะต้องเป็นบัญชีลูกหนี้ +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},โปรดตั้งค่าบัญชีในคลังสินค้า {0} หรือบัญชีสินค้าคงคลังเริ่มต้นใน บริษัท {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,ตั้งเป็นค่าเริ่มต้น DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),น้ำหนักสุทธิของแพ็คเกจนี้ (คำนวณโดยอัตโนมัติเป็นผลรวมของน้ำหนักสุทธิของรายการ) @@ -5258,8 +5312,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,แบทช์ที่หมดอายุ DocType: Shipping Rule,Shipping Rule Type,ประเภทกฎการจัดส่ง DocType: Job Offer,Accepted,ได้รับการยืนยัน -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","โปรดลบพนักงาน {0} \ เพื่อยกเลิกเอกสารนี้" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,คุณได้ประเมินเกณฑ์การประเมินแล้ว {} apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,เลือกหมายเลขแบทช์ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),อายุ (วัน) @@ -5286,6 +5338,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,เลือกโดเมนของคุณ DocType: Agriculture Task,Task Name,ชื่องาน apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,สร้างรายการสต็อคสำหรับใบสั่งงานแล้ว +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","โปรดลบพนักงาน {0} \ เพื่อยกเลิกเอกสารนี้" ,Amount to Deliver,จำนวนเงินที่จะส่งมอบ apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,บริษัท {0} ไม่มีอยู่ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,ไม่พบคำขอวัสดุที่รออนุมัติเพื่อเชื่อมโยงสำหรับรายการที่กำหนด @@ -5335,6 +5389,7 @@ DocType: Program Enrollment,Enrolled courses,หลักสูตรที่ DocType: Lab Prescription,Test Code,รหัสทดสอบ DocType: Purchase Taxes and Charges,On Previous Row Total,ในแถวก่อนหน้ารวม DocType: Student,Student Email Address,ที่อยู่อีเมลนักศึกษา +,Delayed Item Report,รายงานรายการล่าช้า DocType: Academic Term,Education,การศึกษา DocType: Supplier Quotation,Supplier Address,ที่อยู่ผู้ผลิต DocType: Salary Detail,Do not include in total,ไม่รวมทั้งหมด @@ -5342,7 +5397,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} ไม่มีอยู่ DocType: Purchase Receipt Item,Rejected Quantity,ปริมาณที่ถูกปฏิเสธ DocType: Cashier Closing,To TIme,ถึงเคล็ดลับ -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: Daily Work Summary Group User,Daily Work Summary Group User,กลุ่มสรุปการทำงานรายวัน DocType: Fiscal Year Company,Fiscal Year Company,บริษัท ปีบัญชี apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,รายการทางเลือกจะต้องไม่เหมือนกับรหัสรายการ @@ -5394,6 +5448,7 @@ DocType: Program Fee,Program Fee,ค่าธรรมเนียมโปร DocType: Delivery Settings,Delay between Delivery Stops,ความล่าช้าระหว่าง Delivery Stops DocType: Stock Settings,Freeze Stocks Older Than [Days],ตรึงหุ้นที่เก่ากว่า [วัน] DocType: Promotional Scheme,Promotional Scheme Product Discount,ส่วนลดผลิตภัณฑ์โปรโมชั่น +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,ลำดับความสำคัญของปัญหาที่มีอยู่แล้ว DocType: Account,Asset Received But Not Billed,ได้รับสินทรัพย์แล้ว แต่ยังไม่ได้วางบิล DocType: POS Closing Voucher,Total Collected Amount,จำนวนที่รวบรวมได้ทั้งหมด DocType: Course,Default Grading Scale,ขนาดการให้เกรดเริ่มต้น @@ -5436,6 +5491,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,ข้อกำหนดการปฏิบัติตาม apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,ไม่จัดกลุ่มเป็นกลุ่ม DocType: Student Guardian,Mother,แม่ +DocType: Issue,Service Level Agreement Fulfilled,ข้อตกลงระดับการบริการที่ตอบสนอง DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,หักภาษีเพื่อผลประโยชน์ของพนักงานที่ไม่มีการอ้างสิทธิ์ DocType: Travel Request,Travel Funding,เงินทุนการท่องเที่ยว DocType: Shipping Rule,Fixed,คงที่ @@ -5465,10 +5521,12 @@ DocType: Item,Warranty Period (in days),ระยะเวลาการรั apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,ไม่พบรายการ DocType: Item Attribute,From Range,จากช่วง DocType: Clinical Procedure,Consumables,เครื่องอุปโภคบริโภค +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,ต้องระบุ 'employee_field_value' และ 'timestamp' DocType: Purchase Taxes and Charges,Reference Row #,แถวอ้างอิง # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},โปรดตั้ง 'ศูนย์ต้นทุนการคิดค่าเสื่อมราคาสินทรัพย์' ใน บริษัท {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,แถว # {0}: ต้องใช้เอกสารการชำระเงินเพื่อดำเนินการเสร็จสมบูรณ์ DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,คลิกปุ่มนี้เพื่อดึงข้อมูลใบสั่งขายของคุณจาก Amazon MWS +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),ชั่วโมงการทำงานด้านล่างซึ่งทำเครื่องหมายครึ่งวัน (ศูนย์ปิดการใช้งาน) ,Assessment Plan Status,สถานะแผนประเมินผล apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,โปรดเลือก {0} ก่อน apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,ส่งสิ่งนี้เพื่อสร้างบันทึกพนักงาน @@ -5539,6 +5597,7 @@ DocType: Quality Procedure,Parent Procedure,ขั้นตอนผู้ปก apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,เปิดการตั้งค่า apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,ตัวกรองสลับ DocType: Production Plan,Material Request Detail,รายละเอียดคำขอวัสดุ +DocType: Shift Type,Process Attendance After,กระบวนการเข้าร่วมหลังจาก DocType: Material Request Item,Quantity and Warehouse,ปริมาณและคลังสินค้า apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,ไปที่โปรแกรม apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},แถว # {0}: รายการซ้ำในการอ้างอิง {1} {2} @@ -5596,6 +5655,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,ข้อมูลพรรค apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),ลูกหนี้ ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,ถึงวันที่ไม่สามารถมากกว่าวันที่โล่งใจของพนักงาน +DocType: Shift Type,Enable Exit Grace Period,เปิดใช้งานระยะเวลาปลอดหนี้ DocType: Expense Claim,Employees Email Id,รหัสอีเมลพนักงาน DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,อัปเดตราคาจาก Shopify เป็น ERPNext รายการราคา DocType: Healthcare Settings,Default Medical Code Standard,รหัสมาตรฐานการแพทย์เริ่มต้น @@ -5626,7 +5686,6 @@ DocType: Item Group,Item Group Name,ชื่อกลุ่มรายกา DocType: Budget,Applicable on Material Request,ใช้กับคำขอวัสดุ DocType: Support Settings,Search APIs,ค้นหา API DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,เปอร์เซ็นต์การผลิตมากเกินไปสำหรับใบสั่งขาย -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,ข้อมูลจำเพาะ DocType: Purchase Invoice,Supplied Items,รายการที่จัด DocType: Leave Control Panel,Select Employees,เลือกพนักงาน apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},เลือกบัญชีรายได้ดอกเบี้ยเป็นสินเชื่อ {0} @@ -5652,7 +5711,7 @@ DocType: Salary Slip,Deductions,หัก ,Supplier-Wise Sales Analytics,การวิเคราะห์การขายที่ชาญฉลาดของซัพพลายเออร์ DocType: GSTR 3B Report,February,กุมภาพันธ์ DocType: Appraisal,For Employee,สำหรับพนักงาน -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,วันที่ส่งจริง +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,วันที่ส่งจริง DocType: Sales Partner,Sales Partner Name,ชื่อพันธมิตรการขาย apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,แถวค่าเสื่อมราคา {0}: วันที่เริ่มต้นค่าเสื่อมราคาถูกป้อนเป็นวันที่ผ่านมา DocType: GST HSN Code,Regional,ของแคว้น @@ -5691,6 +5750,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,ใ DocType: Supplier Scorecard,Supplier Scorecard,ผู้จัดทำ Scorecard DocType: Travel Itinerary,Travel To,เดินทางไป apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,ทำเครื่องหมายผู้เข้าร่วม +DocType: Shift Type,Determine Check-in and Check-out,กำหนดเช็คอินและเช็คเอาท์ DocType: POS Closing Voucher,Difference,ข้อแตกต่าง apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,เล็ก DocType: Work Order Item,Work Order Item,รายการสั่งทำงาน @@ -5724,6 +5784,7 @@ DocType: Sales Invoice,Shipping Address Name,ชื่อที่อยู่ apps/erpnext/erpnext/healthcare/setup.py,Drug,ยา apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} ถูกปิด DocType: Patient,Medical History,ประวัติทางการแพทย์ +DocType: Expense Claim,Expense Taxes and Charges,ภาษีและค่าใช้จ่ายที่ต้องเสียไป DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,จำนวนวันหลังจากวันที่ในใบแจ้งหนี้ผ่านไปแล้วก่อนที่จะยกเลิกการสมัครสมาชิก apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,หมายเหตุการติดตั้ง {0} ถูกส่งไปแล้ว DocType: Patient Relation,Family,ครอบครัว @@ -5756,7 +5817,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,ความแข็งแรง apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} หน่วยของ {1} ต้องการใน {2} เพื่อทำธุรกรรมให้สมบูรณ์ DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,แบคฟลัชวัตถุดิบของการรับเหมาช่วงตาม -DocType: Bank Guarantee,Customer,ลูกค้า DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",หากเปิดใช้งานเทอมการศึกษาจะถูกบังคับในเครื่องมือการลงทะเบียนโปรแกรม DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",สำหรับกลุ่มนักศึกษาแบบ Batch กลุ่มนักศึกษาจะได้รับการตรวจสอบสำหรับนักเรียนทุกคนจากการลงทะเบียนโปรแกรม DocType: Course,Topics,หัวข้อ @@ -5836,6 +5896,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,สมาชิกบทที่ DocType: Warranty Claim,Service Address,ที่อยู่บริการ DocType: Journal Entry,Remark,สังเกต +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),แถว {0}: ปริมาณไม่พร้อมใช้งานสำหรับ {4} ในคลังสินค้า {1} ณ เวลาโพสต์ของรายการ ({2} {3}) DocType: Patient Encounter,Encounter Time,เวลาเผชิญหน้า DocType: Serial No,Invoice Details,รายละเอียดใบแจ้งหนี้ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",บัญชีเพิ่มเติมสามารถทำได้ภายใต้กลุ่ม แต่รายการสามารถทำกับกลุ่มที่ไม่ใช่ @@ -5915,6 +5976,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.", apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),ปิด (เปิด + รวม) DocType: Supplier Scorecard Criteria,Criteria Formula,สูตรเกณฑ์ apps/erpnext/erpnext/config/support.py,Support Analytics,สนับสนุนการวิเคราะห์ +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID อุปกรณ์การเข้าร่วม (ID แท็ก Biometric / RF) apps/erpnext/erpnext/config/quality_management.py,Review and Action,ตรวจสอบและดำเนินการ DocType: Account,"If the account is frozen, entries are allowed to restricted users.",หากบัญชีถูกระงับรายการจะได้รับอนุญาตให้ผู้ใช้ที่ถูก จำกัด apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,จำนวนเงินหลังหักค่าเสื่อมราคา @@ -5936,6 +5998,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,ชำระคืนเงินกู้ DocType: Employee Education,Major/Optional Subjects,วิชาเอก / วิชาเลือก DocType: Soil Texture,Silt,ตะกอน +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,ที่อยู่ผู้ผลิตและผู้ติดต่อ DocType: Bank Guarantee,Bank Guarantee Type,ประเภทการค้ำประกันของธนาคาร DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",หากปิดการใช้งานฟิลด์ 'ผลรวมรวม' จะไม่ปรากฏในธุรกรรมใด ๆ DocType: Pricing Rule,Min Amt,ขั้นต่ำ @@ -5974,6 +6037,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,การเปิดรายการเครื่องมือสร้างใบแจ้งหนี้ DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,รวมถึงธุรกรรม POS +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ไม่พบพนักงานสำหรับค่าฟิลด์พนักงานที่ระบุ '{}': {} DocType: Payment Entry,Received Amount (Company Currency),จำนวนเงินที่ได้รับ (สกุลเงิน บริษัท ) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",LocalStorage เต็มแล้วไม่ได้บันทึก DocType: Chapter Member,Chapter Member,สมาชิกบทที่ @@ -6006,6 +6070,7 @@ DocType: SMS Center,All Lead (Open),ตะกั่วทั้งหมด (เ apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,ไม่มีการสร้างกลุ่มนักเรียน apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},ทำซ้ำแถว {0} ที่มี {1} เดียวกัน DocType: Employee,Salary Details,รายละเอียดเงินเดือน +DocType: Employee Checkin,Exit Grace Period Consequence,ออกจากช่วงเวลาผ่อนผัน DocType: Bank Statement Transaction Invoice Item,Invoice,ใบแจ้งหนี้ DocType: Special Test Items,Particulars,รายละเอียด apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,โปรดตั้งตัวกรองตามรายการหรือคลังสินค้า @@ -6107,6 +6172,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,ออกจาก AMC DocType: Job Opening,"Job profile, qualifications required etc.",รายละเอียดงานคุณสมบัติที่ต้องการ ฯลฯ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,จัดส่งไปยังรัฐ +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,คุณต้องการส่งคำขอวัสดุหรือไม่ DocType: Opportunity Item,Basic Rate,อัตราพื้นฐาน DocType: Compensatory Leave Request,Work End Date,วันที่สิ้นสุดการทำงาน apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,ขอวัตถุดิบ @@ -6292,6 +6358,7 @@ DocType: Depreciation Schedule,Depreciation Amount,จำนวนเงิน DocType: Sales Order Item,Gross Profit,กำไรขั้นต้น DocType: Quality Inspection,Item Serial No,รายการหมายเลขซีเรียล DocType: Asset,Insurer,บริษัท ประกันภัย +DocType: Employee Checkin,OUT,ออก apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,ซื้อจำนวนเงิน DocType: Asset Maintenance Task,Certificate Required,ต้องใช้ใบรับรอง DocType: Retention Bonus,Retention Bonus,โบนัสเงินประกัน @@ -6407,6 +6474,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),ส่วนต่ DocType: Invoice Discounting,Sanctioned,ตามทำนองคลองธรรม DocType: Course Enrollment,Course Enrollment,การลงทะเบียนหลักสูตร DocType: Item,Supplier Items,รายการผู้จำหน่าย +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",เวลาเริ่มต้นไม่สามารถมากกว่าหรือเท่ากับเวลาสิ้นสุด \ สำหรับ {0} DocType: Sales Order,Not Applicable,ไม่สามารถใช้ได้ DocType: Support Search Source,Response Options,ตัวเลือกการตอบสนอง apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} ควรเป็นค่าระหว่าง 0 ถึง 100 @@ -6493,7 +6562,6 @@ DocType: Travel Request,Costing,การคิดต้นทุน apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,สินทรัพย์ถาวร DocType: Purchase Order,Ref SQ,อ้างอิง SQ DocType: Salary Structure,Total Earning,รายได้รวม -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> อาณาเขต DocType: Share Balance,From No,จากไม่ DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,การกระทบยอดการชำระเงิน DocType: Purchase Invoice,Taxes and Charges Added,เพิ่มภาษีและค่าธรรมเนียม @@ -6601,6 +6669,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,ละเว้นกฎการกำหนดราคา apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,อาหาร DocType: Lost Reason Detail,Lost Reason Detail,รายละเอียดเหตุผลที่หายไป +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},สร้างหมายเลขซีเรียลต่อไปนี้:
{0} DocType: Maintenance Visit,Customer Feedback,ความคิดเห็นของลูกค้า DocType: Serial No,Warranty / AMC Details,รายละเอียดการรับประกัน / AMC DocType: Issue,Opening Time,เวลาเปิดทำการ @@ -6650,6 +6719,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,ชื่อ บริษัท ไม่เหมือนกัน apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,ไม่สามารถส่งโปรโมชั่นพนักงานก่อนวันที่โปรโมชั่น apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},ไม่อนุญาตให้อัปเดตธุรกรรมที่เก่ากว่า {0} +DocType: Employee Checkin,Employee Checkin,พนักงานเช็คอิน apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},วันที่เริ่มต้นควรน้อยกว่าวันที่สิ้นสุดสำหรับรายการ {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,สร้างคำพูดของลูกค้า DocType: Buying Settings,Buying Settings,ซื้อการตั้งค่า @@ -6671,6 +6741,7 @@ DocType: Job Card Time Log,Job Card Time Log,บันทึกเวลาข DocType: Patient,Patient Demographics,ข้อมูลประชากรผู้ป่วย DocType: Share Transfer,To Folio No,เพื่อยกหมายเลข apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,กระแสเงินสดจากการดำเนินงาน +DocType: Employee Checkin,Log Type,ประเภทบันทึก DocType: Stock Settings,Allow Negative Stock,อนุญาตสต็อกติดลบ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,ไม่มีรายการใดเปลี่ยนแปลงปริมาณหรือมูลค่าได้ DocType: Asset,Purchase Date,วันที่ซื้อ @@ -6715,6 +6786,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,มากเกินไป apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,เลือกลักษณะธุรกิจของคุณ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,กรุณาเลือกเดือนและปี +DocType: Service Level,Default Priority,ระดับความสำคัญเริ่มต้น DocType: Student Log,Student Log,บันทึกนักเรียน DocType: Shopping Cart Settings,Enable Checkout,เปิดใช้งาน Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,ทรัพยากรมนุษย์ @@ -6743,7 +6815,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,เชื่อมต่อ Shopify ด้วย ERPNext DocType: Homepage Section Card,Subtitle,หัวเรื่องย่อย DocType: Soil Texture,Loam,พื้นที่อันอุดมสมบูรณ์ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ผู้ผลิต> ประเภทผู้จัดจำหน่าย DocType: BOM,Scrap Material Cost(Company Currency),เศษวัสดุต้นทุน (สกุลเงิน บริษัท ) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ไม่ต้องส่งหมายเหตุการส่งมอบ {0} DocType: Task,Actual Start Date (via Time Sheet),วันที่เริ่มต้นจริง (ผ่านใบบันทึกเวลา) @@ -6799,6 +6870,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,ปริมาณ DocType: Cheque Print Template,Starting position from top edge,ตำแหน่งเริ่มต้นจากขอบด้านบน apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),ระยะเวลานัดหมาย (นาที) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},พนักงานนี้มีบันทึกที่มีการประทับเวลาเดียวกันอยู่แล้ว {0} DocType: Accounting Dimension,Disable,ปิดการใช้งาน DocType: Email Digest,Purchase Orders to Receive,คำสั่งซื้อเพื่อรับ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,ไม่สามารถยกคำสั่งผลิตสำหรับ: @@ -6814,7 +6886,6 @@ DocType: Production Plan,Material Requests,คำขอวัสดุ DocType: Buying Settings,Material Transferred for Subcontract,การโอนวัสดุสำหรับการรับเหมาช่วง DocType: Job Card,Timing Detail,รายละเอียดเวลา apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,จำเป็นต้องใช้ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},การอิมพอร์ต {0} จาก {1} DocType: Job Offer Term,Job Offer Term,เงื่อนไขการเสนองาน DocType: SMS Center,All Contact,ติดต่อทั้งหมด DocType: Project Task,Project Task,งานโครงการ @@ -6865,7 +6936,6 @@ DocType: Student Log,Academic,วิชาการ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,ไม่ได้ตั้งค่าไอเท็ม {0} สำหรับ Serial Nos ตรวจสอบรายการหลัก apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,จากรัฐ DocType: Leave Type,Maximum Continuous Days Applicable,วันที่ต่อเนื่องได้สูงสุด -apps/erpnext/erpnext/config/support.py,Support Team.,ทีมสนับสนุน apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,กรุณาใส่ชื่อ บริษัท ก่อน apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,นำเข้าสำเร็จ DocType: Guardian,Alternate Number,หมายเลขอื่น @@ -6957,6 +7027,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,แถว # {0}: เพิ่มรายการ DocType: Student Admission,Eligibility and Details,คุณสมบัติและรายละเอียด DocType: Staffing Plan,Staffing Plan Detail,รายละเอียดแผนการจัดหาพนักงาน +DocType: Shift Type,Late Entry Grace Period,ช่วงเวลาผ่อนผันการเข้าช้า DocType: Email Digest,Annual Income,รายได้ต่อปี DocType: Journal Entry,Subscription Section,ส่วนการสมัครสมาชิก DocType: Salary Slip,Payment Days,วันชำระเงิน @@ -7007,6 +7078,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,ยอดเงินในบัญชี DocType: Asset Maintenance Log,Periodicity,การเป็นช่วง ๆ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,เวชระเบียน +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,จำเป็นต้องใช้ประเภทการบันทึกสำหรับการเช็คอินที่อยู่ในกะ: {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,การกระทำ DocType: Item,Valuation Method,วิธีการประเมินราคา apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} เทียบกับใบแจ้งหนี้การขาย {1} @@ -7091,6 +7163,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,ค่าใช้จ DocType: Loan Type,Loan Name,ชื่อสินเชื่อ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ตั้งค่าโหมดเริ่มต้นของการชำระเงิน DocType: Quality Goal,Revision,การทบทวน +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,เวลาก่อนเวลากะสิ้นสุดเมื่อทำการเช็คเอาท์จะถือว่าเร็ว (เป็นนาที) DocType: Healthcare Service Unit,Service Unit Type,ประเภทหน่วยบริการ DocType: Purchase Invoice,Return Against Purchase Invoice,ส่งคืนใบกำกับสินค้า apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,สร้างความลับ @@ -7246,12 +7319,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,เครื่องสำอาง DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,เลือกตัวเลือกนี้หากคุณต้องการบังคับให้ผู้ใช้เลือกชุดข้อมูลก่อนบันทึก จะไม่มีค่าเริ่มต้นหากคุณเลือกตัวเลือกนี้ DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ผู้ใช้ที่มีบทบาทนี้ได้รับอนุญาตให้ตั้งค่าบัญชีที่ตรึงและสร้าง / แก้ไขรายการบัญชีกับบัญชีที่ถูกตรึง +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มรายการ> แบรนด์ DocType: Expense Claim,Total Claimed Amount,จำนวนเงินที่เคลมทั้งหมด 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} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,ห่อ apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,คุณสามารถต่ออายุได้หากสมาชิกของคุณหมดอายุภายใน 30 วัน apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},ค่าต้องอยู่ระหว่าง {0} ถึง {1} DocType: Quality Feedback,Parameters,พารามิเตอร์ +DocType: Shift Type,Auto Attendance Settings,การตั้งค่าการเข้าร่วมอัตโนมัติ ,Sales Partner Transaction Summary,สรุปธุรกรรมการขายของพันธมิตร DocType: Asset Maintenance,Maintenance Manager Name,ชื่อผู้จัดการซ่อมบำรุง apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,จำเป็นต้องดึงรายละเอียดของรายการ @@ -7343,10 +7418,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,ตรวจสอบกฎที่ใช้ DocType: Job Card Item,Job Card Item,รายการบัตรงาน DocType: Homepage,Company Tagline for website homepage,สโลแกน บริษัท สำหรับหน้าแรกของเว็บไซต์ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,ตั้งเวลาตอบสนองและการแก้ไขสำหรับระดับความสำคัญ {0} ที่ดัชนี {1} DocType: Company,Round Off Cost Center,ศูนย์ต้นทุนรอบนอก DocType: Supplier Scorecard Criteria,Criteria Weight,น้ำหนักเกณฑ์ DocType: Asset,Depreciation Schedules,ตารางค่าเสื่อมราคา -DocType: Expense Claim Detail,Claim Amount,รับเงิน DocType: Subscription,Discounts,ส่วนลด DocType: Shipping Rule,Shipping Rule Conditions,เงื่อนไขการจัดส่งกฎ DocType: Subscription,Cancelation Date,วันที่ยกเลิก @@ -7374,7 +7449,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,สร้างลู apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,แสดงค่าเป็นศูนย์ DocType: Employee Onboarding,Employee Onboarding,พนักงานขึ้นเครื่องบิน DocType: POS Closing Voucher,Period End Date,วันที่สิ้นสุดงวด -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,โอกาสทางการขายตามแหล่งที่มา DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,ผู้อนุมัติการลาแรกในรายการจะถูกตั้งเป็นผู้อนุมัติการลาก่อน DocType: POS Settings,POS Settings,การตั้งค่า POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,บัญชีทั้งหมด @@ -7395,7 +7469,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ธน apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,แถว # {0}: อัตราจะต้องเหมือนกับ {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,รายการบริการสุขภาพ -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,ไม่พบบันทึก apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,อายุผู้สูงอายุ 3 DocType: Vital Signs,Blood Pressure,ความดันโลหิต apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,ตั้งเป้าหมาย @@ -7442,6 +7515,7 @@ DocType: Company,Existing Company,บริษัท ที่มีอยู่ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,แบทช์ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,ป้องกัน DocType: Item,Has Batch No,มีเลขที่แบทช์ +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,วันล่าช้า DocType: Lead,Person Name,ชื่อบุคคล DocType: Item Variant,Item Variant,รายการตัวแปร DocType: Training Event Employee,Invited,ได้รับเชิญ @@ -7463,7 +7537,7 @@ DocType: Purchase Order,To Receive and Bill,เพื่อรับและเ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",วันที่เริ่มต้นและวันที่สิ้นสุดไม่อยู่ในช่วงการจ่ายเงินเดือนที่ถูกต้องไม่สามารถคำนวณ {0} ได้ DocType: POS Profile,Only show Customer of these Customer Groups,แสดงเฉพาะลูกค้าของกลุ่มลูกค้าเหล่านี้ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,เลือกรายการที่จะบันทึกใบแจ้งหนี้ -DocType: Service Level,Resolution Time,เวลาแก้ไข +DocType: Service Level Priority,Resolution Time,เวลาแก้ไข DocType: Grading Scale Interval,Grade Description,คำอธิบายเกรด DocType: Homepage Section,Cards,การ์ด DocType: Quality Meeting Minutes,Quality Meeting Minutes,รายงานการประชุมคุณภาพ @@ -7490,6 +7564,7 @@ DocType: Project,Gross Margin %,อัตรากำไรขั้นต้น apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,ยอดเงินในใบแจ้งยอดธนาคารตามบัญชีแยกประเภททั่วไป apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),การดูแลสุขภาพ (เบต้า) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,คลังสินค้าเริ่มต้นเพื่อสร้างใบสั่งขายและใบส่งมอบหมายเหตุ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,เวลาตอบสนองสำหรับ {0} ที่ดัชนี {1} ต้องไม่มากกว่าเวลาแก้ไข DocType: Opportunity,Customer / Lead Name,ลูกค้า / ชื่อลูกค้าเป้าหมาย DocType: Student,EDU-STU-.YYYY.-,EDU ที่ STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,จำนวนเงินที่ไม่มีการอ้างสิทธิ์ @@ -7536,7 +7611,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,การนำเข้าภาคีและที่อยู่ DocType: Item,List this Item in multiple groups on the website.,แสดงรายการนี้ในหลายกลุ่มบนเว็บไซต์ DocType: Request for Quotation,Message for Supplier,ข้อความสำหรับผู้ผลิต -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,ไม่สามารถเปลี่ยน {0} เนื่องจากมีการทำธุรกรรมสต็อคสำหรับรายการ {1} DocType: Healthcare Practitioner,Phone (R),โทรศัพท์ (R) DocType: Maintenance Team Member,Team Member,สมาชิกในทีม DocType: Asset Category Account,Asset Category Account,บัญชีหมวดสินทรัพย์ diff --git a/erpnext/translations/tr.csv b/erpnext/translations/tr.csv index b54f00d780..28dbd068a7 100644 --- a/erpnext/translations/tr.csv +++ b/erpnext/translations/tr.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Dönem Başlama Tarihi apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,{0} randevusu ve {1} satış faturası iptal edildi DocType: Purchase Receipt,Vehicle Number,Araç numarası apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,E... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Varsayılan Kitap Girişlerini Dahil Et +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Varsayılan Kitap Girişlerini Dahil Et DocType: Activity Cost,Activity Type,Aktivite türü DocType: Purchase Invoice,Get Advances Paid,Ödenen Avansları Alın DocType: Company,Gain/Loss Account on Asset Disposal,Varlığın Elden Çıkarılmasında Kazanç / Zarar Hesabı @@ -222,7 +222,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Bu ne işe yarı DocType: Bank Reconciliation,Payment Entries,Ödeme Girişleri DocType: Employee Education,Class / Percentage,Sınıf / Yüzde ,Electronic Invoice Register,Elektronik Fatura Kaydı +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Sonucun yürütülmesinden sonraki olay sayısı. DocType: Sales Invoice,Is Return (Credit Note),İade Edilir (Kredi Notu) +DocType: Price List,Price Not UOM Dependent,Fiyat UOM Bağımlı Değil DocType: Lab Test Sample,Lab Test Sample,Laboratuar Test Örneği DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Örneğin, 2012, 2012-13" @@ -324,6 +326,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Ürün Arama DocType: Salary Slip,Net Pay,Net ödeme apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Fatura Edilen Toplam Tutar DocType: Clinical Procedure,Consumables Invoice Separately,Tüketici Faturaları Ayrı Ayrı +DocType: Shift Type,Working Hours Threshold for Absent,Devamsızlık için Çalışma Saatleri Eşiği DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},{0} Grup Hesaplarına göre bütçe atanamıyor DocType: Purchase Receipt Item,Rate and Amount,Oran ve Tutar @@ -379,7 +382,6 @@ DocType: Sales Invoice,Set Source Warehouse,Kaynak Deposunu Ayarla DocType: Healthcare Settings,Out Patient Settings,Dışarı Hasta Ayarları DocType: Asset,Insurance End Date,Sigorta Bitiş Tarihi DocType: Bank Account,Branch Code,Şube Kodu -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Cevap Verme Zamanı apps/erpnext/erpnext/public/js/conf.js,User Forum,Kullanıcı Forumu DocType: Landed Cost Item,Landed Cost Item,Landed Cost Item 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 @@ -597,6 +599,7 @@ DocType: Lead,Lead Owner,Lider Sahibi DocType: Share Transfer,Transfer,Aktar apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Arama Öğesi (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Sonuç gönderildi +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Başlangıç tarihinden itibaren büyük olamaz DocType: Supplier,Supplier of Goods or Services.,Mal veya Hizmetlerin Tedarikçisi. 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: Lütfen Müşteriler ve Tedarikçiler için hesap oluşturmayın apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Öğrenci Grubu veya Ders Programı zorunludur @@ -882,7 +885,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Potansiyel m DocType: Skill,Skill Name,Beceri Adı apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Rapor Kartını Yazdır DocType: Soil Texture,Ternary Plot,Üçlü Arsa -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 aracılığıyla {0} için Adlandırma Serisi'ni ayarlayın apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,destek biletleri DocType: Asset Category Account,Fixed Asset Account,Sabit Duran Varlık Hesabı apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,son @@ -895,6 +897,7 @@ DocType: Delivery Trip,Distance UOM,Mesafe UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Bilanço Zorunlu DocType: Payment Entry,Total Allocated Amount,Tahsis Edilen Toplam Tutar DocType: Sales Invoice,Get Advances Received,Alınan Avansları Alın +DocType: Shift Type,Last Sync of Checkin,Son Checkin Senkronizasyonu DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Değere Dahil Edilen Öğe Vergisi Tutarı apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -903,7 +906,9 @@ DocType: Subscription Plan,Subscription Plan,Abonelik Planı DocType: Student,Blood Group,Kan grubu apps/erpnext/erpnext/config/healthcare.py,Masters,Ustalar DocType: Crop,Crop Spacing UOM,Kırpma Aralığı UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Check-in işleminin gecikme olarak kabul edildiği saatin (dakika cinsinden) geçmesiyle geçen zaman. apps/erpnext/erpnext/templates/pages/home.html,Explore,keşfetmek +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Ödenmemiş fatura bulunamadı DocType: Promotional Scheme,Product Discount Slabs,Ürün İndirimli Döşeme DocType: Hotel Room Package,Amenities,Kolaylıklar DocType: Lab Test Groups,Add Test,Test ekle @@ -1003,6 +1008,7 @@ DocType: Attendance,Attendance Request,Katılım Talebi DocType: Item,Moving Average,Hareketli ortalama DocType: Employee Attendance Tool,Unmarked Attendance,İşaretsiz Seyirci DocType: Homepage Section,Number of Columns,Sütun sayısı +DocType: Issue Priority,Issue Priority,Sorun Önceliği DocType: Holiday List,Add Weekly Holidays,Haftalık Tatil Ekle DocType: Shopify Log,Shopify Log,Shopify Günlüğü apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Maaş Fişi Yaratın @@ -1011,6 +1017,7 @@ DocType: Job Offer Term,Value / Description,Değer / Açıklama DocType: Warranty Claim,Issue Date,Veriliş tarihi 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ütfen {0} Maddesi için bir Toplu İş seçin. Bu gereksinimi karşılayan tek bir parti bulunamıyor apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Sol Çalışanlar için Tutma Bonusu yaratılamıyor +DocType: Employee Checkin,Location / Device ID,Konum / Cihaz Kimliği DocType: Purchase Order,To Receive,Almak apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Çevrimdışı moddasın. Şebeke olana kadar yeniden yükleyemezsiniz. DocType: Course Activity,Enrollment,kayıt @@ -1019,7 +1026,6 @@ DocType: Lab Test Template,Lab Test Template,Laboratuvar Test Şablonu apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-Faturalama Bilgisi Eksik apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Hiçbir malzeme isteği oluşturulmadı -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka DocType: Loan,Total Amount Paid,Toplamda ödenen miktar apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Tüm bu öğeler zaten faturalandırıldı DocType: Training Event,Trainer Name,Eğitimci Adı @@ -1130,6 +1136,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Lütfen {0} Başlığında Kurşun Adını belirtin DocType: Employee,You can enter any date manually,Herhangi bir tarihi manuel olarak girebilirsiniz DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stok mutabakatı kalemi +DocType: Shift Type,Early Exit Consequence,Erken Çıkış Sonucu DocType: Item Group,General Settings,Genel Ayarlar apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Son Ödeme Tarihi Gönderim / Tedarikçi Fatura Tarihi'nden önce olamaz apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Göndermeden önce Yararlanıcının adını girin. @@ -1167,6 +1174,7 @@ DocType: Account,Auditor,Denetçi apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Ödeme onaylama ,Available Stock for Packing Items,Paketleme Ürünleri İçin Mevcut Stoklar apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},"Lütfen bu Faturayı {0}, {1} C-Form'undan kaldırın." +DocType: Shift Type,Every Valid Check-in and Check-out,Her Geçerli Giriş ve Çıkış DocType: Support Search Source,Query Route String,Sorgu Rota Dizesi DocType: Customer Feedback Template,Customer Feedback Template,Müşteri Geri Bildirim Şablonu apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Müşterilere veya Müşterilere Teklifler. @@ -1201,6 +1209,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Yetkilendirme Kontrolü ,Daily Work Summary Replies,Günlük İş Özet Cevapları apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},{0} projesinde işbirliği yapmaya davet edildiniz: +DocType: Issue,Response By Variance,Varyans Yanıtı DocType: Item,Sales Details,Satış Detayları apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Baskı şablonları için mektup kafaları. DocType: Salary Detail,Tax on additional salary,Ek maaş vergisi @@ -1324,6 +1333,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Müşteri DocType: Project,Task Progress,Görev İlerlemesi DocType: Journal Entry,Opening Entry,Giriş Açma DocType: Bank Guarantee,Charges Incurred,Yapılan Masraflar +DocType: Shift Type,Working Hours Calculation Based On,Mesai Saatine Göre Hesaplama DocType: Work Order,Material Transferred for Manufacturing,İmalat İçin Aktarılan Malzeme DocType: Products Settings,Hide Variants,Varyantları Gizle DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Kapasite Planlama ve Zaman Takibini Devre Dışı Bırak @@ -1353,6 +1363,7 @@ DocType: Account,Depreciation,Amortisman DocType: Guardian,Interests,İlgi DocType: Purchase Receipt Item Supplied,Consumed Qty,Tüketilen Miktar DocType: Education Settings,Education Manager,Eğitim Müdürü +DocType: Employee Checkin,Shift Actual Start,Vardiya Gerçek Başlangıç DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,İş İstasyonu Çalışma Saatleri dışında zaman günlüklerini planlayın. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Sadakat Puanları: {0} DocType: Healthcare Settings,Registration Message,Kayıt Mesajı @@ -1377,9 +1388,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,"Faturalandırma, tüm faturalandırma saatleri için zaten oluşturuldu" DocType: Sales Partner,Contact Desc,İletişim Desc DocType: Purchase Invoice,Pricing Rules,Fiyatlandırma Kuralları +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","{0} maddesine karşı işlem yapıldığı için, {1} değerini değiştiremezsiniz." DocType: Hub Tracked Item,Image List,Görüntü listesi DocType: Item Variant Settings,Allow Rename Attribute Value,Yeniden Adlandırma Özellik Değerine İzin Ver -DocType: Price List,Price Not UOM Dependant,Fiyat UOM Bağımlı Değil apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Zaman (dakika olarak) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Temel DocType: Loan,Interest Income Account,Faiz Gelir Hesabı @@ -1389,6 +1400,7 @@ DocType: Employee,Employment Type,İstihdam Tipi apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,POS Profili Seç DocType: Support Settings,Get Latest Query,En Son Sorguyu Alın DocType: Employee Incentive,Employee Incentive,Çalışan Teşvik +DocType: Service Level,Priorities,Öncelikleri apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Ana sayfaya kart veya özel bölüm ekleme DocType: Homepage,Hero Section Based On,Kahraman Bölümüne Dayalı DocType: Project,Total Purchase Cost (via Purchase Invoice),Toplam Satın Alma Maliyeti (Satınalma Faturasıyla) @@ -1449,7 +1461,7 @@ DocType: Work Order,Manufacture against Material Request,Malzeme Talebine Göre DocType: Blanket Order Item,Ordered Quantity,Sipariş edilen miktar apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},"Satır # {0}: Reddedilen Depo, reddedilen Öğeye karşı zorunludur {1}" ,Received Items To Be Billed,Faturalanacak Öğeler -DocType: Salary Slip Timesheet,Working Hours,Çalışma saatleri +DocType: Attendance,Working Hours,Çalışma saatleri apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Ödeme şekli apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Zamanında alınmayan Satınalma Siparişi Kalemleri apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Günlerde Süre @@ -1569,7 +1581,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,F DocType: Supplier,Statutory info and other general information about your Supplier,Tedarikçi ile ilgili yasal bilgi ve diğer genel bilgiler DocType: Item Default,Default Selling Cost Center,Varsayılan Satış Maliyet Merkezi DocType: Sales Partner,Address & Contacts,Adres ve İletişim -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: Subscriber,Subscriber,Abone apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Öğe / {0}) stokta yok apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Lütfen önce Gönderme Tarihi'ni seçin. @@ -1580,7 +1591,7 @@ DocType: Project,% Complete Method,% Tamamlandı yöntemi DocType: Detected Disease,Tasks Created,Oluşturulan Görevler apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Bu ürün veya şablonu için varsayılan ürün ağacı ({0}) aktif olmalı apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Komisyon oranı % -DocType: Service Level,Response Time,Tepki Süresi +DocType: Service Level Priority,Response Time,Tepki Süresi DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Ayarları apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Miktar pozitif olmalı DocType: Contract,CRM,CRM @@ -1597,7 +1608,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Yatan Hasta Ziyaret Ücr DocType: Bank Statement Settings,Transaction Data Mapping,İşlem Verileri Eşlemesi apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Bir müşteri adayının adını veya bir kuruluşun adını gerektirir. DocType: Student,Guardians,Koruyucular -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/public/js/stock_analytics.js,Select Brand...,Marka Seçiniz ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Orta gelir DocType: Shipping Rule,Calculate Based On,Bazında Hesapla @@ -1634,6 +1644,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Bir hedef seç apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},{0} Öğrenci Kaydı {0} Öğrenci aleyhinde apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,İşlem tarihi apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Aboneliği iptal et +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,{0} Hizmet Seviyesi Sözleşmesi Ayarlanamadı. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Net Maaş Tutarı DocType: Account,Liability,Yükümlülük DocType: Employee,Bank A/C No.,Banka A / C No. @@ -1699,7 +1710,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Hammadde Ürün Kodu apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Satınalma Fatura {0} zaten gönderildi DocType: Fees,Student Email,Öğrenci e-postası -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},"BOM özyinelemesi: {0}, {2} öğesinin ebeveyni veya çocuğu olamaz" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Sağlık Hizmetlerinden Ürün Alın apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,{0} stok girişi gönderilmedi DocType: Item Attribute Value,Item Attribute Value,Öğe Özellik Değeri @@ -1724,7 +1734,6 @@ DocType: POS Profile,Allow Print Before Pay,Ödeme Yapmadan Önce Yazdırmaya İ DocType: Production Plan,Select Items to Manufacture,Üretilecek Öğeleri Seçin DocType: Leave Application,Leave Approver Name,Onaylayan Adı Bırak DocType: Shareholder,Shareholder,Hissedar -DocType: Issue,Agreement Status,Anlaşma Durumu apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Satış işlemleri için varsayılan ayarlar. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Lütfen ücretli öğrenci adayı için zorunlu olan Öğrenci Kabulünü seçin. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Malzeme Listesi Seç @@ -1987,6 +1996,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Gelir Hesabı apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Tüm Depolar DocType: Contract,Signee Details,Signee Detayları +DocType: Shift Type,Allow check-out after shift end time (in minutes),Vardiya bitiş zamanından sonra check-out yapılmasına izin ver (dakika olarak) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,tedarik DocType: Item Group,Check this if you want to show in website,Web sitesinde göstermek istiyorsanız bunu kontrol edin apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Mali Yıl {0} bulunamadı @@ -2053,6 +2063,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Amortisman Başlangıç Tari DocType: Activity Cost,Billing Rate,Fatura Oranı apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Uyarı: {2} stok girişine karşı başka bir {0} # {1} daha var apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Lütfen rotaları tahmin etmek ve optimize etmek için Google Haritalar Ayarlarını etkinleştirin +DocType: Purchase Invoice Item,Page Break,Sayfa sonu DocType: Supplier Scorecard Criteria,Max Score,Maksimum Puan apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,"Geri Ödeme Başlangıç Tarihi, Ödeme Tarihinden önce olamaz." DocType: Support Search Source,Support Search Source,Destek Arama Kaynağı @@ -2120,6 +2131,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Kalite Hedef Amaç DocType: Employee Transfer,Employee Transfer,Çalışan Transferi ,Sales Funnel,Satış Huni DocType: Agriculture Analysis Criteria,Water Analysis,Su analizi +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: Accounts Settings,Accounts Frozen Upto,Dondurulmuş Hesaplar apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Düzenlenecek bir şey yok. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","{0} iş istasyonunda, {1} iş istasyonundaki mevcut tüm çalışma saatlerinden daha uzun çalışma, işlemi birden fazla işleme ayırdı" @@ -2133,7 +2145,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Sat apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},"{0} Müşteri Siparişi, {1}" apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Ödeme gecikmesi (Gün) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Amortisman ayrıntılarını girin +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Müşteri PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,"Beklenen Teslim Tarihi, Satış Emri Tarihinden Sonra Olmalı" +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Ürün miktarı sıfır olamaz apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Geçersiz Özellik apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Lütfen {0} maddesine karşı BOM seçin DocType: Bank Statement Transaction Invoice Item,Invoice Type,Fatura türü @@ -2143,6 +2157,7 @@ DocType: Maintenance Visit,Maintenance Date,Bakım tarihi DocType: Volunteer,Afternoon,Öğleden sonra DocType: Vital Signs,Nutrition Values,Beslenme Değerleri DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),Ateşin varlığı (sıcaklık> 38.5 ° C / 101.3 ° F veya sürekli sıcaklık> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Lütfen İnsan Kaynağında Çalışan Adlandırma Sistemini kurun> İK Ayarları apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Tersine Döndü DocType: Project,Collect Progress,İlerleme Topla apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Enerji @@ -2193,6 +2208,7 @@ DocType: Setup Progress,Setup Progress,Kurulum İlerlemesi ,Ordered Items To Be Billed,Faturalandırılacak Sipariş Edilen Öğeler DocType: Taxable Salary Slab,To Amount,Tutar DocType: Purchase Invoice,Is Return (Debit Note),İade Edilir (Borç Dekontu) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge apps/erpnext/erpnext/config/desktop.py,Getting Started,Başlamak apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,birleşmek apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Mali Yıl kaydedildikten sonra Mali Yıl Başlangıç Tarihi ve Mali Yıl Bitiş Tarihi değiştirilemez @@ -2211,8 +2227,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Gerçek tarih apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},"Bakım başlangıç tarihi, {0} seri no. İçin teslim tarihinden önce olamaz." apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,{0} Satırı: Döviz Kuru zorunlu DocType: Purchase Invoice,Select Supplier Address,Tedarikçi Adresini Seçin +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Kullanılabilir miktar {0}, {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Lütfen API Tüketici Sırrını girin DocType: Program Enrollment Fee,Program Enrollment Fee,Program Kayıt Ücreti +DocType: Employee Checkin,Shift Actual End,Vardiya Sonu DocType: Serial No,Warranty Expiry Date,Garanti son kullanma tarihi DocType: Hotel Room Pricing,Hotel Room Pricing,Otel Odası Fiyatlandırması apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Dışa dönük vergilendirilebilir malzemeler (sıfır hariç, sıfır ve ihraç edilmiş" @@ -2272,6 +2290,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,5 okuma DocType: Shopping Cart Settings,Display Settings,Görüntü ayarları apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Lütfen Rezerve Edilen Değerleme Sayısını Belirleyin +DocType: Shift Type,Consequence after,Sonra sonuç apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Ne konuda yardıma ihtiyacın var? DocType: Journal Entry,Printing Settings,Yazdırma ayarları apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bankacılık @@ -2281,6 +2300,7 @@ DocType: Purchase Invoice Item,PR Detail,PR Detayı apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,"Fatura Adresi, Teslimat Adresiyle aynı" DocType: Account,Cash,Nakit DocType: Employee,Leave Policy,Politikadan Ayrıl +DocType: Shift Type,Consequence,Sonuç apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Öğrenci Adresi DocType: GST Account,CESS Account,CESS Hesabı apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: {2} 'Kar ve Zarar' hesabı için Maliyet Merkezi gereklidir. Lütfen Şirket için varsayılan bir Maliyet Merkezi kurun. @@ -2345,6 +2365,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN Kodu DocType: Period Closing Voucher,Period Closing Voucher,Dönem Kapanış Kuponu apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Koruyucu2 Adı apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Lütfen Gider Hesabı'nı girin +DocType: Issue,Resolution By Variance,Varyansa Göre Çözünürlük DocType: Employee,Resignation Letter Date,İstifa Mektubu Tarihi DocType: Soil Texture,Sandy Clay,Kumlu kil DocType: Upload Attendance,Attendance To Date,Tarihe Seyirci @@ -2357,6 +2378,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Şimdi Görüntüle DocType: Item Price,Valid Upto,Kadar Geçerli apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Referans Doküman {0} 'dan biri olmalı +DocType: Employee Checkin,Skip Auto Attendance,Otomatik Devamı Atla DocType: Payment Request,Transaction Currency,İşlem Para Birimi DocType: Loan,Repayment Schedule,Geri Ödeme Planı apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Örnek Tutma Stok Girişi @@ -2428,6 +2450,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Maaş Yapısı DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS Kapanış Fişi Vergileri apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Eylem Başlatıldı DocType: POS Profile,Applicable for Users,Kullanıcılar için uygulanabilir +,Delayed Order Report,Gecikmeli Sipariş Raporu DocType: Training Event,Exam,sınav apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Yanlış sayıda genel muhasebe girişi bulundu. İşlemde yanlış bir hesap seçmiş olabilirsiniz. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Satış Hattı @@ -2442,10 +2465,11 @@ DocType: Account,Round Off,Yuvarlak kapalı DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Seçilen tüm öğelere birleştirilmiş koşullar uygulanacaktır. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Yapılandır DocType: Hotel Room,Capacity,Kapasite +DocType: Employee Checkin,Shift End,Vardiya sonu DocType: Installation Note Item,Installed Qty,Yüklü adet apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,{1} öğesinin {0} grubu devre dışı. DocType: Hotel Room Reservation,Hotel Reservation User,Otel Rezervasyon Kullanıcısı -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,İş günü iki kez tekrarlandı +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,{0} Varlığı ve {1} Varlığı ile Hizmet Seviyesi Anlaşması zaten var. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},"Öğe Grubu, {0} öğesi için ana öğesinde belirtilmedi" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},İsim hatası: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,POS Profilinde Bölge Gerekiyor @@ -2493,6 +2517,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Zamanlama Tarihi DocType: Packing Slip,Package Weight Details,Paket Ağırlığı Detayları DocType: Job Applicant,Job Opening,İş Açılışı +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Çalışan Checkin'in En Son Başarılı Başarılı Senkronizasyonu. Bunu, yalnızca Kayıtların tüm konumlardan senkronize edildiğinden eminseniz sıfırlayın. Emin değilseniz lütfen bunu değiştirmeyin." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Asıl maliyet apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),{1} Siparişine karşı toplam avans ({0}) Genel Toplamtan ({2}) daha büyük olamaz apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Öğe Varyantları güncellendi @@ -2537,6 +2562,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Referans Satın Alma Fiş apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Davetiye Al DocType: Tally Migration,Is Day Book Data Imported,Günlük Kitap Verileri Alındı mı ,Sales Partners Commission,Satış Ortakları Komisyonu +DocType: Shift Type,Enable Different Consequence for Early Exit,Erken Çıkış için Farklı Sonuçları Etkinleştir apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Yasal DocType: Loan Application,Required by Date,Tarihe göre zorunlu DocType: Quiz Result,Quiz Result,Sınav Sonucu @@ -2596,7 +2622,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Mali / mu DocType: Pricing Rule,Pricing Rule,Fiyatlandırma Kuralı 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 ayarlanmadı apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,"Lütfen, Çalışan Rolünü ayarlamak için bir Çalışan kaydında Kullanıcı Kimliği alanını ayarlayın." -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Çözülme Zamanı DocType: Training Event,Training Event,Eğitim Etkinliği DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Yetişkinlerde normal istirahat kan basıncı yaklaşık 120 mmHg sistolik ve 80 mmHg diyastoliktir, "120/80 mmHg" olarak kısaltılır" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Eğer limit değeri sıfırsa, sistem tüm kayıtları alır." @@ -2640,6 +2665,7 @@ DocType: Woocommerce Settings,Enable Sync,Senkronizasyonu Etkinleştir DocType: Student Applicant,Approved,onaylı apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Tarihten itibaren Mali Yıl dahilinde olmalıdır. {0} tarihinden itibaren varsayılarak 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. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} geçersiz Seyirci Durumu. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Geçici Açılış Hesabı DocType: Purchase Invoice,Cash/Bank Account,Nakit / Banka Hesabı DocType: Quality Meeting Table,Quality Meeting Table,Kalite Toplantı Masası @@ -2675,6 +2701,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Yetki Belgesi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Yiyecek, İçecek ve Tütün" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Ders Programı DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Öğe Bilge Vergi Detayı +DocType: Shift Type,Attendance will be marked automatically only after this date.,"Katılım, yalnızca bu tarihten sonra otomatik olarak işaretlenecektir." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,UIN sahiplerine yapılan sarf malzemeleri apps/erpnext/erpnext/hooks.py,Request for Quotations,Teklif Talebi apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Başka bir para birimini kullanarak giriş yaptıktan sonra para birimi değiştirilemez @@ -2723,7 +2750,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Hub'dan Öğe apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Kalite Prosedürü DocType: Share Balance,No of Shares,Pay Yok -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Satır {0}: Girişin kaydedildiği sırada {1} deposunda {4} için miktar mevcut değil ({2} {3}) DocType: Quality Action,Preventive,önleyici DocType: Support Settings,Forum URL,Forum URL'si apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Çalışan ve Seyirci @@ -2945,7 +2971,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,İndirim türü DocType: Hotel Settings,Default Taxes and Charges,Varsayılan Vergiler ve Harçlar apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,"Bu, bu Tedarikçiye karşı yapılan işlemlere dayanmaktadır. Ayrıntılar için aşağıdaki zaman çizelgesine bakın" apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},{0} çalışanının maksimum fayda tutarı {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Anlaşma için Başlangıç ve Bitiş Tarihi girin. DocType: Delivery Note Item,Against Sales Invoice,Satış Faturalarına Karşı DocType: Loyalty Point Entry,Purchase Amount,Satın alma miktarı apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Satış Siparişi yapıldığı sırada Kayıp olarak ayarlanamaz. @@ -2969,7 +2994,7 @@ DocType: Homepage,"URL for ""All Products""","Tüm Ürünler" URL’si DocType: Lead,Organization Name,Kuruluş Adı 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/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Satır # {0}: Parti No {1} {2} ile aynı olmalıdır -DocType: Employee,Leave Details,Ayrıntıları Bırak +DocType: Employee Checkin,Shift Start,Vardiya Başlangıcı apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} öncesi hisse senedi işlemleri dondurulmuş DocType: Driver,Issuing Date,Veriliş tarihi apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Talep eden @@ -3014,9 +3039,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Nakit Akışı Haritalama Şablonu Detayları apps/erpnext/erpnext/config/hr.py,Recruitment and Training,İşe Alma ve Eğitim DocType: Drug Prescription,Interval UOM,Aralık UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Otomatik Seyirci için Grace Dönemi Ayarları apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Para Birimi ve Para Birimi aynı olamaz apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,İlaç DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Destek saatleri apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} iptal edildi veya kapatıldı apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,{0} Satırı: Müşteriye karşı avans kredi olmalı apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Fişe Göre Grup (Konsolide) @@ -3125,6 +3152,7 @@ DocType: Asset Repair,Repair Status,Onarım Durumu DocType: Territory,Territory Manager,Bölge Müdürü DocType: Lab Test,Sample ID,Örnek kimliği apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Kart boş +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 sırasına göre işaretlendi." apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,{0} kıymetinin gönderilmesi gerekiyor ,Absent Student Report,Yok Öğrenci Raporu 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 @@ -3132,7 +3160,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,F DocType: Travel Request Costing,Funded Amount,Fonlanan Tutar apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} gönderilmedi, bu nedenle işlem tamamlanamıyor" DocType: Subscription,Trial Period End Date,Deneme Süresi Bitiş Tarihi +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Aynı vardiya sırasında alternatif girişler IN ve OUT olarak DocType: BOM Update Tool,The new BOM after replacement,Değiştirme sonrası yeni malzeme listesi +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tedarikçi> Tedarikçi Tipi apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Madde 5 DocType: Employee,Passport Number,Pasaport numarası apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Geçici açılış @@ -3248,6 +3278,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Anahtar Raporlar apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Olası Tedarikçi ,Issued Items Against Work Order,İş Emrine Karşı İhraç Edilen Ürünler apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} Fatura Oluşturma +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: Student,Joining Date,Katılma Tarihi apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Site İsteği DocType: Purchase Invoice,Against Expense Account,Gider Hesaplarına Karşı @@ -3287,6 +3318,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Uygulanabilir Ücretler ,Point of Sale,Satış noktası DocType: Authorization Rule,Approving User (above authorized value),Kullanıcıyı Onaylama (yetkili değerin üstünde) +DocType: Service Level Agreement,Entity,varlık apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{0} {1} tutarı {2} 'den {3}' e transfer edildi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},{0} müşterisi {1} projesine ait değil apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Parti Adından @@ -3333,6 +3365,7 @@ DocType: Asset,Opening Accumulated Depreciation,Birikmiş Amortisman Açma DocType: Soil Texture,Sand Composition (%),Kum bileşimi (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Günlük Kitap Verilerini İçe Aktar +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Lütfen Ayarlama> Ayarlar> Adlandırma Serisi ile {0} için Adlandırma Serisi'ni ayarlayın. DocType: Asset,Asset Owner Company,Varlık Sahibi Şirket apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Bir masraf talebi için Masraf yeri gerekir apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},"{0}, {1} Maddesi için geçerli seri no'lar" @@ -3393,7 +3426,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Varlık Sahibi apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},"Depo, {1} satırındaki {0} kalemi için zorunludur" DocType: Stock Entry,Total Additional Costs,Toplam Ek Maliyet -DocType: Marketplace Settings,Last Sync On,Son Senkronizasyon Açık 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 Team,Maintenance Team Name,Bakım Ekibi Adı apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Maliyet Merkezleri Tablosu @@ -3409,12 +3441,12 @@ DocType: Sales Order Item,Work Order Qty,İş Emri Adet DocType: Job Card,WIP Warehouse,WIP Depo DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Kullanıcı Kimliği {0} Çalışan için ayarlanmadı -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Kullanılabilir miktar {0}, {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,{0} adlı kullanıcı yaratıldı DocType: Stock Settings,Item Naming By,Öğe Adlandırma apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,düzenli 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. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,{0} Malzeme İsteği iptal edildi veya durduruldu +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Kesinlikle Çalışan Checkin'de Günlük Tipine Göre DocType: Purchase Order Item Supplied,Supplied Qty,Verilen Adet DocType: Cash Flow Mapper,Cash Flow Mapper,Nakit Akışı Eşleştiricisi DocType: Soil Texture,Sand,Kum @@ -3473,6 +3505,7 @@ DocType: Lab Test Groups,Add new line,Yeni satır ekle apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Öğe grubu tablosunda yinelenen öğe grubu bulundu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Yıllık gelir DocType: Supplier Scorecard,Weighting Function,Ağırlıklandırma fonksiyonu +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Ölçüt formülünü değerlendirirken hata oluştu ,Lab Test Report,Laboratuvar Test Raporu DocType: BOM,With Operations,İşlemleri ile @@ -3486,6 +3519,7 @@ DocType: Expense Claim Account,Expense Claim Account,Gider Talep Hesabı apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Dergi Girişi için geri ödeme yok apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} aktif öğrenci değil apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Stok Girişi Yap +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},"BOM özyinelemesi: {0}, {1} öğesinin ebeveyni veya çocuğu olamaz" DocType: Employee Onboarding,Activities,faaliyetler apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,En az bir depo zorunludur ,Customer Credit Balance,Müşteri Kredisi Bakiyesi @@ -3498,9 +3532,11 @@ DocType: Supplier Scorecard Period,Variables,Değişkenler apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Müşteri için Çoklu Sadakat Programı bulundu. Lütfen manuel olarak seçin. DocType: Patient,Medication,ilaç apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Sadakat Programını Seçin +DocType: Employee Checkin,Attendance Marked,İşaretli Seyirci apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,İşlenmemiş içerikler DocType: Sales Order,Fully Billed,Tamamen fatura apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Lütfen Otel Oda Fiyatı'nı {} olarak ayarlayın +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Varsayılan olarak sadece bir Öncelik seçin. apps/erpnext/erpnext/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 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. DocType: Purchase Invoice Item,Is Fixed Asset,Duran Varlık mı @@ -3521,6 +3557,7 @@ DocType: Purpose of Travel,Purpose of Travel,Seyahat amacı DocType: Healthcare Settings,Appointment Confirmation,Randevu onayı DocType: Shopping Cart Settings,Orders,Emirler DocType: HR Settings,Retirement Age,Emeklilik yaşı +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/stock/page/stock_balance/stock_balance.js,Projected Qty,Öngörülen Adet apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},{0} ülkesi için silinmeye izin verilmiyor apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Satır # {0}: {1} Varlığı zaten {2} @@ -3604,11 +3641,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Muhasebeci apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},"POS Kapanış Kuponu, {1} ve {2} tarihleri arasında {0} için zaten var." apps/erpnext/erpnext/config/help.py,Navigating,gezinme +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,"Ödenmemiş faturalar, döviz kuru yeniden değerlemesi gerektirmez" DocType: Authorization Rule,Customer / Item Name,Müşteri / Ürün Adı apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Yeni Seri No'da Depo yoktur. Depo Stok Girişi veya Satın Alma Fişi ile ayarlanmalıdır DocType: Issue,Via Customer Portal,Müşteri Portalı Üzerinden DocType: Work Order Operation,Planned Start Time,Planlanan Başlangıç Saati apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},"{0} {1}, {2}" +DocType: Service Level Priority,Service Level Priority,Servis Seviyesi Önceliği apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Ayrılan Amortisman Sayısı Toplam Amortisman Sayısından fazla olamaz apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Ledger DocType: Journal Entry,Accounts Payable,Ödenebilir hesaplar @@ -3718,7 +3757,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Teslimat için DocType: Bank Statement Transaction Settings Item,Bank Data,Banka Verileri apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Planlanmış -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Fatura ve Çalışma Saatlerini Bakım Yapın apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Aday Müşteri Kaynaklarına Göre Takip Edin. DocType: Clinical Procedure,Nursing User,Hemşirelik Kullanıcısı DocType: Support Settings,Response Key List,Yanıt Anahtarı Listesi @@ -3886,6 +3924,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Gerçek başlangıç zamanı DocType: Antibiotic,Laboratory User,Laboratuar Kullanıcısı apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Çevrimiçi Açık Artırmalar +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,{0} önceliği tekrar edildi. DocType: Fee Schedule,Fee Creation Status,Ücret Yaratma Durumu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Yazılımları apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Ödeme için Satış Siparişi @@ -3952,6 +3991,7 @@ DocType: Patient Encounter,In print,Yazıcıda apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0} için bilgi alınamadı. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,"Fatura para birimi, varsayılan şirketin para birimine veya parti hesap para birimine eşit olmalıdır" apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Lütfen bu satış personelinin Çalışan kimliğini giriniz. +DocType: Shift Type,Early Exit Consequence after,Erken Çıkış Sonrası Sonuçları apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Açılış Satışları ve Satınalma Faturaları Yaratın DocType: Disease,Treatment Period,Tedavi süresi apps/erpnext/erpnext/config/settings.py,Setting up Email,E-postayı ayarlama @@ -3969,7 +4009,6 @@ DocType: Employee Skill Map,Employee Skills,Çalışan Becerileri apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Öğrenci adı: DocType: SMS Log,Sent On,Gönderildi DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Satış faturası -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,"Tepki Süresi, Çözüm Süresi’nden büyük olamaz" DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Kurs bazlı Öğrenci Grubu için, Program Kaydına kayıtlı Derslerden her Öğrenci için Kurs doğrulanır." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Devlet İçi Malzemeleri DocType: Employee,Create User Permission,Kullanıcı İzni Oluştur @@ -4008,6 +4047,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Satış veya Satın Alma için standart sözleşme koşulları. DocType: Sales Invoice,Customer PO Details,Müşteri PO Detayları apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Hasta bulunamadı +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Varsayılan bir öncelik seçin. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Masraflar bu öğe için geçerli değilse, öğeyi kaldırın" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Aynı adda bir Müşteri Grubu var, lütfen Müşteri adını değiştirin veya Müşteri Grubunu yeniden adlandırın" 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. @@ -4047,6 +4087,7 @@ DocType: Quality Goal,Quality Goal,Kalite hedefi DocType: Support Settings,Support Portal,Destek Portalı apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},{0} görevinin bitiş tarihi {1} beklenen başlangıç tarihinden {2} daha küçük olamaz apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},{0} çalışanı {1} tarihinde izinli +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 özgüdür" DocType: Employee,Held On,Düzenlendi DocType: Healthcare Practitioner,Practitioner Schedules,Uygulayıcı Programları DocType: Project Template Task,Begin On (Days),Başla (Günler) @@ -4054,6 +4095,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},İş Emri {0} oldu DocType: Inpatient Record,Admission Schedule Date,Kabul Program Tarihi apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Varlık Değer Ayarı +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. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Kayıt Dışı Kişilere Yapılan Malzemeler apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Tüm işler DocType: Appointment Type,Appointment Type,Randevu Türü @@ -4166,7 +4208,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Ambalajın brüt ağırlığı. Genellikle net ağırlık + ambalaj malzemesi ağırlığı. (baskı için) DocType: Plant Analysis,Laboratory Testing Datetime,Laboratuvar Testi Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,{0} Öğesinde Toplu İşlem olamaz -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Aşamaya Göre Satış Boru Hattı apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Öğrenci Grubu Gücü DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Hesap özeti işlem girişi DocType: Purchase Order,Get Items from Open Material Requests,Açık Malzeme Taleplerinden Ürün Alın @@ -4248,7 +4289,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Yaşlanma Depolarını Göster DocType: Sales Invoice,Write Off Outstanding Amount,Ödenmemiş Miktarı Yaz DocType: Payroll Entry,Employee Details,Çalışan bilgileri -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,"{0} için Başlangıç Saati, Bitiş Saatinden büyük olamaz." DocType: Pricing Rule,Discount Amount,İndirim tutarı DocType: Healthcare Service Unit Type,Item Details,Ürün Detayları apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},{1} dönemi için {0} yinelenen Vergi Beyanı @@ -4301,7 +4341,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net ödeme negatif olamaz apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Etkileşim Sayısı 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ı {1}, {3} Satınalma Siparişine karşı {2} öğesinden daha fazla aktarılamaz" -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,vardiya +DocType: Attendance,Shift,vardiya apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Hesapların ve Tarafların İşleme Tablosu DocType: Stock Settings,Convert Item Description to Clean HTML,Öğe Tanımını Temiz HTML'ye Dönüştür apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Tüm Tedarikçi Grupları @@ -4372,6 +4412,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Çalışan Ye DocType: Healthcare Service Unit,Parent Service Unit,Ebeveyn Hizmet Birimi DocType: Sales Invoice,Include Payment (POS),Ödeme Dahil (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Özel sermaye +DocType: Shift Type,First Check-in and Last Check-out,İlk Check-in ve Son Check-out DocType: Landed Cost Item,Receipt Document,Makbuz belgesi DocType: Supplier Scorecard Period,Supplier Scorecard Period,Tedarikçi Puan Kartı Dönemi DocType: Employee Grade,Default Salary Structure,Varsayılan Maaş Yapısı @@ -4454,6 +4495,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Satınalma Siparişi Yaratın apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Finansal bir yıl için bütçe tanımlayın. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Hesaplar tablosu boş olamaz. +DocType: Employee Checkin,Entry Grace Period Consequence,Giriş Grace Dönemi Sonuçları ,Payment Period Based On Invoice Date,Fatura Tarihine Göre Ödeme Süresi apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},{0} Maddesi için yükleme tarihi teslim tarihinden önce olamaz apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Malzeme Talebine Bağlantı @@ -4462,6 +4504,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Eşlenmiş Ve apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},{0} Satırı: Bu depo {1} için zaten bir Sipariş girişi var apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doküman Tarihi DocType: Monthly Distribution,Distribution Name,Dağıtım adı +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,{0} iş günü tekrar edildi. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Gruba Bağlı Değil apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Güncelleme sürüyor. Biraz zaman alabilir. DocType: Item,"Example: ABCD.##### @@ -4474,6 +4517,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Yakıt Adet apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile Hayır DocType: Invoice Discounting,Disbursed,Önceki dönemlerde toplanan +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/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Borç Hesaplarındaki Net Değişim apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Müsait değil apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Yarı zamanlı @@ -4487,7 +4531,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Satış apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,PDC’yi Yazdır’da Göster apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Tedarikçisi DocType: POS Profile User,POS Profile User,POS Profili Kullanıcısı -DocType: Student,Middle Name,İkinci ad DocType: Sales Person,Sales Person Name,Satış Görevlisi Adı DocType: Packing Slip,Gross Weight,Brüt ağırlık DocType: Journal Entry,Bill No,Bill No @@ -4496,7 +4539,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Yeni DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Hizmet düzeyi anlaşması -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Lütfen önce Çalışan ve Tarihi seçin apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,"Öğe değerleme oranı, sabit maliyet kuponu tutarı dikkate alınarak yeniden hesaplanır." DocType: Timesheet,Employee Detail,Çalışan Detayı DocType: Tally Migration,Vouchers,kuponları @@ -4531,7 +4573,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Hizmet düzeyi a DocType: Additional Salary,Date on which this component is applied,Bu bileşenin uygulandığı tarih apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Folyo numaraları olan mevcut Ortakların Listesi apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Ağ Geçidi hesaplarını ayarlayın. -DocType: Service Level,Response Time Period,Tepki Süresi Dönemi +DocType: Service Level Priority,Response Time Period,Tepki Süresi Dönemi DocType: Purchase Invoice,Purchase Taxes and Charges,Satın Alma Vergileri ve Ücretleri DocType: Course Activity,Activity Date,Faaliyet Tarihi apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Yeni müşteri seç veya ekle @@ -4556,6 +4598,7 @@ DocType: Sales Person,Select company name first.,Önce şirket adını seçin. apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Mali yıl DocType: Sales Invoice Item,Deferred Revenue,Ertelenmiş Gelir apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,En az Satış veya Satın Alma işlemlerinden biri seçilmelidir +DocType: Shift Type,Working Hours Threshold for Half Day,Yarım Gün Çalışma Saatleri Eşiği ,Item-wise Purchase History,Ürün bazında Satın Alma Geçmişi apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},{0} satırındaki öğenin Hizmet Durdurma Tarihi değiştirilemiyor DocType: Production Plan,Include Subcontracted Items,Taşeron Öğeleri Dahil Et @@ -4588,6 +4631,7 @@ DocType: Journal Entry,Total Amount Currency,Toplam Tutar Para Birimi DocType: BOM,Allow Same Item Multiple Times,Aynı Öğeye Birden Çok Kere İzin Ver apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Malzeme Listesi Oluştur DocType: Healthcare Practitioner,Charges,Masraflar +DocType: Employee,Attendance and Leave Details,Katılım ve Ayrıntı Ayrıntıları DocType: Student,Personal Details,Kişisel detaylar DocType: Sales Order,Billing and Delivery Status,Fatura ve Teslimat Durumu apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,"{0} Satırı: {0} tedarikçisi için E-posta adresi, e-posta göndermek için gerekli" @@ -4639,7 +4683,6 @@ DocType: Bank Guarantee,Supplier,satıcı apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},{0} ve {1} arasındaki bahis değerini girin DocType: Purchase Order,Order Confirmation Date,Sipariş Onay Tarihi DocType: Delivery Trip,Calculate Estimated Arrival Times,Tahmini Varış Sürelerini Hesapla -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Lütfen İnsan Kaynağında Çalışan Adlandırma Sistemini kurun> İK Ayarları apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,tüketilir DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Abonelik Başlama Tarihi @@ -4662,7 +4705,7 @@ DocType: Installation Note Item,Installation Note Item,Kurulum Not Öğe DocType: Journal Entry Account,Journal Entry Account,Dergi Giriş Hesabı apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,varyant apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Forum Etkinliği -DocType: Service Level,Resolution Time Period,Çözünürlük Zaman Dönemi +DocType: Service Level Priority,Resolution Time Period,Çözünürlük Zaman Dönemi DocType: Request for Quotation,Supplier Detail,Tedarikçi Detayı DocType: Project Task,View Task,Görevi Görüntüle DocType: Serial No,Purchase / Manufacture Details,Satın Alma / Üretim Detayları @@ -4729,6 +4772,7 @@ DocType: Sales Invoice,Commission Rate (%),Komisyon oranı (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Depo sadece Stok Girişi / Teslim Notu / Satın Alma Fişi ile değiştirilebilir DocType: Support Settings,Close Issue After Days,Günden Sonra Sorunu Kapat DocType: Payment Schedule,Payment Schedule,Ödeme PLANI +DocType: Shift Type,Enable Entry Grace Period,Giriş Graceini Etkinleştir DocType: Patient Relation,Spouse,eş DocType: Purchase Invoice,Reason For Putting On Hold,Beklemeye Alma Nedeni DocType: Item Attribute,Increment,artım @@ -4868,6 +4912,7 @@ DocType: Authorization Rule,Customer or Item,Müşteri veya ürün DocType: Vehicle Log,Invoice Ref,Fatura Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},"C formu, Fatura için geçerli değildir: {0}" apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Fatura Oluşturuldu +DocType: Shift Type,Early Exit Grace Period,Erken Çıkış Grace Dönemi DocType: Patient Encounter,Review Details,Detayları İncele apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,{0} satırı: Saat değeri sıfırdan büyük olmalıdır. DocType: Account,Account Number,Hesap numarası @@ -4879,7 +4924,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Şirket SpA, SApA veya SRL ise uygulanabilir" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Aşağıdakiler arasında bulunan çakışan koşullar: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Ücretli ve Teslim Edilmedi -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Öğe otomatik olarak numaralandırılmadığından zorunludur DocType: GST HSN Code,HSN Code,HSN Kodu DocType: GSTR 3B Report,September,Eylül apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Yönetim giderleri @@ -4915,6 +4959,8 @@ DocType: Travel Itinerary,Travel From,Seyahat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP Hesabı DocType: SMS Log,Sender Name,Gönderenin adı DocType: Pricing Rule,Supplier Group,Tedarikçi Grubu +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",{1} dizininde \ Support Day {0} için Başlangıç Saatini ve Bitiş Saatini ayarlayın. DocType: Employee,Date of Issue,Veriliş tarihi ,Requested Items To Be Transferred,Transfer Edilmesi İstenen Öğeler DocType: Employee,Contract End Date,Sözleşme Bitiş Tarihi @@ -4925,6 +4971,7 @@ DocType: Healthcare Service Unit,Vacant,Boş DocType: Opportunity,Sales Stage,Satış Aşaması DocType: Sales Order,In Words will be visible once you save the Sales Order.,Müşteri Siparişini kaydettiğinizde Kelimelerde görünecektir. DocType: Item Reorder,Re-order Level,Yeniden sipariş seviyesi +DocType: Shift Type,Enable Auto Attendance,Otomatik Katılımı Etkinleştir apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Tercih ,Department Analytics,Bölüm Analitiği DocType: Crop,Scientific Name,Bilimsel ad @@ -4937,6 +4984,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} durumu {2} DocType: Quiz Activity,Quiz Activity,Sınav Etkinliği apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} geçerli bir Bordro Döneminde değil DocType: Timesheet,Billed,Faturalandırılan +apps/erpnext/erpnext/config/support.py,Issue Type.,Sorun Tipi. DocType: Restaurant Order Entry,Last Sales Invoice,Son Satış Fatura DocType: Payment Terms Template,Payment Terms,Ödeme şartları apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",Ayrılmış Adet: Satış için sipariş edilen ancak teslim edilmeyen miktar. @@ -5032,6 +5080,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Varlık apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} 'in bir Sağlık Bakım Uygulayıcısı yok. Sağlık Bakımı Pratisyeni masterında ekle DocType: Vehicle,Chassis No,Şasi no +DocType: Employee,Default Shift,Varsayılan Vardiya apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Şirket kısaltma apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Malzeme Listesi Ağacı DocType: Article,LMS User,LMS Kullanıcısı @@ -5080,6 +5129,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EGT-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Ebeveyn Satış Görevlisi DocType: Student Group Creation Tool,Get Courses,Kursları Alın apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Satır # {0}: Öğe sabit bir varlık olduğundan, Qty 1 olmalıdır. Lütfen birden fazla adet için ayrı satır kullanın." +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) DocType: Customer Group,Only leaf nodes are allowed in transaction,İşlemde sadece yaprak düğümlerine izin verilir DocType: Grant Application,Organization,organizasyon DocType: Fee Category,Fee Category,Ücret Kategorisi @@ -5092,6 +5142,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Lütfen bu eğitim etkinliği için durumunuzu güncelleyin DocType: Volunteer,Morning,Sabah DocType: Quotation Item,Quotation Item,Teklif Öğesi +apps/erpnext/erpnext/config/support.py,Issue Priority.,Öncelik Verme. DocType: Journal Entry,Credit Card Entry,Kredi Kartı Girişi apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Zaman aralığı atlandı, {0} - {1} slotu, varolan {2} - {3} slotlarıyla çakışıyor" DocType: Journal Entry Account,If Income or Expense,Gelir veya Gider ise @@ -5142,11 +5193,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Veri Alma ve Ayarlar 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 seçiliyse, müşteriler ilgili Sadakat Programına otomatik olarak bağlanır (tasarrufta)" DocType: Account,Expense Account,Harcama hesabı +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Çalışan Check-in'in katılım için dikkate alındığı vardiya başlama saatinden önceki zaman. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Guardian1 ile İlişki apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Fatura oluşturmak apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Ödeme İsteği zaten var {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} tarihinde kaldırılan çalışan 'Sol' olarak ayarlanmalı apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},{0} {1} öde +DocType: Company,Sales Settings,Satış ayarları DocType: Sales Order Item,Produced Quantity,Üretilen miktar apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Fiyat teklifi talebine aşağıdaki linke tıklayarak ulaşılabilir. DocType: Monthly Distribution,Name of the Monthly Distribution,Aylık Dağılımın Adı @@ -5225,6 +5278,7 @@ DocType: Company,Default Values,Varsayılan değerler apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Satış ve satın alma için varsayılan vergi şablonları oluşturulur. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} bırakma türü iletilemiyor apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Hesap Borç Alacak hesabı olmalı +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Lütfen Hesap {0} Deposunda veya {1} Şirketinde Varsayılan Envanter Hesabı olarak ayarlayın apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Varsayılan olarak ayarla DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Bu paketin net ağırlığı. (öğelerin net ağırlığı toplamı olarak otomatik olarak hesaplanır) @@ -5251,8 +5305,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,y apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Süresi dolmuş partiler DocType: Shipping Rule,Shipping Rule Type,Nakliye Kural Türü DocType: Job Offer,Accepted,Kabul edilmiş -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/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,{} Değerlendirme kriterleri için zaten bir değerlendirme yaptınız. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Parti Numaralarını Seç apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Yaş (Gün) @@ -5279,6 +5331,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Etki alanlarınızı seçin DocType: Agriculture Task,Task Name,Görev adı apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,İş Emri için önceden oluşturulmuş Stok Girişleri +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" ,Amount to Deliver,Teslim Edilen Miktar apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,{0} şirketi mevcut değil apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Verilen öğeler için bağlantı bekleyen hiçbir Malzeme Talebi bulunamadı. @@ -5328,6 +5382,7 @@ DocType: Program Enrollment,Enrolled courses,Kayıtlı kurslar DocType: Lab Prescription,Test Code,Test kodu DocType: Purchase Taxes and Charges,On Previous Row Total,Önceki satırda toplam DocType: Student,Student Email Address,Öğrenci E-posta Adresi +,Delayed Item Report,Gecikmeli Ürün Raporu DocType: Academic Term,Education,Eğitim DocType: Supplier Quotation,Supplier Address,Tedarikçi adresi DocType: Salary Detail,Do not include in total,Toplam dahil etmeyin @@ -5335,7 +5390,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} mevcut değil DocType: Purchase Receipt Item,Rejected Quantity,Reddedilen Miktar DocType: Cashier Closing,To TIme,Zamana -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: Daily Work Summary Group User,Daily Work Summary Group User,Günlük İş Özeti Grup Kullanıcısı DocType: Fiscal Year Company,Fiscal Year Company,Mali Yıl Şirketi apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,"Alternatif öğe, ürün kodu ile aynı olmamalıdır" @@ -5387,6 +5441,7 @@ DocType: Program Fee,Program Fee,Program Ücreti DocType: Delivery Settings,Delay between Delivery Stops,Teslimat Durakları Arası Gecikme DocType: Stock Settings,Freeze Stocks Older Than [Days],[Günden Eski] Stokları Dondur DocType: Promotional Scheme,Promotional Scheme Product Discount,Promosyon Programı Ürün İndirimi +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Sorun Önceliği Zaten Var DocType: Account,Asset Received But Not Billed,"Varlık Alındı, Ancak Faturalandırılmadı" DocType: POS Closing Voucher,Total Collected Amount,Toplanan Toplam Tutar DocType: Course,Default Grading Scale,Varsayılan Derecelendirme Ölçeği @@ -5429,6 +5484,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Yerine Getirme Koşulları apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Grup dışı gruptan DocType: Student Guardian,Mother,anne +DocType: Issue,Service Level Agreement Fulfilled,Tamamlanan Hizmet Seviyesi Anlaşması DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Sahipsiz Çalışanlara Sağlanan Faydalar için Vergiden Kesinmek DocType: Travel Request,Travel Funding,Seyahat Fonu DocType: Shipping Rule,Fixed,Sabit @@ -5458,10 +5514,12 @@ DocType: Item,Warranty Period (in days),Garanti Süresi (gün olarak) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Hiç bir öğe bulunamadı. DocType: Item Attribute,From Range,Menzilden DocType: Clinical Procedure,Consumables,Sarf +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'worker_field_value' ve 'zaman damgası' gereklidir. DocType: Purchase Taxes and Charges,Reference Row #,Referans Satırı # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Lütfen {0} Şirketinde 'Varlık Amortisman Maliyet Merkezi'ni ayarlayın. apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Satır # {0}: Taşınma işlemini tamamlamak için ödeme belgesi gereklidir DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Satış Siparişi verilerini Amazon MWS'tan almak için bu düğmeye tıklayın. +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) ,Assessment Plan Status,Değerlendirme Planı Durumu apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Lütfen önce {0} seçin apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Çalışan kaydını oluşturmak için bunu gönderin @@ -5532,6 +5590,7 @@ DocType: Quality Procedure,Parent Procedure,Ebeveyn Prosedürü apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Açık Ayarla apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Geçiş Filtreleri DocType: Production Plan,Material Request Detail,Malzeme Talep Detayı +DocType: Shift Type,Process Attendance After,İşlem Sonrasına Devam Etme DocType: Material Request Item,Quantity and Warehouse,Miktar ve Depo apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Programlara Git apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Satır # {0}: {1} {2} Referanslarında yinelenen giriş @@ -5589,6 +5648,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Parti Bilgisi apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Borçlular ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Bugüne kadar çalışanın rahatlama tarihinden daha büyük olamaz +DocType: Shift Type,Enable Exit Grace Period,Grace Dönemi Çıkışını Etkinleştir DocType: Expense Claim,Employees Email Id,Çalışanların E-posta Kimliği DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify'dan ERPNext Fiyat Listesine Güncelleme Fiyatı DocType: Healthcare Settings,Default Medical Code Standard,Varsayılan Tıbbi Kod Standardı @@ -5619,7 +5679,6 @@ DocType: Item Group,Item Group Name,Ürün Grubu Adı DocType: Budget,Applicable on Material Request,Malzeme Talebine Uygulanabilir DocType: Support Settings,Search APIs,API’leri ara DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Satış Siparişinde Aşırı Üretim Yüzdesi -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Özellikler DocType: Purchase Invoice,Supplied Items,Tedarik Edilen Öğeler DocType: Leave Control Panel,Select Employees,Çalışanları Seç apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Borçtaki faiz geliri hesabını seçin {0} @@ -5645,7 +5704,7 @@ DocType: Salary Slip,Deductions,Kesintiler ,Supplier-Wise Sales Analytics,Tedarikçi-Akıllı Satış Analizi DocType: GSTR 3B Report,February,Şubat DocType: Appraisal,For Employee,Çalışan için -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Gerçek teslim tarihi +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Gerçek teslim tarihi DocType: Sales Partner,Sales Partner Name,Satış Ortağı Adı apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Amortisman Satırı {0}: Amortisman Başlangıç Tarihi geçmiş tarih olarak girildi DocType: GST HSN Code,Regional,Bölgesel @@ -5684,6 +5743,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,ÖT DocType: Supplier Scorecard,Supplier Scorecard,Tedarikçi Puan Kartı DocType: Travel Itinerary,Travel To,Seyahat apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Mark Seyirci +DocType: Shift Type,Determine Check-in and Check-out,Giriş ve Çıkış Belirleme DocType: POS Closing Voucher,Difference,fark apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Küçük DocType: Work Order Item,Work Order Item,İş Emri Öğesi @@ -5717,6 +5777,7 @@ DocType: Sales Invoice,Shipping Address Name,Teslimat Adresi Adı apps/erpnext/erpnext/healthcare/setup.py,Drug,İlaç apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} kapalı DocType: Patient,Medical History,Tıbbi geçmiş +DocType: Expense Claim,Expense Taxes and Charges,Gider Vergileri ve Masrafları DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Aboneliği iptal etmeden veya aboneliği ödenmemiş olarak işaretlemeden önce fatura tarihinden sonraki gün sayısı apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,{0} Yükleme Notu çoktan gönderildi DocType: Patient Relation,Family,Aile @@ -5749,7 +5810,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,kuvvet apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,Bu işlemi tamamlamak için {2} 'de {1} birime {1} ihtiyaç duyuldu. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Fason Üretime Dayalı Geri Dönüş Hammaddeleri -DocType: Bank Guarantee,Customer,Müşteri DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Etkinleştirilirse, Program Kayıt Aracı'nda Akademik Terim alanı zorunlu olacaktır." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Toplu Tabanlı Öğrenci Grubu için, Öğrenci Kaydı, Program Kaydındaki her Öğrenci için doğrulanır." DocType: Course,Topics,Başlıklar @@ -5829,6 +5889,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Bölüm Üyeleri DocType: Warranty Claim,Service Address,Hizmet adresi DocType: Journal Entry,Remark,düşünce +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}) DocType: Patient Encounter,Encounter Time,Karşılaşma Saati DocType: Serial No,Invoice Details,Fatura detayları apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Gruplar altında başka hesaplar yapılabilir, ancak Grup olmayanlara karşı girişler yapılabilir." @@ -5908,6 +5969,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","S apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Kapanış (Açılış + Toplam) DocType: Supplier Scorecard Criteria,Criteria Formula,Ölçüt Formülü apps/erpnext/erpnext/config/support.py,Support Analytics,Destek Analitiği +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Seyirci Cihaz Kimliği (Biyometrik / RF etiketi numarası) apps/erpnext/erpnext/config/quality_management.py,Review and Action,İnceleme ve İşlem DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Hesap donmuşsa, girişleri kısıtlı kullanıcılara izin verilir." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Amortisman Sonrası Tutar @@ -5929,6 +5991,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Kredi geri ödeme DocType: Employee Education,Major/Optional Subjects,Ana / Seçmeli Konular DocType: Soil Texture,Silt,alüvyon +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Tedarikçi Adresleri ve İletişim DocType: Bank Guarantee,Bank Guarantee Type,Banka Garanti Türü DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Devre dışı bırakılırsa, 'Yuvarlanan Toplam' alanı hiçbir işlemde görünmez" DocType: Pricing Rule,Min Amt,Min Amt @@ -5967,6 +6030,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Fatura Oluşturma Aracı Öğesini Açma DocType: Soil Analysis,(Ca+Mg)/K,"(Mg + Ca) / K," DocType: Bank Reconciliation,Include POS Transactions,POS İşlemlerini Dahil Et +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Verilen çalışanın saha değeri için çalışan bulunamadı. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Alınan Tutar (Şirket Para Birimi) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage dolu, kaydetmedi" DocType: Chapter Member,Chapter Member,Bölüm Üyesi @@ -5999,6 +6063,7 @@ DocType: SMS Center,All Lead (Open),Tüm Kurşun (Açık) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Hiçbir Öğrenci Grubu oluşturulmadı. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Yinelenen satır {0} ile aynı {1} DocType: Employee,Salary Details,Maaş Detayları +DocType: Employee Checkin,Exit Grace Period Consequence,Grace Dönem Sonuçlarından Çık DocType: Bank Statement Transaction Invoice Item,Invoice,Fatura DocType: Special Test Items,Particulars,Ayrıntılar apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Lütfen Öğeyi veya Depoyu temel alarak filtre ayarlayın @@ -6099,6 +6164,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,AMC dışında DocType: Job Opening,"Job profile, qualifications required etc.","İş profili, gerekli nitelikler vb." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Devlete Gönder +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Malzeme talebini göndermek ister misiniz DocType: Opportunity Item,Basic Rate,Temel oranı DocType: Compensatory Leave Request,Work End Date,İş Bitiş Tarihi apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Hammadde Talebi @@ -6284,6 +6350,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Amortisman Tutarı DocType: Sales Order Item,Gross Profit,Brüt kar DocType: Quality Inspection,Item Serial No,Ürün Seri No DocType: Asset,Insurer,sigortacı +DocType: Employee Checkin,OUT,DIŞARI apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Alış Tutarı DocType: Asset Maintenance Task,Certificate Required,Sertifika gerekli DocType: Retention Bonus,Retention Bonus,Tutma Bonusu @@ -6399,6 +6466,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Fark Tutarı (Şirke DocType: Invoice Discounting,Sanctioned,onaylanmış DocType: Course Enrollment,Course Enrollment,Kurs Kayıt DocType: Item,Supplier Items,Tedarikçi Öğeleri +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.","{0} için Başlangıç Saati, Bitiş Saati \ 'ne eşit veya büyük olamaz." DocType: Sales Order,Not Applicable,Uygulanamaz DocType: Support Search Source,Response Options,Yanıt Seçenekleri apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,"{0}, 0 ile 100 arasında bir değer olmalıdır" @@ -6485,7 +6554,6 @@ DocType: Travel Request,Costing,maliyetleme apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Sabit Varlıklar DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Toplam Kazanç -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge DocType: Share Balance,From No,Hayır'dan DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Ödeme Uzlaşma Fatura DocType: Purchase Invoice,Taxes and Charges Added,Vergiler ve Ücretler Eklendi @@ -6593,6 +6661,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Fiyatlandırma Kuralını Yoksay apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Gıda DocType: Lost Reason Detail,Lost Reason Detail,Sebep Ayrıntısı +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Aşağıdaki seri numaraları oluşturuldu:
{0} DocType: Maintenance Visit,Customer Feedback,Müşteri geribildirimi DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detayları DocType: Issue,Opening Time,Açılış zamanı @@ -6642,6 +6711,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Şirket ismi aynı değil apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,"Çalışan Promosyonu, Promosyon Tarihinden önce gönderilemez" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} 'den daha eski hisse senedi işlemlerinin güncellenmesine izin verilmiyor +DocType: Employee Checkin,Employee Checkin,Çalışan Checkin apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},{0} Maddesi için başlangıç tarihi bitiş tarihinden az olmalıdır apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Müşteri teklifleri oluşturun DocType: Buying Settings,Buying Settings,Satın Alma Ayarları @@ -6663,6 +6733,7 @@ DocType: Job Card Time Log,Job Card Time Log,İş kartı zaman günlüğü DocType: Patient,Patient Demographics,Hasta Demografi DocType: Share Transfer,To Folio No,Folio'ya Hayır apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Operasyonlardan Nakit Akışı +DocType: Employee Checkin,Log Type,Günlük Tipi DocType: Stock Settings,Allow Negative Stock,Negatif Stoka İzin Ver apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Maddelerin hiçbiri miktar veya değerde herhangi bir değişiklik yapmamıştır. DocType: Asset,Purchase Date,Satınalma tarihi @@ -6707,6 +6778,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Çok Hiper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,İşletmenizin doğasını seçin. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Lütfen ay ve yılı seçiniz +DocType: Service Level,Default Priority,Varsayılan Öncelik DocType: Student Log,Student Log,Öğrenci Günlüğü DocType: Shopping Cart Settings,Enable Checkout,Ödeme İşlemini Etkinleştir apps/erpnext/erpnext/config/settings.py,Human Resources,İnsan kaynakları @@ -6735,7 +6807,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Shopify'ı ERPNext ile bağlayın DocType: Homepage Section Card,Subtitle,Alt yazı DocType: Soil Texture,Loam,verimli toprak -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tedarikçi> Tedarikçi Tipi DocType: BOM,Scrap Material Cost(Company Currency),Hurda Malzeme Maliyeti (Şirket Para Birimi) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,{0} Teslim Notu gönderilmemelidir DocType: Task,Actual Start Date (via Time Sheet),Gerçek Başlangıç Tarihi (Zaman Çizelgesi ile) @@ -6791,6 +6862,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dozaj DocType: Cheque Print Template,Starting position from top edge,Üst kenardan başlama pozisyonu apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Randevu Süresi (dak) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Bu çalışanın zaten aynı zaman damgasına sahip bir günlüğü var. {0} DocType: Accounting Dimension,Disable,Devre dışı DocType: Email Digest,Purchase Orders to Receive,Alınacak Siparişleri Satın Alın apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Productions Siparişleri için yükseltilemez: @@ -6806,7 +6878,6 @@ DocType: Production Plan,Material Requests,Malzeme Talepleri DocType: Buying Settings,Material Transferred for Subcontract,Taşeronluk İçin Aktarılan Malzeme DocType: Job Card,Timing Detail,Zamanlama Ayrıntısı apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Gerekli Açık -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{1} öğesinin {0} içeri aktarılması DocType: Job Offer Term,Job Offer Term,İş teklifi süresi DocType: SMS Center,All Contact,Tüm İletişim DocType: Project Task,Project Task,Proje görevi @@ -6857,7 +6928,6 @@ DocType: Student Log,Academic,Akademik apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Seri Numaraları için {0} maddesi ayarlanmadı. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Devletten DocType: Leave Type,Maximum Continuous Days Applicable,Uygulanabilir Maksimum Sürekli Günler -apps/erpnext/erpnext/config/support.py,Support Team.,Destek ekibi. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Lütfen önce şirket adını girin apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Başarılı İçe Aktar DocType: Guardian,Alternate Number,alternatif numara @@ -6949,6 +7019,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Satır # {0}: Öğe eklendi DocType: Student Admission,Eligibility and Details,Uygunluk ve Ayrıntılar DocType: Staffing Plan,Staffing Plan Detail,İşe Alma Planı Detayı +DocType: Shift Type,Late Entry Grace Period,Geç Giriş Grace Dönemi DocType: Email Digest,Annual Income,Yıllık gelir DocType: Journal Entry,Subscription Section,Abonelik Bölümü DocType: Salary Slip,Payment Days,Ödeme Günleri @@ -6999,6 +7070,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Hesap bakiyesi DocType: Asset Maintenance Log,Periodicity,periyodik olarak tekrarlanma apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Tıbbi kayıt +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Vardiyaya giren check-in işlemleri için Günlük Tipi gereklidir: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,infaz DocType: Item,Valuation Method,Değerleme Yöntemi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} Satış Faturasına karşı {1} @@ -7083,6 +7155,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Pozisyon Başına Tahm DocType: Loan Type,Loan Name,Kredi Adı apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Varsayılan ödeme modunu ayarla DocType: Quality Goal,Revision,Revizyon +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Check-out işleminin erken olduğu andan önceki süre (dakika olarak). DocType: Healthcare Service Unit,Service Unit Type,Servis Birimi Tipi DocType: Purchase Invoice,Return Against Purchase Invoice,Satınalma faturasına karşı iade apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Sırrı Yarat @@ -7238,12 +7311,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Makyaj malzemeleri DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Kullanıcıyı kaydetmeden önce bir dizi seçmeye zorlamak istiyorsanız bunu işaretleyin. Bunu kontrol ederseniz varsayılan olmayacak. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Bu role sahip olan kullanıcılar, dondurulmuş hesapları oluşturma ve dondurulmuş hesaplara karşı muhasebe girişleri oluşturma / değiştirme izinlerine sahiptir" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka DocType: Expense Claim,Total Claimed Amount,Toplam Alacak Tutarı apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},{1} işlemi için sonraki {0} gün içinde Zaman Yuvası bulunamıyor apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Sarma apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Üyeliğinizin süresi 30 gün içinde sona ererse, yalnızca yenileyebilirsiniz." apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Değer {0} ve {1} arasında olmalıdır DocType: Quality Feedback,Parameters,Parametreler +DocType: Shift Type,Auto Attendance Settings,Otomatik Devam Ayarları ,Sales Partner Transaction Summary,Satış Ortağı İşlem Özeti DocType: Asset Maintenance,Maintenance Manager Name,Bakım Müdürü Adı apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Öğe Ayrıntılarını getirmek gerekiyor. @@ -7335,10 +7410,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Uygulanan Kuralı Doğrula DocType: Job Card Item,Job Card Item,İş kartı kalemi DocType: Homepage,Company Tagline for website homepage,Web sitesi ana sayfası için Firma Tagline +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,{1} dizininde {0} Öncelik için Tepki Süresi ve Çözünürlük ayarını yapın. DocType: Company,Round Off Cost Center,Yuvarlama Maliyet Merkezi DocType: Supplier Scorecard Criteria,Criteria Weight,Ölçüt ağırlığı DocType: Asset,Depreciation Schedules,Amortisman Çizelgeleri -DocType: Expense Claim Detail,Claim Amount,Talep Tutarı DocType: Subscription,Discounts,İndirimler DocType: Shipping Rule,Shipping Rule Conditions,Nakliye Kuralı Koşulları DocType: Subscription,Cancelation Date,İptal tarihi @@ -7366,7 +7441,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Talep Oluştur apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Sıfır değerleri göster DocType: Employee Onboarding,Employee Onboarding,Çalışan Gemiye Alma DocType: POS Closing Voucher,Period End Date,Dönem Sonu Tarihi -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Kaynağa Göre Satış Fırsatları DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Listedeki ilk İzin Onayı varsayılan İzin Onayı olarak ayarlanacaktır. DocType: POS Settings,POS Settings,POS Ayarları apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Bütün hesaplar @@ -7387,7 +7461,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Banka apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Satır # {0}: Hız {1} ile aynı olmalıdır: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Sağlık Hizmeti Öğeleri -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,kayıt bulunamadı apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Yaşlanma aralığı 3 DocType: Vital Signs,Blood Pressure,Kan basıncı apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Hedef Açık @@ -7434,6 +7507,7 @@ DocType: Company,Existing Company,Mevcut şirket apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Partiler apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Savunma DocType: Item,Has Batch No,Toplu Hayır +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Gecikmeli Günler DocType: Lead,Person Name,Kişi Adı DocType: Item Variant,Item Variant,Öğe Varyantı DocType: Training Event Employee,Invited,Davetli @@ -7455,7 +7529,7 @@ DocType: Purchase Order,To Receive and Bill,Almak ve Faturalandırmak apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Başlangıç ve bitiş tarihleri geçerli bir Bordro Döneminde değil, {0} hesaplayamaz." DocType: POS Profile,Only show Customer of these Customer Groups,Sadece bu Müşteri Gruplarının Müşterisini gösterin apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Faturayı kaydetmek için öğeler seçin -DocType: Service Level,Resolution Time,Çözünürlük zaman +DocType: Service Level Priority,Resolution Time,Çözünürlük zaman DocType: Grading Scale Interval,Grade Description,Sınıf açıklaması DocType: Homepage Section,Cards,Kartlar DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kalite Toplantı Tutanakları @@ -7482,6 +7556,7 @@ DocType: Project,Gross Margin %,Brüt Kar Marjı% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Genel Muhasebe uyarınca hesap özeti bakiyesi apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Sağlık (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Satış Siparişi ve Teslimat Notu Oluşturulacak Varsayılan Depo +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,"{1} dizinindeki {0} yanıt süresi, Çözünürlük Zamanından büyük olamaz." DocType: Opportunity,Customer / Lead Name,Müşteri / Müşteri Adı DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Sahipsiz miktar @@ -7527,7 +7602,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Tarafları ve Adresleri İçe Aktarma DocType: Item,List this Item in multiple groups on the website.,Bu Ürünü web sitesinde çoklu gruplar halinde listeleyin. DocType: Request for Quotation,Message for Supplier,Tedarikçi için mesaj -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,"{0}, {1} Maddesi için Hisse Senedi İşlemi olarak değiştirilemiyor." DocType: Healthcare Practitioner,Phone (R),Telefon (R) DocType: Maintenance Team Member,Team Member,Takım üyesi DocType: Asset Category Account,Asset Category Account,Varlık Kategorisi Hesabı diff --git a/erpnext/translations/uk.csv b/erpnext/translations/uk.csv index f1abd954d2..457891e164 100644 --- a/erpnext/translations/uk.csv +++ b/erpnext/translations/uk.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Дата початку терміну apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Призначення {0} і рахунок-фактуру продажу {1} скасовано DocType: Purchase Receipt,Vehicle Number,Номер транспортного засобу apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Ваша електронна адреса... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Включити записи про книгу за замовчуванням +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Включити записи про книгу за замовчуванням DocType: Activity Cost,Activity Type,Тип діяльності DocType: Purchase Invoice,Get Advances Paid,Отримати плату за досягнення DocType: Company,Gain/Loss Account on Asset Disposal,Рахунок прибутків / збитків щодо видалення активів @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Що це роб DocType: Bank Reconciliation,Payment Entries,Платіжні записи DocType: Employee Education,Class / Percentage,Клас / Відсоток ,Electronic Invoice Register,Електронний реєстр рахунків-фактур +DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Номер виникнення, після якого виконується наслідок." DocType: Sales Invoice,Is Return (Credit Note),Є повернення (кредитна нотатка) +DocType: Price List,Price Not UOM Dependent,Ціна Не UOM Залежний DocType: Lab Test Sample,Lab Test Sample,Лабораторний тестовий зразок DocType: Shopify Settings,status html,статус html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Наприклад, 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Пошук пр DocType: Salary Slip,Net Pay,Чистий платіж apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Загальна сума рахунків-фактур DocType: Clinical Procedure,Consumables Invoice Separately,Витратні матеріали Фактура окремо +DocType: Shift Type,Working Hours Threshold for Absent,Порогова тривалість робочого часу для відсутності DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Бюджет не може бути призначений для облікового запису групи {0} DocType: Purchase Receipt Item,Rate and Amount,Тариф і сума @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Встановити сховище DocType: Healthcare Settings,Out Patient Settings,Налаштування пацієнта DocType: Asset,Insurance End Date,Дата закінчення страхування DocType: Bank Account,Branch Code,Кодекс відділення -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Час для відповіді apps/erpnext/erpnext/public/js/conf.js,User Forum,Форум користувачів DocType: Landed Cost Item,Landed Cost Item,Позиція вартості приземлення apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Продавець і покупець не можуть бути однаковими @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Ведучий власник DocType: Share Transfer,Transfer,Передача apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Елемент пошуку (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Надісланий результат +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,"Від дати не може бути більше, ніж на сьогоднішній день" DocType: Supplier,Supplier of Goods or Services.,Постачальник товарів або послуг. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Назва нового облікового запису. Примітка. Будь ласка, не створюйте облікові записи для клієнтів та постачальників" apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Студентська група або розклад курсу є обов'язковим @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,База д DocType: Skill,Skill Name,Ім'я навички apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Друк картки звітів DocType: Soil Texture,Ternary Plot,Потрійна ділянка -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Квитки на підтримку DocType: Asset Category Account,Fixed Asset Account,Обліковий запис основних засобів apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Останні @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Відстань UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Обов'язковий для балансу DocType: Payment Entry,Total Allocated Amount,Загальна виділена сума DocType: Sales Invoice,Get Advances Received,Отримати отримані аванси +DocType: Shift Type,Last Sync of Checkin,Остання синхронізація перевірки DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,"Сума податку, включена до вартості" apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,План підписки DocType: Student,Blood Group,Група крові apps/erpnext/erpnext/config/healthcare.py,Masters,Майстри DocType: Crop,Crop Spacing UOM,Обрізувати інтервал UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,"Час після початку зміни, коли реєстрація заїзду вважається пізньою (у хвилинах)." apps/erpnext/erpnext/templates/pages/home.html,Explore,Дослідіть +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Не знайдено жодних невиконаних рахунків apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} вакансій і {1} бюджету на {2} вже заплановано для дочірніх компаній {3}. Ви можете планувати лише {4} вакансій і бюджет {5} відповідно до плану персоналу {6} для материнської компанії {3}. DocType: Promotional Scheme,Product Discount Slabs,Сляби знижок для продукту @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Запит на відвідування DocType: Item,Moving Average,Ковзне середнє значення DocType: Employee Attendance Tool,Unmarked Attendance,Відсутність позначки DocType: Homepage Section,Number of Columns,Кількість стовпців +DocType: Issue Priority,Issue Priority,Пріоритет випуску DocType: Holiday List,Add Weekly Holidays,Додати тижневі свята DocType: Shopify Log,Shopify Log,Shopify Log apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Створіть плату заробітної плати @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Значення / опис DocType: Warranty Claim,Issue Date,Дата випуску 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}. Неможливо знайти окремий пакет, який відповідає цій вимозі" apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Не вдається створити бонус збереження для лівих співробітників +DocType: Employee Checkin,Location / Device ID,ID місцезнаходження / пристрою DocType: Purchase Order,To Receive,Отримати apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,"Ви перебуваєте в автономному режимі. Ви не зможете перезавантажити програму, доки ви не матимете мережі." DocType: Course Activity,Enrollment,Реєстрація @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Шаблон лабораторно apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Макс.: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Інформація про електронне виставлення рахунків відсутня apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Не створено жодного матеріалу -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товару> Група товарів> Марка DocType: Loan,Total Amount Paid,"Загальна сума, сплачена" apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Усі ці елементи вже виставлено на рахунок DocType: Training Event,Trainer Name,Назва тренера @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Прохання згадати провідну назву у лідирі {0} DocType: Employee,You can enter any date manually,Можна ввести будь-яку дату вручну DocType: Stock Reconciliation Item,Stock Reconciliation Item,Пункт примирення запасів +DocType: Shift Type,Early Exit Consequence,Наслідки раннього виходу DocType: Item Group,General Settings,Загальні налаштування apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Дата завершення не може бути до відправлення / Дата рахунку постачальника apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Введіть назву Бенефіціара перед поданням. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,Аудитор apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Підтвердження платежу ,Available Stock for Packing Items,Доступні запаси для упаковки apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Видаліть цей рахунок {0} з C-Form {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Кожен дійсний заїзд та виїзд DocType: Support Search Source,Query Route String,Рядок запиту маршруту DocType: Customer Feedback Template,Customer Feedback Template,Шаблон зворотного зв'язку із клієнтом apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Котирування до клієнтів або клієнтів. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Контроль авторизації ,Daily Work Summary Replies,Щоденна робота Підсумки відповідей apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Вас запросили до співпраці над проектом: {0} +DocType: Issue,Response By Variance,Відповідь за відхиленнями DocType: Item,Sales Details,Деталі продажів apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Листи для друку шаблонів друку. DocType: Salary Detail,Tax on additional salary,Податок на додаткову зарплату @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Адре DocType: Project,Task Progress,Прогрес виконання завдання DocType: Journal Entry,Opening Entry,Відкриття запису DocType: Bank Guarantee,Charges Incurred,Понесені витрати +DocType: Shift Type,Working Hours Calculation Based On,Розрахунок робочих годин на основі DocType: Work Order,Material Transferred for Manufacturing,Передані матеріали для виробництва DocType: Products Settings,Hide Variants,Сховати варіанти DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Вимкнути планування потужності та відстеження часу @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,Амортизація DocType: Guardian,Interests,Інтереси DocType: Purchase Receipt Item Supplied,Consumed Qty,Споживана кількість DocType: Education Settings,Education Manager,Менеджер з освіти +DocType: Employee Checkin,Shift Actual Start,Змінити дійсний початок DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Планувати журнали часу поза робочими годинами робочої станції. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Очки лояльності: {0} DocType: Healthcare Settings,Registration Message,Повідомлення про реєстрацію @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Рахунок-фактура вже створено для всіх розрахункових годин DocType: Sales Partner,Contact Desc,Contact Desc DocType: Purchase Invoice,Pricing Rules,Правила ціноутворення +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Оскільки існують існуючі транзакції щодо елемента {0}, не можна змінювати значення {1}" DocType: Hub Tracked Item,Image List,Список зображень DocType: Item Variant Settings,Allow Rename Attribute Value,Дозволити перейменувати значення атрибута -DocType: Price List,Price Not UOM Dependant,Ціна Не UOM Залежний apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Час (у хвилинах) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Основний DocType: Loan,Interest Income Account,Рахунок процентних доходів @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,Тип зайнятості apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Виберіть профіль POS DocType: Support Settings,Get Latest Query,Отримати останні запит DocType: Employee Incentive,Employee Incentive,Заохочення працівників +DocType: Service Level,Priorities,Пріоритети apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Додайте картки або спеціальні розділи на домашню сторінку DocType: Homepage,Hero Section Based On,Розділ Герой на основі DocType: Project,Total Purchase Cost (via Purchase Invoice),Загальна вартість покупки (через рахунок-фактуру) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,Виробництво DocType: Blanket Order Item,Ordered Quantity,Впорядкована кількість apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Рядок # {0}: Відхилене сховище є обов'язковим для відхиленого елемента {1} ,Received Items To Be Billed,Отримані елементи для виставлення рахунку -DocType: Salary Slip Timesheet,Working Hours,Робочі години +DocType: Attendance,Working Hours,Робочі години apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Режим оплати apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Елементи замовлення на купівлю не отримані вчасно apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Тривалість у днях @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,Нормативна інформація та інша загальна інформація про Вашого Постачальника DocType: Item Default,Default Selling Cost Center,Центр продажу за промовчанням DocType: Sales Partner,Address & Contacts,Адреса та контакти -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Встановіть послідовність нумерації для відвідування за допомогою налаштування> Серія нумерації DocType: Subscriber,Subscriber,Абонент apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) немає на складі apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Спочатку виберіть Дата публікації @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,% Повний метод DocType: Detected Disease,Tasks Created,Завдання створені apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Стандартна специфікація ({0}) повинна бути активною для цього елемента або його шаблону apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Комісія за комісію% -DocType: Service Level,Response Time,Час реакції +DocType: Service Level Priority,Response Time,Час реакції DocType: Woocommerce Settings,Woocommerce Settings,Налаштування Woocommerce apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Кількість повинна бути позитивною DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Заряди для ст DocType: Bank Statement Settings,Transaction Data Mapping,Зіставлення даних транзакцій apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,"Провідник вимагає або ім'я особи, або назву організації" DocType: Student,Guardians,Опікуни -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Будь ласка, налаштуйте систему назв інструктора в освіті> Параметри освіти" apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Виберіть бренд ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Середній дохід DocType: Shipping Rule,Calculate Based On,Розрахувати на основі @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Встановіт apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Існує запис про відвідування {0} щодо студента {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Дата здійснення операції apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Скасувати підписку +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Не вдалося встановити угоду про рівень обслуговування {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Сума чистої зарплати DocType: Account,Liability,Відповідальність DocType: Employee,Bank A/C No.,Банківський кондиціонер @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Код матеріалу сировини apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Рахунок-фактура покупки {0} уже надіслано DocType: Fees,Student Email,Студентська електронна пошта -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Рекурсія специфікації: {0} не може бути батьком або дитиною {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Отримати товари з медичних послуг apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Запис на акцію {0} не подано DocType: Item Attribute Value,Item Attribute Value,Значення атрибута елемента @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,Дозволити друкуват DocType: Production Plan,Select Items to Manufacture,Виберіть пункти для виготовлення DocType: Leave Application,Leave Approver Name,"Залишити ім'я, що затверджує" DocType: Shareholder,Shareholder,Акціонер -DocType: Issue,Agreement Status,Статус угоди apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Установки за умовчанням для операцій продажу. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Будь ласка, виберіть студентський прийом, який є обов'язковим для оплачуваного заявника студента" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Виберіть BOM @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Рахунок доходів apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Всі склади DocType: Contract,Signee Details,Деталі Signee +DocType: Shift Type,Allow check-out after shift end time (in minutes),Дозволити виїзд після закінчення зміни (у хвилинах) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Закупівлі DocType: Item Group,Check this if you want to show in website,"Позначте це, якщо хочете показати на веб-сайті" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Фіскальний рік {0} не знайдено @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Дата початку ам DocType: Activity Cost,Billing Rate,Платіжна ставка apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Попередження: інша {0} # {1} існує проти запису акцій {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,"Увімкніть Налаштування Карт Google, щоб оцінити та оптимізувати маршрути" +DocType: Purchase Invoice Item,Page Break,Розрив сторінки DocType: Supplier Scorecard Criteria,Max Score,Максимальна кількість балів apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Дата початку погашення не може бути до дати виплати. DocType: Support Search Source,Support Search Source,Підтримка джерела пошуку @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Мета цілі яко DocType: Employee Transfer,Employee Transfer,Передача працівників ,Sales Funnel,Воронка продажів DocType: Agriculture Analysis Criteria,Water Analysis,Аналіз води +DocType: Shift Type,Begin check-in before shift start time (in minutes),Початок реєстрації заїзду до початку часу зміни (у хвилинах) DocType: Accounts Settings,Accounts Frozen Upto,Рахунки Frozen Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Немає нічого для редагування. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Операція {0} довше, ніж будь-який доступний робочий час на робочій станції {1}, розбиває операцію на кілька операцій" @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Гр apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Замовлення на продаж {0} {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Затримка платежу (Дні) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Введіть деталі амортизації +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,PO клієнта apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Очікувана дата доставки має бути після дати замовлення на купівлю +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Кількість виробу не може бути нульовою apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Недійсний атрибут apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Виберіть BOM за елементом {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Тип рахунку-фактури @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,Дата обслуговуванн DocType: Volunteer,Afternoon,Вдень DocType: Vital Signs,Nutrition Values,Харчові значення DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Наявність лихоманки (температура> 38,5 ° C / 101,3 ° F або витримана температура> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Налаштуйте систему імен співробітників у людських ресурсах> Параметри HR apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC скасовано DocType: Project,Collect Progress,Збір прогресу apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Енергія @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,Програму налаштування ,Ordered Items To Be Billed,Впорядковані пункти для виставлення рахунків DocType: Taxable Salary Slab,To Amount,На суму DocType: Purchase Invoice,Is Return (Debit Note),Є повернення (дебетова нотатка) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія apps/erpnext/erpnext/config/desktop.py,Getting Started,Починаємо apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Об'єднати apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Неможливо змінити дату початку фінансового року та кінцеву дату фіскального року після збереження фінансового року. @@ -2215,8 +2231,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Фактична дата apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Дата початку обслуговування не може бути до дати поставки для серійного номера {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Рядок {0}: Обмінний курс є обов'язковим DocType: Purchase Invoice,Select Supplier Address,Виберіть Адреса постачальника +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Доступна кількість: {0}, потрібно {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Введіть секретний код користувача API DocType: Program Enrollment Fee,Program Enrollment Fee,Плата за участь у програмі +DocType: Employee Checkin,Shift Actual End,Зміна фактичного кінця DocType: Serial No,Warranty Expiry Date,Дата закінчення гарантії DocType: Hotel Room Pricing,Hotel Room Pricing,Ціни на готельні номери apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Зовнішні оподатковувані поставки (крім нульового, нульового та звільненого від оподаткування)" @@ -2276,6 +2294,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Читання 5 DocType: Shopping Cart Settings,Display Settings,Налаштування дисплея apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Будь ласка, встановіть кількість зарезервованих амортизацій" +DocType: Shift Type,Consequence after,Наслідком після apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,З чим тобі потрібна допомога? DocType: Journal Entry,Printing Settings,Параметри друку apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Банківська справа @@ -2285,6 +2304,7 @@ DocType: Purchase Invoice Item,PR Detail,Деталізація PR apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,"Адреса оплати така ж, як адреса доставки" DocType: Account,Cash,Готівка DocType: Employee,Leave Policy,Залишити політику +DocType: Shift Type,Consequence,Наслідок apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Адреса студента DocType: GST Account,CESS Account,Обліковий запис CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: для облікового запису "Прибуток і збиток" {2} потрібний центр витрат. Установіть для Компанії Центр витрат за умовчанням. @@ -2349,6 +2369,7 @@ DocType: GST HSN Code,GST HSN Code,Код GST HSN DocType: Period Closing Voucher,Period Closing Voucher,Ваучер закриття періоду apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Назва Guardian2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Введіть рахунок витрат +DocType: Issue,Resolution By Variance,Роздільна здатність за відхиленням DocType: Employee,Resignation Letter Date,Дата відставки листа DocType: Soil Texture,Sandy Clay,Сенді Клей DocType: Upload Attendance,Attendance To Date,Дата відвідування @@ -2361,6 +2382,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Переглянути зараз DocType: Item Price,Valid Upto,Дійсний Upto apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Посилання на Доктіп має бути однією з {0} +DocType: Employee Checkin,Skip Auto Attendance,Пропустити автоматичне відвідування DocType: Payment Request,Transaction Currency,Валюта операції DocType: Loan,Repayment Schedule,Графік погашення apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Створити запис про запас проб @@ -2432,6 +2454,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Признач DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Податки на купівлю POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Дія ініціалізована DocType: POS Profile,Applicable for Users,Застосовується для користувачів +,Delayed Order Report,Звіт із затримкою замовлення DocType: Training Event,Exam,Іспит apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,"Невірна кількість знайдених записів головної книги. Можливо, у транзакції вибрано неправильний обліковий запис." apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Трубопровід продажів @@ -2446,10 +2469,11 @@ DocType: Account,Round Off,Округляти DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Умови будуть застосовуватися до всіх вибраних об'єднань. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Налаштувати DocType: Hotel Room,Capacity,Потужність +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,Встановлено кількість apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Пакет {0} елемента {1} вимкнено. DocType: Hotel Room Reservation,Hotel Reservation User,Користувач бронювання готелів -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Робочий день повторювався двічі +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Угода про рівень обслуговування з типом об'єкта {0} і Entity {1} вже існує. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},"Група позицій, не згадана в головному заголовку для елемента {0}" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Помилка імені: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Територія обов'язкова в профілі POS @@ -2497,6 +2521,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Дата розкладу DocType: Packing Slip,Package Weight Details,Деталі ваги пакета DocType: Job Applicant,Job Opening,Відкриття роботи +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Остання відома успішна синхронізація перевірки працівника. Скиньте це, лише якщо ви впевнені, що всі журнали синхронізовані з усіх розташувань. Будь ласка, не змінюйте це, якщо ви не впевнені." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Фактична вартість apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),"Загальний аванс ({0}) проти замовлення {1} не може бути більшим, ніж загальна сума ({2})" apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Параметри позицій оновлено @@ -2541,6 +2566,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Довідка про п apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Отримати рахунки-фактури DocType: Tally Migration,Is Day Book Data Imported,Імпортовані дані книги "День" ,Sales Partners Commission,Комісія партнерів з продажу +DocType: Shift Type,Enable Different Consequence for Early Exit,Включити різні наслідки для раннього виходу apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Юридична DocType: Loan Application,Required by Date,Потрібно за датою DocType: Quiz Result,Quiz Result,Результат вікторини @@ -2600,7 +2626,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Фіна DocType: Pricing Rule,Pricing Rule,Правило ціноутворення apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Необов'язковий список відпусток не встановлено для періоду відпусток {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,"Установіть поле "Ідентифікатор користувача" у записі "Співробітник", щоб встановити роль "Службовець"" -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Час для розв'язання DocType: Training Event,Training Event,Тренувальний захід DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Нормальний кров'яний тиск спокою у дорослої людини становить приблизно 120 мм рт.ст. систолічного і 80 мм рт.ст. діастолічного, скорочено "120/80 мм рт.ст."" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Система вибере всі записи, якщо граничне значення дорівнює нулю." @@ -2644,6 +2669,7 @@ DocType: Woocommerce Settings,Enable Sync,Увімкнути синхроніз DocType: Student Applicant,Approved,Затверджено apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Від дати має бути протягом фінансового року. Припускаючи з дати = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Встановіть групу постачальників у налаштуваннях покупки. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} Недійсний статус відвідування. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Тимчасовий відкриваючий обліковий запис DocType: Purchase Invoice,Cash/Bank Account,Готівковий / банківський рахунок DocType: Quality Meeting Table,Quality Meeting Table,Таблиця зустрічей якості @@ -2679,6 +2705,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,Маркер MWS Auth apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Продукти харчування, напої та тютюнові вироби" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Графік курсу DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Пункт мудрий податок докладно +DocType: Shift Type,Attendance will be marked automatically only after this date.,Відвідування буде позначено автоматично лише після цієї дати. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,"Постачальники, виготовлені власникам UIN" apps/erpnext/erpnext/hooks.py,Request for Quotations,Запит на пропозиції apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Валюту не можна змінювати після внесення записів за допомогою іншої валюти @@ -2727,7 +2754,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Елемент від концентратора apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Процедура якості. DocType: Share Balance,No of Shares,Кількість акцій -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Рядок {0}: кількість не доступна для {4} на складі {1} під час публікації запису ({2} {3}) DocType: Quality Action,Preventive,Профілактика DocType: Support Settings,Forum URL,URL-адреса форуму apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Співробітник і відвідування @@ -2949,7 +2975,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Тип знижки DocType: Hotel Settings,Default Taxes and Charges,Податки та збори за умовчанням apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Це базується на операціях проти цього Постачальника. Докладніше див apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Максимальний розмір допомоги працівника {0} перевищує {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Введіть дату початку та завершення дії угоди. DocType: Delivery Note Item,Against Sales Invoice,Проти рахунку-фактури DocType: Loyalty Point Entry,Purchase Amount,Сума покупки apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Неможливо встановити як втрачено як замовлення на купівлю. @@ -2973,7 +2998,7 @@ DocType: Homepage,"URL for ""All Products""",URL-адреса для "Ус DocType: Lead,Organization Name,Назва організації apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Дійсні поля та допустимі поля обов'язкові для кумулятивного apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},"Рядок # {0}: Пакетний номер повинен бути таким, як {1} {2}" -DocType: Employee,Leave Details,Залишити деталі +DocType: Employee Checkin,Shift Start,Shift Start apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Фондові операції до {0} заморожені DocType: Driver,Issuing Date,Дата видачі apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Запитувач @@ -3018,9 +3043,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Деталі шаблону відображення грошового потоку apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Набір і навчання DocType: Drug Prescription,Interval UOM,Інтервал UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Налаштування періоду пільг для автоматичного відвідування apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,З валюти та валюти не може бути однаковою apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Фармацевтика DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Години підтримки apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} скасовано або закрито apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Рядок {0}: Аванс проти клієнта повинен бути кредитом apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Групувати за ваучером (консолідований) @@ -3130,6 +3157,7 @@ DocType: Asset Repair,Repair Status,Статус ремонту DocType: Territory,Territory Manager,Територія менеджера DocType: Lab Test,Sample ID,Ідентифікатор зразка apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Кошик порожній +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Учасники були відзначені як перевірки працівників apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Актив {0} має бути поданий ,Absent Student Report,Відсутній звіт студента apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Включено до валового прибутку @@ -3137,7 +3165,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,Сума фінансування apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не надіслано, щоб виконати дію неможливо" DocType: Subscription,Trial Period End Date,Дата закінчення пробного періоду +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Змінні записи як IN та OUT під час однієї зміни DocType: BOM Update Tool,The new BOM after replacement,Нова специфікація після заміни +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Постачальник> Тип постачальника apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Пункт 5 DocType: Employee,Passport Number,Номер паспорта apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Тимчасове відкриття @@ -3253,6 +3283,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Основні звіти apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Можливий постачальник ,Issued Items Against Work Order,Видані елементи проти робочого замовлення apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Створення {0} Рахунку-фактури +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Будь ласка, налаштуйте систему назв інструктора в освіті> Налаштування освіти" DocType: Student,Joining Date,Дата приєднання apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Запит на сайт DocType: Purchase Invoice,Against Expense Account,На рахунок рахунків @@ -3292,6 +3323,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Відповідні витрати ,Point of Sale,Касовий термінал DocType: Authorization Rule,Approving User (above authorized value),Затвердження користувача (вище уповноваженого значення) +DocType: Service Level Agreement,Entity,Суб'єкт apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Сума {0} {1} передана з {2} до {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Клієнт {0} не належить до проекту {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,З імені сторони @@ -3338,6 +3370,7 @@ DocType: Asset,Opening Accumulated Depreciation,Відкриття накопи DocType: Soil Texture,Sand Composition (%),Склад піску (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Дані книги імпорту +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Установіть Серія імен для {0} за допомогою пункту Налаштування> Налаштування> Серії імен DocType: Asset,Asset Owner Company,Компанія власника активів apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Витрати на місці виникнення витрат вимагаються для оформлення заяви про видатки apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} дійсний серійний номер для елемента {1} @@ -3398,7 +3431,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Власник активів apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Склад обов'язковий для товару {0} у рядку {1} DocType: Stock Entry,Total Additional Costs,Загальна сума додаткових витрат -DocType: Marketplace Settings,Last Sync On,Остання синхронізація увімкнено apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Установіть принаймні один рядок у таблиці "Податки та збори" DocType: Asset Maintenance Team,Maintenance Team Name,Назва команди технічного обслуговування apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Діаграма центрів витрат @@ -3414,12 +3446,12 @@ DocType: Sales Order Item,Work Order Qty,Кількість робіт на за DocType: Job Card,WIP Warehouse,WIP Warehouse DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ID користувача не встановлено для працівника {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Доступно кількість {0}, потрібно {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Створено користувача {0} DocType: Stock Settings,Item Naming By,Елемент іменування apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Замовлено apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,"Це група кореневих клієнтів, яку не можна редагувати." apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Запит матеріалу {0} скасовується або припиняється +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Строго на основі типу журналу у службі Checkin DocType: Purchase Order Item Supplied,Supplied Qty,Поставляється Кількість DocType: Cash Flow Mapper,Cash Flow Mapper,Картографічний потік DocType: Soil Texture,Sand,Пісок @@ -3478,6 +3510,7 @@ DocType: Lab Test Groups,Add new line,Додати новий рядок apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,"Дубльована група елементів, знайдена в таблиці групи елементів" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Річна заробітна плата DocType: Supplier Scorecard,Weighting Function,Функція зважування +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Помилка оцінки формули критеріїв ,Lab Test Report,Звіт про тестування лабораторії DocType: BOM,With Operations,За допомогою операцій @@ -3491,6 +3524,7 @@ DocType: Expense Claim Account,Expense Claim Account,Рахунок претен apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Відсутність виплат для журналу apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} неактивний студент apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Зробити запис про запас +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Рекурсія специфікації: {0} не може бути батьком чи дитиною {1} DocType: Employee Onboarding,Activities,Діяльності apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Принаймні один склад обов'язковий ,Customer Credit Balance,Кредитний баланс клієнтів @@ -3503,9 +3537,11 @@ DocType: Supplier Scorecard Period,Variables,Змінні apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Для клієнта знайдено декілька програм лояльності. Виберіть вручну. DocType: Patient,Medication,Ліки apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Виберіть Програму лояльності +DocType: Employee Checkin,Attendance Marked,Відзначено відвідуваність apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Сирі матеріали DocType: Sales Order,Fully Billed,Повністю виставляється рахунок apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Будь ласка, встановіть ціну в номері готелю на {}" +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Виберіть лише один пріоритет як стандартний. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},Ідентифікуйте / створіть обліковий запис (книга) для типу - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,"Загальна сума кредиту / дебету повинна бути такою ж, як і в зв'язаному журналі" DocType: Purchase Invoice Item,Is Fixed Asset,Фіксований актив @@ -3526,6 +3562,7 @@ DocType: Purpose of Travel,Purpose of Travel,Мета подорожі DocType: Healthcare Settings,Appointment Confirmation,Підтвердження призначення DocType: Shopping Cart Settings,Orders,Замовлення DocType: HR Settings,Retirement Age,Пенсійний вік +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Встановіть послідовність нумерації для відвідування за допомогою налаштування> Серія нумерації apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Прогнозована кількість apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Видалення заборонено для країни {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Рядок # {0}: Актив {1} вже {2} @@ -3609,11 +3646,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Бухгалтер apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Анонс ваучера закриття POS існує для {0} між датою {1} і {2} apps/erpnext/erpnext/config/help.py,Navigating,Навігація +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Жодні невиплачені рахунки не вимагають переоцінки валютного курсу DocType: Authorization Rule,Customer / Item Name,Назва клієнта / товару apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новий серійний номер не може мати Warehouse. Склад повинен бути встановлений за допомогою запису акцій або купівлі DocType: Issue,Via Customer Portal,Через портал клієнтів DocType: Work Order Operation,Planned Start Time,Плановий час початку apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} {2} +DocType: Service Level Priority,Service Level Priority,Пріоритет рівня обслуговування apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Кількість зарезервованих амортизацій не може перевищувати загальну кількість амортизацій apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Поділіться Леджером DocType: Journal Entry,Accounts Payable,Кредиторська заборгованість @@ -3724,7 +3763,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Доставка до DocType: Bank Statement Transaction Settings Item,Bank Data,Банківські дані apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Заплановано до початку -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Підтримуйте платіжні години та робочі години apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Провідний напрямок від джерела джерела. DocType: Clinical Procedure,Nursing User,Користувач для догляду DocType: Support Settings,Response Key List,Список ключових відповідей @@ -3892,6 +3930,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Фактичний час початку DocType: Antibiotic,Laboratory User,Користувач лабораторії apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Інтернет-аукціони +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Пріоритет {0} повторювався. DocType: Fee Schedule,Fee Creation Status,Статус створення плати apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Програмне забезпечення apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Замовлення на оплату @@ -3958,6 +3997,7 @@ DocType: Patient Encounter,In print,У друкованому вигляді apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Не вдалося отримати інформацію для {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Валюта розрахунку має бути рівною валюті компанії або валюті облікового запису партії apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Введіть ідентифікатор співробітника цього продавця продажів +DocType: Shift Type,Early Exit Consequence after,Наслідки раннього виходу після apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Створіть початкові рахунки продажу та купівлі DocType: Disease,Treatment Period,Період лікування apps/erpnext/erpnext/config/settings.py,Setting up Email,Налаштування електронної пошти @@ -3975,7 +4015,6 @@ DocType: Employee Skill Map,Employee Skills,Навички співробітн apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Ім'я студента: DocType: SMS Log,Sent On,Надіслано DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Рахунок-фактура -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Час відповіді не може перевищувати час дозволу DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Для студентської групи, яка базується на курсі, курс буде підтверджено для кожного студента з зарахованих курсів за програмою." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Внутрішньодержавні поставки DocType: Employee,Create User Permission,Створення дозволу користувача @@ -4014,6 +4053,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Стандартні умови контракту для продажу або купівлі. DocType: Sales Invoice,Customer PO Details,Клієнтські деталі PO apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Пацієнта не виявлено +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Виберіть пріоритет за умовчанням. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Вилучити елемент, якщо плата не застосовується до цього елемента" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Група клієнтів існує з однаковою назвою, будь ласка, змініть ім'я клієнта або перейменуйте групу клієнтів" 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. @@ -4053,6 +4093,7 @@ DocType: Quality Goal,Quality Goal,Цілі якості DocType: Support Settings,Support Portal,Портал підтримки apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Дата завершення завдання {0} не може бути меншою за {1} очікувану дату початку {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Співробітник {0} увімкнено на {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Ця Угода про рівень обслуговування є специфічною для клієнта {0} DocType: Employee,Held On,Відбудеться DocType: Healthcare Practitioner,Practitioner Schedules,Розклади практикуючих DocType: Project Template Task,Begin On (Days),Початок від (днів) @@ -4060,6 +4101,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Замовлення на роботу було {0} DocType: Inpatient Record,Admission Schedule Date,Дата прийому apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Коригування вартості активу +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Відзначте відвідуваність на основі 'Перевірки працівника' для співробітників, призначених для цієї зміни." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Постачання незареєстрованим особам apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Всі вакансії DocType: Appointment Type,Appointment Type,Тип призначення @@ -4173,7 +4215,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Вага брутто упаковки. Зазвичай маса нетто + вага пакувального матеріалу. (для друку) DocType: Plant Analysis,Laboratory Testing Datetime,Лабораторне тестування Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Елемент {0} не може мати пакет -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Трубопровід продажів на етапі apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Міцність студентської групи DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Введення транзакції з банківської виписки DocType: Purchase Order,Get Items from Open Material Requests,Отримати елементи з відкритих матеріалів @@ -4255,7 +4296,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Показати старіння складному DocType: Sales Invoice,Write Off Outstanding Amount,Списати непогашену суму DocType: Payroll Entry,Employee Details,Деталі співробітників -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,"Час початку не може бути більшим, ніж час завершення для {0}." DocType: Pricing Rule,Discount Amount,Сума знижки DocType: Healthcare Service Unit Type,Item Details,Деталі елемента apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Повторювана податкова декларація {0} за період {1} @@ -4308,7 +4348,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Чиста заробітна плата не може бути негативною apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,№ взаємодії 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/hr/doctype/employee/employee_dashboard.py,Shift,Shift +DocType: Attendance,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Обробка схеми рахунків та Сторін DocType: Stock Settings,Convert Item Description to Clean HTML,Перетворити опис елемента на очищення HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Всі групи постачальників @@ -4379,6 +4419,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Працев DocType: Healthcare Service Unit,Parent Service Unit,Відділ обслуговування батьків DocType: Sales Invoice,Include Payment (POS),Включити платіж (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Приватний капітал +DocType: Shift Type,First Check-in and Last Check-out,Перша реєстрація заїзду та остання реєстрація виїзду DocType: Landed Cost Item,Receipt Document,Документ отримання DocType: Supplier Scorecard Period,Supplier Scorecard Period,Період показників постачальника DocType: Employee Grade,Default Salary Structure,Структура заробітної плати за умовчанням @@ -4461,6 +4502,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Створити замовлення на купівлю apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Визначте бюджет на фінансовий рік. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Таблиця облікових записів не може бути порожньою. +DocType: Employee Checkin,Entry Grace Period Consequence,Наслідок вхідного періоду пільгового періоду ,Payment Period Based On Invoice Date,Період платежу на основі дати рахунку-фактури apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Дата встановлення не може бути до дати поставки для елемента {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Посилання на запит матеріалу @@ -4469,6 +4511,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Тип зіс apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Рядок {0}: запис про зміну порядку вже існує для цього складу {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Дата документа DocType: Monthly Distribution,Distribution Name,Назва розподілу +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Повторний робочий день {0}. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,"Групувати до групи, яка не є групою" apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Триває оновлення. Це може зайняти деякий час. DocType: Item,"Example: ABCD.##### @@ -4481,6 +4524,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Кількість палива apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Мобільний Ні DocType: Invoice Discounting,Disbursed,Виплачено +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Час після закінчення зміни, протягом якого вважається, що виїзд відбувається." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Чисті зміни кредиторської заборгованості apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Недоступний apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Неповний робочий день @@ -4494,7 +4538,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Поте apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Показати PDC у друку apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify Постачальник DocType: POS Profile User,POS Profile User,Користувач профілю POS -DocType: Student,Middle Name,Прізвище DocType: Sales Person,Sales Person Name,Ім'я продавця DocType: Packing Slip,Gross Weight,Вага брутто DocType: Journal Entry,Bill No,Рахунок № @@ -4503,7 +4546,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Но DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Угода про рівень обслуговування -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Спочатку виберіть Співробітник і Дата apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Ставка оцінки позиції перераховується з урахуванням суми ваучера земельної вартості DocType: Timesheet,Employee Detail,Деталь працівника DocType: Tally Migration,Vouchers,Ваучери @@ -4538,7 +4580,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Угода пр DocType: Additional Salary,Date on which this component is applied,"Дата, до якої застосовується цей компонент" apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Список доступних акціонерів з номерами фоліо apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Налаштування облікових записів шлюзу. -DocType: Service Level,Response Time Period,Період часу відповіді +DocType: Service Level Priority,Response Time Period,Період часу відповіді DocType: Purchase Invoice,Purchase Taxes and Charges,Купівля податків і зборів DocType: Course Activity,Activity Date,Дата діяльності apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Виберіть або додайте нового клієнта @@ -4563,6 +4605,7 @@ DocType: Sales Person,Select company name first.,Спочатку виберіт apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Фінансовий рік DocType: Sales Invoice Item,Deferred Revenue,Відкладений дохід apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Принаймні одна з опцій продажу або купівлі повинна бути обрана +DocType: Shift Type,Working Hours Threshold for Half Day,Порогові робочі години для півдня ,Item-wise Purchase History,Елемент-Мудрий Історія покупки apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Неможливо змінити дату зупинки служби для рядка {0} DocType: Production Plan,Include Subcontracted Items,Включіть елементи субпідряду @@ -4595,6 +4638,7 @@ DocType: Journal Entry,Total Amount Currency,Загальна валюта су DocType: BOM,Allow Same Item Multiple Times,Дозволити одне і те саме кілька разів apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Створити специфікацію DocType: Healthcare Practitioner,Charges,Збори +DocType: Employee,Attendance and Leave Details,Участь і залишити деталі DocType: Student,Personal Details,Особиста інформація DocType: Sales Order,Billing and Delivery Status,Стан оплати та доставки apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Рядок {0}: Для постачальника {0} Адреса електронної пошти потрібна для надсилання електронної пошти @@ -4646,7 +4690,6 @@ DocType: Bank Guarantee,Supplier,Постачальник apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Введіть значення між {0} і {1} DocType: Purchase Order,Order Confirmation Date,Дата підтвердження замовлення DocType: Delivery Trip,Calculate Estimated Arrival Times,Розрахунок розрахункового часу прибуття -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Налаштуйте систему імен співробітників у людських ресурсах> Параметри HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Споживана DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Дата початку підписки @@ -4669,7 +4712,7 @@ DocType: Installation Note Item,Installation Note Item,Примітка щодо DocType: Journal Entry Account,Journal Entry Account,Обліковий запис журналу apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Варіант apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Діяльність форуму -DocType: Service Level,Resolution Time Period,Період часу дозволу +DocType: Service Level Priority,Resolution Time Period,Період часу дозволу DocType: Request for Quotation,Supplier Detail,Деталь постачальника DocType: Project Task,View Task,Переглянути завдання DocType: Serial No,Purchase / Manufacture Details,Деталі купівлі / виробництва @@ -4736,6 +4779,7 @@ DocType: Sales Invoice,Commission Rate (%),Комісія за комісію (% DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Склад можна змінити тільки через запис про вхід / видачу акції / квитанцію про придбання DocType: Support Settings,Close Issue After Days,Закрити випуск після днів DocType: Payment Schedule,Payment Schedule,Графік платежів +DocType: Shift Type,Enable Entry Grace Period,Увімкнути пільговий період входу DocType: Patient Relation,Spouse,Дружина DocType: Purchase Invoice,Reason For Putting On Hold,Причина утримання DocType: Item Attribute,Increment,Інкремент @@ -4875,6 +4919,7 @@ DocType: Authorization Rule,Customer or Item,Клієнт або предмет DocType: Vehicle Log,Invoice Ref,Рахунок-фактура Ref apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-форма не застосовується до рахунку-фактури: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Рахунок створено +DocType: Shift Type,Early Exit Grace Period,Попередній пільговий період виходу DocType: Patient Encounter,Review Details,Деталі огляду apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Рядок {0}: Значення годин має бути більше нуля. DocType: Account,Account Number,Номер рахунку @@ -4886,7 +4931,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Застосовується, якщо компанією є SpA, SApA або SRL" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Перекриваються умови між: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Платні та не доставлені -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Код елемента є обов'язковим, оскільки елемент не пронумерований автоматично" DocType: GST HSN Code,HSN Code,Код HSN DocType: GSTR 3B Report,September,Вересень apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Адміністративні витрати @@ -4922,6 +4966,8 @@ DocType: Travel Itinerary,Travel From,Подорож з apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Рахунок CWIP DocType: SMS Log,Sender Name,Ім'я відправника DocType: Pricing Rule,Supplier Group,Група постачальників +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Встановіть час початку та час завершення для дня підтримки {0} у покажчику {1}. DocType: Employee,Date of Issue,Дата випуску ,Requested Items To Be Transferred,Запитувані елементи для перенесення DocType: Employee,Contract End Date,Дата закінчення контракту @@ -4932,6 +4978,7 @@ DocType: Healthcare Service Unit,Vacant,Вакантні DocType: Opportunity,Sales Stage,Етап продажів DocType: Sales Order,In Words will be visible once you save the Sales Order.,"У словах буде видно, коли ви збережете замовлення клієнта." DocType: Item Reorder,Re-order Level,Рівень повторного замовлення +DocType: Shift Type,Enable Auto Attendance,Увімкнути автоматичне відвідування apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Перевага ,Department Analytics,Відділ аналітики DocType: Crop,Scientific Name,Наукове ім'я @@ -4944,6 +4991,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},Статус {0} {1} DocType: Quiz Activity,Quiz Activity,Вікторина Діяльність apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} не дійсний період оплати праці DocType: Timesheet,Billed,Виставлено рахунок +apps/erpnext/erpnext/config/support.py,Issue Type.,Тип випуску. DocType: Restaurant Order Entry,Last Sales Invoice,Останні рахунки-фактури DocType: Payment Terms Template,Payment Terms,Терміни оплати apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Зарезервовано Кількість: Кількість, замовлена на продаж, але не доставлена." @@ -5039,6 +5087,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Актив apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} не має розкладу охорони здоров'я. Додайте його в майстер охорони здоров'я DocType: Vehicle,Chassis No,Шасі № +DocType: Employee,Default Shift,Стандартний Shift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Абревіатура компанії apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Дерево матеріалу DocType: Article,LMS User,Користувач LMS @@ -5087,6 +5136,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Батько-продавець DocType: Student Group Creation Tool,Get Courses,Отримати курси apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Рядок # {0}: Кількість повинна бути 1, оскільки елемент є основним засобом. Використовуйте окремий рядок для кількох кількох." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Час роботи, нижче якого відзначається Відсутність. (Нульовий для вимкнення)" DocType: Customer Group,Only leaf nodes are allowed in transaction,У транзакції допускаються лише вузли аркуша DocType: Grant Application,Organization,Організація DocType: Fee Category,Fee Category,Категорія плати @@ -5099,6 +5149,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Оновіть свій статус для цього навчального заходу DocType: Volunteer,Morning,Ранок DocType: Quotation Item,Quotation Item,Пункт котирування +apps/erpnext/erpnext/config/support.py,Issue Priority.,Пріоритет випуску. DocType: Journal Entry,Credit Card Entry,Введення кредитної картки apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Пропуск часового інтервалу, прорізи {0} до {1} перекривають існуючі слоти {2} до {3}" DocType: Journal Entry Account,If Income or Expense,Якщо дохід або витрати @@ -5149,11 +5200,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Імпорт даних і налаштування 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: Account,Expense Account,Рахунок витрат +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Час, що передує часу початку переходу, протягом якого працівник реєструється для відвідування." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Зв'язок з Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Створіть рахунок-фактуру apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Платіжний запит вже існує {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',"Співробітник, звільнений на {0}, повинен бути встановлений як "Ліворуч"" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Платіть {0} {1} +DocType: Company,Sales Settings,Налаштування продажів DocType: Sales Order Item,Produced Quantity,Вироблена кількість apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,"Запит на пропозицію можна отримати, натиснувши на наступне посилання" DocType: Monthly Distribution,Name of the Monthly Distribution,Назва щомісячного розподілу @@ -5232,6 +5285,7 @@ DocType: Company,Default Values,Значення за замовчуванням apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Створюються шаблони податків за замовчуванням для продажу та купівлі. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Тип залишення {0} не може бути перенесено apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Дебет В обліковому записі повинен бути дебіторський рахунок +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Встановіть обліковий запис на складі {0} або обліковий запис рекламних ресурсів за умовчанням у компанії {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Встановити за замовчуванням DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Вага нетто цієї упаковки. (розраховується автоматично як сума нетто ваги елементів) @@ -5258,8 +5312,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Термін дії пакетів закінчився DocType: Shipping Rule,Shipping Rule Type,Тип правила доставки DocType: Job Offer,Accepted,Прийнято -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Видаліть працівника {0}, щоб скасувати цей документ" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Ви вже оцінили критерії оцінки {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Виберіть Пакетні номери apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Вік (днів) @@ -5286,6 +5338,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Виберіть свої домени DocType: Agriculture Task,Task Name,Назва завдання apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Сторінки вже створені для робочого замовлення +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Видаліть працівника {0}, щоб скасувати цей документ" ,Amount to Deliver,Сума для доставки apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Компанія {0} не існує apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Немає знайдених запитів на розгляд матеріалу для посилання на вказані елементи. @@ -5335,6 +5389,7 @@ DocType: Program Enrollment,Enrolled courses,Записані курси DocType: Lab Prescription,Test Code,Код тестування DocType: Purchase Taxes and Charges,On Previous Row Total,На попередньому рядку Всього DocType: Student,Student Email Address,Адреса електронної пошти студента +,Delayed Item Report,Звіт із затримкою позиції DocType: Academic Term,Education,Освіта DocType: Supplier Quotation,Supplier Address,Адреса постачальника DocType: Salary Detail,Do not include in total,Не включайте в цілому @@ -5342,7 +5397,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} не існує DocType: Purchase Receipt Item,Rejected Quantity,Відхилене кількість DocType: Cashier Closing,To TIme,До TIme -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: Daily Work Summary Group User,Daily Work Summary Group User,Щоденний користувач групи резюме DocType: Fiscal Year Company,Fiscal Year Company,Компанія фінансового року apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Альтернативний пункт не повинен збігатися з кодом елемента @@ -5394,6 +5448,7 @@ DocType: Program Fee,Program Fee,Плата за програму DocType: Delivery Settings,Delay between Delivery Stops,Затримка між зупинками доставки DocType: Stock Settings,Freeze Stocks Older Than [Days],"Заморозити запаси старше, ніж [днів]" DocType: Promotional Scheme,Promotional Scheme Product Discount,Знижка на продукт зі знижкою +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Пріоритет випуску вже існує DocType: Account,Asset Received But Not Billed,"Отримані активи, але не виставлені рахунки" DocType: POS Closing Voucher,Total Collected Amount,Загальна зібрана сума DocType: Course,Default Grading Scale,Шкала класифікації за умовчанням @@ -5435,6 +5490,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Умови виконання apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Не входять до групи DocType: Student Guardian,Mother,Мати +DocType: Issue,Service Level Agreement Fulfilled,Виконано Угоду про рівень обслуговування DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Відрахування податку на незатребувані виплати працівникам DocType: Travel Request,Travel Funding,Фінансування подорожей DocType: Shipping Rule,Fixed,Виправлено @@ -5464,10 +5520,12 @@ DocType: Item,Warranty Period (in days),Гарантійний період (у apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Не знайдено жодного елемента. DocType: Item Attribute,From Range,З діапазону DocType: Clinical Procedure,Consumables,Витратні матеріали +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,"employee_field_value" і "timestamp" потрібні. DocType: Purchase Taxes and Charges,Reference Row #,Посилальний рядок # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Встановіть "Центр витрат на амортизацію активів" у компанії {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Рядок # {0}: Платіжний документ необхідний для завершення переходу DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,"Натисніть цю кнопку, щоб витягнути дані про замовлення клієнта з Amazon MWS." +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Час роботи, нижче якого відзначається півдня. (Нульовий для вимкнення)" ,Assessment Plan Status,Статус плану оцінки apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Спочатку виберіть {0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,"Надішліть це, щоб створити запис співробітника" @@ -5538,6 +5596,7 @@ DocType: Quality Procedure,Parent Procedure,Батьківська процед apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Встановити Відкрити apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Переключити фільтри DocType: Production Plan,Material Request Detail,Детальний запит на матеріал +DocType: Shift Type,Process Attendance After,Відвідування процесу після DocType: Material Request Item,Quantity and Warehouse,Кількість і склад apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Перейдіть до програми apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Рядок # {0}: Дубльований запис у літературі {1} {2} @@ -5595,6 +5654,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Інформація про партію apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Боржники ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,На сьогоднішній день не може перевищувати дату звільнення працівника +DocType: Shift Type,Enable Exit Grace Period,Увімкнути вихідний пільговий період DocType: Expense Claim,Employees Email Id,ID співробітників DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Оновлення ціни від Shopify To ERPNext прайс-лист DocType: Healthcare Settings,Default Medical Code Standard,Стандартний медичний код за замовчуванням @@ -5625,7 +5685,6 @@ DocType: Item Group,Item Group Name,Назва групи елементів DocType: Budget,Applicable on Material Request,Застосовується на запит на матеріал DocType: Support Settings,Search APIs,API пошуку DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Відсоток перевиробництва для замовлення на купівлю -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Технічні характеристики DocType: Purchase Invoice,Supplied Items,Постачаються товари DocType: Leave Control Panel,Select Employees,Виберіть співробітників apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Виберіть обліковий запис про прибутковий відсоток {0} @@ -5651,7 +5710,7 @@ DocType: Salary Slip,Deductions,Відрахування ,Supplier-Wise Sales Analytics,Аналітика продажів для постачальників DocType: GSTR 3B Report,February,Лютий DocType: Appraisal,For Employee,Для працівника -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Фактична дата доставки +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Фактична дата доставки DocType: Sales Partner,Sales Partner Name,Назва партнера по продажах apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Рядок амортизації {0}: початкова дата амортизації введена як минула дата DocType: GST HSN Code,Regional,Регіональні @@ -5690,6 +5749,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,А DocType: Supplier Scorecard,Supplier Scorecard,Таблиця показників постачальника DocType: Travel Itinerary,Travel To,Подорожувати до apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Марк Відвідування +DocType: Shift Type,Determine Check-in and Check-out,Визначте реєстрацію та виїзд DocType: POS Closing Voucher,Difference,Різниця apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Малий DocType: Work Order Item,Work Order Item,Елемент робочого замовлення @@ -5723,6 +5783,7 @@ DocType: Sales Invoice,Shipping Address Name,Ім'я адреси доста apps/erpnext/erpnext/healthcare/setup.py,Drug,Препарат apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} закрито DocType: Patient,Medical History,Медична історія +DocType: Expense Claim,Expense Taxes and Charges,Витрати і збори DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Кількість днів після закінчення дати рахунку-фактури перед скасуванням підписки або позначення підписки як неоплачуваної apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Примітка щодо встановлення {0} вже надіслана DocType: Patient Relation,Family,Сім'я @@ -5754,7 +5815,6 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 2,Пункт 2 apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on transactions.,"Ставки податку на утримання податків, що застосовуються до операцій." DocType: Dosage Strength,Strength,Сила DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush сировини субконтракта на основі -DocType: Bank Guarantee,Customer,Клієнт DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Якщо цей параметр увімкнено, поле Академічний термін буде обов'язковим у програмі реєстрації програми." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Для студентської групи, що базується на партіях, студентська партія буде перевірена для кожного студента з програми зарахування до програми." DocType: Course,Topics,Теми @@ -5834,6 +5894,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Члени глави DocType: Warranty Claim,Service Address,Адреса служби DocType: Journal Entry,Remark,Примітка +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Рядок {0}: кількість не доступна для {4} на складі {1} під час публікації запису ({2} {3}) DocType: Patient Encounter,Encounter Time,Час зустрічі DocType: Serial No,Invoice Details,Деталі рахунка-фактури apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Додаткові облікові записи можуть бути створені під групами, але записи можуть бути зроблені проти не-груп" @@ -5914,6 +5975,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock."," apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Закриття (Відкриття + Всього) DocType: Supplier Scorecard Criteria,Criteria Formula,Формула критеріїв apps/erpnext/erpnext/config/support.py,Support Analytics,Підтримка Analytics +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Ідентифікатор пристрою для відвідування apps/erpnext/erpnext/config/quality_management.py,Review and Action,Огляд і дії DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Якщо обліковий запис заблоковано, записи дозволені для обмежених користувачів." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Сума після амортизації @@ -5935,6 +5997,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Погашення кредиту DocType: Employee Education,Major/Optional Subjects,Основні / необов'язкові теми DocType: Soil Texture,Silt,Іл +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Адреса та контакти постачальників DocType: Bank Guarantee,Bank Guarantee Type,Тип банківської гарантії DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Якщо вимкнути, поле "Закруглене загальне" не буде видно в жодній транзакції" DocType: Pricing Rule,Min Amt,Min Amt @@ -5973,6 +6036,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Відкриття елемента інструменту створення рахунка-фактури DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Включити POS-операції +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},"Немає співробітника, знайденого для даного значення поля співробітника. '{}': {}" DocType: Payment Entry,Received Amount (Company Currency),Отримана сума (валюта компанії) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage є повним, не зберігає" DocType: Chapter Member,Chapter Member,Член глави @@ -6005,6 +6069,7 @@ DocType: SMS Center,All Lead (Open),Всі провідні (відкриті) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Не створено жодних студентських груп. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Дублювати рядок {0} з тим самим {1} DocType: Employee,Salary Details,Деталі заробітної плати +DocType: Employee Checkin,Exit Grace Period Consequence,Вихід з наступного періоду пільгового періоду DocType: Bank Statement Transaction Invoice Item,Invoice,Рахунок-фактура DocType: Special Test Items,Particulars,Особливості apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Установіть фільтр на основі елемента або складу @@ -6106,6 +6171,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Від АМК DocType: Job Opening,"Job profile, qualifications required etc.","Профіль роботи, необхідна кваліфікація тощо." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Судно до держави +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Ви бажаєте подати запит на матеріал DocType: Opportunity Item,Basic Rate,Основна ставка DocType: Compensatory Leave Request,Work End Date,Дата закінчення роботи apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Запит на сировину @@ -6291,6 +6357,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Амортизаційна с DocType: Sales Order Item,Gross Profit,Загальний прибуток DocType: Quality Inspection,Item Serial No,Елемент Серійний № DocType: Asset,Insurer,Страховик +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Сума покупки DocType: Asset Maintenance Task,Certificate Required,Необхідний сертифікат DocType: Retention Bonus,Retention Bonus,Бонус збереження @@ -6406,6 +6473,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Сума різни DocType: Invoice Discounting,Sanctioned,Санкціоновані DocType: Course Enrollment,Course Enrollment,Зарахування курсу DocType: Item,Supplier Items,Пункти постачальника +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Час початку не може бути більшим або рівним часу завершення для {0}. DocType: Sales Order,Not Applicable,Не застосовується DocType: Support Search Source,Response Options,Параметри відповіді apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} має бути значенням від 0 до 100 @@ -6492,7 +6561,6 @@ DocType: Travel Request,Costing,Вартість apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Фіксовані активи DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Загальна заробіток -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія DocType: Share Balance,From No,Від Ні DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Рахунок вирівнювання платежів DocType: Purchase Invoice,Taxes and Charges Added,Додані податки та збори @@ -6600,6 +6668,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Ігнорувати правило ціноутворення apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Їжа DocType: Lost Reason Detail,Lost Reason Detail,Деталь втраченої причини +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Створено такі серійні номери:
{0} DocType: Maintenance Visit,Customer Feedback,Відгуки клієнтів DocType: Serial No,Warranty / AMC Details,Гарантія / AMC Деталі DocType: Issue,Opening Time,Час відкриття @@ -6649,6 +6718,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Назва компанії не така apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Акція працівника не може бути подана до дати промоції apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Не дозволяється оновлювати біржові транзакції старше {0} +DocType: Employee Checkin,Employee Checkin,Працівник Checkin apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},"Дата початку має бути меншою, ніж дата завершення для елемента {0}" apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Створюйте котирування клієнтів DocType: Buying Settings,Buying Settings,Налаштування покупки @@ -6670,6 +6740,7 @@ DocType: Job Card Time Log,Job Card Time Log,Журнал часу роботи DocType: Patient,Patient Demographics,Демографія пацієнтів DocType: Share Transfer,To Folio No,До Фоліо Ні apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Грошовий потік від операцій +DocType: Employee Checkin,Log Type,Тип журналу DocType: Stock Settings,Allow Negative Stock,Дозволити мінус-запас apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Жодна з позицій не має змін у кількості або вартості. DocType: Asset,Purchase Date,Дата покупки @@ -6714,6 +6785,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Дуже гіпер apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Виберіть характер вашого бізнесу. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Виберіть місяць і рік +DocType: Service Level,Default Priority,Пріоритет за умовчанням DocType: Student Log,Student Log,Журнал студентів DocType: Shopping Cart Settings,Enable Checkout,Увімкнути Checkout apps/erpnext/erpnext/config/settings.py,Human Resources,Людські ресурси @@ -6742,7 +6814,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Зв'язати Shopify з ERPNext DocType: Homepage Section Card,Subtitle,Підзаголовок DocType: Soil Texture,Loam,Суглинки -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Постачальник> Тип постачальника DocType: BOM,Scrap Material Cost(Company Currency),Вартість матеріалу брухту (валюта компанії) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Примітку для доставки {0} не потрібно надсилати DocType: Task,Actual Start Date (via Time Sheet),Фактична дата початку (через аркуш часу) @@ -6798,6 +6869,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Дозування DocType: Cheque Print Template,Starting position from top edge,Початкове положення від верхнього краю apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Тривалість зустрічі (хв) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Цей співробітник вже має журнал з тією ж міткою. {0} DocType: Accounting Dimension,Disable,Вимкнути DocType: Email Digest,Purchase Orders to Receive,Замовлення на придбання apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Накази про виробництво неможливо підняти для: @@ -6813,7 +6885,6 @@ DocType: Production Plan,Material Requests,Запити на матеріали DocType: Buying Settings,Material Transferred for Subcontract,"Матеріал, переданий для субпідряду" DocType: Job Card,Timing Detail,Час деталізації apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Обов'язково ввімкнено -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Імпортування {0} з {1} DocType: Job Offer Term,Job Offer Term,Термін пропозиції роботи DocType: SMS Center,All Contact,Всі контакти DocType: Project Task,Project Task,Завдання проекту @@ -6864,7 +6935,6 @@ DocType: Student Log,Academic,Академічний apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Елемент {0} не встановлено для серійних номерів apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Від держави DocType: Leave Type,Maximum Continuous Days Applicable,Максимально можливі тривалі дні -apps/erpnext/erpnext/config/support.py,Support Team.,Команда підтримки. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Спочатку введіть назву компанії apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Імпортувати успішно DocType: Guardian,Alternate Number,Альтернативний номер @@ -6956,6 +7026,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Рядок # {0}: елемент додано DocType: Student Admission,Eligibility and Details,Прийнятність та деталі DocType: Staffing Plan,Staffing Plan Detail,Деталізація кадрового плану +DocType: Shift Type,Late Entry Grace Period,Пізній вступний пільговий період DocType: Email Digest,Annual Income,Річний дохід DocType: Journal Entry,Subscription Section,Розділ підписки DocType: Salary Slip,Payment Days,Платіжні дні @@ -7006,6 +7077,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Баланс DocType: Asset Maintenance Log,Periodicity,Періодичність apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Медичний запис +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,"Тип журналу необхідний для реєстрації, що падає в зміну: {0}." apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Виконання DocType: Item,Valuation Method,Метод оцінки apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} проти рахунку-фактури продажу {1} @@ -7090,6 +7162,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Орієнтовна DocType: Loan Type,Loan Name,Назва позики apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Встановіть стандартний спосіб оплати DocType: Quality Goal,Revision,Перегляд +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,"Час до закінчення зміни, коли виїзд вважається ранньою (у хвилинах)." DocType: Healthcare Service Unit,Service Unit Type,Тип одиниці обслуговування DocType: Purchase Invoice,Return Against Purchase Invoice,Повернення проти рахунку-фактури apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Створити секрет @@ -7245,12 +7318,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Косметика DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Позначте цей пункт, якщо ви бажаєте змусити користувача вибрати серію перед збереженням. За умовчанням не буде встановлено значення." DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Користувачам з цією роллю дозволяється встановлювати заморожені облікові записи та створювати / змінювати бухгалтерські записи щодо заморожених рахунків +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товару> Група товарів> Марка DocType: Expense Claim,Total Claimed Amount,Загальна заявлена сума 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} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Підведенню apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,"Поновлюється лише тоді, коли термін дії вашого членства закінчується протягом 30 днів" apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Значення має бути між {0} і {1} DocType: Quality Feedback,Parameters,Параметри +DocType: Shift Type,Auto Attendance Settings,Параметри автоматичного відвідування ,Sales Partner Transaction Summary,Підсумок транзакцій партнера по продажах DocType: Asset Maintenance,Maintenance Manager Name,Ім'я менеджера з обслуговування apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Потрібно отримати параметри елемента. @@ -7342,10 +7417,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Перевірити прикладне правило DocType: Job Card Item,Job Card Item,Предмет вакансії DocType: Homepage,Company Tagline for website homepage,Структура компанії для домашньої сторінки веб-сайту +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Встановіть час відгуку та роздільну здатність для пріоритету {0} у індексі {1}. DocType: Company,Round Off Cost Center,Центр округлення витрат DocType: Supplier Scorecard Criteria,Criteria Weight,Критерії ваги DocType: Asset,Depreciation Schedules,Плани амортизації -DocType: Expense Claim Detail,Claim Amount,Сума претензії DocType: Subscription,Discounts,Знижки DocType: Shipping Rule,Shipping Rule Conditions,Умови правил доставки DocType: Subscription,Cancelation Date,Дата скасування @@ -7373,7 +7448,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Створити по apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Показати нульові значення DocType: Employee Onboarding,Employee Onboarding,Співробітник Onboarding DocType: POS Closing Voucher,Period End Date,Дата закінчення періоду -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Можливості продажу за джерелами DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Перший затверджувач відпусток у списку буде встановлено як стандартний параметр Leave Approver. DocType: POS Settings,POS Settings,Параметри POS apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Усі облікові записи @@ -7394,7 +7468,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Бан apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Рядок # {0}: тариф повинен бути таким, як {1}: {2} ({3} / {4})" DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Предмети охорони здоров'я -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Записів не знайдено apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Діапазон старіння 3 DocType: Vital Signs,Blood Pressure,Кров'яний тиск apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Ціль увімкнено @@ -7441,6 +7514,7 @@ DocType: Company,Existing Company,Існуюча компанія apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Пакети apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Оборона DocType: Item,Has Batch No,Має партійний № +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Затримані дні DocType: Lead,Person Name,Ім'я особи DocType: Item Variant,Item Variant,Пункт Варіант DocType: Training Event Employee,Invited,Запрошено @@ -7462,7 +7536,7 @@ DocType: Purchase Order,To Receive and Bill,Отримати і Білл apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Початкові та кінцеві дати, які не є дійсним періодом нарахування заробітної плати, не можуть обчислити {0}." DocType: POS Profile,Only show Customer of these Customer Groups,Показувати лише клієнта цих груп клієнтів apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,"Виберіть елементи, щоб зберегти рахунок-фактуру" -DocType: Service Level,Resolution Time,Час вирішення +DocType: Service Level Priority,Resolution Time,Час вирішення DocType: Grading Scale Interval,Grade Description,Опис класу DocType: Homepage Section,Cards,Карти DocType: Quality Meeting Minutes,Quality Meeting Minutes,Протокол засідань якості @@ -7489,6 +7563,7 @@ DocType: Project,Gross Margin %,Валовий дохід % apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Баланс банківських рахунків відповідно до Головної книги apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Охорона здоров'я (бета-версія) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Стандартний склад для створення замовлення замовника на купівлю та примітки щодо доставки +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,"Час відповіді для {0} при покажчику {1} не може бути більшим, ніж час дозволу." DocType: Opportunity,Customer / Lead Name,Клієнт / ім'я керівника DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Незатребувана сума @@ -7535,7 +7610,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Імпортуючі Сторони та Адреси DocType: Item,List this Item in multiple groups on the website.,Перерахуйте цей елемент у кількох групах на веб-сайті. DocType: Request for Quotation,Message for Supplier,Повідомлення для постачальника -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,"Неможливо змінити {0}, оскільки існує фондова транзакція для елемента {1}." DocType: Healthcare Practitioner,Phone (R),Телефон (R) DocType: Maintenance Team Member,Team Member,Член команди DocType: Asset Category Account,Asset Category Account,Обліковий запис категорії активів diff --git a/erpnext/translations/ur.csv b/erpnext/translations/ur.csv index 4939e26302..88d68d2a8e 100644 --- a/erpnext/translations/ur.csv +++ b/erpnext/translations/ur.csv @@ -76,7 +76,7 @@ DocType: Academic Term,Term Start Date,ٹرم کی تاریخ شروع apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,تقرری {0} اور سیلز انوائس {1} منسوخ کردی گئی DocType: Purchase Receipt,Vehicle Number,گاڑی نمبر apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,آپ کا ای میل ایڈریس ... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,ڈیفالٹ کتاب اندراج شامل کریں +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,ڈیفالٹ کتاب اندراج شامل کریں DocType: Activity Cost,Activity Type,سرگرمی کی قسم DocType: Purchase Invoice,Get Advances Paid,ادا کی جاتی ہے DocType: Company,Gain/Loss Account on Asset Disposal,اثاثوں کے ضائع ہونے پر فائدہ / نقصان کا اکاؤنٹ @@ -221,7 +221,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,یہ کیا کر DocType: Bank Reconciliation,Payment Entries,ادائیگی کے اندراج DocType: Employee Education,Class / Percentage,کلاس / فی صد ,Electronic Invoice Register,الیکٹرانک انوائس رجسٹر +DocType: Shift Type,The number of occurrence after which the consequence is executed.,واقعے کی تعداد جس کے نتیجے میں عملدرآمد کیا جاتا ہے. DocType: Sales Invoice,Is Return (Credit Note),کیا واپسی ہے (کریڈٹ نوٹ) +DocType: Price List,Price Not UOM Dependent,قیمت UOM کی حیثیت نہیں ہے DocType: Lab Test Sample,Lab Test Sample,لیب ٹیسٹنگ نمونہ DocType: Shopify Settings,status html,حیثیت HTML DocType: Fiscal Year,"For e.g. 2012, 2012-13",2012 کے طور پر، 2012-13 @@ -323,6 +325,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,مصنوعات DocType: Salary Slip,Net Pay,نیٹ ورک apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,کل انوائس ایم ٹی ٹی DocType: Clinical Procedure,Consumables Invoice Separately,الگ الگ انوائس الگ الگ +DocType: Shift Type,Working Hours Threshold for Absent,غیر حاضری کے لئے کام کے گھنٹے تھراشولڈ DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.- ایم ایم. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},بجٹ گروپ اکاؤنٹ کے خلاف مقرر نہیں کیا جاسکتا ہے {0} DocType: Purchase Receipt Item,Rate and Amount,شرح اور رقم @@ -377,7 +380,6 @@ DocType: Sales Invoice,Set Source Warehouse,ماخذ گودام سیٹ کریں DocType: Healthcare Settings,Out Patient Settings,باہر مریض کی ترتیبات DocType: Asset,Insurance End Date,انشورنس اختتام کی تاریخ DocType: Bank Account,Branch Code,برانچ کوڈ -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,جواب دینے کا وقت apps/erpnext/erpnext/public/js/conf.js,User Forum,صارف فورم DocType: Landed Cost Item,Landed Cost Item,لینڈڈ لاگت آئٹم apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,بیچنے والا اور خریدار ایک ہی نہیں ہو سکتا @@ -594,6 +596,7 @@ DocType: Lead,Lead Owner,مالک کی قیادت DocType: Share Transfer,Transfer,منتقلی apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),تلاش آئٹم (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} نتیجہ جمع کر دیا گیا +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,تاریخ سے تاریخ سے زیادہ سے زیادہ نہیں ہوسکتی ہے DocType: Supplier,Supplier of Goods or Services.,سامان یا خدمات کے سپلائر. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,نیا اکاؤنٹ کا نام نوٹ: برائے مہربانی گاہکوں اور سپلائرز کے لئے اکاؤنٹس نہیں بنائیں apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,طالب علم گروپ یا کورس شیڈول لازمی ہے @@ -887,6 +890,7 @@ DocType: Delivery Trip,Distance UOM,فاصلہ UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,بیلنس شیٹ کے لئے لازمی DocType: Payment Entry,Total Allocated Amount,کل مختص کردہ رقم DocType: Sales Invoice,Get Advances Received,حاصل کی جاتی ہے +DocType: Shift Type,Last Sync of Checkin,چیکین کے آخری مطابقت پذیری DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,آئٹم ٹیکس کی قیمت ویلیو میں شامل ہے apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -895,7 +899,9 @@ DocType: Subscription Plan,Subscription Plan,سبسکرپشن کی منصوبہ DocType: Student,Blood Group,خون گروپ apps/erpnext/erpnext/config/healthcare.py,Masters,ماسٹر DocType: Crop,Crop Spacing UOM,فصلوں کی جگہ UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,شفٹ شروع ہونے کے بعد وقت دیر سے (منٹ میں) کے طور پر سمجھا جاتا ہے. apps/erpnext/erpnext/templates/pages/home.html,Explore,تلاش کریں +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,کوئی بقایا رسید نہیں ملا apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{2} کے خالی خیز اور {1} بجٹ {2} کے پہلے سے ہی {3} کی ماتحت کمپنیوں کے لئے منصوبہ بندی کی گئی ہے. آپ والدین {3} کے لئے اسٹافنگ پلان {6} کے مطابق {4} خالی اور بجٹ {5} تک صرف آپ کی منصوبہ بندی کر سکتے ہیں. DocType: Promotional Scheme,Product Discount Slabs,پروڈکٹ ڈسکاؤنٹ سلیبس @@ -997,6 +1003,7 @@ DocType: Attendance,Attendance Request,حاضری کی درخواست DocType: Item,Moving Average,اوسط منتقل DocType: Employee Attendance Tool,Unmarked Attendance,نشان زدہ حاضری DocType: Homepage Section,Number of Columns,کالم کی تعداد +DocType: Issue Priority,Issue Priority,مسئلہ کی ترجیح DocType: Holiday List,Add Weekly Holidays,ہفتہ وار چھٹیوں میں شامل کریں DocType: Shopify Log,Shopify Log,Shopify لاگ ان apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,تنخواہ پرچی بنائیں @@ -1005,6 +1012,7 @@ DocType: Job Offer Term,Value / Description,ویلیو / تفصیل DocType: Warranty Claim,Issue Date,تاریخ اجراء 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} کیلئے ایک بیچ منتخب کریں. واحد بیچ تلاش کرنے میں ناکام ہے جو اس ضرورت کو پورا کرتی ہے apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,بائیں ملازمتوں کے لئے رکاوٹ بونس نہیں بن سکتا +DocType: Employee Checkin,Location / Device ID,مقام / ڈیوائس کی شناخت DocType: Purchase Order,To Receive,وصول کرنے کے لئے apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,آپ آف لائن موڈ میں ہیں. آپ نیٹ ورک نہیں ہونے تک آپ دوبارہ لوڈ نہیں کرسکیں گے. DocType: Course Activity,Enrollment,اندراج @@ -1013,7 +1021,6 @@ DocType: Lab Test Template,Lab Test Template,لیب ٹیسٹنگ سانچہ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},زیادہ سے زیادہ: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,ای انوائسنگ کی معلومات لاپتہ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,کوئی مواد نہیں بنائی گئی -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ DocType: Loan,Total Amount Paid,ادا کردہ کل رقم apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,یہ تمام اشیاء پہلے سے ہی انوائس کیے گئے ہیں DocType: Training Event,Trainer Name,ٹرینر کا نام @@ -1124,6 +1131,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},براہ کرم لیڈ نام {0} میں ذکر کریں. DocType: Employee,You can enter any date manually,آپ دستی طور پر کسی بھی تاریخ درج کر سکتے ہیں DocType: Stock Reconciliation Item,Stock Reconciliation Item,اسٹاک انفیکشن آئٹم +DocType: Shift Type,Early Exit Consequence,ابتدائی باہر نکلنے کا عدم استحکام DocType: Item Group,General Settings,عام ترتیبات apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,پوسٹنگ / سپلائر انوائس کی تاریخ سے پہلے کی وجہ سے تاریخ نہیں ہوسکتی ہے apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,جمع کرنے سے پہلے فائدہ اٹھانے کا نام درج کریں. @@ -1161,6 +1169,7 @@ DocType: Account,Auditor,آڈیٹر apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,ادائیگی کی تصدیق ,Available Stock for Packing Items,پیکنگ اشیا کے لئے دستیاب اسٹاک apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},براہ کرم اس انوائس {0} کو C-Form {1} سے ہٹائیں. +DocType: Shift Type,Every Valid Check-in and Check-out,ہر قابل چیک چیک اور چیک آؤٹ DocType: Support Search Source,Query Route String,سوال روٹری سٹرنگ DocType: Customer Feedback Template,Customer Feedback Template,کسٹمر تاثرات سانچہ apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,لیڈز یا گاہکوں کو حوالہ دیتے ہیں. @@ -1195,6 +1204,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,اختیار کنٹرول ,Daily Work Summary Replies,ڈیلی کام خلاصہ جوابات apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},آپ کو منصوبے پر تعاون کرنے کیلئے مدعو کیا گیا ہے: {0} +DocType: Issue,Response By Variance,مختلف قسم کے جواب DocType: Item,Sales Details,سیلز کی تفصیلات apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,پرنٹ ٹیمپلیٹس کے لئے خط کے سربراہان. DocType: Salary Detail,Tax on additional salary,اضافی تنخواہ پر ٹیکس @@ -1317,6 +1327,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,کسٹم DocType: Project,Task Progress,ٹاسک ترقی DocType: Journal Entry,Opening Entry,داخلہ کھولنے DocType: Bank Guarantee,Charges Incurred,چارجز لاگت +DocType: Shift Type,Working Hours Calculation Based On,کام کرنے کے گھنٹے کی بنیاد پر حساب کی بنیاد پر DocType: Work Order,Material Transferred for Manufacturing,مینوفیکچرنگ کے لئے منتقل شدہ مواد DocType: Products Settings,Hide Variants,متغیرات چھپائیں DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,صلاحیت کی منصوبہ بندی اور وقت ٹریکنگ کو غیر فعال کریں @@ -1346,6 +1357,7 @@ DocType: Account,Depreciation,فرسودگی DocType: Guardian,Interests,دلچسپی DocType: Purchase Receipt Item Supplied,Consumed Qty,استعمال شدہ مقدار DocType: Education Settings,Education Manager,تعلیم مینیجر +DocType: Employee Checkin,Shift Actual Start,اصل آغاز کو شفٹ کریں DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,کارکن کا کام کرنے والے گھنٹوں کے باہر منصوبہ کا وقت لاگ ان. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},وفادار پوائنٹس: {0} DocType: Healthcare Settings,Registration Message,رجسٹریشن پیغام @@ -1372,7 +1384,6 @@ DocType: Sales Partner,Contact Desc,رابطہ کی تفصیلات DocType: Purchase Invoice,Pricing Rules,قیمتوں کا تعین کے قواعد DocType: Hub Tracked Item,Image List,تصویر کی فہرست DocType: Item Variant Settings,Allow Rename Attribute Value,خصوصیت قیمت کا نام تبدیل کرنے کی اجازت دیں -DocType: Price List,Price Not UOM Dependant,قیمت UOM کی حیثیت نہیں ہے apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),وقت (منٹ میں) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,بنیادی DocType: Loan,Interest Income Account,منافع آمدنی اکاؤنٹ @@ -1382,6 +1393,7 @@ DocType: Employee,Employment Type,روزگار کی قسم apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,POS پروفائل منتخب کریں DocType: Support Settings,Get Latest Query,تازہ ترین سوالات حاصل کریں DocType: Employee Incentive,Employee Incentive,ملازم انوائشی +DocType: Service Level,Priorities,ترجیحات apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,ہوم پیج پر کارڈز یا اپنی مرضی کے سیکشن شامل کریں DocType: Homepage,Hero Section Based On,ہیرو سیکشن پر مبنی ہے DocType: Project,Total Purchase Cost (via Purchase Invoice),کل خریداری کی لاگت (خریداری انوائس کے ذریعے) @@ -1442,7 +1454,7 @@ DocType: Work Order,Manufacture against Material Request,مواد کی درخو DocType: Blanket Order Item,Ordered Quantity,حکم دیا مقدار apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},قطار # {0}: ردعمل گودام ہاؤس {1} کے خلاف لازمی ہے ,Received Items To Be Billed,وصول ہونے والی اشیاء وصول ہونے کے لئے -DocType: Salary Slip Timesheet,Working Hours,کام کے اوقات +DocType: Attendance,Working Hours,کام کے اوقات apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,ادائیگی کا طریقہ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,وقت پر موصول نہیں آرڈر آرڈر apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,دنوں میں دورانیہ @@ -1560,7 +1572,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,قانونی معلومات اور آپ کے سپلائر کے بارے میں دیگر عام معلومات DocType: Item Default,Default Selling Cost Center,ڈیفالٹ فروخت لاگت سینٹر DocType: Sales Partner,Address & Contacts,ایڈریس اور رابطے -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,سیٹ اپ> نمبر نمبر کے ذریعہ حاضری کے لئے براہ کرم سلسلہ نمبر سیٹ کریں DocType: Subscriber,Subscriber,سبسکرائب apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,پہلے پوسٹنگ کی تاریخ منتخب کریں DocType: Supplier,Mention if non-standard payable account,یاد رکھیں کہ غیر معاوضہ قابل ادائیگی اکاؤنٹ @@ -1570,7 +1581,7 @@ DocType: Project,% Complete Method,مکمل طریقہ DocType: Detected Disease,Tasks Created,ٹاسک بنائیں apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,پہلے سے طے شدہ بوم ({0}) اس شے یا اس کے سانچے کے لئے فعال ہونا ضروری ہے apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,کمیشن کی شرح٪ -DocType: Service Level,Response Time,جواب وقت +DocType: Service Level Priority,Response Time,جواب وقت DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce ترتیبات apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,مقدار مثبت ہونا ضروری ہے DocType: Contract,CRM,CRM @@ -1587,7 +1598,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,بیماری کا دور DocType: Bank Statement Settings,Transaction Data Mapping,ٹرانزیکشن ڈیٹا میپنگ apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,ایک لیڈ یا تو ایک شخص کا نام یا ایک تنظیم کے نام کی ضرورت ہوتی ہے DocType: Student,Guardians,ساتھیوں -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,براہ کرم تعلیم> تعلیم کی ترتیبات میں انسٹریکٹر نامی نظام قائم کریں apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,برانڈ منتخب کریں ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,درمیانی آمدنی DocType: Shipping Rule,Calculate Based On,پر مبنی حساب @@ -1624,6 +1634,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,ایک ہدف مق apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},حاضری کا ریکارڈ {0} طالب علم کے خلاف موجود ہے {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,ٹرانزیکشن کی تاریخ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,سبسکرائب کریں منسوخ کریں +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,سروس کی سطح کا معاہدہ مقرر نہیں کیا جا سکا {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,نیٹ تنخواہ کی رقم DocType: Account,Liability,ذمہ داری DocType: Employee,Bank A/C No.,بینک اے / سی نمبر @@ -1689,7 +1700,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,خام مال آئٹم کوڈ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,خریداری کی انوائس {0} پہلے ہی پیش کی گئی ہے DocType: Fees,Student Email,طالب علم ای میل -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM کی تلاوت: {0} والدین یا بچے نہیں ہوسکتے ہیں {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,صحت کی خدمات سے متعلق اشیاء حاصل کریں apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,اسٹاک انٹری {0} جمع نہیں ہے DocType: Item Attribute Value,Item Attribute Value,آئٹم کی خصوصیت قیمت @@ -1713,7 +1723,6 @@ DocType: POS Profile,Allow Print Before Pay,ادائیگی سے پہلے پرن DocType: Production Plan,Select Items to Manufacture,مینوفیکچررز کو منتخب کریں DocType: Leave Application,Leave Approver Name,تقریبا نام چھوڑ دو DocType: Shareholder,Shareholder,شیئر ہولڈر -DocType: Issue,Agreement Status,معاہدے کی حیثیت apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,ٹرانزیکشن فروخت کرنے کے لئے ڈیفالٹ ترتیبات. apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,برائے مہربانی طالب علم داخلہ منتخب کریں جو ادا طلبہ کے درخواست دہندگان کے لئے لازمی ہے apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOM منتخب کریں @@ -1974,6 +1983,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,آمدنی کا اکاؤنٹ apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,تمام گوداموں DocType: Contract,Signee Details,دستخط کی تفصیلات +DocType: Shift Type,Allow check-out after shift end time (in minutes),شفٹ کے اختتام کے وقت کے بعد چیک آؤٹ کی اجازت دیں (منٹ میں) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,حصولی کے DocType: Item Group,Check this if you want to show in website,اگر یہ ایرر برقرار رہے تو ہمارے ہیلپ ڈیسک سے رابطہ کریں apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,مالی سال {0} نہیں ملا @@ -2039,6 +2049,7 @@ DocType: Asset Finance Book,Depreciation Start Date,استحکام کی تاری DocType: Activity Cost,Billing Rate,بلنگ کی شرح apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},انتباہ: اسٹاک انٹری {2} کے خلاف ایک اور {0} # {1} موجود ہے. apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,راستوں کا اندازہ اور اصلاح کرنے کیلئے براہ کرم Google Maps ترتیبات کو فعال کریں +DocType: Purchase Invoice Item,Page Break,صفحہ توڑ DocType: Supplier Scorecard Criteria,Max Score,زیادہ سے زیادہ اسکور apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,واپسی کی تاریخ شروع ہونے کی تاریخ سے پہلے نہیں ہوسکتی ہے. DocType: Support Search Source,Support Search Source,سپورٹ تلاش کے ذریعہ @@ -2107,6 +2118,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,معیار کے مقصد DocType: Employee Transfer,Employee Transfer,ملازمت کی منتقلی ,Sales Funnel,سیلز فینل DocType: Agriculture Analysis Criteria,Water Analysis,پانی تجزیہ +DocType: Shift Type,Begin check-in before shift start time (in minutes),شفٹ شروع کے وقت سے پہلے چیک میں شروع کریں (منٹ میں) DocType: Accounts Settings,Accounts Frozen Upto,اکاؤنٹس منجمد ہوتے ہیں apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,ترمیم کرنے کے لئے کچھ بھی نہیں ہے. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",{1} کارٹونشن میں کسی بھی دستیاب کاری گھنٹوں کے مقابلے میں آپریشن {0} طویل عرصے سے، آپریشن کو ایک سے زیادہ آپریشنوں میں توڑ دیتے ہیں @@ -2120,7 +2132,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,سی apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},سیلز آرڈر {0} ہے {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),ادائیگی میں تاخیر (دن) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,استحصال کی تفصیلات درج کریں +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,کسٹمر پی او apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,متوقع ترسیل کی تاریخ سیلز آرڈر کی تاریخ کے بعد ہونا چاہئے +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,آئٹم مقدار صفر نہیں ہوسکتی ہے apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,غلط خصوصیت apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},براہ مہربانی آئٹم کے خلاف BOM منتخب کریں {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,انوائس کی قسم @@ -2130,6 +2144,7 @@ DocType: Maintenance Visit,Maintenance Date,بحالی کی تاریخ DocType: Volunteer,Afternoon,دوپہر DocType: Vital Signs,Nutrition Values,غذائی اقدار DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),بخار کی موجودگی (طلبا> 38.5 ° C / 101.3 ° F یا مستحکم طے شدہ> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,برائے مہربانی انسانی وسائل> HR ترتیبات میں ملازم نامی کا نظام قائم کریں apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,آئی ٹی سی ریورس DocType: Project,Collect Progress,پیش رفت جمع کرو apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,توانائی @@ -2180,6 +2195,7 @@ DocType: Setup Progress,Setup Progress,سیٹ اپ پیش رفت ,Ordered Items To Be Billed,بلڈ ہونے کے لئے آرڈر کیے گئے حکم DocType: Taxable Salary Slab,To Amount,رقم کے لئے DocType: Purchase Invoice,Is Return (Debit Note),کیا واپسی (ڈیبٹ نوٹ) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ apps/erpnext/erpnext/config/desktop.py,Getting Started,شروع ہوا چاہتا ہے apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,ضم apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,مالی سال کی بچت کے بعد مالی سال کی شروعات کی تاریخ اور مالی سال کے اختتامی تاریخ کو تبدیل نہیں کر سکتا. @@ -2198,8 +2214,10 @@ DocType: Maintenance Schedule Detail,Actual Date,اصل تاریخ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},بحالی کی تاریخ شروع سیریل نمبر {0} کے لئے ترسیل کی تاریخ سے پہلے نہیں ہوسکتی ہے. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,صف {0}: ایکسچینج کی شرح لازمی ہے DocType: Purchase Invoice,Select Supplier Address,سپلائر ایڈریس منتخب کریں +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}",دستیاب مقدار {0} ہے، آپ کی ضرورت ہے {1} apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,برائے مہربانی API کنسرٹر خفیہ درج کریں DocType: Program Enrollment Fee,Program Enrollment Fee,پروگرام اندراج کی فیس +DocType: Employee Checkin,Shift Actual End,اصل اختتام کو ختم کریں DocType: Serial No,Warranty Expiry Date,وارنٹی ختم ہونے کی تاریخ DocType: Hotel Room Pricing,Hotel Room Pricing,ہوٹل روم کی قیمتوں کا تعین apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted",آؤٹ لک ٹیکس قابل اطمینان (صفر درجہ بندی کے علاوہ، نیل شدہ درجہ بندی اور خارج کر دیا گیا ہے @@ -2259,6 +2277,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,پڑھنا 5 DocType: Shopping Cart Settings,Display Settings,ترتیبات دکھائیں apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,براہ مہربانی بکھرے ہوئے قیمتوں کا تعین کریں +DocType: Shift Type,Consequence after,اس کے نتیجے میں apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,آپ کو کیا ضرورت ہے؟ DocType: Journal Entry,Printing Settings,پرنٹنگ ترتیبات apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,بینکنگ @@ -2268,6 +2287,7 @@ DocType: Purchase Invoice Item,PR Detail,پی آر کی تفصیل apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,بلنگ ایڈریس شپنگ پتہ کے طور پر ہی ہے DocType: Account,Cash,نقد DocType: Employee,Leave Policy,پالیسی چھوڑ دو +DocType: Shift Type,Consequence,نتیجے apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,طالب علم کا پتہ DocType: GST Account,CESS Account,CESS اکاؤنٹ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: منافع اور نقصان کا اکاؤنٹ {2} کے لئے قیمت سینٹر کی ضرورت ہے. براہ کرم کمپنی کے لئے ایک ڈیفالٹ لاگت سینٹر قائم کریں. @@ -2330,6 +2350,7 @@ DocType: GST HSN Code,GST HSN Code,جی ایس ایس ایچ ایس این کو DocType: Period Closing Voucher,Period Closing Voucher,مدت ختم واؤچر apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,گارڈین 2 کا نام apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,براہ کرم خرچ اکاؤنٹ درج کریں +DocType: Issue,Resolution By Variance,مختلف قسم کے حل DocType: Employee,Resignation Letter Date,استعفی خط تاریخ DocType: Soil Texture,Sandy Clay,سینڈی مٹی DocType: Upload Attendance,Attendance To Date,حاضری کی تاریخ @@ -2342,6 +2363,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,ابھی ملاحظہ کریں DocType: Item Price,Valid Upto,درست apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},حوالۂ ڈیوٹائپ {0} میں سے ایک ہونا لازمی ہے +DocType: Employee Checkin,Skip Auto Attendance,آٹو حاضری چھوڑ دو DocType: Payment Request,Transaction Currency,ٹرانزیکشن کرنسی DocType: Loan,Repayment Schedule,ادائیگی کی شیڈول apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,نمونہ برقرار رکھنا اسٹاک انٹری بنائیں @@ -2413,6 +2435,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,تنخواہ ک DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,پی او وی بند واؤچر ٹیکس apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,ایکشن شروع DocType: POS Profile,Applicable for Users,صارفین کے لئے قابل اطلاق +,Delayed Order Report,تاخیر آرڈر کی رپورٹ DocType: Training Event,Exam,امتحان apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,جنرل لیجر انٹریز کی غلط تعداد مل گئی. آپ نے ٹرانزیکشن میں غلط اکاؤنٹ کا انتخاب کیا ہے. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,سیلز پائپ لائن @@ -2427,10 +2450,11 @@ DocType: Account,Round Off,منہاج القرآن DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,شرائط کو مشترکہ تمام منتخب اشیاء پر لاگو کیا جائے گا. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,ترتیب دیں DocType: Hotel Room,Capacity,صلاحیت +DocType: Employee Checkin,Shift End,شفٹ ختم DocType: Installation Note Item,Installed Qty,نصب مقدار apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,آئٹم {1} کا بیچ {0} غیر فعال ہے. DocType: Hotel Room Reservation,Hotel Reservation User,ہوٹل ریزرویشن صارف -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,کام کا دن دو مرتبہ بار بار کیا گیا ہے +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,اتحاد کی قسم کے ساتھ خدمت کی سطح کا معاہدہ {0} اور اتاق {1} پہلے ہی موجود ہے. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},شے کے ماسٹر میں آئٹم آئٹم کا ذکر نہیں کیا گیا ہے {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},نام کی غلطی: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,پی او ایس پروفائل میں علاقہ کی ضرورت ہے @@ -2476,6 +2500,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,شیڈول تاریخ DocType: Packing Slip,Package Weight Details,پیکیج وزن کی تفصیلات DocType: Job Applicant,Job Opening,نوکری دستیاب +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,ملازمت چیکین کے آخری معروف کامیاب ہم آہنگی. یہ صرف اس صورت میں ری سیٹ کریں اگر آپ اس بات کا یقین کر لیں کہ تمام مقامات کو تمام مقامات سے مطابقت پذیر کردی جاتی ہے. اگر آپ کو یقین نہیں ہے تو براہ مہربانی اس میں ترمیم نہ کریں. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,اصل قیمت apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),آرڈر {1} کے خلاف کل پیشگی ({0}) گرینڈ کل سے زیادہ نہیں ہوسکتا ہے ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,آئٹم متغیرات اپ ڈیٹ @@ -2520,6 +2545,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,حوالہ خریداری apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Invocies حاصل کریں DocType: Tally Migration,Is Day Book Data Imported,کتاب کا ڈیٹا درآمد کیا ہے ,Sales Partners Commission,سیلز پارٹنر کمیشن +DocType: Shift Type,Enable Different Consequence for Early Exit,ابتدائی باہر نکلنے کے لئے مختلف عدم توازن کو فعال کریں apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,قانونی DocType: Loan Application,Required by Date,تاریخ کی طرف سے ضرورت ہے DocType: Quiz Result,Quiz Result,کوئز کا نتیجہ @@ -2576,7 +2602,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,مالی DocType: Pricing Rule,Pricing Rule,قیمتوں کا تعین کے اصول apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},اختیاری چھٹی کی فہرست کو چھوڑنے کی مدت کے لئے مقرر نہیں کیا گیا {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,ملازمت کی کردار قائم کرنے کے لئے ملازم کے ریکارڈ میں برائے مہربانی صارف ID فیلڈ مقرر کریں -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,حل کرنے کا وقت DocType: Training Event,Training Event,ٹریننگ ایونٹ DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",بالغ میں عام آرام دہ بلڈ پریشر تقریبا 120 ملی میٹر ہیزیسولول ہے، اور 80 ملی میٹر ایچ جی ڈیسولکول، مختصر "120/80 ملی میٹر" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,اگر حد قیمت صفر ہے تو نظام تمام اندراجات لے جائے گا. @@ -2620,6 +2645,7 @@ DocType: Woocommerce Settings,Enable Sync,مطابقت پذیری فعال کر DocType: Student Applicant,Approved,منظورشدہ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},تاریخ سے مالی سال کے اندر اندر ہونا چاہئے. تاریخ سے معتدل = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,براہ کرم خریداروں کی خریداری کی ترتیبات میں سیٹ کریں. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} ایک غلط حاضری حیثیت ہے. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,عارضی افتتاحی اکاؤنٹ DocType: Purchase Invoice,Cash/Bank Account,کیش / بینک اکاؤنٹ DocType: Quality Meeting Table,Quality Meeting Table,معیار میٹنگ ٹیبل @@ -2655,6 +2681,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth ٹوکن apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco",خوراک، مشروبات اور تمباکو apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,کورس شیڈول DocType: Purchase Taxes and Charges,Item Wise Tax Detail,آئٹم حکمت عملی ٹیکس کی تفصیل +DocType: Shift Type,Attendance will be marked automatically only after this date.,اس تاریخ کے بعد حاضری خود بخود نشان لگا دی جائے گی. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,UIN ہولڈرز کی فراہمی apps/erpnext/erpnext/hooks.py,Request for Quotations,کوٹیشن کے لئے درخواست apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,کسی دوسرے کرنسی کا استعمال کرتے ہوئے اندراج کرنے کے بعد کرنسی تبدیل نہیں کیا جا سکتا @@ -2703,7 +2730,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,ہب سے آئٹم ہے apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,معیار کے طریقہ کار. DocType: Share Balance,No of Shares,حصوں میں سے کوئی نہیں -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),قطار {0}: {4} کے لئے دستیاب نہیں ہے گودام {1} داخلہ کے وقت اشاعت پر ({2} {3}) DocType: Quality Action,Preventive,روک تھام DocType: Support Settings,Forum URL,فورم یو آر ایل apps/erpnext/erpnext/config/hr.py,Employee and Attendance,ملازمت اور حاضری @@ -2923,7 +2949,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,ڈسکاؤنٹ کی ق DocType: Hotel Settings,Default Taxes and Charges,ڈیفالٹ ٹیکس اور چارجز apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,یہ اس سپلائر کے خلاف ٹرانزیکشن پر مبنی ہے. تفصیلات کے لئے ذیل میں ٹائم لائن ملاحظہ کریں apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},{0} ملازم کا زیادہ سے زیادہ فائدہ رقم {1} سے زیادہ ہے -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,معاہدہ کیلئے آغاز اور اختتامی تاریخ درج کریں. DocType: Delivery Note Item,Against Sales Invoice,سیلز انوائس کے خلاف DocType: Loyalty Point Entry,Purchase Amount,قیمت خریدیں apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,سیلز آرڈر کی بناء پر کھو دیا جا سکتا ہے. @@ -2947,7 +2972,7 @@ DocType: Homepage,"URL for ""All Products""","تمام مصنوعات" DocType: Lead,Organization Name,تنظیم کا نام apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,شعبوں سے درست اور درست کرنے کے لئے مجموعی طور پر مجموعی طور پر لازمی ہے apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},قطار # {0}: بیچ {1} {2} -DocType: Employee,Leave Details,تفصیلات چھوڑ دو +DocType: Employee Checkin,Shift Start,شفٹ شروع apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} سے پہلے اسٹاک ٹرانسمیشن منجمد ہیں DocType: Driver,Issuing Date,جاری تاریخ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,درخواست دہندہ @@ -2992,9 +3017,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,کیش فلو تعریفیں سانچہ کی تفصیلات apps/erpnext/erpnext/config/hr.py,Recruitment and Training,بھرتی اور تربیت DocType: Drug Prescription,Interval UOM,انٹرا UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,آٹو حاضری کے لئے فضل کی مدت کی ترتیبات apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,کرنسی اور کرنسی سے کرنسی ایک ہی نہیں ہوسکتی ہے apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,دواسازی DocType: Employee,HR-EMP-,HR- EMP- +DocType: Service Level,Support Hours,سپورٹ گھنٹے apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} منسوخ یا بند ہے apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,صف {0}: کسٹمر کے خلاف ایڈوانس کریڈٹ ہونا ضروری ہے apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),ویوچر (مجموعی) کی طرف سے گروپ @@ -3103,6 +3130,7 @@ DocType: Asset Repair,Repair Status,مرمت کی حیثیت DocType: Territory,Territory Manager,علاقائی مینیجر DocType: Lab Test,Sample ID,نمونہ ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,ٹوکری خالی ہے +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,حاضری ملازم چیکس کے مطابق نشان لگا دیا گیا ہے apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,اثاثہ {0} جمع ہونا ضروری ہے ,Absent Student Report,طالب علم کی رپورٹ سے انکار apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,مجموعی منافع میں شامل @@ -3110,7 +3138,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,فنڈ شدہ رقم apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} جمع نہیں کیا گیا ہے تاکہ عمل مکمل نہ ہوسکے DocType: Subscription,Trial Period End Date,آزمائشی مدت کے اختتام کی تاریخ +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,ایک ہی تبدیلی کے دوران اندر اور باہر کے طور پر متبادل اندراجات DocType: BOM Update Tool,The new BOM after replacement,تبدیلی کے بعد نئے بوم +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,سپلائر> سپلائی کی قسم apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,آئٹم 5 DocType: Employee,Passport Number,پاسپورٹ نمبر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,عارضی افتتاحی @@ -3223,6 +3253,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,اہم رپورٹ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,ممکنہ سپلائر ,Issued Items Against Work Order,کام آرڈر کے خلاف جاری کردہ اشیاء apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} انوائس تخلیق کرنا +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,براہ کرم تعلیم> تعلیم کی ترتیبات میں انسٹریکٹر نامی نظام قائم کریں DocType: Student,Joining Date,شامل ہونے کی تاریخ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,درخواست کی سائٹ DocType: Purchase Invoice,Against Expense Account,اخراجات کے خلاف اکاؤنٹ @@ -3262,6 +3293,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,لاگو چارجز ,Point of Sale,پوائنٹ فروخت DocType: Authorization Rule,Approving User (above authorized value),صارف کی اجازت (اختیار شدہ قدر سے اوپر) +DocType: Service Level Agreement,Entity,ہستی apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},رقم {0} {1} {2} سے منتقل {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},گاہک {0} منصوبے سے متعلق نہیں ہے {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,پارٹی کا نام سے @@ -3366,7 +3398,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,اثاثہ مالک apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},سٹور آئٹم {0} قطار میں {1} گودام لازمی ہے. DocType: Stock Entry,Total Additional Costs,کل اضافی اخراجات -DocType: Marketplace Settings,Last Sync On,آخری مطابقت پذیری apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,ٹیکس اور چارجز جدول میں کم از کم ایک صف مقرر کریں DocType: Asset Maintenance Team,Maintenance Team Name,بحالی ٹیم کا نام apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,لاگت مرکزوں کا چارٹ @@ -3382,12 +3413,12 @@ DocType: Sales Order Item,Work Order Qty,کام آرڈر مقدار DocType: Job Card,WIP Warehouse,WIP گودام DocType: Payment Request,ACC-PRQ-.YYYY.-,اے اے پی پی آر -YYYY- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},صارف کی شناخت ملازم کے لئے مقرر نہیں ہے {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}",دستیاب مقدار {0} ہے، آپ کی ضرورت ہے {1} apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,صارف {0} پیدا ہوا DocType: Stock Settings,Item Naming By,آئٹم نام سے apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,حکم دیا apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,یہ ایک جڑ کسٹمر گروپ ہے اور اس میں ترمیم نہیں کیا جاسکتا ہے. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,مواد کی درخواست {0} منسوخ یا منسوخ کردی گئی ہے +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,سختی سے ملازم چیکن میں لاگ ان کی قسم پر مبنی ہے DocType: Purchase Order Item Supplied,Supplied Qty,فراہم کردہ مقدار DocType: Cash Flow Mapper,Cash Flow Mapper,کیش فلو میپر DocType: Soil Texture,Sand,ریت @@ -3446,6 +3477,7 @@ DocType: Lab Test Groups,Add new line,نئی لائن شامل کریں apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,آئٹم گروپ کی میز میں پایا ڈپلیکیٹ شے گروپ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,سالانہ تنخواہ DocType: Supplier Scorecard,Weighting Function,وزن کی فنکشن +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,معیار فارمولہ کا اندازہ کرنے میں خرابی ,Lab Test Report,لیب ٹیسٹ کی رپورٹ DocType: BOM,With Operations,آپریشن کے ساتھ @@ -3459,6 +3491,7 @@ DocType: Expense Claim Account,Expense Claim Account,اخراجات کا دعو apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,جرنل اندراج کے لئے کوئی ادائیگی نہیں ہے apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} غیر فعال طالب علم ہے apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,اسٹاک انٹری بنائیں +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM کی تلاوت: {1} والدین یا بچے نہیں ہوسکتے ہیں {1} DocType: Employee Onboarding,Activities,سرگرمیاں apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,کم از کم ایک گودام لازمی ہے ,Customer Credit Balance,کسٹمر کریڈٹ بیلنس @@ -3471,9 +3504,11 @@ DocType: Supplier Scorecard Period,Variables,متغیرات apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,کسٹمر کے لئے مل کر ایک سے زیادہ وفادار پروگرام. دستی طور پر منتخب کریں. DocType: Patient,Medication,ادویات apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,وفادار پروگرام منتخب کریں +DocType: Employee Checkin,Attendance Marked,حاضری پر نشان لگا دیا گیا apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,خام مال DocType: Sales Order,Fully Billed,مکمل طور پر بل apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},براہ کرم ہوٹل روم کی شرح مقرر کریں {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,پہلے سے طے شدہ طور پر صرف ایک ترجیح منتخب کریں. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},براہ کرم قسم کے لئے اکاؤنٹ (لیڈر) کی شناخت / تخلیق کریں - {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,کل کریڈٹ / ڈیبٹ کی رقم سے منسلک جرنل انٹری کے طور پر ہونا چاہئے DocType: Purchase Invoice Item,Is Fixed Asset,مقررہ اثاثہ ہے @@ -3494,6 +3529,7 @@ DocType: Purpose of Travel,Purpose of Travel,سفر کا مقصد DocType: Healthcare Settings,Appointment Confirmation,تقرری کی تصدیق DocType: Shopping Cart Settings,Orders,احکامات DocType: HR Settings,Retirement Age,ریٹائرمنٹ کی عمر +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,سیٹ اپ> نمبر نمبر کے ذریعہ حاضری کے لئے براہ کرم سلسلہ نمبر سیٹ کریں apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,پروجیکٹ مقدار apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},ملک کے لئے حذف کرنے کی اجازت نہیں ہے {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},قطار # {0}: اثاثہ {1} پہلے سے ہی ہے {2} @@ -3576,11 +3612,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,اکاؤنٹنٹ apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},تاریخ {1} اور {2} کے درمیان {0} کے لئے پی ایس او آف واؤچر ایلیڈوی موجود ہے. apps/erpnext/erpnext/config/help.py,Navigating,نیویگیشن +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,کوئی بقایا انوائس ایکسچینج کی شرح کے تجزیہ کی ضرورت نہیں ہے DocType: Authorization Rule,Customer / Item Name,کسٹمر / آئٹم کا نام apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,نیا سیریل نمبر گودام نہیں ہے. گودام اسٹاک انٹری یا خریداری رسید کی طرف سے مقرر کیا جانا چاہئے DocType: Issue,Via Customer Portal,کسٹمر پورٹل کے ذریعے DocType: Work Order Operation,Planned Start Time,منصوبہ بندی کا آغاز وقت apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} ہے {2} +DocType: Service Level Priority,Service Level Priority,سروس کی سطح کی ترجیح apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,بکنگ کی قیمتوں کی تعداد میں قدر کی کل تعداد سے زیادہ نہیں ہوسکتی ہے apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,شریک لیڈر DocType: Journal Entry,Accounts Payable,واجب الادا کھاتہ @@ -3690,7 +3728,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,ترسیل DocType: Bank Statement Transaction Settings Item,Bank Data,بینک ڈیٹا apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,اپ ڈیٹ کردہ -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,ٹائم شیٹ پر بلنگ کے گھنٹے اور ورکنگ گھنٹوں کو برقرار رکھنا apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,لیڈ ماخذ کی طرف سے لیڈز کو ٹریک کریں. DocType: Clinical Procedure,Nursing User,نرسنگ صارف DocType: Support Settings,Response Key List,جواب کی اہم فہرست @@ -3858,6 +3895,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,اصل آغاز وقت DocType: Antibiotic,Laboratory User,لیبارٹری صارف apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,آن لائن نیلامی +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,ترجیحات {0} کو بار بار دیا گیا ہے. DocType: Fee Schedule,Fee Creation Status,فیس تخلیق کی حیثیت apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,سافٹ ویئر apps/erpnext/erpnext/config/help.py,Sales Order to Payment,فروخت کے لئے سیلز آرڈر @@ -3923,6 +3961,7 @@ DocType: Patient Encounter,In print,پرنٹ میں apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0} کے لئے معلومات کو دوبارہ حاصل نہیں کیا جا سکا. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,بلنگ کی کرنسی کو پہلے ہی ڈیفالٹ کمپنی کی کرنسی یا پارٹی اکاؤنٹ کرنسی کے برابر ہونا ضروری ہے apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,برائے مہربانی اس سیلز شخص کے ملازم کی شناخت درج کریں +DocType: Shift Type,Early Exit Consequence after,ابتدائی عطیہ کے نتیجے کے بعد apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,کھولنے کی فروخت اور خریداری انوائس بنائیں DocType: Disease,Treatment Period,علاج کا دورہ apps/erpnext/erpnext/config/settings.py,Setting up Email,ای میل کی ترتیب @@ -3940,7 +3979,6 @@ DocType: Employee Skill Map,Employee Skills,ملازمت کی مہارت apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,طالب علم کا نام: DocType: SMS Log,Sent On,بھیج دیا DocType: Bank Statement Transaction Invoice Item,Sales Invoice,فروخت کی رسید -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,ردعمل کا وقت قرارداد کا وقت سے زیادہ نہیں ہوسکتا ہے DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",کورس کی بنیاد پر طالب علم گروپ کے لئے، پروگرام کے اندراج میں نصاب شدہ نصاب سے ہر طالب علم کو کورس منظور کیا جائے گا. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,انٹرا اسٹیٹ کی فراہمی DocType: Employee,Create User Permission,صارف کی اجازت بنائیں @@ -3979,6 +4017,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,سیلز یا خریداری کے لئے معیاری معاہدہ شرائط. DocType: Sales Invoice,Customer PO Details,کسٹمر PO تفصیلات apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,مریض نہیں ملا +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,پہلے سے طے شدہ ترجیحات کا انتخاب کریں. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,شے کو ہٹا دیں اگر الزام اس چیز پر لاگو نہیں ہوتا apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,کسٹمر گروپ اسی نام سے موجود ہے، براہ کرم کسٹمر کا نام تبدیل کریں یا کسٹمر گروپ کو تبدیل کریں 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. @@ -4018,6 +4057,7 @@ DocType: Quality Goal,Quality Goal,معیار کا مقصد DocType: Support Settings,Support Portal,سپورٹ پورٹل apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},کام کی آخری تاریخ {0} سے کم نہیں ہوسکتی ہے {1} آغاز کی تاریخ {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},ملازم {0} چھوڑنے پر ہے {1} +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},یہ سروس کی سطح کا معاہدہ کسٹمر {0} کے لئے مخصوص ہے. DocType: Employee,Held On,Held On DocType: Healthcare Practitioner,Practitioner Schedules,پریکٹیشنر شیڈولز DocType: Project Template Task,Begin On (Days),شروع کریں (دن) @@ -4025,6 +4065,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},کام آرڈر {0} DocType: Inpatient Record,Admission Schedule Date,داخلہ شیڈول تاریخ apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,اثاثہ قیمت ایڈجسٹمنٹ +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,ملازمین کے لئے 'ملازم چیکن' پر مبنی نشان زد کریں اس تبدیلی کو تفویض. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,غیر رجسٹرڈ افراد کی فراہمی apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,تمام ملازمتیں DocType: Appointment Type,Appointment Type,تقدیر کی قسم @@ -4137,7 +4178,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),پیکج کا مجموعی وزن. عام طور پر نیٹ وزن + پیکیجنگ مواد کا وزن. (پرنٹ کے لئے) DocType: Plant Analysis,Laboratory Testing Datetime,لیبارٹری ٹیسٹنگ ڈیٹیٹ ٹائم apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,آئٹم {0} بیچ نہیں ہوسکتا ہے -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,اسٹیج کی طرف سے فروخت پائپ لائن apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,طالب علم گروپ کی طاقت DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,بینک بیان ٹرانزیکشن انٹری DocType: Purchase Order,Get Items from Open Material Requests,کھلی مواد کی درخواستوں سے اشیا حاصل کریں @@ -4217,7 +4257,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,ایجنگ گودام وار دکھائیں DocType: Sales Invoice,Write Off Outstanding Amount,بقایا رقم بند کرو DocType: Payroll Entry,Employee Details,ملازم کی تفصیلات -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,شروع وقت {0} کے لئے اختتام ٹائم سے زیادہ نہیں ہوسکتا ہے. DocType: Pricing Rule,Discount Amount,ڈسکاؤنٹ رقم DocType: Healthcare Service Unit Type,Item Details,آئٹم کی تفصیلات apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},{1} مدت کے لئے {0} کی ڈپلیکیٹ ٹیکس اعلامیہ @@ -4270,7 +4309,7 @@ DocType: Customer,CUST-.YYYY.-,ضرورت ہے .YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,نیٹ ورک منفی نہیں ہوسکتا apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,تعاملات میں سے کوئی نہیں 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/hr/doctype/employee/employee_dashboard.py,Shift,شفٹ +DocType: Attendance,Shift,شفٹ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,اکاؤنٹس اور جماعتوں کے چارٹ پروسیسنگ DocType: Stock Settings,Convert Item Description to Clean HTML,صاف ایچ ٹی ایم ایل میں آئٹم کی تفصیل تبدیل کریں apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,تمام سپلائر گروپ @@ -4340,6 +4379,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,ملازمت DocType: Healthcare Service Unit,Parent Service Unit,والدین سروس یونٹ DocType: Sales Invoice,Include Payment (POS),ادائیگی شامل کریں (پی ایس او) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,نجی ایکوئٹی +DocType: Shift Type,First Check-in and Last Check-out,پہلے چیک اور آخری چیک آؤٹ DocType: Landed Cost Item,Receipt Document,رسید دستاویز DocType: Supplier Scorecard Period,Supplier Scorecard Period,سپلائر اسکور کارڈ کا دورہ DocType: Employee Grade,Default Salary Structure,پہلے سے طے شدہ تنخواہ کی ساخت @@ -4422,6 +4462,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,خریداری آرڈر بنائیں apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,مالی سال کے لئے بجٹ کی وضاحت کریں. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,اکاؤنٹس ٹیبل خالی نہیں ہوسکتی ہے. +DocType: Employee Checkin,Entry Grace Period Consequence,داخلہ فضل مدت کا عدم استحکام ,Payment Period Based On Invoice Date,انوائس کی تاریخ پر مبنی ادائیگی کی مدت apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},تنصیب کی تاریخ آئٹم {0} کے لئے ترسیل کی تاریخ سے پہلے نہیں ہوسکتی ہے. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,مواد کی درخواست سے رابطہ کریں @@ -4430,6 +4471,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,موڈ ڈیٹ apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},قطار {0}: اس گودام کے لئے ایک ریڈرڈر داخلہ پہلے ہی موجود ہے {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,ڈاکٹر کی تاریخ DocType: Monthly Distribution,Distribution Name,تقسیم کا نام +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,کام کا دن {0} بار بار کیا گیا ہے. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,گروپ میں غیر گروپ apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,اپ ڈیٹ جاری ہے. یہ تھوڑی دیر لگتی ہے. DocType: Item,"Example: ABCD.##### @@ -4442,6 +4484,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,ایندھن کی مقدار apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,گارڈین 1 موبائل نمبر DocType: Invoice Discounting,Disbursed,منایا +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,تبدیلی کے اختتام کے بعد وقت حاضرہ کے لئے چیک آؤٹ سمجھا جاتا ہے. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,اکاؤنٹس میں نیٹ تبدیلی apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,دستیاب نہیں ہے apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,پارٹ ٹائم @@ -4455,7 +4498,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,فروخ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,پرنٹ میں پی ڈی سی دکھائیں apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify سپلائر DocType: POS Profile User,POS Profile User,POS پروفائل صارف -DocType: Student,Middle Name,درمیانی نام DocType: Sales Person,Sales Person Name,سیلز شخص کا نام DocType: Packing Slip,Gross Weight,مجموعی وزن DocType: Journal Entry,Bill No,بل نہیں @@ -4464,7 +4506,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,نی DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG -YYYY- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,سروس کی سطح کے معاہدے -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,سب سے پہلے ملازمین اور تاریخ کا انتخاب کریں apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,قیمت کی قیمتوں کی شرح کی شرح زمین پر لاگو واؤچر کی رقم پر غور کرنے کے بعد دوبارہ رجوع کیا جاتا ہے DocType: Timesheet,Employee Detail,ملازم کی تفصیل DocType: Tally Migration,Vouchers,واؤچر @@ -4497,7 +4538,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,سروس کی س DocType: Additional Salary,Date on which this component is applied,تاریخ جس پر یہ جزو لاگو ہوتا ہے apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,فولیو نمبروں کے ساتھ دستیاب حصول داروں کی فہرست apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,سیٹ اپ گیٹ وے اکاؤنٹس. -DocType: Service Level,Response Time Period,جوابی وقت کا دورہ +DocType: Service Level Priority,Response Time Period,جوابی وقت کا دورہ DocType: Purchase Invoice,Purchase Taxes and Charges,خریداری ٹیکس اور چارجز DocType: Course Activity,Activity Date,سرگرمی کی تاریخ apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,نیا کسٹمر منتخب کریں یا شامل کریں @@ -4522,6 +4563,7 @@ DocType: Sales Person,Select company name first.,کمپنی کا پہلا نام apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,مالی سال DocType: Sales Invoice Item,Deferred Revenue,جمع شدہ آمدنی apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,کم از کم فروخت یا خریداری میں سے ایک منتخب ہونا لازمی ہے +DocType: Shift Type,Working Hours Threshold for Half Day,نصف دن کے لئے کام کے گھنٹے تھراشولڈ ,Item-wise Purchase History,آئٹم وار خریداری کی تاریخ apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},قطار میں آئٹم کے لئے سروس سٹاپ کی تاریخ کو تبدیل نہیں کر سکتا {0} DocType: Production Plan,Include Subcontracted Items,ذیلی کنسریٹڈ اشیاء شامل کریں @@ -4554,6 +4596,7 @@ DocType: Journal Entry,Total Amount Currency,کل رقم کی رقم DocType: BOM,Allow Same Item Multiple Times,اسی آئٹم کو ایک سے زیادہ ٹائمز کی اجازت دیں apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,BOM بنائیں DocType: Healthcare Practitioner,Charges,چارجز +DocType: Employee,Attendance and Leave Details,حاضری اور چھوڑ دو تفصیلات DocType: Student,Personal Details,ذاتی معلومات DocType: Sales Order,Billing and Delivery Status,بلنگ اور ترسیل کی حیثیت apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,صف {0}: سپلائر کے لئے {0} ای میل پتہ ای میل بھیجنے کی ضرورت ہے @@ -4605,7 +4648,6 @@ DocType: Bank Guarantee,Supplier,سپلائر apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},قیمت دوپہر {0} اور {1} درج کریں DocType: Purchase Order,Order Confirmation Date,آرڈر کی توثیق کی تاریخ DocType: Delivery Trip,Calculate Estimated Arrival Times,متوقع آنے والے ٹائمز کا حساب لگائیں -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,برائے مہربانی انسانی وسائل> HR ترتیبات میں ملازم نامی کا نظام قائم کریں apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,قابل DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS -YYYY.- DocType: Subscription,Subscription Start Date,سبسکرائب کریں شروع کی تاریخ @@ -4628,7 +4670,7 @@ DocType: Installation Note Item,Installation Note Item,تنصیب نوٹ آئٹ DocType: Journal Entry Account,Journal Entry Account,جرنل انٹری اکاؤنٹ apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,مختلف apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,فورم سرگرمی -DocType: Service Level,Resolution Time Period,قرارداد وقت کا دورہ +DocType: Service Level Priority,Resolution Time Period,قرارداد وقت کا دورہ DocType: Request for Quotation,Supplier Detail,سپلائر تفصیل DocType: Project Task,View Task,ٹاسک دیکھیں DocType: Serial No,Purchase / Manufacture Details,خریداری / تیاری کی تفصیلات @@ -4695,6 +4737,7 @@ DocType: Sales Invoice,Commission Rate (%),کمیشن کی شرح (٪) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,اسٹاک انٹری / ڈلیوری نوٹ / خریداری کی رسید کے ذریعے گودام صرف تبدیل کیا جا سکتا ہے DocType: Support Settings,Close Issue After Days,دنوں کے بعد مسئلہ بند کریں DocType: Payment Schedule,Payment Schedule,ادائیگی کے شیڈول +DocType: Shift Type,Enable Entry Grace Period,داخلہ نعمت مدت کو فعال کریں DocType: Patient Relation,Spouse,شریک حیات DocType: Purchase Invoice,Reason For Putting On Hold,ہولڈنگ پر ڈالنے کی وجہ DocType: Item Attribute,Increment,اضافہ @@ -4833,6 +4876,7 @@ DocType: Authorization Rule,Customer or Item,کسٹمر یا آئٹم DocType: Vehicle Log,Invoice Ref,انوائس ریف apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},انوائس کے لئے سی فارم لاگو نہیں ہے: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,انوائس بنا دیا +DocType: Shift Type,Early Exit Grace Period,ابتدائی عطیہ فضل مدت DocType: Patient Encounter,Review Details,جائزہ کی تفصیلات apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,صف {0}: گھنٹوں کی قیمت صفر سے زیادہ ہونا ضروری ہے. DocType: Account,Account Number,اکاؤنٹ نمبر @@ -4844,7 +4888,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL",قابل اطلاق اگر اسپا ہو، SAAA یا SRL apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,اوورلوڈنگ کرنے والے حالات کے درمیان: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,ادائیگی اور ڈیلی نہیں کی گئی -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,آئٹم کوڈ لازمی ہے کیونکہ آئٹم خود بخود شمار نہیں کیا جاتا ہے DocType: GST HSN Code,HSN Code,ایچ ایس این کوڈ DocType: GSTR 3B Report,September,ستمبر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,انتظامی اخراجات @@ -4880,6 +4923,8 @@ DocType: Travel Itinerary,Travel From,سے سفر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP اکاؤنٹ DocType: SMS Log,Sender Name,بھیجنے والے کا نام DocType: Pricing Rule,Supplier Group,سپلائر گروپ +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",انڈیکس {1} میں \ سپورٹ دن {0} کے لئے وقت اور اختتام کا وقت مقرر کریں. DocType: Employee,Date of Issue,تاریخ اجراء ,Requested Items To Be Transferred,مطلوبہ اشیا منتقل کرنے کے لئے DocType: Employee,Contract End Date,معاہدہ اختتام کی تاریخ @@ -4890,6 +4935,7 @@ DocType: Healthcare Service Unit,Vacant,خالی DocType: Opportunity,Sales Stage,فروخت کے مرحلے DocType: Sales Order,In Words will be visible once you save the Sales Order.,سیلز آرڈر کو بچانے کے بعد الفاظ میں نظر آئے گا. DocType: Item Reorder,Re-order Level,دوبارہ آرڈر کی سطح +DocType: Shift Type,Enable Auto Attendance,آٹو حاضری فعال کریں apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,پسند ,Department Analytics,ڈپارٹمنٹ کے تجزیات DocType: Crop,Scientific Name,سائنسی نام @@ -4902,6 +4948,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} حیثیت {2 DocType: Quiz Activity,Quiz Activity,کوئز سرگرمی apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} درست پے رول مدت میں نہیں ہے DocType: Timesheet,Billed,بل +apps/erpnext/erpnext/config/support.py,Issue Type.,مسئلہ کی قسم DocType: Restaurant Order Entry,Last Sales Invoice,آخری سیلز انوائس DocType: Payment Terms Template,Payment Terms,ادائیگی کی شرائط apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",محفوظ مقدار: فروخت کے لئے حکم کا حکم دیا گیا ہے، لیکن نہیں پہنچایا. @@ -4995,6 +5042,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,اثاثہ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} ہیلتھ کیئر پریکٹیشنر شیڈول نہیں ہے. اسے ہیلتھ کیئر پریکٹیشنر ماسٹر میں شامل کریں DocType: Vehicle,Chassis No,چیسیس نمبر +DocType: Employee,Default Shift,ڈیفالٹ شفٹ apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,کمپنی مختصر apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,مواد کی بل کے درخت DocType: Article,LMS User,LMS صارف @@ -5043,6 +5091,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST -YYYY.- DocType: Sales Person,Parent Sales Person,والدین سیلز شخص DocType: Student Group Creation Tool,Get Courses,کورسز حاصل کریں apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",قطار # {0}: مقدار 1 ہونا لازمی ہے، کیونکہ آئٹم ایک مقررہ اثاثہ ہے. براہ مہربانی ایک سے زیادہ مقدار کے لئے الگ قطار استعمال کریں. +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),کام کرنے والے گھنٹوں کے نیچے جس میں غیر حاضری نشان لگایا گیا ہے. (زیرو غیر فعال) DocType: Customer Group,Only leaf nodes are allowed in transaction,صرف پتی نوڈس کو ٹرانزیکشن میں اجازت دی جاتی ہے DocType: Grant Application,Organization,تنظیم DocType: Fee Category,Fee Category,فیس زمرہ @@ -5055,6 +5104,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,اس ٹریننگ ایونٹ کے لئے اپنی حیثیت کو اپ ڈیٹ کریں DocType: Volunteer,Morning,صبح DocType: Quotation Item,Quotation Item,کوٹیشن آئٹم +apps/erpnext/erpnext/config/support.py,Issue Priority.,مسئلہ کی ترجیح. DocType: Journal Entry,Credit Card Entry,کریڈٹ کارڈ انٹری apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",ٹائم سلاٹ کو چھپا دیا گیا، سلاٹ {0} سے {1} سے باہر نکلنے والی سلاٹ {2} سے {3} DocType: Journal Entry Account,If Income or Expense,اگر آمدنی یا اخراجات @@ -5105,11 +5155,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,ڈیٹا درآمد اور ترتیبات 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: Account,Expense Account,اخراجات کا اکاؤنٹ +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,شفٹ شروع ہونے سے قبل وقت کے دوران ملازم چیک ان میں حاضری کے لئے سمجھا جاتا ہے. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,گارڈین 1 کے ساتھ تعلقات apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,انوائس بنائیں apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},ادائیگی کی درخواست پہلے ہی موجود ہے {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} پر ملازم ملازم کو 'بائیں' کے طور پر مقرر کیا جانا چاہئے apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},ادائیگی {0} {1} +DocType: Company,Sales Settings,فروخت کی ترتیبات DocType: Sales Order Item,Produced Quantity,پیداوار مقدار apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,مندرجہ ذیل لنک پر کلک کرکے کوٹیشن کی درخواست تک رسائی حاصل کی جاسکتی ہے DocType: Monthly Distribution,Name of the Monthly Distribution,ماہانہ تقسیم کا نام @@ -5188,6 +5240,7 @@ DocType: Company,Default Values,پہلے سے طے شدہ اقدار apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,سیلز اور خریداری کے لئے پہلے سے طے شدہ ٹیکس ٹیمپلیٹس بنائے جاتے ہیں. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,قسم چھوڑ دو {0} لے جایا جا سکتا ہے apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,اکاؤنٹ میں ڈیبٹ ایک قابل قبول اکاؤنٹ ہونا ضروری ہے +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},براہ کرم گودام میں اکاؤنٹ مقرر کریں {0} یا پہلے سے طے شدہ انوینٹری اکاؤنٹس کمپنی میں {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,ڈیفالٹ کے طور پر مقرر DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),اس پیکج کا خالص وزن. (خود کار طریقے سے اشیاء کے خالص وزن کے طور پر شمار کی گئی) @@ -5214,8 +5267,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,متوقع بیچ DocType: Shipping Rule,Shipping Rule Type,شپنگ کی قسم DocType: Job Offer,Accepted,قبول -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","برائے مہربانی اس دستاویز کو منسوخ کرنے کیلئے ملازم {0} کو حذف کریں" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,آپ نے تشخیص کے معیار کے لئے پہلے سے ہی اندازہ کیا ہے {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,بیچ نمبر منتخب کریں apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),عمر (دن) @@ -5241,6 +5292,8 @@ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,اپنا ڈومین منتخب کریں DocType: Agriculture Task,Task Name,ٹاسک کا نام apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,اسٹاک انٹریز پہلے سے ہی کام آرڈر کے لئے تیار ہیں +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","برائے مہربانی اس دستاویز کو منسوخ کرنے کیلئے ملازم {0} کو حذف کریں" ,Amount to Deliver,نجات کی رقم apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,کمپنی {0} موجود نہیں ہے apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,دیئے گئے اشیاء کے لئے لنک کرنے کے لئے کوئی زیر التواء مواد کی درخواست نہیں ملی. @@ -5289,6 +5342,7 @@ DocType: Program Enrollment,Enrolled courses,اندراج شدہ کورس DocType: Lab Prescription,Test Code,ٹیسٹ کوڈ DocType: Purchase Taxes and Charges,On Previous Row Total,پچھلے صف کل پر DocType: Student,Student Email Address,طالب علم ای میل ایڈریس +,Delayed Item Report,تاخیر آئٹم رپورٹ DocType: Academic Term,Education,تعلیم DocType: Supplier Quotation,Supplier Address,سپلائر ایڈریس DocType: Salary Detail,Do not include in total,کل میں شامل نہ کریں @@ -5296,7 +5350,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} موجود نہیں ہے DocType: Purchase Receipt Item,Rejected Quantity,ردعمل مقدار DocType: Cashier Closing,To TIme,TIme کرنے کے لئے -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: Daily Work Summary Group User,Daily Work Summary Group User,ڈیلی کام خلاصہ گروپ صارف DocType: Fiscal Year Company,Fiscal Year Company,مالی سال کی کمپنی apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,متبادل شے کو شے کوڈ کے طور پر ہی نہیں ہونا چاہئے @@ -5348,6 +5401,7 @@ DocType: Program Fee,Program Fee,پروگرام فیس DocType: Delivery Settings,Delay between Delivery Stops,ڈیلیوری اسٹاپ کے درمیان تاخیر DocType: Stock Settings,Freeze Stocks Older Than [Days],منجمد اسٹاکز [دن] DocType: Promotional Scheme,Promotional Scheme Product Discount,پروموشنل اسکیم پروڈکٹ ڈسکاؤنٹ +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,مسئلہ ترجیح پہلے ہی موجود ہے DocType: Account,Asset Received But Not Billed,اثاثہ موصول ہوئی لیکن بل نہیں DocType: POS Closing Voucher,Total Collected Amount,کل جمع کردہ رقم DocType: Course,Default Grading Scale,ڈیفالٹ گریڈنگ اسکیل @@ -5390,6 +5444,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,مکمل شرائط apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,گروپ میں غیر گروپ DocType: Student Guardian,Mother,ماں +DocType: Issue,Service Level Agreement Fulfilled,سروس کی سطح کا معاہدہ پورا DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,لاپتہ ملازم فوائد کے لئے ٹیکس کٹوتی DocType: Travel Request,Travel Funding,سفر فنڈ DocType: Shipping Rule,Fixed,فکسڈ @@ -5419,9 +5474,11 @@ DocType: Item,Warranty Period (in days),وارنٹی مدت (دنوں میں) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,کوئی چیز نہیں ملی. DocType: Item Attribute,From Range,رینج سے DocType: Clinical Procedure,Consumables,استعمال اطلاع دیں +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'ملازم_ فیلڈ_ولیو' اور 'ٹائمیسٹیمپ' کی ضرورت ہے. DocType: Purchase Taxes and Charges,Reference Row #,حوالہ صف # apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,قطار # {0}: ٹرانساسشن کو مکمل کرنے کے لئے ادائیگی دستاویز کی ضرورت ہے DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,ایمیزون MWS سے اپنے سیلز آرڈر ڈیٹا کو ھیںچو کرنے کیلئے اس بٹن کو کلک کریں. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),کام کرنے والے گھنٹوں کے نیچے نصف دن نشان لگا دیا گیا ہے. (زیرو غیر فعال) ,Assessment Plan Status,تشخیص منصوبہ کی حیثیت apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,پہلے {0} منتخب کریں apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,ملازم کا ریکارڈ بنانے کے لئے اسے جمع کرو @@ -5492,6 +5549,7 @@ DocType: Quality Procedure,Parent Procedure,والدین کا طریقہ کار apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,کھولیں مقرر کریں apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,فلٹر ٹوگل کریں DocType: Production Plan,Material Request Detail,مواد کی درخواست کی تفصیل +DocType: Shift Type,Process Attendance After,عمل کے بعد حاضری DocType: Material Request Item,Quantity and Warehouse,مقدار اور گودام apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,پروگراموں پر جائیں apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},قطار # {0}: حوالہ جات میں ڈپلیکیٹ اندراج {1} {2} @@ -5549,6 +5607,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,پارٹی کی معلومات apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),قرضوں ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,تاریخ تک ملازم کی رعایت کرنے والی تاریخ سے زیادہ نہیں ہوسکتی ہے +DocType: Shift Type,Enable Exit Grace Period,عطیہ فضل مدت کو فعال کریں DocType: Expense Claim,Employees Email Id,ملازمین ای میل کی شناخت DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify سے ERPNext قیمت قیمت فہرست سے اپ ڈیٹ کی قیمت DocType: Healthcare Settings,Default Medical Code Standard,پہلے سے طے شدہ طبی کوڈ سٹینڈرڈ @@ -5579,7 +5638,6 @@ DocType: Item Group,Item Group Name,آئٹم گروپ کا نام DocType: Budget,Applicable on Material Request,مواد کی درخواست پر لاگو DocType: Support Settings,Search APIs,API تلاش کریں DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,سیلز آرڈر کے لئے اضافی پیداوار کا فیصد -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,نردجیکرن DocType: Purchase Invoice,Supplied Items,فراہم کردہ اشیاء DocType: Leave Control Panel,Select Employees,ملازمین کو منتخب کریں apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},قرض میں دلچسپی سے آمدنی کا اکاؤنٹ منتخب کریں {0} @@ -5605,7 +5663,7 @@ DocType: Salary Slip,Deductions,کٹوتی ,Supplier-Wise Sales Analytics,سپلائر - حکمت عملی سیلز تجزیات DocType: GSTR 3B Report,February,فروری DocType: Appraisal,For Employee,ملازمت کے لئے -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,اصل ترسیل کی تاریخ +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,اصل ترسیل کی تاریخ DocType: Sales Partner,Sales Partner Name,سیلز پارٹنر کا نام apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,استحکام کی حد {0}: استحکام شروع کی تاریخ گزشتہ تاریخ کے طور پر درج کی گئی ہے DocType: GST HSN Code,Regional,علاقائی @@ -5644,6 +5702,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,ا DocType: Supplier Scorecard,Supplier Scorecard,سپلائر اسکورकार्ड DocType: Travel Itinerary,Travel To,سفر کرنے کے لئے apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,حاضری مارک کریں +DocType: Shift Type,Determine Check-in and Check-out,چیک میں چیک کریں اور چیک آؤٹ DocType: POS Closing Voucher,Difference,فرق apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,چھوٹے DocType: Work Order Item,Work Order Item,کام آرڈر آئٹم @@ -5677,6 +5736,7 @@ DocType: Sales Invoice,Shipping Address Name,شپنگ ایڈریس کا نام apps/erpnext/erpnext/healthcare/setup.py,Drug,منشیات apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} بند ہے DocType: Patient,Medical History,طبی تاریخ +DocType: Expense Claim,Expense Taxes and Charges,اخراجات اور چارجز DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,رکنیت کو منسوخ کرنے یا رکنیت کی نشاندہی کرنے سے قبل ناکام ہونے کی صورت میں انوائس کی تاریخ کے بعد کی تعداد میں اضافہ ہوا ہے apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,تنصیب کا نوٹ {0} پہلے ہی پیش کردیا گیا ہے DocType: Patient Relation,Family,خاندان @@ -5709,7 +5769,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,طاقت apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{1} {1} کی یونٹس کو اس ٹرانزیکشن کو مکمل کرنے کیلئے {2} کی ضرورت ہے. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,ذیلی کنسرٹ کی بنیاد پر کی بیکفلش خام مواد -DocType: Bank Guarantee,Customer,کسٹمر DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",اگر فعال ہو تو، فیلڈ تعلیمی امتحان پروگرام اندراج کے آلے میں لازمی ہوگا. DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",بیچ پر مبنی طالب علم گروپ کے لئے، طالب علم بیچ ہر طالب علم کو پروگرام اندراج سے منظور کیا جائے گا. DocType: Course,Topics,عنوانات @@ -5865,6 +5924,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",ا apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),بند (کھولنے + کل) DocType: Supplier Scorecard Criteria,Criteria Formula,معیار فارمولہ apps/erpnext/erpnext/config/support.py,Support Analytics,سپورٹ تجزیات +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),حاضری آلہ ID (بایو میٹرک / آر ایف ٹی ٹیگ کی شناخت) apps/erpnext/erpnext/config/quality_management.py,Review and Action,جائزہ اور ایکشن DocType: Account,"If the account is frozen, entries are allowed to restricted users.",اگر اکاؤنٹ منجمد ہو تو، اندراج محدود صارفین کو اجازت دی جاتی ہے. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,استحکام کے بعد رقم @@ -5886,6 +5946,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,قرض کی ادائیگی DocType: Employee Education,Major/Optional Subjects,بڑے / اختیاری مضامین DocType: Soil Texture,Silt,Silt +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,سپلائر ایڈریس اور رابطے DocType: Bank Guarantee,Bank Guarantee Type,بینک گارنٹی کی قسم DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",اگر غیر فعال ہو تو، 'گولڈ کل' فیلڈ کسی بھی ٹرانزیکشن میں نظر انداز نہیں ہوگا DocType: Pricing Rule,Min Amt,کم از کم ایم ٹی ٹی @@ -5924,6 +5985,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,افتتاحی انوائس تخلیق کا آلہ آئٹم آئٹم DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,پی ایس او کی ٹرانسمیشن شامل کریں +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},ملازمت والے فیلڈ کی قیمت کے لئے ملازم نہیں ملا. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),وصول شدہ رقم (کمپنی کی کرنسی) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",LocalStorage مکمل ہے، محفوظ نہیں کیا DocType: Chapter Member,Chapter Member,باب اراکین @@ -5956,6 +6018,7 @@ DocType: SMS Center,All Lead (Open),تمام لیڈ (اوپن) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,کوئی طالب علم گروپ نہیں بنایا گیا. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},اسی {1} کے ساتھ قطار قطار {0} DocType: Employee,Salary Details,تنخواہ کی تفصیلات +DocType: Employee Checkin,Exit Grace Period Consequence,عطیہ فضل مدت کے عدم استحکام DocType: Bank Statement Transaction Invoice Item,Invoice,انوائس DocType: Special Test Items,Particulars,نصاب apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,براہ مہربانی آئٹم یا گودام پر مبنی فلٹر مقرر کریں @@ -6057,6 +6120,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,AMC سے باہر DocType: Job Opening,"Job profile, qualifications required etc.",ملازمت کی پروفائل، قابلیت کی ضرورت ہے. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,ریاست میں جہاز +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,کیا آپ مواد کی درخواست جمع کرنا چاہتے ہیں DocType: Opportunity Item,Basic Rate,بنیادی شرح DocType: Compensatory Leave Request,Work End Date,کام ختم ہونے کی تاریخ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,خام مال کے لئے درخواست @@ -6237,6 +6301,7 @@ DocType: Depreciation Schedule,Depreciation Amount,استحکام کی رقم DocType: Sales Order Item,Gross Profit,کل منافع DocType: Quality Inspection,Item Serial No,آئٹم سیریل نمبر DocType: Asset,Insurer,انشورنس +DocType: Employee Checkin,OUT,باہر apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,رقم خریدنا DocType: Asset Maintenance Task,Certificate Required,سرٹیفکیٹ کی ضرورت ہے DocType: Retention Bonus,Retention Bonus,رکاوٹ بونس @@ -6350,6 +6415,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),فرق کی رقم ( DocType: Invoice Discounting,Sanctioned,منظور DocType: Course Enrollment,Course Enrollment,کورس اندراج DocType: Item,Supplier Items,سپلائز اشیا +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",شروع وقت {0} کے لئے اختتام ٹائم \ سے زیادہ یا اس سے برابر نہیں ہوسکتا ہے. DocType: Sales Order,Not Applicable,قابل اطلاق نہیں ہے DocType: Support Search Source,Response Options,جواب کے اختیارات apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} 0 اور 100 کے درمیان ایک قدر ہونا چاہئے @@ -6436,7 +6503,6 @@ DocType: Travel Request,Costing,لاگت apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,مقرر اثاثے DocType: Purchase Order,Ref SQ,ریفریجک SQ DocType: Salary Structure,Total Earning,کل آمدنی -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ DocType: Share Balance,From No,نمبر سے نہیں DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ادائیگی کی رسید انوائس DocType: Purchase Invoice,Taxes and Charges Added,ٹیکس اور چارج شامل @@ -6544,6 +6610,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,قیمتوں کا تعین کے اصول کو نظر انداز کریں apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,کھانا DocType: Lost Reason Detail,Lost Reason Detail,کھو دیا وجہ کی تفصیل +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},مندرجہ ذیل سیریل نمبر بنائے گئے تھے:
{0} DocType: Maintenance Visit,Customer Feedback,گاہک کی رائے DocType: Serial No,Warranty / AMC Details,وارنٹی / AMC تفصیلات DocType: Issue,Opening Time,افتتاحی وقت @@ -6592,6 +6659,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,کمپنی کا نام ہی نہیں apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,ملازمت فروغ فروغ کی تاریخ سے پہلے جمع نہیں کیا جا سکتا apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} سے زائد اسٹاک ٹرانسمیشن کو اپ ڈیٹ کرنے کی اجازت نہیں ہے +DocType: Employee Checkin,Employee Checkin,ملازم چیکن apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},شروع کی تاریخ آئٹم {0} کے اختتامی تاریخ سے کم ہونا چاہئے. apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,کسٹمر کی قیمتیں بنائیں DocType: Buying Settings,Buying Settings,ترتیبات کی خریداری @@ -6613,6 +6681,7 @@ DocType: Job Card Time Log,Job Card Time Log,ملازمت کا وقت ٹائم DocType: Patient,Patient Demographics,مریض ڈیموگرافکس DocType: Share Transfer,To Folio No,فولیو نمبر پر apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,آپریشن سے کیش بہاؤ +DocType: Employee Checkin,Log Type,لاگ ان کی قسم DocType: Stock Settings,Allow Negative Stock,منفی اسٹاک کی اجازت دیں apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,کسی بھی چیز میں مقدار یا قیمت میں کوئی تبدیلی نہیں ہے. DocType: Asset,Purchase Date,خریداری کی تاریخ @@ -6656,6 +6725,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,بہت ہائپر apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,اپنے کاروبار کی نوعیت کو منتخب کریں. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,برائے مہربانی ماہ اور سال منتخب کریں +DocType: Service Level,Default Priority,پہلے سے طے شدہ ترجیح DocType: Student Log,Student Log,طالب علم لاگ ان DocType: Shopping Cart Settings,Enable Checkout,چیک آؤٹ فعال کریں apps/erpnext/erpnext/config/settings.py,Human Resources,انسانی وسائل @@ -6684,7 +6754,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,ERPNext کے ساتھ Shopify کو مربوط کریں DocType: Homepage Section Card,Subtitle,ذیلی عنوان DocType: Soil Texture,Loam,لوام -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,سپلائر> سپلائی کی قسم DocType: BOM,Scrap Material Cost(Company Currency),سکریپ مواد کی قیمت (کمپنی کی کرنسی) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,ڈلیوری نوٹ {0} لازمی نہیں ہے DocType: Task,Actual Start Date (via Time Sheet),اصل آغاز کی تاریخ (ٹائم شیٹ کے ذریعے) @@ -6740,6 +6809,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,خوراک DocType: Cheque Print Template,Starting position from top edge,سب سے اوپر کنارے سے شروع کی پوزیشن apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),تقرری مدت (منٹ) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},اس ملازم کو پہلے سے ہی ایک ہی ٹائمسٹیمپ کے ساتھ ایک لاگ ان ہے. {0} DocType: Accounting Dimension,Disable,غیر فعال DocType: Email Digest,Purchase Orders to Receive,خریدنے کے لئے خریداروں کو خریدنے کے لئے apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,پروڈکشنز آرڈر کے لئے نہیں اٹھایا جا سکتا ہے: @@ -6755,7 +6825,6 @@ DocType: Production Plan,Material Requests,مواد کی درخواست DocType: Buying Settings,Material Transferred for Subcontract,ذیلی کنیکٹر کے لئے منتقل شدہ مواد DocType: Job Card,Timing Detail,وقت کی تفصیل apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,ضرورت ہے -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{0} کا {1} درآمد DocType: Job Offer Term,Job Offer Term,ملازمت کی پیشکش کی مدت DocType: SMS Center,All Contact,تمام رابطہ DocType: Project Task,Project Task,پروجیکٹ ٹاسک @@ -6806,7 +6875,6 @@ DocType: Student Log,Academic,تعلیمی apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,آئٹم {0} سیریل نو کے لئے سیٹ اپ نہیں ہے. آئٹم آئٹم ماسٹر کو چیک کریں apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,ریاست سے DocType: Leave Type,Maximum Continuous Days Applicable,لاگو زیادہ سے زیادہ مسلسل دن -apps/erpnext/erpnext/config/support.py,Support Team.,مدد کی ٹیم. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,سب سے پہلے کمپنی کے نام درج کریں apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,درآمد کامیاب DocType: Guardian,Alternate Number,متبادل نمبر @@ -6897,6 +6965,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,قطار # {0}: آئٹم نے مزید کہا DocType: Student Admission,Eligibility and Details,اہلیت اور تفصیلات DocType: Staffing Plan,Staffing Plan Detail,اسٹافنگ پلان تفصیل +DocType: Shift Type,Late Entry Grace Period,مرحوم داخلہ فضل مدت DocType: Email Digest,Annual Income,سالانہ آمدنی DocType: Journal Entry,Subscription Section,سبسکرائب سیکشن DocType: Salary Slip,Payment Days,ادائیگی کے دن @@ -6947,6 +7016,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,اکاؤنٹ بیلنس DocType: Asset Maintenance Log,Periodicity,دورانیہ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,میڈیکل ریکارڈ +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,شفٹ میں گرنے والے چیک ان کے لئے لاگ ان قسم کی ضرورت ہوتی ہے: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,عملدرآمد DocType: Item,Valuation Method,تشخیص کا طریقہ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},سیلز انوائس {1} کے خلاف {0} @@ -7030,6 +7100,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,فی مقام کی م DocType: Loan Type,Loan Name,قرض کا نام apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,ادائیگی کا ڈیفالٹ موڈ مقرر کریں DocType: Quality Goal,Revision,نظر ثانی +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,جب شفٹ آؤٹ ابتدائی (منٹ میں) کے طور پر سمجھا جاتا ہے تو شفٹ اختتام کا وقت پہلے. DocType: Healthcare Service Unit,Service Unit Type,سروس یونٹ کی قسم DocType: Purchase Invoice,Return Against Purchase Invoice,خریداری انوائس کے خلاف واپسی apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,خفیہ بنائیں @@ -7183,11 +7254,13 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,کاسمیٹکس DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,اگر یہ ایرر برقرار رہے تو ہمارے ہیلپ ڈیسک سے رابطہ کریں. اس ویڈیو پر غلط استعمال کی اطلاع دیتے ہوئے ایرر آ گیا ہے. اگر آپ یہ چیک کریں تو کوئی ڈیفالٹ نہیں ہوگا. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,اس کردار کے ساتھ صارفین منجمد اکاؤنٹس قائم کرنے اور منجمد اکاؤنٹس کے خلاف اکاؤنٹنگ اندراجات کو تخلیق / ترمیم کرنے کی اجازت ہے +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ DocType: Expense Claim,Total Claimed Amount,کل دعوی رقم apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,ختم کرو apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,اگر آپ کی رکنیت 30 دن کے اندر ختم ہوتی ہے تو آپ صرف تجدید کرسکتے ہیں apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},قیمت {0} اور {1} کے درمیان ہونا ضروری ہے DocType: Quality Feedback,Parameters,پیرامیٹرز +DocType: Shift Type,Auto Attendance Settings,آٹو حاضری کی ترتیبات ,Sales Partner Transaction Summary,سیلز پارٹنر ٹرانزیکشن خلاصہ DocType: Asset Maintenance,Maintenance Manager Name,بحالی مینیجر کا نام apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,آئٹم تفصیلات کی تفصیلات حاصل کرنے کی ضرورت ہے. @@ -7277,10 +7350,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,قابل اطلاق اصول کو درست کریں DocType: Job Card Item,Job Card Item,ملازمت کارڈ آئٹم DocType: Homepage,Company Tagline for website homepage,ویب سائٹ ہوم پیج کے لئے کمپنی ٹیگ لائن +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,انڈیکس {1} پر ترجیحی حیثیت {0} کے لئے جوابی وقت اور قرارداد مقرر کریں. DocType: Company,Round Off Cost Center,لاگت مرکز سے دور DocType: Supplier Scorecard Criteria,Criteria Weight,معیار وزن DocType: Asset,Depreciation Schedules,استحکام شیڈولز -DocType: Expense Claim Detail,Claim Amount,دعوی کریں DocType: Subscription,Discounts,ڈسکاؤنٹ DocType: Shipping Rule,Shipping Rule Conditions,شپنگ کے ضوابط DocType: Subscription,Cancelation Date,منسوخ کی تاریخ @@ -7308,7 +7381,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,لیڈز بنائیں apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,صفر اقدار دکھائیں DocType: Employee Onboarding,Employee Onboarding,ملازمین کی بورڈنگ DocType: POS Closing Voucher,Period End Date,مدت ختم ہونے کی تاریخ -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,منبع کے ذریعہ فروخت کے مواقع DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,اس فہرست میں پہلے سے ہی جانے والا پہلے سے طے شدہ اختیار کے طور پر پہلے سے طے شدہ چھٹکارا کے طور پر مقرر کیا جائے گا. DocType: POS Settings,POS Settings,پوزیشن کی ترتیبات apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,تمام اکاؤنٹس @@ -7329,7 +7401,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,بین apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,قطار # {0}: شرح {1}: {2} ({3} / {4} کے طور پر ایک ہی ہونا ضروری ہے DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC- CPR-YYYY.- DocType: Healthcare Settings,Healthcare Service Items,ہیلتھ کیئر سروس اشیاء -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,ریکارڈ نہیں ملا apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,اجنبی رینج 3 DocType: Vital Signs,Blood Pressure,فشار خون apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,ھدف پر @@ -7374,6 +7445,7 @@ DocType: Company,Existing Company,موجودہ کمپنی apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,بیچ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,دفاع DocType: Item,Has Batch No,بیچ بیچ نہیں ہے +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,تاخیر کے دن DocType: Lead,Person Name,شخص کا نام DocType: Item Variant,Item Variant,آئٹم مختلف DocType: Training Event Employee,Invited,مدعو @@ -7394,7 +7466,7 @@ DocType: Inpatient Record,O Negative,اے منفی DocType: Purchase Order,To Receive and Bill,وصول اور بل کرنے کے لئے DocType: POS Profile,Only show Customer of these Customer Groups,صرف ان کسٹمر گروپوں کے گاہک کو دکھائیں apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,انوائس کو بچانے کیلئے اشیاء منتخب کریں -DocType: Service Level,Resolution Time,قرارداد کا وقت +DocType: Service Level Priority,Resolution Time,قرارداد کا وقت DocType: Grading Scale Interval,Grade Description,گریڈ کی تفصیل DocType: Homepage Section,Cards,کارڈ DocType: Quality Meeting Minutes,Quality Meeting Minutes,معیار میٹنگ منٹ @@ -7421,6 +7493,7 @@ DocType: Project,Gross Margin %,مجموعی مارجن٪ apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,جنرل لیجر کے مطابق بینک کا بیان توازن apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),صحت کی دیکھ بھال (بیٹا) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,سیلز آرڈر اور ترسیل نوٹ تخلیق کرنے کے لئے ڈیفالٹ گودام +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,انڈیکس {1} پر {0} کے لئے جوابی وقت کا حل قرارداد وقت سے زیادہ نہیں ہوسکتا. DocType: Opportunity,Customer / Lead Name,کسٹمر / لیڈ کا نام DocType: Student,EDU-STU-.YYYY.-,EDU-STU- .YYYY- DocType: Expense Claim Advance,Unclaimed amount,اعلان شدہ رقم @@ -7467,7 +7540,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,جماعتوں اور پتے درآمد DocType: Item,List this Item in multiple groups on the website.,ویب سائٹ پر متعدد گروپوں میں اس آئٹم کی فہرست. DocType: Request for Quotation,Message for Supplier,سپلائر کے لئے پیغام -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,جیسا کہ اسٹاک ٹرانزیکشن آئٹم {1} کے وجود میں نہیں ہے {0}. DocType: Healthcare Practitioner,Phone (R),فون (آر) DocType: Maintenance Team Member,Team Member,ٹیم کے رکن DocType: Asset Category Account,Asset Category Account,اثاثہ زمرہ اکاؤنٹ diff --git a/erpnext/translations/uz.csv b/erpnext/translations/uz.csv index aa43abc1ca..f3b27fff27 100644 --- a/erpnext/translations/uz.csv +++ b/erpnext/translations/uz.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Yil boshlanish sanasi apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Uchrashuv {0} va Sotuvdagi Billing {1} bekor qilindi DocType: Purchase Receipt,Vehicle Number,Avtomobil raqami apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Sizning e-pochta manzilingiz... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Default Book Entries-ni qo'shish +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Default Book Entries-ni qo'shish DocType: Activity Cost,Activity Type,Faollik turi DocType: Purchase Invoice,Get Advances Paid,Avanslarni to'lang DocType: Company,Gain/Loss Account on Asset Disposal,Aktivni yo'qotish bo'yicha daromad / yo'qotish hisobi @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,U nima qiladi? DocType: Bank Reconciliation,Payment Entries,To'lov yozuvlari DocType: Employee Education,Class / Percentage,Sinf / foizlar ,Electronic Invoice Register,Elektron hisob-faktura reestri +DocType: Shift Type,The number of occurrence after which the consequence is executed.,Voqea sodir bo'lganidan keyin natijalar ijro etiladi. DocType: Sales Invoice,Is Return (Credit Note),Qaytish (kredit eslatmasi) +DocType: Price List,Price Not UOM Dependent,Narx UMMga qaram emas DocType: Lab Test Sample,Lab Test Sample,Laborotoriya namunasi DocType: Shopify Settings,status html,status html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Masalan, 2012, 2012-13 yy" @@ -324,6 +326,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Mahsulot qidiris DocType: Salary Slip,Net Pay,Net to'lov apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Jami Faturali Amet DocType: Clinical Procedure,Consumables Invoice Separately,Xarajatlar billing-alohida +DocType: Shift Type,Working Hours Threshold for Absent,Ishtirok etish uchun ish vaqti eshigi DocType: Appraisal,HR-APR-.YY.-.MM.,HR -APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Byudjetga {0} Guruhlik hisobiga berilmaydi DocType: Purchase Receipt Item,Rate and Amount,Bahosi va miqdori @@ -377,7 +380,6 @@ DocType: Sales Invoice,Set Source Warehouse,Resurs omborini o'rnatish DocType: Healthcare Settings,Out Patient Settings,Kasalni sozlash DocType: Asset,Insurance End Date,Sug'urta yakunlangan sana DocType: Bank Account,Branch Code,Filial kodi -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Javob berish vaqti apps/erpnext/erpnext/public/js/conf.js,User Forum,Foydalanuvchining forumi DocType: Landed Cost Item,Landed Cost Item,Chiqindilar narxlari 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 @@ -594,6 +596,7 @@ DocType: Lead,Lead Owner,Qurilish egasi DocType: Share Transfer,Transfer,Transfer apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Qidiruv vositasi (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} natijasi yuborildi +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Tarixdan boshlab bugungi kunga nisbatan kattaroq bo'lishi mumkin emas DocType: Supplier,Supplier of Goods or Services.,Mahsulot yoki xizmatlarni yetkazib beruvchisi. 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" apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Talabalar guruhi yoki kurslar jadvali majburiydir @@ -875,7 +878,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Potentsial m DocType: Skill,Skill Name,Malakalarning nomi apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,Hisobot kartasini chop etish DocType: Soil Texture,Ternary Plot,Ternary uchastkasi -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Iltimos, {0} uchun nomlash seriyasini Sozlamalar> Sozlamalar> Nomlar ketma-ketligi orqali o'rnating" apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Yordam chiptalari DocType: Asset Category Account,Fixed Asset Account,Ruxsat etilgan aktivlar hisobi apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Oxirgi @@ -888,6 +890,7 @@ DocType: Delivery Trip,Distance UOM,Masofa UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Balans uchun majburiy DocType: Payment Entry,Total Allocated Amount,Jami ajratilgan mablag'lar DocType: Sales Invoice,Get Advances Received,Qabul qilingan avanslar oling +DocType: Shift Type,Last Sync of Checkin,Checkin oxirgi sinxronizatsiya qiling DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Qiymatga qo'shilgan qiymat solig'i summasi apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -896,7 +899,9 @@ DocType: Subscription Plan,Subscription Plan,Obuna rejasi DocType: Student,Blood Group,Qon guruhi apps/erpnext/erpnext/config/healthcare.py,Masters,Masters DocType: Crop,Crop Spacing UOM,O'simliklar oralig'i UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Vaqtni boshlash vaqtidan keyin o'tish vaqti kech (daqiqada) hisoblanadi. apps/erpnext/erpnext/templates/pages/home.html,Explore,O'rganing +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Hech narsa topilmadi DocType: Promotional Scheme,Product Discount Slabs,Mahsulot chegirma plitalari DocType: Hotel Room Package,Amenities,Xususiyatlar DocType: Lab Test Groups,Add Test,Testni qo'shish @@ -996,6 +1001,7 @@ DocType: Attendance,Attendance Request,Davom etish uchun so'rov DocType: Item,Moving Average,O'rtacha harakatlanuvchi DocType: Employee Attendance Tool,Unmarked Attendance,Belgilangan tomoshabin DocType: Homepage Section,Number of Columns,Ustunlar soni +DocType: Issue Priority,Issue Priority,Muhim ahamiyat bering DocType: Holiday List,Add Weekly Holidays,Haftalik bayramlarni qo'shish DocType: Shopify Log,Shopify Log,Jurnalni xarid qilish apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Ish haqi slipini yaratish @@ -1004,6 +1010,7 @@ DocType: Job Offer Term,Value / Description,Qiymat / ta'rif DocType: Warranty Claim,Issue Date,Berilgan vaqti 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,"Iltimos, {0} uchun mahsulotni tanlang. Ushbu talabni bajaradigan yagona guruh topilmadi" apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Chap xodimlar uchun Saqlanish bonusi yarata olmadi +DocType: Employee Checkin,Location / Device ID,Manzil / qurilma identifikatori DocType: Purchase Order,To Receive,Qabul qilmoq apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Siz oflayn rejasiz. Tarmoqqa ega bo'lguncha qayta yuklay olmaysiz. DocType: Course Activity,Enrollment,Ro'yxatga olish @@ -1012,7 +1019,6 @@ DocType: Lab Test Template,Lab Test Template,Laboratoriya viktorina namunasi apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,E-faktura haqida ma'lumot yo'q apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Hech qanday material talabi yaratilmagan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Mahsulot kodi> Mahsulot guruhi> Tovar DocType: Loan,Total Amount Paid,To'langan pul miqdori apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Bu barcha narsalar allaqachon faturalanmıştı DocType: Training Event,Trainer Name,Trainer nomi @@ -1123,6 +1129,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Iltimos, qo'rg'oshin nomi {0}" DocType: Employee,You can enter any date manually,Har qanday sanani qo'lda kiritishingiz mumkin DocType: Stock Reconciliation Item,Stock Reconciliation Item,Qimmatli qog'ozlar bitimi elementi +DocType: Shift Type,Early Exit Consequence,Erta chiqish natijasi DocType: Item Group,General Settings,Umumiy sozlamalar apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Yetkazish sanasi o'tilganlik / Yetkazib beruvchi hisobvarag'i sanasidan oldin bo'lishi mumkin emas apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Foydali tomonning nomini topshirishdan oldin uni kiriting. @@ -1160,6 +1167,7 @@ DocType: Travel Request Costing,Expense Type,Xarajat turi DocType: Account,Auditor,Auditor apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,To'lovni tasdiqlash ,Available Stock for Packing Items,Paket buyumlari mavjud +DocType: Shift Type,Every Valid Check-in and Check-out,Har bir ro'yxatdan o'tish va chiqish DocType: Support Search Source,Query Route String,Query Route String DocType: Customer Feedback Template,Customer Feedback Template,Xaridor bilan aloqa qilish shablonni apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Qabul qiluvchi yoki mijozlarga takliflar. @@ -1194,6 +1202,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Avtorizatsiya nazorati ,Daily Work Summary Replies,Kundalik ish qisqacha javoblar apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Siz loyihada hamkorlik qilishga taklif qilingansiz: {0} +DocType: Issue,Response By Variance,Vazifaga javob DocType: Item,Sales Details,Savdo tafsilotlari apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Chop etish uchun andozalar. DocType: Salary Detail,Tax on additional salary,Qo'shimcha ish haqi bo'yicha soliq @@ -1317,6 +1326,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Mijozlar DocType: Project,Task Progress,Vazifa muvaffaqiyati DocType: Journal Entry,Opening Entry,Kirish ochish DocType: Bank Guarantee,Charges Incurred,To'lovlar kelib tushdi +DocType: Shift Type,Working Hours Calculation Based On,Ish vaqti hisoblash asosida DocType: Work Order,Material Transferred for Manufacturing,Ishlab chiqarish uchun mo'ljallangan material DocType: Products Settings,Hide Variants,Variantlarni yashirish DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Imkoniyatlarni rejalashtirishni va vaqtni kuzatishni o'chirib qo'yish @@ -1346,6 +1356,7 @@ DocType: Account,Depreciation,Amortizatsiya DocType: Guardian,Interests,Qiziqishlar DocType: Purchase Receipt Item Supplied,Consumed Qty,Iste'mol qilingan Miqdor DocType: Education Settings,Education Manager,Ta'lim menejeri +DocType: Employee Checkin,Shift Actual Start,Shiftni haqiqiy boshlash DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Ish stantsiyasining ish soatlari tashqarisida vaqtni qayd etish. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Sadoqatli ballar: {0} DocType: Healthcare Settings,Registration Message,Ro'yxatdan o'tish xabar @@ -1370,9 +1381,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Faktura allaqachon taqdim etgan soatlar uchun yaratilgan DocType: Sales Partner,Contact Desc,Aloqa Desc DocType: Purchase Invoice,Pricing Rules,Pricing qoidalari +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}",{0} elementiga nisbatan mavjud bitimlar mavjud bo'lgani uchun {1} qiymatini o'zgartira olmaysiz DocType: Hub Tracked Item,Image List,Rasm ro'yxati DocType: Item Variant Settings,Allow Rename Attribute Value,Nomini o'zgartirish xususiyatiga ruxsat berish -DocType: Price List,Price Not UOM Dependant,Narx UMMga qaram emas apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Vaqt (daq.) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Asosiy DocType: Loan,Interest Income Account,Foiz daromadi hisob @@ -1382,6 +1393,7 @@ DocType: Employee,Employment Type,Bandlik turi apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Qalin profilni tanlang DocType: Support Settings,Get Latest Query,Oxirgi so'rovni oling DocType: Employee Incentive,Employee Incentive,Ishchilarni rag'batlantirish +DocType: Service Level,Priorities,Eng muhim narsalar apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Bosh sahifada kartalar yoki maxsus bo'limlarni qo'shing DocType: Homepage,Hero Section Based On,Qahramonlik bo'limi asosida DocType: Project,Total Purchase Cost (via Purchase Invoice),Jami xarid qiymati (Xarid qilish byudjeti orqali) @@ -1441,7 +1453,7 @@ DocType: Work Order,Manufacture against Material Request,Materiallar talabiga qa DocType: Blanket Order Item,Ordered Quantity,Buyurtma miqdori apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Roy # {0}: Rad etilgan QXI rad etilgan elementga qarshi majburiydir {1} ,Received Items To Be Billed,Qabul qilinadigan buyumlar -DocType: Salary Slip Timesheet,Working Hours,Ish vaqti +DocType: Attendance,Working Hours,Ish vaqti apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,To'lov tartibi apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Buyurtma Buyurtma Buyurtma vaqtida olinmagan apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Kunlarning davomiyligi @@ -1561,7 +1573,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,N DocType: Supplier,Statutory info and other general information about your Supplier,Ta'minlovchingiz haqidagi qonuniy ma'lumotlar va boshqa umumiy ma'lumotlar DocType: Item Default,Default Selling Cost Center,Standart sotish narxlari markazi DocType: Sales Partner,Address & Contacts,Manzil va Kontaktlar -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Iltimos, Setup> Numbering Series orqali tomosha qilish uchun raqamlash seriyasini sozlang" DocType: Subscriber,Subscriber,Abonent apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Shakl / element / {0}) mavjud emas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Marhamat, birinchi marta o'tilganlik sanasi tanlang" @@ -1572,7 +1583,7 @@ DocType: Project,% Complete Method,% Komple uslub DocType: Detected Disease,Tasks Created,Vazifalar yaratildi apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,Ushbu element yoki uning shabloni uchun standart BOM ({0}) faol bo'lishi kerak apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Komissiya miqdori% -DocType: Service Level,Response Time,Javob vaqti +DocType: Service Level Priority,Response Time,Javob vaqti DocType: Woocommerce Settings,Woocommerce Settings,Woosommerce sozlamalari apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Miqdor ijobiy bo'lishi kerak DocType: Contract,CRM,CRM @@ -1589,7 +1600,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Statsionar tashrif buyur DocType: Bank Statement Settings,Transaction Data Mapping,Transaction Data Mapping apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Qo'rg'oshin yoki shaxsning ismi yoki tashkilotning ismi talab qilinadi DocType: Student,Guardians,Himoyachilar -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Marhamat, Ta'lim bo'yicha o'qituvchi nomlash tizimini sozlang> Ta'lim sozlamalari" apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Marka tanlang ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,O'rta daromad DocType: Shipping Rule,Calculate Based On,Hisoblash asosida @@ -1625,6 +1635,7 @@ apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,P apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Nishonni o'rnating apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,Jurnal tarixi apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Obunani bekor qilish +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Xizmat darajasining kelishuvini sozlab bo'lmadi {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Net ish haqi miqdori DocType: Account,Liability,Javobgarlik DocType: Employee,Bank A/C No.,Bank A / V @@ -1690,7 +1701,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Xom-ashyo mahsulot kodi apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Xaridni taqdim etgan {0} allaqachon yuborilgan DocType: Fees,Student Email,Isoning shogirdi elektron pochta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} ota-ona yoki {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Sog'liqni saqlash xizmatidan ma'lumotlar oling apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Stock Entry {0} yuborilmadi DocType: Item Attribute Value,Item Attribute Value,Mavzu xususiyati qiymati @@ -1715,7 +1725,6 @@ DocType: POS Profile,Allow Print Before Pay,Pul to'lashdan avval chop etishg DocType: Production Plan,Select Items to Manufacture,Mahsulotni ishlab chiqarishni tanlang DocType: Leave Application,Leave Approver Name,Approvir ismini qoldiring DocType: Shareholder,Shareholder,Aktsioner -DocType: Issue,Agreement Status,Shartnoma ahvoli apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Jurnallarni sotish uchun standart sozlamalar. 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" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOM-ni tanlang @@ -1975,6 +1984,7 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 4,4-band DocType: Account,Income Account,Daromad hisobvarag'i apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Barcha saqlash DocType: Contract,Signee Details,Imzo tafsilotlari +DocType: Shift Type,Allow check-out after shift end time (in minutes),Vaqt tugashidan keyin (daqiqa ichida) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Xarid qilish DocType: Item Group,Check this if you want to show in website,"Veb-saytda ko'rsatishni xohlasangiz, buni tekshirib ko'ring" apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Moliyaviy yil {0} topilmadi @@ -2041,6 +2051,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Amortizatsiya boshlash sanas DocType: Activity Cost,Billing Rate,Billing darajasi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Ogohlantirish: Boshqa {0} # {1} aktsiyalariga kirish {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Marshrutlarni baholash va optimallashtirish uchun Google Xaritalar Sozlamalarini yoqing +DocType: Purchase Invoice Item,Page Break,Sahifa oxiri DocType: Supplier Scorecard Criteria,Max Score,Maks bal apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,To'lov boshlanish sanasi to'lov kunidan oldin bo'lishi mumkin emas. DocType: Support Search Source,Support Search Source,Qidirishni qidirish manbai @@ -2107,6 +2118,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Sifat maqsadi maqsadi DocType: Employee Transfer,Employee Transfer,Xodimlarning transferi ,Sales Funnel,Savdo huni DocType: Agriculture Analysis Criteria,Water Analysis,Suv tahlillari +DocType: Shift Type,Begin check-in before shift start time (in minutes),Vaqtni boshlash vaqtidan oldin kirishni boshlang (daqiqada) DocType: Accounts Settings,Accounts Frozen Upto,Hisoblar muzlatilgan apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Tahrir qilish uchun hech narsa yo'q. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",Ish stantsiyasida {1} ishlaydigan har qanday ish soatlaridan ko'proq {0} dan foydalanish operatsiyani bir nechta operatsiyalarga ajratish @@ -2120,7 +2132,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Soti apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Savdo Buyurtmani {0} - {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),To'lovni kechiktirish (kunlar) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Amortizatsiya ma'lumotlarini kiriting +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,Xaridor PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Kutilgan etkazib berish sanasi Sotuvdagi Buyurtma tarixidan keyin bo'lishi kerak +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Ma'lumotlar miqdori nolga aylanmaydi apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Noto'g'ri attribut apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},"Iltimos, {0} elementiga qarshi BOM ni tanlang" DocType: Bank Statement Transaction Invoice Item,Invoice Type,Faktura turi @@ -2130,6 +2144,7 @@ DocType: Maintenance Visit,Maintenance Date,Xizmat sanasi DocType: Volunteer,Afternoon,Kunduzi DocType: Vital Signs,Nutrition Values,Oziqlanish qiymati DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),Isitmaning mavjudligi (temp> 38.5 ° C / 101.3 ° F yoki doimiy temp> 38 ° C / 100.4 ° F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Inson resurslari> HR parametrlarini Xodimlar uchun nomlash tizimini sozlang apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC teskari tarjima qilindi DocType: Project,Collect Progress,Harakatlarni to'plash apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Energiya @@ -2180,6 +2195,7 @@ DocType: Setup Progress,Setup Progress,O'rnatish davom etmoqda ,Ordered Items To Be Billed,Buyurtma qilingan narsalar to'lanishi kerak DocType: Taxable Salary Slab,To Amount,Miqdorga DocType: Purchase Invoice,Is Return (Debit Note),Qaytish (debit) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Xaridor> xaridorlar guruhi> hududi apps/erpnext/erpnext/config/desktop.py,Getting Started,Ishni boshlash apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Birlashtirish apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Moliyaviy yil saqlanganidan so'ng moliya yili boshlanish sanasi va moliya yili tugash sanasi o'zgartirilmaydi. @@ -2198,8 +2214,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Haqiqiy sana apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Xizmatni boshlash sanasi Serial No {0} uchun etkazib berish sanasidan oldin bo'lishi mumkin emas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Row {0}: Ayirboshlash kursi majburiydir DocType: Purchase Invoice,Select Supplier Address,Ta'minlovchining manzilini tanlang +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Mavjud miqdor {0}, sizga {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,"Iltimos, API iste'molchilar sirini kiriting" DocType: Program Enrollment Fee,Program Enrollment Fee,Dasturni ro'yxatga olish uchun to'lov +DocType: Employee Checkin,Shift Actual End,Shift haqiqiy tugatish DocType: Serial No,Warranty Expiry Date,Kafolatning amal qilish muddati DocType: Hotel Room Pricing,Hotel Room Pricing,Mehmonxona xonasi narxlanish apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Tashqi soliqqa tortiladigan buyumlar (nolinchi qiymatdan tashqari, nil va ozod qilinmagan)" @@ -2259,6 +2277,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,O'qish 5 DocType: Shopping Cart Settings,Display Settings,Displeyni sozlash apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,"Iltimos, joylashtirilgan Amortizatsiya miqdorini tanlang" +DocType: Shift Type,Consequence after,Keyinroq natijalar apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Sizga qanday yordam kerak? DocType: Journal Entry,Printing Settings,Chop etish sozlamalari apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Bank xizmatlari @@ -2268,6 +2287,7 @@ DocType: Purchase Invoice Item,PR Detail,PR batafsil apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,To'lov manzili Yuk tashish manzili bilan bir xil DocType: Account,Cash,Naqd pul DocType: Employee,Leave Policy,Siyosatni qoldiring +DocType: Shift Type,Consequence,Natija apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Isoning shogirdi manzili DocType: GST Account,CESS Account,CESS hisob apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: "Qor va ziyon" hisobiga {2} uchun xarajatlar markazi talab qilinadi. Iltimos, Kompaniya uchun standart qiymat markazini o'rnating." @@ -2331,6 +2351,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN kodi DocType: Period Closing Voucher,Period Closing Voucher,Davrni yopish voucher apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2 Ismi apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,"Marhamat, hisobni kiriting" +DocType: Issue,Resolution By Variance,Variants bo'yicha qaror DocType: Employee,Resignation Letter Date,Ishdan bo'shatish sanasi DocType: Soil Texture,Sandy Clay,Sandy Clay DocType: Upload Attendance,Attendance To Date,Ishtirok etish tarixi @@ -2343,6 +2364,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Hozir ko'rish DocType: Item Price,Valid Upto,To'g'ri Upto 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 +DocType: Employee Checkin,Skip Auto Attendance,Avtoulovga o'tish DocType: Payment Request,Transaction Currency,Jurnal valyutasi DocType: Loan,Repayment Schedule,To'lov rejasi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Namunani saqlab turish uchun kabinetga hisobini yaratish @@ -2414,6 +2436,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Ish haqi tuzili DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Qalinligi uchun Voucher Soliqlar apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Amal boshlandi DocType: POS Profile,Applicable for Users,Foydalanuvchilar uchun amal qiladi +,Delayed Order Report,Kechiktirilgan buyurtma hisoboti DocType: Training Event,Exam,Test apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Bosh axborotlar yozuvlarining noto'g'ri soni topildi. Jurnalda noto'g'ri Hisobni tanlagan bo'lishingiz mumkin. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Savdo Quvuri @@ -2428,10 +2451,11 @@ DocType: Account,Round Off,Yumshoq DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Tanlangan barcha narsalarga qo'shilgan shartlar qo'llaniladi. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Konfiguratsiya DocType: Hotel Room,Capacity,Imkoniyat +DocType: Employee Checkin,Shift End,Shift End DocType: Installation Note Item,Installed Qty,O'rnatilgan Miqdor apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,{1} bandining {0} guruhi o'chirilgan. DocType: Hotel Room Reservation,Hotel Reservation User,Mehmonxona Rezervasyoni -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Ish kuni ikki marta takrorlangan +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Ob'ekt turi {0} va Entity {1} bilan xizmat ko'rsatish darajasi to'g'risidagi shartnoma allaqachon mavjud. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},{0} element uchun maqola ustidagi nomdagi elementlar guruhi apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Ism xato: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Territory qalin rejimida talab qilinadi @@ -2479,6 +2503,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Jadval sanasi DocType: Packing Slip,Package Weight Details,Paket Og'irligi haqida ma'lumot DocType: Job Applicant,Job Opening,Ishni ochish +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,"Ishchi tekshiruvining oxirgi ma'lum muvaffaqiyatli sinxronligi. Buni faqat barcha jurnallar barcha joylardan sinxronlanganligiga amin bo'lsangiz, bu holatni qayta tiklash. Iltimos, ishonchingiz komil bo'lmasa, buni o'zgartirmang." apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Haqiqiy xarajat apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Buyurtma {1} ga nisbatan umumiy oldindan ({0}) Grand Total ({2}) dan katta bo'lmasligi mumkin. apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Variantlar yangilandi @@ -2523,6 +2548,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Buyurtma olindi apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Invoziyani oling DocType: Tally Migration,Is Day Book Data Imported,Kunlik daftar ma'lumotlarini import qilish ,Sales Partners Commission,Savdo hamkorlari komissiyasi +DocType: Shift Type,Enable Different Consequence for Early Exit,Erta chiqishi uchun turli xil oqibatlarga yo'l qo'ying apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Qonuniy DocType: Loan Application,Required by Date,Sana bo'yicha talab qilinadi DocType: Quiz Result,Quiz Result,Viktorina natijasi @@ -2582,7 +2608,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Moliyaviy DocType: Pricing Rule,Pricing Rule,Raqobatchilar qoidalari 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 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,"Iltimos, foydalanuvchi identifikatorini xizmatdosh roliga belgilash uchun Employee yozuvida o'rnating" -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Vaqtni hal qilish DocType: Training Event,Training Event,O'quv mashg'uloti DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Katta yoshdagi normal qon bosimi taxminan 120 mmHg sistolik va 80 mmHg diastolik, qisqartirilgan "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,"Agar chegara qiymati nol bo'lsa, tizim barcha yozuvlarni oladi." @@ -2626,6 +2651,7 @@ DocType: Woocommerce Settings,Enable Sync,Sinxronlashtirishni yoqish DocType: Student Applicant,Approved,Tasdiqlangan apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Sana boshlab Moliya yilida bo'lishi kerak. Sana = {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Xarid qilish sozlamalari bo'limida Ta'minlovchilar guruhini tanlang. +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} - bu noto'g'ri ishtirokchi statusi. DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,Vaqtinchalik ochilish hisobi DocType: Purchase Invoice,Cash/Bank Account,Naqd / Bank hisob DocType: Quality Meeting Table,Quality Meeting Table,Sifat Uchrashuv jadvali @@ -2661,6 +2687,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Oziq-ovqat, ichgani va tamaki" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kurs jadvali DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Maqola Wise Soliq Batafsil +DocType: Shift Type,Attendance will be marked automatically only after this date.,Davomiylik faqat shu sanadan so'ng avtomatik ravishda belgilanadi. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,UIN egalariga topshirilgan materiallar apps/erpnext/erpnext/hooks.py,Request for Quotations,Takliflar uchun so'rov apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,"Boshqa valyutani qo'llagan holda, valyutani o'zgartirish kiritilmaydi" @@ -2709,7 +2736,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Uyadan xabardor apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Sifat protsedurasi. DocType: Share Balance,No of Shares,Hissa yo'q -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: ({2} {3} kirish joyi vaqtida {1} omborida {4} uchun mavjud emas DocType: Quality Action,Preventive,Profilaktik DocType: Support Settings,Forum URL,Forumning URL manzili apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Xodimlar va qatnashish @@ -2930,7 +2956,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Diskont turi DocType: Hotel Settings,Default Taxes and Charges,Standart Soliqlar va Narxlar apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Bu Ta'minotchi bilan tuzilgan bitimlarga asoslanadi. Tafsilotlar uchun quyidagi jadvalga qarang apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Xodimning {0} maksimal foyda miqdori {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Shartnomaning boshlanishi va tugash sanasi kiriting. DocType: Delivery Note Item,Against Sales Invoice,Sotuvdagi hisob-fakturaga qarshi DocType: Loyalty Point Entry,Purchase Amount,Xarid miqdori apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Savdo buyurtmasi sifatida yo'qolgan deb belgilanmaydi. @@ -2954,7 +2979,7 @@ DocType: Homepage,"URL for ""All Products""","Barcha mahsulotlar" uchu DocType: Lead,Organization Name,tashkilot nomi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Kiritilgan maydonlardan amalda bo'lgan va amalda bo'lgan amaldagi maydonlar majburiy hisoblanadi apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Partiya No {1} {2} -DocType: Employee,Leave Details,Batafsil ma'lumotni qoldiring +DocType: Employee Checkin,Shift Start,Shift boshlash apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,{0} dan oldin birja bitimlari muzlatilgan DocType: Driver,Issuing Date,Taqdim etilgan sana apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Talabgor @@ -2999,9 +3024,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Pul oqimi xaritalash shablonini batafsil apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Ishga qabul qilish va o'qitish DocType: Drug Prescription,Interval UOM,Intervalli UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,Avtoulov ishtirokida imtiyozli davr sozlamalari apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Valyuta va Ayirboshlashdan bir xil bo'lishi mumkin emas apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Dori vositalari DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,Yordam soatlari apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} bekor qilindi yoki yopildi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Row {0}: mijozga qarshi oldindan kredit bo'lishi kerak apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Voucher bo'yicha guruh (Konsolidatsiyalangan) @@ -3110,6 +3137,7 @@ DocType: Asset Repair,Repair Status,Ta'mirlash holati DocType: Territory,Territory Manager,Mintaqaviy menejer DocType: Lab Test,Sample ID,Namuna identifikatori apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Savat bo'sh +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,Ishtirokchilar tekshiruvlar bo'yicha belgilangan apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Asset {0} yuborilishi kerak ,Absent Student Report,Isoning shogirdi hisoboti yo'q apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Yalpi foydaga kiritilgan @@ -3117,7 +3145,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,N DocType: Travel Request Costing,Funded Amount,Moliyalangan miqdori apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} yuborilmadi, shuning uchun amal bajarilmaydi" DocType: Subscription,Trial Period End Date,Sinov muddati tugash sanasi +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Xuddi shu o'zgarish paytida IN va OUT deb o'zgartirilgan yozuvlar DocType: BOM Update Tool,The new BOM after replacement,O'zgartirish o'rniga yangi BOM +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Yetkazib beruvchi> Yetkazib beruvchi turi apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,5-modda DocType: Employee,Passport Number,Pasport raqami apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Vaqtinchalik ochilish @@ -3231,6 +3261,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Kalit hisobotlar apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Mumkin bo'lgan yetkazib beruvchi ,Issued Items Against Work Order,Ishga qarshi buyruqlar chiqarilgan buyumlar apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,{0} Billingni yaratish +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Marhamat, Ta'lim bo'yicha o'qituvchi nomlash tizimini sozlang> Ta'lim sozlamalari" DocType: Student,Joining Date,Birlashtirilgan sana apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Sayt talabi DocType: Purchase Invoice,Against Expense Account,Xarajatlar hisobiga qarshi @@ -3270,6 +3301,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Amalga oshiriladigan harajatlar ,Point of Sale,Sotuv nuqtasi DocType: Authorization Rule,Approving User (above authorized value),Foydalanuvchi tasdiqlash (yuqorida ko'rsatilgan qiymat) +DocType: Service Level Agreement,Entity,Tashkilot apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},{0} {1} miqdori {2} dan {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Xaridor {0} loyihaga {1} tegishli emas apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Partiya nomidan @@ -3316,6 +3348,7 @@ DocType: Asset,Opening Accumulated Depreciation,Biriktirilgan amortizatsiyani oc DocType: Soil Texture,Sand Composition (%),Qum tarkibi (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Import kunlik ma'lumotlarini import qilish +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Iltimos, {0} uchun nomlash seriyasini Sozlamalar> Sozlamalar> Nomlar ketma-ketligi orqali o'rnating" DocType: Asset,Asset Owner Company,Asset Sohibi Kompaniya apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Xarajat markazidan mablag 'sarflashni talab qilish kerak apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{1} uchun {0} joriy ketma-ket nos @@ -3373,7 +3406,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Shaxs egasi apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},{1} qatoridagi kabinetga {0} uchun ombor kerak DocType: Stock Entry,Total Additional Costs,Jami qo'shimcha xarajatlar -DocType: Marketplace Settings,Last Sync On,So'nggi sinxronlash yoqilgan apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Soliq va xarajatlar jadvalidagi kamida bitta qatorni belgilang DocType: Asset Maintenance Team,Maintenance Team Name,Xizmat jamoasi nomi apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Xarajat markazlari jadvali @@ -3389,12 +3421,12 @@ DocType: Sales Order Item,Work Order Qty,Ish miqdori Miqdor DocType: Job Card,WIP Warehouse,WIP ombori DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},Employee {0} uchun foydalanuvchi identifikatori o'rnatilmagan -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Mavjud qty {0} bo'lsa, sizga {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Foydalanuvchi {0} yaratildi DocType: Stock Settings,Item Naming By,Nomlanishi nomga ega apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Buyurtma qilingan 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. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Materialda so'rov {0} bekor qilindi yoki to'xtatildi +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Ishchi tekshiruvida jurnal turiga asoslanadi DocType: Purchase Order Item Supplied,Supplied Qty,Olingan son DocType: Cash Flow Mapper,Cash Flow Mapper,Naqd pul oqimlari xaritasi DocType: Soil Texture,Sand,Qum @@ -3453,6 +3485,7 @@ DocType: Lab Test Groups,Add new line,Yangi qator qo'shing apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Elementlar guruhi jadvalida topilgan nusxalash elementlari guruhi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Yillik ish haqi DocType: Supplier Scorecard,Weighting Function,Og'irligi funktsiyasi +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM ishlab chiqarish omili ({0} -> {1}) topilmadi: {2} apps/erpnext/erpnext/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Mundarij formulasini baholashda xato ,Lab Test Report,Laborotoriya viktorina haqida hisobot DocType: BOM,With Operations,Operatsiyalar bilan @@ -3466,6 +3499,7 @@ DocType: Expense Claim Account,Expense Claim Account,Xarajat shikoyati hisobvara apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Jurnalga kirish uchun to'lovlar yo'q apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} faol emas apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Qimmatli qog'ozlarni kiritish +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM recursion: {0} ota-ona yoki {1} bolasi bo'la olmaydi DocType: Employee Onboarding,Activities,Faoliyatlar apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Eng kamida bir omborxona majburiydir ,Customer Credit Balance,Xaridorlarning kredit balansi @@ -3478,9 +3512,11 @@ DocType: Supplier Scorecard Period,Variables,Argumentlar apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,"Xaridor uchun bir nechta sodiqlik dasturi topilgan. Iltimos, qo'lda tanlang." DocType: Patient,Medication,Dori-darmon apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Sadoqat dasturini tanlang +DocType: Employee Checkin,Attendance Marked,Ishtirok etish belgilandi apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Xom ashyolar DocType: Sales Order,Fully Billed,To'liq to'ldirilgan 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/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Standart sifatida faqat bitta muhimlikni tanlang. apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},"Iltimos, hisob-kitob (Ledger) ni tanlang - {0}" 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: Purchase Invoice Item,Is Fixed Asset,Ruxsat etilgan aktiv @@ -3501,6 +3537,7 @@ DocType: Purpose of Travel,Purpose of Travel,Safarning maqsadi DocType: Healthcare Settings,Appointment Confirmation,Uchrashuvni tasdiqlash DocType: Shopping Cart Settings,Orders,Buyurtma DocType: HR Settings,Retirement Age,Pensiya yoshi +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Iltimos, Setup> Numbering Series orqali tomosha qilish uchun raqamlash seriyasini sozlang" apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Loyiha miqdori apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},{0} mamlakat uchun o'chirishga ruxsat yo'q apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},# {0} satri: Asset {1} allaqachon {2} @@ -3584,11 +3621,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Hisobchi apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},{1} va {2} o'rtasida {0} uchun Qalin Close Voucher alreday mavjud. apps/erpnext/erpnext/config/help.py,Navigating,Navigatsiya +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Qabul qilinmagan schyot-fakturalar valyuta kursini qayta baholashni talab qilmaydi DocType: Authorization Rule,Customer / Item Name,Xaridor / Mavzu nomi apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"Yangi Seriya Yo'q, QXK bo'lishi mumkin emas. QXI kabinetga kirish yoki sotib olish hujjati bilan o'rnatilishi kerak" DocType: Issue,Via Customer Portal,Mijozlar portali orqali DocType: Work Order Operation,Planned Start Time,Rejalashtirilgan boshlash vaqti apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} - bu {2} +DocType: Service Level Priority,Service Level Priority,Xizmat darajasi ustunligi 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 miqdori bo'yicha kattaroq bo'lishi mumkin emas apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Ledgerni ulashing DocType: Journal Entry,Accounts Payable,Kreditorlik qarzi @@ -3698,7 +3737,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Etkazib berish DocType: Bank Statement Transaction Settings Item,Bank Data,Bank ma'lumotlari apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Rejalashtirilgan Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Billing vaqtlarini va ish soatlarini bir xil vaqt jadvalini saqlang apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Qo'rg'oshin manbai yordamida kuzatib boring. DocType: Clinical Procedure,Nursing User,Hemşirelik Foydalanuvchi bilan DocType: Support Settings,Response Key List,Javoblar ro'yxati @@ -3866,6 +3904,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Haqiqiy boshlash vaqti DocType: Antibiotic,Laboratory User,Laboratoriya foydalanuvchisi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Onlayn auktsionlar +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Prioritet {0} takrorlandi. DocType: Fee Schedule,Fee Creation Status,Narxlarni yaratish holati apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Dasturlar apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Sotish Buyurtma To'lovi @@ -3932,6 +3971,7 @@ DocType: Patient Encounter,In print,Chop etildi apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,{0} uchun ma'lumot olinmadi. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,To'lov valyutasi odatiy kompaniyaning valyutasiga yoki partiyaning hisobvaraqlariga teng bo'lishi kerak 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" +DocType: Shift Type,Early Exit Consequence after,Erta chiqish natijasi apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Sotuvni ochish va Xarajatlarni xarid qilish DocType: Disease,Treatment Period,Davolash davri apps/erpnext/erpnext/config/settings.py,Setting up Email,E-pochtani sozlash @@ -3948,7 +3988,6 @@ DocType: Employee Skill Map,Employee Skills,Ishchi ko'nikmalar apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Isoning shogirdi ismi: DocType: SMS Log,Sent On,Yuborildi DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Savdo Billing -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Javob muddati Qaror vaqtidan kattaroq bo'la olmaydi DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Kurs asosidagi talabalar guruhi uchun Kursni ro'yxatdan o'tishda ro'yxatdan o'tgan kurslardan har bir talaba uchun tasdiqlanadi. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Davlatga qarashli materiallar DocType: Employee,Create User Permission,Foydalanuvchi uchun ruxsat yaratish @@ -3986,6 +4025,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Sotish yoki sotib olish bo'yicha standart shartnoma shartlari. DocType: Sales Invoice,Customer PO Details,Xaridor po ma'lumotlari apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Kasal topilmadi +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Birlamchi dolzarbligi tanlang. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,"Ob'ektga to'lovlar ushbu mahsulotga tegishli bo'lmasa, mahsulotni olib tashlash" apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Xaridorlar guruhi shu nom bilan mavjud bo'lib, xaridorning nomini o'zgartiring yoki xaridorlar guruhini o'zgartiring" 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. @@ -4024,6 +4064,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Jami xarajat shikoyati (xa DocType: Quality Goal,Quality Goal,Sifat maqsadi DocType: Support Settings,Support Portal,Yordam portali apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},{0} vazifasining tugash sanasi {1} kutilgan boshlanish sanasi {2} dan kam bo'lishi mumkin emas +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Ushbu xizmat darajasi to'g'risidagi kelishuv mijozga {0} DocType: Employee,Held On,O'chirilgan DocType: Healthcare Practitioner,Practitioner Schedules,Amaliyot dasturlari DocType: Project Template Task,Begin On (Days),Kun boshlash (kunlar) @@ -4031,6 +4072,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Ish tartibi {0} DocType: Inpatient Record,Admission Schedule Date,Qabul rejasi sanasi apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Asset qiymatini sozlash +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Ushbu o'zgarishga tayinlangan xodimlar uchun "Ishchi tekshiruvi" ga asoslanib ishtirok etishni belgilang. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Ro'yxatdan o'tmagan kishilarga yetkazib beriladigan materiallar apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Barcha ishlar DocType: Appointment Type,Appointment Type,Uchrashuv turi @@ -4143,7 +4185,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Paketning umumiy og'irligi. Odatda aniq og'irligi + qadoqlash materialining og'irligi. (chop etish uchun) DocType: Plant Analysis,Laboratory Testing Datetime,Laboratoriya sinovlari Datetime apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,{0} bandda partiyalar mavjud emas -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Stage tomonidan sotiladigan quvur liniyasi apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Talabalar guruhining kuchi DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Bank bayonnomasi DocType: Purchase Order,Get Items from Open Material Requests,Ochiq materiallar talablaridan ma'lumotlar ol @@ -4225,7 +4266,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Qarishdagi omborxonani ko'rsat DocType: Sales Invoice,Write Off Outstanding Amount,Ajoyib miqdorda yozing DocType: Payroll Entry,Employee Details,Xodimlarning tafsilotlari -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Boshlash vaqti {0} uchun tugash vaqtidan kattaroq bo'la olmaydi. DocType: Pricing Rule,Discount Amount,Chegirma miqdori DocType: Healthcare Service Unit Type,Item Details,Ma'lumotlar uchun ma'lumot apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},{1} muddatga {0} soliq deklaratsiyasini takrorlash @@ -4277,7 +4317,7 @@ DocType: Global Defaults,Disable In Words,So'zlarni o'chirish DocType: Customer,CUST-.YYYY.-,JUST YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Sof ish haqi salbiy bo'lishi mumkin emas apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,O'zaro aloqalar yo'q -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Shift +DocType: Attendance,Shift,Shift apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Hisob va partiyalarni qayta ishlash jadvali DocType: Stock Settings,Convert Item Description to Clean HTML,HTMLni tozalash uchun Mavzu tavsifini o'zgartiring apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Barcha Yetkazib beruvchi Guruhlari @@ -4348,6 +4388,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Ishchilarning DocType: Healthcare Service Unit,Parent Service Unit,Ota-onalar xizmati DocType: Sales Invoice,Include Payment (POS),To'lovni qo'shish (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Xususiy kapital +DocType: Shift Type,First Check-in and Last Check-out,Dastlabki betob va oxirgi check-out DocType: Landed Cost Item,Receipt Document,Qabul hujjati DocType: Supplier Scorecard Period,Supplier Scorecard Period,Yetkazib beruvchi Kuzatuv davri DocType: Employee Grade,Default Salary Structure,Standart ish haqi tuzilishi @@ -4430,6 +4471,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Buyurtma buyurtmasini yaratish apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Moliyaviy yil uchun byudjetni belgilang. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Hisoblar jadvali bo'sh bo'lishi mumkin emas. +DocType: Employee Checkin,Entry Grace Period Consequence,Kirish imtiyozlari davrining natijasi ,Payment Period Based On Invoice Date,Billing tarixiga asosan to'lov davri apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},O'rnatish sanasi {0} mahsuloti uchun etkazib berish sanasidan oldin bo'lishi mumkin emas apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Materiallar talabiga havola @@ -4438,6 +4480,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Maplangan ma& apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Qayta buyurtma yozuvi allaqachon {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc tarixi DocType: Monthly Distribution,Distribution Name,Tarqatish nomi +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Ish kuni {0} takrorlandi. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Guruh bo'lmagan guruhga apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Yangilanish davom etmoqda. Biroz vaqt talab etiladi. DocType: Item,"Example: ABCD.##### @@ -4450,6 +4493,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Yoqilg'i miqdori apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobil raqami DocType: Invoice Discounting,Disbursed,Qabul qilingan +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Vaqt tugashi bilanoq, mashg'ulotda qatnashish uchun chiqish vaqti ko'rib chiqiladi." apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,To'lanadigan qarzlarning aniq o'zgarishi apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Mavjud emas apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,To'liqsiz ish kuni @@ -4463,7 +4507,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Sotish u apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Chop etishdagi PDC-ni ko'rsatish apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Ta'minlovchini xarid qiling DocType: POS Profile User,POS Profile User,Qalin Foydalanuvchining profili -DocType: Student,Middle Name,Otasini ismi DocType: Sales Person,Sales Person Name,Sotuvchining nomi DocType: Packing Slip,Gross Weight,Brutto vazni DocType: Journal Entry,Bill No,Bill № @@ -4472,7 +4515,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Yangi DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-YYYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Xizmat ko'rsatish darajasi to'g'risidagi bitim -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,"Marhamat, oldin Ishchi va Sana tanlang" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Haqiqiy baholash bahosi tushirilgan narx-kvot miqdorini inobatga olgan holda qayta hisoblab chiqiladi DocType: Timesheet,Employee Detail,Xodimlar haqida batafsil DocType: Tally Migration,Vouchers,Vouchers @@ -4507,7 +4549,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Xizmat ko'rs DocType: Additional Salary,Date on which this component is applied,Ushbu komponent qo'llaniladigan sana apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Folio raqamlari mavjud bo'lgan aktsiyadorlar ro'yxati apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Gateway hisoblarini sozlash. -DocType: Service Level,Response Time Period,Javob muddati +DocType: Service Level Priority,Response Time Period,Javob muddati DocType: Purchase Invoice,Purchase Taxes and Charges,Soliqlar va yig'imlar xarid qilish DocType: Course Activity,Activity Date,Faoliyat sanasi apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Yangi mijozni tanlang yoki qo'shing @@ -4531,6 +4573,7 @@ DocType: Sales Person,Select company name first.,Avval kompaniya nomini tanlang. apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Moliyaviy yil DocType: Sales Invoice Item,Deferred Revenue,Ertelenmiş keladi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Eng ko'p sotilgan yoki sotilgan bittadan bittasini tanlash kerak +DocType: Shift Type,Working Hours Threshold for Half Day,Yarim kun uchun ish vaqti eshigi ,Item-wise Purchase History,Ob'ektga qarab sotib olish tarixi apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},{0} qatoridagi element uchun xizmatni to'xtatish sanasi o'zgartirib bo'lmadi DocType: Production Plan,Include Subcontracted Items,Subpudratli narsalarni qo'shish @@ -4563,6 +4606,7 @@ DocType: Journal Entry,Total Amount Currency,Jami pul miqdori DocType: BOM,Allow Same Item Multiple Times,Xuddi shu elementga bir necha marta ruxsat berilsin apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,BOM yaratish DocType: Healthcare Practitioner,Charges,Narxlar +DocType: Employee,Attendance and Leave Details,Davom eting va batafsil ma'lumotni qoldiring DocType: Student,Personal Details,Shaxsiy ma'lumotlar DocType: Sales Order,Billing and Delivery Status,To'lov va etkazib berish holati apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Row {0}: yetkazib beruvchi uchun {0} elektron pochta manzili uchun elektron pochta manzili talab qilinadi @@ -4614,7 +4658,6 @@ DocType: Bank Guarantee,Supplier,Yetkazib beruvchi apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},{0} va {1} orasidagi qiymatni kiriting DocType: Purchase Order,Order Confirmation Date,Buyurtma Tasdiqlash sanasi DocType: Delivery Trip,Calculate Estimated Arrival Times,Bashoratli vorislik vaqtlarini hisoblash -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Inson resurslari> HR parametrlarini Xodimlar uchun nomlash tizimini sozlang apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Sarflanadigan DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-YYYYY.- DocType: Subscription,Subscription Start Date,Obunani boshlash sanasi @@ -4637,7 +4680,7 @@ DocType: Installation Note Item,Installation Note Item,O'rnatish Eslatma ele DocType: Journal Entry Account,Journal Entry Account,Kundalik hisob yozuvi apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Variant apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Forum faoliyati -DocType: Service Level,Resolution Time Period,Ruxsatning muddati +DocType: Service Level Priority,Resolution Time Period,Ruxsatning muddati DocType: Request for Quotation,Supplier Detail,Yetkazib beruvchi ma'lumotlarni DocType: Project Task,View Task,Vazifani ko'ring DocType: Serial No,Purchase / Manufacture Details,Sotib olish / ishlab chiqarish detali @@ -4704,6 +4747,7 @@ DocType: Sales Invoice,Commission Rate (%),Komissiya darajasi (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,QXI faqatgina aktsiyadorlik jamiyati / etkazib berish eslatmasi / xarid qa'bul qilish yo'li bilan o'zgartirilishi mumkin DocType: Support Settings,Close Issue After Days,Kunlardan keyin muammoni yoping DocType: Payment Schedule,Payment Schedule,To'lov jadvali +DocType: Shift Type,Enable Entry Grace Period,Kirish uchun imtiyozli davrni yoqish DocType: Patient Relation,Spouse,Turmush o'rtog'im DocType: Purchase Invoice,Reason For Putting On Hold,Tutish uchun sabab DocType: Item Attribute,Increment,Ortiqcha @@ -4839,6 +4883,7 @@ DocType: Authorization Rule,Customer or Item,Xaridor yoki mahsulot DocType: Vehicle Log,Invoice Ref,Faktura apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C-formasi Billing uchun qo'llanilmaydi: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Hisob-faktura yaratildi +DocType: Shift Type,Early Exit Grace Period,Erta chiqish imtiyozli davr DocType: Patient Encounter,Review Details,Batafsil ma'lumotlarni ko'rib chiqish apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Row {0}: soat qiymati noldan katta bo'lishi kerak. DocType: Account,Account Number,Hisob raqami @@ -4850,7 +4895,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Agar kompaniya SpA, SApA yoki SRL bo'lsa, amal qilishi mumkin" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Quyidagilar orasida o'zaro kelishilgan shartlar: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,To'langan va etkazib berilmagan -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,"Mahsulot kodi majburiydir, chunki ob'ekt avtomatik ravishda raqamlangan emas" DocType: GST HSN Code,HSN Code,HSN kodi DocType: GSTR 3B Report,September,Sentyabr apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Ma'muriy xarajatlar @@ -4886,6 +4930,8 @@ DocType: Travel Itinerary,Travel From,Sayohatdan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP hisobi DocType: SMS Log,Sender Name,Yuboruvchi nomi DocType: Pricing Rule,Supplier Group,Yetkazib beruvchilar guruhi +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",{1} da {0} Yordam kuni uchun boshlash vaqti va tugash vaqtini belgilang. DocType: Employee,Date of Issue,Berilgan sana ,Requested Items To Be Transferred,Talab qilingan narsalarni yuborish DocType: Employee,Contract End Date,Shartnoma tugash sanasi @@ -4896,6 +4942,7 @@ DocType: Healthcare Service Unit,Vacant,Bo'sh DocType: Opportunity,Sales Stage,Sotish bosqichi DocType: Sales Order,In Words will be visible once you save the Sales Order.,Savdo Buyurtmasini saqlaganingizdan so'ng So'zlarda paydo bo'ladi. DocType: Item Reorder,Re-order Level,Buyurtma darajasini qayta buyurtma qiling +DocType: Shift Type,Enable Auto Attendance,Avtoulovni yoqish apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Tanlash ,Department Analytics,Bo'lim tahlillari DocType: Crop,Scientific Name,Ilmiy ism @@ -4908,6 +4955,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} holat {2} DocType: Quiz Activity,Quiz Activity,Viktorina faoliyati apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} joriy chegirma davrida mavjud emas DocType: Timesheet,Billed,To'lov +apps/erpnext/erpnext/config/support.py,Issue Type.,Muammo turi. DocType: Restaurant Order Entry,Last Sales Invoice,Oxirgi Sotuvdagi Billing DocType: Payment Terms Template,Payment Terms,To'lov shartlari apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Zahiralangan buyicha Miqdor: Sotish uchun buyurtma berildi, lekin etkazib berilmadi." @@ -5003,6 +5051,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Asset apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} da Sog'liqni saqlash amaliyoti jadvali mavjud emas. Sog'liqni saqlash amaliyot shifokoriga qo'shing DocType: Vehicle,Chassis No,Shassi № +DocType: Employee,Default Shift,Standart Shift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Kompaniya qisqartmasi apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Materiallar hisoboti daraxti DocType: Article,LMS User,LMS foydalanuvchisi @@ -5051,6 +5100,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Ota-savdogar DocType: Student Group Creation Tool,Get Courses,Kurslar oling apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: element 1 element bo'lishi shart. Iltimos, bir necha qty uchun alohida satrdan foydalaning." +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Quyidagilardan tashqari ish vaqti belgilangan. (O'chirish uchun nol) DocType: Customer Group,Only leaf nodes are allowed in transaction,Jurnalda faqat barg nodlarini kiritish mumkin DocType: Grant Application,Organization,Tashkilot DocType: Fee Category,Fee Category,Ish haqi toifasi @@ -5063,6 +5113,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,"Iltimos, ushbu mashg'ulot uchun statusingizni yangilang" DocType: Volunteer,Morning,Ertalab DocType: Quotation Item,Quotation Item,Tavsif varaqasi +apps/erpnext/erpnext/config/support.py,Issue Priority.,Muhim ahamiyat bering. DocType: Journal Entry,Credit Card Entry,Kredit kartalarini rasmiylashtirish apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Vaqt oralig'i skiped, {0} dan {1} gacha slot {2} dan {3}" DocType: Journal Entry Account,If Income or Expense,Agar daromad yoki xarajat bo'lsa @@ -5110,11 +5161,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Ma'lumotlarni import qilish va sozlash 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-ni tanlasangiz, mijozlar avtomatik ravishda ushbu sodiqlik dasturi bilan bog'lanadi (saqlab qolish uchun)" DocType: Account,Expense Account,Xarajat hisobi +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,"Vaqtincha ishga tushish boshlanishidan oldin vaqt, ish vaqtini tekshirish vaqtida ishtirok etish uchun qabul qilinadi." apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Guardian1 bilan aloqalar apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Billingni yarating 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/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',{0} da bo'shagan ishchi "chapga" apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},{0} {1} to'lash +DocType: Company,Sales Settings,Savdo sozlamalari DocType: Sales Order Item,Produced Quantity,Ishlab chiqarilgan miqdor apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Qo'shtirnoq so'roviga quyidagi havolani bosish orqali kirish mumkin DocType: Monthly Distribution,Name of the Monthly Distribution,Oylik tarqatish nomi @@ -5193,6 +5246,7 @@ DocType: Company,Default Values,Standart qiymatlar apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Savdo va xarid uchun odatiy soliq namunalari yaratilgan. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} toifasini qoldiring apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Debet Hisobni olish uchun hisobvarag'i bo'lishi kerak +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 kunda kam bo'lishi mumkin emas. apps/erpnext/erpnext/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},"Iltimos, hisob qaydnomangizni {0} da yoki Standart {1} da saqlansin." apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Standart sifatida belgilash DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Ushbu paketning aniq og'irligi. (mahsulotlarning sof og'irligi yig'indisi sifatida avtomatik ravishda hisoblab chiqiladi) @@ -5219,8 +5273,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,M apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Muddati tugagan batareyalar DocType: Shipping Rule,Shipping Rule Type,Yuk tashish qoidalari turi DocType: Job Offer,Accepted,Qabul qilingan -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Iltimos, ushbu hujjatni bekor qilish uchun " {0} \" xodimini o'chirib tashlang" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Siz allaqachon baholash mezonlari uchun baholagansiz {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Partiya raqamlarini tanlang apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Yosh (kunlar) @@ -5247,6 +5299,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Domenlaringizni tanlang DocType: Agriculture Task,Task Name,Vazifa nomi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Buyurtma uchun yaratilgan aktsiyalar +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Iltimos, ushbu hujjatni bekor qilish uchun " {0} \" xodimini o'chirib tashlang" ,Amount to Deliver,Taqdim etiladigan miqdori apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Kompaniya {0} mavjud emas apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Berilgan narsalar uchun bog'lanmagan Material Talablari topilmadi. @@ -5296,6 +5350,7 @@ DocType: Program Enrollment,Enrolled courses,O'qilgan kurslar DocType: Lab Prescription,Test Code,Sinov kodi DocType: Purchase Taxes and Charges,On Previous Row Total,Oldingi qatorda jami DocType: Student,Student Email Address,Isoning shogirdi E-pochta manzili +,Delayed Item Report,Kechiktirilgan element hisoboti DocType: Academic Term,Education,Ta'lim DocType: Supplier Quotation,Supplier Address,Yetkazib beruvchi manzili DocType: Salary Detail,Do not include in total,Hammaga qo'shmang @@ -5303,7 +5358,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} mavjud emas DocType: Purchase Receipt Item,Rejected Quantity,Rad qilingan miqdor DocType: Cashier Closing,To TIme,TIme -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM ishlab chiqarish omili ({0} -> {1}) topilmadi: {2} DocType: Daily Work Summary Group User,Daily Work Summary Group User,Kundalik Ish Xulosa Guruhi Foydalanuvchi DocType: Fiscal Year Company,Fiscal Year Company,Moliyaviy yil Kompaniya apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Shu bilan bir qatorda element element kodi bilan bir xil bo'lmasligi kerak @@ -5355,6 +5409,7 @@ DocType: Program Fee,Program Fee,Dastur narxi DocType: Delivery Settings,Delay between Delivery Stops,Etkazib berishni to'xtatib turish muddati DocType: Stock Settings,Freeze Stocks Older Than [Days],Qimmatbaho qog'ozlarni qisqartirish [Days] DocType: Promotional Scheme,Promotional Scheme Product Discount,Rag'batlantiruvchi sxemasi Mahsulot chegirma +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Harakatlarning dolzarbligi bor DocType: Account,Asset Received But Not Billed,"Qabul qilingan, lekin olinmagan aktivlar" DocType: POS Closing Voucher,Total Collected Amount,Jami yig'ilgan summalar DocType: Course,Default Grading Scale,Standart Baholash o'lchovi @@ -5397,6 +5452,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Tugatish shartlari apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Guruh bo'lmagan guruhga DocType: Student Guardian,Mother,Ona +DocType: Issue,Service Level Agreement Fulfilled,Xizmat ko'rsatish darajasi to'g'risidagi shartnoma bajarildi DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Talab qilinmagan xodimlarga beriladigan nafaqalar uchun to'lanadigan soliq DocType: Travel Request,Travel Funding,Sayohat mablag'lari DocType: Shipping Rule,Fixed,Ruxsat etilgan @@ -5426,10 +5482,12 @@ DocType: Item,Warranty Period (in days),Kafolat muddati (kunlar) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Hech qanday mahsulot topilmadi. DocType: Item Attribute,From Range,Oralig'idan DocType: Clinical Procedure,Consumables,Sarf materiallari +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,"employee_field_value" va "timestamp" talab qilinadi. DocType: Purchase Taxes and Charges,Reference Row #,Yo'naltiruvchi satr # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},"Iltimos, {0} kompaniyasida "Asset Amortizatsiya xarajatlari markazi" ni belgilang" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Taqsimotni to'ldirish uchun to'lov hujjati talab qilinadi DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Buyurtma ma'lumotlarini Amazon MWS dan olish uchun ushbu tugmani bosing. +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Yarim kun belgilanadigan ish vaqti. (O'chirish uchun nol) ,Assessment Plan Status,Baholash rejasining holati apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Avval {0} -ni tanlang apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Xodimlar yozuvini yaratish uchun uni yuboring @@ -5500,6 +5558,7 @@ DocType: Quality Procedure,Parent Procedure,Ota-protsedura apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Ochish-ni tanlang apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Filtrni almashtirish DocType: Production Plan,Material Request Detail,Materiallar bo'yicha batafsil ma'lumot +DocType: Shift Type,Process Attendance After,Jarayonni keyinroq davom ettirish DocType: Material Request Item,Quantity and Warehouse,Miqdor va ombor apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Dasturlarga o'ting apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},{0} qatori: {1} {2} da zikr etilgan dublikat @@ -5557,6 +5616,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Partiya haqida ma'lumot apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Qarzdorlar ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,"Bugungi kunga kelib, xodimning ozod etilish muddatidan ortiq bo'lishi mumkin emas" +DocType: Shift Type,Enable Exit Grace Period,Chiqish imtiyozli davrini yoqish DocType: Expense Claim,Employees Email Id,Xodimlarning elektron pochta manzili DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Shopify dan narxni yangilash uchun ERPNext narxini yangilash DocType: Healthcare Settings,Default Medical Code Standard,Standart tibbiy standartlar standarti @@ -5587,7 +5647,6 @@ DocType: Item Group,Item Group Name,Mavzu guruh nomi DocType: Budget,Applicable on Material Request,Materiallar talabiga muvofiq qo'llaniladi DocType: Support Settings,Search APIs,API qidirish DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Sotish tartibi uchun haddan tashqari ishlab chiqarish foizi -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Xususiyatlar DocType: Purchase Invoice,Supplied Items,Mahsulotlar DocType: Leave Control Panel,Select Employees,Ishchilarni tanlang apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Foiz daromadlari hisobini {0} @@ -5613,7 +5672,7 @@ DocType: Salary Slip,Deductions,Tahlikalar ,Supplier-Wise Sales Analytics,Yetkazib beruvchi-aqlli Sotuvdagi Tahliliy DocType: GSTR 3B Report,February,fevral DocType: Appraisal,For Employee,Xodim uchun -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Haqiqiy etkazib berish sanasi +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Haqiqiy etkazib berish sanasi DocType: Sales Partner,Sales Partner Name,Savdo hamkorining nomi apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Amortizatsiya satrlari {0}: Amortizatsiya boshlanish sanasi o'tgan sana sifatida kiritiladi DocType: GST HSN Code,Regional,Hududiy @@ -5652,6 +5711,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Aks DocType: Supplier Scorecard,Supplier Scorecard,Yetkazib beruvchi Koreya kartasi DocType: Travel Itinerary,Travel To,Sayohat qilish apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Markni tomosha qilish +DocType: Shift Type,Determine Check-in and Check-out,Kirish va chiqishni aniqlang DocType: POS Closing Voucher,Difference,Farqi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Kichik DocType: Work Order Item,Work Order Item,Buyurtma buyurtmasi @@ -5685,6 +5745,7 @@ DocType: Sales Invoice,Shipping Address Name,Yuk tashish manzili nomi apps/erpnext/erpnext/healthcare/setup.py,Drug,Giyohvand apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} yopildi DocType: Patient,Medical History,Tibbiy tarix +DocType: Expense Claim,Expense Taxes and Charges,Soliqlar va yig'imlar DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Abonentni bekor qilish yoki obunani belgilashdan oldin to'lov kunidan so'ng o'tgan kunlar soni to'lanmagan deb hisoblanadi 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: Patient Relation,Family,Oila @@ -5717,7 +5778,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Kuch-quvvat apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,Ushbu amalni bajarish uchun {2} da {1} {1} qitish kerak. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Shartnomaga asoslangan subpodatsiyalashning xom ashyolari -DocType: Bank Guarantee,Customer,Xaridor DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Agar yoqilsa, Dasturni ro'yxatga olish vositasida Akademiyasi muddat majburiy bo'ladi." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Partiyalarga asoslangan talabalar guruhi uchun Talabalar partiyasi dasturni ro'yxatga olishdan har bir talaba uchun tasdiqlanadi. DocType: Course,Topics,Mavzular @@ -5797,6 +5857,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Bo'lim a'zolari DocType: Warranty Claim,Service Address,Sizga xizmat ko'rsatuvchi manzili DocType: Journal Entry,Remark,Izoh +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: ({2} {3}) kirish vaqtida {1} omborida {4} uchun mavjud bo'lmagan miqdor DocType: Patient Encounter,Encounter Time,Vaqtni kutib turing DocType: Serial No,Invoice Details,Faktura tafsilotlari 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, ammo guruhlar bo'lmagan guruhlarga qarshi yozuvlar kiritilishi mumkin" @@ -5875,6 +5936,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","S apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Yakunlovchi (ochilish + jami) DocType: Supplier Scorecard Criteria,Criteria Formula,Kriterlar formulasi apps/erpnext/erpnext/config/support.py,Support Analytics,Analytics-ni qo'llab-quvvatlash +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),Davom etadigan qurilma identifikatori (Biometrik / chastotasi yorlig'i ID identifikatori) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Tadqiq va tadbir DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Hisob buzilgan bo'lsa, kirishlar cheklangan foydalanuvchilarga ruxsat etiladi." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Amortizatsiyadan keyin jami miqdor @@ -5896,6 +5958,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Kreditni qaytarish DocType: Employee Education,Major/Optional Subjects,Asosiy / Tanlovga oid mavzular DocType: Soil Texture,Silt,Silt +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Yetkazib beruvchi manzili va aloqalar DocType: Bank Guarantee,Bank Guarantee Type,Bank kafolati turi DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Agar o'chirib qo'yilsa, "Rounded Total" maydoni hech qanday operatsiyada ko'rinmaydi" DocType: Pricing Rule,Min Amt,Min. Amt @@ -5933,6 +5996,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Billingni yaratish vositasi elementini ochish DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Qalin operatsiyalarni qo'shish +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Yo'q. Berilgan xodimlar uchun qiymat maydoni topilmadi. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Qabul qilingan summalar (Kompaniya valyutasi) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage to'liq, saqlanmadi" DocType: Chapter Member,Chapter Member,Bo'lim a'zosi @@ -5965,6 +6029,7 @@ DocType: SMS Center,All Lead (Open),Barcha qo'rg'oshin (ochiq) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Hech qanday talabalar guruhi yaratilmagan. apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Shu {1} bilan {0} satrini nusxalash DocType: Employee,Salary Details,Ish haqi haqida ma'lumot +DocType: Employee Checkin,Exit Grace Period Consequence,Chiqish imtiyozli davrining natijasidir DocType: Bank Statement Transaction Invoice Item,Invoice,Billing DocType: Special Test Items,Particulars,Xususan apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,"Iltimos, filtrni yoki odatiy ob'ektni tanlang" @@ -6065,6 +6130,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,AMCdan tashqarida DocType: Job Opening,"Job profile, qualifications required etc.","Ishchi profil, talablar va h.k." apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Shtatga yuboriladi +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Moddiy yordam so'rashni xohlaysizmi DocType: Opportunity Item,Basic Rate,Asosiy nisbat DocType: Compensatory Leave Request,Work End Date,Ish tugash sanasi apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Xom ashyo uchun talab @@ -6250,6 +6316,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Amortizatsiya summasi DocType: Sales Order Item,Gross Profit,Yalpi foyda DocType: Quality Inspection,Item Serial No,Mahsulot Seriya № DocType: Asset,Insurer,Sug'urtalovchi +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Xarid qilish miqdori DocType: Asset Maintenance Task,Certificate Required,Sertifikat kerak DocType: Retention Bonus,Retention Bonus,Saqlash bonusi @@ -6364,6 +6431,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Ajratilgan mablag DocType: Invoice Discounting,Sanctioned,Sanktsiya DocType: Course Enrollment,Course Enrollment,Kursni ro'yxatga olish DocType: Item,Supplier Items,Yetkazib beruvchi ma'lumotlar +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Boshlash vaqti {0} uchun tugash vaqtidan katta yoki teng bo'lmasligi mumkin. DocType: Sales Order,Not Applicable,Taalluqli emas DocType: Support Search Source,Response Options,Javob imkoniyatiga ega apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} 0 dan 100 orasida qiymat bo'lishi kerak @@ -6450,7 +6519,6 @@ DocType: Travel Request,Costing,Xarajatlar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Asosiy vositalar DocType: Purchase Order,Ref SQ,Ref SQ DocType: Salary Structure,Total Earning,Jami daromad -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Xaridor> xaridorlar guruhi> hududi DocType: Share Balance,From No,Yo'q DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,To'lovni tasdiqlash uchun schyot-faktura DocType: Purchase Invoice,Taxes and Charges Added,Soliqlar va to'lovlar qo'shildi @@ -6558,6 +6626,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Raqobatchilar qoidasiga e'tibor bermang apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Ovqat DocType: Lost Reason Detail,Lost Reason Detail,Lost Reason Detail +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Quyidagi seriya raqamlari yaratildi:
{0} DocType: Maintenance Visit,Customer Feedback,Xaridorlarning fikri DocType: Serial No,Warranty / AMC Details,Kafolat / AMC tafsilotlari DocType: Issue,Opening Time,Ochilish vaqti @@ -6607,6 +6676,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Kompaniya nomi bir xil emas apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Ishchilarni rag'batlantirish rag'batlantiruvchi kundan oldin topshirilishi mumkin emas apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},{0} dan katta aktsiyalarini yangilash uchun ruxsat berilmadi +DocType: Employee Checkin,Employee Checkin,Ishchi tekshiruvi 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 apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Xaridor taklifini yarating DocType: Buying Settings,Buying Settings,Sozlamalarni xarid qilish @@ -6628,6 +6698,7 @@ DocType: Job Card Time Log,Job Card Time Log,Ishchi kartochkaning vaqtini kiriti DocType: Patient,Patient Demographics,Kasal demografiyasi DocType: Share Transfer,To Folio No,Folio yo'q apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Operatsiyalardan pul oqimi +DocType: Employee Checkin,Log Type,Kundalik turi DocType: Stock Settings,Allow Negative Stock,Salbiy aksiyaga ruxsat berish apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Hech qaysi mahsulot miqdori yoki qiymati o'zgarmas. DocType: Asset,Purchase Date,Sotib olish sanasi @@ -6672,6 +6743,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Juda Hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Biznesingizning xususiyatini tanlang. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,"Iltimos, oy va yilni tanlang" +DocType: Service Level,Default Priority,Foydalanuvchi birinchi o'ringa DocType: Student Log,Student Log,Talabalar jurnali DocType: Shopping Cart Settings,Enable Checkout,To'lovni yoqish apps/erpnext/erpnext/config/settings.py,Human Resources,Kadrlar bo'limi @@ -6700,7 +6772,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Shopifyni ERPNext bilan ulang DocType: Homepage Section Card,Subtitle,Subtitr DocType: Soil Texture,Loam,Loam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Yetkazib beruvchi> Yetkazib beruvchi turi DocType: BOM,Scrap Material Cost(Company Currency),Hurda Materiallar narxi (Kompaniya valyutasi) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Yetkazib berish eslatmasi {0} yuborilmasligi kerak DocType: Task,Actual Start Date (via Time Sheet),Haqiqiy boshlash sanasi (vaqt jadvalidan orqali) @@ -6756,6 +6827,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Dozaj DocType: Cheque Print Template,Starting position from top edge,Yuqori burchakdan boshlanadigan holat apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Uchrashuv davomiyligi (daqiqa) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Ushbu xodim allaqachon bir xil vaqt tamg'asi bilan logga ega. {0} DocType: Accounting Dimension,Disable,O'chirish DocType: Email Digest,Purchase Orders to Receive,Qabul qilish buyurtmalarini sotib olish apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Mahsulotlar buyurtmalarini quyidagi sabablarga ko'ra olish mumkin: @@ -6771,7 +6843,6 @@ DocType: Production Plan,Material Requests,Materiallar so'rovlari DocType: Buying Settings,Material Transferred for Subcontract,Subpudrat shartnomasi uchun o'tkaziladigan material DocType: Job Card,Timing Detail,Vaqt detali apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Majburiy On -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},{1} dan {0} DocType: Job Offer Term,Job Offer Term,Ish taklifi muddati DocType: SMS Center,All Contact,Barcha aloqa DocType: Project Task,Project Task,Loyiha vazifasi @@ -6822,7 +6893,6 @@ DocType: Student Log,Academic,Akademik 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 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Davlatdan DocType: Leave Type,Maximum Continuous Days Applicable,Maksimal doimo kunlar amal qiladi -apps/erpnext/erpnext/config/support.py,Support Team.,Yordam jamoasi. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Avval kompaniya nomini kiriting apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Import muvaffaqiyatli DocType: Guardian,Alternate Number,Muqobil raqam @@ -6913,6 +6983,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,# {0} qatori: mahsulot qo'shildi DocType: Student Admission,Eligibility and Details,Imtiyoz va tafsilotlar DocType: Staffing Plan,Staffing Plan Detail,Xodimlar rejasi batafsil +DocType: Shift Type,Late Entry Grace Period,Kech kirish imtiyozlari davri DocType: Email Digest,Annual Income,Yillik daromad DocType: Journal Entry,Subscription Section,Obuna bo'limi DocType: Salary Slip,Payment Days,To'lov kunlari @@ -6962,6 +7033,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Hisob balansi DocType: Asset Maintenance Log,Periodicity,Muntazamlik apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Tibbiy ma'lumot +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Yozuv turi: {0} tugmachasida tushadigan chegirmalar uchun talab qilinadi. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Ilova DocType: Item,Valuation Method,Baholash usuli apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} Sotuvdagi taqdim etganga qarshi {1} @@ -7046,6 +7118,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Obyekt bo'yicha ta DocType: Loan Type,Loan Name,Kredit nomi apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,To'lovning odatiy usulini belgilang DocType: Quality Goal,Revision,Tahrirlash +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Chiqish vaqti tugashidan avvalgi vaqt (daqiqalarda) hisoblanadi. DocType: Healthcare Service Unit,Service Unit Type,Xizmat birligi turi DocType: Purchase Invoice,Return Against Purchase Invoice,Xarajatlarni sotib olishdan qaytaring apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Yashirin yaratish @@ -7201,12 +7274,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Kosmetika DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Foydalanuvchini saqlashdan oldin bir qator tanlashga majburlashni xohlasangiz, buni tekshiring. Buni tekshirsangiz, hech qanday ko'rsatuv bo'lmaydi." 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 nisbatan buxgalteriya yozuvlarini yaratish yoki o'zgartirishga ruxsat beriladi +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Mahsulot kodi> Mahsulot guruhi> Tovar DocType: Expense Claim,Total Claimed Amount,Jami da'vo miqdori 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 Slot topilmadi apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Qoplash apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Sizning a'zoning 30 kun ichida amal qilish muddati tugaguncha yangilanishi mumkin apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Qiymat {0} va {1} o'rtasida bo'lishi kerak DocType: Quality Feedback,Parameters,Parametrlar +DocType: Shift Type,Auto Attendance Settings,Avtomatik davom ettirish sozlamalari ,Sales Partner Transaction Summary,Savdo sherigi jurnali qisqacha bayoni DocType: Asset Maintenance,Maintenance Manager Name,Xizmat menejeri nomi apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Ma'lumotlar tafsilotlarini olish kerak. @@ -7297,10 +7372,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Amaliy qoidani tasdiqlang DocType: Job Card Item,Job Card Item,Ish kartasi elementi DocType: Homepage,Company Tagline for website homepage,Veb-saytning asosiy sahifasi uchun Kompaniya Tagline +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,{1} da {0} ustunlik uchun javob berish vaqtini va ruxsatni o'rnating. DocType: Company,Round Off Cost Center,Dumaloq Narxlar markazi DocType: Supplier Scorecard Criteria,Criteria Weight,Kriterlar Og'irligi DocType: Asset,Depreciation Schedules,Amortizatsiya jadvallari -DocType: Expense Claim Detail,Claim Amount,Da'vo miqdori DocType: Subscription,Discounts,Chegirmalar DocType: Shipping Rule,Shipping Rule Conditions,Yuk tashish qoida shartlari DocType: Subscription,Cancelation Date,Bekor qilish sanasi @@ -7328,7 +7403,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Yaratmalar yaratish apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Nolinchi qiymatlarni ko'rsatish DocType: Employee Onboarding,Employee Onboarding,Ishchilarning o'nboarding DocType: POS Closing Voucher,Period End Date,Davrining tugash sanasi -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Manba bo'yicha Sotuvdagi Imkoniyatlar DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,"Ro'yxatdagi birinchi Approverni jo'natsangiz, asl qiymati sifatida Approver qoldiring." DocType: POS Settings,POS Settings,Qalin sozlamalari apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Barcha hisoblar @@ -7349,7 +7423,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bankni apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Baho {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR - .YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Sog'liqni saqlash xizmatlari -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Hech qanday yozuv topilmadi apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Qarish oralig'i 3 DocType: Vital Signs,Blood Pressure,Qon bosimi 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 @@ -7395,6 +7468,7 @@ DocType: Company,Existing Company,Mavjud kompaniya apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Kassalar apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Mudofaa DocType: Item,Has Batch No,Partiya no +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Gecikmiş kunlar DocType: Lead,Person Name,Shaxs ismi DocType: Item Variant,Item Variant,Variant variantlari DocType: Training Event Employee,Invited,Taklif etilgan @@ -7416,7 +7490,7 @@ DocType: Purchase Order,To Receive and Bill,Qabul qilish va to'ldirish apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Boshlang'ich va tugash sanalari amaldagi chegirma davrida emas, {0} ni hisoblab chiqa olmaydi." DocType: POS Profile,Only show Customer of these Customer Groups,Faqatgina ushbu xaridorlar guruhlarining xaridorlarini ko'rsating apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Billingni saqlash uchun elementlarni tanlang -DocType: Service Level,Resolution Time,Ruxsat berish vaqti +DocType: Service Level Priority,Resolution Time,Ruxsat berish vaqti DocType: Grading Scale Interval,Grade Description,Izoh Ta'rif DocType: Homepage Section,Cards,Kartalar DocType: Quality Meeting Minutes,Quality Meeting Minutes,Sifat uchrashuvi bayonnomasi @@ -7443,6 +7517,7 @@ DocType: Project,Gross Margin %,Yalpi marj% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Bosh Bog'lanish bo'yicha Bank Statement balansi apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Sog'liqni saqlash (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Savdo buyurtmasini va etkazib berishni yaratish uchun odatiy omborxona Eslatma +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,"{1} indeksida {0} uchun javob berish vaqti, Qaror vaqtidan kattaroq bo'la olmaydi." DocType: Opportunity,Customer / Lead Name,Xaridor / qo'rg'oshin nomi DocType: Student,EDU-STU-.YYYY.-,EDU-STU-YYYYY.- DocType: Expense Claim Advance,Unclaimed amount,Talab qilinmagan miqdor @@ -7489,7 +7564,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Tomonlar va manzillarni import qilish DocType: Item,List this Item in multiple groups on the website.,Ushbu elementni veb-saytdagi bir nechta guruhda ko'rsating. DocType: Request for Quotation,Message for Supplier,Yetkazib beruvchiga xabar -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,{1} elementi uchun kabinetga amaliyoti sifatida {0} o'zgarib bo'lmaydi. DocType: Healthcare Practitioner,Phone (R),Telefon (R) DocType: Maintenance Team Member,Team Member,Jamoa a'zosi DocType: Asset Category Account,Asset Category Account,Asset kategoriyasi hisobi diff --git a/erpnext/translations/vi.csv b/erpnext/translations/vi.csv index 3573e7d007..2d5cf84de1 100644 --- a/erpnext/translations/vi.csv +++ b/erpnext/translations/vi.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,Ngày bắt đầu học kỳ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,Cuộc hẹn {0} và Hóa đơn bán hàng {1} đã bị hủy DocType: Purchase Receipt,Vehicle Number,Số xe apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,Địa chỉ email của bạn... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,Bao gồm các mục sách mặc định +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,Bao gồm các mục sách mặc định DocType: Activity Cost,Activity Type,Loại hoạt động DocType: Purchase Invoice,Get Advances Paid,Nhận tiền tạm ứng DocType: Company,Gain/Loss Account on Asset Disposal,Tài khoản lãi / lỗ khi xử lý tài sản @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,Nó làm gì? DocType: Bank Reconciliation,Payment Entries,Mục thanh toán DocType: Employee Education,Class / Percentage,Lớp / Tỷ lệ phần trăm ,Electronic Invoice Register,Đăng ký hóa đơn điện tử +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. DocType: Sales Invoice,Is Return (Credit Note),Là trả lại (Ghi chú tín dụng) +DocType: Price List,Price Not UOM Dependent,Giá không phụ thuộc UOM DocType: Lab Test Sample,Lab Test Sample,Mẫu thử nghiệm trong phòng thí nghiệm DocType: Shopify Settings,status html,trạng thái html DocType: Fiscal Year,"For e.g. 2012, 2012-13","Ví dụ: 2012, 2012-13" @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,Tìm kiếm sả DocType: Salary Slip,Net Pay,Thanh toán ròng apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Tổng số hóa đơn Amt DocType: Clinical Procedure,Consumables Invoice Separately,Hóa đơn hàng tiêu dùng riêng +DocType: Shift Type,Working Hours Threshold for Absent,Ngưỡng giờ làm việc vắng mặt DocType: Appraisal,HR-APR-.YY.-.MM.,Nhân sự -APR-.YY.-.MM. apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Ngân sách không thể được chỉ định cho Tài khoản nhóm {0} DocType: Purchase Receipt Item,Rate and Amount,Tỷ lệ và số tiền @@ -380,7 +383,6 @@ DocType: Sales Invoice,Set Source Warehouse,Đặt kho nguồn DocType: Healthcare Settings,Out Patient Settings,Cài đặt bệnh nhân DocType: Asset,Insurance End Date,Ngày kết thúc bảo hiểm DocType: Bank Account,Branch Code,Mã chi nhánh -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,Thời gian đáp ứng apps/erpnext/erpnext/public/js/conf.js,User Forum,Diễn đàn người dùng DocType: Landed Cost Item,Landed Cost Item,Mục chi phí hạ cánh 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 @@ -598,6 +600,7 @@ DocType: Lead,Lead Owner,Chủ đầu tư DocType: Share Transfer,Transfer,chuyển khoản apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Mục tìm kiếm (Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0} Kết quả được gửi +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,Từ ngày không thể lớn hơn đến ngày DocType: Supplier,Supplier of Goods or Services.,Nhà cung cấp hàng hóa hoặc dịch vụ. 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 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,Nhóm sinh viên hoặc Lịch học là bắt buộc @@ -883,7 +886,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,Cơ sở d DocType: Skill,Skill Name,Tên kỹ năng apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,In thẻ báo cáo DocType: Soil Texture,Ternary Plot,Âm mưu -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,Vé ủng hộ DocType: Asset Category Account,Fixed Asset Account,Tài khoản cố định apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,Muộn nhất @@ -896,6 +898,7 @@ DocType: Delivery Trip,Distance UOM,Khoảng cách UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,Bắt buộc đối với Bảng cân đối kế toán DocType: Payment Entry,Total Allocated Amount,Tổng số tiền được phân bổ DocType: Sales Invoice,Get Advances Received,Nhận tiền ứng trước +DocType: Shift Type,Last Sync of Checkin,Đồng bộ hóa lần cuối của Checkin DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,Mục thuế Số tiền bao gồm trong giá trị apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -904,7 +907,9 @@ DocType: Subscription Plan,Subscription Plan,Kế hoạch đăng ký DocType: Student,Blood Group,Nhóm máu apps/erpnext/erpnext/config/healthcare.py,Masters,Thạc sĩ DocType: Crop,Crop Spacing UOM,Cắt khoảng cách UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,Thời gian sau ca làm việc bắt đầu khi nhận phòng được coi là trễ (tính bằng phút). apps/erpnext/erpnext/templates/pages/home.html,Explore,Khám phá +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 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",{0} vị trí tuyển dụng và {1} ngân sách cho {2} đã được lên kế hoạch cho các công ty con của {3}. \ Bạn chỉ có thể lập kế hoạch tối đa {4} vị trí tuyển dụng và ngân sách {5} theo kế hoạch nhân sự {6} cho công ty mẹ {3}. DocType: Promotional Scheme,Product Discount Slabs,Sản phẩm tấm giảm giá @@ -1006,6 +1011,7 @@ DocType: Attendance,Attendance Request,Yêu cầu tham dự DocType: Item,Moving Average,Di chuyển trung bình DocType: Employee Attendance Tool,Unmarked Attendance,Tham dự không đánh dấu DocType: Homepage Section,Number of Columns,Số cột +DocType: Issue Priority,Issue Priority,Vấn đề ưu tiên DocType: Holiday List,Add Weekly Holidays,Thêm ngày lễ hàng tuần DocType: Shopify Log,Shopify Log,Nhật ký Shopify apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,Tạo phiếu lương @@ -1014,6 +1020,7 @@ DocType: Job Offer Term,Value / Description,Giá trị / Mô tả DocType: Warranty Claim,Issue Date,Ngày phát hành 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ô cho mục {0}. Không thể tìm thấy một lô đáp ứng yêu cầu này apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,Không thể tạo Tiền thưởng duy trì cho nhân viên còn lại +DocType: Employee Checkin,Location / Device ID,ID vị trí / thiết bị DocType: Purchase Order,To Receive,Nhận apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,Bạn đang ở chế độ ngoại tuyến. Bạn sẽ không thể tải lại cho đến khi bạn có mạng. DocType: Course Activity,Enrollment,Tuyển sinh @@ -1022,7 +1029,6 @@ DocType: Lab Test Template,Lab Test Template,Mẫu thử nghiệm Lab apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Tối đa: {0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,Thiếu thông tin hóa đơn điện tử apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,Không có yêu cầu vật liệu được tạo ra -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Mã hàng> Nhóm vật phẩm> Thương hiệu DocType: Loan,Total Amount Paid,Tổng số tiền thanh toán 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 hóa đơn DocType: Training Event,Trainer Name,Tên huấn luyện viên @@ -1133,6 +1139,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Vui lòng đề cập đến Tên khách hàng tiềm năng trong chì {0} DocType: Employee,You can enter any date manually,Bạn có thể nhập bất kỳ ngày nào bằng tay DocType: Stock Reconciliation Item,Stock Reconciliation Item,Mục hòa giải chứng khoán +DocType: Shift Type,Early Exit Consequence,Hậu quả xuất cảnh sớm DocType: Item Group,General Settings,Cài đặt chung apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,Ngày đến hạn không thể trước ngày Đăng / Ngày hóa đơn nhà cung cấp apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,Nhập tên của Người thụ hưởng trước khi gửi. @@ -1171,6 +1178,7 @@ DocType: Account,Auditor,Kiểm toán viên apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,Xác nhận thanh toán ,Available Stock for Packing Items,Hàng có sẵn cho các mặt hàng đóng gói apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},Vui lòng xóa Hóa đơn này {0} khỏi Biểu mẫu C {1} +DocType: Shift Type,Every Valid Check-in and Check-out,Mỗi lần nhận và trả phòng hợp lệ DocType: Support Search Source,Query Route String,Chuỗi tuyến truy vấn DocType: Customer Feedback Template,Customer Feedback Template,Mẫu phản hồi của khách hàng apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,Báo giá cho khách hàng tiềm năng hoặc khách hàng. @@ -1205,6 +1213,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,Kiểm soát ủy quyền ,Daily Work Summary Replies,Tóm tắt công việc hàng ngày Trả lời apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},Bạn đã được mời cộng tác trong dự án: {0} +DocType: Issue,Response By Variance,Phản hồi bằng phương sai DocType: Item,Sales Details,Chi tiết bán hàng apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,Đầu thư cho các mẫu in. DocType: Salary Detail,Tax on additional salary,Thuế đối với tiền lương bổ sung @@ -1328,6 +1337,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,Địa ch DocType: Project,Task Progress,Tiến độ nhiệm vụ DocType: Journal Entry,Opening Entry,Khai trương DocType: Bank Guarantee,Charges Incurred,Phí phát sinh +DocType: Shift Type,Working Hours Calculation Based On,Tính toán giờ làm việc dựa trên DocType: Work Order,Material Transferred for Manufacturing,Nguyên liệu được chuyển giao cho sản xuất DocType: Products Settings,Hide Variants,Ẩn các biến thể DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Vô hiệu hóa lập kế hoạch năng lực và theo dõi thời gian @@ -1357,6 +1367,7 @@ DocType: Account,Depreciation,Khấu hao DocType: Guardian,Interests,Sở thích DocType: Purchase Receipt Item Supplied,Consumed Qty,Số lượng tiêu thụ DocType: Education Settings,Education Manager,Quản lý giáo dục +DocType: Employee Checkin,Shift Actual Start,Thay đổi thực tế bắt đầu DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Lập kế hoạch nhật ký thời gian ngoài giờ làm việc của máy trạm. apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},Điểm trung thành: {0} DocType: Healthcare Settings,Registration Message,Thông báo đăng ký @@ -1381,9 +1392,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,Hóa đơn đã được tạo cho tất cả các giờ thanh toán DocType: Sales Partner,Contact Desc,Liên hệ Desc DocType: Purchase Invoice,Pricing Rules,Quy tắc định giá +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}","Vì có các giao dịch hiện có đối với mục {0}, bạn không thể thay đổi giá trị của {1}" DocType: Hub Tracked Item,Image List,Danh sách hình ảnh DocType: Item Variant Settings,Allow Rename Attribute Value,Cho phép đổi tên giá trị thuộc tính -DocType: Price List,Price Not UOM Dependant,Giá không phụ thuộc UOM apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),Thời gian (tính bằng phút) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,Căn bản DocType: Loan,Interest Income Account,Tài khoản thu nhập lãi @@ -1393,6 +1404,7 @@ DocType: Employee,Employment Type,Loại việc làm apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,Chọn hồ sơ POS DocType: Support Settings,Get Latest Query,Nhận truy vấn mới nhất DocType: Employee Incentive,Employee Incentive,Ưu đãi nhân viên +DocType: Service Level,Priorities,Ưu tiên apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,Thêm thẻ hoặc phần tùy chỉnh trên trang chủ DocType: Homepage,Hero Section Based On,Phần anh hùng dựa trên DocType: Project,Total Purchase Cost (via Purchase Invoice),Tổng chi phí mua hàng (thông qua hóa đơn mua hàng) @@ -1453,7 +1465,7 @@ DocType: Work Order,Manufacture against Material Request,Sản xuất chống l DocType: Blanket Order Item,Ordered Quantity,Số lượng đã đặt apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Hàng # {0}: Kho bị từ chối là bắt buộc đối với Mục bị từ chối {1} ,Received Items To Be Billed,Các mặt hàng đã nhận được thanh toán -DocType: Salary Slip Timesheet,Working Hours,Giờ làm việc +DocType: Attendance,Working Hours,Giờ làm việc apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,Chế độ thanh toán apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,Đơn đặt hàng mua hàng không nhận được đúng thời gian apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,Thời lượng tính theo ngày @@ -1573,7 +1585,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount.,Q DocType: Supplier,Statutory info and other general information about your Supplier,Thông tin theo luật định và thông tin chung khác về Nhà cung cấp của bạn DocType: Item Default,Default Selling Cost Center,Trung tâm chi phí bán hàng mặc định DocType: Sales Partner,Address & Contacts,Địa chỉ & Liên hệ -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: Subscriber,Subscriber,Người đăng kí apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Mẫu / Mục / {0}) đã hết hàng apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Vui lòng chọn Ngày đăng đầu tiên @@ -1584,7 +1595,7 @@ DocType: Project,% Complete Method,Phương pháp hoàn thành% DocType: Detected Disease,Tasks Created,Nhiệm vụ được tạo apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,BOM mặc định ({0}) phải được kích hoạt cho mục này hoặc mẫu của nó apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,Tỷ lệ hoa hồng% -DocType: Service Level,Response Time,Thời gian đáp ứng +DocType: Service Level Priority,Response Time,Thời gian đáp ứng DocType: Woocommerce Settings,Woocommerce Settings,Cài đặt thương mại điện tử apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,Số lượng phải tích cực DocType: Contract,CRM,CRM @@ -1601,7 +1612,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,Phí thăm khám nội t DocType: Bank Statement Settings,Transaction Data Mapping,Ánh xạ dữ liệu giao dịch apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,Một khách hàng tiềm năng yêu cầu tên của một người hoặc tên của một tổ chức DocType: Student,Guardians,Người giám hộ -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/public/js/stock_analytics.js,Select Brand...,Chọn Thương hiệu ... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,Thu nhập trung bình DocType: Shipping Rule,Calculate Based On,Tính toán dựa trên @@ -1638,6 +1648,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,Đặt một mục apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},Hồ sơ tham dự {0} tồn tại so với Sinh viên {1} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,ngày giao dịch apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,Hủy đăng ký +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,Không thể đặt Thỏa thuận cấp độ dịch vụ {0}. apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Số tiền lương ròng DocType: Account,Liability,Trách nhiệm DocType: Employee,Bank A/C No.,Ngân hàng A / C số @@ -1703,7 +1714,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,Mã nguyên liệu apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,Hóa đơn mua hàng {0} đã được gửi DocType: Fees,Student Email,Email sinh viên -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},Đệ quy BOM: {0} không thể là cha hoặc con của {2} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,Nhận vật phẩm từ các dịch vụ chăm sóc sức khỏe apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,Nhập kho {0} không được gửi DocType: Item Attribute Value,Item Attribute Value,Giá trị thuộc tính vật phẩm @@ -1728,7 +1738,6 @@ DocType: POS Profile,Allow Print Before Pay,Cho phép in trước khi trả ti DocType: Production Plan,Select Items to Manufacture,Chọn các mặt hàng để sản xuất DocType: Leave Application,Leave Approver Name,Để lại tên người phê duyệt DocType: Shareholder,Shareholder,Cổ đông -DocType: Issue,Agreement Status,Tình trạng thỏa thuận apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Cài đặt mặc định để bán giao dịch. 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 Nhập học sinh viên là bắt buộc đối với người nộp đơn sinh viên được trả tiền apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Chọn BOM @@ -1991,6 +2000,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,Tài khoản thu nhập apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,Tất cả các kho DocType: Contract,Signee Details,Chi tiết người đăng ký +DocType: Shift Type,Allow check-out after shift end time (in minutes),Cho phép trả phòng sau thời gian kết thúc ca (tính bằng phút) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,Tạp vụ DocType: Item Group,Check this if you want to show in website,Kiểm tra điều này nếu bạn muốn hiển thị trên trang web 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 @@ -2057,6 +2067,7 @@ DocType: Asset Finance Book,Depreciation Start Date,Khấu hao ngày bắt đầ DocType: Activity Cost,Billing Rate,Tỷ lệ thanh toán apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},Cảnh báo: Một {0} # {1} khác tồn tại so với mục nhập chứng khoán {2} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,Vui lòng bật Cài đặt Google Maps để ước tính và tối ưu hóa các tuyến đường +DocType: Purchase Invoice Item,Page Break,Ngắt trang DocType: Supplier Scorecard Criteria,Max Score,Điểm tối đa apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,Ngày bắt đầu hoàn trả không thể trước ngày giải ngân. DocType: Support Search Source,Support Search Source,Hỗ trợ nguồn tìm kiếm @@ -2125,6 +2136,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,Mục tiêu chất lượ DocType: Employee Transfer,Employee Transfer,Chuyển nhân viên ,Sales Funnel,Kênh bán hàng DocType: Agriculture Analysis Criteria,Water Analysis,Phân tích nước +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: Accounts Settings,Accounts Frozen Upto,Tài khoản Frozen Upto apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,Không có gì để chỉnh sửa. apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Hoạt động {0} lâu hơn bất kỳ giờ làm việc khả dụng nào trong máy trạm {1}, chia hoạt động thành nhiều hoạt động" @@ -2138,7 +2150,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,Tài apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},Đơn đặt hàng {0} là {1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),Trì hoãn thanh toán (Ngày) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,Nhập chi tiết khấu hao +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,PO khách hàng apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,Ngày giao hàng dự kiến nên sau ngày đặt hàng +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,Số lượng mặt hàng không thể bằng không apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,Thuộc tính không hợp lệ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},Vui lòng chọn BOM đối với mục {0} DocType: Bank Statement Transaction Invoice Item,Invoice Type,Loại hoá đơn @@ -2148,6 +2162,7 @@ DocType: Maintenance Visit,Maintenance Date,Ngày bảo trì DocType: Volunteer,Afternoon,Buổi chiều DocType: Vital Signs,Nutrition Values,Giá trị dinh dưỡng DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),"Xuất hiện sốt (nhiệt độ> 38,5 ° C / 101,3 ° F hoặc nhiệt độ duy trì> 38 ° C / 100,4 ° F)" +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vui lòng thiết lập Hệ thống đặt tên nhân viên trong Nhân sự> Cài đặt nhân sự apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC đảo ngược DocType: Project,Collect Progress,Thu thập tiến độ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,Năng lượng @@ -2198,6 +2213,7 @@ DocType: Setup Progress,Setup Progress,Tiến trình thiết lập ,Ordered Items To Be Billed,Các mặt hàng được đặt hàng sẽ được lập hóa đơn DocType: Taxable Salary Slab,To Amount,Đến số tiền DocType: Purchase Invoice,Is Return (Debit Note),Là trả lại (Ghi nợ) +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/config/desktop.py,Getting Started,Bắt đầu apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,Hợp nhất apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Không thể thay đổi Ngày bắt đầu năm tài chính và Ngày kết thúc năm tài chính sau khi Năm tài chính được lưu. @@ -2216,8 +2232,10 @@ DocType: Maintenance Schedule Detail,Actual Date,Ngày thực tế apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Ngày bắt đầu bảo trì không thể trước ngày giao hàng cho Số sê-ri {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,Hàng {0}: Tỷ giá hối đoái là bắt buộc DocType: Purchase Invoice,Select Supplier Address,Chọn địa chỉ nhà cung cấp +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}","Số lượng có sẵn là {0}, bạn cần {1}" apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,Vui lòng nhập API Người tiêu dùng bí mật DocType: Program Enrollment Fee,Program Enrollment Fee,Phí tuyển sinh chương trình +DocType: Employee Checkin,Shift Actual End,Thay đổi thực tế kết thúc DocType: Serial No,Warranty Expiry Date,Ngày hết hạn bảo hành DocType: Hotel Room Pricing,Hotel Room Pricing,Giá phòng khách sạn apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted","Các nguồn cung cấp chịu thuế bên ngoài (không được xếp hạng 0, không được xếp hạng và được miễn" @@ -2277,6 +2295,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,Đọc 5 DocType: Shopping Cart Settings,Display Settings,Thiết lập hiển thị apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,Vui lòng đặt Số lượng khấu hao đã đặt +DocType: Shift Type,Consequence after,Hậu quả sau apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,Bạn cần giúp về? DocType: Journal Entry,Printing Settings,Cài đặt in apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,Ngân hàng @@ -2286,6 +2305,7 @@ DocType: Purchase Invoice Item,PR Detail,Chi tiết PR apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,Địa chỉ thanh toán giống với địa chỉ giao hàng DocType: Account,Cash,Tiền mặt DocType: Employee,Leave Policy,Chính sách nghỉ phép +DocType: Shift Type,Consequence,Kết quả apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,Địa chỉ sinh viên DocType: GST Account,CESS Account,Tài khoản CESS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Trung tâm chi phí là bắt buộc đối với tài khoản 'Lãi và lỗ' {2}. Vui lòng thiết lập Trung tâm chi phí mặc định cho Công ty. @@ -2350,6 +2370,7 @@ DocType: GST HSN Code,GST HSN Code,Mã GST HSN DocType: Period Closing Voucher,Period Closing Voucher,Phiếu đóng cửa thời gian apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Tên người giám hộ2 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,Vui lòng nhập tài khoản chi phí +DocType: Issue,Resolution By Variance,Nghị quyết bằng phương sai DocType: Employee,Resignation Letter Date,Ngày nghỉ việc DocType: Soil Texture,Sandy Clay,Đất sét cát DocType: Upload Attendance,Attendance To Date,Tham dự đến ngày @@ -2362,6 +2383,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,Xem ngay bây giờ DocType: Item Price,Valid Upto,Tối đa hợp lệ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},Tài liệu tham khảo phải là một trong {0} +DocType: Employee Checkin,Skip Auto Attendance,Bỏ qua tự động tham dự DocType: Payment Request,Transaction Currency,Tiền tệ giao dịch DocType: Loan,Repayment Schedule,Kế hoạch trả nợ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,Tạo mẫu lưu giữ cổ phiếu @@ -2433,6 +2455,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,Phân công cơ DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,Voucher đóng thuế POS apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,Hành động khởi tạo DocType: POS Profile,Applicable for Users,Áp dụng cho người dùng +,Delayed Order Report,Báo cáo đơn hàng bị trì hoãn DocType: Training Event,Exam,Thi apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Số lượng mục nhập sổ cái không chính xác được tìm thấy. Bạn có thể đã chọn một Tài khoản sai trong giao dịch. apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Đường ống dẫn bán hàng @@ -2447,10 +2470,11 @@ DocType: Account,Round Off,Làm tròn số DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,Điều kiện sẽ được áp dụng trên tất cả các mục đã chọn kết hợp. apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,Cấu hình DocType: Hotel Room,Capacity,Sức chứa +DocType: Employee Checkin,Shift End,Thay đổi kết thúc DocType: Installation Note Item,Installed Qty,Số lượng cài đặt apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Hàng loạt {0} của Mục {1} bị vô hiệu hóa. DocType: Hotel Room Reservation,Hotel Reservation User,Đặt phòng khách sạn -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,Ngày làm việc đã được lặp lại hai lần +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,Thỏa thuận cấp độ dịch vụ với Loại thực thể {0} và Thực thể {1} đã tồn tại. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},Nhóm mục không được đề cập trong mục chính cho mục {0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},Lỗi tên: {0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,Lãnh thổ là bắt buộc trong hồ sơ POS @@ -2498,6 +2522,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,Lịch trình ngày DocType: Packing Slip,Package Weight Details,Chi tiết trọng lượng gói DocType: Job Applicant,Job Opening,Công việc đang tuyển nhân viên +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,Được biết đến lần cuối Đồng bộ hóa thành công của nhân viên. Chỉ đặt lại điều này nếu bạn chắc chắn rằng tất cả Nhật ký được đồng bộ hóa từ tất cả các vị trí. Vui lòng không sửa đổi điều này nếu bạn không chắc chắn. apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Gia thật apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Tổng số tiền tạm ứng ({0}) so với Đơn hàng {1} không thể lớn hơn Tổng số tổng ({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,Mục biến thể được cập nhật @@ -2542,6 +2567,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,Biên lai mua hàng tham apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,Nhận hóa đơn DocType: Tally Migration,Is Day Book Data Imported,Là dữ liệu sách ngày nhập khẩu ,Sales Partners Commission,Ủy ban đối tác bán hàng +DocType: Shift Type,Enable Different Consequence for Early Exit,Kích hoạt hệ quả khác nhau để thoát sớm apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,Hợp pháp DocType: Loan Application,Required by Date,Yêu cầu theo ngày DocType: Quiz Result,Quiz Result,Kết quả bài kiểm tra @@ -2601,7 +2627,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,Năm tài DocType: Pricing Rule,Pricing Rule,Quy tắc định giá apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Danh sách ngày lễ tùy chọn không được đặt cho thời gian nghỉ {0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,Vui lòng đặt trường ID người dùng trong hồ sơ nhân viên để đặt Vai trò nhân viên -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,Thời gian để giải quyết DocType: Training Event,Training Event,Sự kiện đào tạo DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""","Huyết áp nghỉ ngơi bình thường ở người trưởng thành là khoảng 120 mmHg tâm thu và 80 mmHg tâm trương, viết tắt là "120/80 mmHg"" DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,Hệ thống sẽ tìm nạp tất cả các mục nếu giá trị giới hạn bằng không. @@ -2645,6 +2670,7 @@ DocType: Woocommerce Settings,Enable Sync,Bật đồng bộ hóa DocType: Student Applicant,Approved,Tán thành apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},Từ ngày phải trong Năm tài chính. Giả sử từ ngày = {0} 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. +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: Opening Invoice Creation Tool Item,Temporary Opening Account,Tài khoản tạm thời mở DocType: Purchase Invoice,Cash/Bank Account,Tiền mặt / Tài khoản ngân hàng DocType: Quality Meeting Table,Quality Meeting Table,Bàn họp chất lượng @@ -2680,6 +2706,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,Mã thông báo xác thực MWS apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Thực phẩm, đồ uống và thuốc lá" apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Lịch học DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Mục chi tiết thuế khôn ngoan +DocType: Shift Type,Attendance will be marked automatically only after this date.,Tham dự sẽ được đánh dấu tự động chỉ sau ngày này. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,Đồ dùng cho người giữ UIN apps/erpnext/erpnext/hooks.py,Request for Quotations,Yêu cầu báo giá 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 bằng cách sử dụng một số loại tiền tệ khác @@ -2728,7 +2755,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,Là vật phẩm từ Hub apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,Thủ tục chất lượng. DocType: Share Balance,No of Shares,Không có cổ phần -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Hàng {0}: Số lượng không có sẵn cho {4} trong kho {1} tại thời điểm đăng bài của mục ({2} {3}) DocType: Quality Action,Preventive,Dự phòng DocType: Support Settings,Forum URL,URL diễn đàn apps/erpnext/erpnext/config/hr.py,Employee and Attendance,Nhân viên và tham dự @@ -2950,7 +2976,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,Loại giảm giá DocType: Hotel Settings,Default Taxes and Charges,Thuế và phí mặc định apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,Điều này dựa trên các giao dịch chống lại Nhà cung cấp này. Xem dòng thời gian dưới đây để biết chi tiết apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},Số tiền trợ cấp tối đa của nhân viên {0} vượt quá {1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,Nhập ngày bắt đầu và ngày kết thúc cho Thỏa thuận. DocType: Delivery Note Item,Against Sales Invoice,Chống lại hóa đơn bán hàng DocType: Loyalty Point Entry,Purchase Amount,Số lượng mua apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,Không thể đặt là Mất khi Đơn đặt hàng được thực hiện. @@ -2974,7 +2999,7 @@ DocType: Homepage,"URL for ""All Products""",URL cho "Tất cả sản ph DocType: Lead,Organization Name,tên tổ chức 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/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},Hàng # {0}: Hàng loạt Không phải giống với {1} {2} -DocType: Employee,Leave Details,Để lại chi tiết +DocType: Employee Checkin,Shift Start,Thay đổi bắt đầu apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,Giao dịch chứng khoán trước khi {0} bị đóng băng DocType: Driver,Issuing Date,Ngày phát hành apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Người yêu cầu @@ -3019,9 +3044,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,Chi tiết mẫu bản đồ dòng tiền apps/erpnext/erpnext/config/hr.py,Recruitment and Training,Tuyển dụng và đào tạo DocType: Drug Prescription,Interval UOM,UOM khoảng +DocType: Shift Type,Grace Period Settings For Auto Attendance,Cài đặt thời gian ân hạn cho tự động tham dự apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,Từ tiền tệ và tiền tệ không thể giống nhau apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Dược phẩm DocType: Employee,HR-EMP-,Nhân sự-EMP- +DocType: Service Level,Support Hours,Giờ hỗ trợ apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1} bị hủy hoặc đóng apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,Hàng {0}: Tiền ứng trước khách hàng phải là tín dụng apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Nhóm của Voucher (Hợp nhất) @@ -3131,6 +3158,7 @@ DocType: Asset Repair,Repair Status,Tình trạng sửa chữa DocType: Territory,Territory Manager,người quản lý lãnh thổ DocType: Lab Test,Sample ID,ID mẫu apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,Giỏ hàng trống +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ý của nhân viên apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,Tài sản {0} phải được gửi ,Absent Student Report,Báo cáo sinh viên vắng mặt 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 @@ -3138,7 +3166,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled,B DocType: Travel Request Costing,Funded Amount,Số tiền tài trợ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,{0} {1} chưa được gửi để hành động không thể hoàn thành DocType: Subscription,Trial Period End Date,Thời gian dùng thử Ngày kết thúc +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,Các mục nhập xen kẽ như IN và OUT trong cùng một ca DocType: BOM Update Tool,The new BOM after replacement,BOM mới sau khi thay thế +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Nhà cung cấp> Loại nhà cung cấp apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,Mục 5 DocType: Employee,Passport Number,Số hộ chiếu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,Khai trương tạm thời @@ -3254,6 +3284,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,Báo cáo chính apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,Nhà cung cấp có thể ,Issued Items Against Work Order,Phát hành các mặt hàng chống lại trật tự công việc apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Tạo hóa đơn {0} +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: Student,Joining Date,Ngày tham gia apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,Trang web yêu cầu DocType: Purchase Invoice,Against Expense Account,Chống lại tài khoản chi phí @@ -3293,6 +3324,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,Phí áp dụng ,Point of Sale,Điểm bán hàng DocType: Authorization Rule,Approving User (above authorized value),Người dùng chấp thuận (giá trị được ủy quyền trên) +DocType: Service Level Agreement,Entity,Thực thể apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Số tiền {0} {1} được chuyển từ {2} sang {3} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Khách hàng {0} không thuộc về dự án {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Từ tên đảng @@ -3339,6 +3371,7 @@ DocType: Asset,Opening Accumulated Depreciation,Khấu hao lũy kế DocType: Soil Texture,Sand Composition (%),Thành phần cát (%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,Nhập dữ liệu sách ngày +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vui lòng đặt Sê-ri đặt tên cho {0} qua Cài đặt> Cài đặt> Sê-ri đặt tên DocType: Asset,Asset Owner Company,Công ty chủ tài sản apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,Trung tâm chi phí là cần thiết để đặt một yêu cầu chi phí apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} nos nối tiếp hợp lệ cho Mục {1} @@ -3399,7 +3432,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,Chủ tài sản apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},Kho là bắt buộc đối với chứng khoán Mục {0} trong hàng {1} DocType: Stock Entry,Total Additional Costs,Tổng chi phí bổ sung -DocType: Marketplace Settings,Last Sync On,Đồng bộ hóa lần cuối 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 Team,Maintenance Team Name,Tên nhóm bảo trì apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,Biểu đồ trung tâm chi phí @@ -3415,12 +3447,12 @@ DocType: Sales Order Item,Work Order Qty,Lệnh làm việc DocType: Job Card,WIP Warehouse,Kho WIP DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},ID người dùng không được đặt cho Nhân viên {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}","Số lượng có sẵn là {0}, bạn cần {1}" apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,Người dùng {0} đã tạo DocType: Stock Settings,Item Naming By,Mục đặt tên theo apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,Đặt hàng 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ể chỉnh sửa. apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,Yêu cầu vật liệu {0} bị hủy hoặc dừng +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: Purchase Order Item Supplied,Supplied Qty,Số lượng cung cấp DocType: Cash Flow Mapper,Cash Flow Mapper,Lập bản đồ dòng tiền DocType: Soil Texture,Sand,Cát @@ -3479,6 +3511,7 @@ DocType: Lab Test Groups,Add new line,Thêm dòng mới apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,Nhóm mục trùng lặp được tìm thấy trong bảng nhóm mục apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,Mức lương hàng năm DocType: Supplier Scorecard,Weighting Function,Chức năng câ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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,Lỗi đánh giá công thức tiêu chí ,Lab Test Report,Báo cáo thử nghiệm trong phòng thí nghiệm DocType: BOM,With Operations,Với hoạt động @@ -3492,6 +3525,7 @@ DocType: Expense Claim Account,Expense Claim Account,Tài khoản yêu cầu chi 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 Nhật ký apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1} là sinh viên không hoạt động apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,Nhập kho +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},Đệ quy BOM: {0} không thể là cha hoặc con của {1} DocType: Employee Onboarding,Activities,Hoạt động apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Toàn bộ một kho là bắt buộc ,Customer Credit Balance,Số dư tín dụng khách hàng @@ -3504,9 +3538,11 @@ DocType: Supplier Scorecard Period,Variables,Biến apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Nhiều chương trình khách hàng thân thiết được tìm thấy cho khách hàng. Vui lòng chọn thủ công. DocType: Patient,Medication,Thuốc apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,Chọn chương trình khách hàng thân thiết +DocType: Employee Checkin,Attendance Marked,Tham dự đánh dấu apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Nguyên liệu DocType: Sales Order,Fully Billed,Hóa đơn đầy đủ 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 trên {} +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,Chỉ chọn một Ưu tiên làm Mặc định. apps/erpnext/erpnext/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} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Tổng số tiền Tín dụng / Nợ phải giống như Nhật ký được liên kết DocType: Purchase Invoice Item,Is Fixed Asset,Là tài sản cố định @@ -3527,6 +3563,7 @@ DocType: Purpose of Travel,Purpose of Travel,Mục đích du lịch DocType: Healthcare Settings,Appointment Confirmation,Xác nhận cuộc hẹn DocType: Shopping Cart Settings,Orders,Đơn đặt hàng DocType: HR Settings,Retirement Age,Tuổi về hưu +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/stock/page/stock_balance/stock_balance.js,Projected Qty,Số lượng chiếu apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},Xóa không được phép cho quốc gia {0} apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},Hàng # {0}: Tài sản {1} đã {2} @@ -3610,11 +3647,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,Viên kế toán apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},Voucher đóng cuối POS tồn tại trong {0} giữa ngày {1} và {2} apps/erpnext/erpnext/config/help.py,Navigating,Điều hướng +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,Không có hóa đơn chưa thanh toán yêu cầu đánh giá lại tỷ giá hối đoái DocType: Authorization Rule,Customer / Item Name,Tên khách hàng / mặt hàng apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nối tiếp mới Không thể không có Kho. Kho phải được đặt theo Nhập kho hoặc Biên lai mua hàng DocType: Issue,Via Customer Portal,Qua cổng thông tin khách hàng DocType: Work Order Operation,Planned Start Time,Thời gian bắt đầu dự kiến apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} là {2} +DocType: Service Level Priority,Service Level Priority,Ưu tiên cấp độ dịch vụ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Số lượng khấu hao đã đặt không thể lớn hơn Tổng số khấu hao apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,Chia sẻ sổ cái DocType: Journal Entry,Accounts Payable,Tài khoản phải trả @@ -3725,7 +3764,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,Chuyển tới DocType: Bank Statement Transaction Settings Item,Bank Data,Dữ liệu ngân hàng apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,Lên lịch -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Duy trì giờ thanh toán và giờ làm việc giống nhau trên Bảng chấm công apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,Theo dõi dẫn theo nguồn chì. DocType: Clinical Procedure,Nursing User,Người dùng điều dưỡng DocType: Support Settings,Response Key List,Danh sách khóa phản hồi @@ -3893,6 +3931,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,Thời gian bắt đầu thực tế DocType: Antibiotic,Laboratory User,Người dùng phòng thí nghiệm apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,Đấu giá trực tuyến +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,Ưu tiên {0} đã được lặp lại. DocType: Fee Schedule,Fee Creation Status,Tình trạng tạo phí apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,Phần mềm apps/erpnext/erpnext/config/help.py,Sales Order to Payment,Đặt hàng để thanh toán @@ -3959,6 +3998,7 @@ DocType: Patient Encounter,In print,Trong in ấn apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,Không thể truy xuất thông tin cho {0}. apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,Tiền tệ thanh toán phải bằng tiền tệ của công ty mặc định hoặc tiền tệ tài khoản bên 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 nhân viên bán hàng này +DocType: Shift Type,Early Exit Consequence after,Hậu quả xuất cảnh sớm sau apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,Tạo hóa đơn mở bán hàng và mua hàng DocType: Disease,Treatment Period,Thời gian điều trị apps/erpnext/erpnext/config/settings.py,Setting up Email,Thiết lập Email @@ -3976,7 +4016,6 @@ DocType: Employee Skill Map,Employee Skills,Kỹ năng nhân viên apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,Tên học sinh: DocType: SMS Log,Sent On,Đã gửi DocType: Bank Statement Transaction Invoice Item,Sales Invoice,Hóa đơn bán hàng -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,Thời gian đáp ứng không thể lớn hơn Thời gian giải quyết DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Đối với Nhóm sinh viên dựa trên khóa học, Khóa học sẽ được xác nhận cho mỗi sinh viên từ các khóa học đã đăng ký tham gia chương trình." apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,Vật tư nội bộ DocType: Employee,Create User Permission,Tạo quyền người dùng @@ -4015,6 +4054,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme 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. DocType: Sales Invoice,Customer PO Details,Chi tiết PO của khách hàng apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Không tìm thấy bệnh nhân +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,Chọn một Ưu tiên mặc định. apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,Xóa mặt hàng nếu không áp dụng phí cho mặt hàng đó apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Nhóm khách hàng tồn tại cùng tên, vui lòng thay đổi tên Khách hàng hoặc đổi tên Nhóm khách hàng" 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. @@ -4054,6 +4094,7 @@ DocType: Quality Goal,Quality Goal,Mục tiêu chất lượng DocType: Support Settings,Support Portal,Cổng thông tin hỗ trợ apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},Ngày kết thúc của nhiệm vụ {0} không thể nhỏ hơn {1} ngày bắt đầu dự kiến {2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},Nhân viên {0} đang nghỉ phép vào {1} +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} DocType: Employee,Held On,Tổ chức vào ngày DocType: Healthcare Practitioner,Practitioner Schedules,Lịch học tập DocType: Project Template Task,Begin On (Days),Bắt đầu (ngày) @@ -4061,6 +4102,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},Lệnh làm việc đã được {0} DocType: Inpatient Record,Admission Schedule Date,Ngày nhập học apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,Điều chỉnh giá trị tài sản +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. apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,Đồ dùng cho người chưa đăng ký apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,Tất cả công việc DocType: Appointment Type,Appointment Type,Loại cuộc hẹn @@ -4174,7 +4216,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P 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 trọng lượng tịnh + trọng lượng vật liệu đóng gói. (để in) DocType: Plant Analysis,Laboratory Testing Datetime,Thử nghiệm trong phòng thí nghiệm apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,Mục {0} không thể có hàng loạt -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,Đường ống bán hàng theo giai đoạn apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,Sức mạnh nhóm sinh viên DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,Báo cáo giao dịch ngân hàng DocType: Purchase Order,Get Items from Open Material Requests,Nhận vật phẩm từ yêu cầu vật liệu mở @@ -4256,7 +4297,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,Hiển thị kho lão hóa DocType: Sales Invoice,Write Off Outstanding Amount,Ghi giảm số tiền chưa thanh toán DocType: Payroll Entry,Employee Details,Thông tin nhân viên -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,Thời gian bắt đầu không thể lớn hơn Thời gian kết thúc cho {0}. DocType: Pricing Rule,Discount Amount,Số tiền chiết khấu DocType: Healthcare Service Unit Type,Item Details,mục chi tiết apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},Khai báo thuế trùng lặp {0} cho giai đoạn {1} @@ -4309,7 +4349,7 @@ DocType: Customer,CUST-.YYYY.-,TÙY CHỈNH -YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Thanh toán ròng không thể âm apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,Không có tương tác 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} # Mục {1} không thể được chuyển nhiều hơn {2} so với Đơn đặt hàng {3} -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,Shift,Ca +DocType: Attendance,Shift,Ca apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,Xử lý biểu đồ tài khoản và các bên DocType: Stock Settings,Convert Item Description to Clean HTML,Chuyển đổi mô tả mục để làm sạch HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,Tất cả các nhóm nhà cung cấp @@ -4380,6 +4420,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,Hoạt độn DocType: Healthcare Service Unit,Parent Service Unit,Đơn vị dịch vụ phụ huynh DocType: Sales Invoice,Include Payment (POS),Bao gồm thanh toán (POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,Cổ phần tư nhân +DocType: Shift Type,First Check-in and Last Check-out,Nhận phòng lần đầu và Trả phòng lần cuối DocType: Landed Cost Item,Receipt Document,Giấy tờ biên nhận DocType: Supplier Scorecard Period,Supplier Scorecard Period,Nhà cung cấp thời gian tính điểm DocType: Employee Grade,Default Salary Structure,Cơ cấu lương mặc định @@ -4462,6 +4503,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,Tạo đơn đặt hàng apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,Xác định ngân sách cho một năm tài chính. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,Bảng tài khoản không thể để trống. +DocType: Employee Checkin,Entry Grace Period Consequence,Hậu quả của giai đoạn ân sủng ,Payment Period Based On Invoice Date,Thời hạn thanh toán dựa trên ngày hóa đơn apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},Ngày cài đặt không thể trước ngày giao hàng cho Mục {0} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,Liên kết đến Yêu cầu Vật liệu @@ -4470,6 +4512,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Kiểu dữ l apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},Hàng {0}: Đã tồn tại mục nhập Sắp xếp lại cho kho này {1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Ngày bác sĩ DocType: Monthly Distribution,Distribution Name,Tên phân phối +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,Ngày làm việc {0} đã được lặp lại. apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,Nhóm không nhóm apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,Cập nhật trong tiến trình. Nó có thể mất một thời gian. DocType: Item,"Example: ABCD.##### @@ -4482,6 +4525,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,Số lượng nhiên liệu apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1 Mobile số DocType: Invoice Discounting,Disbursed,Đã giải ngân +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/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,Thay đổi ròng trong tài khoản phải trả apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,Không có sẵn apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,Bán thời gian @@ -4495,7 +4539,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Cơ hộ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Hiển thị PDC trong bản in apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Nhà cung cấp Shopify DocType: POS Profile User,POS Profile User,Hồ sơ người dùng POS -DocType: Student,Middle Name,Tên đệm DocType: Sales Person,Sales Person Name,Tên nhân viên bán hàng DocType: Packing Slip,Gross Weight,Tổng trọng lượng DocType: Journal Entry,Bill No,Hóa đơn không @@ -4504,7 +4547,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,Đị DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,Thỏa thuận cấp độ dịch vụ -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,Vui lòng chọn Nhân viên và Ngày đầu tiên apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,Tỷ lệ định giá vật phẩm được tính toán lại khi xem xét số tiền chứng từ chi phí hạ cánh DocType: Timesheet,Employee Detail,Chi tiết nhân viên DocType: Tally Migration,Vouchers,Chứng từ @@ -4539,7 +4581,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,Thỏa thuận c DocType: Additional Salary,Date on which this component is applied,Ngày mà thành phần này được áp dụng apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,Danh sách các Cổ đông có sẵn với số folio apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,Thiết lập tài khoản Gateway. -DocType: Service Level,Response Time Period,Thời gian đáp ứng +DocType: Service Level Priority,Response Time Period,Thời gian đáp ứng DocType: Purchase Invoice,Purchase Taxes and Charges,Thuế và phí mua hàng DocType: Course Activity,Activity Date,Ngày hoạt động apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,Chọn hoặc thêm khách hàng mới @@ -4564,6 +4606,7 @@ DocType: Sales Person,Select company name first.,Chọn tên công ty đầu ti apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,Năm tài chính DocType: Sales Invoice Item,Deferred Revenue,Doanh thu hoãn lại apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,Phải chọn một trong những Mua hoặc Mua +DocType: Shift Type,Working Hours Threshold for Half Day,Ngưỡng giờ làm việc trong nửa ngày ,Item-wise Purchase History,Lịch sử mua hàng khôn ngoan apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},Không thể thay đổi Ngày dừng dịch vụ cho mục trong hàng {0} DocType: Production Plan,Include Subcontracted Items,Bao gồm các hạng mục hợp đồng phụ @@ -4596,6 +4639,7 @@ DocType: Journal Entry,Total Amount Currency,Tổng số tiền DocType: BOM,Allow Same Item Multiple Times,Cho phép cùng một mục nhiều lần apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,Tạo BOM DocType: Healthcare Practitioner,Charges,Phí +DocType: Employee,Attendance and Leave Details,Tham dự và để lại chi tiết DocType: Student,Personal Details,Thông tin cá nhân DocType: Sales Order,Billing and Delivery Status,Tình trạng thanh toán và giao hàng apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,Hàng {0}: Đối với nhà cung cấp {0} Địa chỉ email là bắt buộc để gửi email @@ -4647,7 +4691,6 @@ DocType: Bank Guarantee,Supplier,Nhà cung cấp apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},Nhập giá trị betweeen {0} và {1} DocType: Purchase Order,Order Confirmation Date,Ngày xác nhận đơn hàng DocType: Delivery Trip,Calculate Estimated Arrival Times,Tính thời gian đến dự kiến -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Vui lòng thiết lập Hệ thống đặt tên nhân viên trong Nhân sự> Cài đặt nhân sự apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,Tiêu hao DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,Ngày bắt đầu đăng ký @@ -4670,7 +4713,7 @@ DocType: Installation Note Item,Installation Note Item,Mục ghi chú cài đặ DocType: Journal Entry Account,Journal Entry Account,Tài khoản nhập cảnh apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,Biến thể apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,Hoạt động diễn đàn -DocType: Service Level,Resolution Time Period,Thời gian giải quyết +DocType: Service Level Priority,Resolution Time Period,Thời gian giải quyết DocType: Request for Quotation,Supplier Detail,Chi tiết nhà cung cấp DocType: Project Task,View Task,Xem nhiệm vụ DocType: Serial No,Purchase / Manufacture Details,Chi tiết mua / sản xuất @@ -4737,6 +4780,7 @@ DocType: Sales Invoice,Commission Rate (%),Tỷ lệ hoa hồng (%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Kho chỉ có thể được thay đổi thông qua Nhập kho / Lưu ý giao hàng / Biên lai mua hàng DocType: Support Settings,Close Issue After Days,Đóng vấn đề sau nhiều ngày DocType: Payment Schedule,Payment Schedule,Lịch trình thanh toán +DocType: Shift Type,Enable Entry Grace Period,Cho phép Thời gian gia nhập DocType: Patient Relation,Spouse,Người phối ngẫu DocType: Purchase Invoice,Reason For Putting On Hold,Lý do đưa vào giữ DocType: Item Attribute,Increment,Tăng @@ -4876,6 +4920,7 @@ DocType: Authorization Rule,Customer or Item,Khách hàng hoặc vật phẩm DocType: Vehicle Log,Invoice Ref,Hóa đơn tham khảo apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},Biểu mẫu C không áp dụng cho Hóa đơn: {0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,Hóa đơn đã tạo +DocType: Shift Type,Early Exit Grace Period,Thời gian xuất cảnh sớm DocType: Patient Encounter,Review Details,Xem lại chi tiết apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,Hàng {0}: Giá trị giờ phải lớn hơn 0. DocType: Account,Account Number,Số tài khoản @@ -4887,7 +4932,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned 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" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,Các điều kiện chồng chéo được tìm thấy giữa: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,Được trả tiền và không được giao -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,Mã hàng là bắt buộc vì Mục không được đánh số tự động DocType: GST HSN Code,HSN Code,Mã HSN DocType: GSTR 3B Report,September,Tháng Chín apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,Chi phí hành chính @@ -4923,6 +4967,8 @@ DocType: Travel Itinerary,Travel From,Du lịch từ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,Tài khoản CWIP DocType: SMS Log,Sender Name,Tên người gửi DocType: Pricing Rule,Supplier Group,Nhóm nhà cung cấp +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",Đặt thời gian bắt đầu và thời gian kết thúc cho \ Ngày hỗ trợ {0} tại chỉ mục {1}. DocType: Employee,Date of Issue,Ngày phát hành ,Requested Items To Be Transferred,Các mặt hàng được yêu cầu được chuyển nhượng DocType: Employee,Contract End Date,Ngày kết thúc hợp đồng @@ -4933,6 +4979,7 @@ DocType: Healthcare Service Unit,Vacant,Trống DocType: Opportunity,Sales Stage,Giai đoạn bán hàng DocType: Sales Order,In Words will be visible once you save the Sales Order.,Trong Words sẽ hiển thị khi bạn lưu Đơn đặt hàng. DocType: Item Reorder,Re-order Level,Cấp lại đơn hàng +DocType: Shift Type,Enable Auto Attendance,Kích hoạt tự động tham dự apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,Ưu tiên ,Department Analytics,Bộ phận phân tích DocType: Crop,Scientific Name,Tên khoa học @@ -4945,6 +4992,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},Trạng thái {0} {1} DocType: Quiz Activity,Quiz Activity,Hoạt động đố vui apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0} không có trong Thời hạn trả lương hợp lệ DocType: Timesheet,Billed,Hóa đơn +apps/erpnext/erpnext/config/support.py,Issue Type.,Các loại vấn đề. DocType: Restaurant Order Entry,Last Sales Invoice,Hóa đơn bán hàng cuối cùng DocType: Payment Terms Template,Payment Terms,Điều khoản thanh toán apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.","Số lượng dành riêng: Số lượng đặt hàng để bán, nhưng không được giao." @@ -5040,6 +5088,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,Tài sản apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0} không có Lịch trình hành nghề chăm sóc sức khỏe. Thêm nó vào thạc sĩ chăm sóc sức khỏe DocType: Vehicle,Chassis No,Không có khung gầm +DocType: Employee,Default Shift,Shift mặc định apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,Tên viết tắt của công ty apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Cây hóa đơn DocType: Article,LMS User,Người dùng LMS @@ -5088,6 +5137,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,Nhân viên bán hàng DocType: Student Group Creation Tool,Get Courses,Nhận các khóa học apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Hàng # {0}: Số lượng phải là 1, vì mục là tài sản cố định. Vui lòng sử dụng hàng riêng cho nhiều qty." +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) DocType: Customer Group,Only leaf nodes are allowed in transaction,Chỉ các nút lá được phép trong giao dịch DocType: Grant Application,Organization,Cơ quan DocType: Fee Category,Fee Category,Loại phí @@ -5100,6 +5150,7 @@ DocType: Payment Order,PMO-,PMO- 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: Volunteer,Morning,Buổi sáng DocType: Quotation Item,Quotation Item,Báo giá +apps/erpnext/erpnext/config/support.py,Issue Priority.,Vấn đề ưu tiên. DocType: Journal Entry,Credit Card Entry,Nhập thẻ tín dụng apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}","Bỏ qua khe thời gian, vị trí {0} đến {1} chồng chéo khe thời gian {2} thành {3}" DocType: Journal Entry Account,If Income or Expense,Nếu thu nhập hoặc chi phí @@ -5150,11 +5201,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,Nhập và cài đặt dữ liệu 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 Tự động chọn tham gia được chọn, thì khách hàng sẽ được tự động liên kết với Chương trình khách hàng thân thiết có liên quan (khi lưu)" DocType: Account,Expense Account,Tài khoản chi phí +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,Thời gian trước khi bắt đầu ca làm việc trong đó Đăng ký nhân viên được xem xét để tham dự. apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,Mối quan hệ với Guardian1 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,Tạo hóa đơn 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/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',Nhân viên thở phào vào {0} phải được đặt là 'Trái' apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},Trả {0} {1} +DocType: Company,Sales Settings,Cài đặt bán hàng DocType: Sales Order Item,Produced Quantity,Số lượng sản xuất apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,Yêu cầu báo giá có thể được truy cập bằng cách nhấp vào liên kết sau DocType: Monthly Distribution,Name of the Monthly Distribution,Tên của phân phối hàng tháng @@ -5233,6 +5286,7 @@ DocType: Company,Default Values,Giá trị mặc định apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,Mẫu thuế mặc định cho bán hàng và mua hàng được tạo ra. apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Loại rời {0} không thể được chuyển tiếp apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,Ghi nợ vào tài khoản phải là tài khoản phải thu +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},Vui lòng đặt Tài khoản trong Kho {0} hoặc Tài khoản tồn kho mặc định trong Công ty {1} apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,Đặt làm mặc định DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Trọng lượng tịnh của gói này. (được tính tự động dưới dạng tổng trọng lượng tịnh của vật phẩm) @@ -5259,8 +5313,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager,G apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,Hàng loạt đã hết hạn DocType: Shipping Rule,Shipping Rule Type,Loại quy tắc vận chuyển DocType: Job Offer,Accepted,Được chấp nhậ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" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,Bạn đã đánh giá các tiêu chí đánh giá {}. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,Chọn số lô apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Tuổi (ngày) @@ -5287,6 +5339,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,Chọn tên miền của bạn DocType: Agriculture Task,Task Name,Tên nhiệm vụ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Mục nhập chứng khoán đã được tạo cho lệnh làm việc +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" ,Amount to Deliver,Số tiền cần giao apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,Công ty {0} không tồn tại apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,Không có Yêu cầu Vật liệu đang chờ xử lý được tìm thấy để liên kết cho các mục đã cho. @@ -5336,6 +5390,7 @@ DocType: Program Enrollment,Enrolled courses,Các khóa học đã đăng ký DocType: Lab Prescription,Test Code,Mã kiểm tra DocType: Purchase Taxes and Charges,On Previous Row Total,Trên Tổng hàng trước DocType: Student,Student Email Address,Địa chỉ Email sinh viên +,Delayed Item Report,Báo cáo mục bị trì hoãn DocType: Academic Term,Education,Giáo dục DocType: Supplier Quotation,Supplier Address,Địa chỉ nhà cung cấp DocType: Salary Detail,Do not include in total,Không bao gồm trong tổng số @@ -5343,7 +5398,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}: {1} không tồn tại DocType: Purchase Receipt Item,Rejected Quantity,Số lượng bị từ chối DocType: Cashier Closing,To TIme,Tới TIme -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: Daily Work Summary Group User,Daily Work Summary Group User,Tóm tắt công việc hàng ngày Người dùng nhóm DocType: Fiscal Year Company,Fiscal Year Company,Công ty năm tài chính apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,Mục thay thế không được giống như mã mục @@ -5395,6 +5449,7 @@ DocType: Program Fee,Program Fee,Phí chương trình DocType: Delivery Settings,Delay between Delivery Stops,Độ trễ giữa các lần dừng giao hàng DocType: Stock Settings,Freeze Stocks Older Than [Days],Cổ phiếu đóng băng cũ hơn [ngày] DocType: Promotional Scheme,Promotional Scheme Product Discount,Chương trình khuyến mại giảm giá sản phẩm +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,Vấn đề ưu tiên đã tồn tại DocType: Account,Asset Received But Not Billed,Tài sản nhận được nhưng không được lập hóa đơn DocType: POS Closing Voucher,Total Collected Amount,Tổng số tiền thu được DocType: Course,Default Grading Scale,Thang điểm mặc định @@ -5437,6 +5492,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,Điều khoản hoàn thành apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,Không thuộc nhóm DocType: Student Guardian,Mother,Mẹ +DocType: Issue,Service Level Agreement Fulfilled,Thỏa thuận cấp độ dịch vụ được thực hiện DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,Khấu trừ thuế cho các lợi ích nhân viên không được yêu cầu DocType: Travel Request,Travel Funding,Kinh phí du lịch DocType: Shipping Rule,Fixed,đã sửa @@ -5466,10 +5522,12 @@ DocType: Item,Warranty Period (in days),Thời hạn bảo hành (tính theo ng apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,Không tìm thấy vật nào. DocType: Item Attribute,From Range,Từ phạm vi DocType: Clinical Procedure,Consumables,Vật tư tiêu hao +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'worker_field_value' và 'dấu thời gian' là bắt buộc. DocType: Purchase Taxes and Charges,Reference Row #,Tham chiếu hàng # apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},Vui lòng đặt 'Trung tâm chi phí khấu hao tài sản' trong Công ty {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,Hàng # {0}: Cần có chứng từ thanh toán để hoàn thành giao dịch DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,Nhấp vào nút này để lấy dữ liệu Đơn đặt hàng của bạn từ Amazon MWS. +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) ,Assessment Plan Status,Tình trạng kế hoạch đánh giá apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,Vui lòng chọn {0} trước apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,Gửi cái này để tạo hồ sơ nhân viên @@ -5540,6 +5598,7 @@ DocType: Quality Procedure,Parent Procedure,Thủ tục phụ huynh apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,Đặt mở apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,Chuyển đổi bộ lọc DocType: Production Plan,Material Request Detail,Chi tiết yêu cầu vật liệu +DocType: Shift Type,Process Attendance After,Tham dự quá trình sau DocType: Material Request Item,Quantity and Warehouse,Số lượng và kho apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,Đi đến chương trình apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},Hàng # {0}: Mục trùng lặp trong Tài liệu tham khảo {1} {2} @@ -5597,6 +5656,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,Thông tin về Đảng apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),Con nợ ({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,Đến ngày không thể lớn hơn ngày làm việc của nhân viên +DocType: Shift Type,Enable Exit Grace Period,Cho phép Thoát Thời gian ân hạn DocType: Expense Claim,Employees Email Id,Email nhân viên DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,Cập nhật giá từ Shopify lên ERPNext Bảng giá DocType: Healthcare Settings,Default Medical Code Standard,Tiêu chuẩn mã y tế mặc định @@ -5627,7 +5687,6 @@ DocType: Item Group,Item Group Name,Tên nhóm DocType: Budget,Applicable on Material Request,Áp dụng theo yêu cầu vật liệu DocType: Support Settings,Search APIs,API tìm kiếm DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,Tỷ lệ sản xuất thừa cho đơn đặt hàng -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,Thông số kỹ thuật DocType: Purchase Invoice,Supplied Items,Vật phẩm được cung cấp DocType: Leave Control Panel,Select Employees,Chọn nhân viên apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},Chọn tài khoản thu nhập lãi trong khoản vay {0} @@ -5653,7 +5712,7 @@ DocType: Salary Slip,Deductions,Khấu trừ ,Supplier-Wise Sales Analytics,Phân tích doanh số bán hàng của nhà cung cấp DocType: GSTR 3B Report,February,Tháng hai DocType: Appraisal,For Employee,Dành cho nhân viên -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,Ngày giao hàng thực tế +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,Ngày giao hàng thực tế DocType: Sales Partner,Sales Partner Name,Tên đối tác bán hàng apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,Hàng khấu hao {0}: Ngày bắt đầu khấu hao được nhập dưới dạng ngày qua DocType: GST HSN Code,Regional,Khu vực @@ -5692,6 +5751,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,Hó DocType: Supplier Scorecard,Supplier Scorecard,Bảng điểm nhà cung cấp DocType: Travel Itinerary,Travel To,Đi du lịch đến apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,Đánh dấu tham dự +DocType: Shift Type,Determine Check-in and Check-out,Xác định nhận phòng và trả phòng DocType: POS Closing Voucher,Difference,Sự khác biệt apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,Nhỏ bé DocType: Work Order Item,Work Order Item,Mục công việc @@ -5725,6 +5785,7 @@ DocType: Sales Invoice,Shipping Address Name,Tên địa chỉ giao hàng apps/erpnext/erpnext/healthcare/setup.py,Drug,Thuốc uống apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} đã bị đóng DocType: Patient,Medical History,Tiền sử bệnh +DocType: Expense Claim,Expense Taxes and Charges,Chi phí thuế và phí DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,Số ngày sau ngày hóa đơn đã trôi qua trước khi hủy đăng ký hoặc đánh dấu đăng ký là chưa thanh toán 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: Patient Relation,Family,gia đình @@ -5757,7 +5818,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,Sức mạnh apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{0} đơn vị {1} cần thiết trong {2} để hoàn thành giao dịch này. DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,Backflush Nguyên liệu của Hợp đồng thầu phụ Dựa trên -DocType: Bank Guarantee,Customer,khách hàng DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.","Nếu được bật, Học kỳ học sẽ bắt buộc trong Công cụ đăng ký chương trình." DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Đối với Nhóm sinh viên dựa trên Batch, Batch sinh viên sẽ được xác nhận cho mọi sinh viên từ Đăng ký chương trình." DocType: Course,Topics,Chủ đề @@ -5836,6 +5896,7 @@ apps/erpnext/erpnext/education/doctype/grading_scale/grading_scale.py,Treshold { DocType: Chapter,Chapter Members,Thành viên Chương DocType: Warranty Claim,Service Address,Địa chỉ dịch vụ DocType: Journal Entry,Remark,Ghi chú +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Quantity not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Hàng {0}: Số lượng không có sẵn cho {4} trong kho {1} tại thời điểm đăng bài của mục ({2} {3}) DocType: Patient Encounter,Encounter Time,Thời gian gặp DocType: Serial No,Invoice Details,Chi tiết hóa đơ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ể được tạo trong Nhóm, nhưng các mục có thể được thực hiện đối với các nhóm không phải là Nhóm" @@ -5916,6 +5977,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","S apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),Đóng (Mở + Tổng số) DocType: Supplier Scorecard Criteria,Criteria Formula,Công thức tiêu chí apps/erpnext/erpnext/config/support.py,Support Analytics,Hỗ trợ phân tích +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),ID thiết bị tham dự (ID thẻ sinh trắc học / RF) apps/erpnext/erpnext/config/quality_management.py,Review and Action,Đánh giá và hành động DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Nếu tài khoản bị đóng băng, các mục được phép cho người dùng bị hạn chế." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,Số tiền sau khi khấu hao @@ -5937,6 +5999,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,Trả nợ DocType: Employee Education,Major/Optional Subjects,Đối tượng chính / tùy chọn DocType: Soil Texture,Silt,Phù sa +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,Địa chỉ nhà cung cấp và địa chỉ liên hệ DocType: Bank Guarantee,Bank Guarantee Type,Loại bảo lãnh ngân hàng DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Nếu bị tắt, trường 'Rounded Total' sẽ không hiển thị trong bất kỳ giao dịch nào" DocType: Pricing Rule,Min Amt,Tối thiểu @@ -5975,6 +6038,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,Mở mục Công cụ tạo hóa đơn DocType: Soil Analysis,(Ca+Mg)/K,(Ca + Mg) / K DocType: Bank Reconciliation,Include POS Transactions,Bao gồm các giao dịch POS +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},Không tìm thấy nhân viên cho giá trị trường nhân viên nhất định. '{}': {} DocType: Payment Entry,Received Amount (Company Currency),Số tiền nhận được (Tiền tệ công ty) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save","LocalStorage đã đầy, không lưu" DocType: Chapter Member,Chapter Member,Thành viên chương @@ -6007,6 +6071,7 @@ DocType: SMS Center,All Lead (Open),Tất cả chì (Mở) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,Không có nhóm sinh viên nào được tạo ra. 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: Employee,Salary Details,Chi tiết mức lương +DocType: Employee Checkin,Exit Grace Period Consequence,Thoát khỏi hậu quả thời gian ân sủng DocType: Bank Statement Transaction Invoice Item,Invoice,Hóa đơn DocType: Special Test Items,Particulars,Các phần apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,Vui lòng đặt bộ lọc dựa trên Mục hoặc Kho @@ -6108,6 +6173,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,Hết AMC DocType: Job Opening,"Job profile, qualifications required etc.","Hồ sơ công việc, trình độ cần thiết, vv" apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,Gửi đến nhà nước +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,Bạn có muốn gửi yêu cầu tài liệu DocType: Opportunity Item,Basic Rate,Tỷ lệ cơ bản DocType: Compensatory Leave Request,Work End Date,Ngày kết thúc công việc apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,Yêu cầu nguyên liệu @@ -6293,6 +6359,7 @@ DocType: Depreciation Schedule,Depreciation Amount,Số tiền khấu hao DocType: Sales Order Item,Gross Profit,Lợi nhuận gộp DocType: Quality Inspection,Item Serial No,Mục nối tiếp Không DocType: Asset,Insurer,Công ty bảo hiểm +DocType: Employee Checkin,OUT,NGOÀI apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,Số lượng mua DocType: Asset Maintenance Task,Certificate Required,Yêu cầu chứng chỉ DocType: Retention Bonus,Retention Bonus,Tiền thưởng duy trì @@ -6408,6 +6475,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),Số tiền chênh l DocType: Invoice Discounting,Sanctioned,Xử phạt DocType: Course Enrollment,Course Enrollment,Ghi danh khóa học DocType: Item,Supplier Items,Nhà cung cấp mặt hàng +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",Thời gian bắt đầu không thể lớn hơn hoặc bằng Thời gian kết thúc \ cho {0}. DocType: Sales Order,Not Applicable,Không áp dụng DocType: Support Search Source,Response Options,Tùy chọn đáp ứng apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0} phải là một giá trị từ 0 đến 100 @@ -6494,7 +6563,6 @@ DocType: Travel Request,Costing,Chi phí apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,Tài sản cố định DocType: Purchase Order,Ref SQ,Tham chiếu DocType: Salary Structure,Total Earning,Tổng 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: Share Balance,From No,Từ không DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Hóa đơn thanh toán DocType: Purchase Invoice,Taxes and Charges Added,Thuế và phí đã thêm @@ -6602,6 +6670,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,Bỏ qua quy tắc định giá apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Món ăn DocType: Lost Reason Detail,Lost Reason Detail,Mất chi tiết lý do +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},Các số sê-ri sau đã được tạo:
{0} DocType: Maintenance Visit,Customer Feedback,Phản hồi của khách hàng DocType: Serial No,Warranty / AMC Details,Chi tiết bảo hành / AMC DocType: Issue,Opening Time,Thời gian mở cửa @@ -6651,6 +6720,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,Tên công ty không giống nhau apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,Khuyến mãi nhân viên không thể được gửi trước ngày khuyến mãi apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},Không được phép cập nhật giao dịch chứng khoán cũ hơn {0} +DocType: Employee Checkin,Employee Checkin,Đăng ký nhân viên 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ục {0} apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,Tạo báo giá cho khách hàng DocType: Buying Settings,Buying Settings,Cài đặt mua @@ -6672,6 +6742,7 @@ DocType: Job Card Time Log,Job Card Time Log,Nhật ký thời gian thẻ công DocType: Patient,Patient Demographics,Nhân khẩu học của bệnh nhân DocType: Share Transfer,To Folio No,Để Folio Không apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,Dòng tiền từ hoạt động +DocType: Employee Checkin,Log Type,Loại nhật ký DocType: Stock Settings,Allow Negative Stock,Cho phép chứng khoán âm apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,Không có mục nào có bất kỳ thay đổi nào về số lượng hoặc giá trị. DocType: Asset,Purchase Date,Ngày mua @@ -6716,6 +6787,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,Rất Hyper apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,Chọn bản chất của doanh nghiệp của bạn. apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,Vui lòng chọn tháng và năm +DocType: Service Level,Default Priority,Ưu tiên mặc định DocType: Student Log,Student Log,Nhật ký sinh viên DocType: Shopping Cart Settings,Enable Checkout,Kích hoạt tính năng Thanh toán apps/erpnext/erpnext/config/settings.py,Human Resources,nguồn nhân lực @@ -6744,7 +6816,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,Kết nối Shopify với ERPNext DocType: Homepage Section Card,Subtitle,Phụ đề DocType: Soil Texture,Loam,Loam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Nhà cung cấp> Loại nhà cung cấp DocType: BOM,Scrap Material Cost(Company Currency),Chi phí vật liệu phế liệu (Tiền tệ công ty) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,Lưu ý giao hàng {0} không được gửi DocType: Task,Actual Start Date (via Time Sheet),Ngày bắt đầu thực tế (thông qua Bảng chấm công) @@ -6800,6 +6871,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,Liều dùng DocType: Cheque Print Template,Starting position from top edge,Vị trí bắt đầu từ cạnh trên apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),Thời lượng cuộc hẹn (phút) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},Nhân viên này đã có một nhật ký với cùng dấu thời gian. {0} DocType: Accounting Dimension,Disable,Vô hiệu hóa DocType: Email Digest,Purchase Orders to Receive,Đơn đặt hàng để nhận apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,Đơn đặt hàng sản xuất không thể được tăng cho: @@ -6815,7 +6887,6 @@ DocType: Production Plan,Material Requests,Yêu cầu vật liệu DocType: Buying Settings,Material Transferred for Subcontract,Chuyển giao vật liệu cho hợp đồng phụ DocType: Job Card,Timing Detail,Chi tiết thời gian apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,Bắt buộc -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},Nhập {0} trong số {1} DocType: Job Offer Term,Job Offer Term,Thời hạn mời làm việc DocType: SMS Center,All Contact,Tất cả liên hệ DocType: Project Task,Project Task,Nhiệm vụ dự án @@ -6866,7 +6937,6 @@ DocType: Student Log,Academic,Học tập 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 được thiết lập cho Số sê-ri. apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Từ nhà nước DocType: Leave Type,Maximum Continuous Days Applicable,Ngày liên tục tối đa áp dụng -apps/erpnext/erpnext/config/support.py,Support Team.,Nhóm hỗ trợ. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,Vui lòng nhập tên công ty trước apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,Nhập khẩu thành công DocType: Guardian,Alternate Number,Con số khác @@ -6958,6 +7028,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,Hàng # {0}: Đã thêm mục DocType: Student Admission,Eligibility and Details,Đủ điều kiện và chi tiết DocType: Staffing Plan,Staffing Plan Detail,Kế hoạch nhân sự chi tiết +DocType: Shift Type,Late Entry Grace Period,Thời gian ân hạn muộn DocType: Email Digest,Annual Income,Thu nhập hàng năm DocType: Journal Entry,Subscription Section,Phần đăng ký DocType: Salary Slip,Payment Days,Ngày thanh toán @@ -7008,6 +7079,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,Số dư tài khoản DocType: Asset Maintenance Log,Periodicity,Định kỳ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Hồ sơ bệnh án +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,Loại nhật ký được yêu cầu cho các đăng ký rơi vào ca: {0}. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,Chấp hành DocType: Item,Valuation Method,Phương pháp định giá apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} so với Hóa đơn bán hàng {1} @@ -7092,6 +7164,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,Chi phí ước tính DocType: Loan Type,Loan Name,Tên vay apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,Đặt chế độ thanh toán mặc định DocType: Quality Goal,Revision,Sửa đổi +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,Thời gian trước khi hết giờ làm việc khi trả phòng được coi là sớm (tính bằng phút). DocType: Healthcare Service Unit,Service Unit Type,Loại đơn vị dịch vụ DocType: Purchase Invoice,Return Against Purchase Invoice,Quay trở lại với hóa đơn mua hàng apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,Tạo bí mật @@ -7247,12 +7320,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,Mỹ phẩm DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Kiểm tra điều này nếu bạn muốn buộc người dùng chọn một loạt trước khi lưu. Sẽ không có mặc định nếu bạn kiểm tra điều này. DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Người dùng có vai trò này được phép đặt tài khoản bị đóng băng và tạo / sửa đổi mục nhập kế toán đối với tài khoản bị đóng băng +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Mã hàng> Nhóm vật phẩm> Thương hiệu DocType: Expense Claim,Total Claimed Amount,Tổng số tiền được yêu cầu 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 thấy Khe thời gian trong {0} ngày tiếp theo cho Hoạt động {1} apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,Gói lại apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,Bạn chỉ có thể gia hạn nếu thành viên của bạn hết hạn trong vòng 30 ngày apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},Giá trị phải nằm trong khoảng từ {0} đến {1} DocType: Quality Feedback,Parameters,Thông số +DocType: Shift Type,Auto Attendance Settings,Cài đặt tham dự tự động ,Sales Partner Transaction Summary,Tóm tắt giao dịch đối tác bán hàng DocType: Asset Maintenance,Maintenance Manager Name,Tên quản lý bảo trì apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,Nó là cần thiết để lấy chi tiết mục. @@ -7344,10 +7419,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,Xác thực quy tắc áp dụng DocType: Job Card Item,Job Card Item,Mục thẻ công việc DocType: Homepage,Company Tagline for website homepage,Tagline công ty cho trang chủ trang web +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,Đặt thời gian phản hồi và độ phân giải cho mức độ ưu tiên {0} tại chỉ mục {1}. DocType: Company,Round Off Cost Center,Trung tâm giảm giá DocType: Supplier Scorecard Criteria,Criteria Weight,Tiêu chí Trọng lượng DocType: Asset,Depreciation Schedules,Lịch trình khấu hao -DocType: Expense Claim Detail,Claim Amount,Đoạt số lượng DocType: Subscription,Discounts,Giảm giá DocType: Shipping Rule,Shipping Rule Conditions,Điều kiện quy tắc vận chuyển DocType: Subscription,Cancelation Date,Ngày hủy @@ -7375,7 +7450,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,Tạo khách hàng ti apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Hiển thị giá trị bằng không DocType: Employee Onboarding,Employee Onboarding,Nhân viên nội trú DocType: POS Closing Voucher,Period End Date,Ngày kết thúc -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,Cơ hội bán hàng theo nguồn DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,Người phê duyệt nghỉ phép đầu tiên trong danh sách sẽ được đặt làm Người phê duyệt rời mặc định. DocType: POS Settings,POS Settings,Cài đặt POS 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 @@ -7396,7 +7470,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Ngân apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Hàng # {0}: Tỷ lệ phải giống với {1}: {2} ({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,Các mặt hàng dịch vụ chăm sóc sức khỏe -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,Không có dữ liệu được tìm thấy apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Lão hóa 3 DocType: Vital Signs,Blood Pressure,Huyết áp apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Nhắm mục tiêu vào @@ -7443,6 +7516,7 @@ DocType: Company,Existing Company,Công ty hiện có apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,Mẻ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,Phòng thủ DocType: Item,Has Batch No,Có hàng loạt không +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,Ngày trì hoãn DocType: Lead,Person Name,Tên người DocType: Item Variant,Item Variant,Mục biến thể DocType: Training Event Employee,Invited,Đã mời @@ -7464,7 +7538,7 @@ DocType: Purchase Order,To Receive and Bill,Nhận và hóa đơn apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.","Ngày bắt đầu và ngày kết thúc không trong Thời hạn trả lương hợp lệ, không thể tính {0}." 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 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Chọn các mục để lưu hóa đơn -DocType: Service Level,Resolution Time,Thời gian giải quyết +DocType: Service Level Priority,Resolution Time,Thời gian giải quyết DocType: Grading Scale Interval,Grade Description,Mô tả lớp DocType: Homepage Section,Cards,thẻ DocType: Quality Meeting Minutes,Quality Meeting Minutes,Biên bản cuộc họp chất lượng @@ -7491,6 +7565,7 @@ DocType: Project,Gross Margin %,Tỷ lệ lãi gộp% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,Số dư sao kê theo sổ cái apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),Chăm sóc sức khỏe (beta) DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,Kho mặc định để tạo Đơn đặt hàng và Lưu ý giao hàng +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,Thời gian phản hồi cho {0} tại chỉ mục {1} không thể lớn hơn Thời gian phân giải. DocType: Opportunity,Customer / Lead Name,Tên khách hàng / khách hàng tiềm năng DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,Số tiền chưa nhận @@ -7537,7 +7612,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,Nhập khẩu các bên và địa chỉ DocType: Item,List this Item in multiple groups on the website.,Liệt kê mục này trong nhiều nhóm trên trang web. DocType: Request for Quotation,Message for Supplier,Tin nhắn cho nhà cung cấp -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,Không thể thay đổi {0} khi Giao dịch chứng khoán cho Mục {1} tồn tại. DocType: Healthcare Practitioner,Phone (R),Điện thoại (R) DocType: Maintenance Team Member,Team Member,Thành viên của đội DocType: Asset Category Account,Asset Category Account,Tài khoản danh mục tài sản diff --git a/erpnext/translations/zh.csv b/erpnext/translations/zh.csv index a1b99be2ca..ed18ae5901 100644 --- a/erpnext/translations/zh.csv +++ b/erpnext/translations/zh.csv @@ -77,7 +77,7 @@ DocType: Academic Term,Term Start Date,学期开始日期 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,约会{0}和销售发票{1}已取消 DocType: Purchase Receipt,Vehicle Number,车号 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,您的电子邮件地址... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,包括默认工作簿条目 +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,包括默认工作簿条目 DocType: Activity Cost,Activity Type,活动类型 DocType: Purchase Invoice,Get Advances Paid,获得进展支付 DocType: Company,Gain/Loss Account on Asset Disposal,资产处置的损益账户 @@ -223,7 +223,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,它有什么作 DocType: Bank Reconciliation,Payment Entries,付款条目 DocType: Employee Education,Class / Percentage,等级/百分比 ,Electronic Invoice Register,电子发票登记 +DocType: Shift Type,The number of occurrence after which the consequence is executed.,执行结果的发生次数。 DocType: Sales Invoice,Is Return (Credit Note),是回报(信用证) +DocType: Price List,Price Not UOM Dependent,价格不是UOM依赖 DocType: Lab Test Sample,Lab Test Sample,实验室测试样品 DocType: Shopify Settings,status html,状态html DocType: Fiscal Year,"For e.g. 2012, 2012-13",例如,2012年,2012年13月 @@ -325,6 +327,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,产品搜索 DocType: Salary Slip,Net Pay,净薪酬 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,总发票金额 DocType: Clinical Procedure,Consumables Invoice Separately,耗材单独发票 +DocType: Shift Type,Working Hours Threshold for Absent,缺勤的工作时间门槛 DocType: Appraisal,HR-APR-.YY.-.MM.,HR-APR-.YY.-.MM。 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},无法针对组帐户{0}分配预算 DocType: Purchase Receipt Item,Rate and Amount,费率和金额 @@ -377,7 +380,6 @@ DocType: Sales Invoice,Set Source Warehouse,设置源仓库 DocType: Healthcare Settings,Out Patient Settings,出患者设置 DocType: Asset,Insurance End Date,保险结束日期 DocType: Bank Account,Branch Code,分行代码 -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,时间回应 apps/erpnext/erpnext/public/js/conf.js,User Forum,用户论坛 DocType: Landed Cost Item,Landed Cost Item,登陆成本项目 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,卖方和买方不能相同 @@ -595,6 +597,7 @@ DocType: Lead,Lead Owner,主人 DocType: Share Transfer,Transfer,传递 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),搜索项目(Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0}结果已提交 +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,从日期开始不能大于To date DocType: Supplier,Supplier of Goods or Services.,商品或服务供应商。 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,新帐户的名称。注意:请不要为客户和供应商创建帐户 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,学生组或课程表是强制性的 @@ -880,7 +883,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,潜在客户 DocType: Skill,Skill Name,技能名称 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,打印报告卡 DocType: Soil Texture,Ternary Plot,三元情节 -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,支持门票 DocType: Asset Category Account,Fixed Asset Account,固定资产账户 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py,Latest,最新 @@ -893,6 +895,7 @@ DocType: Delivery Trip,Distance UOM,距离UOM DocType: Accounting Dimension,Mandatory For Balance Sheet,资产负债表必备 DocType: Payment Entry,Total Allocated Amount,总分配金额 DocType: Sales Invoice,Get Advances Received,收到进展 +DocType: Shift Type,Last Sync of Checkin,Checkin的上次同步 DocType: Student,B-,B- DocType: Purchase Invoice Item,Item Tax Amount Included in Value,物品税金额包含在价值中 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -901,7 +904,9 @@ DocType: Subscription Plan,Subscription Plan,订阅计划 DocType: Student,Blood Group,血型 apps/erpnext/erpnext/config/healthcare.py,Masters,大师 DocType: Crop,Crop Spacing UOM,裁剪间距UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,在办理登机手续的班次开始时间之后的时间被视为迟到(以分钟为单位)。 apps/erpnext/erpnext/templates/pages/home.html,Explore,探索 +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,没有找到未完成的发票 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",已为{3}的子公司计划的{0}空缺和{1} {2}预算。 \根据母公司{3}的人员编制计划{6},您只能计划最多{4}个职位空缺和预算{5}。 DocType: Promotional Scheme,Product Discount Slabs,产品折扣板 @@ -1003,6 +1008,7 @@ DocType: Attendance,Attendance Request,出勤请求 DocType: Item,Moving Average,移动平均线 DocType: Employee Attendance Tool,Unmarked Attendance,没有标记的出席 DocType: Homepage Section,Number of Columns,列数 +DocType: Issue Priority,Issue Priority,问题优先 DocType: Holiday List,Add Weekly Holidays,添加每周假期 DocType: Shopify Log,Shopify Log,Shopify日志 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,创建工资单 @@ -1011,6 +1017,7 @@ DocType: Job Offer Term,Value / Description,价值/描述 DocType: Warranty Claim,Issue Date,发行日期 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}选择批处理。无法找到满足此要求的单个批次 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,无法为左员工创建保留奖金 +DocType: Employee Checkin,Location / Device ID,位置/设备ID DocType: Purchase Order,To Receive,受到 apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,您处于离线模式。在拥有网络之前,您将无法重新加载。 DocType: Course Activity,Enrollment,注册 @@ -1019,7 +1026,6 @@ DocType: Lab Test Template,Lab Test Template,实验室测试模板 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},最大值:{0} apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,电子发票信息丢失 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,未创建任何材料请求 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品代码>商品分组>品牌 DocType: Loan,Total Amount Paid,支付总金额 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,所有这些物品都已开具发票 DocType: Training Event,Trainer Name,培训师姓名 @@ -1130,6 +1136,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},请提及潜在客户{0}中的潜在客户名称 DocType: Employee,You can enter any date manually,您可以手动输入任何日期 DocType: Stock Reconciliation Item,Stock Reconciliation Item,股票调节项目 +DocType: Shift Type,Early Exit Consequence,提前退出后果 DocType: Item Group,General Settings,常规设置 apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,截止日期不能在过帐/供应商发票日期之前 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,在提交之前输入受益人的姓名。 @@ -1168,6 +1175,7 @@ DocType: Account,Auditor,审计 apps/erpnext/erpnext/templates/pages/integrations/gocardless_confirmation.html,Payment Confirmation,付款确认 ,Available Stock for Packing Items,包装物品的可用库存 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please remove this Invoice {0} from C-Form {1},请从C表单{1}中删除此发票{0} +DocType: Shift Type,Every Valid Check-in and Check-out,每次有效入住和退房 DocType: Support Search Source,Query Route String,查询路由字符串 DocType: Customer Feedback Template,Customer Feedback Template,客户反馈模板 apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,对潜在客户或客户的报价。 @@ -1202,6 +1210,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Ware DocType: Authorization Control,Authorization Control,授权控制 ,Daily Work Summary Replies,每日工作摘要回复 apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},您已被邀请参与该项目的合作:{0} +DocType: Issue,Response By Variance,按方差回应 DocType: Item,Sales Details,销售细节 apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,打印模板的信头。 DocType: Salary Detail,Tax on additional salary,额外工资税 @@ -1325,6 +1334,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,客户地 DocType: Project,Task Progress,任务进度 DocType: Journal Entry,Opening Entry,开场报名 DocType: Bank Guarantee,Charges Incurred,发生的费用 +DocType: Shift Type,Working Hours Calculation Based On,基于的工时计算 DocType: Work Order,Material Transferred for Manufacturing,为制造业转移的材料 DocType: Products Settings,Hide Variants,隐藏变体 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,禁用容量规划和时间跟踪 @@ -1354,6 +1364,7 @@ DocType: Account,Depreciation,折旧 DocType: Guardian,Interests,兴趣 DocType: Purchase Receipt Item Supplied,Consumed Qty,消耗量 DocType: Education Settings,Education Manager,教育经理 +DocType: Employee Checkin,Shift Actual Start,切换实际开始 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,计划工作站工作时间以外的时间日志。 apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},忠诚度积分:{0} DocType: Healthcare Settings,Registration Message,注册消息 @@ -1378,9 +1389,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,已为所有结算时间创建的发票 DocType: Sales Partner,Contact Desc,联系Desc DocType: Purchase Invoice,Pricing Rules,定价规则 +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}",由于存在针对项{0}的现有事务,因此无法更改{1}的值 DocType: Hub Tracked Item,Image List,图像列表 DocType: Item Variant Settings,Allow Rename Attribute Value,允许重命名属性值 -DocType: Price List,Price Not UOM Dependant,价格不是UOM依赖 apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),时间(分钟) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Basic,基本 DocType: Loan,Interest Income Account,利息收入账户 @@ -1390,6 +1401,7 @@ DocType: Employee,Employment Type,雇佣类型 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,选择POS配置文件 DocType: Support Settings,Get Latest Query,获取最新查询 DocType: Employee Incentive,Employee Incentive,员工激励 +DocType: Service Level,Priorities,优先级 apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,在主页上添加卡片或自定义栏目 DocType: Homepage,Hero Section Based On,基于英雄的英雄部分 DocType: Project,Total Purchase Cost (via Purchase Invoice),总购买成本(通过采购发票) @@ -1450,7 +1462,7 @@ DocType: Work Order,Manufacture against Material Request,根据材料要求制 DocType: Blanket Order Item,Ordered Quantity,订购数量 apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:拒绝仓库对被拒绝的项目{1}是强制性的 ,Received Items To Be Billed,收到的物品需要收费 -DocType: Salary Slip Timesheet,Working Hours,工作时间 +DocType: Attendance,Working Hours,工作时间 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Payment Mode,付款方式 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,未按时收到采购订单项目 apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,持续时间天数 @@ -1570,7 +1582,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,有关您的供应商的法定信息和其他一般信息 DocType: Item Default,Default Selling Cost Center,默认销售成本中心 DocType: Sales Partner,Address & Contacts,地址和联系方式 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,请通过设置>编号系列设置出勤编号系列 DocType: Subscriber,Subscriber,订户 apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form / Item / {0})缺货 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,请先选择发布日期 @@ -1581,7 +1592,7 @@ DocType: Project,% Complete Method,完成方法% DocType: Detected Disease,Tasks Created,创建的任务 apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,默认物料清单({0})必须对此料品或其模板有效 apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Commission Rate %,佣金率% -DocType: Service Level,Response Time,响应时间 +DocType: Service Level Priority,Response Time,响应时间 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce设置 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,数量必须是正数 DocType: Contract,CRM,CRM @@ -1598,7 +1609,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,住院访问费用 DocType: Bank Statement Settings,Transaction Data Mapping,交易数据映射 apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,领导者需要一个人的姓名或组织的名称 DocType: Student,Guardians,守护者 -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,请在教育>教育设置中设置教师命名系统 apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,选择品牌...... apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Middle Income,中等收入 DocType: Shipping Rule,Calculate Based On,基于计算 @@ -1635,6 +1645,7 @@ apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,设定目标 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},针对学生{1}的出勤记录{0} apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Date of Transaction,交易日期 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,取消订阅 +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,无法设置服务水平协议{0}。 apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,净工资金额 DocType: Account,Liability,责任 DocType: Employee,Bank A/C No.,银行A / C号 @@ -1700,7 +1711,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,原材料项目代码 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,已提交采购发票{0} DocType: Fees,Student Email,学生电邮 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM递归:{0}不能是{2}的父级或子级 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,从医疗保健服务获取项目 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,库存条目{0}未提交 DocType: Item Attribute Value,Item Attribute Value,物品属性值 @@ -1725,7 +1735,6 @@ DocType: POS Profile,Allow Print Before Pay,付款前允许打印 DocType: Production Plan,Select Items to Manufacture,选择要制造的项目 DocType: Leave Application,Leave Approver Name,留下审批人姓名 DocType: Shareholder,Shareholder,股东 -DocType: Issue,Agreement Status,协议状态 apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,销售交易的默认设置。 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,请选择学生入学,这是付费学生申请人必须的 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,选择BOM @@ -1987,6 +1996,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,收入账户 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,所有仓库 DocType: Contract,Signee Details,Signee详细信息 +DocType: Shift Type,Allow check-out after shift end time (in minutes),允许在班次结束后退房(以分钟为单位) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,采购 DocType: Item Group,Check this if you want to show in website,如果要在网站上显示,请选中此项 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,找不到会计年度{0} @@ -2053,6 +2063,7 @@ DocType: Asset Finance Book,Depreciation Start Date,折旧开始日期 DocType: Activity Cost,Billing Rate,账单价格 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},警告:对于库存条目{2}存在另一个{0}#{1} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,请启用Google地图设置来估算和优化路线 +DocType: Purchase Invoice Item,Page Break,分页符 DocType: Supplier Scorecard Criteria,Max Score,最高分数 apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,还款开始日期不能在支付日期之前。 DocType: Support Search Source,Support Search Source,支持搜索源 @@ -2121,6 +2132,7 @@ DocType: Quality Goal Objective,Quality Goal Objective,质量目标 DocType: Employee Transfer,Employee Transfer,员工转移 ,Sales Funnel,销售漏斗 DocType: Agriculture Analysis Criteria,Water Analysis,水分析 +DocType: Shift Type,Begin check-in before shift start time (in minutes),在班次开始时间(以分钟为单位)开始办理登机手续 DocType: Accounts Settings,Accounts Frozen Upto,帐户冻结了 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,没有什么可以编辑的。 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",操作{0}比工作站{1}中的任何可用工作时间长,将操作分解为多个操作 @@ -2134,7 +2146,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,现 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},销售订单{0}为{1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),延迟付款(天) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,输入折旧详细信息 +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,客户PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,预计交货日期应在销售订单日期之后 +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,物品数量不能为零 apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,无效的属性 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},请根据项目{0}选择物料清单 DocType: Bank Statement Transaction Invoice Item,Invoice Type,发票类型 @@ -2144,6 +2158,7 @@ DocType: Maintenance Visit,Maintenance Date,维护日期 DocType: Volunteer,Afternoon,下午 DocType: Vital Signs,Nutrition Values,营养价值观 DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),发热(温度> 38.5°C / 101.3°F或持续温度> 38°C / 100.4°F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC逆转 DocType: Project,Collect Progress,收集进展 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Energy,能源 @@ -2194,6 +2209,7 @@ DocType: Setup Progress,Setup Progress,设置进度 ,Ordered Items To Be Billed,有序项目需要付费 DocType: Taxable Salary Slab,To Amount,到金额 DocType: Purchase Invoice,Is Return (Debit Note),是退货(借记通知单) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客户>客户组>地区 apps/erpnext/erpnext/config/desktop.py,Getting Started,入门 apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,合并 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,保存会计年度后,无法更改会计年度开始日期和会计年度结束日期。 @@ -2212,8 +2228,10 @@ DocType: Maintenance Schedule Detail,Actual Date,实际日期 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},维护开始日期不能在序列号{0}的交货日期之前 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,行{0}:汇率是强制性的 DocType: Purchase Invoice,Select Supplier Address,选择供应商地址 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}",可用数量为{0},您需要{1} apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,请输入API Consumer Secret DocType: Program Enrollment Fee,Program Enrollment Fee,计划注册费 +DocType: Employee Checkin,Shift Actual End,转移实际结束 DocType: Serial No,Warranty Expiry Date,保修到期日 DocType: Hotel Room Pricing,Hotel Room Pricing,酒店房间定价 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted",外向应税供应品(零税率,零税率和豁免除外) @@ -2272,6 +2290,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,阅读5 DocType: Shopping Cart Settings,Display Settings,显示设置 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,请设置预订的折旧数 +DocType: Shift Type,Consequence after,之后的后果 apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,你有什么需要帮助的? DocType: Journal Entry,Printing Settings,打印设置 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,银行业 @@ -2281,6 +2300,7 @@ DocType: Purchase Invoice Item,PR Detail,公关细节 apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,帐单地址与送货地址相同 DocType: Account,Cash,现金 DocType: Employee,Leave Policy,离开政策 +DocType: Shift Type,Consequence,后果 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,学生地址 DocType: GST Account,CESS Account,CESS帐户 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}:“损益”帐户{2}需要成本中心。请为公司设置默认成本中心。 @@ -2345,6 +2365,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN代码 DocType: Period Closing Voucher,Period Closing Voucher,期间结算凭证 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian2 Name,Guardian2名字 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,请输入费用帐户 +DocType: Issue,Resolution By Variance,按方差分辨率 DocType: Employee,Resignation Letter Date,辞职信日期 DocType: Soil Texture,Sandy Clay,桑迪克莱 DocType: Upload Attendance,Attendance To Date,出席日期 @@ -2357,6 +2378,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status m apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,现在查看 DocType: Item Price,Valid Upto,有效期至 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},参考文档类型必须是{0}之一 +DocType: Employee Checkin,Skip Auto Attendance,跳过自动出勤 DocType: Payment Request,Transaction Currency,交易货币 DocType: Loan,Repayment Schedule,还款时间表 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,创建样本保留库存条目 @@ -2428,6 +2450,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,薪酬结构分 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS结算凭证税 apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,行动初始化 DocType: POS Profile,Applicable for Users,适用于用户 +,Delayed Order Report,延迟订单报告 DocType: Training Event,Exam,考试 apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,找到的总帐分录数不正确。您可能在交易中选择了错误的帐户。 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,销售渠道 @@ -2442,10 +2465,11 @@ DocType: Account,Round Off,四舍五入 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,条件将适用于所有选定项目的组合。 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Configure,配置 DocType: Hotel Room,Capacity,容量 +DocType: Employee Checkin,Shift End,转移结束 DocType: Installation Note Item,Installed Qty,已安装数量 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,项目{1}的批处理{0}已禁用。 DocType: Hotel Room Reservation,Hotel Reservation User,酒店预订用户 -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,工作日已重复两次 +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,与实体类型{0}和实体{1}的服务水平协议已存在。 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},项目主文件中未提及项目组{0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},名称错误:{0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,POS配置文件中需要区域 @@ -2493,6 +2517,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., DocType: Depreciation Schedule,Schedule Date,安排日期 DocType: Packing Slip,Package Weight Details,包装重量详情 DocType: Job Applicant,Job Opening,职位空缺 +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,员工签到的最后一次成功同步。仅当您确定从所有位置同步所有日志时才重置此项。如果您不确定,请不要修改此项。 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,实际成本 apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),针对订单{1}的总提前量({0})不能大于总计({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,项目变体已更新 @@ -2537,6 +2562,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,参考购买收据 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,获取Invocies DocType: Tally Migration,Is Day Book Data Imported,是否导入了日记簿数据 ,Sales Partners Commission,销售伙伴委员会 +DocType: Shift Type,Enable Different Consequence for Early Exit,为早期退出启用不同的后果 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Legal,法律 DocType: Loan Application,Required by Date,按日期要求 DocType: Quiz Result,Quiz Result,测验结果 @@ -2596,7 +2622,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,财务/ DocType: Pricing Rule,Pricing Rule,定价规则 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},假期列表未设置为休假期{0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,请在员工记录中设置用户ID字段以设置员工角色 -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,时间解决 DocType: Training Event,Training Event,培训活动 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",成人的正常静息血压约为120 mmHg收缩压,80 mmHg舒张压缩,缩写为“120/80 mmHg” DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,如果限制值为零,系统将获取所有条目。 @@ -2640,6 +2665,7 @@ DocType: Woocommerce Settings,Enable Sync,启用同步 DocType: Student Applicant,Approved,批准 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},从日期起应在财政年度内。假设从日期= {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,请在购买设置中设置供应商组。 +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{}是无效的出勤状态。 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,临时开户 DocType: Purchase Invoice,Cash/Bank Account,现金/银行账户 DocType: Quality Meeting Table,Quality Meeting Table,质量会议桌 @@ -2675,6 +2701,7 @@ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco",食品,饮料与烟草 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,课程表 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,项目明智的税收细节 +DocType: Shift Type,Attendance will be marked automatically only after this date.,只有在此日期之后才会自动标记出勤率。 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,供应给UIN持有人的供应品 apps/erpnext/erpnext/hooks.py,Request for Quotations,要求报价 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,使用其他货币进行输入后,货币无法更改 @@ -2723,7 +2750,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,来自Hub的物品 apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,质量程序。 DocType: Share Balance,No of Shares,股份数量 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:在条目的发布时间({2} {3}),仓库{1}中的{4}不可用数量 DocType: Quality Action,Preventive,预防 DocType: Support Settings,Forum URL,论坛网址 apps/erpnext/erpnext/config/hr.py,Employee and Attendance,员工和出勤 @@ -2945,7 +2971,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,折扣类型 DocType: Hotel Settings,Default Taxes and Charges,默认税和费用 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,这是基于针对此供应商的交易。请参阅下面的时间表了解详情 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},员工{0}的最高福利金额超过{1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,输入协议的开始日期和结束日期。 DocType: Delivery Note Item,Against Sales Invoice,反对销售发票 DocType: Loyalty Point Entry,Purchase Amount,采购量 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,无法将“销售订单”设置为“丢失”。 @@ -2969,7 +2994,7 @@ DocType: Homepage,"URL for ""All Products""",“所有产品”的网址 DocType: Lead,Organization Name,机构名称 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,有效且有效的最多字段对于累积是必需的 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},行#{0}:批次号必须与{1} {2}相同 -DocType: Employee,Leave Details,留下细节 +DocType: Employee Checkin,Shift Start,转移开始 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,冻结{0}之前的库存交易 DocType: Driver,Issuing Date,发行日期 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,请求者 @@ -3014,9 +3039,11 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,现金流量映射模板详细信息 apps/erpnext/erpnext/config/hr.py,Recruitment and Training,招聘和培训 DocType: Drug Prescription,Interval UOM,间隔UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,自动出勤的宽限期设置 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,从货币到货币不能相同 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,制药 DocType: Employee,HR-EMP-,HR-EMP- +DocType: Service Level,Support Hours,支持时间 apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1}已取消或已关闭 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,行{0}:对客户的预付必须是信用 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),按凭证分组(合并) @@ -3126,6 +3153,7 @@ DocType: Asset Repair,Repair Status,维修状态 DocType: Territory,Territory Manager,区域经理 DocType: Lab Test,Sample ID,样品ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,购物车是空的 +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,出勤已标记为每个员工签到 apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,必须提交资产{0} ,Absent Student Report,缺席学生报告 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,包含在毛利润中 @@ -3133,7 +3161,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,资助金额 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,尚未提交{0} {1},因此无法完成操作 DocType: Subscription,Trial Period End Date,试用期结束日期 +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,在同一班次期间交替输入IN和OUT DocType: BOM Update Tool,The new BOM after replacement,更换后的新BOM +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供应商>供应商类型 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,第5项 DocType: Employee,Passport Number,护照号 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,临时开放 @@ -3249,6 +3279,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,主要报告 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,可能的供应商 ,Issued Items Against Work Order,发出违反工作订单的物品 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,创建{0}发票 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,请在教育>教育设置中设置教师命名系统 DocType: Student,Joining Date,加盟日期 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,请求网站 DocType: Purchase Invoice,Against Expense Account,反对费用账户 @@ -3288,6 +3319,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,适用费用 ,Point of Sale,销售点 DocType: Authorization Rule,Approving User (above authorized value),批准用户(高于授权价值) +DocType: Service Level Agreement,Entity,实体 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},从{2}转移到{3}的金额{0} {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},客户{0}不属于项目{1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,来自党名 @@ -3334,6 +3366,7 @@ DocType: Asset,Opening Accumulated Depreciation,开放累计折旧 DocType: Soil Texture,Sand Composition (%),砂组成(%) DocType: Production Plan,MFG-PP-.YYYY.-,MFG-PP-.YYYY.- apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,导入日记簿数据 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,请通过设置>设置>命名系列为{0}设置命名系列 DocType: Asset,Asset Owner Company,资产所有者公司 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,成本中心需要预订费用索赔 apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0}项{1}的有效序列号 @@ -3392,7 +3425,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,资产所有者 apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},仓库对于行{1}中的库存料品{0}是强制性的 DocType: Stock Entry,Total Additional Costs,总额外费用 -DocType: Marketplace Settings,Last Sync On,上次同步开启 apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,请在“税费和收费表”中至少设置一行 DocType: Asset Maintenance Team,Maintenance Team Name,维护团队名称 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,成本中心图 @@ -3408,12 +3440,12 @@ DocType: Sales Order Item,Work Order Qty,工单数量 DocType: Job Card,WIP Warehouse,WIP仓库 DocType: Payment Request,ACC-PRQ-.YYYY.-,ACC-PRQ-.YYYY.- apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},未为员工{0}设置的用户ID -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}",可用的数量为{0},您需要{1} apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,用户{0}已创建 DocType: Stock Settings,Item Naming By,项目命名方式 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Ordered,有序 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,这是根客户组,无法进行编辑。 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,材料请求{0}已取消或停止 +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,严格基于员工签入中的日志类型 DocType: Purchase Order Item Supplied,Supplied Qty,提供数量 DocType: Cash Flow Mapper,Cash Flow Mapper,现金流量映射器 DocType: Soil Texture,Sand,砂 @@ -3472,6 +3504,7 @@ DocType: Lab Test Groups,Add new line,添加新行 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,在项目组表中找到重复的项目组 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Annual Salary,年薪 DocType: Supplier Scorecard,Weighting Function,加权函数 +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,评估标准公式时出错 ,Lab Test Report,实验室测试报告 DocType: BOM,With Operations,随着运营 @@ -3485,6 +3518,7 @@ DocType: Expense Claim Account,Expense Claim Account,费用索赔账户 apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,没有可用于日记帐分录的还款 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1}是非活动学生 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,进入股票 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM递归:{0}不能是{1}的父级或子级 DocType: Employee Onboarding,Activities,活动 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,至少有一个仓库是强制性的 ,Customer Credit Balance,客户信用余额 @@ -3497,9 +3531,11 @@ DocType: Supplier Scorecard Period,Variables,变量 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,为客户找到多个忠诚度计划。请手动选择。 DocType: Patient,Medication,药物治疗 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,选择忠诚度计划 +DocType: Employee Checkin,Attendance Marked,出勤率明显 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,原料 DocType: Sales Order,Fully Billed,完全开帐单 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},请在{}上设置酒店房价 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,仅选择一个优先级作为默认值。 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},请为类型{0}标识/创建帐户(分类帐) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,总信用额/借方金额应与链接的日记帐分录相同 DocType: Purchase Invoice Item,Is Fixed Asset,是固定资产 @@ -3520,6 +3556,7 @@ DocType: Purpose of Travel,Purpose of Travel,旅行的目的 DocType: Healthcare Settings,Appointment Confirmation,预约确认 DocType: Shopping Cart Settings,Orders,命令 DocType: HR Settings,Retirement Age,退休年龄 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,请通过设置>编号系列设置出勤编号系列 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,预计数量 apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},国家/地区{0}不允许删除 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},行#{0}:资产{1}已经是{2} @@ -3603,11 +3640,13 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,会计 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},在日期{1}和{2}之间存在POS结算凭证alreday {0} apps/erpnext/erpnext/config/help.py,Navigating,导航 +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,没有未结清的发票需要汇率重估 DocType: Authorization Rule,Customer / Item Name,客户/项目名称 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新序列号不能有仓库。仓库必须通过库存输入或采购收据设置 DocType: Issue,Via Customer Portal,通过客户门户 DocType: Work Order Operation,Planned Start Time,计划开始时间 apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1}是{2} +DocType: Service Level Priority,Service Level Priority,服务水平优先 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,预订的折旧数不能大于折旧总数 apps/erpnext/erpnext/accounts/doctype/shareholder/shareholder.js,Share Ledger,分享Ledger DocType: Journal Entry,Accounts Payable,应付账款 @@ -3718,7 +3757,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,送货到 DocType: Bank Statement Transaction Settings Item,Bank Data,银行数据 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,预定Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,在时间表上保持计费时间和工作时间相同 apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,追踪潜在客户来源。 DocType: Clinical Procedure,Nursing User,护理用户 DocType: Support Settings,Response Key List,响应密钥列表 @@ -3886,6 +3924,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,实际开始时间 DocType: Antibiotic,Laboratory User,实验室用户 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,在线拍卖 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,优先级{0}已重复。 DocType: Fee Schedule,Fee Creation Status,费用创建状态 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,软件 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,销售订单到付款 @@ -3952,6 +3991,7 @@ DocType: Patient Encounter,In print,在印刷品中 apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,无法检索{0}的信息。 apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,结算货币必须等于默认公司的货币或方帐户货币 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,请输入此销售人员的员工ID +DocType: Shift Type,Early Exit Consequence after,提前退出后果 apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,创建开仓销售和采购发票 DocType: Disease,Treatment Period,治疗期 apps/erpnext/erpnext/config/settings.py,Setting up Email,设置电子邮件 @@ -3969,7 +4009,6 @@ DocType: Employee Skill Map,Employee Skills,员工技能 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,学生姓名: DocType: SMS Log,Sent On,在发送 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,销售发票 -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,响应时间不能大于解决时间 DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",对于基于课程的学生组,课程将针对计划注册中注册课程的每位学生进行验证。 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,国内供应 DocType: Employee,Create User Permission,创建用户权限 @@ -4008,6 +4047,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,销售或购买的标准合同条款。 DocType: Sales Invoice,Customer PO Details,客户PO详细信息 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,找不到病人 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,选择默认优先级。 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,如果费用不适用于该项目,请删除项目 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,存在具有相同名称的客户组请更改客户名称或重命名客户组 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. @@ -4047,6 +4087,7 @@ DocType: Quality Goal,Quality Goal,质量目标 DocType: Support Settings,Support Portal,支持门户 apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},任务{0}的结束日期不能少于{1}预期开始日期{2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},员工{0}正在{1}上休假 +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},此服务级别协议特定于客户{0} DocType: Employee,Held On,坚持住 DocType: Healthcare Practitioner,Practitioner Schedules,从业者时间表 DocType: Project Template Task,Begin On (Days),开始(天) @@ -4054,6 +4095,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},工单已{0} DocType: Inpatient Record,Admission Schedule Date,入学时间表日期 apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,资产价值调整 +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,根据分配给此班次的员工的“员工签到”标记出勤率。 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,向未登记人员提供的物资 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,All Jobs,所有工作 DocType: Appointment Type,Appointment Type,预约类型 @@ -4166,7 +4208,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),包裹的总重量。通常净重+包装材料重量。 (用于打印) DocType: Plant Analysis,Laboratory Testing Datetime,实验室测试日期时间 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,项{0}不能具有批处理 -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,按阶段划分的销售渠道 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,学生团体实力 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,银行对账单交易录入 DocType: Purchase Order,Get Items from Open Material Requests,从Open Material Requests获取项目 @@ -4248,7 +4289,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,显示老龄化仓库 DocType: Sales Invoice,Write Off Outstanding Amount,注销未付金额 DocType: Payroll Entry,Employee Details,员工详细信息 -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,开始时间不能大于{0}的结束时间。 DocType: Pricing Rule,Discount Amount,折扣金额 DocType: Healthcare Service Unit Type,Item Details,项目细节 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},期间{1}的重复税务申报{0} @@ -4301,7 +4341,7 @@ DocType: Customer,CUST-.YYYY.-,CUST-.YYYY.- apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,净工资不能为负 apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,没有相互作用 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/hr/doctype/employee/employee_dashboard.py,Shift,转移 +DocType: Attendance,Shift,转移 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,处理会计科目和缔约方 DocType: Stock Settings,Convert Item Description to Clean HTML,将项目描述转换为清除HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,所有供应商组 @@ -4371,6 +4411,7 @@ DocType: Employee Onboarding Activity,Employee Onboarding Activity,员工入职 DocType: Healthcare Service Unit,Parent Service Unit,家长服务单位 DocType: Sales Invoice,Include Payment (POS),包括付款(POS) apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,私人产权 +DocType: Shift Type,First Check-in and Last Check-out,首次入住和最后退房 DocType: Landed Cost Item,Receipt Document,收据文件 DocType: Supplier Scorecard Period,Supplier Scorecard Period,供应商记分卡期间 DocType: Employee Grade,Default Salary Structure,默认薪资结构 @@ -4453,6 +4494,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,创建采购订单 apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,定义财政年度的预算。 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,帐户表不能为空。 +DocType: Employee Checkin,Entry Grace Period Consequence,进入宽限期后果 ,Payment Period Based On Invoice Date,基于发票日期的付款期 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},项目{0}的交货日期之前的安装日期不能 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,链接到材料请求 @@ -4461,6 +4503,7 @@ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,映射数据 apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:此仓库{1}已存在重新订购条目 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,文件日期 DocType: Monthly Distribution,Distribution Name,分配名称 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,工作日{0}已重复。 apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,集团到非集团 apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,正在更新。这可能需要一段时间。 DocType: Item,"Example: ABCD.##### @@ -4473,6 +4516,7 @@ DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can DocType: Vehicle Log,Fuel Qty,燃料数量 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1手机号码 DocType: Invoice Discounting,Disbursed,支付 +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,轮班结束后的时间,在此期间考虑退房。 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,应付账款净变动 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,无法使用 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,兼职 @@ -4486,7 +4530,6 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,潜在 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,在Print中显示PDC apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify供应商 DocType: POS Profile User,POS Profile User,POS档案用户 -DocType: Student,Middle Name,中间名字 DocType: Sales Person,Sales Person Name,销售人员姓名 DocType: Packing Slip,Gross Weight,总重量 DocType: Journal Entry,Bill No,比尔号 @@ -4495,7 +4538,6 @@ apps/erpnext/erpnext/assets/doctype/location/location_tree.js,New Location,新 DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG,.YYYY.- DocType: Student,A+,A + DocType: Issue,Service Level Agreement,服务水平协议 -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,请先选择员工和日期 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,考虑到岸成本凭证金额,重新计算项目估价率 DocType: Timesheet,Employee Detail,员工细节 DocType: Tally Migration,Vouchers,优惠券 @@ -4530,7 +4572,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,服务水平协 DocType: Additional Salary,Date on which this component is applied,应用此组件的日期 apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,具有作品集编号的可用股东名单 apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,设置网关帐户。 -DocType: Service Level,Response Time Period,响应时间段 +DocType: Service Level Priority,Response Time Period,响应时间段 DocType: Purchase Invoice,Purchase Taxes and Charges,购买税和费用 DocType: Course Activity,Activity Date,活动日期 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,选择或添加新客户 @@ -4555,6 +4597,7 @@ DocType: Sales Person,Select company name first.,首先选择公司名称。 apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,财政年度 DocType: Sales Invoice Item,Deferred Revenue,递延收入 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,必须选择至少一个销售或购买 +DocType: Shift Type,Working Hours Threshold for Half Day,半天的工作时间门槛 ,Item-wise Purchase History,项目购买历史 apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},无法更改行{0}中项目的服务停止日期 DocType: Production Plan,Include Subcontracted Items,包括转包商品 @@ -4587,6 +4630,7 @@ DocType: Journal Entry,Total Amount Currency,总金额货币 DocType: BOM,Allow Same Item Multiple Times,多次允许相同的项目 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,创建BOM DocType: Healthcare Practitioner,Charges,收费 +DocType: Employee,Attendance and Leave Details,出勤和离职详情 DocType: Student,Personal Details,个人资料 DocType: Sales Order,Billing and Delivery Status,结算和交付状态 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,行{0}:对于供应商{0},需要电子邮件地址来发送电子邮件 @@ -4638,7 +4682,6 @@ DocType: Bank Guarantee,Supplier,供应商 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},输入{0}和{1}之间的值 DocType: Purchase Order,Order Confirmation Date,订单确认日期 DocType: Delivery Trip,Calculate Estimated Arrival Times,计算预计到达时间 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,耗材 DocType: Instructor,EDU-INS-.YYYY.-,EDU-INS-.YYYY.- DocType: Subscription,Subscription Start Date,订阅开始日期 @@ -4661,7 +4704,7 @@ DocType: Installation Note Item,Installation Note Item,安装说明项目 DocType: Journal Entry Account,Journal Entry Account,日记帐分录 apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,变种 apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,论坛活动 -DocType: Service Level,Resolution Time Period,解决时间段 +DocType: Service Level Priority,Resolution Time Period,解决时间段 DocType: Request for Quotation,Supplier Detail,供应商细节 DocType: Project Task,View Task,查看任务 DocType: Serial No,Purchase / Manufacture Details,购买/制造细节 @@ -4728,6 +4771,7 @@ DocType: Sales Invoice,Commission Rate (%),佣金率(%) DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,仓库只能通过库存输入/交货单/购买收据进行更改 DocType: Support Settings,Close Issue After Days,几天后关闭问题 DocType: Payment Schedule,Payment Schedule,付款时间表 +DocType: Shift Type,Enable Entry Grace Period,启用条目宽限期 DocType: Patient Relation,Spouse,伴侣 DocType: Purchase Invoice,Reason For Putting On Hold,搁置的原因 DocType: Item Attribute,Increment,增量 @@ -4867,6 +4911,7 @@ DocType: Authorization Rule,Customer or Item,客户或物品 DocType: Vehicle Log,Invoice Ref,发票参考 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C表格不适用于发票:{0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,发票已创建 +DocType: Shift Type,Early Exit Grace Period,提前退出宽限期 DocType: Patient Encounter,Review Details,查看详情 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,行{0}:小时值必须大于零。 DocType: Account,Account Number,帐号 @@ -4878,7 +4923,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL",如果公司是SpA,SApA或SRL,则适用 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,发现重叠条件: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,付费和未付款 -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,物料代码是强制性的,因为物料不会自动编号 DocType: GST HSN Code,HSN Code,HSN代码 DocType: GSTR 3B Report,September,九月 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,行政费用 @@ -4914,6 +4958,8 @@ DocType: Travel Itinerary,Travel From,旅行 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP帐户 DocType: SMS Log,Sender Name,发件者姓名 DocType: Pricing Rule,Supplier Group,供应商组 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",在索引{1}处为\支持日{0}设置开始时间和结束时间。 DocType: Employee,Date of Issue,发行日期 ,Requested Items To Be Transferred,要求转移的物品 DocType: Employee,Contract End Date,合同结束日期 @@ -4924,6 +4970,7 @@ DocType: Healthcare Service Unit,Vacant,空的 DocType: Opportunity,Sales Stage,销售阶段 DocType: Sales Order,In Words will be visible once you save the Sales Order.,保存销售订单后,将显示单词。 DocType: Item Reorder,Re-order Level,重新订购等级 +DocType: Shift Type,Enable Auto Attendance,启用自动出勤 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,偏爱 ,Department Analytics,部门分析 DocType: Crop,Scientific Name,科学名称 @@ -4936,6 +4983,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1}状态为{2} DocType: Quiz Activity,Quiz Activity,测验活动 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0}不在有效的工资核算期内 DocType: Timesheet,Billed,帐单 +apps/erpnext/erpnext/config/support.py,Issue Type.,问题类型。 DocType: Restaurant Order Entry,Last Sales Invoice,上次销售发票 DocType: Payment Terms Template,Payment Terms,付款条件 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",保留数量:订购销售但未交付的数量。 @@ -5031,6 +5079,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,财富 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0}没有医疗从业者计划。将其添加到Healthcare Practitioner master中 DocType: Vehicle,Chassis No,底盘号 +DocType: Employee,Default Shift,默认Shift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,公司缩写 apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,物料清单树 DocType: Article,LMS User,LMS用户 @@ -5079,6 +5128,7 @@ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Sales Person,Parent Sales Person,家长销售人员 DocType: Student Group Creation Tool,Get Courses,获得课程 apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:数量必须为1,因为项目是固定资产。请为多个数量使用单独的行。 +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),缺席的工作时间标记为缺席。 (零禁用) DocType: Customer Group,Only leaf nodes are allowed in transaction,事务中只允许叶节点 DocType: Grant Application,Organization,组织 DocType: Fee Category,Fee Category,费用类别 @@ -5091,6 +5141,7 @@ DocType: Payment Order,PMO-,PMO- apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,请更新您的培训活动状态 DocType: Volunteer,Morning,早上 DocType: Quotation Item,Quotation Item,报价项目 +apps/erpnext/erpnext/config/support.py,Issue Priority.,问题优先。 DocType: Journal Entry,Credit Card Entry,信用卡输入 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",时间段滑落,插槽{0}到{1}与现有插槽{2}重叠到{3} DocType: Journal Entry Account,If Income or Expense,如果收入或费用 @@ -5141,11 +5192,13 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,数据导入和设置 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: Account,Expense Account,费用帐户 +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,在考虑员工入住的班次开始时间之前的时间。 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,与Guardian1的关系 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,创建发票 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},付款申请已存在{0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',在{0}上解雇的员工必须设置为“离开” apps/erpnext/erpnext/templates/pages/integrations/gocardless_checkout.py,Pay {0} {1},支付{0} {1} +DocType: Company,Sales Settings,销售设置 DocType: Sales Order Item,Produced Quantity,生产数量 apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,点击以下链接即可访问报价请求 DocType: Monthly Distribution,Name of the Monthly Distribution,每月分配的名称 @@ -5224,6 +5277,7 @@ DocType: Company,Default Values,默认值 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,创建销售和采购的默认税收模板。 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,保留类型{0}不能转发 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,借方到帐户必须是应收帐款 +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},请在仓库{0}中设置帐户或在公司{1}中设置默认库存帐户 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,设为默认 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),这个包的净重。 (自动计算为物品净重的总和) @@ -5250,8 +5304,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,已过期批次 DocType: Shipping Rule,Shipping Rule Type,送货规则类型 DocType: Job Offer,Accepted,公认 -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","请删除员工{0} \以取消此文档" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,您已经评估了评估标准{}。 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,选择批号 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),年龄(天) @@ -5278,6 +5330,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,选择您的域名 DocType: Agriculture Task,Task Name,任务名称 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,已为工作订单创建的库存条目 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","请删除员工{0} \以取消此文档" ,Amount to Deliver,交付金额 apps/erpnext/erpnext/accounts/doctype/account/account.py,Company {0} does not exist,公司{0}不存在 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,找不到要为给定项目链接的待处理物料请求。 @@ -5327,6 +5381,7 @@ DocType: Program Enrollment,Enrolled courses,注册课程 DocType: Lab Prescription,Test Code,测试代码 DocType: Purchase Taxes and Charges,On Previous Row Total,在上一行总计 DocType: Student,Student Email Address,学生电邮地址 +,Delayed Item Report,延迟物品报告 DocType: Academic Term,Education,教育 DocType: Supplier Quotation,Supplier Address,供应商地址 DocType: Salary Detail,Do not include in total,不包括总数 @@ -5334,7 +5389,6 @@ apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Default apps/erpnext/erpnext/accounts/party.py,{0}: {1} does not exists,{0}:{1}不存在 DocType: Purchase Receipt Item,Rejected Quantity,拒绝数量 DocType: Cashier Closing,To TIme,到时间 -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: Daily Work Summary Group User,Daily Work Summary Group User,每日工作摘要组用户 DocType: Fiscal Year Company,Fiscal Year Company,财年公司 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,替代项目不得与项目代码相同 @@ -5386,6 +5440,7 @@ DocType: Program Fee,Program Fee,课程费用 DocType: Delivery Settings,Delay between Delivery Stops,交货停止之间的延迟 DocType: Stock Settings,Freeze Stocks Older Than [Days],冷冻库存早于[天] DocType: Promotional Scheme,Promotional Scheme Product Discount,促销计划产品折扣 +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,问题优先级已经存在 DocType: Account,Asset Received But Not Billed,已收到资产但尚未收费 DocType: POS Closing Voucher,Total Collected Amount,总收款金额 DocType: Course,Default Grading Scale,默认评分量表 @@ -5428,6 +5483,7 @@ DocType: C-Form,III,III DocType: Contract,Fulfilment Terms,履行条款 apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,非集团到集团 DocType: Student Guardian,Mother,母亲 +DocType: Issue,Service Level Agreement Fulfilled,达成服务水平协议 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,为无人认领的员工福利扣除税款 DocType: Travel Request,Travel Funding,旅游资金 DocType: Shipping Rule,Fixed,固定 @@ -5457,10 +5513,12 @@ DocType: Item,Warranty Period (in days),保修期(天) apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard.js,No items found.,未找到任何项目。 DocType: Item Attribute,From Range,从范围 DocType: Clinical Procedure,Consumables,耗材 +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,'employee_field_value' and 'timestamp' are required.,'employee_field_value'和'timestamp'是必需的。 DocType: Purchase Taxes and Charges,Reference Row #,参考行# apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},请在公司{0}中设置“资产折旧成本中心” apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py,Row #{0}: Payment document is required to complete the trasaction,行#{0}:完成交易需要付款文件 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,单击此按钮可从亚马逊MWS中提取销售订单数据。 +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),工作时间低于标记的半天。 (零禁用) ,Assessment Plan Status,评估计划状态 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,请先选择{0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,提交此内容以创建Employee记录 @@ -5531,6 +5589,7 @@ DocType: Quality Procedure,Parent Procedure,父程序 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,设置打开 apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,切换过滤器 DocType: Production Plan,Material Request Detail,材料要求详情 +DocType: Shift Type,Process Attendance After,过程出勤 DocType: Material Request Item,Quantity and Warehouse,数量和仓库 apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,转到程序 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},行#{0}:引用{1}中的重复条目{2} @@ -5588,6 +5647,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,党的信息 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),债务人({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,迄今为止不能超过员工的解除日期 +DocType: Shift Type,Enable Exit Grace Period,启用退出宽限期 DocType: Expense Claim,Employees Email Id,员工电子邮件ID DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,更新价格从Shopify到ERPNext价目表 DocType: Healthcare Settings,Default Medical Code Standard,默认医疗法规标准 @@ -5618,7 +5678,6 @@ DocType: Item Group,Item Group Name,物料组名称 DocType: Budget,Applicable on Material Request,适用于材料申请 DocType: Support Settings,Search APIs,搜索API DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,销售订单的生产过剩百分比 -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,产品规格 DocType: Purchase Invoice,Supplied Items,提供的物品 DocType: Leave Control Panel,Select Employees,选择员工 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},贷款中选择利息收入账户{0} @@ -5644,7 +5703,7 @@ DocType: Salary Slip,Deductions,扣除 ,Supplier-Wise Sales Analytics,供应商智慧销售分析 DocType: GSTR 3B Report,February,二月 DocType: Appraisal,For Employee,对于员工 -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,实际交货日期 +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,实际交货日期 DocType: Sales Partner,Sales Partner Name,销售伙伴名称 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,折旧行{0}:折旧开始日期作为过去日期输入 DocType: GST HSN Code,Regional,区域性 @@ -5683,6 +5742,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,消 DocType: Supplier Scorecard,Supplier Scorecard,供应商记分卡 DocType: Travel Itinerary,Travel To,前往 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,马克出勤 +DocType: Shift Type,Determine Check-in and Check-out,确定登记入住和退房 DocType: POS Closing Voucher,Difference,区别 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,小 DocType: Work Order Item,Work Order Item,工单项目 @@ -5716,6 +5776,7 @@ DocType: Sales Invoice,Shipping Address Name,送货地址名称 apps/erpnext/erpnext/healthcare/setup.py,Drug,药物 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1}已关闭 DocType: Patient,Medical History,医学史 +DocType: Expense Claim,Expense Taxes and Charges,费用税和费用 DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,取消订阅或将订阅标记为未付款之前已过去发票日期的天数 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,安装说明{0}已提交 DocType: Patient Relation,Family,家庭 @@ -5748,7 +5809,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,强度 apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{2}中需要{0}单位{1}才能完成此交易。 DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,基于PLC的转包反冲原料 -DocType: Bank Guarantee,Customer,顾客 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",如果启用,则在学期注册工具中,字段学术期限将是强制性的。 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",对于基于批处理的学生组,将从计划注册中为每个学生验证学生批处理。 DocType: Course,Topics,话题 @@ -5908,6 +5968,7 @@ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.", apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),结束(开盘+总计) DocType: Supplier Scorecard Criteria,Criteria Formula,标准公式 apps/erpnext/erpnext/config/support.py,Support Analytics,支持分析 +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),考勤设备ID(生物识别/ RF标签ID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,审查和行动 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",如果帐户被冻结,则允许条目限制用户。 apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,折旧后的金额 @@ -5929,6 +5990,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Salary Slip,Loan Repayment,偿还借款 DocType: Employee Education,Major/Optional Subjects,主要/选修科目 DocType: Soil Texture,Silt,淤泥 +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,供应商地址和联系方式 DocType: Bank Guarantee,Bank Guarantee Type,银行担保类型 DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",如果禁用,则在任何事务中都不会显示“Rounded Total”字段 DocType: Pricing Rule,Min Amt,Min Amt @@ -5967,6 +6029,7 @@ DocType: BOM,Quantity of item obtained after manufacturing / repacking from give DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,打开发票创建工具项 DocType: Soil Analysis,(Ca+Mg)/K,(钙+镁)/ K DocType: Bank Reconciliation,Include POS Transactions,包括POS交易 +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},找不到给定员工字段值的员工。 '{}':{} DocType: Payment Entry,Received Amount (Company Currency),收到金额(公司货币) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",LocalStorage已满,没有保存 DocType: Chapter Member,Chapter Member,章成员 @@ -5999,6 +6062,7 @@ DocType: SMS Center,All Lead (Open),全铅(开放) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,没有创建学生组。 apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},具有相同{1}的重复行{0} DocType: Employee,Salary Details,薪资明细 +DocType: Employee Checkin,Exit Grace Period Consequence,退出宽限期后果 DocType: Bank Statement Transaction Invoice Item,Invoice,发票 DocType: Special Test Items,Particulars,细节 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,请根据项目或仓库设置过滤器 @@ -6100,6 +6164,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for whic DocType: Serial No,Out of AMC,走出AMC DocType: Job Opening,"Job profile, qualifications required etc.",工作简介,要求的资格等 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Ship To State,送到州 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,您要提交材料申请吗? DocType: Opportunity Item,Basic Rate,基本费率 DocType: Compensatory Leave Request,Work End Date,工作结束日期 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,原材料申请 @@ -6284,6 +6349,7 @@ DocType: Depreciation Schedule,Depreciation Amount,折旧金额 DocType: Sales Order Item,Gross Profit,毛利 DocType: Quality Inspection,Item Serial No,商品序列号 DocType: Asset,Insurer,保险公司 +DocType: Employee Checkin,OUT,OUT apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Buying Amount,购买金额 DocType: Asset Maintenance Task,Certificate Required,证书要求 DocType: Retention Bonus,Retention Bonus,保留奖金 @@ -6398,6 +6464,8 @@ DocType: Payment Entry,Difference Amount (Company Currency),差额(公司货 DocType: Invoice Discounting,Sanctioned,制裁 DocType: Course Enrollment,Course Enrollment,课程报名 DocType: Item,Supplier Items,供应商项目 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",对于{0},开始时间不能大于或等于结束时间\。 DocType: Sales Order,Not Applicable,不适用 DocType: Support Search Source,Response Options,响应选项 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0}应该是0到100之间的值 @@ -6484,7 +6552,6 @@ DocType: Travel Request,Costing,成本核算 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,固定资产 DocType: Purchase Order,Ref SQ,参考SQ DocType: Salary Structure,Total Earning,总收入 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客户>客户组>地区 DocType: Share Balance,From No,从没有 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,付款对帐发票 DocType: Purchase Invoice,Taxes and Charges Added,税和费用已添加 @@ -6592,6 +6659,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,忽略定价规则 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,餐饮 DocType: Lost Reason Detail,Lost Reason Detail,丢失的原因细节 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},创建了以下序列号:
{0} DocType: Maintenance Visit,Customer Feedback,客户的反馈意见 DocType: Serial No,Warranty / AMC Details,保修/ AMC详细信息 DocType: Issue,Opening Time,营业时间 @@ -6641,6 +6709,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,公司名称不一样 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,在促销日期之前无法提交员工晋升 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},不允许更新早于{0}的股票交易 +DocType: Employee Checkin,Employee Checkin,员工签到 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},开始日期应小于项目{0}的结束日期 apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,创建客户报价 DocType: Buying Settings,Buying Settings,购买设置 @@ -6662,6 +6731,7 @@ DocType: Job Card Time Log,Job Card Time Log,工作卡时间日志 DocType: Patient,Patient Demographics,患者人口统计学 DocType: Share Transfer,To Folio No,对于Folio No apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,运营现金流量 +DocType: Employee Checkin,Log Type,日志类型 DocType: Stock Settings,Allow Negative Stock,允许负面股票 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,没有任何项目的数量或价值有任何变化。 DocType: Asset,Purchase Date,购买日期 @@ -6706,6 +6776,7 @@ apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Ti DocType: Vital Signs,Very Hyper,非常超 apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,选择您的业务性质。 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,请选择月份和年份 +DocType: Service Level,Default Priority,默认优先级 DocType: Student Log,Student Log,学生日志 DocType: Shopping Cart Settings,Enable Checkout,启用结帐 apps/erpnext/erpnext/config/settings.py,Human Resources,人力资源 @@ -6734,7 +6805,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js, apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,将Shopify与ERPNext连接 DocType: Homepage Section Card,Subtitle,字幕 DocType: Soil Texture,Loam,壤土 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供应商>供应商类型 DocType: BOM,Scrap Material Cost(Company Currency),废料成本(公司货币) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,不得提交交货单{0} DocType: Task,Actual Start Date (via Time Sheet),实际开始日期(通过时间表) @@ -6790,6 +6860,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,剂量 DocType: Cheque Print Template,Starting position from top edge,从上边缘开始的位置 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),预约时间(分钟) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},此员工已有一个具有相同时间戳的日志。{0} DocType: Accounting Dimension,Disable,禁用 DocType: Email Digest,Purchase Orders to Receive,要接收的采购订单 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,制作订单不能用于: @@ -6805,7 +6876,6 @@ DocType: Production Plan,Material Requests,材料请求 DocType: Buying Settings,Material Transferred for Subcontract,转包的材料转包 DocType: Job Card,Timing Detail,时间细节 apps/erpnext/erpnext/templates/form_grid/material_request_grid.html,Required On,必填 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},导入{1}的{0} DocType: Job Offer Term,Job Offer Term,工作机会 DocType: SMS Center,All Contact,全部联系 DocType: Project Task,Project Task,项目任务 @@ -6856,7 +6926,6 @@ DocType: Student Log,Academic,学术的 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,没有为序列号设置项目{0}。检查项目主文件 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,来自州 DocType: Leave Type,Maximum Continuous Days Applicable,最大连续天数适用 -apps/erpnext/erpnext/config/support.py,Support Team.,支持团队。 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,请先输入公司名称 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,导入成功 DocType: Guardian,Alternate Number,替代号码 @@ -6948,6 +7017,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,行#{0}:已添加项目 DocType: Student Admission,Eligibility and Details,资格和细节 DocType: Staffing Plan,Staffing Plan Detail,人员配备计划细节 +DocType: Shift Type,Late Entry Grace Period,延迟入境宽限期 DocType: Email Digest,Annual Income,年收入 DocType: Journal Entry,Subscription Section,订阅部分 DocType: Salary Slip,Payment Days,付款日 @@ -6998,6 +7068,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,账户余额 DocType: Asset Maintenance Log,Periodicity,周期性 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,医疗记录 +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,签到班次中需要登录类型:{0}。 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,执行 DocType: Item,Valuation Method,估价方法 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0}针对销售发票{1} @@ -7082,6 +7153,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,每个位置的估计 DocType: Loan Type,Loan Name,贷款名称 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,设置默认付款方式 DocType: Quality Goal,Revision,调整 +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,退房结束时间之前的时间被视为提前(以分钟为单位)。 DocType: Healthcare Service Unit,Service Unit Type,服务单位类型 DocType: Purchase Invoice,Return Against Purchase Invoice,退货购买发票 apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.js,Generate Secret,生成秘密 @@ -7237,12 +7309,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,化妆品 DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,如果要在保存之前强制用户选择系列,请选中此项。如果你检查这个,将没有默认值。 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,具有此角色的用户可以设置冻结帐户并根据冻结帐户创建/修改会计分录 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品代码>商品分组>品牌 DocType: Expense Claim,Total Claimed Amount,申索金额总额 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}天内无法找到时间段 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,包起来 apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,如果您的会员资格在30天内到期,您只能续订 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},值必须介于{0}和{1}之间 DocType: Quality Feedback,Parameters,参数 +DocType: Shift Type,Auto Attendance Settings,自动出勤设置 ,Sales Partner Transaction Summary,销售合作伙伴交易摘要 DocType: Asset Maintenance,Maintenance Manager Name,维护经理姓名 apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,需要获取项目详细信息。 @@ -7334,10 +7408,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,验证应用规则 DocType: Job Card Item,Job Card Item,工作卡项目 DocType: Homepage,Company Tagline for website homepage,公司标语为网站主页 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,在索引{1}处设置优先级{0}的响应时间和分辨率。 DocType: Company,Round Off Cost Center,圆形成本中心 DocType: Supplier Scorecard Criteria,Criteria Weight,标准重量 DocType: Asset,Depreciation Schedules,折旧表 -DocType: Expense Claim Detail,Claim Amount,索赔金额 DocType: Subscription,Discounts,折扣 DocType: Shipping Rule,Shipping Rule Conditions,运输规则条件 DocType: Subscription,Cancelation Date,取消日期 @@ -7365,7 +7439,6 @@ apps/erpnext/erpnext/utilities/activation.py,Create Leads,创建潜在客户 apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,显示零值 DocType: Employee Onboarding,Employee Onboarding,员工入职 DocType: POS Closing Voucher,Period End Date,期末日期 -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,来源的销售机会 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,列表中的第一个Leave Approver将被设置为默认的Leave Approver。 DocType: POS Settings,POS Settings,POS设置 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,所有账户 @@ -7386,7 +7459,6 @@ apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,银行 apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,行#{0}:费率必须与{1}相同:{2}({3} / {4}) DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Healthcare Settings,Healthcare Service Items,医疗服务项目 -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,没有找到记录 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,老龄化范围3 DocType: Vital Signs,Blood Pressure,血压 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,目标开启 @@ -7433,6 +7505,7 @@ DocType: Company,Existing Company,现有公司 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batches,批 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,防御 DocType: Item,Has Batch No,有批号 +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,延迟天数 DocType: Lead,Person Name,人名 DocType: Item Variant,Item Variant,项目变体 DocType: Training Event Employee,Invited,邀请 @@ -7454,7 +7527,7 @@ DocType: Purchase Order,To Receive and Bill,收到和比尔 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",不在有效工资核算期内的开始和结束日期无法计算{0}。 DocType: POS Profile,Only show Customer of these Customer Groups,仅显示这些客户组的客户 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,选择要保存发票的项目 -DocType: Service Level,Resolution Time,解决时间 +DocType: Service Level Priority,Resolution Time,解决时间 DocType: Grading Scale Interval,Grade Description,等级描述 DocType: Homepage Section,Cards,牌 DocType: Quality Meeting Minutes,Quality Meeting Minutes,质量会议纪要 @@ -7481,6 +7554,7 @@ DocType: Project,Gross Margin %,毛利率% apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,根据总帐的银行对帐单余额 apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),医疗保健(测试版 DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,默认仓库以创建销售订单和交货单 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,索引{1}处的{0}的响应时间不能大于“解决时间”。 DocType: Opportunity,Customer / Lead Name,客户/主要名称 DocType: Student,EDU-STU-.YYYY.-,EDU-STU-.YYYY.- DocType: Expense Claim Advance,Unclaimed amount,无人认领的金额 @@ -7527,7 +7601,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,All oth apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,进口缔约方和地址 DocType: Item,List this Item in multiple groups on the website.,在网站上的多个组中列出此项目。 DocType: Request for Quotation,Message for Supplier,供应商消息 -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,无法更改{0},因为项目{1}的库存交易存在。 DocType: Healthcare Practitioner,Phone (R),电话(R) DocType: Maintenance Team Member,Team Member,队员 DocType: Asset Category Account,Asset Category Account,资产类别帐户 diff --git a/erpnext/translations/zh_tw.csv b/erpnext/translations/zh_tw.csv index 935b96d16c..9ad6a80044 100644 --- a/erpnext/translations/zh_tw.csv +++ b/erpnext/translations/zh_tw.csv @@ -68,7 +68,7 @@ DocType: Academic Term,Term Start Date,學期開始日期 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,Appointment {0} and Sales Invoice {1} cancelled,約會{0}和銷售發票{1}已取消 DocType: Purchase Receipt,Vehicle Number,車號 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Your email address...,您的電子郵件地址... -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js,Include Default Book Entries,包括默認工作簿條目 +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js,Include Default Book Entries,包括默認工作簿條目 DocType: Activity Cost,Activity Type,活動類型 DocType: Purchase Invoice,Get Advances Paid,獲得進展支付 DocType: Company,Gain/Loss Account on Asset Disposal,資產處置的損益賬戶 @@ -198,7 +198,9 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,What does it do?,它有什麼作 DocType: Bank Reconciliation,Payment Entries,付款條目 DocType: Employee Education,Class / Percentage,等級/百分比 ,Electronic Invoice Register,電子發票登記 +DocType: Shift Type,The number of occurrence after which the consequence is executed.,執行結果的發生次數。 DocType: Sales Invoice,Is Return (Credit Note),是回報(信用證) +DocType: Price List,Price Not UOM Dependent,價格不是UOM依賴 DocType: Lab Test Sample,Lab Test Sample,實驗室測試樣品 DocType: Shopify Settings,status html,狀態html apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,禁用用戶 @@ -286,6 +288,7 @@ apps/erpnext/erpnext/www/all-products/index.html,Product Search,產品搜索 DocType: Salary Slip,Net Pay,淨薪酬 apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,總發票金額 DocType: Clinical Procedure,Consumables Invoice Separately,耗材單獨發票 +DocType: Shift Type,Working Hours Threshold for Absent,缺勤的工作時間門檻 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},無法針對組帳戶{0}分配預算 DocType: Purchase Receipt Item,Rate and Amount,費率和金額 DocType: Patient Appointment,Check availability,檢查可用性 @@ -329,7 +332,6 @@ DocType: Sales Invoice,Set Source Warehouse,設置源倉庫 DocType: Healthcare Settings,Out Patient Settings,出患者設置 DocType: Asset,Insurance End Date,保險結束日期 DocType: Bank Account,Branch Code,分行代碼 -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Respond,時間回應 apps/erpnext/erpnext/public/js/conf.js,User Forum,用戶論壇 DocType: Landed Cost Item,Landed Cost Item,登陸成本項目 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,賣方和買方不能相同 @@ -518,6 +520,7 @@ apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,應稅金額 DocType: Share Transfer,Transfer,傳遞 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),搜索項目(Ctrl + i) apps/erpnext/erpnext/education/doctype/assessment_result_tool/assessment_result_tool.js,{0} Result submittted,{0}結果已提交 +apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py,From date can not be greater than than To date,從日期開始不能大於To date DocType: Supplier,Supplier of Goods or Services.,商品或服務供應商。 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,新帳戶的名稱。注意:請不要為客戶和供應商創建帳戶 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Student Group or Course Schedule is mandatory,學生組或課程表是強制性的 @@ -767,7 +770,6 @@ apps/erpnext/erpnext/config/crm.py,Database of potential customers.,潛在客戶 DocType: Skill,Skill Name,技能名稱 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.js,Print Report Card,打印報告卡 DocType: Soil Texture,Ternary Plot,三元情節 -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/crm/report/lead_conversion_time/lead_conversion_time.py,Support Tickets,支持門票 DocType: Asset Category Account,Fixed Asset Account,固定資產賬戶 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,提交工資單 @@ -784,6 +786,8 @@ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,"Row {0}: Invoice {1} is DocType: Subscription Plan,Subscription Plan,訂閱計劃 apps/erpnext/erpnext/config/healthcare.py,Masters,大師 DocType: Crop,Crop Spacing UOM,裁剪間距UOM +DocType: Shift Type,The time after the shift start time when check-in is considered as late (in minutes).,在辦理登機手續的班次開始時間之後的時間被視為遲到(以分鐘為單位)。 +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,沒有找到未完成的發票 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"{0} vacancies and {1} budget for {2} already planned for subsidiary companies of {3}. \ You can only plan for upto {4} vacancies and and budget {5} as per staffing plan {6} for parent company {3}.",已為{3}的子公司計劃的{0}空缺和{1} {2}預算。 \根據母公司{3}的人員編制計劃{6},您只能計劃最多{4}個職位空缺和預算{5}。 DocType: Promotional Scheme,Product Discount Slabs,產品折扣板 @@ -873,6 +877,7 @@ DocType: Attendance,Attendance Request,出勤請求 DocType: Item,Moving Average,移動平均線 DocType: Employee Attendance Tool,Unmarked Attendance,沒有標記的出席 DocType: Homepage Section,Number of Columns,列數 +DocType: Issue Priority,Issue Priority,問題優先 DocType: Holiday List,Add Weekly Holidays,添加每週假期 DocType: Shopify Log,Shopify Log,Shopify日誌 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js,Create Salary Slip,創建工資單 @@ -881,13 +886,13 @@ DocType: Job Offer Term,Value / Description,價值/描述 DocType: Warranty Claim,Issue Date,發行日期 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}選擇批處理。無法找到滿足此要求的單個批次 apps/erpnext/erpnext/hr/doctype/retention_bonus/retention_bonus.py,Cannot create Retention Bonus for left Employees,無法為左員工創建保留獎金 +DocType: Employee Checkin,Location / Device ID,位置/設備ID apps/erpnext/erpnext/accounts/page/pos/pos.js,You are in offline mode. You will not be able to reload until you have network.,您處於離線模式。在擁有網絡之前,您將無法重新加載。 DocType: Course Activity,Enrollment,註冊 DocType: Lab Test Template,Lab Test Template,實驗室測試模板 ,Employee Birthday,員工生日 apps/erpnext/erpnext/regional/italy/utils.py,E-Invoicing Information Missing,電子發票信息丟失 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No material request created,未創建任何材料請求 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品代碼>商品分組>品牌 DocType: Loan,Total Amount Paid,支付總金額 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,所有這些物品都已開具發票 DocType: Training Event,Trainer Name,培訓師姓名 @@ -992,6 +997,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},請提及潛在客戶{0}中的潛在客戶名稱 DocType: Employee,You can enter any date manually,您可以手動輸入任何日期 DocType: Stock Reconciliation Item,Stock Reconciliation Item,股票調節項目 +DocType: Shift Type,Early Exit Consequence,提前退出後果 DocType: Item Group,General Settings,常規設置 apps/erpnext/erpnext/accounts/party.py,Due Date cannot be before Posting / Supplier Invoice Date,截止日期不能在過帳/供應商發票日期之前 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the Beneficiary before submittting.,在提交之前輸入受益人的姓名。 @@ -1057,6 +1063,7 @@ DocType: Healthcare Settings,Avoid Confirmation,避免確認 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"Warehouse required at Row No {0}, please set default warehouse for the item {1} for the company {2}",在行號{0}需要倉庫,請為公司{2}的項目{1}設置默認倉庫 DocType: Authorization Control,Authorization Control,授權控制 apps/erpnext/erpnext/projects/doctype/project/project.py,You have been invited to collaborate on the project: {0},您已被邀請參與該項目的合作:{0} +DocType: Issue,Response By Variance,按方差回應 DocType: Item,Sales Details,銷售細節 apps/erpnext/erpnext/config/settings.py,Letter Heads for print templates.,打印模板的信頭。 DocType: Salary Detail,Tax on additional salary,額外工資稅 @@ -1168,6 +1175,7 @@ apps/erpnext/erpnext/config/selling.py,Customer Addresses And Contacts,客戶地 DocType: Project,Task Progress,任務進度 DocType: Journal Entry,Opening Entry,開場報名 DocType: Bank Guarantee,Charges Incurred,發生的費用 +DocType: Shift Type,Working Hours Calculation Based On,基於的工時計算 DocType: Work Order,Material Transferred for Manufacturing,為製造業轉移的材料 DocType: Products Settings,Hide Variants,隱藏變體 DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,禁用容量規劃和時間跟踪 @@ -1194,6 +1202,7 @@ DocType: Homepage Section Card,Homepage Section Card,主頁卡片 DocType: Account,Depreciation,折舊 DocType: Guardian,Interests,興趣 DocType: Education Settings,Education Manager,教育經理 +DocType: Employee Checkin,Shift Actual Start,切換實際開始 DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,計劃工作站工作時間以外的時間日誌。 apps/erpnext/erpnext/public/js/utils.js,Loyalty Points: {0},忠誠度積分:{0} DocType: Healthcare Settings,Registration Message,註冊消息 @@ -1217,9 +1226,9 @@ apps/erpnext/erpnext/agriculture/doctype/water_analysis/water_analysis.py,Lab te apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Invoice already created for all billing hours,已為所有結算時間創建的發票 DocType: Sales Partner,Contact Desc,聯繫Desc DocType: Purchase Invoice,Pricing Rules,定價規則 +apps/erpnext/erpnext/stock/doctype/item/item.py,"As there are existing transactions against item {0}, you can not change the value of {1}",由於存在針對項{0}的現有事務,因此無法更改{1}的值 DocType: Hub Tracked Item,Image List,圖像列表 DocType: Item Variant Settings,Allow Rename Attribute Value,允許重命名屬性值 -DocType: Price List,Price Not UOM Dependant,價格不是UOM依賴 apps/erpnext/erpnext/templates/generators/bom.html,Time(in mins),時間(分鐘) DocType: Loan,Interest Income Account,利息收入賬戶 DocType: Shipping Rule Condition,A condition for a Shipping Rule,運輸規則的條件 @@ -1228,6 +1237,7 @@ DocType: Employee,Employment Type,僱傭類型 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Select POS Profile,選擇POS配置文件 DocType: Support Settings,Get Latest Query,獲取最新查詢 DocType: Employee Incentive,Employee Incentive,員工激勵 +DocType: Service Level,Priorities,優先級 apps/erpnext/erpnext/config/website.py,Add cards or custom sections on homepage,在主頁上添加卡片或自定義欄目 DocType: Homepage,Hero Section Based On,基於英雄的英雄部分 DocType: Project,Total Purchase Cost (via Purchase Invoice),總購買成本(通過採購發票) @@ -1281,7 +1291,7 @@ DocType: Work Order,Manufacture against Material Request,根據材料要求製 DocType: Blanket Order Item,Ordered Quantity,訂購數量 apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:拒絕倉庫對被拒絕的項目{1}是強制性的 ,Received Items To Be Billed,收到的物品需要收費 -DocType: Salary Slip Timesheet,Working Hours,工作時間 +DocType: Attendance,Working Hours,工作時間 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Purchase Order Items not received on time,未按時收到採購訂單項目 apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,Duration in Days,持續時間天數 DocType: Customer,Sales Team Details,銷售團隊詳情 @@ -1391,7 +1401,6 @@ apps/erpnext/erpnext/config/buying.py,Rules for applying pricing and discount., DocType: Supplier,Statutory info and other general information about your Supplier,有關您的供應商的法定信息和其他一般信息 DocType: Item Default,Default Selling Cost Center,默認銷售成本中心 DocType: Sales Partner,Address & Contacts,地址和聯繫方式 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,請通過設置>編號系列設置出勤編號系列 DocType: Subscriber,Subscriber,訂戶 apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form / Item / {0})缺貨 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,請先選擇發布日期 @@ -1400,7 +1409,7 @@ DocType: Training Event,Advance,預先 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,"Root Type for ""{0}"" must be one of the Asset, Liability, Income, Expense and Equity",“{0}”的根類型必須是資產,責任,收入,費用和權益之一 DocType: Detected Disease,Tasks Created,創建的任務 apps/erpnext/erpnext/stock/doctype/item/item.py,Default BOM ({0}) must be active for this item or its template,默認物料清單({0})必須對此料品或其模板有效 -DocType: Service Level,Response Time,響應時間 +DocType: Service Level Priority,Response Time,響應時間 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce設置 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Quantity must be positive,數量必須是正數 DocType: Tax Rule,Billing State,賬單狀態 @@ -1415,7 +1424,6 @@ DocType: Healthcare Practitioner,Inpatient Visit Charge,住院訪問費用 DocType: Bank Statement Settings,Transaction Data Mapping,交易數據映射 apps/erpnext/erpnext/crm/doctype/lead/lead.py,A Lead requires either a person's name or an organization's name,領導者需要一個人的姓名或組織的名稱 DocType: Student,Guardians,守護者 -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,請在教育>教育設置中設置教師命名系統 apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,選擇品牌...... DocType: Shipping Rule,Calculate Based On,基於計算 apps/erpnext/erpnext/stock/doctype/item/item.py,Barcode {0} already used in Item {1},條款{0}已在項目{1}中使用 @@ -1446,6 +1454,7 @@ apps/erpnext/erpnext/accounts/doctype/promotional_scheme/promotional_scheme.py,P apps/erpnext/erpnext/utilities/user_progress.py,Set a Target,設定目標 apps/erpnext/erpnext/education/doctype/student_attendance/student_attendance.py,Attendance Record {0} exists against Student {1},針對學生{1}的出勤記錄{0} apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,Cancel Subscription,取消訂閱 +apps/erpnext/erpnext/support/doctype/issue/issue.py,Couldn't Set Service Level Agreement {0}.,無法設置服務水平協議{0}。 apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,淨工資金額 DocType: Account,Liability,責任 DocType: Employee,Bank A/C No.,銀行A / C號 @@ -1504,7 +1513,6 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Import DocType: Purchase Order Item Supplied,Raw Material Item Code,原材料項目代碼 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Invoice {0} is already submitted,已提交採購發票{0} DocType: Fees,Student Email,學生電郵 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {2},BOM遞歸:{0}不能是{2}的父級或子級 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Get Items from Healthcare Services,從醫療保健服務獲取項目 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry {0} is not submitted,庫存條目{0}未提交 DocType: Item Attribute Value,Item Attribute Value,物品屬性值 @@ -1526,7 +1534,6 @@ DocType: POS Profile,Allow Print Before Pay,付款前允許打印 DocType: Production Plan,Select Items to Manufacture,選擇要製造的項目 DocType: Leave Application,Leave Approver Name,留下審批人姓名 DocType: Shareholder,Shareholder,股東 -DocType: Issue,Agreement Status,協議狀態 apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,銷售交易的默認設置。 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,請選擇學生入學,這是付費學生申請人必須的 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,選擇BOM @@ -1756,6 +1763,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"Advance pa DocType: Account,Income Account,收入賬戶 apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py,All Warehouses,所有倉庫 DocType: Contract,Signee Details,Signee詳細信息 +DocType: Shift Type,Allow check-out after shift end time (in minutes),允許在班次結束後退房(以分鐘為單位) apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,Procurement,採購 DocType: Item Group,Check this if you want to show in website,如果要在網站上顯示,請選中此項 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,找不到會計年度{0} @@ -1817,6 +1825,7 @@ DocType: Asset Finance Book,Depreciation Start Date,折舊開始日期 DocType: Activity Cost,Billing Rate,賬單價格 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Warning: Another {0} # {1} exists against stock entry {2},警告:對於庫存條目{2}存在另一個{0}#{1} apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Please enable Google Maps Settings to estimate and optimize routes,請啟用Google地圖設置來估算和優化路線 +DocType: Purchase Invoice Item,Page Break,分頁符 DocType: Supplier Scorecard Criteria,Max Score,最高分數 apps/erpnext/erpnext/hr/doctype/loan/loan.py,Repayment Start Date cannot be before Disbursement Date.,還款開始日期不能在支付日期之前。 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services,金融服務 @@ -1877,6 +1886,7 @@ DocType: Asset Finance Book,Asset Finance Book,資產融資書 DocType: Quality Goal Objective,Quality Goal Objective,質量目標 DocType: Employee Transfer,Employee Transfer,員工轉移 ,Sales Funnel,銷售漏斗 +DocType: Shift Type,Begin check-in before shift start time (in minutes),在班次開始時間(以分鐘為單位)開始辦理登機手續 DocType: Accounts Settings,Accounts Frozen Upto,帳戶凍結了 apps/erpnext/erpnext/setup/doctype/supplier_group/supplier_group.js,There is nothing to edit.,沒有什麼可以編輯的。 apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",操作{0}比工作站{1}中的任何可用工作時間長,將操作分解為多個操作 @@ -1890,7 +1900,9 @@ DocType: Shopify Settings,Cash Account will used for Sales Invoice creation,現 apps/erpnext/erpnext/controllers/selling_controller.py,Sales Order {0} is {1},銷售訂單{0}為{1} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Delay in payment (Days),延遲付款(天) apps/erpnext/erpnext/assets/doctype/asset/asset.py,Enter depreciation details,輸入折舊詳細信息 +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Customer PO,客戶PO apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Expected Delivery Date should be after Sales Order Date,預計交貨日期應在銷售訂單日期之後 +apps/erpnext/erpnext/controllers/accounts_controller.py,Item quantity can not be zero,物品數量不能為零 apps/erpnext/erpnext/controllers/item_variant.py,Invalid Attribute,無效的屬性 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Please select BOM against item {0},請根據項目{0}選擇物料清單 DocType: Bank Statement Transaction Invoice Item,Invoice Type,發票類型 @@ -1899,6 +1911,7 @@ DocType: Price List,Price List Master,價格表大師 DocType: Maintenance Visit,Maintenance Date,維護日期 DocType: Vital Signs,Nutrition Values,營養價值觀 DocType: Vital Signs,Presence of a fever (temp > 38.5 °C/101.3 °F or sustained temp > 38 °C/100.4 °F),發熱(溫度> 38.5°C / 101.3°F或持續溫度> 38°C / 100.4°F) +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC逆轉 DocType: Project,Collect Progress,收集進展 ,Items To Be Requested,要求的項目 @@ -1944,6 +1957,7 @@ DocType: Setup Progress,Setup Progress,設置進度 ,Ordered Items To Be Billed,有序項目需要付費 DocType: Taxable Salary Slab,To Amount,到金額 DocType: Purchase Invoice,Is Return (Debit Note),是退貨(借記通知單) +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客戶>客戶組>地區 apps/erpnext/erpnext/config/desktop.py,Getting Started,入門 apps/erpnext/erpnext/accounts/doctype/account/account.js,Merge,合併 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,保存會計年度後,無法更改會計年度開始日期和會計年度結束日期。 @@ -1960,8 +1974,10 @@ DocType: Maintenance Schedule Detail,Actual Date,實際日期 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},維護開始日期不能在序列號{0}的交貨日期之前 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Exchange Rate is mandatory,行{0}:匯率是強制性的 DocType: Purchase Invoice,Select Supplier Address,選擇供應商地址 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available quantity is {0}, you need {1}",可用數量為{0},您需要{1} apps/erpnext/erpnext/erpnext_integrations/doctype/woocommerce_settings/woocommerce_settings.py,Please enter API Consumer Secret,請輸入API Consumer Secret DocType: Program Enrollment Fee,Program Enrollment Fee,計劃註冊費 +DocType: Employee Checkin,Shift Actual End,轉移實際結束 DocType: Hotel Room Pricing,Hotel Room Pricing,酒店房間定價 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Outward taxable supplies(other than zero rated, nil rated and exempted",外向應稅供應品(零稅率,零稅率和豁免除外) DocType: Loyalty Program,Customer Territory,客戶地區 @@ -2012,6 +2028,7 @@ apps/erpnext/erpnext/utilities/activation.py,"Quotations are proposals, bids you DocType: Quality Inspection Reading,Reading 5,閱讀5 DocType: Shopping Cart Settings,Display Settings,顯示設置 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,請設置預訂的折舊數 +DocType: Shift Type,Consequence after,之後的後果 apps/erpnext/erpnext/templates/pages/help.html,What do you need help with?,你有什麼需要幫助的? DocType: Journal Entry,Printing Settings,打印設置 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Banking,銀行業 @@ -2020,6 +2037,7 @@ DocType: Purchase Invoice Item,PR Detail,公關細節 apps/erpnext/erpnext/templates/includes/cart/cart_address.html,Billing Address is same as Shipping Address,帳單地址與送貨地址相同 DocType: Account,Cash,現金 DocType: Employee,Leave Policy,離開政策 +DocType: Shift Type,Consequence,後果 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Address,學生地址 DocType: GST Account,CESS Account,CESS帳戶 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}:“損益”帳戶{2}需要成本中心。請為公司設置默認成本中心。 @@ -2083,6 +2101,7 @@ DocType: Crop,Produced Items,生產的物品 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',審批狀態必須為“已批准”或“已拒絕” apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,View Now,現在查看 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference Doctype must be one of {0},參考文檔類型必須是{0}之一 +DocType: Employee Checkin,Skip Auto Attendance,跳過自動出勤 DocType: Payment Request,Transaction Currency,交易貨幣 DocType: Loan,Repayment Schedule,還款時間表 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Create Sample Retention Stock Entry,創建樣本保留庫存條目 @@ -2148,6 +2167,7 @@ DocType: Salary Structure Assignment,Salary Structure Assignment,薪酬結構分 DocType: POS Closing Voucher Taxes,POS Closing Voucher Taxes,POS結算憑證稅 apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,Action Initialised,行動初始化 DocType: POS Profile,Applicable for Users,適用於用戶 +,Delayed Order Report,延遲訂單報告 DocType: Training Event,Exam,考試 apps/erpnext/erpnext/accounts/general_ledger.py,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,找到的總帳分錄數不正確。您可能在交易中選擇了錯誤的帳戶。 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,銷售渠道 @@ -2158,10 +2178,11 @@ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log. apps/erpnext/erpnext/accounts/page/pos/pos.js,Please select customer,請選擇客戶 DocType: Account,Round Off,四捨五入 DocType: Pricing Rule,Conditions will be applied on all the selected items combined. ,條件將適用於所有選定項目的組合。 +DocType: Employee Checkin,Shift End,轉移結束 DocType: Installation Note Item,Installed Qty,已安裝數量 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,項目{1}的批處理{0}已禁用。 DocType: Hotel Room Reservation,Hotel Reservation User,酒店預訂用戶 -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday has been repeated twice,工作日已重複兩次 +apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Service Level Agreement with Entity Type {0} and Entity {1} already exists.,與實體類型{0}和實體{1}的服務水平協議已存在。 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Item Group not mentioned in item master for item {0},項目主文件中未提及項目組{0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Name error: {0},名稱錯誤:{0} apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Territory is Required in POS Profile,POS配置文件中需要區域 @@ -2204,6 +2225,7 @@ apps/erpnext/erpnext/config/retail.py,To make Customer based incentive schemes., ,Purchase Register,購買註冊 DocType: Packing Slip,Package Weight Details,包裝重量詳情 DocType: Job Applicant,Job Opening,職位空缺 +DocType: Shift Type,Last Known Successful Sync of Employee Checkin. Reset this only if you are sure that all Logs are synced from all the locations. Please don't modify this if you are unsure.,員工簽到的最後一次成功同步。僅當您確定從所有位置同步所有日誌時才重置此項。如果您不確定,請不要修改此項。 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,實際成本 apps/erpnext/erpnext/controllers/accounts_controller.py,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),針對訂單{1}的總提前量({0})不能大於總計({2}) apps/erpnext/erpnext/stock/doctype/item/item.py,Item Variants updated,項目變體已更新 @@ -2244,6 +2266,7 @@ DocType: Stock Entry Detail,Reference Purchase Receipt,參考購買收據 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Get Invocies,獲取Invocies DocType: Tally Migration,Is Day Book Data Imported,是否導入了日記簿數據 ,Sales Partners Commission,銷售夥伴委員會 +DocType: Shift Type,Enable Different Consequence for Early Exit,為早期退出啟用不同的後果 DocType: Quiz Result,Quiz Result,測驗結果 apps/erpnext/erpnext/accounts/doctype/invoice_discounting/invoice_discounting.js,Close Loan,關閉貸款 DocType: Lead,From Customer,來自客戶 @@ -2293,7 +2316,6 @@ apps/erpnext/erpnext/config/accounting.py,Financial / accounting year.,財務/ DocType: Pricing Rule,Pricing Rule,定價規則 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},假期列表未設置為休假期{0} apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set User ID field in an Employee record to set Employee Role,請在員工記錄中設置用戶ID字段以設置員工角色 -apps/erpnext/erpnext/support/doctype/issue/issue.js,Time To Resolve,時間解決 DocType: Training Event,Training Event,培訓活動 DocType: Vital Signs,"Normal resting blood pressure in an adult is approximately 120 mmHg systolic, and 80 mmHg diastolic, abbreviated ""120/80 mmHg""",成人的正常靜息血壓約為120 mmHg收縮壓,80 mmHg舒張壓縮,縮寫為“120/80 mmHg” DocType: Payment Reconciliation,System will fetch all the entries if limit value is zero.,如果限制值為零,系統將獲取所有條目。 @@ -2331,6 +2353,7 @@ DocType: Company,Asset Depreciation Cost Center,資產折舊成本中心 DocType: Woocommerce Settings,Enable Sync,啟用同步 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},從日期起應在財政年度內。假設從日期= {0} apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,請在購買設置中設置供應商組。 +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{}是無效的出勤狀態。 DocType: Opening Invoice Creation Tool Item,Temporary Opening Account,臨時開戶 DocType: Purchase Invoice,Cash/Bank Account,現金/銀行賬戶 DocType: Quality Meeting Table,Quality Meeting Table,質量會議桌 @@ -2361,6 +2384,7 @@ DocType: Email Digest,Add Quote,添加報價 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco",食品,飲料與煙草 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,課程表 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,項目明智的稅收細節 +DocType: Shift Type,Attendance will be marked automatically only after this date.,只有在此日期之後才會自動標記出勤率。 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to UIN holders,供應給UIN持有人的供應品 apps/erpnext/erpnext/hooks.py,Request for Quotations,要求報價 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,使用其他貨幣進行輸入後,貨幣無法更改 @@ -2408,7 +2432,6 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Item,Is Item from Hub,來自Hub的物品 apps/erpnext/erpnext/config/quality_management.py,Quality Procedure.,質量程序。 DocType: Share Balance,No of Shares,股份數量 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:在條目的發佈時間({2} {3}),倉庫{1}中的{4}不可用數量 DocType: Quality Action,Preventive,預防 DocType: Support Settings,Forum URL,論壇網址 apps/erpnext/erpnext/config/hr.py,Employee and Attendance,員工和出勤 @@ -2602,7 +2625,6 @@ DocType: Promotional Scheme Price Discount,Discount Type,折扣類型 DocType: Hotel Settings,Default Taxes and Charges,默認稅和費用 apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py,This is based on transactions against this Supplier. See timeline below for details,這是基於針對此供應商的交易。請參閱下面的時間表了解詳情 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},員工{0}的最高福利金額超過{1} -apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Enter Start and End Date for the Agreement.,輸入協議的開始日期和結束日期。 DocType: Delivery Note Item,Against Sales Invoice,反對銷售發票 DocType: Loyalty Point Entry,Purchase Amount,採購量 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Cannot set as Lost as Sales Order is made.,無法將“銷售訂單”設置為“丟失”。 @@ -2622,7 +2644,7 @@ DocType: Homepage,"URL for ""All Products""",“所有產品”的網址 DocType: Lead,Organization Name,機構名稱 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,有效且有效的最多字段對於累積是必需的 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Batch No must be same as {1} {2},行#{0}:批次號必須與{1} {2}相同 -DocType: Employee,Leave Details,留下細節 +DocType: Employee Checkin,Shift Start,轉移開始 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock transactions before {0} are frozen,凍結{0}之前的庫存交易 DocType: Driver,Issuing Date,發行日期 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,請求者 @@ -2662,8 +2684,10 @@ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.js,You will lose DocType: Cash Flow Mapping Template Details,Cash Flow Mapping Template Details,現金流量映射模板詳細信息 apps/erpnext/erpnext/config/hr.py,Recruitment and Training,招聘和培訓 DocType: Drug Prescription,Interval UOM,間隔UOM +DocType: Shift Type,Grace Period Settings For Auto Attendance,自動出勤的寬限期設置 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,From Currency and To Currency cannot be same,從貨幣到貨幣不能相同 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,製藥 +DocType: Service Level,Support Hours,支持時間 apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or closed,{0} {1}已取消或已關閉 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Advance against Customer must be credit,行{0}:對客戶的預付必須是信用 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),按憑證分組(合併) @@ -2758,6 +2782,7 @@ DocType: Asset Repair,Repair Status,維修狀態 DocType: Territory,Territory Manager,區域經理 DocType: Lab Test,Sample ID,樣品ID apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html,Cart is Empty,購物車是空的 +apps/erpnext/erpnext/hr/doctype/shift_type/shift_type.js,Attendance has been marked as per employee check-ins,出勤已標記為每個員工簽到 apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,必須提交資產{0} ,Absent Student Report,缺席學生報告 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,包含在毛利潤中 @@ -2765,7 +2790,9 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,Price List not found or disabled, DocType: Travel Request Costing,Funded Amount,資助金額 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} has not been submitted so the action cannot be completed,尚未提交{0} {1},因此無法完成操作 DocType: Subscription,Trial Period End Date,試用期結束日期 +DocType: Shift Type,Alternating entries as IN and OUT during the same shift,在同一班次期間交替輸入IN和OUT DocType: BOM Update Tool,The new BOM after replacement,更換後的新BOM +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供應商>供應商類型 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,第5項 DocType: Employee,Passport Number,護照號 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Temporary Opening,臨時開放 @@ -2867,6 +2894,7 @@ apps/erpnext/erpnext/config/buying.py,Key Reports,主要報告 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Possible Supplier,可能的供應商 ,Issued Items Against Work Order,發出違反工作訂單的物品 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,創建{0}發票 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,請在教育>教育設置中設置教師命名系統 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requesting Site,請求網站 DocType: Purchase Invoice,Against Expense Account,反對費用賬戶 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note_list.js,Cannot create a Delivery Trip from Draft documents.,無法從草稿文檔創建交貨旅行。 @@ -2902,6 +2930,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Landed Cost Item,Applicable Charges,適用費用 ,Point of Sale,銷售點 DocType: Authorization Rule,Approving User (above authorized value),批准用戶(高於授權價值) +DocType: Service Level Agreement,Entity,實體 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},從{2}轉移到{3}的金額{0} {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},客戶{0}不屬於項目{1} apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,來自黨名 @@ -2943,6 +2972,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed, DocType: Asset,Opening Accumulated Depreciation,開放累計折舊 DocType: Soil Texture,Sand Composition (%),砂組成(%) apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.js,Import Day Book Data,導入日記簿數據 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,請通過設置>設置>命名系列為{0}設置命名系列 DocType: Asset,Asset Owner Company,資產所有者公司 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Cost center is required to book an expense claim,成本中心需要預訂費用索賠 apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0}項{1}的有效序列號 @@ -2992,7 +3022,6 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard DocType: Asset,Asset Owner,資產所有者 apps/erpnext/erpnext/buying/utils.py,Warehouse is mandatory for stock Item {0} in row {1},倉庫對於行{1}中的庫存料品{0}是強制性的 DocType: Stock Entry,Total Additional Costs,總額外費用 -DocType: Marketplace Settings,Last Sync On,上次同步開啟 apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,請在“稅費和收費表”中至少設置一行 DocType: Asset Maintenance Team,Maintenance Team Name,維護團隊名稱 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Chart of Cost Centers,成本中心圖 @@ -3006,11 +3035,11 @@ apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,付 DocType: Sales Order Item,Work Order Qty,工單數量 DocType: Job Card,WIP Warehouse,WIP倉庫 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,User ID not set for Employee {0},未為員工{0}設置的用戶ID -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Available qty is {0}, you need {1}",可用的數量為{0},您需要{1} apps/erpnext/erpnext/education/doctype/guardian/guardian.py,User {0} created,用戶{0}已創建 DocType: Stock Settings,Item Naming By,項目命名方式 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,這是根客戶組,無法進行編輯。 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Request {0} is cancelled or stopped,材料請求{0}已取消或停止 +DocType: Shift Type,Strictly based on Log Type in Employee Checkin,嚴格基於員工簽入中的日誌類型 DocType: Purchase Order Item Supplied,Supplied Qty,提供數量 DocType: Cash Flow Mapper,Cash Flow Mapper,現金流量映射器 apps/erpnext/erpnext/hr/doctype/employee/employee.py,Employee cannot report to himself.,員工無法向自己報告。 @@ -3059,6 +3088,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Receive at Warehou apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Send Supplier Emails,發送供應商電子郵件 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Duplicate item group found in the item group table,在項目組表中找到重複的項目組 DocType: Supplier Scorecard,Weighting Function,加權函數 +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/buying/doctype/supplier_scorecard_criteria/supplier_scorecard_criteria.py,Error evaluating the criteria formula,評估標準公式時出錯 ,Lab Test Report,實驗室測試報告 DocType: BOM,With Operations,隨著運營 @@ -3070,6 +3100,7 @@ DocType: Expense Claim Account,Expense Claim Account,費用索賠賬戶 apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,沒有可用於日記帳分錄的還款 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,{0} - {1} is inactive student,{0} - {1}是非活動學生 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Stock Entry,進入股票 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,BOM recursion: {0} cannot be parent or child of {1},BOM遞歸:{0}不能是{1}的父級或子級 DocType: Employee Onboarding,Activities,活動 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,至少有一個倉庫是強制性的 ,Customer Credit Balance,客戶信用餘額 @@ -3079,8 +3110,10 @@ DocType: Supplier Scorecard Period,Variables,變量 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,為客戶找到多個忠誠度計劃。請手動選擇。 DocType: Patient,Medication,藥物治療 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Select Loyalty Program,選擇忠誠度計劃 +DocType: Employee Checkin,Attendance Marked,出勤率明顯 DocType: Sales Order,Fully Billed,完全開帳單 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},請在{}上設置酒店房價 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select only one Priority as Default.,僅選擇一個優先級作為默認值。 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.py,Please identify/create Account (Ledger) for type - {0},請為類型{0}標識/創建帳戶(分類帳) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,總信用額/借方金額應與鏈接的日記帳分錄相同 DocType: Purchase Invoice Item,Is Fixed Asset,是固定資產 @@ -3098,6 +3131,7 @@ DocType: Leave Block List Allow,Allow User,允許用戶 DocType: Sales Order,% of materials delivered against this Sales Order,根據此銷售訂單交付的材料百分比 DocType: Healthcare Settings,Appointment Confirmation,預約確認 DocType: HR Settings,Retirement Age,退休年齡 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,請通過設置>編號系列設置出勤編號系列 apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,預計數量 apps/erpnext/erpnext/regional/__init__.py,Deletion is not permitted for country {0},國家/地區{0}不允許刪除 apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Asset {1} is already {2},行#{0}:資產{1}已經是{2} @@ -3169,10 +3203,12 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountant,會計 apps/erpnext/erpnext/selling/doctype/pos_closing_voucher/pos_closing_voucher.py,POS Closing Voucher alreday exists for {0} between date {1} and {2},在日期{1}和{2}之間存在POS結算憑證alreday {0} apps/erpnext/erpnext/config/help.py,Navigating,導航 +apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices require exchange rate revaluation,沒有未結清的發票需要匯率重估 DocType: Authorization Rule,Customer / Item Name,客戶/項目名稱 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新序列號不能有倉庫。倉庫必須通過庫存輸入或採購收據設置 DocType: Issue,Via Customer Portal,通過客戶門戶 DocType: Work Order Operation,Planned Start Time,計劃開始時間 +DocType: Service Level Priority,Service Level Priority,服務水平優先 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,預訂的折舊數不能大於折舊總數 DocType: Journal Entry,Accounts Payable,應付賬款 DocType: Job Offer,Select Terms and Conditions,選擇條款和條件 @@ -3275,7 +3311,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Th DocType: Delivery Note,Delivery To,送貨到 DocType: Bank Statement Transaction Settings Item,Bank Data,銀行數據 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.js,Scheduled Upto,預定Upto -DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,在時間表上保持計費時間和工作時間相同 apps/erpnext/erpnext/config/crm.py,Track Leads by Lead Source.,追踪潛在客戶來源。 DocType: Clinical Procedure,Nursing User,護理用戶 DocType: Support Settings,Response Key List,響應密鑰列表 @@ -3423,6 +3458,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Row #{0}: Cannot set Rat DocType: Work Order Operation,Actual Start Time,實際開始時間 DocType: Antibiotic,Laboratory User,實驗室用戶 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Online Auctions,在線拍賣 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Priority {0} has been repeated.,優先級{0}已重複。 DocType: Fee Schedule,Fee Creation Status,費用創建狀態 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Softwares,軟件 apps/erpnext/erpnext/config/help.py,Sales Order to Payment,銷售訂單到付款 @@ -3482,6 +3518,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Re apps/erpnext/erpnext/accounts/report/financial_statements.py,Could not retrieve information for {0}.,無法檢索{0}的信息。 apps/erpnext/erpnext/accounts/party.py,Billing currency must be equal to either default company's currency or party account currency,結算貨幣必須等於默認公司的貨幣或方帳戶貨幣 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,請輸入此銷售人員的員工ID +DocType: Shift Type,Early Exit Consequence after,提前退出後果 apps/erpnext/erpnext/config/accounting.py,Create Opening Sales and Purchase Invoices,創建開倉銷售和採購發票 DocType: Disease,Treatment Period,治療期 apps/erpnext/erpnext/config/settings.py,Setting up Email,設置電子郵件 @@ -3497,7 +3534,6 @@ DocType: Employee Skill Map,Employee Skills,員工技能 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Name: ,學生姓名: DocType: SMS Log,Sent On,在發送 DocType: Bank Statement Transaction Invoice Item,Sales Invoice,銷售發票 -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time can't be greater than Resolution Time,響應時間不能大於解決時間 DocType: Education Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",對於基於課程的學生組,課程將針對計劃註冊中註冊課程的每位學生進行驗證。 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Intra-State Supplies,國內供應 DocType: Employee,Create User Permission,創建用戶權限 @@ -3532,6 +3568,7 @@ apps/erpnext/erpnext/hr/doctype/department/department.js,This is a root departme ,Project Quantity,項目數量 apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,銷售或購買的標準合同條款。 DocType: Sales Invoice,Customer PO Details,客戶PO詳細信息 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Select a Default Priority.,選擇默認優先級。 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Remove item if charges is not applicable to that item,如果費用不適用於該項目,請刪除項目 apps/erpnext/erpnext/selling/doctype/customer/customer.py,A Customer Group exists with same name please change the Customer name or rename the Customer Group,存在具有相同名稱的客戶組請更改客戶名稱或重命名客戶組 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. @@ -3571,6 +3608,7 @@ DocType: Quality Goal,Quality Goal,質量目標 DocType: Support Settings,Support Portal,支持門戶 apps/erpnext/erpnext/projects/doctype/project/project.py,End date of task {0} cannot be less than {1} expected start date {2},任務{0}的結束日期不能少於{1}預期開始日期{2} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is on Leave on {1},員工{0}正在{1}上休假 +apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},此服務級別協議特定於客戶{0} DocType: Employee,Held On,堅持住 DocType: Healthcare Practitioner,Practitioner Schedules,從業者時間表 DocType: Project Template Task,Begin On (Days),開始(天) @@ -3578,6 +3616,7 @@ DocType: Production Plan,"If enabled, then system will create the material even apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},工單已{0} DocType: Inpatient Record,Admission Schedule Date,入學時間表日期 apps/erpnext/erpnext/assets/doctype/asset/asset.js,Asset Value Adjustment,資產價值調整 +DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,根據分配給此班次的員工的“員工簽到”標記出勤率。 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Supplies made to Unregistered Persons,向未登記人員提供的物資 DocType: Appointment Type,Appointment Type,預約類型 DocType: Manufacturing Settings,Allow Overtime,允許加班 @@ -3677,7 +3716,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (P DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),包裹的總重量。通常淨重+包裝材料重量。 (用於打印) DocType: Plant Analysis,Laboratory Testing Datetime,實驗室測試日期時間 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,The Item {0} cannot have Batch,項{0}不能具有批處理 -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline by Stage,按階段劃分的銷售渠道 apps/erpnext/erpnext/education/report/student_batch_wise_attendance/student_batch_wise_attendance.py,Student Group Strength,學生團體實力 DocType: Bank Statement Transaction Entry,Bank Statement Transaction Entry,銀行對賬單交易錄入 DocType: Purchase Order,Get Items from Open Material Requests,從Open Material Requests獲取項目 @@ -3754,7 +3792,6 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.js,Show Ageing Warehouse-wise,顯示老齡化倉庫 DocType: Sales Invoice,Write Off Outstanding Amount,註銷未付金額 DocType: Payroll Entry,Employee Details,員工詳細信息 -apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Start Time can't be greater than End Time for {0}.,開始時間不能大於{0}的結束時間。 DocType: Pricing Rule,Discount Amount,折扣金額 DocType: Healthcare Service Unit Type,Item Details,項目細節 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.py,Duplicate Tax Declaration of {0} for period {1},期間{1}的重複稅務申報{0} @@ -3802,7 +3839,7 @@ DocType: Global Defaults,Disable In Words,禁用單詞 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,淨工資不能為負 apps/erpnext/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py,No of Interactions,沒有相互作用 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/hr/doctype/employee/employee_dashboard.py,Shift,轉移 +DocType: Attendance,Shift,轉移 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Processing Chart of Accounts and Parties,處理會計科目和締約方 DocType: Stock Settings,Convert Item Description to Clean HTML,將項目描述轉換為清除HTML apps/erpnext/erpnext/patches/v11_0/rename_supplier_type_to_supplier_group.py,All Supplier Groups,所有供應商組 @@ -3866,6 +3903,7 @@ DocType: GL Entry,Credit Amount in Account Currency,賬戶貨幣的信貸金額 DocType: Employee Onboarding Activity,Employee Onboarding Activity,員工入職活動 DocType: Healthcare Service Unit,Parent Service Unit,家長服務單位 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Private Equity,私人產權 +DocType: Shift Type,First Check-in and Last Check-out,首次入住和最後退房 DocType: Landed Cost Item,Receipt Document,收據文件 DocType: Supplier Scorecard Period,Supplier Scorecard Period,供應商記分卡期間 DocType: Employee Grade,Default Salary Structure,默認薪資結構 @@ -3938,6 +3976,7 @@ DocType: Woocommerce Settings,"The user that will be used to create Customers, I apps/erpnext/erpnext/manufacturing/doctype/blanket_order/blanket_order.js,Create Purchase Order,創建採購訂單 apps/erpnext/erpnext/config/accounting.py,Define budget for a financial year.,定義財政年度的預算。 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts table cannot be blank.,帳戶表不能為空。 +DocType: Employee Checkin,Entry Grace Period Consequence,進入寬限期後果 ,Payment Period Based On Invoice Date,基於發票日期的付款期 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Installation date cannot be before delivery date for Item {0},項目{0}的交貨日期之前的安裝日期不能 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Link to Material Request,鏈接到材料請求 @@ -3945,6 +3984,7 @@ DocType: Warranty Claim,From Company,來自公司 DocType: Bank Statement Transaction Settings Item,Mapped Data Type,映射數據類型 apps/erpnext/erpnext/stock/doctype/item/item.py,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:此倉庫{1}已存在重新訂購條目 DocType: Monthly Distribution,Distribution Name,分配名稱 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Workday {0} has been repeated.,工作日{0}已重複。 apps/erpnext/erpnext/accounts/doctype/account/account.js,Group to Non-Group,集團到非集團 apps/erpnext/erpnext/setup/doctype/company/company.js,Update in progress. It might take a while.,正在更新。這可能需要一段時間。 DocType: Item,"Example: ABCD.##### @@ -3956,6 +3996,7 @@ DocType: Pricing Rule,Sales Partner,銷售合作夥伴 DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",截至此日期凍結的會計分錄,除下面指定的角色外,沒有人可以進行/修改分錄。 DocType: Vehicle Log,Fuel Qty,燃料數量 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Mobile No,Guardian1手機號碼 +DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,輪班結束後的時間,在此期間考慮退房。 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,應付賬款淨變動 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Not Available,無法使用 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time,兼職 @@ -3968,13 +4009,11 @@ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,潛在 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,在Print中顯示PDC apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/sync_product.py,Shopify Supplier,Shopify供應商 DocType: POS Profile User,POS Profile User,POS檔案用戶 -DocType: Student,Middle Name,中間名字 DocType: Sales Person,Sales Person Name,銷售人員姓名 DocType: Packing Slip,Gross Weight,總重量 DocType: Journal Entry,Bill No,比爾號 ,Project wise Stock Tracking,項目明智的股票追踪 DocType: Issue,Service Level Agreement,服務水平協議 -apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.js,Please select Employee and Date first,請先選擇員工和日期 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js,Item valuation rate is recalculated considering landed cost voucher amount,考慮到岸成本憑證金額,重新計算項目估價率 DocType: Timesheet,Employee Detail,員工細節 DocType: Tally Migration,Vouchers,優惠券 @@ -4006,7 +4045,7 @@ apps/erpnext/erpnext/config/support.py,Service Level Agreement.,服務水平協 DocType: Additional Salary,Date on which this component is applied,應用此組件的日期 apps/erpnext/erpnext/config/accounting.py,List of available Shareholders with folio numbers,具有作品集編號的可用股東名單 apps/erpnext/erpnext/config/accounting.py,Setup Gateway accounts.,設置網關帳戶。 -DocType: Service Level,Response Time Period,響應時間段 +DocType: Service Level Priority,Response Time Period,響應時間段 DocType: Purchase Invoice,Purchase Taxes and Charges,購買稅和費用 DocType: Course Activity,Activity Date,活動日期 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select or add new customer,選擇或添加新客戶 @@ -4028,6 +4067,7 @@ DocType: Sales Person,Select company name first.,首先選擇公司名稱。 apps/erpnext/erpnext/public/js/setup_wizard.js,Financial Year,財政年度 DocType: Sales Invoice Item,Deferred Revenue,遞延收入 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Atleast one of the Selling or Buying must be selected,必須選擇至少一個銷售或購買 +DocType: Shift Type,Working Hours Threshold for Half Day,半天的工作時間門檻 ,Item-wise Purchase History,項目購買歷史 apps/erpnext/erpnext/accounts/deferred_revenue.py,Cannot change Service Stop Date for item in row {0},無法更改行{0}中項目的服務停止日期 DocType: Production Plan,Include Subcontracted Items,包括轉包商品 @@ -4055,6 +4095,7 @@ DocType: Journal Entry,Total Amount Currency,總金額貨幣 DocType: BOM,Allow Same Item Multiple Times,允許多次使用相同的項目 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create BOM,創建BOM DocType: Healthcare Practitioner,Charges,收費 +DocType: Employee,Attendance and Leave Details,出勤和離職詳情 DocType: Student,Personal Details,個人資料 DocType: Sales Order,Billing and Delivery Status,結算和交付狀態 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Row {0}: For supplier {0} Email Address is required to send email,行{0}:對於供應商{0},需要電子郵件地址來發送電子郵件 @@ -4102,7 +4143,6 @@ DocType: Bank Guarantee,Supplier,供應商 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Enter value betweeen {0} and {1},輸入{0}和{1}之間的值 DocType: Purchase Order,Order Confirmation Date,訂單確認日期 DocType: Delivery Trip,Calculate Estimated Arrival Times,計算預計到達時間 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統 DocType: Subscription,Subscription Start Date,訂閱開始日期 DocType: Woocommerce Settings,Woocommerce Server URL,Woocommerce服務器URL DocType: Payroll Entry,Number Of Employees,在職員工人數 @@ -4122,7 +4162,7 @@ DocType: Installation Note Item,Installation Note Item,安裝說明項目 DocType: Journal Entry Account,Journal Entry Account,日記帳分錄 apps/erpnext/erpnext/stock/doctype/item/item.js,Variant,變種 apps/erpnext/erpnext/templates/pages/help.html,Forum Activity,論壇活動 -DocType: Service Level,Resolution Time Period,解決時間段 +DocType: Service Level Priority,Resolution Time Period,解決時間段 DocType: Request for Quotation,Supplier Detail,供應商細節 DocType: Project Task,View Task,查看任務 DocType: Serial No,Purchase / Manufacture Details,購買/製造細節 @@ -4184,6 +4224,7 @@ DocType: Leave Allocation,Add unused leaves from previous allocations,添加先 DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,倉庫只能通過庫存輸入/交貨單/購買收據進行更改 DocType: Support Settings,Close Issue After Days,幾天后關閉問題 DocType: Payment Schedule,Payment Schedule,付款時間表 +DocType: Shift Type,Enable Entry Grace Period,啟用條目寬限期 DocType: Patient Relation,Spouse,伴侶 DocType: Purchase Invoice,Reason For Putting On Hold,擱置的原因 DocType: Vital Signs,Cuts,削減 @@ -4304,6 +4345,7 @@ DocType: Authorization Rule,Customer or Item,客戶或物品 DocType: Vehicle Log,Invoice Ref,發票參考 apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py,C-form is not applicable for Invoice: {0},C表格不適用於發票:{0} apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Invoice Created,發票已創建 +DocType: Shift Type,Early Exit Grace Period,提前退出寬限期 DocType: Patient Encounter,Review Details,查看詳情 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: Hours value must be greater than zero.,行{0}:小時值必須大於零。 DocType: Account,Account Number,帳號 @@ -4315,7 +4357,6 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py,Total weightage assigned apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL",如果公司是SpA,SApA或SRL,則適用 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,發現重疊條件: apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Paid and Not Delivered,付費和未付款 -apps/erpnext/erpnext/stock/doctype/item/item.py,Item Code is mandatory because Item is not automatically numbered,物料代碼是強制性的,因為物料不會自動編號 DocType: GST HSN Code,HSN Code,HSN代碼 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Administrative Expenses,行政費用 DocType: C-Form,C-Form No,C表格編號 @@ -4346,6 +4387,8 @@ DocType: Opportunity Item,Opportunity Item,機會項目 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,CWIP Account,CWIP帳戶 DocType: SMS Log,Sender Name,發件者姓名 DocType: Pricing Rule,Supplier Group,供應商組 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Set Start Time and End Time for \ + Support Day {0} at index {1}.",在索引{1}處為\支持日{0}設置開始時間和結束時間。 DocType: Employee,Date of Issue,發行日期 ,Requested Items To Be Transferred,要求轉移的物品 DocType: Employee,Contract End Date,合同結束日期 @@ -4354,6 +4397,7 @@ DocType: Delivery Note,Required only for sample item.,僅對樣品項目是必 DocType: Opportunity,Sales Stage,銷售階段 DocType: Sales Order,In Words will be visible once you save the Sales Order.,保存銷售訂單後,將顯示單詞。 DocType: Item Reorder,Re-order Level,重新訂購等級 +DocType: Shift Type,Enable Auto Attendance,啟用自動出勤 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Preference,偏愛 ,Department Analytics,部門分析 DocType: Crop,Scientific Name,科學名稱 @@ -4365,6 +4409,7 @@ apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1}狀態為{2} DocType: Quiz Activity,Quiz Activity,測驗活動 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,{0} is not in a valid Payroll Period,{0}不在有效的工資核算期內 DocType: Timesheet,Billed,帳單 +apps/erpnext/erpnext/config/support.py,Issue Type.,問題類型。 DocType: Restaurant Order Entry,Last Sales Invoice,上次銷售發票 DocType: Payment Terms Template,Payment Terms,付款條件 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Reserved Qty: Quantity ordered for sale, but not delivered.",保留數量:訂購銷售但未交付的數量。 @@ -4451,6 +4496,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling R DocType: Account,Asset,財富 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} does not have a Healthcare Practitioner Schedule. Add it in Healthcare Practitioner master,{0}沒有醫療從業者計劃。將其添加到Healthcare Practitioner master中 DocType: Vehicle,Chassis No,底盤號 +DocType: Employee,Default Shift,默認Shift apps/erpnext/erpnext/public/js/setup_wizard.js,Company Abbreviation,公司縮寫 apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,物料清單樹 DocType: Article,LMS User,LMS用戶 @@ -4493,6 +4539,7 @@ apps/erpnext/erpnext/buying/doctype/supplier_scorecard/supplier_scorecard.py,Una DocType: Sales Person,Parent Sales Person,家長銷售人員 DocType: Student Group Creation Tool,Get Courses,獲得課程 apps/erpnext/erpnext/controllers/accounts_controller.py,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:數量必須為1,因為項目是固定資產。請為多個數量使用單獨的行。 +DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),缺席的工作時間標記為缺席。 (零禁用) DocType: Customer Group,Only leaf nodes are allowed in transaction,事務中只允許葉節點 DocType: Grant Application,Organization,組織 DocType: Fee Category,Fee Category,費用類別 @@ -4502,6 +4549,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: {1 apps/erpnext/erpnext/utilities/user_progress.py,Go to Suppliers,轉到供應商 apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,請更新您的培訓活動狀態 DocType: Quotation Item,Quotation Item,報價項目 +apps/erpnext/erpnext/config/support.py,Issue Priority.,問題優先。 DocType: Journal Entry,Credit Card Entry,信用卡輸入 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,"Time slot skiped, the slot {0} to {1} overlap exisiting slot {2} to {3}",時間段滑落,插槽{0}到{1}與現有插槽{2}重疊到{3} DocType: Journal Entry Account,If Income or Expense,如果收入或費用 @@ -4548,10 +4596,12 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leave apps/erpnext/erpnext/config/getting_started.py,Data Import and Settings,數據導入和設置 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: Account,Expense Account,費用帳戶 +DocType: Shift Type,The time before the shift start time during which Employee Check-in is considered for attendance.,在考慮員工入住的班次開始時間之前的時間。 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Relation with Guardian1,與Guardian1的關係 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.js,Create Invoice,創建發票 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},付款申請已存在{0} apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Employee relieved on {0} must be set as 'Left',在{0}上解僱的員工必須設置為“離開” +DocType: Company,Sales Settings,銷售設置 DocType: Sales Order Item,Produced Quantity,生產數量 apps/erpnext/erpnext/templates/emails/request_for_quotation.html,The request for quotation can be accessed by clicking on the following link,點擊以下鏈接即可訪問報價請求 DocType: Monthly Distribution,Name of the Monthly Distribution,每月分配的名稱 @@ -4618,6 +4668,7 @@ DocType: Company,Default Values,默認值 apps/erpnext/erpnext/setup/doctype/company/company.js,Default tax templates for sales and purchase are created.,創建銷售和採購的默認稅收模板。 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,保留類型{0}不能轉發 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Debit To account must be a Receivable account,借方到帳戶必須是應收帳款 +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/stock/__init__.py,Please set Account in Warehouse {0} or Default Inventory Account in Company {1},請在倉庫{0}中設置帳戶或在公司{1}中設置默認庫存帳戶 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Set as Default,設為默認 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),這個包的淨重。 (自動計算為物品淨重的總和) @@ -4642,8 +4693,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Manager, apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Expired Batches,已過期批次 DocType: Shipping Rule,Shipping Rule Type,送貨規則類型 DocType: Job Offer,Accepted,公認 -apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","請刪除員工{0} \以取消此文檔" apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,You have already assessed for the assessment criteria {}.,您已經評估了評估標準{}。 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Select Batch Numbers,選擇批號 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),年齡(天) @@ -4666,6 +4715,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py,Warning: System will not apps/erpnext/erpnext/public/js/setup_wizard.js,Select your Domains,選擇您的域名 DocType: Agriculture Task,Task Name,任務名稱 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,已為工作訂單創建的庫存條目 +apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","請刪除員工{0} \以取消此文檔" ,Amount to Deliver,交付金額 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,No pending Material Requests found to link for the given items.,找不到要為給定項目鏈接的待處理物料請求。 apps/erpnext/erpnext/utilities/activation.py,"Students are at the heart of the system, add all your students",學生是系統的核心,添加所有學生 @@ -4709,12 +4760,12 @@ DocType: Program Enrollment,Enrolled courses,註冊課程 DocType: Lab Prescription,Test Code,測試代碼 DocType: Purchase Taxes and Charges,On Previous Row Total,在上一行總計 DocType: Student,Student Email Address,學生電郵地址 +,Delayed Item Report,延遲物品報告 DocType: Supplier Quotation,Supplier Address,供應商地址 DocType: Salary Detail,Do not include in total,不包括總數 apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,無法為公司設置多個項目默認值。 DocType: Purchase Receipt Item,Rejected Quantity,拒絕數量 DocType: Cashier Closing,To TIme,到時間 -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: Daily Work Summary Group User,Daily Work Summary Group User,每日工作摘要組用戶 DocType: Fiscal Year Company,Fiscal Year Company,財年公司 apps/erpnext/erpnext/stock/doctype/item_alternative/item_alternative.py,Alternative item must not be same as item code,替代項目不得與項目代碼相同 @@ -4762,6 +4813,7 @@ DocType: Program Fee,Program Fee,課程費用 DocType: Delivery Settings,Delay between Delivery Stops,交貨停止之間的延遲 DocType: Stock Settings,Freeze Stocks Older Than [Days],冷凍庫存早於[天] DocType: Promotional Scheme,Promotional Scheme Product Discount,促銷計劃產品折扣 +apps/erpnext/erpnext/support/doctype/issue_priority/issue_priority.py,Issue Priority Already Exists,問題優先級已經存在 DocType: Account,Asset Received But Not Billed,已收到資產但尚未收費 DocType: POS Closing Voucher,Total Collected Amount,總收款金額 DocType: Course,Default Grading Scale,默認評分量表 @@ -4802,6 +4854,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Pu DocType: Contract,Fulfilment Terms,履行條款 apps/erpnext/erpnext/accounts/doctype/account/account.js,Non-Group to Group,非集團到集團 DocType: Student Guardian,Mother,母親 +DocType: Issue,Service Level Agreement Fulfilled,達成服務水平協議 DocType: Payroll Entry,Deduct Tax For Unclaimed Employee Benefits,為無人認領的員工福利扣除稅款 DocType: Travel Request,Travel Funding,旅游資金 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,{0} ({1}) cannot be greater than planned quantity ({2}) in Work Order {3},{0}({1})不能大於工單{3}中的計劃數量({2}) @@ -4827,6 +4880,7 @@ DocType: Item Attribute,From Range,從範圍 DocType: Purchase Taxes and Charges,Reference Row #,參考行# apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depreciation Cost Center' in Company {0},請在公司{0}中設置“資產折舊成本中心” DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,單擊此按鈕可從亞馬遜MWS中提取銷售訂單數據。 +DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),工作時間低於標記的半天。 (零禁用) ,Assessment Plan Status,評估計劃狀態 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please select {0} first,請先選擇{0} apps/erpnext/erpnext/hr/doctype/employee_onboarding/employee_onboarding.py,Submit this to create the Employee record,提交此內容以創建Employee記錄 @@ -4890,6 +4944,7 @@ DocType: Agriculture Analysis Criteria,Agriculture,農業 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Set Open,設置打開 apps/erpnext/erpnext/www/all-products/index.html,Toggle Filters,切換過濾器 DocType: Production Plan,Material Request Detail,材料要求詳情 +DocType: Shift Type,Process Attendance After,過程出勤 DocType: Material Request Item,Quantity and Warehouse,數量和倉庫 apps/erpnext/erpnext/utilities/user_progress.py,Go to Programs,轉到程序 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Row #{0}: Duplicate entry in References {1} {2},行#{0}:引用{1}中的重複條目{2} @@ -4940,6 +4995,7 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py,Date is rep DocType: Pricing Rule,Party Information,黨的信息 apps/erpnext/erpnext/shopping_cart/cart.py,Debtors ({0}),債務人({0}) apps/erpnext/erpnext/hr/utils.py,To date can not greater than employee's relieving date,迄今為止不能超過員工的解除日期 +DocType: Shift Type,Enable Exit Grace Period,啟用退出寬限期 DocType: Expense Claim,Employees Email Id,員工電子郵件ID DocType: Shopify Settings,Update Price from Shopify To ERPNext Price List,更新價格從Shopify到ERPNext價目表 DocType: Healthcare Settings,Default Medical Code Standard,默認醫療法規標準 @@ -4969,7 +5025,6 @@ DocType: Supplier Scorecard Variable,Supplier Scorecard Variable,供應商記分 DocType: Item Group,Item Group Name,物料組名稱 DocType: Budget,Applicable on Material Request,適用於材料申請 DocType: Manufacturing Settings,Overproduction Percentage For Sales Order,銷售訂單的生產過剩百分比 -apps/erpnext/erpnext/templates/generators/item/item_specifications.html,Specifications,產品規格 DocType: Leave Control Panel,Select Employees,選擇員工 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Select interest income account in loan {0},貸款中選擇利息收入賬戶{0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,All items have already been transferred for this Work Order.,已為此工作訂單轉移所有項目。 @@ -4991,7 +5046,7 @@ DocType: Account,Expenses Included In Valuation,估值中包含的費用 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Serial Numbers,序列號 ,Supplier-Wise Sales Analytics,供應商智慧銷售分析 DocType: Appraisal,For Employee,對於員工 -apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Delivery Date,實際交貨日期 +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Actual Delivery Date,實際交貨日期 DocType: Sales Partner,Sales Partner Name,銷售夥伴名稱 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Depreciation Row {0}: Depreciation Start Date is entered as past date,折舊行{0}:折舊開始日期作為過去日期輸入 DocType: GST HSN Code,Regional,區域性 @@ -5023,6 +5078,7 @@ DocType: Opportunity,Potential Sales Deal,潛在的銷售交易 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Excise Invoice,消費稅發票 DocType: Supplier Scorecard,Supplier Scorecard,供應商記分卡 apps/erpnext/erpnext/education/doctype/student_attendance_tool/student_attendance_tool.js,Mark Attendance,馬克出勤 +DocType: Shift Type,Determine Check-in and Check-out,確定登記入住和退房 DocType: POS Closing Voucher,Difference,區別 DocType: Work Order Item,Work Order Item,工單項目 apps/erpnext/erpnext/accounts/report/sales_payment_summary/sales_payment_summary.py,Sales and Returns,銷售和退貨 @@ -5053,6 +5109,7 @@ DocType: Sales Invoice,Shipping Address Name,送貨地址名稱 apps/erpnext/erpnext/healthcare/setup.py,Drug,藥物 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1}已關閉 DocType: Patient,Medical History,醫學史 +DocType: Expense Claim,Expense Taxes and Charges,費用稅和費用 DocType: Subscription Settings,Number of days after invoice date has elapsed before canceling subscription or marking subscription as unpaid,取消訂閱或將訂閱標記為未付款之前已過去發票日期的天數 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,安裝說明{0}已提交 DocType: Work Order Operation,Updated via 'Time Log',通過'時間日誌'更新 @@ -5083,7 +5140,6 @@ apps/erpnext/erpnext/config/accounting.py,Tax Withholding rates to be applied on DocType: Dosage Strength,Strength,強度 apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} to complete this transaction.,{2}中需要{0}單位{1}才能完成此交易。 DocType: Buying Settings,Backflush Raw Materials of Subcontract Based On,基於PLC的轉包反沖原料 -DocType: Bank Guarantee,Customer,顧客 DocType: Education Settings,"If enabled, field Academic Term will be Mandatory in Program Enrollment Tool.",如果啟用,則在學期註冊工具中,字段學術期限將是強制性的。 DocType: Education Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",對於基於批處理的學生組,將從計劃註冊中為每個學生驗證學生批處理。 DocType: Course,Topics,話題 @@ -5226,6 +5282,7 @@ apps/erpnext/erpnext/config/buying.py,Templates of supplier scorecard variables. DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",購買,出售或庫存的產品或服務。 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Closing (Opening + Total),結束(開盤+總計) DocType: Supplier Scorecard Criteria,Criteria Formula,標準公式 +DocType: Employee,Attendance Device ID (Biometric/RF tag ID),考勤設備ID(生物識別/ RF標籤ID) apps/erpnext/erpnext/config/quality_management.py,Review and Action,審查和行動 DocType: Account,"If the account is frozen, entries are allowed to restricted users.",如果帳戶被凍結,則允許條目限制用戶。 apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py,Amount After Depreciation,折舊後的金額 @@ -5245,6 +5302,7 @@ DocType: Work Order,Use Multi-Level BOM,使用多級BOM apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0},{0}的數量 DocType: Salary Slip,Loan Repayment,償還借款 DocType: Employee Education,Major/Optional Subjects,主要/選修科目 +apps/erpnext/erpnext/config/buying.py,Supplier Addresses And Contacts,供應商地址和聯繫方式 DocType: Bank Guarantee,Bank Guarantee Type,銀行擔保類型 DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",如果禁用,則在任何事務中都不會顯示“Rounded Total”字段 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,這是根醫療服務單位,無法編輯。 @@ -5279,6 +5337,7 @@ DocType: Purchase Invoice,Overdue,過期的 DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,從給定數量的原材料製造/重新包裝後獲得的項目數量 DocType: Opening Invoice Creation Tool Item,Opening Invoice Creation Tool Item,打開發票創建工具項 DocType: Soil Analysis,(Ca+Mg)/K,(鈣+鎂)/ K +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,No Employee found for the given employee field value. '{}': {},找不到給定員工字段值的員工。 '{}':{} DocType: Payment Entry,Received Amount (Company Currency),收到金額(公司貨幣) apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not save",LocalStorage已滿,沒有保存 DocType: Chapter Member,Chapter Member,章成員 @@ -5307,6 +5366,7 @@ DocType: SMS Center,All Lead (Open),全鉛(開放) apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,沒有創建學生組。 apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},具有相同{1}的重複行{0} DocType: Employee,Salary Details,薪資明細 +DocType: Employee Checkin,Exit Grace Period Consequence,退出寬限期後果 DocType: Bank Statement Transaction Invoice Item,Invoice,發票 DocType: Special Test Items,Particulars,細節 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Please set filter based on Item or Warehouse,請根據項目或倉庫設置過濾器 @@ -5396,6 +5456,7 @@ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_sta apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Lead Count,鉛計數 apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,您要為其設置此系統的公司名稱。 DocType: Job Opening,"Job profile, qualifications required etc.",工作簡介,要求的資格等 +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Do you want to submit the material request,您要提交材料申請嗎? DocType: Opportunity Item,Basic Rate,基本費率 DocType: Compensatory Leave Request,Work End Date,工作結束日期 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Request for Raw Materials,原材料申請 @@ -5656,6 +5717,8 @@ DocType: Lead,Lead Type,引線類型 DocType: Payment Entry,Difference Amount (Company Currency),差額(公司貨幣) DocType: Course Enrollment,Course Enrollment,課程報名 DocType: Item,Supplier Items,供應商項目 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,"Start Time can't be greater than or equal to End Time \ + for {0}.",對於{0},開始時間不能大於或等於結束時間\。 DocType: Sales Order,Not Applicable,不適用 DocType: Support Search Source,Response Options,響應選項 apps/erpnext/erpnext/agriculture/doctype/soil_texture/soil_texture.py,{0} should be a value between 0 and 100,{0}應該是0到100之間的值 @@ -5728,7 +5791,6 @@ DocType: Request for Quotation Supplier,Request for Quotation Supplier,要求報 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Fixed Assets,固定資產 DocType: Purchase Order,Ref SQ,參考SQ DocType: Salary Structure,Total Earning,總收入 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客戶>客戶組>地區 DocType: Share Balance,From No,從沒有 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,付款對帳發票 DocType: Purchase Invoice,Taxes and Charges Added,稅和費用已添加 @@ -5825,6 +5887,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,Cancel Mat DocType: POS Profile,Ignore Pricing Rule,忽略定價規則 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,餐飲 DocType: Lost Reason Detail,Lost Reason Detail,丟失的原因細節 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,The following serial numbers were created:
{0},創建了以下序列號:
{0} DocType: Maintenance Visit,Customer Feedback,客戶的反饋意見 DocType: Serial No,Warranty / AMC Details,保修/ AMC詳細信息 DocType: Issue,Opening Time,營業時間 @@ -5870,6 +5933,7 @@ DocType: Item,"Publish ""In Stock"" or ""Not in Stock"" on Hub based on stock av apps/erpnext/erpnext/setup/doctype/company/company.js,Company name not same,公司名稱不一樣 apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.py,Employee Promotion cannot be submitted before Promotion Date ,在促銷日期之前無法提交員工晉升 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Not allowed to update stock transactions older than {0},不允許更新早於{0}的股票交易 +DocType: Employee Checkin,Employee Checkin,員工簽到 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},開始日期應小於項目{0}的結束日期 apps/erpnext/erpnext/utilities/activation.py,Create customer quotes,創建客戶報價 DocType: Buying Settings,Buying Settings,購買設置 @@ -5890,6 +5954,7 @@ DocType: Job Card Time Log,Job Card Time Log,工作卡時間日誌 DocType: Patient,Patient Demographics,患者人口統計學 DocType: Share Transfer,To Folio No,對於Folio No apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Cash Flow from Operations,運營現金流量 +DocType: Employee Checkin,Log Type,日誌類型 DocType: Stock Settings,Allow Negative Stock,允許負面股票 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,None of the items have any change in quantity or value.,沒有任何項目的數量或價值有任何變化。 DocType: Asset,Purchase Date,購買日期 @@ -5928,6 +5993,7 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,{0} already apps/erpnext/erpnext/manufacturing/doctype/job_card/job_card.py,Row {0}: From Time and To Time of {1} is overlapping with {2},行{0}:從{1}的時間到時間與{2}重疊 apps/erpnext/erpnext/public/js/setup_wizard.js,Select the nature of your business.,選擇您的業務性質。 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Please select month and year,請選擇月份和年份 +DocType: Service Level,Default Priority,默認優先級 DocType: Student Log,Student Log,學生日誌 DocType: Shopping Cart Settings,Enable Checkout,啟用結帳 apps/erpnext/erpnext/config/settings.py,Human Resources,人力資源 @@ -5951,7 +6017,6 @@ DocType: Customer Feedback,Quality Management,質量管理 DocType: BOM,Transfer Material Against,轉移材料 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js,Temporarily on Hold,暫時擱置 apps/erpnext/erpnext/config/integrations.py,Connect Shopify with ERPNext,將Shopify與ERPNext連接 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供應商>供應商類型 DocType: BOM,Scrap Material Cost(Company Currency),廢料成本(公司貨幣) apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0} must not be submitted,不得提交交貨單{0} DocType: Task,Actual Start Date (via Time Sheet),實際開始日期(通過時間表) @@ -6003,6 +6068,7 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Add to DocType: Drug Prescription,Dosage,劑量 DocType: Cheque Print Template,Starting position from top edge,從上邊緣開始的位置 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Appointment Duration (mins),預約時間(分鐘) +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,This employee already has a log with the same timestamp.{0},此員工已有一個具有相同時間戳的日誌。{0} DocType: Email Digest,Purchase Orders to Receive,要接收的採購訂單 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,製作訂單不能用於: DocType: Projects Settings,Ignore Employee Time Overlap,忽略員工時間重疊 @@ -6015,7 +6081,6 @@ DocType: Location,Parent Location,家長位置 DocType: Production Plan,Material Requests,材料請求 DocType: Buying Settings,Material Transferred for Subcontract,轉包的材料轉包 DocType: Job Card,Timing Detail,時間細節 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Importing {0} of {1},導入{1}的{0} DocType: Job Offer Term,Job Offer Term,工作機會 DocType: SMS Center,All Contact,全部聯繫 DocType: Project Task,Project Task,項目任務 @@ -6060,7 +6125,6 @@ DocType: Student Log,Academic,學術的 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,沒有為序列號設置項目{0}。檢查項目主文件 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,來自州 DocType: Leave Type,Maximum Continuous Days Applicable,最大連續天數適用 -apps/erpnext/erpnext/config/support.py,Support Team.,支持團隊。 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Please enter company name first,請先輸入公司名稱 apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,導入成功 DocType: Guardian,Alternate Number,替代號碼 @@ -6143,6 +6207,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer, apps/erpnext/erpnext/public/js/controllers/transaction.js,Row #{0}: Item added,行#{0}:已添加項目 DocType: Student Admission,Eligibility and Details,資格和細節 DocType: Staffing Plan,Staffing Plan Detail,人員配備計劃細節 +DocType: Shift Type,Late Entry Grace Period,延遲入境寬限期 DocType: Journal Entry,Subscription Section,訂閱部分 apps/erpnext/erpnext/config/non_profit.py,Volunteer information.,志願者信息。 apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py,`Freeze Stocks Older Than` should be smaller than %d days.,`凍結股票比'低於'應該小於%d天。 @@ -6185,6 +6250,7 @@ apps/erpnext/erpnext/config/manufacturing.py,Generate Material Requests (MRP) an DocType: Journal Entry Account,Account Balance,賬戶餘額 DocType: Asset Maintenance Log,Periodicity,週期性 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,醫療記錄 +apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,Log Type is required for check-ins falling in the shift: {0}.,簽到班次中需要登錄類型:{0}。 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Execution,執行 DocType: Item,Valuation Method,估價方法 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0}針對銷售發票{1} @@ -6262,6 +6328,7 @@ DocType: Staffing Plan Detail,Estimated Cost Per Position,每個位置的估計 DocType: Loan Type,Loan Name,貸款名稱 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py,Set default mode of payment,設置默認付款方式 DocType: Quality Goal,Revision,調整 +DocType: Shift Type,The time before the shift end time when check-out is considered as early (in minutes).,退房結束時間之前的時間被視為提前(以分鐘為單位)。 DocType: Healthcare Service Unit,Service Unit Type,服務單位類型 DocType: Purchase Invoice,Return Against Purchase Invoice,退貨購買發票 DocType: Loyalty Program Collection,Loyalty Program Collection,忠誠度計劃集 @@ -6396,12 +6463,14 @@ DocType: Pricing Rule,System will notify to increase or decrease quantity or amo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Cosmetics,化妝品 DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,如果要在保存之前強制用戶選擇系列,請選中此項。如果你檢查這個,將沒有默認值。 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,具有此角色的用戶可以設置凍結帳戶並根據凍結帳戶創建/修改會計分錄 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品代碼>商品分組>品牌 DocType: Expense Claim,Total Claimed Amount,申索金額總額 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}天內無法找到時間段 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Wrapping up,包起來 apps/erpnext/erpnext/non_profit/doctype/membership/membership.py,You can only renew if your membership expires within 30 days,如果您的會員資格在30天內到期,您只能續訂 apps/erpnext/erpnext/templates/generators/item/item_configure.js,Value must be between {0} and {1},值必須介於{0}和{1}之間 DocType: Quality Feedback,Parameters,參數 +DocType: Shift Type,Auto Attendance Settings,自動出勤設置 ,Sales Partner Transaction Summary,銷售合作夥伴交易摘要 DocType: Asset Maintenance,Maintenance Manager Name,維護經理姓名 apps/erpnext/erpnext/public/js/controllers/transaction.js,It is needed to fetch Item Details.,需要獲取項目詳細信息。 @@ -6481,10 +6550,10 @@ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price DocType: Pricing Rule,Validate Applied Rule,驗證應用規則 DocType: Job Card Item,Job Card Item,工作卡項目 DocType: Homepage,Company Tagline for website homepage,公司標語為網站主頁 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Set Response Time and Resolution for Priority {0} at index {1}.,在索引{1}處設置優先級{0}的響應時間和分辨率。 DocType: Company,Round Off Cost Center,圓形成本中心 DocType: Supplier Scorecard Criteria,Criteria Weight,標準重量 DocType: Asset,Depreciation Schedules,折舊表 -DocType: Expense Claim Detail,Claim Amount,索賠金額 DocType: Shipping Rule,Shipping Rule Conditions,運輸規則條件 DocType: Payment Entry,Party Bank Account,黨銀行賬戶 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,New Cost Center Name,新成本中心名稱 @@ -6509,7 +6578,6 @@ DocType: Fiscal Year,Year End Date,年終日期 apps/erpnext/erpnext/utilities/activation.py,Create Leads,創建潛在客戶 apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,顯示零值 DocType: Employee Onboarding,Employee Onboarding,員工入職 -apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Opportunities by Source,來源的銷售機會 DocType: Department,The first Leave Approver in the list will be set as the default Leave Approver.,列表中的第一個Leave Approver將被設置為默認的Leave Approver。 DocType: POS Settings,POS Settings,POS設置 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,所有賬戶 @@ -6527,7 +6595,6 @@ apps/erpnext/erpnext/config/accounting.py,Bank Statement Transaction Entry Repor apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,銀行Deatils apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,行#{0}:費率必須與{1}相同:{2}({3} / {4}) DocType: Healthcare Settings,Healthcare Service Items,醫療服務項目 -apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js,No records found,沒有找到記錄 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,老齡化範圍3 DocType: Vital Signs,Blood Pressure,血壓 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,目標開啟 @@ -6567,6 +6634,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Packing Slip(s DocType: Company,Existing Company,現有公司 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Defense,防禦 DocType: Item,Has Batch No,有批號 +apps/erpnext/erpnext/stock/report/delayed_item_report/delayed_item_report.py,Delayed Days,延遲天數 DocType: Item Variant,Item Variant,項目變體 DocType: Training Event Employee,Invited,邀請 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum amount eligible for the component {0} exceeds {1},組件{0}的最大合格金額超過{1} @@ -6585,7 +6653,7 @@ DocType: Purchase Order,To Receive and Bill,收到和比爾 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,"Start and end dates not in a valid Payroll Period, cannot calculate {0}.",不在有效工資核算期內的開始和結束日期無法計算{0}。 DocType: POS Profile,Only show Customer of these Customer Groups,僅顯示這些客戶組的客戶 apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,選擇要保存發票的項目 -DocType: Service Level,Resolution Time,解決時間 +DocType: Service Level Priority,Resolution Time,解決時間 DocType: Grading Scale Interval,Grade Description,等級描述 DocType: Quality Meeting Minutes,Quality Meeting Minutes,質量會議紀要 DocType: Linked Plant Analysis,Linked Plant Analysis,連接植物分析 @@ -6609,6 +6677,7 @@ DocType: Purchase Invoice,Taxes and Charges Deducted (Company Currency),扣除 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py,Bank Statement balance as per General Ledger,根據總帳的銀行對帳單餘額 apps/erpnext/erpnext/public/js/setup_wizard.js,Healthcare (beta),醫療保健(測試版 DocType: Shopify Settings,Default Warehouse to to create Sales Order and Delivery Note,默認倉庫以創建銷售訂單和交貨單 +apps/erpnext/erpnext/support/doctype/service_level/service_level.py,Response Time for {0} at index {1} can't be greater than Resolution Time.,索引{1}處的{0}的響應時間不能大於“解決時間”。 DocType: Opportunity,Customer / Lead Name,客戶/主要名稱 DocType: Expense Claim Advance,Unclaimed amount,無人認領的金額 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},行{0}的源倉庫和目標倉庫不能相同 @@ -6650,7 +6719,6 @@ DocType: Sales Invoice,Total Qty,總數量 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,Importing Parties and Addresses,進口締約方和地址 DocType: Item,List this Item in multiple groups on the website.,在網站上的多個組中列出此項目。 DocType: Request for Quotation,Message for Supplier,供應商消息 -apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot change {0} as Stock Transaction for Item {1} exist.,無法更改{0},因為項目{1}的庫存交易存在。 DocType: Healthcare Practitioner,Phone (R),電話(R) DocType: Maintenance Team Member,Team Member,隊員 DocType: Asset Category Account,Asset Category Account,資產類別帳戶 From 09b44345dfca2e15ecc84ff185b6ac9a457cee6d Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Wed, 19 Jun 2019 12:52:07 +0530 Subject: [PATCH 079/132] fix: as limit 100 was set in the query therefore not all item's default value moved to the Item Default table --- erpnext/patches.txt | 2 +- ...efaults_to_child_table_for_multicompany.py | 84 +++++++++++++------ 2 files changed, 58 insertions(+), 28 deletions(-) diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 36a31cfadc..be9baf4583 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -533,7 +533,7 @@ erpnext.patches.v11_0.create_department_records_for_each_company erpnext.patches.v11_0.make_location_from_warehouse erpnext.patches.v11_0.make_asset_finance_book_against_old_entries erpnext.patches.v11_0.check_buying_selling_in_currency_exchange -erpnext.patches.v11_0.move_item_defaults_to_child_table_for_multicompany #02-07-2018 +erpnext.patches.v11_0.move_item_defaults_to_child_table_for_multicompany #02-07-2018 #19-06-2019 erpnext.patches.v11_0.refactor_erpnext_shopify #2018-09-07 erpnext.patches.v11_0.rename_overproduction_percent_field erpnext.patches.v11_0.update_backflush_subcontract_rm_based_on_bom diff --git a/erpnext/patches/v11_0/move_item_defaults_to_child_table_for_multicompany.py b/erpnext/patches/v11_0/move_item_defaults_to_child_table_for_multicompany.py index 01f84a0313..c7c7635540 100644 --- a/erpnext/patches/v11_0/move_item_defaults_to_child_table_for_multicompany.py +++ b/erpnext/patches/v11_0/move_item_defaults_to_child_table_for_multicompany.py @@ -17,10 +17,8 @@ def execute(): frappe.reload_doc('stock', 'doctype', 'item_default') frappe.reload_doc('stock', 'doctype', 'item') - if frappe.db.a_row_exists('Item Default'): return - companies = frappe.get_all("Company") - if len(companies) == 1: + if len(companies) == 1 and not frappe.get_all("Item Default", limit=1): try: frappe.db.sql(''' INSERT INTO `tabItem Default` @@ -35,32 +33,64 @@ def execute(): except: pass else: - item_details = frappe.get_all("Item", fields=["name", "default_warehouse", "buying_cost_center", - "expense_account", "selling_cost_center", "income_account"], limit=100) + item_details = frappe.db.sql(""" SELECT name, default_warehouse, + buying_cost_center, expense_account, selling_cost_center, income_account + FROM tabItem + WHERE + name not in (select distinct parent from `tabItem Default`) and ifnull(disabled, 0) = 0""" + , as_dict=1) - for item in item_details: - item_defaults = [] + items_default_data = {} + for item_data in item_details: + for d in [["default_warehouse", "Warehouse"], ["expense_account", "Account"], + ["income_account", "Account"], ["buying_cost_center", "Cost Center"], + ["selling_cost_center", "Cost Center"]]: + if item_data.get(d[0]): + company = frappe.get_value(d[1], item_data.get(d[0]), "company", cache=True) - def insert_into_item_defaults(doc_field_name, doc_field_value, company): - for d in item_defaults: - if d.get("company") == company: - d[doc_field_name] = doc_field_value - return - item_defaults.append({ - "company": company, - doc_field_name: doc_field_value - }) + if item_data.name not in items_default_data: + items_default_data[item_data.name] = {} - for d in [ - ["default_warehouse", "Warehouse"], ["expense_account", "Account"], ["income_account", "Account"], - ["buying_cost_center", "Cost Center"], ["selling_cost_center", "Cost Center"] - ]: - if item.get(d[0]): - company = frappe.get_value(d[1], item.get(d[0]), "company", cache=True) - insert_into_item_defaults(d[0], item.get(d[0]), company) + company_wise_data = items_default_data[item_data.name] - doc = frappe.get_doc("Item", item.name) - doc.extend("item_defaults", item_defaults) + if company not in company_wise_data: + company_wise_data[company] = {} - for child_doc in doc.item_defaults: - child_doc.db_insert() \ No newline at end of file + default_data = company_wise_data[company] + default_data[d[0]] = item_data.get(d[0]) + + to_insert_data = [] + + # items_default_data data structure will be as follow + # { + # 'item_code 1': {'company 1': {'default_warehouse': 'Test Warehouse 1'}}, + # 'item_code 2': { + # 'company 1': {'default_warehouse': 'Test Warehouse 1'}, + # 'company 2': {'default_warehouse': 'Test Warehouse 1'} + # } + # } + + for item_code, companywise_item_data in items_default_data.items(): + for company, item_default_data in companywise_item_data.items(): + to_insert_data.append(( + frappe.generate_hash("", 10), + item_code, + 'Item', + 'item_defaults', + company, + item_default_data.get('default_warehouse'), + item_default_data.get('expense_account'), + item_default_data.get('income_account'), + item_default_data.get('buying_cost_center'), + item_default_data.get('selling_cost_center'), + )) + + if to_insert_data: + frappe.db.sql(''' + INSERT INTO `tabItem Default` + ( + `name`, `parent`, `parenttype`, `parentfield`, `company`, `default_warehouse`, + `expense_account`, `income_account`, `buying_cost_center`, `selling_cost_center` + ) + VALUES {} + '''.format(', '.join(['%s'] * len(to_insert_data))), tuple(to_insert_data)) \ No newline at end of file From 3a83c7bd7d5340ef960e71b8535f868e1ef6f715 Mon Sep 17 00:00:00 2001 From: deepeshgarg007 Date: Tue, 2 Jul 2019 19:56:33 +0530 Subject: [PATCH 080/132] fix: Multiple fixes in GSTR-3b Report --- .../gstr_3b_report/gstr_3b_report.html | 16 ++-- .../doctype/gstr_3b_report/gstr_3b_report.py | 79 ++++++++++++------- 2 files changed, 58 insertions(+), 37 deletions(-) diff --git a/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html b/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html index 77a9b63dfe..2da79a6364 100644 --- a/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html +++ b/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html @@ -222,17 +222,17 @@   (1) {{__("As per rules 42 & 43 of CGST Rules")}} - - - - + {{ flt(data.itc_elg.itc_rev[0].iamt, 2) }} + {{ flt(data.itc_elg.itc_rev[0].camt, 2) }} + {{ flt(data.itc_elg.itc_rev[0].samt, 2) }} + {{ flt(data.itc_elg.itc_rev[0].csamt, 2) }}   (2) {{__("Others")}} - - - - + {{ flt(data.itc_elg.itc_rev[1].iamt, 2) }} + {{ flt(data.itc_elg.itc_rev[1].camt, 2) }} + {{ flt(data.itc_elg.itc_rev[1].samt, 2) }} + {{ flt(data.itc_elg.itc_rev[1].csamt, 2) }} (C) {{__("Net ITC Available(A) - (B)")}} diff --git a/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py b/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py index 6569833659..448abe8f28 100644 --- a/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py +++ b/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py @@ -91,10 +91,10 @@ class GSTR3BReport(Document): }, { "ty": "ISD", - "iamt": 1, - "camt": 1, - "samt": 1, - "csamt": 1 + "iamt": 0, + "camt": 0, + "samt": 0, + "csamt": 0 }, { "samt": 0, @@ -104,6 +104,22 @@ class GSTR3BReport(Document): "iamt": 0 } ], + "itc_rev": [ + { + "ty": "RUL", + "iamt": 0, + "camt": 0, + "samt": 0, + "csamt": 0 + }, + { + "ty": "OTH", + "iamt": 0, + "camt": 0, + "samt": 0, + "csamt": 0 + } + ], "itc_net": { "samt": 0, "csamt": 0, @@ -173,6 +189,10 @@ class GSTR3BReport(Document): net_itc = self.report_dict["itc_elg"]["itc_net"] for d in self.report_dict["itc_elg"]["itc_avl"]: + + itc_type = itc_type_map.get(d["ty"]) + gst_category = "Registered Regular" + if d["ty"] == 'ISRC': reverse_charge = "Y" else: @@ -180,24 +200,22 @@ class GSTR3BReport(Document): for account_head in self.account_heads: - d["iamt"] = flt(itc_details.get((itc_type_map.get(d["ty"]), reverse_charge, account_head.get('igst_account')), {}).get("amount"), 2) - net_itc["iamt"] += flt(d["iamt"], 2) + d["iamt"] += flt(itc_details.get((gst_category, itc_type, reverse_charge, account_head.get('igst_account')), {}).get("amount"), 2) + d["camt"] += flt(itc_details.get((gst_category, itc_type, reverse_charge, account_head.get('cgst_account')), {}).get("amount"), 2) + d["samt"] += flt(itc_details.get((gst_category, itc_type, reverse_charge, account_head.get('sgst_account')), {}).get("amount"), 2) + d["csamt"] += flt(itc_details.get((gst_category, itc_type, reverse_charge, account_head.get('cess_account')), {}).get("amount"), 2) - d["camt"] = flt(itc_details.get((itc_type_map.get(d["ty"]), reverse_charge, account_head.get('cgst_account')), {}).get("amount"), 2) - net_itc["camt"] += flt(d["camt"], 2) - - d["samt"] = flt(itc_details.get((itc_type_map.get(d["ty"]), reverse_charge, account_head.get('sgst_account')), {}).get("amount"), 2) - net_itc["samt"] += flt(d["samt"], 2) - - d["csamt"] = flt(itc_details.get((itc_type_map.get(d["ty"]), reverse_charge, account_head.get('cess_account')), {}).get("amount"), 2) - net_itc["csamt"] += flt(d["csamt"], 2) + net_itc["iamt"] += flt(d["iamt"], 2) + net_itc["camt"] += flt(d["camt"], 2) + net_itc["samt"] += flt(d["samt"], 2) + net_itc["csamt"] += flt(d["csamt"], 2) for account_head in self.account_heads: - - self.report_dict["itc_elg"]["itc_inelg"][1]["iamt"] = flt(itc_details.get(("Ineligible", "N", account_head.get("igst_account")), {}).get("amount"), 2) - self.report_dict["itc_elg"]["itc_inelg"][1]["camt"] = flt(itc_details.get(("Ineligible", "N", account_head.get("cgst_account")), {}).get("amount"), 2) - self.report_dict["itc_elg"]["itc_inelg"][1]["samt"] = flt(itc_details.get(("Ineligible", "N", account_head.get("sgst_account")), {}).get("amount"), 2) - self.report_dict["itc_elg"]["itc_inelg"][1]["csamt"] = flt(itc_details.get(("Ineligible", "N", account_head.get("cess_account")), {}).get("amount"), 2) + itc_inelg = self.report_dict["itc_elg"]["itc_inelg"][1] + itc_inelg["iamt"] = flt(itc_details.get(("Ineligible", "N", account_head.get("igst_account")), {}).get("amount"), 2) + itc_inelg["camt"] = flt(itc_details.get(("Ineligible", "N", account_head.get("cgst_account")), {}).get("amount"), 2) + itc_inelg["samt"] = flt(itc_details.get(("Ineligible", "N", account_head.get("sgst_account")), {}).get("amount"), 2) + itc_inelg["csamt"] = flt(itc_details.get(("Ineligible", "N", account_head.get("cess_account")), {}).get("amount"), 2) def prepare_data(self, doctype, tax_details, supply_type, supply_category, gst_category_list, reverse_charge="N"): @@ -226,20 +244,22 @@ class GSTR3BReport(Document): def set_inter_state_supply(self, inter_state_supply): + osup_det = self.report_dict["sup_details"]["osup_det"] + for d in inter_state_supply.get("Unregistered", []): self.report_dict["inter_sup"]["unreg_details"].append(d) - self.report_dict["sup_details"]["osup_det"]["txval"] += flt(d["txval"], 2) - self.report_dict["sup_details"]["osup_det"]["iamt"] += flt(d["iamt"], 2) + osup_det["txval"] = flt(osup_det["txval"] + d["txval"], 2) + osup_det["iamt"] = flt(osup_det["iamt"] + d["iamt"], 2) for d in inter_state_supply.get("Registered Composition", []): self.report_dict["inter_sup"]["comp_details"].append(d) - self.report_dict["sup_details"]["osup_det"]["txval"] += flt(d["txval"], 2) - self.report_dict["sup_details"]["osup_det"]["iamt"] += flt(d["iamt"], 2) + osup_det["txval"] = flt(osup_det["txval"] + d["txval"], 2) + osup_det["iamt"] = flt(osup_det["iamt"] + d["iamt"], 2) for d in inter_state_supply.get("UIN Holders", []): self.report_dict["inter_sup"]["uin_details"].append(d) - self.report_dict["sup_details"]["osup_det"]["txval"] += flt(d["txval"], 2) - self.report_dict["sup_details"]["osup_det"]["iamt"] += flt(d["iamt"], 2) + osup_det["txval"] = flt(osup_det["txval"] + d["txval"], 2) + osup_det["iamt"] = flt(osup_det["iamt"] + d["iamt"], 2) def get_total_taxable_value(self, doctype, reverse_charge): @@ -268,7 +288,7 @@ class GSTR3BReport(Document): itc_details = {} for d in itc_amount: - itc_details.setdefault((d.eligibility_for_itc, d.reverse_charge, d.account_head),{ + itc_details.setdefault((d.gst_category, d.eligibility_for_itc, d.reverse_charge, d.account_head),{ "amount": d.tax_amount }) @@ -315,9 +335,10 @@ class GSTR3BReport(Document): "iamt": flt(inter_state_supply_tax_mapping.get(d.place_of_supply), 2) }) else: - self.report_dict["sup_details"]["osup_det"]["txval"] += flt(d.total, 2) - self.report_dict["sup_details"]["osup_det"]["camt"] += flt(inter_state_supply_tax_mapping.get(d.place_of_supply)/2, 2) - self.report_dict["sup_details"]["osup_det"]["samt"] += flt(inter_state_supply_tax_mapping.get(d.place_of_supply)/2, 2) + osup_det = self.report_dict["sup_details"]["osup_det"] + osup_det["txval"] = flt(osup_det["txval"] + d.total, 2) + osup_det["camt"] = flt(osup_det["camt"] + inter_state_supply_tax_mapping.get(d.place_of_supply)/2, 2) + osup_det["samt"] = flt(osup_det["samt"] + inter_state_supply_tax_mapping.get(d.place_of_supply)/2, 2) return inter_state_supply_details From 723e76f2ac0b7ecf207fa5483f73e89ab6d04c39 Mon Sep 17 00:00:00 2001 From: deepeshgarg007 Date: Tue, 2 Jul 2019 21:01:57 +0530 Subject: [PATCH 081/132] fix: fix for test test_contact_search_in_foreign_language --- erpnext/tests/test_search.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/erpnext/tests/test_search.py b/erpnext/tests/test_search.py index ab8eca3a3b..8a93b6a5a8 100644 --- a/erpnext/tests/test_search.py +++ b/erpnext/tests/test_search.py @@ -4,12 +4,12 @@ import frappe from frappe.contacts.address_and_contact import filter_dynamic_link_doctypes class TestSearch(unittest.TestCase): - #Search for the word "clie", part of the word "client" (customer) in french. + #Search for the word "cond", part of the word "conduire" (Lead) in french. def test_contact_search_in_foreign_language(self): frappe.local.lang = 'fr' - output = filter_dynamic_link_doctypes("DocType", "clie", "name", 0, 20, {'fieldtype': 'HTML', 'fieldname': 'contact_html'}) + output = filter_dynamic_link_doctypes("DocType", "cond", "name", 0, 20, {'fieldtype': 'HTML', 'fieldname': 'contact_html'}) - result = [['found' for x in y if x=="Customer"] for y in output] + result = [['found' for x in y if x=="Lead"] for y in output] self.assertTrue(['found'] in result) def tearDown(self): From 34c551d9a54573e5184bb16831e0baa4e7429dc2 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 3 Jul 2019 10:34:31 +0530 Subject: [PATCH 082/132] fix: Missing commits from hotfix branch (#17997) * fix: merge conflict * fix: restored missing set_gst_state_and_state_number function * fix: style linting as per codacy * fix: Fixes related to customer/lead merging * fix: merge conflict * fix: Fixes related to customer/lead merging * fix: Assign isue/opportunity to user * fix: Assign isue/opportunity to user * fix: Replaced Invoice type by GST Category * fix: merge conflict * fix: merge conflict * fix: test cases * fix: test cases --- .../opportunity/lost_reason_detail.js | 5 +- erpnext/__init__.py | 2 +- .../verified/de_kontenplan_SKR04.json | 7 +- ..._kontenplan_SKR04_with_account_number.json | 3626 +++++++ .../verified/id_chart_of_accounts.json | 26 +- .../doctype/account_subtype/__init__.py | 0 .../account_subtype/account_subtype.js | 8 + .../account_subtype/account_subtype.json | 134 + .../account_subtype/account_subtype.py | 9 + .../account_subtype/test_account_subtype.js | 23 + .../account_subtype/test_account_subtype.py | 9 + .../accounts/doctype/account_type/__init__.py | 0 .../doctype/account_type/account_type.js | 8 + .../doctype/account_type/account_type.json | 134 + .../doctype/account_type/account_type.py | 9 + .../doctype/account_type/test_account_type.js | 23 + .../doctype/account_type/test_account_type.py | 9 + .../accounts_settings/accounts_settings.json | 404 +- erpnext/accounts/doctype/bank/bank.js | 24 +- erpnext/accounts/doctype/bank/bank.json | 136 +- .../doctype/bank_account/bank_account.js | 10 +- .../doctype/bank_account/bank_account.json | 1206 ++- .../doctype/bank_account/bank_account.py | 31 + .../doctype/bank_account/test_bank_account.py | 39 +- .../doctype/bank_transaction/__init__.py | 0 .../bank_transaction/bank_transaction.js | 32 + .../bank_transaction/bank_transaction.json | 833 ++ .../bank_transaction/bank_transaction.py | 106 + .../bank_transaction/bank_transaction_list.js | 13 + .../bank_transaction_upload.py | 80 + .../bank_transaction/test_bank_transaction.js | 23 + .../bank_transaction/test_bank_transaction.py | 290 + .../bank_transaction_mapping/__init__.py | 0 .../bank_transaction_mapping.json | 107 + .../bank_transaction_mapping.py | 9 + .../bank_transaction_payments/__init__.py | 0 .../bank_transaction_payments.json | 141 + .../bank_transaction_payments.py | 9 + .../payment_reconciliation.py | 10 +- .../doctype/pricing_rule/pricing_rule.py | 7 +- .../purchase_invoice/purchase_invoice.js | 9 +- .../purchase_invoice/purchase_invoice.json | 2689 ++--- .../purchase_invoice/purchase_invoice.py | 3 +- .../purchase_invoice/purchase_invoice_list.js | 10 +- .../doctype/sales_invoice/regional/india.js | 38 + .../sales_invoice/regional/india_list.js | 33 + .../doctype/sales_invoice/sales_invoice.json | 3228 +++--- .../doctype/sales_invoice/sales_invoice.py | 15 +- .../sales_invoice/sales_invoice_list.js | 12 +- .../sales_invoice/test_sales_invoice.py | 153 +- .../sales_invoice_payment.json | 2 +- erpnext/accounts/general_ledger.py | 8 +- .../page/bank_reconciliation/__init__.py | 0 .../bank_reconciliation.js | 578 ++ .../bank_reconciliation.json | 29 + .../bank_reconciliation.py | 378 + .../bank_transaction_header.html | 21 + .../bank_transaction_row.html | 36 + .../linked_payment_header.html | 21 + .../linked_payment_row.html | 36 + erpnext/accounts/page/pos/pos.js | 6 + erpnext/accounts/party.py | 4 +- .../print_format/credit_note/credit_note.json | 36 +- .../accounts_receivable.py | 24 +- .../accounts/report/financial_statements.py | 6 +- .../report/general_ledger/general_ledger.js | 1 - .../report/gross_profit/gross_profit.py | 2 +- .../inactive_sales_items.json | 17 +- .../item_wise_sales_register.py | 4 +- .../report/sales_register/sales_register.py | 4 +- erpnext/accounts/utils.py | 8 +- erpnext/assets/doctype/asset/asset.json | 992 +- .../doctype/purchase_order/purchase_order.py | 1 - .../requested_items_to_be_ordered.json | 60 +- erpnext/config/accounting.py | 10 +- erpnext/config/integrations.py | 5 + erpnext/config/selling.py | 23 + erpnext/controllers/accounts_controller.py | 12 +- erpnext/controllers/item_variant.py | 2 +- .../controllers/sales_and_purchase_return.py | 9 +- erpnext/controllers/selling_controller.py | 21 +- erpnext/controllers/status_updater.py | 12 +- erpnext/controllers/stock_controller.py | 12 +- erpnext/controllers/taxes_and_totals.py | 5 +- erpnext/controllers/tests/test_mapper.py | 2 +- erpnext/crm/doctype/lead/lead.js | 11 + erpnext/crm/doctype/lead/lead.json | 2 +- erpnext/crm/doctype/lead/lead.py | 14 +- erpnext/crm/doctype/lead/lead_dashboard.py | 7 + .../crm/doctype/opportunity/opportunity.js | 91 +- .../crm/doctype/opportunity/opportunity.json | 2924 +++--- .../crm/doctype/opportunity/opportunity.py | 58 +- .../doctype/opportunity/opportunity_list.js | 10 +- .../doctype/opportunity/test_opportunity.js | 2 +- .../doctype/opportunity/test_opportunity.py | 25 +- .../crm/doctype/opportunity/test_records.json | 4 +- .../campaign_efficiency.py | 142 +- .../lead_conversion_time.py | 2 +- .../lead_owner_efficiency.py | 65 +- .../lost_opportunity/lost_opportunity.json | 36 +- .../prospects_engaged_but_not_converted.py | 12 +- erpnext/demo/user/sales.py | 4 +- .../doctype/plaid_settings/__init__.py | 0 .../doctype/plaid_settings/plaid_connector.py | 81 + .../doctype/plaid_settings/plaid_settings.js | 107 + .../plaid_settings/plaid_settings.json | 161 + .../doctype/plaid_settings/plaid_settings.py | 198 + .../plaid_settings/test_plaid_settings.js | 23 + .../plaid_settings/test_plaid_settings.py | 155 + erpnext/healthcare/doctype/patient/patient.js | 8 +- erpnext/healthcare/utils.py | 2 +- erpnext/hooks.py | 1 + erpnext/hr/doctype/employee/employee.py | 12 +- .../test_employee_onboarding.py | 1 + .../test_employee_separation.py | 9 +- .../doctype/expense_claim/expense_claim.json | 862 +- .../expense_claim/test_expense_claim.py | 17 +- .../leave_application/leave_application.py | 1 + .../doctype/payroll_period/payroll_period.py | 2 +- .../salary_component/salary_component.json | 526 +- .../hr/doctype/salary_slip/salary_slip.json | 3906 +++---- erpnext/hr/doctype/salary_slip/salary_slip.py | 5 +- .../report/salary_register/salary_register.py | 2 +- erpnext/hub_node/legacy.py | 2 +- .../doctype/job_card/job_card.py | 31 +- .../doctype/work_order/work_order.json | 966 +- erpnext/patches.txt | 9 +- erpnext/patches/v11_1/delete_bom_browser.py | 8 + .../move_customer_lead_to_dynamic_column.py | 14 + .../v11_1/renamed_delayed_item_report.py | 10 + ...t_default_action_for_quality_inspection.py | 15 + .../v11_1/set_missing_opportunity_from.py | 17 + .../v11_1/set_missing_title_for_quotation.py | 28 + .../v11_1/update_bank_transaction_status.py | 15 + .../patches/v8_7/sync_india_custom_fields.py | 4 +- erpnext/projects/doctype/project/project.py | 30 +- .../projects/doctype/project/test_project.py | 17 - erpnext/projects/doctype/task/task.js | 18 +- erpnext/projects/doctype/task/task.json | 759 +- erpnext/projects/doctype/task/task.py | 1 - erpnext/public/build.json | 62 +- erpnext/public/js/controllers/transaction.js | 8 +- erpnext/public/js/utils.js | 10 + erpnext/public/js/utils/party.js | 18 +- erpnext/public/less/erpnext.less | 10 +- erpnext/regional/india/setup.py | 141 +- erpnext/regional/india/utils.py | 320 +- erpnext/regional/italy/e-invoice.xml | 2 +- erpnext/regional/italy/utils.py | 2 +- .../fichier_des_ecritures_comptables_[fec].py | 20 +- erpnext/regional/report/gstr_1/gstr_1.py | 24 +- erpnext/selling/doctype/customer/customer.js | 12 + erpnext/selling/doctype/customer/customer.py | 6 +- .../doctype/customer/customer_dashboard.py | 7 +- .../selling/doctype/quotation/quotation.js | 106 +- .../selling/doctype/quotation/quotation.json | 4465 ++++++-- .../selling/doctype/quotation/quotation.py | 77 +- .../doctype/quotation/quotation_list.js | 11 + .../doctype/quotation/test_quotation.py | 10 +- .../doctype/quotation/test_records.json | 70 +- .../doctype/sales_order/sales_order.js | 14 +- .../doctype/sales_order/sales_order.json | 8940 ++++++++--------- .../doctype/sales_order/sales_order.py | 3 +- .../doctype/sales_order/sales_order_list.js | 14 +- .../available_stock_for_packing_items.py | 76 +- erpnext/setup/doctype/company/company.json | 1529 +-- erpnext/setup/doctype/company/company.py | 2 +- erpnext/setup/doctype/company/test_company.py | 7 +- .../setup/doctype/item_group/item_group.py | 3 +- .../setup_wizard/operations/sample_data.py | 4 +- erpnext/shopping_cart/cart.py | 32 +- .../shopping_cart_settings.json | 1395 +-- erpnext/shopping_cart/test_shopping_cart.py | 9 +- erpnext/stock/doctype/batch/batch.py | 1 + .../doctype/delivery_note/delivery_note.js | 4 +- erpnext/stock/doctype/item/item.json | 2197 ++-- .../doctype/packing_slip/packing_slip.json | 526 +- .../purchase_receipt/purchase_receipt.py | 10 +- .../purchase_receipt_item.json | 1658 +-- .../doctype/stock_entry/stock_entry.json | 4692 ++++----- .../stock_settings/stock_settings.json | 1755 ++-- erpnext/stock/doctype/warehouse/warehouse.py | 2 +- erpnext/stock/get_item_details.py | 17 + .../delayed_item_report.js | 2 +- .../delayed_item_report.json | 2 +- .../delayed_order_report.js | 2 +- .../delayed_order_report.json | 2 +- .../stock/report/stock_ledger/stock_ledger.py | 8 +- .../supplier_wise_sales_analytics.py | 6 +- .../total_stock_summary.js | 2 +- erpnext/support/doctype/issue/issue.json | 7 +- erpnext/templates/includes/product_page.js | 217 + erpnext/templates/utils.py | 8 +- requirements.txt | 3 +- 194 files changed, 34197 insertions(+), 21884 deletions(-) create mode 100644 erpnext/accounts/doctype/account/chart_of_accounts/verified/de_kontenplan_SKR04_with_account_number.json create mode 100644 erpnext/accounts/doctype/account_subtype/__init__.py create mode 100644 erpnext/accounts/doctype/account_subtype/account_subtype.js create mode 100644 erpnext/accounts/doctype/account_subtype/account_subtype.json create mode 100644 erpnext/accounts/doctype/account_subtype/account_subtype.py create mode 100644 erpnext/accounts/doctype/account_subtype/test_account_subtype.js create mode 100644 erpnext/accounts/doctype/account_subtype/test_account_subtype.py create mode 100644 erpnext/accounts/doctype/account_type/__init__.py create mode 100644 erpnext/accounts/doctype/account_type/account_type.js create mode 100644 erpnext/accounts/doctype/account_type/account_type.json create mode 100644 erpnext/accounts/doctype/account_type/account_type.py create mode 100644 erpnext/accounts/doctype/account_type/test_account_type.js create mode 100644 erpnext/accounts/doctype/account_type/test_account_type.py create mode 100644 erpnext/accounts/doctype/bank_transaction/__init__.py create mode 100644 erpnext/accounts/doctype/bank_transaction/bank_transaction.js create mode 100644 erpnext/accounts/doctype/bank_transaction/bank_transaction.json create mode 100644 erpnext/accounts/doctype/bank_transaction/bank_transaction.py create mode 100644 erpnext/accounts/doctype/bank_transaction/bank_transaction_list.js create mode 100644 erpnext/accounts/doctype/bank_transaction/bank_transaction_upload.py create mode 100644 erpnext/accounts/doctype/bank_transaction/test_bank_transaction.js create mode 100644 erpnext/accounts/doctype/bank_transaction/test_bank_transaction.py create mode 100644 erpnext/accounts/doctype/bank_transaction_mapping/__init__.py create mode 100644 erpnext/accounts/doctype/bank_transaction_mapping/bank_transaction_mapping.json create mode 100644 erpnext/accounts/doctype/bank_transaction_mapping/bank_transaction_mapping.py create mode 100644 erpnext/accounts/doctype/bank_transaction_payments/__init__.py create mode 100644 erpnext/accounts/doctype/bank_transaction_payments/bank_transaction_payments.json create mode 100644 erpnext/accounts/doctype/bank_transaction_payments/bank_transaction_payments.py create mode 100644 erpnext/accounts/doctype/sales_invoice/regional/india.js create mode 100644 erpnext/accounts/doctype/sales_invoice/regional/india_list.js create mode 100644 erpnext/accounts/page/bank_reconciliation/__init__.py create mode 100644 erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js create mode 100644 erpnext/accounts/page/bank_reconciliation/bank_reconciliation.json create mode 100644 erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py create mode 100644 erpnext/accounts/page/bank_reconciliation/bank_transaction_header.html create mode 100644 erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html create mode 100644 erpnext/accounts/page/bank_reconciliation/linked_payment_header.html create mode 100644 erpnext/accounts/page/bank_reconciliation/linked_payment_row.html create mode 100644 erpnext/erpnext_integrations/doctype/plaid_settings/__init__.py create mode 100644 erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py create mode 100644 erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js create mode 100644 erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.json create mode 100644 erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.py create mode 100644 erpnext/erpnext_integrations/doctype/plaid_settings/test_plaid_settings.js create mode 100644 erpnext/erpnext_integrations/doctype/plaid_settings/test_plaid_settings.py create mode 100644 erpnext/patches/v11_1/delete_bom_browser.py create mode 100644 erpnext/patches/v11_1/move_customer_lead_to_dynamic_column.py create mode 100644 erpnext/patches/v11_1/renamed_delayed_item_report.py create mode 100644 erpnext/patches/v11_1/set_default_action_for_quality_inspection.py create mode 100644 erpnext/patches/v11_1/set_missing_opportunity_from.py create mode 100644 erpnext/patches/v11_1/set_missing_title_for_quotation.py create mode 100644 erpnext/patches/v11_1/update_bank_transaction_status.py create mode 100644 erpnext/templates/includes/product_page.js diff --git a/cypress/integration/opportunity/lost_reason_detail.js b/cypress/integration/opportunity/lost_reason_detail.js index 31569a9d6e..9cf204889d 100644 --- a/cypress/integration/opportunity/lost_reason_detail.js +++ b/cypress/integration/opportunity/lost_reason_detail.js @@ -7,8 +7,8 @@ context('Form', () => { it('create a new opportunity', () => { cy.visit('/desk#Form/Opportunity/New Opportunity 1'); cy.get('.page-title').should('contain', 'Not Saved'); - cy.fill_field('enquiry_from', 'Customer', 'Select'); - cy.fill_field('customer', 'Test Customer', 'Link').blur(); + cy.fill_field('opportunity_from', 'Customer', 'Select'); + cy.fill_field('party_name', 'Test Customer', 'Link').blur(); cy.get('.primary-action').click(); cy.get('.page-title').should('contain', 'Open'); cy.get('.form-inner-toolbar button:contains("Lost")').click({ force: true }); @@ -29,4 +29,3 @@ context('Form', () => { cy.get('.page-title').should('contain', 'Lost'); }); }); - diff --git a/erpnext/__init__.py b/erpnext/__init__.py index b67d2bd28c..cb88a1122e 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__ = '11.1.20' +__version__ = '11.1.39' def get_default_company(user=None): '''Get default company for user''' diff --git a/erpnext/accounts/doctype/account/chart_of_accounts/verified/de_kontenplan_SKR04.json b/erpnext/accounts/doctype/account/chart_of_accounts/verified/de_kontenplan_SKR04.json index e29ad827bf..7fa6708134 100644 --- a/erpnext/accounts/doctype/account/chart_of_accounts/verified/de_kontenplan_SKR04.json +++ b/erpnext/accounts/doctype/account/chart_of_accounts/verified/de_kontenplan_SKR04.json @@ -1,6 +1,6 @@ { "country_code": "de", - "name": "Germany - Kontenplan SKR04", + "name": "SKR04 ohne Kontonummern", "tree": { "Bilanz - Aktiva": { "Anlageverm\u00f6gen": { @@ -1383,8 +1383,7 @@ "Sonstige Zinsen und \u00e4hnliche Ertr\u00e4ge 1": { "Diskontertr\u00e4ge": {}, "Diskontertr\u00e4ge aus verbundenen Unternehmen": {}, - "Laufende Ertr\u00e4ge aus Anteilen an Kapitalgesellschaften 100% / 50% steuerfrei": {}, - "Laufende Ertr\u00e4ge aus Anteilen an Kapitalgesellschaften 100% / 50% steuerfrei": {}, + "Laufende Ertr\u00e4ge aus Anteilen an Kapitalgesellschaften 100% / 50% steuerfrei": {}, "Sonstige Zinsen und \u00e4hnliche Ertr\u00e4ge 2": {}, "Sonstige Zinsen und \u00e4hnliche Ertr\u00e4ge aus verbundenen Unternehmen": {}, "Sonstige Zinsertr\u00e4ge": {}, @@ -1703,4 +1702,4 @@ "root_type": "Asset" } } -} \ No newline at end of file +} diff --git a/erpnext/accounts/doctype/account/chart_of_accounts/verified/de_kontenplan_SKR04_with_account_number.json b/erpnext/accounts/doctype/account/chart_of_accounts/verified/de_kontenplan_SKR04_with_account_number.json new file mode 100644 index 0000000000..b042bcc420 --- /dev/null +++ b/erpnext/accounts/doctype/account/chart_of_accounts/verified/de_kontenplan_SKR04_with_account_number.json @@ -0,0 +1,3626 @@ +{ + "country_code": "de", + "name": "SKR04 mit Kontonummern", + "tree": { + "Aktiva": { + "root_type": "Asset", + "A - Anlageverm\u00f6gen": { + "account_type": "Fixed Asset", + "is_group": 1, + "I - Immaterielle VG": { + "is_group": 1, + "1 - Selbst geschaffene gewerbliche Schutzrechte und \u00e4hnliche Rechte und Werte": { + "is_group": 1 + }, + "2 - entgeltlich erworbene Konzessionen, gewerbl. Schutzrechte und \u00e4hnl. Rechte und Werte sowie Lizenzen an solchen": { + "is_group": 1, + "Entgeltlich erworbene Konzessionen, gewerbl. Schutzrechte und \u00e4hnl. Rechte und Werte sowie Lizenzen an solchen": { + "account_number": "0100" + }, + "Konzessionen ": { + "account_number": "0110" + }, + "Gewerbliche Schutzrechte ": { + "account_number": "0120" + }, + "\u00c4hnliche Rechte und Werte": { + "account_number": "0130" + }, + "EDV-Software": { + "account_number": "0135" + }, + "Lizenzen an gewerblichen Schutzrechten und \u00e4hnl. Rechten und Werten": { + "account_number": "0140" + }, + "Selbst geschaffene immaterielle VG": { + "account_number": "0143", + "account_type": "Fixed Asset" + }, + "Lizenzen und Franchisevertr\u00e4ge": { + "account_number": "0145" + }, + "Konzessionen und gewerbliche Schutzrechte": { + "account_number": "0146" + }, + "Rezepte, Verfahren, Prototypen": { + "account_number": "0147" + }, + "Immaterielle VG in Entwicklung": { + "account_number": "0148" + }, + "Geleistete Anz. auf immaterielle VG": { + "account_number": "0170" + } + }, + "3 - Gesch\u00e4fts- oder Firmenwert": { + "is_group": 1, + "Gesch\u00e4fts- oder Firmenwert ": { + "account_number": "0150" + }, + "Anz. auf Gesch\u00e4fts- oder Firmenwert": { + "account_number": "0179" + } + }, + "4 - geleistete Anz.": { + "is_group": 1, + "Geleistete Anz. auf Vorr\u00e4te": { + "account_number": "1180" + }, + "Geleistete Anz., 7 % Vorsteuer": { + "account_number": "1181" + }, + "Geleistete Anz., 16 % Vorsteuer": { + "account_number": "1184" + }, + "Geleistete Anz., 15 % Vorsteuer": { + "account_number": "1185" + }, + "Geleistete Anz., 19 % Vorsteuer": { + "account_number": "1186" + } + } + }, + "II - Sachanlagen": { + "1 - Grundst\u00fccke, grundst\u00fccksgleiche Rechte und Bauten einschl. der Bauten auf fremden Grundst\u00fccken": { + "is_group": 1, + "Grundst\u00fccke, grundst\u00fccksgleiche Rechte und Bauten einschl. der Bauten auf fremden Grundst\u00fccken": { + "account_number": "0200", + "account_type": "Fixed Asset" + }, + "Grundst\u00fccksgleiche Rechte ohne Bauten": { + "account_number": "0210" + }, + "Unbebaute Grundst\u00fccke": { + "account_number": "0215" + }, + "Grundst\u00fccksgleiche Rechte (Erbbaurecht, Dauerwohnrecht)": { + "account_number": "0220" + }, + "Grundst\u00fccke mit Substanzverzehr": { + "account_number": "0225" + }, + "Grundst\u00fccksanteil h\u00e4usliches Arbeitszimmer": { + "account_number": "0229" + }, + "Bauten auf eigenen Grundst\u00fccken und grundst\u00fccksgleichen Rechten": { + "account_number": "0230" + }, + "Grundst\u00fcckswerte eigener bebauter Grundst\u00fccke": { + "account_number": "0235" + }, + "Gesch\u00e4ftsbauten": { + "account_number": "0240" + }, + "Fabrikbauten ": { + "account_number": "0250" + }, + "Andere Bauten": { + "account_number": "0260" + }, + "Garagen": { + "account_number": "0270" + }, + "Au\u00dfenanlagen f. Gesch\u00e4fts-, Fabrik- und andere Bauten": { + "account_number": "0280" + }, + "Hof- und Wegebefestigungen": { + "account_number": "0285" + }, + "Einrichtungen f. Gesch\u00e4fts-, Fabrik- und andere Bauten": { + "account_number": "0290" + }, + "Wohnbauten ": { + "account_number": "0300" + }, + "Au\u00dfenanlagen ": { + "account_number": "0310" + }, + "Einrichtungen f. Wohnbauten ": { + "account_number": "0320" + }, + "Geb\u00e4udeanteil h\u00e4usliches Arbeitszimmer": { + "account_number": "0329" + }, + "Bauten auf fremden Grundst\u00fccken": { + "account_number": "0330" + }, + "Einrichtungen f. Gesch\u00e4fts-, Fabrik-, Wohn- und andere Bauten": { + "account_number": "0398" + } + }, + "2 - technische Anlagen und Maschinen": { + "is_group": 1, + "Technische Anlagen und Maschinen": { + "account_number": "0400", + "account_type": "Fixed Asset" + }, + "Technische Anlagen": { + "account_number": "0420" + }, + "Maschinen": { + "account_number": "0440" + }, + "Transportanlagen und \u00c4hnliches ": { + "account_number": "0450" + }, + "Betriebsvorrichtungen": { + "account_number": "0470" + }, + "Wertberichtigung Technische Anlagen und Maschinen": { + "account_number": "0409", + "account_type": "Accumulated Depreciation" + } + }, + "3 - andere Anlagen, Betriebs- und Gesch\u00e4ftsausstattung": { + "is_group": 1, + "Andere Anlagen, Betriebs- und Gesch\u00e4ftsausstattung": { + "account_number": "0500", + "account_type": "Fixed Asset" + }, + "Andere Anlagen": { + "account_number": "0510" + }, + "Pkw": { + "account_number": "0520" + }, + "Lkw": { + "account_number": "0540" + }, + "Sonstige Transportmittel": { + "account_number": "0560" + }, + "Werkzeuge": { + "account_number": "0620" + }, + "Betriebsausstattung": { + "account_number": "0630" + }, + "Gesch\u00e4ftsausstattung": { + "account_number": "0635" + }, + "Ladeneinrichtung": { + "account_number": "0640" + }, + "B\u00fcroeinrichtung": { + "account_number": "0650" + }, + "Ger\u00fcst- und Schalungsmaterial": { + "account_number": "0660" + }, + "Geringwertige Wirtschaftsg\u00fcter": { + "account_number": "0670" + }, + "Wirtschaftsg\u00fcter gr\u00f6\u00dfer 150 bis 1000 Euro (Sammelposten)": { + "account_number": "0675" + }, + "Einbauten in fremde Grundst\u00fccke": { + "account_number": "0680" + }, + "Sonstige Betriebs- und Gesch\u00e4ftsausstattung": { + "account_number": "0690" + } + }, + "4 - geleistete Anz. und Anlagen im Bau": { + "is_group": 1, + "Geleistete Anz. und Anlagen im Bau": { + "account_number": "0700", + "account_type": "Capital Work in Progress" + }, + "Anz. auf Grundst\u00fcckeund grundst\u00fccksgleiche Rechte ohne Bauten ": { + "account_number": "0705" + }, + "Gesch\u00e4fts-, Fabrik- und andere Bauten im Bau auf eigenen Grundst\u00fccken": { + "account_number": "0710" + }, + "Anz. auf Gesch\u00e4fts-, Fabrik- und andere Bauten auf eigenen Grundst. und grundst\u00fccksgleichen Rechten ": { + "account_number": "0720" + }, + "Wohnbauten im Bau": { + "account_number": "0725" + }, + "Anz. auf Wohnbauten auf eigenen Grundst\u00fccken und grundst\u00fccksgleichen Rechten": { + "account_number": "0735" + }, + "Gesch\u00e4fts-, Fabrik- und andere Bauten im Bau auf fremden Grundst\u00fccken": { + "account_number": "0740" + }, + "Anz. auf Gesch\u00e4fts-, Fabrik- und andere Bauten auf fremden Grundst\u00fccken ": { + "account_number": "0750" + }, + "Anz. auf Wohnbauten auf fremden Grundst\u00fccken": { + "account_number": "0765" + }, + "Technische Anlagen und Maschinen im Bau": { + "account_number": "0770" + }, + "Anz. auf technische Anlagen und Maschinen": { + "account_number": "0780" + }, + "Andere Anlagen, Betriebs- und Gesch\u00e4ftsausstattung im Bau": { + "account_number": "0785" + }, + "Andere Anlagen, Betriebs- und Gesch\u00e4ftsausstattung": { + "account_number": "0795" + } + }, + "is_group": 1 + }, + "III - Finanzanlagen": { + "1 - Anteile an verbundenen Unternehmen": { + "is_group": 1, + "Anteile an verbundenen Unternehmen": { + "account_number": "0800" + }, + "Anteile an verbundenen Unternehmen, Personengesellschaften": { + "account_number": "0803" + }, + "Anteile an verbundenen Unternehmen, Kapitalgesellschaften": { + "account_number": "0804" + }, + "Anteile an herrschender oder mehrheitlich beteiligter Gesellschaft, Personengesellschaft": { + "account_number": "0805" + }, + "Anteile an herrschender oder mehrheitlich beteiligter Gesellschaft, Kapitalgesellschaften": { + "account_number": "0808" + }, + "Anteile an herrschender oder mit Mehrheit beteiligter Gesellschaft": { + "account_number": "0809" + } + }, + "2 - Ausleihungen an verb. Unternehmen": { + "is_group": 1, + "Ausleihungen an verb. Unternehmen": { + "account_number": "0880" + }, + "Ausleihungen an Unternehmen, mit denen ein Beteiligungsverh. besteht, Personengesellschaften": { + "account_number": "0883" + }, + "Ausleihungen an Unternehmen, mit denen ein Beteiligungsverh. besteht, Kapitalgesellschaften": { + "account_number": "0885" + } + }, + "3 - Beteiligungen": { + "is_group": 1, + "Beteiligungen": { + "account_number": "0820" + }, + "Typisch stille Beteiligungen": { + "account_number": "0830" + }, + "Atypisch stille Beteiligungen": { + "account_number": "0840" + }, + "Beteiligungen an Kapitalgesellschaften": { + "account_number": "0850" + }, + "Beteiligungen an Personengesellschaften": { + "account_number": "0860" + } + }, + "4 - Ausleihungen an Unternehmen, mit denen ein Beteiligungsverh. besteht": { + "is_group": 1 + }, + "5 - Wertpapiere des Anlageverm\u00f6gens": { + "is_group": 1, + "Wertpapiere des Anlageverm\u00f6gens": { + "account_number": "0900" + }, + "Wertpapiere mit Gewinnbeteiligungsanspr\u00fcchen, die dem Teileink\u00fcnfteverfahren unterliegen": { + "account_number": "0910" + }, + "Festverzinsliche Wertpapiere": { + "account_number": "0920" + }, + "Genossenschaftsanteile zum langfristigen Verbleib": { + "account_number": "0980" + }, + "R\u00fcckdeckungsanspr\u00fcche aus Lebensversicherungen zum langfristigen Verbleib": { + "account_number": "0990" + } + }, + "6 - sonstige Ausleihungen": { + "is_group": 1, + "Sonstige Ausleihungen": { + "account_number": "0930" + }, + "Darlehen": { + "account_number": "0940" + }, + "Ausleihungen an stille Gesellschafter": { + "account_number": "0964" + } + }, + "is_group": 1 + } + }, + "B - Umlaufverm\u00f6gen": { + "I - Vorr\u00e4te": { + "1 - Roh-, Hilfs- und Betriebsstoffe": { + "is_group": 1, + "Roh-, Hilfs- und Betriebsstoffe (Bestand)": { + "account_number": "1000", + "account_type": "Stock" + } + }, + "2 - unfertige Erzeugnisse, unfertige Leistungen": { + "is_group": 1, + "Unfertige Erzeugnisse, unfertige Leistungen (Bestand)": { + "account_number": "1040", + "account_type": "Stock" + }, + "Unfertige Erzeugnisse (Bestand)": { + "account_number": "1050" + }, + "Unfertige Leistungen": { + "account_number": "1080" + }, + "In Ausf\u00fchrung befindliche Bauauftr\u00e4ge": { + "account_number": "1090" + }, + "In Arbeit befindliche Auftr\u00e4ge": { + "account_number": "1095" + } + }, + "3 - fertige Erzeugnisse und Waren": { + "is_group": 1, + "Fertige Erzeugnisse und Waren (Bestand)": { + "account_number": "1100", + "account_type": "Stock" + }, + "Fertige Erzeugnisse (Bestand)": { + "account_number": "1110" + }, + "Waren (Bestand)": { + "account_number": "1140" + }, + "Erhaltene Anz. auf Bestellungen (von Vorr\u00e4ten offen abgesetzt)": { + "account_number": "1190" + } + }, + "is_group": 1 + }, + "II - Forderungen und sonstige VG": { + "account_type": "Receivable", + "1 - Forderungen aus Lieferungen und Leistungen": { + "account_type": "Receivable", + "is_group": 1, + "Bewertungskorrektur zu Forderungen aus Lieferungen und Leistungen": { + "account_number": "9960" + }, + "Forderungen aus Lieferungen und Leistungen": { + "account_number": "1200", + "account_type": "Receivable" + }, + "Forderungen aus Lieferungen und Leistungen ohne Kontokorrent": { + "account_number": "1210" + }, + "Forderungen aus Lieferungen und Leistungen ohne Kontokorrent(b. 1 J.)": { + "account_number": "1221" + }, + "Forderungen aus Lieferungen und Leistungen ohne Kontokorrent (gr\u00f6\u00dfer 1 J.)": { + "account_number": "1225" + }, + "Wechsel aus Lieferungen und Leistungen, bundesbankf\u00e4hig": { + "account_number": "1235" + }, + "Zweifelhafte Forderungen (Gruppe)": { + "is_group": 1, + "Zweifelhafte Forderungen": { + "account_number": "1240" + }, + "Zweifelhafte Forderungen (b. 1 J.)": { + "account_number": "1241" + }, + "Zweifelhafte Forderungen (gr\u00f6\u00dfer 1 J.)": { + "account_number": "1245" + }, + "Einzelwertberichtigungen auf Forderungen mit einer (b. 1 J.)": { + "account_number": "1248" + }, + "Einzelwertberichtigung auf Forderungen mit einer (mehr als 1 J.)": { + "account_number": "1247" + }, + "Pauschalwertberichtigung auf Forderungen mit einer (mehr als 1 J.)": { + "account_number": "1249" + } + }, + "Gegenkonto zu sonstigen VGn bei Buchung \u00fcber Debitorenkonto": { + "account_number": "1258" + }, + "Gegenkonto 1221-1229,1240-1245,1250-1257, 1270-1279, 1290-1297 bei Aufteilung Debitorenkonto": { + "account_number": "1259" + } + }, + "2 - Forderungen gg. verb. Unternehmen": { + "account_type": "Receivable", + "is_group": 1, + "Forderungen gg. verb. Unternehmen": { + "account_number": "1260" + }, + "Forderungen gg. verb. Unternehmen (b. 1 J.)": { + "account_number": "1261" + }, + "Forderungen gg. verb. Unternehmen (gr\u00f6\u00dfer 1 J.)": { + "account_number": "1265" + }, + "Besitzwechsel gg. verb. Unternehmen": { + "account_number": "1266" + }, + "Besitzwechsel gg. verb. Unternehmen (b. 1 J.)": { + "account_number": "1267" + }, + "Besitzwechsel gg. verb. Unternehmen (gr\u00f6\u00dfer 1 J.)": { + "account_number": "1268" + }, + "Besitzwechsel gg. verb. Unternehmen, bundesbankf\u00e4hig": { + "account_number": "1269" + }, + "Forderungen aus Lieferungen und Leistungen gg. verb. Unternehmen (Gruppe)": { + "is_group": 1, + "Forderungen aus Lieferungen und Leistungen gg. verb. Unternehmen": { + "account_number": "1270" + }, + "Forderungen aus Lieferungen und Leistungen gg. verb. Unternehmen (b. 1 J.)": { + "account_number": "1271" + }, + "Forderungen aus Lieferungen und Leistungen gg. verb. Unternehmen (gr\u00f6\u00dfer 1 J.)": { + "account_number": "1275" + }, + "Wertberichtigungen auf Forderungen mit einer (b. 1 J.) gg. verb. Unternehmen": { + "account_number": "1276" + }, + "Wertberichtigungen auf Forderungen mit einer (mehr als 1 J.) gg. verbundene Unternehmen": { + "account_number": "1277" + } + } + }, + "3 - Forderungen gg. Unt., mit denen ein Beteiligungsverh. besteht": { + "account_type": "Receivable", + "is_group": 1, + "Forderungen gg. Unt., mit denen ein Beteiligungsverh. besteht": { + "account_number": "1280" + }, + "Forderungen gg. Unt., mit denen ein Beteiligungsverh. besteht (b. 1 J.)": { + "account_number": "1281" + }, + "Forderungen gg. Unt., mit denen ein Beteiligungsverh. besteht (gr\u00f6\u00dfer 1 J.)": { + "account_number": "1285" + }, + "Besitzwechsel gg. Unt., mit denen ein Beteiligungsverh. besteht": { + "account_number": "1286" + }, + "Besitzwechsel gg. Unt., mit denen ein Beteiligungsverh. besteht (b. 1 J.)": { + "account_number": "1287" + }, + "Besitzwechsel gg. Unt., mit denen ein Beteiligungsverh. besteht (gr\u00f6\u00dfer 1 J.)": { + "account_number": "1288" + }, + "Besitzwechsel gg. Unt., mit denen ein Beteiligungsverh. besteht, bundesbankf\u00e4hig": { + "account_number": "1289" + }, + "Forderungen aus LuL gg. Unt., mit denen ein Beteiligungsverh. besteht": { + "account_number": "1290" + }, + "Forderungen aus LuL gg. Unt., mit denen ein Beteiligungsverh. besteht (b. 1 J.)": { + "account_number": "1291" + }, + "Forderungen aus LuL gg. Unt., mit denen ein Beteiligungsverh. besteht (gr\u00f6\u00dfer 1 J.)": { + "account_number": "1295" + }, + "Wertberichtigungen auf Ford. (b. 1 J.) gg. Unt., mit denen ein Beteiligungsverh. besteht": { + "account_number": "1296" + }, + "Wertberichtigungen auf Ford. (mehr als 1 J.) gg. Unt., mit denen ein Beteiligungsverh. besteht": { + "account_number": "1297" + } + }, + "4 - sonstige VG": { + "account_type": "Receivable", + "is_group": 1, + "Bewertungskorrektur zu sonstigen VGn": { + "account_number": "9965" + }, + "Verrechnungskonto geleistete Anz. bei Buchung \u00fcber Kreditorenkonto": { + "account_number": "3695" + }, + "Sonstige VG": { + "account_number": "1300" + }, + "Sonstige VG (b. 1 J.)": { + "account_number": "1301" + }, + "Sonstige VG (gr\u00f6\u00dfer 1 J.)": { + "account_number": "1305" + }, + "Forderungen gg. typisch stille Gesellschafter": { + "account_number": "1337" + }, + "Forderungen gg. typisch stille Gesellschafter - Restlaufzeit bis1 Jahr": { + "account_number": "1338" + }, + "Forderungen gg. typisch stille Gesellschafter (gr\u00f6\u00dfer 1 J.)": { + "account_number": "1339" + }, + "Forderungen gg. Personal aus Lohn- und Gehaltsabrechnung (Gruppe)": { + "is_group": 1, + "Forderungen gg. Personal aus Lohn- und Gehaltsabrechnung": { + "account_number": "1340" + }, + "Forderungen gg. Personal aus Lohn- und Gehaltsabrechnung (b. 1 J.)": { + "account_number": "1341" + }, + "Forderungen gg. Personal aus Lohn- und Gehaltsabrechnung (gr\u00f6\u00dfer 1 J.)": { + "account_number": "1345" + } + }, + "Kautionen (Gruppe)": { + "is_group": 1, + "Kautionen": { + "account_number": "1350" + }, + "Kautionen (b. 1 J.)": { + "account_number": "1351" + }, + "Kautionen (gr\u00f6\u00dfer 1 J.)": { + "account_number": "1355" + } + }, + "Darlehen (Gruppe)": { + "Darlehen": { + "account_number": "1360" + }, + "Darlehen (b. 1 J.)": { + "account_number": "1361" + }, + "Darlehen (gr\u00f6\u00dfer 1 J.)": { + "account_number": "1365" + } + }, + "Forderungen gg. Krankenkassen aus Aufwendungsausgleichsgesetz": { + "account_number": "1369" + }, + "Durchlaufende Posten": { + "account_number": "1370" + }, + "Fremdgeld": { + "account_number": "1374" + }, + "Agenturwarenabrechnung": { + "account_number": "1375" + }, + "Nachtr\u00e4glich abziehbare Vorsteuer, \u00a7 15a Abs. 2 UStG": { + "account_number": "1376" + }, + "Zur\u00fcckzuzahlende Vorsteuer, \u00a7 15a Abs. 2 UStG": { + "account_number": "1377" + }, + "Anspr\u00fcche aus R\u00fcckdeckungsversicherungen": { + "account_number": "1378" + }, + "Verm\u00f6gensgegenst. zur Saldierung mit Pensionsr\u00fcckst. und \u00e4hnl. Verplicht. zum langfristigen Verbleib": { + "account_number": "1381" + }, + "Verm\u00f6gensgegenst. zur Erf\u00fcllung von mit der Altersvers. vergleichb. langfristigen Verplicht.": { + "account_number": "1382" + }, + "Verm\u00f6gensgegenst. zur Saldierung mit der Altersvers. vergleichb. langfristigen Verplicht.": { + "account_number": "1383" + }, + "GmbH-Anteile zum kurzfr. Verbleib": { + "account_number": "1390" + }, + "Forderungen gg. Arbeitsgemeinschaften": { + "account_number": "1391" + }, + "Genussrechte": { + "account_number": "1393" + }, + "Einzahlungsanspr\u00fcche zu Nebenleistungen oder Zuzahlungen": { + "account_number": "1394" + }, + "Genossenschaftsanteile zum kurzfr. Verbleib": { + "account_number": "1395" + }, + "Nachtr\u00e4glich abziehbare Vorsteuer, \u00a7 15a Abs. 1 UStG, bewegliche Wirtschaftsg\u00fcter": { + "account_number": "1396" + }, + "Zur\u00fcckzuzahlende Vorsteuer, \u00a7 15a Abs. 1 UStG, bewegliche Wirtschaftsg\u00fcter": { + "account_number": "1397" + }, + "Nachtr\u00e4glich abziehbare Vorsteuer gem. \u00a7 15a Abs. 1 UStG, unbewegliche Wirtschaftsg\u00fcter": { + "account_number": "1398" + }, + "Zur\u00fcckzuzahlende Vorsteuer gem. \u00a7 15a Abs. 1 UStG, unbewegliche Wirtschaftsg\u00fcter": { + "account_number": "1399" + }, + "Abziehbare Vorsteuer (Gruppe)": { + "is_group": 1, + "Abziehbare Vorsteuer": { + "account_number": "1400" + }, + "Abziehbare Vorsteuer 7 %": { + "account_number": "1401" + }, + "Abziehbare Vorsteuer aus innergem. Erwerb": { + "account_number": "1402" + }, + "Abziehbare Vorsteuer aus innergem. Erwerb 19%": { + "account_number": "1404" + }, + "Abziehbare Vorsteuer 19 %": { + "account_number": "1406" + }, + "Abziehbare Vorsteuer nach \u00a7 13b UStG 19 %": { + "account_number": "1407" + }, + "Abziehbare Vorsteuer nach \u00a7 13b UStG": { + "account_number": "1408" + }, + "Abziehbare Vorsteuer aus der Auslagerung von Gegenst\u00e4nden aus dem Umsatzsteuerlager": { + "account_number": "1431" + }, + "Abziehbare Vorsteuer aus innergem. Erwerb von Neufahrzeugen von Lieferanten ohne Ust-ID": { + "account_number": "1432" + } + }, + "Aufzuteilende Vorsteuer (Gruppe)": { + "is_group": 1, + "Aufzuteilende Vorsteuer": { + "account_number": "1410" + }, + "Aufzuteilende Vorsteuer 7 %": { + "account_number": "1411" + }, + "Aufzuteilende Vorsteuer aus innergem. Erwerb": { + "account_number": "1412" + }, + "Aufzuteilende Vorsteuer aus innergem. Erwerb 19 %": { + "account_number": "1413" + }, + "Aufzuteilende Vorsteuer 19 %": { + "account_number": "1416" + }, + "Aufzuteilende Vorsteuer nach \u00a7\u00a7 13a/13b UStG": { + "account_number": "1417" + }, + "Aufzuteilende Vorsteuer nach \u00a7\u00a7 13a/13b UStG 19 %": { + "account_number": "1419" + } + }, + "Umsatzsteuerforderungen (Gruppe)": { + "is_group": 1, + "Umsatzsteuerforderungen": { + "account_number": "1420" + }, + "Umsatzsteuerforderungen laufendes Jahr": { + "account_number": "1421" + }, + "Umsatzsteuerforderungen Vorjahr": { + "account_number": "1422" + }, + "Umsatzsteuerforderungen fr\u00fchere Jahre": { + "account_number": "1425" + }, + "Forderungen aus entrichteten Verbrauchsteuern": { + "account_number": "1427" + } + }, + "Bezahlte Einfuhrumsatzsteuer": { + "account_number": "1433" + }, + "Vorsteuer im Folgejahr abziehbar": { + "account_number": "1434" + }, + "Forderungen aus Gewerbesteuer\u00fcberzahlungen": { + "account_number": "1435" + }, + "Vorsteuer aus Erwerb als letzter Abnehmer innerh. eines Dreiecksgesch.s": { + "account_number": "1436" + }, + "Steuererstattungsanspr\u00fcche gg. anderen L\u00e4ndern": { + "account_number": "1440" + }, + "Forderungen an das Finanzamt aus abgef\u00fchrtem Bauabzugsbetrag": { + "account_number": "1456" + }, + "Forderungen gg. Bundesagentur f. Arbeit": { + "account_number": "1457" + }, + "Geldtransit": { + "account_number": "1460" + }, + "Vorsteuer nach allgemeinen Durchschnittss\u00e4tzen UStVA Kz. 63": { + "account_number": "1484" + }, + "Verrechnungskonto Ist-Versteuerung": { + "account_number": "1490" + }, + "Verrechnungskonto erhaltene Anz. bei Buchung \u00fcber Debitorenkonto": { + "account_number": "1495" + }, + "\u00dcberleitungskonto Kostenstellen": { + "account_number": "1498" + } + }, + "is_group": 1 + }, + "III - Wertpapiere": { + "is_group": 1, + "2 - sonstige Wertpapiere": { + "is_group": 1, + "Sonstige Wertpapiere": { + "account_number": "1510" + } + }, + "Finanzwechsel": { + "account_number": "1520" + }, + "Andere Wertpapiere mit unwesentlichen Wertschwankungen im Sinne Textziffer 18 DRS 2": { + "account_number": "1525" + }, + "Wertpapieranlagen i. R. d. kurzfr. Finanzdisposition": { + "account_number": "1530" + }, + "Schecks": { + "account_number": "1550" + }, + "Anteile an verbundenen Unternehmen (Umlaufverm\u00f6gen)": { + "account_number": "1500" + } + }, + "IV - Kassenbestand, Bundesbankguthaben, Guthaben bei Kreditinstituten und Schecks": { + "is_group": 1, + "Bewertungskorrektur zu Guthaben bei Kreditinstituten": { + "account_number": "9962" + }, + "Kasse (Gruppe)": { + "is_group": 1, + "account_type": "Cash", + "Kasse": { + "account_number": "1600", + "account_type": "Cash" + }, + "Nebenkasse 1": { + "account_number": "1610", + "account_type": "Cash" + }, + "Nebenkasse 2": { + "account_number": "1620", + "account_type": "Cash" + } + }, + "Postbank (Gruppe)": { + "is_group": 1, + "Postbank": { + "account_number": "1700" + }, + "Postbank 1 (Gruppe)": { + "is_group": 1, + "Postbank 1": { + "account_number": "1710" + } + }, + "Postbank 2 (Gruppe)": { + "is_group": 1, + "Postbank 2": { + "account_number": "1720" + } + }, + "Postbank 3 (Gruppe)": { + "is_group": 1, + "Postbank 3": { + "account_number": "1730" + } + } + }, + "LZB-Guthaben": { + "account_number": "1780" + }, + "Bundesbankguthaben": { + "account_number": "1790" + }, + "Bank (Gruppe)": { + "is_group": 1, + "account_type": "Bank", + "Bank": { + "account_number": "1800", + "account_type": "Bank" + }, + "Bank 1": { + "account_number": "1810", + "account_type": "Bank" + }, + "Bank 2": { + "account_number": "1820", + "account_type": "Bank" + }, + "Bank 3": { + "account_number": "1830" + }, + "Bank 4": { + "account_number": "1840" + }, + "Bank 5": { + "account_number": "1850" + }, + "Finanzmittelanlagen i. R. d. kurzfr. Finanzdisposition (nicht im Finanzmittelfonds enthalten)": { + "account_number": "1890" + }, + "Verb. gg. Kreditinstituten (nicht im Finanzmittelfonds enthalten)": { + "account_number": "1895" + } + } + }, + "is_group": 1 + }, + "C - Rechnungsabgrenzungsposten": { + "is_group": 1, + "Aktive Rechnungsabgrenzung": { + "account_number": "1900" + }, + "Als Aufwand ber\u00fccksichtigte Z\u00f6lle und Verbrauchsteuern auf Vorr\u00e4te": { + "account_number": "1920" + }, + "Als Aufwand ber\u00fccksichtigte Umsatzsteuer auf Anz.": { + "account_number": "1930" + }, + "Damnum/Disagio": { + "account_number": "1940" + } + }, + "D - Aktive latente Steuern": { + "is_group": 1, + "Aktive latente Steuern": { + "account_type": "Tax", + "account_number": "1950" + } + }, + "E - Aktiver Unterschiedsbetrag aus der Verm\u00f6gensverrechnung": { + "is_group": 1 + }, + "is_group": 1 + }, + "Passiva": { + "root_type": "Liability", + "A - Eigenkapital": { + "account_type": "Equity", + "is_group": 1, + "I - Gezeichnetes Kapital": { + "account_type": "Equity", + "is_group": 1 + }, + "II - Kapitalr\u00fccklage": { + "account_type": "Equity", + "is_group": 1 + }, + "III - Gewinnr\u00fccklagen": { + "account_type": "Equity", + "1 - gesetzliche R\u00fccklage": { + "account_type": "Equity", + "is_group": 1 + }, + "2 - R\u00fccklage f. Anteile an einem herrschenden oder mehrheitlich beteiligten Unternehmen": { + "account_type": "Equity", + "is_group": 1 + }, + "3 - satzungsm\u00e4\u00dfige R\u00fccklagen": { + "account_type": "Equity", + "is_group": 1 + }, + "4 - andere Gewinnr\u00fccklagen": { + "account_type": "Equity", + "is_group": 1, + "Gewinnr\u00fccklagen aus den \u00dcbergangsvorschriften BilMoG": { + "is_group": 1, + "Gewinnr\u00fccklagen (BilMoG)": { + "account_number": "2963" + }, + "Gewinnr\u00fccklagen aus Zuschreibung Sachanlageverm\u00f6gen (BilMoG)": { + "account_number": "2964" + }, + "Gewinnr\u00fccklagen aus Zuschreibung Finanzanlageverm\u00f6gen (BilMoG)": { + "account_number": "2965" + }, + "Gewinnr\u00fccklagen aus Aufl\u00f6sung der Sonderposten mit R\u00fccklageanteil (BilMoG)": { + "account_number": "2966" + } + }, + "Latente Steuern (Gewinnr\u00fccklage Haben) aus erfolgsneutralen Verrechnungen": { + "account_number": "2967" + }, + "Latente Steuern (Gewinnr\u00fccklage Soll) aus erfolgsneutralen Verrechnungen": { + "account_number": "2968" + }, + "Rechnungsabgrenzungsposten (Gewinnr\u00fccklage Soll) aus erfolgsneutralen Verrechnungen": { + "account_number": "2969" + } + }, + "is_group": 1 + }, + "IV - Gewinnvortrag/Verlustvortrag": { + "account_type": "Equity", + "is_group": 1 + }, + "V - Jahres\u00fcberschu\u00df/Jahresfehlbetrag": { + "account_type": "Equity", + "is_group": 1 + }, + "Einlagen stiller Gesellschafter": { + "account_number": "9295" + } + }, + "B - R\u00fcckstellungen": { + "is_group": 1, + "1 - R\u00fcckstellungen f. Pensionen und \u00e4hnliche Verplicht.": { + "is_group": 1, + "R\u00fcckstellungen f. Pensionen und \u00e4hnliche Verplicht.": { + "account_number": "3000" + }, + "R\u00fcckstellungen f. Pensionen und \u00e4hnliche Verplicht. (Saldierung mit langfristigen VG)": { + "account_number": "3009" + }, + "R\u00fcckstellungen f. Direktzusagen": { + "account_number": "3010" + }, + "R\u00fcckstellungen f. ZuschussVerplicht. f. Pensionskassen und Lebensversicherungen": { + "account_number": "3011" + } + }, + "2 - Steuerr\u00fcckstellungen": { + "is_group": 1, + "Steuerr\u00fcckstellungen": { + "account_number": "3020" + }, + "Gewerbesteuerr\u00fcckstellung": { + "account_number": "3030" + }, + "Gewerbesteuerr\u00fcckstellung, \u00a7 4 Abs. 5b EStG": { + "account_number": "3035" + }, + "R\u00fcckstellung f. latente Steuern": { + "account_number": "3060" + }, + "Sonstige R\u00fcckstellungen": { + "account_number": "3070" + }, + "R\u00fcckstellungen f. Personalkosten": { + "account_number": "3074" + }, + "R\u00fcckstellungen f. unterlassene Aufwendungen f. Instandhaltung, Nachholung in den ersten drei Monaten": { + "account_number": "3075" + }, + "R\u00fcckstellungen f. mit der Altersvers. vergleichb. langfr. Verplicht. zum langfr. Verbleib": { + "account_number": "3076" + }, + "R\u00fcckst. f. mit der Altersvers. vergleichb. langfr. Verplicht. (Saldierung mit langfristigen VG)": { + "account_number": "3077" + } + }, + "3 - sonstige R\u00fcckstellungen": { + "is_group": 1, + "Sonderposten mit R\u00fccklageanteil, steuerfreie R\u00fccklagen (Gruppe)": { + "is_group": 1, + "Sonderposten mit R\u00fccklageanteil, steuerfreie R\u00fccklagen": { + "account_number": "2980" + }, + "Sonderposten mit R\u00fccklageanteil nach \u00a7 6b EStG": { + "account_number": "2981" + }, + "Sonderposten mit R\u00fccklageanteil nach EStR R 6.6": { + "account_number": "2982" + }, + "R\u00fccklage f. Zusch\u00fcsse": { + "account_number": "2988" + }, + "Sonderposten mit R\u00fccklageanteil nach \u00a7 52 Abs.16 EStG": { + "account_number": "2989" + }, + "Sonderposten mit R\u00fccklageanteil, Sonderabschreibungen": { + "account_number": "2990" + }, + "Sonderposten mit R\u00fccklageanteil nach \u00a7 7g Abs. 2 EStG n. F.": { + "account_number": "2993" + }, + "Ausgleichsposten bei Entnahmen \u00a7 4g EStG": { + "account_number": "2995" + }, + "Sonderposten mit R\u00fccklageanteil nach \u00a7 7g Abs. 1 EStG a. F. / \u00a7 7g Abs. 5 EStG n. F.": { + "account_number": "2997" + }, + "Sonderposten mit R\u00fccklageanteil nach \u00a7 7g Abs. 3 und 7 EStG a. F.": { + "account_number": "2998" + }, + "Sonderposten f. Zusch\u00fcsse und Zulagen": { + "account_number": "2999" + }, + "R\u00fcckstellungen f. Abraum- und Abfallbeseitigung": { + "account_number": "3085" + }, + "R\u00fcckstellungen f. Gew\u00e4hrleistungen": { + "account_number": "3090" + }, + "R\u00fcckstellungen f. drohende Verluste aus schwebenden Gesch\u00e4ften": { + "account_number": "3092" + }, + "R\u00fcckstellungen f. Abschluss- und Pr\u00fcfungskosten": { + "account_number": "3095" + }, + "R\u00fcckstellungen zur Erf\u00fcllung der Aufbewahrungspflichten": { + "account_number": "3096" + }, + "Aufwandsr\u00fcckstellungen gem\u00e4\u00df \u00a7 249 Abs. 2 HGB a. F.": { + "account_number": "3098" + }, + "R\u00fcckstellungen f. Umweltschutz": { + "account_number": "3099" + } + } + } + }, + "C - Verb.": { + "account_type": "Payable", + "1 - Anleihen": { + "is_group": 1, + "account_type": "Payable", + "davon konvertibel": { + "account_type": "Payable", + "is_group": 1, + "Anleihen, konvertibel": { + "account_number": "3120" + }, + "Anleihen, konvertibel (b. 1 J.)": { + "account_number": "3121" + }, + "Anleihen, konvertibel (1-5 J.)": { + "account_number": "3125" + }, + "Anleihen, konvertibel (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3130" + } + }, + "Anleihen, nicht konvertibel": { + "account_number": "3100" + }, + "Anleihen, nicht konvertibel (b. 1 J.)": { + "account_number": "3101" + }, + "Anleihen, nicht konvertibel (1-5 J.)": { + "account_number": "3105" + }, + "Anleihen, nicht konvertibel (gr\u00f6\u00dfer 5 J.) (Gruppe)": { + "is_group": 1, + "Anleihen, nicht konvertibel (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3110" + } + } + }, + "2 - Verb. gg. Kreditinstituten": { + "account_type": "Payable", + "is_group": 1, + "Bewertungskorrektur zu Verb. gg. Kreditinstituten": { + "account_number": "9963" + }, + "Verb. gg. Kreditinstituten (Gruppe)": { + "is_group": 1, + "Verb. gg. Kreditinstituten": { + "account_number": "3150" + }, + "Verb. gg. Kreditinstituten (b. 1 J.)": { + "account_number": "3151" + }, + "Verb. gg. Kreditinstituten (1-5 J.)": { + "account_number": "3160" + }, + "Verb. gg. Kreditinstituten (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3170" + } + }, + "Verb. gg. Kreditinstituten aus Teilzahlungsvertr\u00e4gen (Gruppe)": { + "is_group": 1, + "Verb. gg. Kreditinstituten aus Teilzahlungsvertr\u00e4gen": { + "account_number": "3180" + }, + "Verb. gg. Kreditinstituten aus Teilzahlungsvertr\u00e4gen (b. 1 J.)": { + "account_number": "3181" + }, + "Verb. gg. Kreditinstituten aus Teilzahlungsvertr\u00e4gen (1-5 J.)": { + "account_number": "3190" + }, + "Verb. gg. Kreditinstituten aus Teilzahlungsvertr\u00e4gen (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3200" + } + } + }, + "3 - erhaltene Anz. auf Bestellungen": { + "account_type": "Payable", + "is_group": 1, + "Erhaltene, versteuerte Anz. 7 % USt (Verb.)": { + "account_number": "3260", + "account_type": "Receivable" + }, + "Erhaltene, versteuerte Anz. 16 % USt (Verb.)": { + "account_number": "3270" + }, + "Erhaltene, versteuerte Anz. 15 % USt (Verb.)": { + "account_number": "3271" + }, + "Erhaltene, versteuerte Anz. 19 % USt (Verb.)": { + "account_number": "3272", + "account_type": "Receivable" + }, + "Erhaltene Anz. (Gruppe)": { + "is_group": 1, + "Erhaltene Anz. (b. 1 J.)": { + "account_number": "3280", + "account_type": "Receivable" + }, + "Erhaltene Anz. (1-5 J.)": { + "account_number": "3284", + "account_type": "Receivable" + }, + "Erhaltene Anz. (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3285", + "account_type": "Receivable" + } + }, + "Erhaltene Anz. auf Bestellungen (Verb.)": { + "account_number": "3250", + "account_type": "Receivable" + } + }, + "4 - Verb. aus Lieferungen und Leistungen": { + "account_type": "Payable", + "is_group": 1, + "Bewertungskorrektur zu Verb. aus Lieferungen und Leistungen": { + "account_number": "9964" + }, + "Verb. aus Lieferungen und Leistungen": { + "account_number": "3300", + "account_type": "Payable" + }, + "Verb. aus Lieferungen und Leistungen ohne Kontokorrent": { + "account_number": "3310" + }, + "Verb. aus Lieferungen und Leistungen ohne Kontokorrent (b. 1 J.)": { + "account_number": "3335" + }, + "Verb. aus Lieferungen und Leistungen ohne Kontokorrent (1-5 J.)": { + "account_number": "3337" + }, + "Verb. aus Lieferungen und Leistungen ohne Kontokorrent (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3338" + } + }, + "5 - Verb. aus der Annahme gezogener Wechsel und der Ausstellung eigener Wechsel": { + "account_type": "Payable", + "is_group": 1, + "Verb. aus der Annahme gezogener Wechsel und aus der Ausstellung eigener Wechsel": { + "account_number": "3350" + }, + "Verb. aus der Annahme gezogener Wechsel und aus der Ausstellung eigener Wechsel (b. 1 J.)": { + "account_number": "3351" + }, + "Verb. aus der Annahme gezogener Wechsel und aus der Ausstellung eigner Wechsel (1-5 J.)": { + "account_number": "3380" + }, + "Verb. aus der Annahme gezogener Wechsel und der Ausstellung eigener Wechsel (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3390" + } + }, + "6 - Verb. gg. verbundenen Unternehmen": { + "account_type": "Payable", + "is_group": 1, + "Verb. gg. verbundenen Unternehmen": { + "account_number": "3400" + }, + "Verb. gg. verbundenen Unternehmen (b. 1 J.)": { + "account_number": "3401" + }, + "Verb. gg. verbundenen Unternehmen (1-5 J.)": { + "account_number": "3405" + }, + "Verb. gg. verbundenen Unternehmen (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3410" + }, + "Verb. aus LuL gg. verbundenen Unternehmen": { + "account_number": "3420" + }, + "Verb. aus LuL gg. verbundenen Unternehmen (b. 1 J.)": { + "account_number": "3421" + }, + "Verb. aus LuL gg. verbundenen Unternehmen (1-5 J.)": { + "account_number": "3425" + }, + "Verb. aus LuL gg. verbundenen Unternehmen (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3430" + } + }, + "7 - Verb. gg. Unternehmen, mit denen ein Beteiligungsverh. besteht": { + "account_type": "Payable", + "is_group": 1, + "Verb. gg. Unternehmen, mit denen ein Beteiligungsverh. besteht": { + "account_number": "3450" + }, + "Verb. gg. Unternehmen, mit denen ein Beteiligungsverh. besteht (b. 1 J.)": { + "account_number": "3451" + }, + "Verb. gg. Unternehmen, mit denen ein Beteiligungsverh. besteht (1-5 J.)": { + "account_number": "3455" + }, + "Verb. gg. Unternehmen, mit denen ein Beteiligungsverh. besteht (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3460" + }, + "Verb. aus LuL gg. Unternehmen, mit denen ein Beteiligungsverh. besteht": { + "account_number": "3470" + }, + "Verb. aus LuL gg. Unternehmen, mit denen ein Beteiligungsverh. besteht (b. 1 J.)": { + "account_number": "3471" + }, + "Verb. aus LuL gg. Unternehmen, mit denen ein Beteiligungsverh. besteht (1-5 J.)": { + "account_number": "3475" + }, + "Verb. aus LuL gg. Unternehmen, mit denen ein Beteiligungsverh. besteht (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3480" + } + }, + "8 - sonstige Verb.": { + "account_type": "Payable", + "is_group": 1, + "davon aus Steuern": { + "account_type": "Payable", + "is_group": 1, + "Verb. aus Steuern und Abgaben": { + "account_number": "3700", + "account_type": "Payable" + }, + "Verb. aus Steuern und Abgaben (b. 1 J.)": { + "account_number": "3701" + }, + "Verb. aus Steuern und Abgaben (1-5 J.)": { + "account_number": "3710" + }, + "Verb. aus Steuern und Abgaben (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3715" + }, + "Verb. aus Lohn- und Kirchensteuer": { + "account_number": "3730" + }, + "Verb. aus Einbehaltungen (KapESt und Solz auf KapESt) f. offene Aussch\u00fcttungen": { + "account_number": "3760" + }, + "Verb. f. Verbrauchsteuern": { + "account_number": "3761" + } + }, + "Gewinnverf\u00fcgungskonto stille Gesellschafter": { + "account_number": "3620" + }, + "Sonstige Verrechnungskonten (Interimskonten)": { + "account_number": "3630" + }, + "Kreditkartenabrechnung": { + "account_number": "3610" + }, + "Verb. gg. Arbeitsgemeinschaften": { + "account_number": "3611" + }, + "Bewertungskorrektur zu sonstigen Verb.": { + "account_number": "9961" + }, + "Verb. gg. stillen Gesellschaftern": { + "account_number": "3655" + }, + "Verb. gg. stillen Gesellschaftern (b. 1 J.)": { + "account_number": "3656" + }, + "Verb. gg. stillen Gesellschaftern (1-5 J.)": { + "account_number": "3657" + }, + "Verb. gg. stillen Gesellschaftern (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3658" + }, + "davon i. R. d. sozialen Sicherheit": { + "account_type": "Payable", + "is_group": 1, + "Verb. i. R. d. sozialen Sicherheit": { + "account_number": "3740" + }, + "Verb. i. R. d. sozialen Sicherheit (b. 1 J.)": { + "account_number": "3741" + }, + "Verb. i. R. d. sozialen Sicherheit (1-5 J.)": { + "account_number": "3750" + }, + "Verb. i. R. d. sozialen Sicherheit (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3755" + }, + "Voraussichtliche Beitragsschuld gg. den Sozialversicherungstr\u00e4gern": { + "account_number": "3759" + } + }, + "Verb. aus Lohn und Gehalt (Gruppe)": { + "is_group": 1, + "Verb. aus Lohn und Gehalt": { + "account_number": "3720" + }, + "Verb. f. Einbehaltungen von Arbeitnehmern": { + "account_number": "3725" + }, + "Verb. an das Finanzamt aus abzuf\u00fchrendem Bauabzugsbetrag": { + "account_number": "3726" + } + }, + "Verb. aus Verm\u00f6gensbildung": { + "account_number": "3770" + }, + "Verb. aus Verm\u00f6gensbildung (b. 1 J.)": { + "account_number": "3771" + }, + "Verb. aus Verm\u00f6gensbildung (1-5 J.)": { + "account_number": "3780" + }, + "Verb. aus Verm\u00f6gensbildung (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3785" + }, + "Ausgegebene Geschenkgutscheine": { + "account_number": "3786" + }, + "Sonstige Verb.": { + "account_number": "3500", + "account_type": "Payable" + }, + "Sonstige Verb. (b. 1 J.)": { + "account_number": "3501" + }, + "Sonstige Verb. (1-5 J.)": { + "account_number": "3504" + }, + "Sonstige Verb. (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3507" + }, + "Darlehen typisch stiller Gesellschafter (Gruppe)": { + "is_group": 1, + "Darlehen typisch stiller Gesellschafter": { + "account_number": "3520" + }, + "Darlehen typisch stiller Gesellschafter (b. 1 J.)": { + "account_number": "3521" + }, + "Darlehen typisch stiller Gesellschafter (1-5 J.)": { + "account_number": "3524" + }, + "Darlehen typisch stiller Gesellschafter (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3527" + } + }, + "Darlehen atypisch stiller Gesellschafter (Gruppe)": { + "is_group": 1, + "Darlehen atypisch stiller Gesellschafter": { + "account_number": "3530" + }, + "Darlehen atypisch stiller Gesellschafter (b. 1 J.)": { + "account_number": "3531" + }, + "Darlehen atypisch stiller Gesellschafter (1-5 J.)": { + "account_number": "3534" + }, + "Darlehen atypisch stiller Gesellschafter (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3537" + } + }, + "Partiarische Darlehen (Gruppe)": { + "is_group": 1, + "Partiarische Darlehen": { + "account_number": "3540" + }, + "Partiarische Darlehen (b. 1 J.)": { + "account_number": "3541" + }, + "Partiarische Darlehen (1-5 J.)": { + "account_number": "3544" + }, + "Partiarische Darlehen (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3547" + } + }, + "Erhaltene Kautionen (Gruppe)": { + "is_group": 1, + "Erhaltene Kautionen": { + "account_number": "3550" + }, + "Erhaltene Kautionen (b. 1 J.)": { + "account_number": "3551" + }, + "Erhaltene Kautionen (1-5 J.)": { + "account_number": "3554" + }, + "Erhaltene Kautionen (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3557" + } + }, + "Darlehen (1-5 J.)": { + "account_number": "3564" + }, + "Darlehen (gr\u00f6\u00dfer 5 J.)": { + "account_number": "3567" + }, + "Lohn- und Gehaltsverrechnungskonto": { + "account_number": "3790" + }, + "Umsatzsteuer (Gruppe)": { + "account_type": "Tax", + "is_group": 1, + "Umsatzsteuer": { + "account_number": "3800", + "account_type": "Tax" + }, + "Umsatzsteuer 7 %": { + "account_number": "3801", + "account_type": "Tax" + }, + "Umsatzsteuer aus innergem. Erwerb": { + "account_number": "3802" + }, + "Umsatzsteuer aus innergem. Erwerb 19 %": { + "account_number": "3804" + }, + "Umsatzsteuer 19 %": { + "account_number": "3806", + "account_type": "Tax" + }, + "Umsatzsteuer aus im Inland steuerpfl. EU-Lieferungen": { + "account_number": "3807" + }, + "Umsatzsteuer aus im Inland steuerpfl. EU-Lieferungen 19 %": { + "account_number": "3808" + }, + "Umsatzsteuer aus innergem. Erwerb ohne Vorsteuerabzug": { + "account_number": "3809" + }, + "Umsatzsteuer nicht f\u00e4llig (Gruppe)": { + "is_group": 1, + "Umsatzsteuer nicht f\u00e4llig": { + "account_number": "3810" + }, + "Umsatzsteuer nicht f\u00e4llig 7 %": { + "account_number": "3811" + }, + "Umsatzsteuer nicht f\u00e4llig aus im Inland steuerpfl. EU-Lieferungen": { + "account_number": "3812" + }, + "Umsatzsteuer nicht f\u00e4llig aus im Inland steuerpfl. EU-Lieferungen 19 %": { + "account_number": "3814" + }, + "Umsatzsteuer nicht f\u00e4llig 19 %": { + "account_number": "3816" + }, + "Umsatzsteuer aus im anderen EU-Land steuerpfl. Lieferungen": { + "account_number": "3817" + }, + "Umsatzsteuer aus im anderen EU-Land steuerpfl. sonstigen Leistungen/Werklieferungen": { + "account_number": "3818" + }, + "Umsatzsteuer aus Erwerb als letzter Abnehmer innerh. eines Dreiecksgesch.s": { + "account_number": "3819" + } + }, + "Umsatzsteuer-Vorauszahlungen": { + "account_number": "3820", + "account_type": "Tax" + }, + "Umsatzsteuer-Vorauszahlung 1/11": { + "account_number": "3830" + }, + "Nachsteuer, UStVA Kz. 65": { + "account_number": "3832" + }, + "Umsatzsteuer aus innergem. Erwerb von Neufahrzeugen von Lieferanten ohne Ust-ID": { + "account_number": "3834" + }, + "Umsatzsteuer nach \u00a7 13b UStG": { + "account_number": "3835" + }, + "Umsatzsteuer nach \u00a7 13b UStG 19 %": { + "account_number": "3837" + }, + "Umsatzsteuer aus der Auslagerung von Gegenst\u00e4nden aus einem Umsatzsteuerlager": { + "account_number": "3839" + }, + "Einfuhrumsatzsteuer aufgeschoben bis": { + "account_number": "3850" + }, + "In Rechnung unrichtig oder unberechtigtausgewiesene Steuerbetr\u00e4ge, UStVA Kz. 69": { + "account_number": "3852" + }, + "Steuerzahlungen an andere L\u00e4nder": { + "account_number": "3854" + } + } + }, + "is_group": 1 + }, + "E - Passive latente Steuern": { + "is_group": 1, + "Passive latente Steuern": { + "account_number": "3065" + } + }, + "D - Rechnungsabgrenzungsposten": { + "is_group": 1, + "Passive Rechnungsabgrenzung": { + "account_number": "3900" + } + }, + "is_group": 1 + }, + "1 - Umsatzerl\u00f6se": { + "root_type": "Income", + "is_group": 1, + "Steuerfreie Ums\u00e4tze \u00a7 4 Nr. 8 ff UStG (Gruppe)": { + "is_group": 1, + "Steuerfreie Ums\u00e4tze \u00a7 4 Nr. 8 ff UStG": { + "account_number": "4100" + }, + "Steuerfreie Ums\u00e4tze nach \u00a7 4 Nr. 12 UStG (Vermietung und Verpachtung)": { + "account_number": "4105" + }, + "Sonstige steuerfreie Ums\u00e4tze Inland": { + "account_number": "4110" + }, + "Steuerfreie Ums\u00e4tze \u00a7 4 Nr. 1a UStG (Gruppe)": { + "is_group": 1, + "Steuerfreie Ums\u00e4tze \u00a7 4 Nr. 1a UStG": { + "account_number": "4120" + }, + "Steuerfreie Innergemeinschaftliche Lieferungen \u00a7 4 Nr. 1b UStG": { + "account_number": "4125" + } + }, + "Lieferungen des ersten Abnehmers bei innergem. Dreiecksgesch.en \u00a7 25b Abs. 2 UStG (Gruppe)": { + "is_group": 1, + "Lieferungen des ersten Abnehmers bei innergem. Dreiecksgesch.en \u00a7 25b Abs. 2 UStG": { + "account_number": "4130" + }, + "Steuerfreie innergem. Lieferungen von Neufahrzeugen an Abnehmer ohne Ust-ID": { + "account_number": "4135" + }, + "Umsatzerl\u00f6se nach \u00a7\u00a7 25 und 25a UStG 19% USt": { + "account_number": "4136" + }, + "Umsatzerl\u00f6se nach \u00a7\u00a7 25 und 25a UStG ohne USt": { + "account_number": "4138" + }, + "Umsatzerl\u00f6se aus Reiseleistungen \u00a7 25 Abs. 2 UStG, steuerfrei": { + "account_number": "4139" + } + }, + "Steuerfreie Ums\u00e4tze Offshore usw.": { + "account_number": "4140" + }, + "Sonstige steuerfreie Ums\u00e4tze (z. B. \u00a7 4 Nr. 2-7 UStG)": { + "account_number": "4150" + }, + "Steuerfreie Ums\u00e4tze ohne Vorsteuerabzug zum Gesamtumsatz geh\u00f6rend": { + "account_number": "4160" + }, + "Erl\u00f6se, die mit den Durchschnittss\u00e4tzen des \u00a7 24 UStG versteuert werden": { + "account_number": "4180" + }, + "Erl\u00f6se aus Kleinunternehmer i. S. d. \u00a7 19 Abs. 1 UStG": { + "account_number": "4185", + "account_type": "Income Account" + }, + "Erl\u00f6se aus Geldspielautomaten 19 % USt": { + "account_number": "4186" + } + }, + "Erl\u00f6se": { + "account_number": "4200", + "account_type": "Income Account" + }, + "Erl\u00f6se 7 % USt": { + "account_number": "4300", + "account_type": "Income Account" + }, + "Erl\u00f6se aus im Inland steuerpfl. EU-Lieferungen 7 % USt": { + "account_number": "4310" + }, + "Erl\u00f6se aus im Inland steuerpfl. EU-Lieferungen 19 % USt": { + "account_number": "4315" + }, + "Erl\u00f6se aus im anderen EU-Land steuerpfl. Lieferungen": { + "account_number": "4320" + }, + "Erl\u00f6se aus im Inland steuerpfl. EU-Lieferungen 16 % USt": { + "account_number": "4330" + }, + "Erl\u00f6se aus Lieferungen von Mobilfunkger./Schaltkr., f. die der Leistungsempf. die Ust. schuldet": { + "account_number": "4335" + }, + "Erl\u00f6se aus im anderen EU-Land steuerpfl. sonst. Leistungen, f. die der Leistungsempf. die Ust. schuldet": { + "account_number": "4336" + }, + "Erl\u00f6se aus Leistungen, f. die der Leistungsempf. die Ust. nach \u00a7 13b UStG schuldet": { + "account_number": "4337" + }, + "Erl\u00f6se aus im Drittland steuerbaren Leistungen, im Inland nicht steuerbare Ums\u00e4tze": { + "account_number": "4338" + }, + "Erl\u00f6se aus im anderen EU-Land steuerbaren Leistungen, im Inland nicht steuerbare Ums\u00e4tze": { + "account_number": "4339" + }, + "Erl\u00f6se 16 % USt (Gruppe)": { + "is_group": 1, + "Erl\u00f6se 16 % USt": { + "account_number": "4340" + } + }, + "Erl\u00f6se 19 % USt (Gruppe)": { + "is_group": 1, + "Erl\u00f6se 19 % USt": { + "account_number": "4400", + "account_type": "Income Account" + } + }, + "Erl\u00f6sschm\u00e4lerungen (Gruppe)": { + "is_group": 1, + "Erl\u00f6sschm\u00e4lerungen": { + "account_number": "4700" + }, + "Erl\u00f6sschm\u00e4lerungen aus steuerfreien Ums\u00e4tzen \u00a7 4 Nr. 1a UStG": { + "account_number": "4705" + }, + "Erl\u00f6sschm\u00e4lerungen 7 % USt": { + "account_number": "4710" + }, + "Erl\u00f6sschm\u00e4lerungen 19 % USt": { + "account_number": "4720" + }, + "Erl\u00f6sschm\u00e4lerungen 16 % USt": { + "account_number": "4723" + }, + "Erl\u00f6sschm\u00e4lerungen aus steuerfreien innergem. Lieferungen": { + "account_number": "4724" + }, + "Erl\u00f6sschm\u00e4lerungen aus im Inland steuerpfl. EU-Lieferungen 7 % USt": { + "account_number": "4725" + }, + "Erl\u00f6sschm\u00e4lerungen aus im Inland steuerpfl. EU-Lieferungen 19 % USt": { + "account_number": "4726" + }, + "Erl\u00f6sschm\u00e4lerungen aus im anderen EU-Land steuerpfl. Lieferungen": { + "account_number": "4727" + }, + "Erl\u00f6sschm\u00e4lerungen aus im Inland steuerpfl. EU-Lieferungen 16 % USt": { + "account_number": "4729" + }, + "Gew\u00e4hrte Skonti (Gruppe)": { + "is_group": 1, + "Gew. Skonti": { + "account_number": "4730" + }, + "Gew. Skonti 7 % USt": { + "account_number": "4731" + }, + "Gew. Skonti 19 % USt": { + "account_number": "4736" + }, + "Gew. Skonti aus Lieferungen von Mobilfunkger./Schaltkr., f. die der Leistungsempf. die Ust. schuldet": { + "account_number": "4738" + }, + "Gew. Skonti aus Leistungen, f. die der Leistungsempf. die Umsatzsteuer nach \u00a7 13b UStG schuldet": { + "account_number": "4741" + }, + "Gew. Skonti aus Erl\u00f6sen aus im anderen EU-Land steuerpfl. Leistungen, f. die der Leistungsempf. die Ust. schuldet": { + "account_number": "4742" + }, + "Gew. Skonti aus steuerfreien innergem. Lieferungen \u00a7 4 Nr. 1b UStG": { + "account_number": "4743" + }, + "Gew. Skonti aus im Inland steuerpfl. EU-Lieferungen": { + "account_number": "4745" + }, + "Gew. Skonti aus im Inland steuerpfl. EU-Lieferungen 7% USt": { + "account_number": "4746" + }, + "Gew. Skonti aus im Inland steuerpfl. EU-Lieferungen 19% USt": { + "account_number": "4748" + } + }, + "Gew\u00e4hrte Boni 7 % USt": { + "account_number": "4750" + }, + "Gew\u00e4hrte Boni 19 % USt": { + "account_number": "4760" + }, + "Gew\u00e4hrte Boni": { + "account_number": "4769" + }, + "Gew\u00e4hrte Rabatte": { + "account_number": "4770" + }, + "Gew\u00e4hrte Rabatte 7 % USt": { + "account_number": "4780" + }, + "Gew\u00e4hrte Rabatte 19 % USt": { + "account_number": "4790" + } + }, + "Grundst\u00fccksertr\u00e4ge (Gruppe)": { + "is_group": 1, + "Grundst\u00fccksertr\u00e4ge": { + "account_number": "4860" + }, + "Erl\u00f6se aus Vermietung und Verpachtung, umsatzsteuerfrei \u00a7 4 Nr. 12 UStG": { + "account_number": "4861" + }, + "Erl\u00f6se aus Vermietung und Verpachtung 19% USt": { + "account_number": "4862" + } + }, + "Sonstige Ertr\u00e4ge aus Provisionen, Lizenzen und Patenten (Gruppe)": { + "is_group": 1, + "Sonstige Ertr\u00e4ge aus Provisionen, Lizenzen und Patenten": { + "account_number": "4570" + }, + "Sonstige Ertr\u00e4ge aus Provisionen, Lizenzen und Patenten, steuerfrei \u00a7 4 Nr. 8ff UStG": { + "account_number": "4574" + }, + "Sonstige Ertr\u00e4ge aus Provisionen, Lizenzen und Patenten, steuerfrei \u00a7 4 Nr. 5 UStG": { + "account_number": "4575" + }, + "Sonstige Ertr\u00e4ge aus Provisionen, Lizenzen und Patenten 7% USt": { + "account_number": "4576" + }, + "Sonstige Ertr\u00e4ge aus Provisionen, Lizenzen und Patenten 19% USt": { + "account_number": "4579" + } + }, + "Provisionsums\u00e4tze (Gruppe)": { + "is_group": 1, + "Provisionsums\u00e4tze": { + "account_number": "4560" + }, + "Provisionsums\u00e4tze, steuerfrei \u00a7 4Nr. 8ff UStG": { + "account_number": "4564" + }, + "Provisionsums\u00e4tze, steuerfrei \u00a7 4 Nr. 5 UStG": { + "account_number": "4565" + }, + "Provisionsums\u00e4tze 7% USt": { + "account_number": "4566" + }, + "Provisionsums\u00e4tze 19 % Ust": { + "account_number": "4569" + } + }, + "Erl\u00f6se Abfallverwertung": { + "account_number": "4510" + }, + "Erl\u00f6se Leergut": { + "account_number": "4520" + } + }, + "2 - Herstellungskosten der zur Erzielung der Umsatzerl\u00f6se erbrachten Leistungen": { + "root_type": "Expense", + "is_group": 1, + "Herstellungskosten (Gruppe)": { + "Herstellungskosten": { + "account_number": "6990", + "account_type": "Cost of Goods Sold" + }, + "Herstellungskosten: Schwund": { + "account_type": "Stock Adjustment" + } + }, + "Aufwendungen f. Roh-, Hilfs- und Betriebsstoffe und f. bezogene Waren": { + "account_number": "5000", + "account_type": "Expense Account" + }, + "Einkauf Roh-, Hilfs- und Betriebsstoffe (Gruppe)": { + "is_group": 1, + "Einkauf Roh-, Hilfs- und Betriebsstoffe": { + "account_number": "5100", + "account_type": "Expense Account" + }, + "Einkauf Roh-, Hilfs- und Betriebsstoffe 7% Vorsteuer": { + "account_number": "5110" + }, + "Einkauf Roh-, Hilfs- und Betriebsstoffe 19% Vorsteuer": { + "account_number": "5130" + }, + "Einkauf Roh-, Hilfs- und Betriebsstoffe, innergem. Erwerb 7% Vorst. u. 7% Ust.": { + "account_number": "5160" + }, + "Einkauf Roh-, Hilfs- und Betriebsstoffe, innergem. Erwerb 19% Vorst. u. 19% Ust.": { + "account_number": "5162" + }, + "Einkauf Roh-, Hilfs- und Betriebsstoffe, innergem. Erwerb ohne Vorsteuer und 7% Umsatzsteuer": { + "account_number": "5166" + }, + "Einkauf Roh-, Hilfs- und Betriebsstoffe, innergem. Erwerb ohne Vorsteuer und 19% Umsatzsteuer": { + "account_number": "5167" + }, + "Einkauf Roh-, Hilfs- und Betriebsstoffe 5,5% Vorsteuer": { + "account_number": "5170" + }, + "Einkauf Roh-, Hilfs- und Betriebsstoffe 10,7% Vorsteuer": { + "account_number": "5171" + }, + "Einkauf Roh-, Hilfs- und Betriebsstoffe aus einem USt-Lager \u00a7 13a UStG 7% Vorst. und 7% Ust.": { + "account_number": "5175" + }, + "Einkauf Roh-, Hilfs- und Betriebsstoffe aus einem USt-Lager \u00a7 13a UStG 19% Vorst. und 19% Ust.": { + "account_number": "5176" + }, + "Erwerb Roh-, Hilfs- und Betriebsstoffe als letzter Abnehmer innerh. Dreiecksgesch. 19% Vorst. und 19% Ust.": { + "account_number": "5189" + }, + "Energiestoffe (Fertigung) (Gruppe)": { + "is_group": 1, + "Energiestoffe (Fertigung)": { + "account_number": "5190" + }, + "Energiestoffe (Fertigung)7% Vorsteuer": { + "account_number": "5191" + }, + "Energiestoffe (Fertigung)19% Vorsteuer": { + "account_number": "5192" + } + } + }, + "Wareneingang (Gruppe)": { + "is_group": 1, + "Wareneingang": { + "account_number": "5200" + }, + "Wareneingang 7 % Vorsteuer": { + "account_number": "5300" + }, + "Wareneingang 19 % Vorsteuer": { + "account_number": "5400" + }, + "Wareneingang 5,5 % Vorsteuer": { + "account_number": "5505" + }, + "Wareneingang 10,7 % Vorsteuer": { + "account_number": "5540" + }, + "Steuerfreier innergem. Erwerb": { + "account_number": "5550" + }, + "Wareneingang im Drittland steuerbar": { + "account_number": "5551" + }, + "Erwerb 1. Abnehmer innerh. eines Dreieckgesch\u00e4ftes": { + "account_number": "5552" + }, + "Erwerb Waren als letzter Abnehmer innerh. Dreiecksgesch. 19% Vorst. u. 19% Ust.": { + "account_number": "5553" + }, + "Wareneingang im anderen EU-Land steuerbar": { + "account_number": "5558" + }, + "Steuerfreie Einfuhren": { + "account_number": "5559" + }, + "Waren aus einem Umsatzsteuerlager, \u00a7 13a UStG 7% Vorst. u. 7% Ust.": { + "account_number": "5560" + }, + "Waren aus einem Umsatzsteuerlager, \u00a7 13a UStG 19% Vorst. u. 19% Ust.": { + "account_number": "5565" + } + }, + "innergem. Erwerb 7% Vorst. u. 7% Ust.": { + "account_number": "5420" + }, + "innergem. Erwerb 19 % Vorsteuer 19 % Umsatzsteuer": { + "account_number": "5425" + }, + "innergem. Erwerb ohne Vorst. und 7% Ust.": { + "account_number": "5430" + }, + "innergem. Erwerb ohne Vorsteuer und 19 % Umsatzsteuer": { + "account_number": "5435" + }, + "innergem. Erwerb von Neufahrzeugen von Lieferanten ohne Ust-ID 19 % Vorst. und 19 % Ust.": { + "account_number": "5440" + }, + "Nicht abziehbare Vorsteuer (Gruppe)": { + "is_group": 1, + "Nicht abziehbare Vorsteuer": { + "account_number": "5600" + }, + "Nicht abziehbare Vorsteuer 7 % (Gruppe)": { + "is_group": 1, + "Nicht abziehbare Vorsteuer 7 %": { + "account_number": "5610" + } + }, + "Nicht abziehbare Vorsteuer 19 % (Gruppe)": { + "is_group": 1, + "Nicht abziehbare Vorsteuer 19 %": { + "account_number": "5660" + } + } + }, + "Nachl\u00e4sse (Gruppe)": { + "is_group": 1, + "Nachl\u00e4sse": { + "account_number": "5700" + }, + "Nachl\u00e4sse aus Einkauf Roh-, Hilfs- und Betriebsstoffe": { + "account_number": "5701" + }, + "Nachl\u00e4sse 7 % Vorsteuer": { + "account_number": "5710" + }, + "Nachl\u00e4sse aus Einkauf Roh-, Hilfs- und Betriebsstoffe 7% Vorsteuer": { + "account_number": "5714" + }, + "Nachl\u00e4sse aus Einkauf Roh-, Hilfs- und Betriebsstoffe 19% Vorsteuer": { + "account_number": "5715" + }, + "Nachl\u00e4sse aus Einkauf Roh-, Hilfs- und Betriebsstoffe, innergem. Erwerb 7% Vorst. u. 7% Ust.": { + "account_number": "5717" + }, + "Nachl\u00e4sse aus Einkauf Roh-, Hilfs- und Betriebsstoffe, innergem. Erwerb 19% Vorst. u. 19% Ust.": { + "account_number": "5718" + }, + "Nachl\u00e4sse 19 % Vorsteuer": { + "account_number": "5720" + }, + "Nachl\u00e4sse 16 % Vorsteuer": { + "account_number": "5722" + }, + "Nachl\u00e4sse 15 % Vorsteuer": { + "account_number": "5723" + }, + "Nachl\u00e4sse aus innergem. Erwerb 7% Vorst. u. 7% Ust.": { + "account_number": "5724" + }, + "Nachl\u00e4sse aus innergem. Erwerb 19% Vorst. u. 19% Ust.": { + "account_number": "5725" + }, + "Nachl\u00e4sse aus innergem. Erwerb 16 % Vorsteuer und 16 % Umsatzsteuer": { + "account_number": "5726" + }, + "Nachl\u00e4sse aus innergem. Erwerb 15 % Vorsteuer und 15 % Umsatzsteuer": { + "account_number": "5727" + }, + "Erhaltene Skonti (Gruppe)": { + "is_group": 1, + "Erh. Skonti": { + "account_number": "5730" + }, + "Erh. Skonti 7 % Vorsteuer": { + "account_number": "5731" + }, + "Erh. Skonti aus Einkauf Roh-, Hilfs- und Betriebsstoffe": { + "account_number": "5733" + }, + "Erh. Skonti aus Einkauf Roh-, Hilfs- und Betriebsstoffe 7% Vorsteuer": { + "account_number": "5734" + }, + "Erh. Skonti 19 % Vorsteuer": { + "account_number": "5736" + }, + "Erh. Skonti aus Einkauf Roh-, Hilfs- und Betriebsstoffe 19% Vorsteuer": { + "account_number": "5738" + }, + "Erh. Skonti aus Einkauf Roh-, Hilfs- und Betriebsstoffe aus steuerpfl. innergem. Erwerb 19% Vorst. u. 19% Ust.": { + "account_number": "5741" + }, + "Erh. Skonti aus Einkauf Roh-, Hilfs- und Betriebsstoffe aus steuerpfl. innergem. Erwerb 7% Vorst. u. 7% Ust.": { + "account_number": "5743" + }, + "Erh. Skonti aus steuerpflichtigem innergem. Erwerb": { + "account_number": "5745" + }, + "Erh. Skonti aus steuerpflichtigem innergem. Erwerb 7% Vorst. u. 7% Ust.": { + "account_number": "5746" + }, + "Erh. Skonti aus steuerpflichtigem innergem. Erwerb 19% Vorst. u. 19% Ust.": { + "account_number": "5748" + }, + "Erh. Skonti aus Erwerb Roh-,Hilfs-,Betriebsstoff letzter Abn.innerh.Dreiecksg. 19% Vorst. und 19% Ust.": { + "account_number": "5792" + }, + "Erh. Skonti aus Erwerb Waren als letzter Abnehmer innerh. Dreiecksgesch. 19% Vorst. u. 19% Ust.": { + "account_number": "5793" + } + }, + "Erhaltene Boni (Gruppe)": { + "is_group": 1, + "Erhaltene Boni 7 % Vorsteuer": { + "account_number": "5750" + }, + "Erhaltene Boni aus Einkauf Roh-, Hilfs- und Betriebsstoffe": { + "account_number": "5753" + }, + "Erhaltene Boni aus Einkauf Roh-, Hilfs- und Betriebsstoffe 7% Vorsteuer": { + "account_number": "5754" + }, + "Erhaltene Boni aus Einkauf Roh-, Hilfs- und Betriebsstoffe 19% Vorsteuer": { + "account_number": "5755" + }, + "Erhaltene Boni 19 % Vorsteuer": { + "account_number": "5760" + }, + "Erhaltene Boni": { + "account_number": "5769" + } + }, + "Erhaltene Rabatte (Gruppe)": { + "is_group": 1, + "Erhaltene Rabatte": { + "account_number": "5770" + }, + "Erhaltene Rabatte 7 % Vorsteuer": { + "account_number": "5780" + }, + "Erhaltene Rabatte aus Einkauf Roh-, Hilfs- und Betriebsstoffe": { + "account_number": "5783" + }, + "Erhaltene Rabatte aus Einkauf Roh-, Hilfs- und Betriebsstoffe 7% Vorsteuer": { + "account_number": "5784" + }, + "Erhaltene Rabatte aus Einkauf Roh-, Hilfs- und Betriebsstoffe 19% Vorsteuer": { + "account_number": "5785" + }, + "Erhaltene Rabatte 19 % Vorsteuer": { + "account_number": "5790" + } + } + }, + "Bezugsnebenkosten (Gruppe)": { + "is_group": 1, + "Bezugsnebenkosten": { + "account_number": "5800" + }, + "Leergut": { + "account_number": "5820" + }, + "Z\u00f6lle und Einfuhrabgaben": { + "account_number": "5840" + }, + "Verrechnete Stoffkosten (Gegenkonto 5000-99) oder (4000-99)": { + "account_number": "5860" + } + }, + "Fremdleistungen (Gruppe)": { + "is_group": 1, + "Fremdleistungen": { + "account_number": "5900", + "account_type": "Expense Account" + }, + "Fremdleistungen 19% Vorsteuer": { + "account_number": "5906" + }, + "Fremdleistungen ohne Vorsteuer": { + "account_number": "5909" + }, + "Bauleistungen eines im Inland ans\u00e4ssigen Unternehmers 7% Vorst. u. 7% Ust.": { + "account_number": "5910" + }, + "Sonstige Leistungen eines im anderen EU-Land ans\u00e4ssigen Unternehmers 7% Vorst. u. 7% Ust.": { + "account_number": "5913" + }, + "Leistungen eines im Ausland ans\u00e4ssigen Unternehmers 7% Vorst. u. 7% Ust.": { + "account_number": "5915" + }, + "Bauleistungen eines im Inland ans\u00e4ssigen Unternehmers 19% Vorst. u. 19% Ust.": { + "account_number": "5920" + }, + "Sonstige Leistungen eines im anderen EU-Land ans\u00e4ssigen Unternehmers 19% Vorst. u. 19% Ust.": { + "account_number": "5923" + }, + "Leistungen eines im Ausland ans\u00e4ssigen Unternehmers 19% Vorst. u. 19% Ust.": { + "account_number": "5925" + }, + "Bauleistungen eines im Inland ans\u00e4ssigen Unternehmers ohne Vorst. und 7% Ust.": { + "account_number": "5930" + }, + "Sonstige Leistungen eines im anderen EU-Land ans\u00e4ssigen Unternehmers ohne Vorst. und 7% Ust.": { + "account_number": "5933" + }, + "Leistungen eines im Ausland ans\u00e4ssigen Unternehmers ohne Vorst. und 7% Ust.": { + "account_number": "5935" + }, + "Bauleistungen eines im Inland ans\u00e4ssigen Unternehmers ohne Vorsteuer und 19 % Umsatzsteuer": { + "account_number": "5940" + }, + "Sonstige Leistungen eines im anderen EU-Land ans\u00e4ssigen Unternehmers ohne Vorsteuer und 19 % Umsatzsteuer": { + "account_number": "5943" + }, + "Leistungen eines im Ausland ans\u00e4ssigen Unternehmers ohne Vorsteuer und 19 % Umsatzsteuer": { + "account_number": "5945" + }, + "Erhaltene Skonti aus Leistungen, f. die als Leistungsempf. die Steuer geschuldet wird (Gruppe)": { + "is_group": 1, + "Erh. Skonti aus Leistungen, f. die als Leistungsempf. die Steuer nach \u00a7 13b UStG geschuldet wird": { + "account_number": "5950" + }, + "Erh. Skonti aus Leistungen,f. die als Leistungsempf. die Steuer geschuldet wird 19 % Vorst. und 19 % Ust.": { + "account_number": "5951" + }, + "Erh. Skonti aus Leistungen, f. die als Leistungsempf. die Steuer geschuldet wird ohne Vorst. aber mit Uts.": { + "account_number": "5953" + }, + "Erh. Skonti aus Leistungen, f. die als Leistungsempf. die Steuer geschuldet wird ohne Vorst., mit 19 % Ust.": { + "account_number": "5954" + } + }, + "Leistungen nach \u00a7 13b UStG mit Vorsteuerabzug": { + "account_number": "5960" + }, + "Leistungen nach \u00a7 13b UStG ohne Vorsteuerabzug": { + "account_number": "5965" + } + }, + "L\u00f6hne und Geh\u00e4lter (Gruppe)": { + "is_group": 1, + "L\u00f6hne und Geh\u00e4lter": { + "account_number": "6000", + "account_type": "Expense Account" + }, + "L\u00f6hne": { + "account_number": "6010" + }, + "Geh\u00e4lter": { + "account_number": "6020" + }, + "Tantiemen": { + "account_number": "6026" + }, + "Aushilfsl\u00f6hne": { + "account_number": "6030" + }, + "L\u00f6hne f. Minijobs": { + "account_number": "6035" + }, + "Pauschale Steuern und Abgaben f. Sachzuwendungen und Dienstleistungen an Arbeitnehmer": { + "account_number": "6039" + }, + "Pauschale Steuer f. Aushilfen": { + "account_number": "6040" + }, + "Bedienungsgelder": { + "account_number": "6045" + }, + "Ehegattengehalt": { + "account_number": "6050" + }, + "Freiwillige soziale Aufwendungen lohnsteuerpflichtig": { + "account_number": "6060" + }, + "Pauschale Steuer auf sonstige Bez\u00fcge (z. B. Fahrtkostenzusch\u00fcsse)": { + "account_number": "6069" + }, + "Krankengeldzusch\u00fcsse": { + "account_number": "6070" + }, + "Sachzuwendungen und Dienstleistungen an Arbeitnehmer": { + "account_number": "6072" + }, + "Zusch\u00fcsse der Agenturen f. Arbeit (Haben)": { + "account_number": "6075" + }, + "Verm\u00f6genswirksame Leistungen": { + "account_number": "6080" + }, + "Fahrtkostenerstattung - Wohnung/Arbeitsst\u00e4tte": { + "account_number": "6090" + } + }, + "Soziale Abgaben und Aufwendungen f. Altersvers. und f. Unterst\u00fctzung (Gruppe)": { + "is_group": 1, + "Soziale Abgaben und Aufwendungen f. Altersvers. und f. Unterst\u00fctzung": { + "account_number": "6100", + "account_type": "Expense Account" + }, + "Gesetzliche soziale Aufwendungen": { + "account_number": "6110", + "account_type": "Expense Account" + }, + "Beitr\u00e4ge zur Berufsgenossenschaft": { + "account_number": "6120", + "account_type": "Expense Account" + }, + "Freiwillige soziale Aufwendungen lohnsteuerfrei": { + "account_number": "6130" + }, + "Aufwendungen f. Altersvers.": { + "account_number": "6150" + }, + "Aufwendungen f. Unterst\u00fctzung": { + "account_number": "6160" + }, + "Sonstige soziale Abgaben": { + "account_number": "6170" + } + }, + "Abschreibungen auf Sachanlagen (Gruppe)": { + "is_group": 1, + "Abschreibungen auf Sachanlagen (ohne AfA auf Kfz und Geb\u00e4ude)": { + "account_number": "6220", + "account_type": "Depreciation" + }, + "Abschreibungen auf Geb\u00e4ude": { + "account_number": "6221", + "account_type": "Depreciation" + }, + "Abschreibungen auf Kfz": { + "account_number": "6222", + "account_type": "Depreciation" + }, + "Abschreibungen auf Geb\u00e4udeanteil des h\u00e4uslichen Arbeitszimmers": { + "account_number": "6223" + } + }, + "Au\u00dferplanm\u00e4\u00dfige Abschreibungen auf Sachanlagen (Gruppe)": { + "is_group": 1, + "Au\u00dferplanm\u00e4\u00dfige Abschreibungen auf Sachanlagen": { + "account_number": "6230" + }, + "Absetzung f. au\u00dfergew\u00f6hnliche technische und wirtschaftliche Abnutzung der Geb\u00e4ude": { + "account_number": "6231" + }, + "Absetzung f. au\u00dfergew\u00f6hnliche technische und wirtschaftliche Abnutzung des Kfz": { + "account_number": "6232" + }, + "Absetzung f. au\u00dfergew\u00f6hnliche technische und wirtschaftliche Abnutzung sonstiger Wirtschaftsg\u00fcter": { + "account_number": "6233" + } + }, + "Abschreibungen auf Sachanlagen auf Grund steuerlicher Sondervorschriften (Gruppe)": { + "is_group": 1, + "Abschreibungen auf Sachanlagen auf Grund steuerlicher Sondervorschriften": { + "account_number": "6240" + }, + "Sonderabschreibungen nach \u00a7 7g Abs. 1 und 2 EStG a. F./\u00a7 7g Abs. 5 EStG n. F.(ohne Kfz)": { + "account_number": "6241" + }, + "Sonderabschreibungen nach \u00a7 7g Abs. 1 und 2 EStG a. F./\u00a7 7g Abs. 5 EStG n. F.(f. Kfz)": { + "account_number": "6242" + }, + "K\u00fcrzung der Anschaffungs- oder Herstellungskosten gem\u00e4\u00df \u00a7 7g Abs. 2 EStG n.F. (ohne Kfz)": { + "account_number": "6243" + }, + "K\u00fcrzung der Anschaffungs- oder Herstellungskosten gem\u00e4\u00df \u00a7 7g Abs. 2 EStG n.F. (f. Kfz)": { + "account_number": "6244" + } + }, + "Kaufleasing": { + "account_number": "6250" + }, + "Sofortabschreibung geringwertiger Wirtschaftsg\u00fcter": { + "account_number": "6260", + "account_type": "Depreciation" + }, + "Abschreibungen auf aktivierte, geringwertige Wirtschaftsg\u00fcter": { + "account_number": "6262" + }, + "Abschreibungen auf den Sammelposten Wirtschaftsg\u00fcter": { + "account_number": "6264" + }, + "Au\u00dferplanm\u00e4\u00dfige Abschreibungen auf aktivierte, geringwertige Wirtschaftsg\u00fcter": { + "account_number": "6266" + }, + "Abschreibungen auf Aufwendungen f. die Ingangsetzung und Erweiterung des Gesch\u00e4ftsbetriebs": { + "account_number": "6268" + }, + "Abschreibungen auf immaterielle VG (Gruppe)": { + "is_group": 1, + "Abschreibungen auf immaterielle VG": { + "account_number": "6200", + "account_type": "Depreciation" + }, + "Abschreibungen auf selbst geschaffene immaterielle VG": { + "account_number": "6201" + }, + "Abschreibungen auf den Gesch\u00e4fts- oder Firmenwert": { + "account_number": "6205" + }, + "Au\u00dferplanm\u00e4\u00dfige Abschreibungen auf den Gesch\u00e4fts- oder Firmenwert": { + "account_number": "6209" + }, + "Au\u00dferplanm\u00e4\u00dfige Abschreibungen auf immaterielle VG": { + "account_number": "6210" + }, + "Au\u00dferplanm\u00e4\u00dfige Abschreibungen auf selbst geschaffene immaterielle VG": { + "account_number": "6211" + }, + "Abschreibungen auf Forderungen gg. Kapitalges., an denen eine Beteiligung besteht (soweit un\u00fcblich hoch)": { + "account_number": "6290" + } + }, + "Abschreibungen auf sonstige VG des Umlaufverm. (soweit un\u00fcbliche H\u00f6he) (Gruppe)": { + "is_group": 1, + "Abschreibungen auf sonstige VG des Umlaufverm. (soweit un\u00fcbliche H\u00f6he)": { + "account_number": "6270" + }, + "Abschreibungen auf Umlaufverm\u00f6gen, steuerrechtlich bedingt (soweit un\u00fcbliche H\u00f6he)": { + "account_number": "6272" + }, + "Abschreibungen auf Roh-, Hilfs- und Betriebsstoffe/Waren (soweit un\u00fcblich hoch)": { + "account_number": "6278" + }, + "Abschreibungen auf fertige und unfertige Erzeugnisse (soweit un\u00fcblich hoch)": { + "account_number": "6279" + }, + "Forderungsverluste, un\u00fcblich hoch (Gruppe)": { + "is_group": 1, + "Forderungsverluste, un\u00fcblich hoch": { + "account_number": "6280" + }, + "Forderungsverluste 7% USt (soweit un\u00fcblich hoch)": { + "account_number": "6281" + }, + "Forderungsverluste 16% USt (soweit un\u00fcblich hoch)": { + "account_number": "6285" + }, + "Forderungsverluste 19% USt (soweit un\u00fcblich hoch)": { + "account_number": "6286" + }, + "Forderungsverluste 15% USt (soweit un\u00fcblich hoch)": { + "account_number": "6287" + } + } + } + }, + "4 - Vertriebskosten": { + "root_type": "Expense", + "is_group": 1, + "Personalaufwand (Vertrieb)": { + "is_group": 1 + } + }, + "5 - allgemeine Verwaltungskosten": { + "root_type": "Expense", + "is_group": 1, + "Verwaltungskosten": { + "account_number": "6992", + "account_type": "Expenses Included In Valuation" + }, + "Personalaufwand (Verwaltung)": { + "is_group": 1 + } + }, + "6 - sonstige betriebliche Ertr\u00e4ge": { + "root_type": "Income", + "is_group": 1, + "Andere aktivierte Eigenleistungen": { + "account_number": "4820" + }, + "Aktivierte Eigenleistungen zur Erstellung von selbst geschaffenen immateriellen VGn": { + "account_number": "4825" + }, + "Sonstige betriebliche Ertr\u00e4ge": { + "account_number": "4830" + }, + "Sonstige betriebliche Ertr\u00e4ge von verbundenen Unternehmen": { + "account_number": "4832" + }, + "Andere Nebenerl\u00f6se": { + "account_number": "4833" + }, + "Sonstige Ertr\u00e4ge betrieblich und regelm\u00e4\u00dfig 16 % USt": { + "account_number": "4834" + }, + "Sonstige Ertr\u00e4ge betrieblich und regelm\u00e4\u00dfig": { + "account_number": "4835" + }, + "Sonstige Ertr\u00e4ge betrieblich und regelm\u00e4\u00dfig 19 % USt": { + "account_number": "4836" + }, + "Sonstige Ertr\u00e4ge betriebsfremd und regelm\u00e4\u00dfig": { + "account_number": "4837" + }, + "Erstattete Vorsteuer anderer L\u00e4nder": { + "account_number": "4838" + }, + "Sonstige Ertr\u00e4ge unregelm\u00e4\u00dfig": { + "account_number": "4839" + }, + "Ertr\u00e4ge aus Abgang von Gegenst\u00e4nden des Anlageverm\u00f6gens": { + "account_number": "4900" + }, + "Ertr\u00e4ge aus der Ver\u00e4u\u00dferung von Anteilen an Kap.Ges. (Finanzanlageverm., inl\u00e4nd. Kap.Ges.)": { + "account_number": "4901" + }, + "Ertr\u00e4ge aus Abgang von Gegenst\u00e4nden des Umlaufverm. (au\u00dfer Vorr\u00e4te)": { + "account_number": "4905" + }, + "Ertr\u00e4ge aus Abgang von Gegenst\u00e4nden des Umlaufverm. (au\u00dfer Vorr\u00e4te, inl\u00e4nd. Kap.Ges.)": { + "account_number": "4906" + }, + "Ertr\u00e4ge aus der W\u00e4hrungsumrechnung": { + "account_number": "4840" + }, + "Sonstige Erl\u00f6se betrieblich und regelm\u00e4\u00dfig, steuerfrei \u00a7 4 Nr. 8 ff UStG": { + "account_number": "4841" + }, + "Sonstige Erl\u00f6se betrieblich und regelm\u00e4\u00dfig, steuerfrei z. B. \u00a7 4 Nr. 2-7 UStG": { + "account_number": "4842" + }, + "Ertr\u00e4ge aus Bewertung Finanzmittelfonds": { + "account_number": "4843" + }, + "Erl\u00f6se aus Verk\u00e4ufen Sachanlageverm\u00f6gen steuerfrei \u00a7 4 Nr. 1a UStG (bei Buchgewinn)": { + "account_number": "4844" + }, + "Erl\u00f6se aus Verk\u00e4ufen Sachanlageverm\u00f6gen 19 % USt (bei Buchgewinn)": { + "account_number": "4845" + }, + "Erl\u00f6se aus Verk\u00e4ufen Sachanlageverm\u00f6gen steuerfrei \u00a7 4 Nr. 1b UStG (bei Buchgewinn)": { + "account_number": "4848" + }, + "Erl\u00f6se aus Verk\u00e4ufen Sachanlageverm\u00f6gen (bei Buchgewinn)": { + "account_number": "4849" + }, + "Erl\u00f6se aus Verk\u00e4ufen immaterieller VG (bei Buchgewinn) (Gruppe)": { + "is_group": 1, + "Erl\u00f6se aus Verk\u00e4ufen immaterieller VG (bei Buchgewinn)": { + "account_number": "4850" + }, + "Erl\u00f6se aus Verk\u00e4ufen Finanzanlagen (bei Buchgewinn)": { + "account_number": "4851" + }, + "Erl\u00f6se aus Verk\u00e4ufen Finanzanlagen (inl\u00e4ndische Kap.Ges., bei Buchgewinn)": { + "account_number": "4852" + }, + "Anlagenabg\u00e4nge Sachanlagen (Restbuchwert bei Buchvergewinn)": { + "account_number": "4855" + }, + "Anlagenabg\u00e4nge immaterielle VG (Restbuchwert bei Buchgewinn)": { + "account_number": "4856" + }, + "Anlagenabg\u00e4nge Finanzanlagen (Restbuchwert bei Buchgewinn)": { + "account_number": "4857" + }, + "Anlagenabg\u00e4nge Finanzanlagen (inl\u00e4ndische Kap.Ges., Restbuchwert bei Buchgewinn)": { + "account_number": "4858" + } + }, + "Ertr\u00e4ge aus Zuschreibungen des Sachanlageverm\u00f6gens": { + "account_number": "4910", + "account_type": "Round Off" + }, + "Ertr\u00e4ge aus Zuschreibungen des immateriellen Anlageverm\u00f6gens": { + "account_number": "4911" + }, + "Ertr\u00e4ge aus Zuschreibungen des Finanzanlageverm\u00f6gens": { + "account_number": "4912" + }, + "Ertr\u00e4ge aus Zuschreibungen des Finanzanlageverm\u00f6gens (inl\u00e4ndische Kap.Ges.)": { + "account_number": "4913" + }, + "Ertr\u00e4ge aus Zuschreibungen \u00a7 3 Nr. 40 EStG/\u00a7 8b Abs. 2 KStG (inl\u00e4ndische Kap.Ges.)": { + "account_number": "4914" + }, + "Ertr\u00e4ge aus Zuschreibungen des Umlaufverm. au\u00dfer Vorr\u00e4te": { + "account_number": "4915" + }, + "Ertr\u00e4ge aus Zuschreibungen des Umlaufverm. (inl\u00e4ndische Kap.Ges.)": { + "account_number": "4916" + }, + "Ertr\u00e4ge aus Herabsetzung der Pauschalwertberichtigung auf Forderungen": { + "account_number": "4920" + }, + "Ertr\u00e4ge aus Herabsetzung der Einzelwertberichtigung auf Forderungen": { + "account_number": "4923" + }, + "Ertr\u00e4ge aus abgeschriebenen Forderungen": { + "account_number": "4925" + }, + "Ertr\u00e4ge aus der Aufl\u00f6sung einer steuerlichen R\u00fccklage nach \u00a7 6b Abs. 3 EStG": { + "account_number": "4927" + }, + "Ertr\u00e4ge aus der Aufl\u00f6sung einer steuerlichen R\u00fccklage nach \u00a7 6b Abs. 10 EStG": { + "account_number": "4928" + }, + "Ertr\u00e4ge aus der Aufl\u00f6sung der R\u00fccklage f. Ersatzbeschaffung R 6.6 EStR": { + "account_number": "4929" + }, + "Ertr\u00e4ge aus der Aufl\u00f6sung von R\u00fcckstellungen": { + "account_number": "4930" + }, + "Ertr\u00e4ge aus der Aufl\u00f6sung einer steuerlichen R\u00fccklage (Existenzgr\u00fcnderr\u00fccklage)": { + "account_number": "4934" + }, + "Ertr\u00e4ge aus der Aufl\u00f6sung einer steuerlichen R\u00fccklage": { + "account_number": "4935" + }, + "Ertr\u00e4ge aus der Aufl\u00f6sung von steuerlichen R\u00fccklagen (Ansparabschreibungen)": { + "account_number": "4936" + }, + "Ertr\u00e4ge aus der Aufl\u00f6sung steuerrechtlicher Sonderabschreibungen": { + "account_number": "4937" + }, + "Ertr\u00e4ge aus der Aufl\u00f6sung einer steuerlichen R\u00fccklage nach \u00a7 4g EStG": { + "account_number": "4938" + }, + "Ertr\u00e4ge aus der Aufl\u00f6sung von steuerlichen R\u00fccklagen nach \u00a7 52 Abs. 16 EStG": { + "account_number": "4939" + }, + "Verrechnete sonstige Sachbez\u00fcge (Gruppe)": { + "is_group": 1, + "Verrechnete sonstige Sachbez\u00fcge (keine Waren)": { + "account_number": "4940" + }, + "Sachbez\u00fcge 7 % USt (Waren)": { + "account_number": "4941" + }, + "Sachbez\u00fcge 19 % USt (Waren)": { + "account_number": "4945" + }, + "Verrechnete sonstige Sachbez\u00fcge": { + "account_number": "4946" + }, + "Verrechnete sonstige Sachbez\u00fcge aus Kfz-Gestellung 19% USt": { + "account_number": "4947" + }, + "Verrechnete sonstige Sachbez\u00fcge 19% USt": { + "account_number": "4948" + }, + "Verrechnete sonstige Sachbez\u00fcge ohne Umsatzsteuer": { + "account_number": "4949" + } + }, + "Periodenfremde Ertr\u00e4ge (soweit nicht au\u00dferordentlich)": { + "account_number": "4960" + }, + "Versicherungsentsch\u00e4digungen und Schadenersatzleistungen": { + "account_number": "4970" + }, + "Erstattungen Aufwendungsausgleichsgesetz": { + "account_number": "4972" + }, + "Investitionszusch\u00fcsse (steuerpflichtig)": { + "account_number": "4975" + }, + "Investitionszulagen (steuerfrei)": { + "account_number": "4980" + }, + "Steuerfreie Ertr\u00e4ge aus der Aufl\u00f6sung von steuerlichen R\u00fccklagen": { + "account_number": "4981" + }, + "Sonstige steuerfreie Betriebseinnahmen": { + "account_number": "4982" + }, + "Ertr\u00e4ge aus der Aktivierung unentgeltlich erworbener VG": { + "account_number": "4987" + }, + "Kostenerstattungen, R\u00fcckverg\u00fctungen und Gutschriften f. fr\u00fchere Jahre": { + "account_number": "4989" + }, + "Ertr\u00e4ge aus Verwaltungskostenumlagen": { + "account_number": "4992" + }, + "Unentgeltliche Wertabgaben": { + "account_number": "4600" + }, + "Entnahme von Gegenst\u00e4nden ohne USt": { + "account_number": "4605" + }, + "Verwendung von Gegenst\u00e4nden f. Zwecke au\u00dferhalb des Unternehmens 7 % USt (Gruppe)": { + "is_group": 1, + "Verwendung von Gegenst\u00e4nden f. Zwecke au\u00dferhalb des Unternehmens 7 % USt": { + "account_number": "4630" + }, + "Verwendung von Gegenst\u00e4nden f. Zwecke au\u00dferhalb des Unternehmens ohne USt": { + "account_number": "4637" + }, + "Verwendung von Gegenst\u00e4nden f. Zwecke au\u00dferhalb des Unternnehmens ohne USt (Telefon-Nutzung)": { + "account_number": "4638" + }, + "Verwendung von Gegenst\u00e4nden f. Zwecke au\u00dferhalb des Unternehmens ohne USt (Kfz-Nutzung)": { + "account_number": "4639" + } + }, + "Verwendung von Gegenst\u00e4nden f. Zwecke au\u00dferhalb des Unternehmens 19 % USt (Gruppe)": { + "is_group": 1, + "Verwendung von Gegenst\u00e4nden f. Zwecke au\u00dferhalb des Unternehmens 19 % USt": { + "account_number": "4640" + }, + "Verwendung von Gegenst\u00e4nden f. Zwecke au\u00dferhalb des Unternehmens 19 % USt (Kfz-Nutzung)": { + "account_number": "4645" + }, + "Verwendung von Gegenst\u00e4nden f. Zwecke au\u00dferhalb des Unternehmens 19 % USt (Telefon-Nutzung)": { + "account_number": "4646" + } + }, + "Unentgeltliche Erbringung einer sonstigen Leistung 7 % USt": { + "account_number": "4650" + }, + "Unentgeltliche Erbringung einer sonstigen Leistung ohne USt": { + "account_number": "4659" + }, + "Unentgeltliche Erbringung einer sonstigen Leistung 19 % USt": { + "account_number": "4660" + }, + "Unentgeltliche Zuwendung von Waren 7 % USt": { + "account_number": "4670" + }, + "Unentgeltliche Zuwendung von Waren ohne USt": { + "account_number": "4679" + }, + "Unentgeltliche Zuwendung von Waren 19 % USt": { + "account_number": "4680" + }, + "Unentgeltliche Zuwendung von Gegenst\u00e4nden 19 % USt": { + "account_number": "4686" + }, + "Unentgeltliche Zuwendung von Gegenst\u00e4nden ohne USt": { + "account_number": "4689" + }, + "Nicht steuerbare Ums\u00e4tze (Innenums\u00e4tze) (Gruppe)": { + "is_group": 1, + "Nicht steuerbare Ums\u00e4tze (Innenums\u00e4tze)": { + "account_number": "4690" + }, + "Umsatzsteuerverg\u00fctungen, z.B. nach \u00a7 24 UStG": { + "account_number": "4695" + } + }, + "Au\u00dferordentliche Ertr\u00e4ge (Gruppe)": { + "is_group": 1, + "Au\u00dferordentliche Ertr\u00e4ge": { + "account_number": "7400" + }, + "Au\u00dferordentliche Ertr\u00e4ge finanzwirksam": { + "account_number": "7401" + }, + "Au\u00dferordentliche Ertr\u00e4ge nicht finanzwirksam (Gruppe)": { + "is_group": 1, + "Au\u00dferordentliche Ertr\u00e4ge nicht finanzwirksam": { + "account_number": "7450" + }, + "Ertr\u00e4ge durch Verschmelzung und Umwandlung": { + "account_number": "7451" + }, + "Ertr\u00e4ge durch den Verkauf von bedeutenden Beteiligungen": { + "account_number": "7452" + }, + "Ert\u00e4ge durch den Verkauf von bedeutenden Grundst\u00fccken": { + "account_number": "7453" + }, + "Gewinn aus der Ver\u00e4u\u00dferung oder der Aufgabe von Gesch\u00e4ftsaktivit\u00e4ten nach Steuern": { + "account_number": "7454" + } + }, + "Au\u00dferordentliche Ertr\u00e4ge aus der Anwendung von \u00dcbergangsvorschriften (Gruppe)": { + "is_group": 1, + "Au\u00dferordentliche Ertr\u00e4ge aus der Anwendung von \u00dcbergangsvorschriften": { + "account_number": "7460" + }, + "Au\u00dferordentliche Ertr\u00e4ge: Zuschreibung f. Sachanlageverm\u00f6gen": { + "account_number": "7461" + }, + "Au\u00dferordentliche Ertr\u00e4ge: Zuschreibung f. Finanzanlageverm\u00f6gen": { + "account_number": "7462" + }, + "Au\u00dferordentliche Ertr\u00e4ge: Wertpapiere im Umlaufverm\u00f6gen": { + "account_number": "7463" + }, + "Au\u00dferordentliche Ertr\u00e4ge: latente Steuern": { + "account_number": "7464" + } + } + } + }, + "7 - sonstige betriebliche Aufwendungen": { + "root_type": "Expense", + "is_group": 1, + "Sonstige betriebliche Aufwendungen": { + "account_number": "6300" + }, + "Interimskonto f. Aufw. in einem anderen Land (Vorst.verg. m\u00f6glich)": { + "account_number": "6302" + }, + "Fremdleistungen/Fremdarbeiten": { + "account_number": "6303" + }, + "Sonstige Aufwendungen betrieblich und regelm\u00e4\u00dfig": { + "account_number": "6304" + }, + "Raumkosten": { + "account_number": "6305" + }, + "Miete (unbewegliche Wirtschaftsg\u00fcter)": { + "account_number": "6310" + }, + "Miete/Aufwendungen f. doppelte Haushaltsf\u00fchrung": { + "account_number": "6312" + }, + "Pacht (unbewegliche Wirtschaftsg\u00fcter)": { + "account_number": "6315" + }, + "Leasing (unbewegliche Wirtschaftsg\u00fcter)": { + "account_number": "6316" + }, + "Aufwendungen f. gemietete oder gepachtete unbewegliche Wirtschaftsg., die GewSt hinzuzurechnen sind": { + "account_number": "6317" + }, + "Miet- und Pachtnebenkosten (GewSt nicht zu ber\u00fccksichtigen)": { + "account_number": "6318" + }, + "Heizung": { + "account_number": "6320" + }, + "Gas, Strom, Wasser": { + "account_number": "6325" + }, + "Reinigung": { + "account_number": "6330" + }, + "Instandhaltung betrieblicher R\u00e4ume": { + "account_number": "6335" + }, + "Abgaben f. betrieblich genutzten Grundbesitz": { + "account_number": "6340" + }, + "Sonstige Raumkosten": { + "account_number": "6345" + }, + "Aufwendungen f. ein h\u00e4usliches Arbeitszimmer (abziehbarer Anteil)": { + "account_number": "6348" + }, + "Aufwendungen f. ein h\u00e4usliches Arbeitszimmer (nicht abziehbarer Anteil)": { + "account_number": "6349" + }, + "Grundst\u00fccksaufwendungen betrieblich": { + "account_number": "6350" + }, + "Grundst\u00fccksaufwendungen neutral": { + "account_number": "6352" + }, + "Zuwendungen, Spenden (Gruppe)": { + "is_group": 1, + "Zuwendungen, Spenden, steuerlich nicht abziehbar": { + "account_number": "6390" + }, + "Zuwendungen, Spenden f. wissenschaftliche und kulturelle Zwecke": { + "account_number": "6391" + }, + "Zuwendungen, Spenden f. mildt\u00e4tige Zwecke": { + "account_number": "6392" + }, + "Zuwendungen, Spenden f. kirchliche, religi\u00f6se und gemeinn\u00fctzige Zwecke": { + "account_number": "6393" + }, + "Zuwendungen, Spenden an politische Parteien": { + "account_number": "6394" + }, + "Zuwendungen, Spenden an Stiftungen f. gemeinn\u00fctzige Zwecke i. S. d. \u00a7 52 Abs. 2 Nr. 1-3 AO": { + "account_number": "6395" + }, + "Zuwendungen, Spenden an Stiftungen f. gemeinn\u00fctzige Zwecke i. S. d. \u00a7 52 Abs. 2 Nr. 4 AO": { + "account_number": "6396" + }, + "Zuwendungen, Spenden an Stiftungen f. kirchliche, religi\u00f6se und gemeinn\u00fctzige Zwecke": { + "account_number": "6397" + }, + "Zuwendungen, Spenden an Stiftungen f.wissenschaftliche, mildt\u00e4tige und kulturelle Zwecke": { + "account_number": "6398" + } + }, + "Versicherungen (Gruppe)": { + "is_group": 1, + "Versicherungen": { + "account_number": "6400" + }, + "Versicherungen f. Geb\u00e4ude, die zum Betriebsverm\u00f6gen geh\u00f6ren": { + "account_number": "6405" + }, + "Netto-Pr\u00e4mie f. R\u00fcckdeckung k\u00fcnftiger Versorgungsleistungen": { + "account_number": "6410" + }, + "Beitr\u00e4ge": { + "account_number": "6420" + }, + "Sonstige Abgaben": { + "account_number": "6430" + }, + "Steuerlich abzugsf\u00e4hige Versp\u00e4tungszuschl\u00e4ge und Zwangsgelder": { + "account_number": "6436" + }, + "Steuerlich nicht abzugsf\u00e4hige Versp\u00e4tungszuschl\u00e4ge und Zwangsgelder": { + "account_number": "6437" + }, + "Ausgleichsabgabe i. S. d. Schwerbehindertengesetzes": { + "account_number": "6440" + }, + "Reparaturen und Instandhaltung von Bauten": { + "account_number": "6450" + }, + "Reparaturen und Instandhaltung von technischenAnlagen und Maschinen": { + "account_number": "6460" + }, + "Reparaturen und Instandhaltung von anderen Anlagen und Betriebs- und Gesch\u00e4ftsausstattung": { + "account_number": "6470" + }, + "Zuf\u00fchrung zu Aufwandsr\u00fcckstellungen": { + "account_number": "6475" + }, + "Reparaturen und Instandhaltung von anderen Anlagen": { + "account_number": "6485" + }, + "Sonstige Reparaturen und Instandhaltungen": { + "account_number": "6490" + }, + "Wartungskosten f. Hard- und Software": { + "account_number": "6495" + }, + "Mietleasing (bewegliche Wirtschaftsg\u00fcter)": { + "account_number": "6498" + } + }, + "Fahrzeugkosten (Gruppe)": { + "is_group": 1, + "Fahrzeugkosten": { + "account_number": "6500" + }, + "Kfz-Versicherungen (Gruppe)": { + "is_group": 1, + "Kfz-Versicherungen": { + "account_number": "6520" + } + }, + "Laufende Kfz-Betriebskosten (Gruppe)": { + "is_group": 1, + "Laufende Kfz-Betriebskosten": { + "account_number": "6530" + } + }, + "Kfz-Reparaturen (Gruppe)": { + "is_group": 1, + "Kfz-Reparaturen": { + "account_number": "6540" + } + }, + "Garagenmiete (Gruppe)": { + "is_group": 1, + "Garagenmiete": { + "account_number": "6550" + } + }, + "Mietleasing Kfz (Gruppe)": { + "is_group": 1, + "Mietleasing Kfz": { + "account_number": "6560" + } + }, + "Sonstige Kfz-Kosten (Gruppe)": { + "is_group": 1, + "Sonstige Kfz-Kosten": { + "account_number": "6570" + } + }, + "Mautgeb\u00fchren (Gruppe)": { + "is_group": 1, + "Mautgeb\u00fchren": { + "account_number": "6580" + } + }, + "Kfz-Kosten f. betrieblich genutzte zum Privatverm\u00f6gen geh\u00f6rende Kraftfahrzeuge": { + "account_number": "6590" + }, + "Fremdfahrzeugkosten": { + "account_number": "6595" + } + }, + "Werbekosten (Gruppe)": { + "is_group": 1, + "Werbekosten": { + "account_number": "6600" + }, + "Streuartikel": { + "account_number": "6605" + }, + "Geschenke abzugsf\u00e4hig ohne \u00a7 37b EStG": { + "account_number": "6610" + }, + "Geschenke abzugsf\u00e4hig mit \u00a7 37b EStG": { + "account_number": "6611" + }, + "Pauschale Steuern f. Geschenke und Zugaben abzugsf\u00e4hig": { + "account_number": "6612" + }, + "Geschenke nicht abzugsf\u00e4hig ohne \u00a7 37b EStG": { + "account_number": "6620" + }, + "Geschenke nicht abzugsf\u00e4hig mit \u00a7 37b EStG": { + "account_number": "6621" + }, + "Pauschale Steuern f. Geschenke und Zuwendungen nicht abzugsf\u00e4hig": { + "account_number": "6622" + }, + "Geschenke ausschlie\u00dflich betrieblich genutzt": { + "account_number": "6625" + }, + "Zugaben mit \u00a7 37b EStG": { + "account_number": "6629" + }, + "Repr\u00e4sentationskosten": { + "account_number": "6630" + }, + "Bewirtungskosten": { + "account_number": "6640" + }, + "Sonstige eingeschr\u00e4nkt abziehbare Betriebsausgaben (abziehbarer Anteil)": { + "account_number": "6641" + }, + "Sonstige eingeschr\u00e4nkt abziehbare Betriebsausgaben (nicht abziehbarer Anteil)": { + "account_number": "6642" + }, + "Aufmerksamkeiten": { + "account_number": "6643" + }, + "Nicht abzugsf\u00e4hige Bewirtungskosten": { + "account_number": "6644" + }, + "Nicht abzugsf\u00e4hige Betriebsausgaben aus Werbe- und Repr\u00e4sentationskosten": { + "account_number": "6645" + }, + "Reisekosten Arbeitnehmer": { + "account_number": "6650" + }, + "Reisekosten Arbeitnehmer \u00dcbernachtungsaufwand": { + "account_number": "6660" + }, + "Reisekosten Arbeitnehmer Fahrtkosten": { + "account_number": "6663" + }, + "Reisekosten Arbeitnehmer Verpflegungsmehraufwand": { + "account_number": "6664" + }, + "Kilometergelderstattung Arbeitnehmer": { + "account_number": "6668" + }, + "Reisekosten Unternehmer (Gruppe)": { + "is_group": 1, + "Reisekosten Unternehmer": { + "account_number": "6670" + }, + "Reisekosten Unternehmer (nicht abziehbarer Anteil)": { + "account_number": "6672" + }, + "Reisekosten Unternehmer Fahrtkosten": { + "account_number": "6673" + }, + "Reisekosten Unternehmer Verpflegungsmehraufwand": { + "account_number": "6674" + }, + "Reisekosten Unternehmer \u00dcbernachtungsaufwand": { + "account_number": "6680" + } + }, + "Fahrten zwischen Wohnung und Betriebsst\u00e4tte und Familienheimfahrten (abziehbarer Anteil)": { + "account_number": "6688" + }, + "Fahrten zwischen Wohnung und Betriebsst\u00e4tte und Familienheimfahrten (nicht abziehbarer Anteil)": { + "account_number": "6689" + }, + "Fahrten zwischen Wohnung und Betriebsst\u00e4tte und Familienheimfahrten (Haben)": { + "account_number": "6690" + }, + "Verpflegungsmehraufwendungen i. R. d. doppelten Haushaltsf\u00fchrung (abziehbarer Anteil)": { + "account_number": "6691" + } + }, + "Kosten Warenabgabe (Gruppe)": { + "is_group": 1, + "Kosten Warenabgabe": { + "account_number": "6700" + }, + "Verpackungsmaterial": { + "account_number": "6710" + }, + "Ausgangsfrachten": { + "account_number": "6740" + }, + "Transportversicherungen": { + "account_number": "6760" + }, + "Verkaufsprovisionen": { + "account_number": "6770" + }, + "Fremdarbeiten (Vertrieb)": { + "account_number": "6780" + }, + "Aufwand f. Gew\u00e4hrleistungen": { + "account_number": "6790" + } + }, + "Porto": { + "account_number": "6800" + }, + "Telefon": { + "account_number": "6805" + }, + "Telefax und Internetkosten": { + "account_number": "6810" + }, + "B\u00fcrobedarf": { + "account_number": "6815" + }, + "Zeitschriften, B\u00fccher": { + "account_number": "6820" + }, + "Fortbildungskosten": { + "account_number": "6821" + }, + "Freiwillige Sozialleistungen": { + "account_number": "6822" + }, + "Rechts- und Beratungskosten": { + "account_number": "6825" + }, + "Abschluss- und Pr\u00fcfungskosten": { + "account_number": "6827" + }, + "Buchf\u00fchrungskosten": { + "account_number": "6830" + }, + "Mieten f. Einrichtungen (bewegliche Wirtschaftsg\u00fcter)": { + "account_number": "6835" + }, + "Pacht (bewegliche Wirtschaftsg\u00fcter)": { + "account_number": "6836" + }, + "Aufwendungen f. die zeitlich befristete \u00dcberlassung von Rechten (Lizenzen, Konzessionen)": { + "account_number": "6837" + }, + "Aufwendungen f. gemietete oder gepachtete bewegliche Wirtschaftsg., die gewerbest. hinzuzurechnen sind": { + "account_number": "6838" + }, + "Werkzeuge und Kleinger\u00e4te": { + "account_number": "6845" + }, + "Betriebsbedarf": { + "account_number": "6850" + }, + "Nebenkosten des Geldverkehrs": { + "account_number": "6855" + }, + "Aufwendungen aus Anteilen an inl\u00e4ndischen Kap.Ges.": { + "account_number": "6856" + }, + "Ver\u00e4u\u00dferungskosten \u00a7 3 Nr. 40 EStG/\u00a7 8b Abs. 2 KStG (inl. Kap.Ges.)": { + "account_number": "6857" + }, + "Aufwendungen f. Abraum- und Abfallbeseitigung": { + "account_number": "6859" + }, + "Nicht abziehbare Vorsteuer 19 %": { + "account_number": "6871" + }, + "Aufwendungen aus der W\u00e4hrungsumrechnung": { + "account_number": "6880" + }, + "Aufwendungen aus Bewertung Finanzmittelfonds": { + "account_number": "6883" + }, + "Erl\u00f6se aus Verk\u00e4ufen Sachanlageverm\u00f6gen steuerfrei \u00a7 4 Nr. 1a UStG (bei Buchverlust)": { + "account_number": "6884" + }, + "Erl\u00f6se aus Verk\u00e4ufen Sachanlageverm\u00f6gen 19 % USt (bei Buchverlust)": { + "account_number": "6885" + }, + "Erl\u00f6se aus Verk\u00e4ufen Sachanlageverm\u00f6gen steuerfrei \u00a7 4 Nr. 1b UStG (bei Buchverlust)": { + "account_number": "6888" + }, + "Erl\u00f6se aus Verk\u00e4ufen Sachanlageverm\u00f6gen (bei Buchverlust)": { + "account_number": "6889" + }, + "Erl\u00f6se aus Verk\u00e4ufen immaterieller VG (bei Buchverlust)": { + "account_number": "6890" + }, + "Erl\u00f6se aus Verk\u00e4ufen Finanzanlagen (bei Buchverlust)": { + "account_number": "6891" + }, + "Erl\u00f6se aus Verk\u00e4ufen Finanzanlagen (inl. Kap.Ges., bei Buchverlust)": { + "account_number": "6892" + }, + "Anlagenabg\u00e4nge Sachanlagen (Restbuchwert bei Buchverlust)": { + "account_number": "6895" + }, + "Anlagenabg\u00e4nge immaterielle VG (Restbuchwert bei Buchverlust)": { + "account_number": "6896" + }, + "Anlagenabg\u00e4nge Finanzanlagen (Restbuchwert bei Buchverlust)": { + "account_number": "6897" + }, + "Anlagenabg\u00e4nge Finanzanlagen (inl. Kap.Ges., Restbuchwert bei Buchverlust)": { + "account_number": "6898" + }, + "Verluste aus dem Abgang von Gegenst\u00e4nden des Anlageverm\u00f6gens": { + "account_number": "6900" + }, + "Verluste aus der Ver\u00e4u\u00dferung von Anteilen an Kap.Ges. (Finanzanlageverm\u00f6gen, inl. Kap.Ges.)": { + "account_number": "6903" + }, + "Verluste aus dem Abgang von Ggenst\u00e4nden des Umlaufverm. (au\u00dfer Vorr\u00e4te)": { + "account_number": "6905" + }, + "Verluste aus dem Abgang von Gegenst\u00e4nden des Umlaufverm. (au\u00dfer Vorr\u00e4te, inl. Kap.Ges.)": { + "account_number": "6906" + }, + "Abschreibungen auf Umlaufverm\u00f6gen au\u00dfer Vorr\u00e4te und Wertpapiere (\u00fcbliche H\u00f6he)": { + "account_number": "6910", + "account_type": "Round Off" + }, + "Abschreibungen auf Umlaufverm\u00f6gen, steuerrechtlich bedingt (\u00fcbliche H\u00f6he)": { + "account_number": "6912" + }, + "Einstellung in die Pauschalwertberichtigung auf Forderungen": { + "account_number": "6920" + }, + "Einstellungen in die steuerliche R\u00fccklage nach \u00a7 6b Abs. 3 EStG": { + "account_number": "6922" + }, + "Einstellung in die Einzelwertberichtigung auf Forderungen": { + "account_number": "6923" + }, + "Einstellungen in die steuerliche R\u00fccklage nach \u00a7 6b Abs. 10 EStG": { + "account_number": "6924" + }, + "Einstellungen in steuerliche R\u00fccklagen": { + "account_number": "6927" + }, + "Einstellungen in die R\u00fccklage f. Ersatzbeschaffung nach R 6.6 EStR": { + "account_number": "6928" + }, + "Einstellungen in die steuerliche R\u00fccklage nach \u00a7 4g EStG": { + "account_number": "6929" + }, + "Forderungsverluste (\u00fcbliche H\u00f6he) (Gruppe)": { + "is_group": 1, + "Forderungsverluste (\u00fcbliche H\u00f6he)": { + "account_number": "6930" + }, + "Forderungsverluste 7 % USt (\u00fcbliche H\u00f6he)": { + "account_number": "6931" + }, + "Forderungsverluste aus steuerfreien EU-Lieferungen (\u00fcbliche H\u00f6he)": { + "account_number": "6932" + }, + "Forderungsverluste aus im Inland steuerpfl. EU-Lieferungen 7 % USt (\u00fcbliche H\u00f6he)": { + "account_number": "6933" + }, + "Forderungsverluste aus im Inland steuerpfl. EU-Lieferungen 16 % USt (\u00fcbliche H\u00f6he)": { + "account_number": "6934" + }, + "Forderungsverluste 16% USt (\u00fcbliche H\u00f6he)": { + "account_number": "6935" + }, + "Forderungsverluste 19 % USt (\u00fcbliche H\u00f6he)": { + "account_number": "6936" + }, + "Forderungsverluste 15% USt (\u00fcbliche H\u00f6he)": { + "account_number": "6937" + }, + "Forderungsverluste aus im Inland steuerpfl. EU-Lieferungen 19 % USt (\u00fcbliche H\u00f6he)": { + "account_number": "6938" + }, + "Forderungsverluste aus im Inland steuerpfl. EU-Lieferungen 15% USt (\u00fcbliche H\u00f6he)": { + "account_number": "6939" + } + }, + "Periodenfremde Aufwendungen (soweit nicht au\u00dferordentlich)": { + "account_number": "6960" + }, + "Sonstige Aufwendungen betriebsfremd und regelm\u00e4\u00dfig": { + "account_number": "6967" + }, + "Sonstige Aufwendungen unregelm\u00e4\u00dfig": { + "account_number": "6969" + }, + "Au\u00dferordentliche Aufwendungen (Gruppe)": { + "is_group": 1, + "Au\u00dferordentliche Aufwendungen": { + "account_number": "7500" + }, + "Au\u00dferordentliche Aufwendungen finanzwirksam": { + "account_number": "7501" + }, + "Au\u00dferordentliche Aufwendungen nicht finanzwirksam": { + "account_number": "7550" + }, + "Verluste durch Verschmelzung und Umwandlung": { + "account_number": "7551" + }, + "Verluste durch au\u00dfergew\u00f6hnliche Schadensf\u00e4lle": { + "account_number": "7552" + }, + "Aufwendungen f. Restrukturierungs- und Sanierungsma\u00dfnahmen": { + "account_number": "7553" + }, + "Verluste aus Gesch\u00e4ftsaufgabe oder -ver\u00e4u\u00dferung nach Steuern": { + "account_number": "7554" + }, + "Au\u00dferordentliche Aufwendungen aus der Anwendung von \u00dcbergangsvorschriften (Gruppe)": { + "is_group": 1, + "Au\u00dferordentliche Aufwendungen aus der Anwendung von \u00dcbergangsvorschriften": { + "account_number": "7560" + }, + "Au\u00dferordentliche Aufwendungen aus der Anwendung von \u00dcbergangsvorschriften (Pensionsr\u00fcckst.)": { + "account_number": "7561" + }, + "Au\u00dferordentliche Aufwendungen aus der Anwendung von \u00dcbergangsvorschriften (Bilanzierungshilfen)": { + "account_number": "7562" + }, + "Au\u00dferordentliche Aufwendungen aus der Anwendung von \u00dcbergangsvorschriften (Latente Steuern)": { + "account_number": "7563" + } + } + } + }, + "8 - Ertr\u00e4ge aus Beteiligungen": { + "root_type": "Income", + "is_group": 1, + "Ertr\u00e4ge aus Beteiligungen": { + "account_number": "7000", + "account_type": "Income Account" + }, + "Ertr\u00e4ge aus Beteiligungen an Personengesellschaften (verb. Unternehmen), \u00a7 9 GewStG": { + "account_number": "7004" + }, + "Ertr\u00e4ge aus Anteilen an Kap.Ges. (inl\u00e4ndische Beteiligung)": { + "account_number": "7005" + }, + "Ertr\u00e4ge aus Anteilen an Kap.Ges. (inl\u00e4ndische verb. Unternehmen)": { + "account_number": "7006" + }, + "Sonstige GewSt-freie Gewinne aus Anteilen an einer Kap.Ges. (K\u00fcrzung gem. \u00a7 9 Nr. 2a GewStG)": { + "account_number": "7007" + }, + "Gewinnanteile aus Mitunternehmerschaften \u00a7 9 GewStG": { + "account_number": "7008" + }, + "Ertr\u00e4ge aus Beteiligungen an verbundenen Unternehmen": { + "account_number": "7009" + }, + "Zins- und Dividendenertr\u00e4ge": { + "account_number": "7020" + }, + "Erhaltene Ausgleichszahlungen (als au\u00dfenstehender Aktion\u00e4r)": { + "account_number": "7030" + } + }, + "9 - Ertr\u00e4ge aus anderen Wertpapieren und Ausleihungen des Finanzanlageverm\u00f6gens": { + "root_type": "Income", + "is_group": 1, + "Ertr\u00e4ge aus anderen Wertpapieren und Ausleihungen des Finanzanlageverm\u00f6gens": { + "account_number": "7010", + "account_type": "Income Account" + }, + "Ertr\u00e4ge aus Ausleihungen des Finanzanlageverm\u00f6gens": { + "account_number": "7011" + }, + "Ertr\u00e4ge aus Ausleihungen des Finanzanlageverm\u00f6gens an verbundenen Unternehmen": { + "account_number": "7012" + }, + "Ertr\u00e4ge aus Anteilen an Personengesellschaften (Finanzanlageverm\u00f6gen)": { + "account_number": "7013" + }, + "Ertr\u00e4ge aus Anteilen an Kap.Ges. (Finanzanlageverm\u00f6gen, inl\u00e4ndische Kap.Ges.)": { + "account_number": "7014" + }, + "Ertr\u00e4ge aus Anteilen an Personengesellschaften (verb. Unternehmen)": { + "account_number": "7016" + }, + "Ertr\u00e4ge aus anderen Wertpapieren des Finanzanlageverm. an Kap.Ges. (verb. Unternehmen)": { + "account_number": "7017" + }, + "Ertr\u00e4ge aus anderen Wertpapieren des Finanzanlageverm. an Pers.Ges. (verb. Unternehmen)": { + "account_number": "7018" + }, + "Ertr\u00e4ge aus anderen Wertpapieren und Ausleihungen des Finanzanlageverm. aus verbundenen Unternehmen": { + "account_number": "7019" + } + }, + "10 - sonstige Zinsen und \u00e4hnliche Ertr\u00e4ge": { + "root_type": "Income", + "is_group": 1, + "davon aus verbundenen Unternehmen": { + "is_group": 1, + "Diskontertr\u00e4ge aus verbundenen Unternehmen": { + "account_number": "7139" + }, + "Sonstige Zinsen und \u00e4hnliche Ertr\u00e4ge aus verbundenen Unternehmen": { + "account_number": "7109" + }, + "Sonstige Zinsertr\u00e4ge aus verbundenen Unternehmen": { + "account_number": "7119", + "account_type": "Income Account" + }, + "Zins\u00e4hnliche Ertr\u00e4ge aus verbundenen Unternehmen": { + "account_number": "7129" + } + }, + "Sonstige Zinsen und \u00e4hnliche Ertr\u00e4ge": { + "account_number": "7100", + "account_type": "Income Account" + }, + "Ertr\u00e4ge aus Anteilen an Kap.Ges. (Umlaufverm\u00f6gen, inl\u00e4ndische Kap.Ges.)": { + "account_number": "7103" + }, + "Zinsertr\u00e4ge \u00a7 233a AO steuerpflichtig": { + "account_number": "7105" + }, + "Zinsertr\u00e4ge \u00a7 233a AO, \u00a7 4 Abs. 5b EStG, steuerfrei": { + "account_number": "7107" + }, + "Sonstige Zinsertr\u00e4ge": { + "account_number": "7110" + }, + "Ertr\u00e4ge aus anderen Wertpapieren und Ausleihungen des Umlaufverm.": { + "account_number": "7115" + }, + "Zins\u00e4hnliche Ertr\u00e4ge": { + "account_number": "7120" + }, + "Diskontertr\u00e4ge": { + "account_number": "7130" + }, + "Zinsertr\u00e4ge aus der Abzinsung von Verb.": { + "account_number": "7141" + }, + "Zinsertr\u00e4ge aus der Abzinsung von R\u00fcckstellungen": { + "account_number": "7142" + }, + "Zinsertr\u00e4ge aus der Abzinsung von Pensionsr\u00fcckst. und \u00e4hnl./vergleichb. Verplicht.": { + "account_number": "7143" + }, + "Zinsertr\u00e4ge aus der Abzinsung von Pensionsr\u00fcckst. und \u00e4hnl. Verplicht. zur Verrechnung": { + "account_number": "7144" + }, + "Erhaltene Gewinne auf Grund einer Gewinngemeinschaft": { + "account_number": "7192" + }, + "Erhaltene Gewinne auf Grund einer Gewinn- oder Teilgewinnabf\u00fchrungsvertrags": { + "account_number": "7194" + } + }, + "11 - Abschreibungen auf Finanzanlagen und auf Wertpapiere des Umlaufverm.": { + "root_type": "Expense", + "is_group": 1, + "Abschreibungen auf Finanzanlagen (dauerhaft)": { + "account_number": "7200", + "account_type": "Depreciation" + }, + "Abschreibungen auf Finanzanlagen (nicht dauerhaft)": { + "account_number": "7201" + }, + "Abschreibungen auf Finanzanlagen \u00a7 3 Nr. 40 EStG / \u00a7 8b Abs. 3 KStG (inl. Kap.Ges., dauerh.)": { + "account_number": "7204" + }, + "Abschreibungen auf Finanzanlagen - verb. Unternehmen": { + "account_number": "7207" + }, + "Aufwendungen auf Grund von Verlustanteilen an Mitunternehmerschaften \u00a7 8 GewStG": { + "account_number": "7208" + }, + "Abschreibungen auf Wertpapiere des Umlaufverm. (Gruppe)": { + "is_group": 1, + "Abschreibungen auf Wertpapiere des Umlaufverm.": { + "account_number": "7210" + }, + "Abschreibungen auf Wertpapiere des Umlaufverm. \u00a73Nr.40EStG/\u00a78bAbs.3KStG (inl. Kap.Ges.)": { + "account_number": "7214" + }, + "Abschreibungen auf Wertpapiere des Umlaufverm. - verb. Unternehmen": { + "account_number": "7217" + } + }, + "Abschreibungen auf Finanzanlagen auf Grund \u00a7 6b EStG-R\u00fccklage": { + "account_number": "7250" + }, + "Abschreibungen auf Finanzanlagen auf Grund \u00a7 3Nr.40EStG/\u00a78bAbs.3KStG (inl. Kap.Ges.)": { + "account_number": "7255" + } + }, + "12- Zinsen und \u00e4hnliche Aufwendungen": { + "root_type": "Expense", + "is_group": 1, + "davon an verb. Unternehmen": { + "is_group": 1, + "Zinsen und \u00e4hnliche Aufwendungen an verb. Unternehmen (inl. Kap.Ges.)": { + "account_number": "7351" + }, + "Zinsen und \u00e4hnliche Aufwendungen an verb. Unternehmen": { + "account_number": "7309" + }, + "Zinsaufwendungen f. kurzfistige Verb. an verb. Unternehmen": { + "account_number": "7319" + }, + "Zinsaufwendungen f. langfristigeVerb. an verb. Unternehmen": { + "account_number": "7329" + }, + "Diskontaufwendungen an verb. Unternehmen": { + "account_number": "7349" + } + }, + "Zinsen und \u00e4hnliche Aufwendungen": { + "account_number": "7300" + }, + "Steuerlich nicht abzugsf\u00e4hige andere Nebenleistungen zu Steuern \u00a7 4 Abs. 5b EStG": { + "account_number": "7302" + }, + "Steuerlich abzugsf\u00e4hige, andere Nebenleistungen zu Steuern": { + "account_number": "7303" + }, + "Steuerlich nicht abzugsf\u00e4hige, andere Nebenleistungen zu Steuern": { + "account_number": "7304" + }, + "Zinsaufwendungen \u00a7 233a AO betriebliche Steuern": { + "account_number": "7305" + }, + "Zinsaufwendungen \u00a7\u00a7 233a bis 237 AO Personensteuern": { + "account_number": "7306" + }, + "Zinsaufwendungen \u00a7 233a AO, \u00a7 4 Abs. 5b EStG": { + "account_number": "7308" + }, + "Zinsaufwendungen f. kurzfristige Verb.": { + "account_number": "7310" + }, + "Nicht abzugsf\u00e4hige Schuldzinsen gem\u00e4\u00df \u00a7 4 Abs. 4a EStG (Hinzurechnungsbetrag)": { + "account_number": "7313" + }, + "Zinsen auf Kontokorrentkonten": { + "account_number": "7318" + }, + "Zinsaufwendungen f. langfristige Verb.": { + "account_number": "7320" + }, + "Abschreibungen auf Disagio/Damnum zur Finanzierung": { + "account_number": "7323" + }, + "Abschreibungen auf Disagio/Damnum zur Finanzierung des Anlageverm\u00f6gens": { + "account_number": "7324" + }, + "Zinsaufwendungen f. Geb\u00e4ude, die zum Betriebsverm\u00f6gen geh\u00f6ren": { + "account_number": "7325" + }, + "Zinsen zur Finanzierung des Anlageverm\u00f6gens": { + "account_number": "7326" + }, + "Renten und dauernde Lasten": { + "account_number": "7327" + }, + "Zins\u00e4hnliche Aufwendungen": { + "account_number": "7330" + }, + "Diskontaufwendungen": { + "account_number": "7340" + }, + "Zinsen und \u00e4hnl. Aufwendungen \u00a7\u00a73Nr.40,3cEStG/\u00a78bAbs.1KStG (inl. Kap.Ges.)": { + "account_number": "7350" + }, + "Kreditprovisionen und Verwaltungskostenbeitr\u00e4ge": { + "account_number": "7355" + }, + "Zinsanteil der Zuf\u00fchrungen zu Pensionsr\u00fcckst.": { + "account_number": "7360" + }, + "Zinsaufwendungen aus der Abzinsung von Verb.": { + "account_number": "7361" + }, + "Zinsaufwendungen aus der Abzinsung von R\u00fcckstellungen": { + "account_number": "7362" + }, + "Zinsaufwendungen aus der Abzinsung von Pensionsr\u00fcckst. und \u00e4hnl. Verplicht.": { + "account_number": "7363" + }, + "Zinsaufwendungen aus der Abzinsung von Pensionsr\u00fcckst. und \u00e4hnl. Verplicht. zur Verrechnung": { + "account_number": "7364" + }, + "Aufwendungen aus Verlust\u00fcbernahme": { + "account_number": "7390" + } + }, + "13 - Steuern vom Einkommen und vom Ertrag": { + "root_type": "Expense", + "is_group": 1, + "K\u00f6rperschaftsteuer": { + "account_number": "7600", + "account_type": "Tax" + }, + "Gewerbesteuer": { + "account_number": "7610", + "account_type": "Tax" + }, + "Kapitalertragsteuer 25 %": { + "account_number": "7630" + }, + "Anrechenbarer Solidarit\u00e4tszuschlag auf Kapitalertragsteuer 25 %": { + "account_number": "7633" + }, + "Anzurechnende ausl\u00e4ndische Quellensteuer": { + "account_number": "7639" + }, + "Gewerbesteuernachzahlungen Vorjahre": { + "account_number": "7640" + }, + "Gewerbesteuernachzahlungen und Gewerbesteuererstattungen f. Vorjahre, \u00a7 4 Abs. 5b EStG": { + "account_number": "7641" + }, + "Gewerbesteuererstattungen Vorjahre": { + "account_number": "7642" + }, + "Ertr\u00e4ge aus der Aufl\u00f6sung von Gewerbesteuerr\u00fcckstellungen, \u00a7 4 Abs. 5b EStG": { + "account_number": "7643" + }, + "Ertr\u00e4ge aus der Aufl\u00f6sung von Gewerbesteuerr\u00fcckstellungen": { + "account_number": "7644" + }, + "Aufwendungen aus der Zuf\u00fchrung und Aufl\u00f6sung von latenten Steuern": { + "account_number": "7645" + }, + "Ertr\u00e4ge aus der Zuf\u00fchrung und Aufl\u00f6sung von latenten Steuern": { + "account_number": "7649" + } + }, + "15 - sonstige Steuern": { + "root_type": "Expense", + "is_group": 1, + "Verbrauchsteuer": { + "account_number": "7675" + }, + "\u00d6kosteuer": { + "account_number": "7678" + }, + "Grundsteuer": { + "account_number": "7680" + }, + "Kfz-Steuer": { + "account_number": "7685" + }, + "Steuernachzahlungen Vorjahre f. sonstige Steuern": { + "account_number": "7690" + }, + "Steuererstattungen Vorjahre f. sonstige Steuern": { + "account_number": "7692" + }, + "Ertr\u00e4ge aus der Aufl\u00f6sung von R\u00fcckstellungen f. sonstige Steuern": { + "account_number": "7694" + } + }, + "Debitoren": { + "root_type": "Asset", + "is_group": 1 + }, + "Kreditoren": { + "root_type": "Liability", + "is_group": 1, + "Wareneingangs-­Verrechnungskonto" : { + "account_number": "70001", + "account_type": "Stock Received But Not Billed" + } + } + } +} diff --git a/erpnext/accounts/doctype/account/chart_of_accounts/verified/id_chart_of_accounts.json b/erpnext/accounts/doctype/account/chart_of_accounts/verified/id_chart_of_accounts.json index 37f57ec1ad..d1a0defba9 100644 --- a/erpnext/accounts/doctype/account/chart_of_accounts/verified/id_chart_of_accounts.json +++ b/erpnext/accounts/doctype/account/chart_of_accounts/verified/id_chart_of_accounts.json @@ -38,24 +38,24 @@ "Kas": { "Kas Mata Uang Lain": { "Kas USD": { - "account_number": "1112.0010", + "account_number": "1112.001", "account_type": "Cash" }, "account_number": "1112.000" }, "Kas Rupiah": { "Kas Besar": { - "account_number": "1111.0020", + "account_number": "1111.002", "account_type": "Cash" }, "Kas Kecil": { - "account_number": "1111.0010", + "account_number": "1111.001", "account_type": "Cash" }, "account_number": "1111.000", "account_type": "Cash" }, - "account_number": "1110.0000" + "account_number": "1110.000" }, "Pendapatan Yang Akan di Terima": { "Pendapatan Yang di Terima": { @@ -98,7 +98,7 @@ }, "account_number": "1130.000" }, - "account_number": "1100.0000" + "account_number": "1100.000" }, "Aktiva Tetap": { "Aktiva": { @@ -121,20 +121,20 @@ "Investasi": { "Investasi": { "Deposito": { - "account_number": "1231.003", + "account_number": "1231.300", "is_group": 1 }, - "Investai Saham": { + "Investasi Saham": { "Investasi Saham": { - "account_number": "1231.0011" + "account_number": "1231.101" }, - "account_number": "1231.001" + "account_number": "1231.100" }, "Investasi Perumahan": { "Investasi Perumahan": { - "account_number": "1231.0021" + "account_number": "1231.201" }, - "account_number": "1231.002" + "account_number": "1231.200" }, "account_number": "1231.000" }, @@ -142,7 +142,7 @@ }, "account_number": "1200.000" }, - "account_number": "1000.0000", + "account_number": "1000.000", "root_type": "Asset" }, "Beban": { @@ -684,4 +684,4 @@ "root_type": "Income" } } -} \ No newline at end of file +} diff --git a/erpnext/accounts/doctype/account_subtype/__init__.py b/erpnext/accounts/doctype/account_subtype/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/accounts/doctype/account_subtype/account_subtype.js b/erpnext/accounts/doctype/account_subtype/account_subtype.js new file mode 100644 index 0000000000..30144adeea --- /dev/null +++ b/erpnext/accounts/doctype/account_subtype/account_subtype.js @@ -0,0 +1,8 @@ +// Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and contributors +// For license information, please see license.txt + +frappe.ui.form.on('Account Subtype', { + refresh: function() { + + } +}); diff --git a/erpnext/accounts/doctype/account_subtype/account_subtype.json b/erpnext/accounts/doctype/account_subtype/account_subtype.json new file mode 100644 index 0000000000..6b1f2a2526 --- /dev/null +++ b/erpnext/accounts/doctype/account_subtype/account_subtype.json @@ -0,0 +1,134 @@ +{ + "allow_copy": 0, + "allow_events_in_timeline": 0, + "allow_guest_to_view": 0, + "allow_import": 1, + "allow_rename": 1, + "autoname": "field:account_subtype", + "beta": 0, + "creation": "2018-10-25 15:46:08.054586", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "", + "editable_grid": 1, + "engine": "InnoDB", + "fields": [ + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "account_subtype", + "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": "Account Subtype", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 1 + } + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "idx": 0, + "image_view": 0, + "in_create": 0, + "is_submittable": 0, + "issingle": 0, + "istable": 0, + "max_attachments": 0, + "modified": "2018-10-25 15:47:03.841390", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Account Subtype", + "name_case": "", + "owner": "Administrator", + "permissions": [ + { + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 0, + "write": 1 + }, + { + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 0, + "write": 1 + }, + { + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "set_user_permissions": 0, + "share": 1, + "submit": 0, + "write": 1 + } + ], + "quick_entry": 1, + "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 +} \ No newline at end of file diff --git a/erpnext/accounts/doctype/account_subtype/account_subtype.py b/erpnext/accounts/doctype/account_subtype/account_subtype.py new file mode 100644 index 0000000000..46c45cc733 --- /dev/null +++ b/erpnext/accounts/doctype/account_subtype/account_subtype.py @@ -0,0 +1,9 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +from frappe.model.document import Document + +class AccountSubtype(Document): + pass diff --git a/erpnext/accounts/doctype/account_subtype/test_account_subtype.js b/erpnext/accounts/doctype/account_subtype/test_account_subtype.js new file mode 100644 index 0000000000..5646763bbd --- /dev/null +++ b/erpnext/accounts/doctype/account_subtype/test_account_subtype.js @@ -0,0 +1,23 @@ +/* eslint-disable */ +// rename this file from _test_[name] to test_[name] to activate +// and remove above this line + +QUnit.test("test: Account Subtype", function (assert) { + let done = assert.async(); + + // number of asserts + assert.expect(1); + + frappe.run_serially([ + // insert a new Account Subtype + () => frappe.tests.make('Account Subtype', [ + // values to be set + {key: 'value'} + ]), + () => { + assert.equal(cur_frm.doc.key, 'value'); + }, + () => done() + ]); + +}); diff --git a/erpnext/accounts/doctype/account_subtype/test_account_subtype.py b/erpnext/accounts/doctype/account_subtype/test_account_subtype.py new file mode 100644 index 0000000000..c37b5b9db7 --- /dev/null +++ b/erpnext/accounts/doctype/account_subtype/test_account_subtype.py @@ -0,0 +1,9 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and Contributors +# See license.txt +from __future__ import unicode_literals + +import unittest + +class TestAccountSubtype(unittest.TestCase): + pass diff --git a/erpnext/accounts/doctype/account_type/__init__.py b/erpnext/accounts/doctype/account_type/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/accounts/doctype/account_type/account_type.js b/erpnext/accounts/doctype/account_type/account_type.js new file mode 100644 index 0000000000..858b56c077 --- /dev/null +++ b/erpnext/accounts/doctype/account_type/account_type.js @@ -0,0 +1,8 @@ +// Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and contributors +// For license information, please see license.txt + +frappe.ui.form.on('Account Type', { + refresh: function() { + + } +}); diff --git a/erpnext/accounts/doctype/account_type/account_type.json b/erpnext/accounts/doctype/account_type/account_type.json new file mode 100644 index 0000000000..6b8f724b40 --- /dev/null +++ b/erpnext/accounts/doctype/account_type/account_type.json @@ -0,0 +1,134 @@ +{ + "allow_copy": 0, + "allow_events_in_timeline": 0, + "allow_guest_to_view": 0, + "allow_import": 1, + "allow_rename": 1, + "autoname": "field:account_type", + "beta": 0, + "creation": "2018-10-25 15:45:45.789963", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "", + "editable_grid": 1, + "engine": "InnoDB", + "fields": [ + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "account_type", + "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": "Account Type", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 1 + } + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "idx": 0, + "image_view": 0, + "in_create": 0, + "is_submittable": 0, + "issingle": 0, + "istable": 0, + "max_attachments": 0, + "modified": "2018-10-25 15:46:51.042604", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Account Type", + "name_case": "", + "owner": "Administrator", + "permissions": [ + { + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 0, + "write": 1 + }, + { + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 0, + "write": 1 + }, + { + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "set_user_permissions": 0, + "share": 1, + "submit": 0, + "write": 1 + } + ], + "quick_entry": 1, + "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 +} \ No newline at end of file diff --git a/erpnext/accounts/doctype/account_type/account_type.py b/erpnext/accounts/doctype/account_type/account_type.py new file mode 100644 index 0000000000..3e6429318b --- /dev/null +++ b/erpnext/accounts/doctype/account_type/account_type.py @@ -0,0 +1,9 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +from frappe.model.document import Document + +class AccountType(Document): + pass diff --git a/erpnext/accounts/doctype/account_type/test_account_type.js b/erpnext/accounts/doctype/account_type/test_account_type.js new file mode 100644 index 0000000000..76e434f4ab --- /dev/null +++ b/erpnext/accounts/doctype/account_type/test_account_type.js @@ -0,0 +1,23 @@ +/* eslint-disable */ +// rename this file from _test_[name] to test_[name] to activate +// and remove above this line + +QUnit.test("test: Account Type", function (assert) { + let done = assert.async(); + + // number of asserts + assert.expect(1); + + frappe.run_serially([ + // insert a new Account Type + () => frappe.tests.make('Account Type', [ + // values to be set + {key: 'value'} + ]), + () => { + assert.equal(cur_frm.doc.key, 'value'); + }, + () => done() + ]); + +}); diff --git a/erpnext/accounts/doctype/account_type/test_account_type.py b/erpnext/accounts/doctype/account_type/test_account_type.py new file mode 100644 index 0000000000..824c2f66ae --- /dev/null +++ b/erpnext/accounts/doctype/account_type/test_account_type.py @@ -0,0 +1,9 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and Contributors +# See license.txt +from __future__ import unicode_literals + +import unittest + +class TestAccountType(unittest.TestCase): + pass diff --git a/erpnext/accounts/doctype/accounts_settings/accounts_settings.json b/erpnext/accounts/doctype/accounts_settings/accounts_settings.json index 64a5951f94..c2372bd111 100644 --- a/erpnext/accounts/doctype/accounts_settings/accounts_settings.json +++ b/erpnext/accounts/doctype/accounts_settings/accounts_settings.json @@ -1,203 +1,203 @@ { - "creation": "2013-06-24 15:49:57", - "description": "Settings for Accounts", - "doctype": "DocType", - "document_type": "Other", - "editable_grid": 1, - "engine": "InnoDB", - "field_order": [ - "auto_accounting_for_stock", - "acc_frozen_upto", - "frozen_accounts_modifier", - "determine_address_tax_category_from", - "column_break_4", - "credit_controller", - "check_supplier_invoice_uniqueness", - "make_payment_via_journal_entry", - "unlink_payment_on_cancellation_of_invoice", - "unlink_advance_payment_on_cancelation_of_order", - "book_asset_depreciation_entry_automatically", - "allow_cost_center_in_entry_of_bs_account", - "add_taxes_from_item_tax_template", - "automatically_fetch_payment_terms", - "print_settings", - "show_inclusive_tax_in_print", - "column_break_12", - "show_payment_schedule_in_print", - "currency_exchange_section", - "allow_stale", - "stale_days", - "report_settings_sb", - "use_custom_cash_flow" - ], - "fields": [ - { - "default": "1", - "description": "If enabled, the system will post accounting entries for inventory automatically.", - "fieldname": "auto_accounting_for_stock", - "fieldtype": "Check", - "hidden": 1, - "in_list_view": 1, - "label": "Make Accounting Entry For Every Stock Movement" - }, - { - "description": "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.", - "fieldname": "acc_frozen_upto", - "fieldtype": "Date", - "in_list_view": 1, - "label": "Accounts Frozen Upto" - }, - { - "description": "Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts", - "fieldname": "frozen_accounts_modifier", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Role Allowed to Set Frozen Accounts & Edit Frozen Entries", - "options": "Role" - }, - { - "default": "Billing Address", - "description": "Address used to determine Tax Category in transactions.", - "fieldname": "determine_address_tax_category_from", - "fieldtype": "Select", - "label": "Determine Address Tax Category From", - "options": "Billing Address\nShipping Address" - }, - { - "fieldname": "column_break_4", - "fieldtype": "Column Break" - }, - { - "description": "Role that is allowed to submit transactions that exceed credit limits set.", - "fieldname": "credit_controller", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Credit Controller", - "options": "Role" - }, - { - "fieldname": "check_supplier_invoice_uniqueness", - "fieldtype": "Check", - "label": "Check Supplier Invoice Number Uniqueness" - }, - { - "fieldname": "make_payment_via_journal_entry", - "fieldtype": "Check", - "label": "Make Payment via Journal Entry" - }, - { - "default": "1", - "fieldname": "unlink_payment_on_cancellation_of_invoice", - "fieldtype": "Check", - "label": "Unlink Payment on Cancellation of Invoice" - }, - { - "default": "1", - "fieldname": "unlink_advance_payment_on_cancelation_of_order", - "fieldtype": "Check", - "label": "Unlink Advance Payment on Cancelation of Order" - }, - { - "default": "1", - "fieldname": "book_asset_depreciation_entry_automatically", - "fieldtype": "Check", - "label": "Book Asset Depreciation Entry Automatically" - }, - { - "fieldname": "allow_cost_center_in_entry_of_bs_account", - "fieldtype": "Check", - "label": "Allow Cost Center In Entry of Balance Sheet Account" - }, - { - "default": "1", - "fieldname": "add_taxes_from_item_tax_template", - "fieldtype": "Check", - "label": "Automatically Add Taxes and Charges from Item Tax Template" - }, - { - "fieldname": "print_settings", - "fieldtype": "Section Break", - "label": "Print Settings" - }, - { - "fieldname": "show_inclusive_tax_in_print", - "fieldtype": "Check", - "label": "Show Inclusive Tax In Print" - }, - { - "fieldname": "column_break_12", - "fieldtype": "Column Break" - }, - { - "fieldname": "show_payment_schedule_in_print", - "fieldtype": "Check", - "label": "Show Payment Schedule in Print" - }, - { - "fieldname": "currency_exchange_section", - "fieldtype": "Section Break", - "label": "Currency Exchange Settings" - }, - { - "default": "1", - "fieldname": "allow_stale", - "fieldtype": "Check", - "in_list_view": 1, - "label": "Allow Stale Exchange Rates" - }, - { - "default": "1", - "depends_on": "eval:doc.allow_stale==0", - "fieldname": "stale_days", - "fieldtype": "Int", - "label": "Stale Days" - }, - { - "fieldname": "report_settings_sb", - "fieldtype": "Section Break", - "label": "Report Settings" - }, - { - "default": "0", - "description": "Only select if you have setup Cash Flow Mapper documents", - "fieldname": "use_custom_cash_flow", - "fieldtype": "Check", - "label": "Use Custom Cash Flow Format" - }, - { - "fieldname": "automatically_fetch_payment_terms", - "fieldtype": "Check", - "label": "Automatically Fetch Payment Terms" - } - ], - "icon": "icon-cog", - "idx": 1, - "issingle": 1, - "modified": "2019-04-28 18:20:55.789946", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Accounts Settings", - "owner": "Administrator", - "permissions": [ - { - "create": 1, - "email": 1, - "print": 1, - "read": 1, - "role": "Accounts Manager", - "share": 1, - "write": 1 - }, - { - "read": 1, - "role": "Sales User" - }, - { - "read": 1, - "role": "Purchase User" - } - ], - "quick_entry": 1, - "sort_order": "ASC", - "track_changes": 1 -} \ No newline at end of file + "creation": "2013-06-24 15:49:57", + "description": "Settings for Accounts", + "doctype": "DocType", + "document_type": "Other", + "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "auto_accounting_for_stock", + "acc_frozen_upto", + "frozen_accounts_modifier", + "determine_address_tax_category_from", + "column_break_4", + "credit_controller", + "check_supplier_invoice_uniqueness", + "make_payment_via_journal_entry", + "unlink_payment_on_cancellation_of_invoice", + "unlink_advance_payment_on_cancelation_of_order", + "book_asset_depreciation_entry_automatically", + "allow_cost_center_in_entry_of_bs_account", + "add_taxes_from_item_tax_template", + "automatically_fetch_payment_terms", + "print_settings", + "show_inclusive_tax_in_print", + "column_break_12", + "show_payment_schedule_in_print", + "currency_exchange_section", + "allow_stale", + "stale_days", + "report_settings_sb", + "use_custom_cash_flow" + ], + "fields": [ + { + "default": "1", + "description": "If enabled, the system will post accounting entries for inventory automatically.", + "fieldname": "auto_accounting_for_stock", + "fieldtype": "Check", + "hidden": 1, + "in_list_view": 1, + "label": "Make Accounting Entry For Every Stock Movement" + }, + { + "description": "Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.", + "fieldname": "acc_frozen_upto", + "fieldtype": "Date", + "in_list_view": 1, + "label": "Accounts Frozen Upto" + }, + { + "description": "Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts", + "fieldname": "frozen_accounts_modifier", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Role Allowed to Set Frozen Accounts & Edit Frozen Entries", + "options": "Role" + }, + { + "default": "Billing Address", + "description": "Address used to determine Tax Category in transactions.", + "fieldname": "determine_address_tax_category_from", + "fieldtype": "Select", + "label": "Determine Address Tax Category From", + "options": "Billing Address\nShipping Address" + }, + { + "fieldname": "column_break_4", + "fieldtype": "Column Break" + }, + { + "description": "Role that is allowed to submit transactions that exceed credit limits set.", + "fieldname": "credit_controller", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Credit Controller", + "options": "Role" + }, + { + "fieldname": "check_supplier_invoice_uniqueness", + "fieldtype": "Check", + "label": "Check Supplier Invoice Number Uniqueness" + }, + { + "fieldname": "make_payment_via_journal_entry", + "fieldtype": "Check", + "label": "Make Payment via Journal Entry" + }, + { + "default": "1", + "fieldname": "unlink_payment_on_cancellation_of_invoice", + "fieldtype": "Check", + "label": "Unlink Payment on Cancellation of Invoice" + }, + { + "default": "1", + "fieldname": "unlink_advance_payment_on_cancelation_of_order", + "fieldtype": "Check", + "label": "Unlink Advance Payment on Cancelation of Order" + }, + { + "default": "1", + "fieldname": "book_asset_depreciation_entry_automatically", + "fieldtype": "Check", + "label": "Book Asset Depreciation Entry Automatically" + }, + { + "fieldname": "allow_cost_center_in_entry_of_bs_account", + "fieldtype": "Check", + "label": "Allow Cost Center In Entry of Balance Sheet Account" + }, + { + "default": "1", + "fieldname": "add_taxes_from_item_tax_template", + "fieldtype": "Check", + "label": "Automatically Add Taxes and Charges from Item Tax Template" + }, + { + "fieldname": "print_settings", + "fieldtype": "Section Break", + "label": "Print Settings" + }, + { + "fieldname": "show_inclusive_tax_in_print", + "fieldtype": "Check", + "label": "Show Inclusive Tax In Print" + }, + { + "fieldname": "column_break_12", + "fieldtype": "Column Break" + }, + { + "fieldname": "show_payment_schedule_in_print", + "fieldtype": "Check", + "label": "Show Payment Schedule in Print" + }, + { + "fieldname": "currency_exchange_section", + "fieldtype": "Section Break", + "label": "Currency Exchange Settings" + }, + { + "default": "1", + "fieldname": "allow_stale", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Allow Stale Exchange Rates" + }, + { + "default": "1", + "depends_on": "eval:doc.allow_stale==0", + "fieldname": "stale_days", + "fieldtype": "Int", + "label": "Stale Days" + }, + { + "fieldname": "report_settings_sb", + "fieldtype": "Section Break", + "label": "Report Settings" + }, + { + "default": "0", + "description": "Only select if you have setup Cash Flow Mapper documents", + "fieldname": "use_custom_cash_flow", + "fieldtype": "Check", + "label": "Use Custom Cash Flow Format" + }, + { + "fieldname": "automatically_fetch_payment_terms", + "fieldtype": "Check", + "label": "Automatically Fetch Payment Terms" + } + ], + "icon": "icon-cog", + "idx": 1, + "issingle": 1, + "modified": "2019-04-28 18:20:55.789946", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Accounts Settings", + "owner": "Administrator", + "permissions": [ + { + "create": 1, + "email": 1, + "print": 1, + "read": 1, + "role": "Accounts Manager", + "share": 1, + "write": 1 + }, + { + "read": 1, + "role": "Sales User" + }, + { + "read": 1, + "role": "Purchase User" + } + ], + "quick_entry": 1, + "sort_order": "ASC", + "track_changes": 1 + } \ No newline at end of file diff --git a/erpnext/accounts/doctype/bank/bank.js b/erpnext/accounts/doctype/bank/bank.js index 1063a07b82..463d29c9f8 100644 --- a/erpnext/accounts/doctype/bank/bank.js +++ b/erpnext/accounts/doctype/bank/bank.js @@ -2,7 +2,29 @@ // For license information, please see license.txt frappe.ui.form.on('Bank', { + onload: function(frm) { + add_fields_to_mapping_table(frm); + }, refresh: function(frm) { - + add_fields_to_mapping_table(frm); } }); + + +let add_fields_to_mapping_table = function (frm) { + let options = []; + + frappe.model.with_doctype("Bank Transaction", function() { + let meta = frappe.get_meta("Bank Transaction"); + meta.fields.forEach(value => { + if (!["Section Break", "Column Break"].includes(value.fieldtype)) { + options.push(value.fieldname); + } + }); + }); + + frappe.meta.get_docfield("Bank Transaction Mapping", "bank_transaction_field", + frm.doc.name).options = options; + + frm.fields_dict.bank_transaction_mapping.grid.refresh(); +}; \ No newline at end of file diff --git a/erpnext/accounts/doctype/bank/bank.json b/erpnext/accounts/doctype/bank/bank.json index 0a24726f36..4fa0e4f29b 100644 --- a/erpnext/accounts/doctype/bank/bank.json +++ b/erpnext/accounts/doctype/bank/bank.json @@ -1,5 +1,6 @@ { "allow_copy": 0, + "allow_events_in_timeline": 0, "allow_guest_to_view": 0, "allow_import": 0, "allow_rename": 0, @@ -15,6 +16,7 @@ "fields": [ { "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -42,6 +44,134 @@ "search_index": 0, "set_only_once": 0, "translatable": 0, + "unique": 1 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 1, + "columns": 0, + "fieldname": "data_import_configuration_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": "Data Import Configuration", + "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, + "fieldname": "bank_transaction_mapping", + "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": "Bank Transaction Mapping", + "length": 0, + "no_copy": 0, + "options": "Bank Transaction Mapping", + "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, + "fieldname": "section_break_4", + "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, + "fieldname": "plaid_access_token", + "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": "Plaid Access Token", + "length": 0, + "no_copy": 1, + "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 } ], @@ -55,7 +185,7 @@ "issingle": 0, "istable": 0, "max_attachments": 0, - "modified": "2018-04-07 17:00:21.246202", + "modified": "2018-11-27 16:12:13.938776", "modified_by": "Administrator", "module": "Accounts", "name": "Bank", @@ -64,7 +194,6 @@ "permissions": [ { "amend": 0, - "apply_user_permissions": 0, "cancel": 0, "create": 1, "delete": 1, @@ -90,5 +219,6 @@ "sort_field": "modified", "sort_order": "DESC", "track_changes": 1, - "track_seen": 0 + "track_seen": 0, + "track_views": 0 } \ No newline at end of file diff --git a/erpnext/accounts/doctype/bank_account/bank_account.js b/erpnext/accounts/doctype/bank_account/bank_account.js index a7b5891cff..f22dd81b04 100644 --- a/erpnext/accounts/doctype/bank_account/bank_account.js +++ b/erpnext/accounts/doctype/bank_account/bank_account.js @@ -1,4 +1,4 @@ -// Copyright (c) 2016, Frappe Technologies Pvt. Ltd. and contributors +// Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and contributors // For license information, please see license.txt frappe.ui.form.on('Bank Account', { @@ -29,5 +29,13 @@ frappe.ui.form.on('Bank Account', { else { frappe.contacts.render_address_and_contact(frm); } + + if (frm.doc.integration_id) { + frm.add_custom_button(__("Unlink external integrations"), function() { + frappe.confirm(__("This action will unlink this account from any external service integrating ERPNext with your bank accounts. It cannot be undone. Are you certain ?"), function() { + frm.set_value("integration_id", ""); + }); + }); + } } }); diff --git a/erpnext/accounts/doctype/bank_account/bank_account.json b/erpnext/accounts/doctype/bank_account/bank_account.json index 10db0d77a0..076b320c74 100644 --- a/erpnext/accounts/doctype/bank_account/bank_account.json +++ b/erpnext/accounts/doctype/bank_account/bank_account.json @@ -1,189 +1,1019 @@ { - "allow_import": 1, - "allow_rename": 1, - "autoname": "field:account_name", - "creation": "2017-05-29 21:35:13.136357", - "doctype": "DocType", - "document_type": "Setup", - "engine": "InnoDB", - "field_order": [ - "account_name", - "account", - "bank", - "is_company_account", - "company", - "column_break_7", - "is_default", - "bank_account_no", - "iban", - "branch_code", - "swift_number", - "section_break_11", - "party_type", - "column_break_14", - "party", - "address_and_contact", - "address_html", - "website", - "column_break_12", - "contact_html" - ], - "fields": [ - { - "fieldname": "account_name", - "fieldtype": "Data", - "in_global_search": 1, - "in_list_view": 1, - "in_standard_filter": 1, - "label": "Account Name", - "reqd": 1, - "unique": 1 - }, - { - "fieldname": "account", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Account", - "options": "Account", - "reqd": 1 - }, - { - "fieldname": "bank", - "fieldtype": "Link", - "label": "Bank", - "options": "Bank", - "reqd": 1 - }, - { - "fieldname": "is_company_account", - "fieldtype": "Check", - "label": "Is Company Account" - }, - { - "depends_on": "is_company_account", - "fieldname": "company", - "fieldtype": "Link", - "in_list_view": 1, - "in_standard_filter": 1, - "label": "Company", - "options": "Company" - }, - { - "fieldname": "column_break_7", - "fieldtype": "Column Break", - "search_index": 1 - }, - { - "fieldname": "is_default", - "fieldtype": "Check", - "label": "Is Default" - }, - { - "fieldname": "bank_account_no", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Bank Account No", - "length": 30 - }, - { - "fieldname": "iban", - "fieldtype": "Data", - "in_list_view": 1, - "label": "IBAN", - "length": 30 - }, - { - "fieldname": "branch_code", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Branch Code" - }, - { - "fieldname": "swift_number", - "fieldtype": "Data", - "label": "SWIFT number" - }, - { - "depends_on": "eval:!doc.is_company_account", - "fieldname": "section_break_11", - "fieldtype": "Section Break" - }, - { - "fieldname": "party_type", - "fieldtype": "Link", - "label": "Party Type", - "options": "DocType" - }, - { - "fieldname": "column_break_14", - "fieldtype": "Column Break" - }, - { - "fieldname": "party", - "fieldtype": "Dynamic Link", - "label": "Party", - "options": "party_type" - }, - { - "fieldname": "address_and_contact", - "fieldtype": "Section Break", - "label": "Address and Contact", - "options": "fa fa-map-marker" - }, - { - "fieldname": "address_html", - "fieldtype": "HTML", - "label": "Address HTML" - }, - { - "fieldname": "website", - "fieldtype": "Data", - "label": "Website" - }, - { - "fieldname": "column_break_12", - "fieldtype": "Column Break" - }, - { - "fieldname": "contact_html", - "fieldtype": "HTML", - "label": "Contact HTML" - } - ], - "modified": "2019-04-25 22:10:07.951351", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Bank Account", - "owner": "Administrator", - "permissions": [ - { - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "import": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "share": 1, - "write": 1 - }, - { - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "share": 1, - "write": 1 - } - ], - "search_fields": "bank,account", - "sort_field": "modified", - "sort_order": "DESC", - "track_changes": 1 -} \ No newline at end of file + "allow_copy": 0, + "allow_events_in_timeline": 0, + "allow_guest_to_view": 0, + "allow_import": 1, + "allow_rename": 1, + "autoname": "", + "beta": 0, + "creation": "2017-05-29 21:35:13.136357", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "Setup", + "editable_grid": 0, + "engine": "InnoDB", + "fields": [ + { + "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": 1, + "in_list_view": 1, + "in_standard_filter": 1, + "label": "Account Name", + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "account", + "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": "GL Account", + "length": 0, + "no_copy": 0, + "options": "Account", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 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, + "fieldname": "bank", + "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": "Bank", + "length": 0, + "no_copy": 0, + "options": "Bank", + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "account_type", + "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": "Account Type", + "length": 0, + "no_copy": 0, + "options": "Account Type", + "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, + "fieldname": "account_subtype", + "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": "Account Subtype", + "length": 0, + "no_copy": 0, + "options": "Account Subtype", + "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, + "fieldname": "column_break_7", + "fieldtype": "Column Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 1, + "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, + "fieldname": "is_default", + "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 the Default 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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "is_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": "Is 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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "is_company_account", + "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": 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.is_company_account", + "fieldname": "section_break_11", + "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": "Party 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, + "fieldname": "party_type", + "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": "Party Type", + "length": 0, + "no_copy": 0, + "options": "DocType", + "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, + "fieldname": "column_break_14", + "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, + "fieldname": "party", + "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": "Party", + "length": 0, + "no_copy": 0, + "options": "party_type", + "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, + "fieldname": "account_details_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": "Account 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, + "fieldname": "iban", + "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": "IBAN", + "length": 30, + "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, + "fieldname": "column_break_12", + "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, + "fieldname": "bank_account_no", + "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": "Bank Account No", + "length": 30, + "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, + "fieldname": "branch_code", + "fieldtype": "Data", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 1, + "in_standard_filter": 0, + "label": "Branch Code", + "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, + "fieldname": "swift_number", + "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": "SWIFT number", + "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, + "fieldname": "address_and_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": "Address and Contact", + "length": 0, + "no_copy": 0, + "options": "fa fa-map-marker", + "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, + "fieldname": "address_html", + "fieldtype": "HTML", + "hidden": 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 HTML", + "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, + "fieldname": "website", + "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": "Website", + "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, + "fieldname": "column_break_13", + "fieldtype": "Column Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "contact_html", + "fieldtype": "HTML", + "hidden": 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 HTML", + "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, + "fieldname": "integration_details_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": "Integration 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, + "fieldname": "integration_id", + "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": "Integration ID", + "length": 0, + "no_copy": 1, + "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": 1 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "description": "Change this date manually to setup the next synchronization start date", + "fieldname": "last_integration_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": "Last Integration 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": 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, + "fieldname": "column_break_27", + "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, + "fieldname": "mask", + "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": "Mask", + "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 + } + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "idx": 0, + "image_view": 0, + "in_create": 0, + "is_submittable": 0, + "issingle": 0, + "istable": 0, + "max_attachments": 0, + "modified": "2019-03-06 17:56:05.103238", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Bank Account", + "name_case": "", + "owner": "Administrator", + "permissions": [ + { + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 1, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 0, + "write": 1 + }, + { + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "set_user_permissions": 0, + "share": 1, + "submit": 0, + "write": 1 + } + ], + "quick_entry": 0, + "read_only": 0, + "read_only_onload": 0, + "search_fields": "bank,account", + "show_name_in_global_search": 0, + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1, + "track_seen": 0, + "track_views": 0 + } \ No newline at end of file diff --git a/erpnext/accounts/doctype/bank_account/bank_account.py b/erpnext/accounts/doctype/bank_account/bank_account.py index b13259b55d..20ce7ca9a4 100644 --- a/erpnext/accounts/doctype/bank_account/bank_account.py +++ b/erpnext/accounts/doctype/bank_account/bank_account.py @@ -13,16 +13,47 @@ class BankAccount(Document): """Load address and contacts in `__onload`""" load_address_and_contact(self) + def autoname(self): + self.name = self.account_name + " - " + self.bank + def on_trash(self): delete_contact_and_address('BankAccount', self.name) def validate(self): self.validate_company() + self.validate_iban() def validate_company(self): if self.is_company_account and not self.company: frappe.throw(_("Company is manadatory for company account")) + def validate_iban(self): + ''' + Algorithm: https://en.wikipedia.org/wiki/International_Bank_Account_Number#Validating_the_IBAN + ''' + # IBAN field is optional + if not self.iban: + return + + def encode_char(c): + # Position in the alphabet (A=1, B=2, ...) plus nine + return str(9 + ord(c) - 64) + + # remove whitespaces, upper case to get the right number from ord() + iban = ''.join(self.iban.split(' ')).upper() + + # Move country code and checksum from the start to the end + flipped = iban[4:] + iban[:4] + + # Encode characters as numbers + encoded = [encode_char(c) if ord(c) >= 65 and ord(c) <= 90 else c for c in flipped] + + to_check = int(''.join(encoded)) + + if to_check % 97 != 1: + frappe.throw(_('IBAN is not valid')) + + @frappe.whitelist() def make_bank_account(doctype, docname): doc = frappe.new_doc("Bank Account") diff --git a/erpnext/accounts/doctype/bank_account/test_bank_account.py b/erpnext/accounts/doctype/bank_account/test_bank_account.py index 43a3298ec4..f3bb086fa9 100644 --- a/erpnext/accounts/doctype/bank_account/test_bank_account.py +++ b/erpnext/accounts/doctype/bank_account/test_bank_account.py @@ -4,9 +4,46 @@ from __future__ import unicode_literals import frappe +from frappe import _ +from frappe import ValidationError import unittest # test_records = frappe.get_test_records('Bank Account') class TestBankAccount(unittest.TestCase): - pass + + def test_validate_iban(self): + valid_ibans = [ + 'GB82 WEST 1234 5698 7654 32', + 'DE91 1000 0000 0123 4567 89', + 'FR76 3000 6000 0112 3456 7890 189' + ] + + invalid_ibans = [ + # wrong checksum (3rd place) + 'GB72 WEST 1234 5698 7654 32', + 'DE81 1000 0000 0123 4567 89', + 'FR66 3000 6000 0112 3456 7890 189' + ] + + bank_account = frappe.get_doc({'doctype':'Bank Account'}) + + try: + bank_account.validate_iban() + except AttributeError: + msg = _('BankAccount.validate_iban() failed for empty IBAN') + self.fail(msg=msg) + + for iban in valid_ibans: + bank_account.iban = iban + try: + bank_account.validate_iban() + except ValidationError: + msg = _('BankAccount.validate_iban() failed for valid IBAN {}'.format(iban)) + self.fail(msg=msg) + + for not_iban in invalid_ibans: + bank_account.iban = not_iban + msg = _('BankAccount.validate_iban() accepted invalid IBAN {}'.format(not_iban)) + with self.assertRaises(ValidationError, msg=msg): + bank_account.validate_iban() diff --git a/erpnext/accounts/doctype/bank_transaction/__init__.py b/erpnext/accounts/doctype/bank_transaction/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/accounts/doctype/bank_transaction/bank_transaction.js b/erpnext/accounts/doctype/bank_transaction/bank_transaction.js new file mode 100644 index 0000000000..8b1bab1618 --- /dev/null +++ b/erpnext/accounts/doctype/bank_transaction/bank_transaction.js @@ -0,0 +1,32 @@ +// Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and contributors +// For license information, please see license.txt + +frappe.ui.form.on('Bank Transaction', { + onload(frm) { + frm.set_query('payment_document', 'payment_entries', function() { + return { + "filters": { + "name": ["in", ["Payment Entry", "Journal Entry", "Sales Invoice", "Purchase Invoice", "Expense Claim"]] + } + }; + }); + } +}); + +frappe.ui.form.on('Bank Transaction Payments', { + payment_entries_remove: function(frm, cdt, cdn) { + update_clearance_date(frm, cdt, cdn); + } +}); + +const update_clearance_date = (frm, cdt, cdn) => { + if (frm.doc.docstatus === 1) { + frappe.xcall('erpnext.accounts.doctype.bank_transaction.bank_transaction.unclear_reference_payment', + {doctype: cdt, docname: cdn}) + .then(e => { + if (e == "success") { + frappe.show_alert({message:__("Document {0} successfully uncleared", [e]), indicator:'green'}); + } + }); + } +}; \ No newline at end of file diff --git a/erpnext/accounts/doctype/bank_transaction/bank_transaction.json b/erpnext/accounts/doctype/bank_transaction/bank_transaction.json new file mode 100644 index 0000000000..39937bb364 --- /dev/null +++ b/erpnext/accounts/doctype/bank_transaction/bank_transaction.json @@ -0,0 +1,833 @@ +{ + "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": "2018-10-22 18:19:02.784533", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "", + "editable_grid": 1, + "engine": "InnoDB", + "fields": [ + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "ACC-BTN-.YYYY.-", + "fetch_if_empty": 0, + "fieldname": "naming_series", + "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": 0, + "label": "Series", + "length": 0, + "no_copy": 1, + "options": "ACC-BTN-.YYYY.-", + "permlevel": 0, + "precision": "", + "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": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "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": "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": 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_2", + "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, + "default": "Pending", + "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": 0, + "in_standard_filter": 1, + "label": "Status", + "length": 0, + "no_copy": 0, + "options": "\nPending\nSettled\nUnreconciled\nReconciled", + "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": "bank_account", + "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": "Bank Account", + "length": 0, + "no_copy": 0, + "options": "Bank Account", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "", + "fetch_from": "bank_account.company", + "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, + "options": "Company", + "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_4", + "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": "debit", + "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": "Debit", + "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": "credit", + "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": "Credit", + "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": "column_break_7", + "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": "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 + }, + { + "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_10", + "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": "description", + "fieldtype": "Small Text", + "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": "Description", + "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": "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, + "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": "reference_number", + "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": "Reference Number", + "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": "transaction_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": "Transaction 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": 1 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 1, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "payment_entries", + "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 Entries", + "length": 0, + "no_copy": 0, + "options": "Bank Transaction Payments", + "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": "section_break_18", + "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": "allocated_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": "Allocated 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 + }, + { + "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": 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": "Bank Transaction", + "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": "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 + }, + { + "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": "unallocated_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": "Unallocated 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 + } + ], + "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": "2019-05-11 05:27:55.244721", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Bank Transaction", + "name_case": "", + "owner": "Administrator", + "permissions": [ + { + "amend": 0, + "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, + "write": 1 + }, + { + "amend": 0, + "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, + "write": 1 + }, + { + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "set_user_permissions": 0, + "share": 1, + "submit": 1, + "write": 1 + } + ], + "quick_entry": 0, + "read_only": 0, + "read_only_onload": 0, + "show_name_in_global_search": 0, + "sort_field": "date", + "sort_order": "DESC", + "title_field": "bank_account", + "track_changes": 0, + "track_seen": 0, + "track_views": 0 +} \ No newline at end of file diff --git a/erpnext/accounts/doctype/bank_transaction/bank_transaction.py b/erpnext/accounts/doctype/bank_transaction/bank_transaction.py new file mode 100644 index 0000000000..f943b34581 --- /dev/null +++ b/erpnext/accounts/doctype/bank_transaction/bank_transaction.py @@ -0,0 +1,106 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2019, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +from erpnext.controllers.status_updater import StatusUpdater +from frappe.utils import flt +from six.moves import reduce +from frappe import _ + +class BankTransaction(StatusUpdater): + def after_insert(self): + self.unallocated_amount = abs(flt(self.credit) - flt(self.debit)) + + def on_submit(self): + self.clear_linked_payment_entries() + self.set_status() + + def on_update_after_submit(self): + self.update_allocations() + self.clear_linked_payment_entries() + self.set_status(update=True) + + def update_allocations(self): + if self.payment_entries: + allocated_amount = reduce(lambda x, y: flt(x) + flt(y), [x.allocated_amount for x in self.payment_entries]) + else: + allocated_amount = 0 + + if allocated_amount: + frappe.db.set_value(self.doctype, self.name, "allocated_amount", flt(allocated_amount)) + frappe.db.set_value(self.doctype, self.name, "unallocated_amount", abs(flt(self.credit) - flt(self.debit)) - flt(allocated_amount)) + + else: + frappe.db.set_value(self.doctype, self.name, "allocated_amount", 0) + frappe.db.set_value(self.doctype, self.name, "unallocated_amount", abs(flt(self.credit) - flt(self.debit))) + + amount = self.debit or self.credit + if amount == self.allocated_amount: + frappe.db.set_value(self.doctype, self.name, "status", "Reconciled") + + self.reload() + + def clear_linked_payment_entries(self): + for payment_entry in self.payment_entries: + allocated_amount = get_total_allocated_amount(payment_entry) + paid_amount = get_paid_amount(payment_entry) + + if paid_amount and allocated_amount: + if flt(allocated_amount[0]["allocated_amount"]) > flt(paid_amount): + frappe.throw(_("The total allocated amount ({0}) is greated than the paid amount ({1}).".format(flt(allocated_amount[0]["allocated_amount"]), flt(paid_amount)))) + elif flt(allocated_amount[0]["allocated_amount"]) == flt(paid_amount): + if payment_entry.payment_document in ["Payment Entry", "Journal Entry", "Purchase Invoice", "Expense Claim"]: + self.clear_simple_entry(payment_entry) + + elif payment_entry.payment_document == "Sales Invoice": + self.clear_sales_invoice(payment_entry) + + def clear_simple_entry(self, payment_entry): + frappe.db.set_value(payment_entry.payment_document, payment_entry.payment_entry, "clearance_date", self.date) + + def clear_sales_invoice(self, payment_entry): + frappe.db.set_value("Sales Invoice Payment", dict(parenttype=payment_entry.payment_document, + parent=payment_entry.payment_entry), "clearance_date", self.date) + +def get_total_allocated_amount(payment_entry): + return frappe.db.sql(""" + SELECT + SUM(btp.allocated_amount) as allocated_amount, + bt.name + FROM + `tabBank Transaction Payments` as btp + LEFT JOIN + `tabBank Transaction` bt ON bt.name=btp.parent + WHERE + btp.payment_document = %s + AND + btp.payment_entry = %s + AND + bt.docstatus = 1""", (payment_entry.payment_document, payment_entry.payment_entry), as_dict=True) + +def get_paid_amount(payment_entry): + if payment_entry.payment_document in ["Payment Entry", "Sales Invoice", "Purchase Invoice"]: + return frappe.db.get_value(payment_entry.payment_document, payment_entry.payment_entry, "paid_amount") + + elif payment_entry.payment_document == "Journal Entry": + return frappe.db.get_value(payment_entry.payment_document, payment_entry.payment_entry, "total_credit") + + elif payment_entry.payment_document == "Expense Claim": + return frappe.db.get_value(payment_entry.payment_document, payment_entry.payment_entry, "total_amount_reimbursed") + + else: + frappe.throw("Please reconcile {0}: {1} manually".format(payment_entry.payment_document, payment_entry.payment_entry)) + +@frappe.whitelist() +def unclear_reference_payment(doctype, docname): + if frappe.db.exists(doctype, docname): + doc = frappe.get_doc(doctype, docname) + if doctype == "Sales Invoice": + frappe.db.set_value("Sales Invoice Payment", dict(parenttype=doc.payment_document, + parent=doc.payment_entry), "clearance_date", None) + else: + frappe.db.set_value(doc.payment_document, doc.payment_entry, "clearance_date", None) + + return doc.payment_entry diff --git a/erpnext/accounts/doctype/bank_transaction/bank_transaction_list.js b/erpnext/accounts/doctype/bank_transaction/bank_transaction_list.js new file mode 100644 index 0000000000..2ecc2b0cda --- /dev/null +++ b/erpnext/accounts/doctype/bank_transaction/bank_transaction_list.js @@ -0,0 +1,13 @@ +// Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and Contributors +// License: GNU General Public License v3. See license.txt + +frappe.listview_settings['Bank Transaction'] = { + add_fields: ["unallocated_amount"], + get_indicator: function(doc) { + if(flt(doc.unallocated_amount)>0) { + return [__("Unreconciled"), "orange", "unallocated_amount,>,0"]; + } else if(flt(doc.unallocated_amount)<=0) { + return [__("Reconciled"), "green", "unallocated_amount,=,0"]; + } + } +}; \ No newline at end of file diff --git a/erpnext/accounts/doctype/bank_transaction/bank_transaction_upload.py b/erpnext/accounts/doctype/bank_transaction/bank_transaction_upload.py new file mode 100644 index 0000000000..deedafdfb5 --- /dev/null +++ b/erpnext/accounts/doctype/bank_transaction/bank_transaction_upload.py @@ -0,0 +1,80 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +import json +from frappe.utils import getdate +from frappe.utils.dateutils import parse_date +from six import iteritems + +@frappe.whitelist() +def upload_bank_statement(): + if getattr(frappe, "uploaded_file", None): + with open(frappe.uploaded_file, "rb") as upfile: + fcontent = upfile.read() + else: + from frappe.utils.file_manager import get_uploaded_content + fname, fcontent = get_uploaded_content() + + if frappe.safe_encode(fname).lower().endswith("csv".encode('utf-8')): + from frappe.utils.csvutils import read_csv_content + rows = read_csv_content(fcontent, False) + + elif frappe.safe_encode(fname).lower().endswith("xlsx".encode('utf-8')): + from frappe.utils.xlsxutils import read_xlsx_file_from_attached_file + rows = read_xlsx_file_from_attached_file(fcontent=fcontent) + + columns = rows[0] + rows.pop(0) + data = rows + return {"columns": columns, "data": data} + + +@frappe.whitelist() +def create_bank_entries(columns, data, bank_account): + header_map = get_header_mapping(columns, bank_account) + + success = 0 + errors = 0 + for d in json.loads(data): + if all(item is None for item in d) is True: + continue + fields = {} + for key, value in iteritems(header_map): + fields.update({key: d[int(value)-1]}) + + try: + bank_transaction = frappe.get_doc({ + "doctype": "Bank Transaction" + }) + bank_transaction.update(fields) + bank_transaction.date = getdate(parse_date(bank_transaction.date)) + bank_transaction.bank_account = bank_account + bank_transaction.insert() + bank_transaction.submit() + success += 1 + except Exception: + frappe.log_error(frappe.get_traceback()) + errors += 1 + + return {"success": success, "errors": errors} + +def get_header_mapping(columns, bank_account): + mapping = get_bank_mapping(bank_account) + + header_map = {} + for column in json.loads(columns): + if column["content"] in mapping: + header_map.update({mapping[column["content"]]: column["colIndex"]}) + + return header_map + +def get_bank_mapping(bank_account): + bank_name = frappe.db.get_value("Bank Account", bank_account, "bank") + bank = frappe.get_doc("Bank", bank_name) + + mapping = {row.file_field:row.bank_transaction_field for row in bank.bank_transaction_mapping} + + return mapping \ No newline at end of file diff --git a/erpnext/accounts/doctype/bank_transaction/test_bank_transaction.js b/erpnext/accounts/doctype/bank_transaction/test_bank_transaction.js new file mode 100644 index 0000000000..305119e137 --- /dev/null +++ b/erpnext/accounts/doctype/bank_transaction/test_bank_transaction.js @@ -0,0 +1,23 @@ +/* eslint-disable */ +// rename this file from _test_[name] to test_[name] to activate +// and remove above this line + +QUnit.test("test: Bank Transaction", function (assert) { + let done = assert.async(); + + // number of asserts + assert.expect(1); + + frappe.run_serially([ + // insert a new Bank Transaction + () => frappe.tests.make('Bank Transaction', [ + // values to be set + {key: 'value'} + ]), + () => { + assert.equal(cur_frm.doc.key, 'value'); + }, + () => done() + ]); + +}); diff --git a/erpnext/accounts/doctype/bank_transaction/test_bank_transaction.py b/erpnext/accounts/doctype/bank_transaction/test_bank_transaction.py new file mode 100644 index 0000000000..0fe57c3239 --- /dev/null +++ b/erpnext/accounts/doctype/bank_transaction/test_bank_transaction.py @@ -0,0 +1,290 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and Contributors +# See license.txt +from __future__ import unicode_literals + +import frappe +import unittest +from erpnext.accounts.doctype.sales_invoice.test_sales_invoice import create_sales_invoice +from erpnext.accounts.doctype.purchase_invoice.test_purchase_invoice import make_purchase_invoice +from erpnext.accounts.doctype.payment_entry.test_payment_entry import get_payment_entry +from erpnext.accounts.page.bank_reconciliation.bank_reconciliation import reconcile, get_linked_payments + +test_dependencies = ["Item", "Cost Center"] + +class TestBankTransaction(unittest.TestCase): + def setUp(self): + add_transactions() + add_payments() + + def tearDown(self): + for bt in frappe.get_all("Bank Transaction"): + doc = frappe.get_doc("Bank Transaction", bt.name) + doc.cancel() + doc.delete() + + # Delete directly in DB to avoid validation errors for countries not allowing deletion + frappe.db.sql("""delete from `tabPayment Entry Reference`""") + frappe.db.sql("""delete from `tabPayment Entry`""") + + frappe.flags.test_bank_transactions_created = False + frappe.flags.test_payments_created = False + + # This test checks if ERPNext is able to provide a linked payment for a bank transaction based on the amount of the bank transaction. + def test_linked_payments(self): + bank_transaction = frappe.get_doc("Bank Transaction", dict(description="Re 95282925234 FE/000002917 AT171513000281183046 Conrad Electronic")) + linked_payments = get_linked_payments(bank_transaction.name) + self.assertTrue(linked_payments[0].party == "Conrad Electronic") + + # This test validates a simple reconciliation leading to the clearance of the bank transaction and the payment + def test_reconcile(self): + bank_transaction = frappe.get_doc("Bank Transaction", dict(description="1512567 BG/000002918 OPSKATTUZWXXX AT776000000098709837 Herr G")) + payment = frappe.get_doc("Payment Entry", dict(party="Mr G", paid_amount=1200)) + reconcile(bank_transaction.name, "Payment Entry", payment.name) + + unallocated_amount = frappe.db.get_value("Bank Transaction", bank_transaction.name, "unallocated_amount") + self.assertTrue(unallocated_amount == 0) + + clearance_date = frappe.db.get_value("Payment Entry", payment.name, "clearance_date") + self.assertTrue(clearance_date is not None) + + # Check if ERPNext can correctly fetch a linked payment based on the party + def test_linked_payments_based_on_party(self): + bank_transaction = frappe.get_doc("Bank Transaction", dict(description="1512567 BG/000003025 OPSKATTUZWXXX AT776000000098709849 Herr G")) + linked_payments = get_linked_payments(bank_transaction.name) + self.assertTrue(len(linked_payments)==1) + + # Check if ERPNext can correctly filter a linked payments based on the debit/credit amount + def test_debit_credit_output(self): + bank_transaction = frappe.get_doc("Bank Transaction", dict(description="Auszahlung Karte MC/000002916 AUTOMAT 698769 K002 27.10. 14:07")) + linked_payments = get_linked_payments(bank_transaction.name) + self.assertTrue(linked_payments[0].payment_type == "Pay") + + # Check error if already reconciled + def test_already_reconciled(self): + bank_transaction = frappe.get_doc("Bank Transaction", dict(description="1512567 BG/000002918 OPSKATTUZWXXX AT776000000098709837 Herr G")) + payment = frappe.get_doc("Payment Entry", dict(party="Mr G", paid_amount=1200)) + reconcile(bank_transaction.name, "Payment Entry", payment.name) + + bank_transaction = frappe.get_doc("Bank Transaction", dict(description="1512567 BG/000002918 OPSKATTUZWXXX AT776000000098709837 Herr G")) + payment = frappe.get_doc("Payment Entry", dict(party="Mr G", paid_amount=1200)) + self.assertRaises(frappe.ValidationError, reconcile, bank_transaction=bank_transaction.name, payment_doctype="Payment Entry", payment_name=payment.name) + + # Raise an error if creditor transaction vs creditor payment + def test_invalid_creditor_reconcilation(self): + bank_transaction = frappe.get_doc("Bank Transaction", dict(description="I2015000011 VD/000002514 ATWWXXX AT4701345000003510057 Bio")) + payment = frappe.get_doc("Payment Entry", dict(party="Conrad Electronic", paid_amount=690)) + self.assertRaises(frappe.ValidationError, reconcile, bank_transaction=bank_transaction.name, payment_doctype="Payment Entry", payment_name=payment.name) + + # Raise an error if debitor transaction vs debitor payment + def test_invalid_debitor_reconcilation(self): + bank_transaction = frappe.get_doc("Bank Transaction", dict(description="Auszahlung Karte MC/000002916 AUTOMAT 698769 K002 27.10. 14:07")) + payment = frappe.get_doc("Payment Entry", dict(party="Fayva", paid_amount=109080)) + self.assertRaises(frappe.ValidationError, reconcile, bank_transaction=bank_transaction.name, payment_doctype="Payment Entry", payment_name=payment.name) + + # Raise an error if debitor transaction vs debitor payment + def test_clear_sales_invoice(self): + bank_transaction = frappe.get_doc("Bank Transaction", dict(description="I2015000011 VD/000002514 ATWWXXX AT4701345000003510057 Bio")) + payment = frappe.get_doc("Sales Invoice", dict(customer="Fayva", status=["=", "Paid"])) + reconcile(bank_transaction.name, "Sales Invoice", payment.name) + + self.assertEqual(frappe.db.get_value("Bank Transaction", bank_transaction.name, "unallocated_amount"), 0) + self.assertTrue(frappe.db.get_value("Sales Invoice Payment", dict(parent=payment.name), "clearance_date") is not None) + +def add_transactions(): + if frappe.flags.test_bank_transactions_created: + return + + frappe.set_user("Administrator") + try: + frappe.get_doc({ + "doctype": "Bank", + "bank_name":"Citi Bank", + }).insert() + except frappe.DuplicateEntryError: + pass + + try: + frappe.get_doc({ + "doctype": "Bank Account", + "account_name":"Checking Account", + "bank": "Citi Bank", + "account": "_Test Bank - _TC" + }).insert() + except frappe.DuplicateEntryError: + pass + + doc = frappe.get_doc({ + "doctype": "Bank Transaction", + "description":"1512567 BG/000002918 OPSKATTUZWXXX AT776000000098709837 Herr G", + "date": "2018-10-23", + "debit": 1200, + "currency": "INR", + "bank_account": "Checking Account - Citi Bank" + }).insert() + doc.submit() + + doc = frappe.get_doc({ + "doctype": "Bank Transaction", + "description":"1512567 BG/000003025 OPSKATTUZWXXX AT776000000098709849 Herr G", + "date": "2018-10-23", + "debit": 1700, + "currency": "INR", + "bank_account": "Checking Account - Citi Bank" + }).insert() + doc.submit() + + doc = frappe.get_doc({ + "doctype": "Bank Transaction", + "description":"Re 95282925234 FE/000002917 AT171513000281183046 Conrad Electronic", + "date": "2018-10-26", + "debit": 690, + "currency": "INR", + "bank_account": "Checking Account - Citi Bank" + }).insert() + doc.submit() + + doc = frappe.get_doc({ + "doctype": "Bank Transaction", + "description":"Auszahlung Karte MC/000002916 AUTOMAT 698769 K002 27.10. 14:07", + "date": "2018-10-27", + "debit": 3900, + "currency": "INR", + "bank_account": "Checking Account - Citi Bank" + }).insert() + doc.submit() + + doc = frappe.get_doc({ + "doctype": "Bank Transaction", + "description":"I2015000011 VD/000002514 ATWWXXX AT4701345000003510057 Bio", + "date": "2018-10-27", + "credit": 109080, + "currency": "INR", + "bank_account": "Checking Account - Citi Bank" + }).insert() + doc.submit() + + frappe.flags.test_bank_transactions_created = True + +def add_payments(): + if frappe.flags.test_payments_created: + return + + frappe.set_user("Administrator") + + try: + frappe.get_doc({ + "doctype": "Supplier", + "supplier_group":"All Supplier Groups", + "supplier_type": "Company", + "supplier_name": "Conrad Electronic" + }).insert() + + except frappe.DuplicateEntryError: + pass + + pi = make_purchase_invoice(supplier="Conrad Electronic", qty=1, rate=690) + pe = get_payment_entry("Purchase Invoice", pi.name, bank_account="_Test Bank - _TC") + pe.reference_no = "Conrad Oct 18" + pe.reference_date = "2018-10-24" + pe.insert() + pe.submit() + + try: + frappe.get_doc({ + "doctype": "Supplier", + "supplier_group":"All Supplier Groups", + "supplier_type": "Company", + "supplier_name": "Mr G" + }).insert() + except frappe.DuplicateEntryError: + pass + + pi = make_purchase_invoice(supplier="Mr G", qty=1, rate=1200) + pe = get_payment_entry("Purchase Invoice", pi.name, bank_account="_Test Bank - _TC") + pe.reference_no = "Herr G Oct 18" + pe.reference_date = "2018-10-24" + pe.insert() + pe.submit() + + pi = make_purchase_invoice(supplier="Mr G", qty=1, rate=1700) + pe = get_payment_entry("Purchase Invoice", pi.name, bank_account="_Test Bank - _TC") + pe.reference_no = "Herr G Nov 18" + pe.reference_date = "2018-11-01" + pe.insert() + pe.submit() + + try: + frappe.get_doc({ + "doctype": "Supplier", + "supplier_group":"All Supplier Groups", + "supplier_type": "Company", + "supplier_name": "Poore Simon's" + }).insert() + except frappe.DuplicateEntryError: + pass + + try: + frappe.get_doc({ + "doctype": "Customer", + "customer_group":"All Customer Groups", + "customer_type": "Company", + "customer_name": "Poore Simon's" + }).insert() + except frappe.DuplicateEntryError: + pass + + pi = make_purchase_invoice(supplier="Poore Simon's", qty=1, rate=3900) + pe = get_payment_entry("Purchase Invoice", pi.name, bank_account="_Test Bank - _TC") + pe.reference_no = "Poore Simon's Oct 18" + pe.reference_date = "2018-10-28" + pe.insert() + pe.submit() + + si = create_sales_invoice(customer="Poore Simon's", qty=1, rate=3900) + pe = get_payment_entry("Sales Invoice", si.name, bank_account="_Test Bank - _TC") + pe.reference_no = "Poore Simon's Oct 18" + pe.reference_date = "2018-10-28" + pe.insert() + pe.submit() + + try: + frappe.get_doc({ + "doctype": "Customer", + "customer_group":"All Customer Groups", + "customer_type": "Company", + "customer_name": "Fayva" + }).insert() + except frappe.DuplicateEntryError: + pass + + si = create_sales_invoice(customer="Fayva", qty=1, rate=109080) + pe = get_payment_entry("Sales Invoice", si.name, bank_account="_Test Bank - _TC") + pe.reference_no = "Fayva Oct 18" + pe.reference_date = "2018-10-29" + pe.insert() + pe.submit() + + mode_of_payment = frappe.get_doc({ + "doctype": "Mode of Payment", + "name": "Cash" + }) + + if not frappe.db.get_value('Mode of Payment Account', {'company': "_Test Company", 'parent': "Cash"}): + mode_of_payment.append("accounts", { + "company": "_Test Company", + "default_account": "_Test Bank - _TC" + }) + mode_of_payment.save() + + si = create_sales_invoice(customer="Fayva", qty=1, rate=109080, do_not_submit=1) + si.is_pos = 1 + si.append("payments", { + "mode_of_payment": "Cash", + "account": "_Test Bank - _TC", + "amount": 109080 + }) + si.save() + si.submit() + + frappe.flags.test_payments_created = True \ No newline at end of file diff --git a/erpnext/accounts/doctype/bank_transaction_mapping/__init__.py b/erpnext/accounts/doctype/bank_transaction_mapping/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/accounts/doctype/bank_transaction_mapping/bank_transaction_mapping.json b/erpnext/accounts/doctype/bank_transaction_mapping/bank_transaction_mapping.json new file mode 100644 index 0000000000..ace554b244 --- /dev/null +++ b/erpnext/accounts/doctype/bank_transaction_mapping/bank_transaction_mapping.json @@ -0,0 +1,107 @@ +{ + "allow_copy": 0, + "allow_events_in_timeline": 0, + "allow_guest_to_view": 0, + "allow_import": 0, + "allow_rename": 0, + "beta": 0, + "creation": "2018-10-24 15:24:56.713277", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "", + "editable_grid": 1, + "engine": "InnoDB", + "fields": [ + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "bank_transaction_field", + "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": "Field in Bank Transaction", + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "file_field", + "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": "Column in Bank File", + "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 + } + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "idx": 0, + "image_view": 0, + "in_create": 0, + "is_submittable": 0, + "issingle": 0, + "istable": 1, + "max_attachments": 0, + "modified": "2018-10-24 15:24:56.713277", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Bank Transaction Mapping", + "name_case": "", + "owner": "Administrator", + "permissions": [], + "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 +} \ No newline at end of file diff --git a/erpnext/accounts/doctype/bank_transaction_mapping/bank_transaction_mapping.py b/erpnext/accounts/doctype/bank_transaction_mapping/bank_transaction_mapping.py new file mode 100644 index 0000000000..95a5bc3388 --- /dev/null +++ b/erpnext/accounts/doctype/bank_transaction_mapping/bank_transaction_mapping.py @@ -0,0 +1,9 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +from frappe.model.document import Document + +class BankTransactionMapping(Document): + pass diff --git a/erpnext/accounts/doctype/bank_transaction_payments/__init__.py b/erpnext/accounts/doctype/bank_transaction_payments/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/accounts/doctype/bank_transaction_payments/bank_transaction_payments.json b/erpnext/accounts/doctype/bank_transaction_payments/bank_transaction_payments.json new file mode 100644 index 0000000000..a75e866997 --- /dev/null +++ b/erpnext/accounts/doctype/bank_transaction_payments/bank_transaction_payments.json @@ -0,0 +1,141 @@ +{ + "allow_copy": 0, + "allow_events_in_timeline": 0, + "allow_guest_to_view": 0, + "allow_import": 0, + "allow_rename": 0, + "beta": 0, + "creation": "2018-11-28 08:55:40.815355", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "", + "editable_grid": 1, + "engine": "InnoDB", + "fields": [ + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "payment_document", + "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": "Payment Document", + "length": 0, + "no_copy": 0, + "options": "DocType", + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "payment_entry", + "fieldtype": "Dynamic 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": "Payment Entry", + "length": 0, + "no_copy": 0, + "options": "payment_document", + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "allocated_amount", + "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": "Allocated 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": 1, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + } + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "idx": 0, + "image_view": 0, + "in_create": 0, + "is_submittable": 0, + "issingle": 0, + "istable": 1, + "max_attachments": 0, + "modified": "2018-12-06 10:57:02.635141", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Bank Transaction Payments", + "name_case": "", + "owner": "Administrator", + "permissions": [], + "quick_entry": 1, + "read_only": 0, + "read_only_onload": 0, + "show_name_in_global_search": 0, + "sort_field": "modified", + "sort_order": "DESC", + "track_changes": 1, + "track_seen": 0, + "track_views": 0 +} \ No newline at end of file diff --git a/erpnext/accounts/doctype/bank_transaction_payments/bank_transaction_payments.py b/erpnext/accounts/doctype/bank_transaction_payments/bank_transaction_payments.py new file mode 100644 index 0000000000..d6d7c109cf --- /dev/null +++ b/erpnext/accounts/doctype/bank_transaction_payments/bank_transaction_payments.py @@ -0,0 +1,9 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +from frappe.model.document import Document + +class BankTransactionPayments(Document): + pass diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py index 9e7c3eb55e..a625494972 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py @@ -24,10 +24,9 @@ class PaymentReconciliation(Document): def get_payment_entries(self): order_doctype = "Sales Order" if self.party_type=="Customer" else "Purchase Order" - payment_entries = get_advance_payment_entries(self.party_type, self.party, self.receivable_payable_account, order_doctype, against_all_orders=True, limit=self.limit) - + return payment_entries def get_jv_entries(self): @@ -37,7 +36,7 @@ class PaymentReconciliation(Document): bank_account_condition = "t2.against_account like %(bank_cash_account)s" \ if self.bank_cash_account else "1=1" - limit_cond = "limit %s" % (self.limit or 1000) + limit_cond = "limit %s" % self.limit if self.limit else "" journal_entries = frappe.db.sql(""" select @@ -84,7 +83,10 @@ class PaymentReconciliation(Document): condition = self.check_condition() non_reconciled_invoices = get_outstanding_invoices(self.party_type, self.party, - self.receivable_payable_account, condition=condition, limit=self.limit) + self.receivable_payable_account, condition=condition) + + if self.limit: + non_reconciled_invoices = non_reconciled_invoices[:self.limit] self.add_invoice_entries(non_reconciled_invoices) diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 9a95e087c1..a94d127f62 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -220,7 +220,12 @@ def get_pricing_rule_for_item(args, price_list_rate=0, doc=None): if args.transaction_type=="selling": if args.customer and not (args.customer_group and args.territory): - customer = frappe.get_cached_value("Customer", args.customer, ["customer_group", "territory"]) + + if args.quotation_to and args.quotation_to != 'Customer': + customer = frappe._dict() + else: + customer = frappe.get_cached_value("Customer", args.customer, ["customer_group", "territory"]) + if customer: args.customer_group, args.territory = customer diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js index d224961bd8..dd4f51ca4e 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js @@ -523,8 +523,13 @@ frappe.ui.form.on("Purchase Invoice", { }, onload: function(frm) { - if(frm.doc.__onload && !frm.doc.__onload.supplier_tds) { - me.frm.set_df_property("apply_tds", "read_only", 1); + if(frm.doc.__onload) { + if(frm.doc.supplier) { + frm.doc.apply_tds = frm.doc.__onload.supplier_tds ? 1 : 0; + } + if(!frm.doc.__onload.supplier_tds) { + frm.set_df_property("apply_tds", "read_only", 1); + } } erpnext.queries.setup_queries(frm, "Warehouse", function() { diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json index 0d9a46b41e..73c4bc14c3 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json @@ -1,1342 +1,1349 @@ { - "allow_import": 1, - "autoname": "naming_series:", - "creation": "2013-05-21 16:16:39", - "doctype": "DocType", - "document_type": "Document", - "field_order": [ - "title", - "naming_series", - "supplier", - "supplier_name", - "tax_id", - "due_date", - "is_paid", - "is_return", - "apply_tds", - "column_break1", - "company", - "posting_date", - "posting_time", - "set_posting_time", - "amended_from", - "accounting_dimensions_section", - "cost_center", - "dimension_col_break", - "sb_14", - "on_hold", - "release_date", - "cb_17", - "hold_comment", - "supplier_invoice_details", - "bill_no", - "column_break_15", - "bill_date", - "returns", - "return_against", - "section_addresses", - "supplier_address", - "address_display", - "contact_person", - "contact_display", - "contact_mobile", - "contact_email", - "col_break_address", - "shipping_address", - "shipping_address_display", - "currency_and_price_list", - "currency", - "conversion_rate", - "column_break2", - "buying_price_list", - "price_list_currency", - "plc_conversion_rate", - "ignore_pricing_rule", - "sec_warehouse", - "set_warehouse", - "rejected_warehouse", - "col_break_warehouse", - "is_subcontracted", - "supplier_warehouse", - "items_section", - "update_stock", - "scan_barcode", - "items", - "pricing_rule_details", - "pricing_rules", - "raw_materials_supplied", - "supplied_items", - "section_break_26", - "total_qty", - "base_total", - "base_net_total", - "column_break_28", - "total", - "net_total", - "total_net_weight", - "taxes_section", - "tax_category", - "column_break_49", - "shipping_rule", - "section_break_51", - "taxes_and_charges", - "taxes", - "sec_tax_breakup", - "other_charges_calculation", - "totals", - "base_taxes_and_charges_added", - "base_taxes_and_charges_deducted", - "base_total_taxes_and_charges", - "column_break_40", - "taxes_and_charges_added", - "taxes_and_charges_deducted", - "total_taxes_and_charges", - "section_break_44", - "apply_discount_on", - "base_discount_amount", - "column_break_46", - "additional_discount_percentage", - "discount_amount", - "section_break_49", - "base_grand_total", - "base_rounding_adjustment", - "base_rounded_total", - "base_in_words", - "column_break8", - "grand_total", - "rounding_adjustment", - "rounded_total", - "in_words", - "total_advance", - "outstanding_amount", - "disable_rounded_total", - "payments_section", - "mode_of_payment", - "cash_bank_account", - "col_br_payments", - "paid_amount", - "base_paid_amount", - "write_off", - "write_off_amount", - "base_write_off_amount", - "column_break_61", - "write_off_account", - "write_off_cost_center", - "advances_section", - "allocate_advances_automatically", - "get_advances", - "advances", - "payment_schedule_section", - "payment_terms_template", - "payment_schedule", - "terms_section_break", - "tc_name", - "terms", - "printing_settings", - "letter_head", - "group_same_items", - "column_break_112", - "select_print_heading", - "language", - "more_info", - "credit_to", - "party_account_currency", - "is_opening", - "against_expense_account", - "column_break_63", - "status", - "inter_company_invoice_reference", - "remarks", - "subscription_section", - "from_date", - "to_date", - "column_break_114", - "auto_repeat", - "update_auto_repeat_reference" - ], - "fields": [ - { - "allow_on_submit": 1, - "default": "{supplier_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": "ACC-PINV-.YYYY.-", - "print_hide": 1, - "reqd": 1, - "set_only_once": 1 - }, - { - "fieldname": "supplier", - "fieldtype": "Link", - "in_standard_filter": 1, - "label": "Supplier", - "oldfieldname": "supplier", - "oldfieldtype": "Link", - "options": "Supplier", - "print_hide": 1, - "search_index": 1 - }, - { - "bold": 1, - "depends_on": "supplier", - "fetch_from": "supplier.supplier_name", - "fieldname": "supplier_name", - "fieldtype": "Data", - "in_global_search": 1, - "label": "Supplier Name", - "oldfieldname": "supplier_name", - "oldfieldtype": "Data", - "read_only": 1 - }, - { - "fetch_from": "supplier.tax_id", - "fieldname": "tax_id", - "fieldtype": "Read Only", - "label": "Tax Id", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "due_date", - "fieldtype": "Date", - "label": "Due Date", - "oldfieldname": "due_date", - "oldfieldtype": "Date" - }, - { - "default": "0", - "fieldname": "is_paid", - "fieldtype": "Check", - "label": "Is Paid", - "print_hide": 1 - }, - { - "default": "0", - "fieldname": "is_return", - "fieldtype": "Check", - "label": "Is Return (Debit Note)", - "no_copy": 1, - "print_hide": 1 - }, - { - "default": "0", - "fieldname": "apply_tds", - "fieldtype": "Check", - "label": "Apply Tax Withholding Amount", - "print_hide": 1 - }, - { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "width": "50%" - }, - { - "fieldname": "company", - "fieldtype": "Link", - "in_standard_filter": 1, - "label": "Company", - "options": "Company", - "print_hide": 1, - "remember_last_selected_value": 1 - }, - { - "fieldname": "cost_center", - "fieldtype": "Link", - "label": "Cost Center", - "options": "Cost Center" - }, - { - "default": "Today", - "fieldname": "posting_date", - "fieldtype": "Date", - "in_list_view": 1, - "label": "Date", - "oldfieldname": "posting_date", - "oldfieldtype": "Date", - "print_hide": 1, - "reqd": 1, - "search_index": 1 - }, - { - "fieldname": "posting_time", - "fieldtype": "Time", - "label": "Posting Time", - "no_copy": 1, - "print_hide": 1, - "print_width": "100px", - "width": "100px" - }, - { - "default": "0", - "depends_on": "eval:doc.docstatus==0", - "fieldname": "set_posting_time", - "fieldtype": "Check", - "label": "Edit Posting Date and Time", - "print_hide": 1 - }, - { - "fieldname": "amended_from", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Link", - "options": "Purchase Invoice", - "print_hide": 1, - "read_only": 1 - }, - { - "collapsible": 1, - "collapsible_depends_on": "eval:doc.on_hold", - "fieldname": "sb_14", - "fieldtype": "Section Break", - "label": "Hold Invoice" - }, - { - "default": "0", - "fieldname": "on_hold", - "fieldtype": "Check", - "label": "Hold Invoice" - }, - { - "depends_on": "eval:doc.on_hold", - "description": "Once set, this invoice will be on hold till the set date", - "fieldname": "release_date", - "fieldtype": "Date", - "label": "Release Date" - }, - { - "fieldname": "cb_17", - "fieldtype": "Column Break" - }, - { - "depends_on": "eval:doc.on_hold", - "fieldname": "hold_comment", - "fieldtype": "Small Text", - "label": "Reason For Putting On Hold" - }, - { - "collapsible": 1, - "collapsible_depends_on": "bill_no", - "fieldname": "supplier_invoice_details", - "fieldtype": "Section Break", - "label": "Supplier Invoice Details" - }, - { - "fieldname": "bill_no", - "fieldtype": "Data", - "label": "Supplier Invoice No", - "oldfieldname": "bill_no", - "oldfieldtype": "Data", - "print_hide": 1 - }, - { - "fieldname": "column_break_15", - "fieldtype": "Column Break" - }, - { - "fieldname": "bill_date", - "fieldtype": "Date", - "label": "Supplier Invoice Date", - "oldfieldname": "bill_date", - "oldfieldtype": "Date", - "print_hide": 1 - }, - { - "depends_on": "return_against", - "fieldname": "returns", - "fieldtype": "Section Break", - "label": "Returns" - }, - { - "depends_on": "return_against", - "fieldname": "return_against", - "fieldtype": "Link", - "label": "Return Against Purchase Invoice", - "no_copy": 1, - "options": "Purchase Invoice", - "print_hide": 1, - "read_only": 1 - }, - { - "collapsible": 1, - "fieldname": "section_addresses", - "fieldtype": "Section Break", - "label": "Address and Contact" - }, - { - "fieldname": "supplier_address", - "fieldtype": "Link", - "label": "Select Supplier Address", - "options": "Address", - "print_hide": 1 - }, - { - "fieldname": "address_display", - "fieldtype": "Small Text", - "label": "Address", - "read_only": 1 - }, - { - "fieldname": "contact_person", - "fieldtype": "Link", - "in_global_search": 1, - "label": "Contact Person", - "options": "Contact", - "print_hide": 1 - }, - { - "fieldname": "contact_display", - "fieldtype": "Small Text", - "label": "Contact", - "read_only": 1 - }, - { - "fieldname": "contact_mobile", - "fieldtype": "Small Text", - "label": "Mobile No", - "read_only": 1 - }, - { - "fieldname": "contact_email", - "fieldtype": "Small Text", - "label": "Contact Email", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "col_break_address", - "fieldtype": "Column Break" - }, - { - "fieldname": "shipping_address", - "fieldtype": "Link", - "label": "Select Shipping Address", - "options": "Address", - "print_hide": 1 - }, - { - "fieldname": "shipping_address_display", - "fieldtype": "Small Text", - "label": "Shipping Address", - "print_hide": 1, - "read_only": 1 - }, - { - "collapsible": 1, - "fieldname": "currency_and_price_list", - "fieldtype": "Section Break", - "label": "Currency and Price List", - "options": "fa fa-tag" - }, - { - "fieldname": "currency", - "fieldtype": "Link", - "label": "Currency", - "oldfieldname": "currency", - "oldfieldtype": "Select", - "options": "Currency", - "print_hide": 1 - }, - { - "fieldname": "conversion_rate", - "fieldtype": "Float", - "label": "Exchange Rate", - "oldfieldname": "conversion_rate", - "oldfieldtype": "Currency", - "precision": "9", - "print_hide": 1 - }, - { - "fieldname": "column_break2", - "fieldtype": "Column Break" - }, - { - "fieldname": "buying_price_list", - "fieldtype": "Link", - "label": "Price List", - "options": "Price List", - "print_hide": 1 - }, - { - "fieldname": "price_list_currency", - "fieldtype": "Link", - "label": "Price List Currency", - "options": "Currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "plc_conversion_rate", - "fieldtype": "Float", - "label": "Price List Exchange Rate", - "precision": "9", - "print_hide": 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" - }, - { - "depends_on": "update_stock", - "fieldname": "set_warehouse", - "fieldtype": "Link", - "label": "Set Accepted Warehouse", - "options": "Warehouse", - "print_hide": 1 - }, - { - "depends_on": "update_stock", - "description": "Warehouse where you are maintaining stock of rejected items", - "fieldname": "rejected_warehouse", - "fieldtype": "Link", - "label": "Rejected Warehouse", - "no_copy": 1, - "options": "Warehouse", - "print_hide": 1 - }, - { - "fieldname": "col_break_warehouse", - "fieldtype": "Column Break" - }, - { - "default": "No", - "fieldname": "is_subcontracted", - "fieldtype": "Select", - "label": "Raw Materials Supplied", - "options": "No\nYes", - "print_hide": 1 - }, - { - "depends_on": "eval:doc.is_subcontracted==\"Yes\"", - "fieldname": "supplier_warehouse", - "fieldtype": "Link", - "label": "Supplier Warehouse", - "no_copy": 1, - "options": "Warehouse", - "print_hide": 1, - "print_width": "50px", - "width": "50px" - }, - { - "fieldname": "items_section", - "fieldtype": "Section Break", - "oldfieldtype": "Section Break", - "options": "fa fa-shopping-cart" - }, - { - "default": "0", - "fieldname": "update_stock", - "fieldtype": "Check", - "label": "Update Stock", - "print_hide": 1 - }, - { - "fieldname": "scan_barcode", - "fieldtype": "Data", - "label": "Scan Barcode" - }, - { - "allow_bulk_edit": 1, - "fieldname": "items", - "fieldtype": "Table", - "label": "Items", - "oldfieldname": "entries", - "oldfieldtype": "Table", - "options": "Purchase Invoice 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 - }, - { - "collapsible_depends_on": "supplied_items", - "fieldname": "raw_materials_supplied", - "fieldtype": "Section Break", - "label": "Raw Materials Supplied" - }, - { - "fieldname": "supplied_items", - "fieldtype": "Table", - "label": "Supplied Items", - "options": "Purchase Receipt Item Supplied", - "read_only": 1 - }, - { - "fieldname": "section_break_26", - "fieldtype": "Section 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 - }, - { - "fieldname": "column_break_28", - "fieldtype": "Column Break" - }, - { - "fieldname": "total", - "fieldtype": "Currency", - "label": "Total", - "options": "currency", - "read_only": 1 - }, - { - "fieldname": "net_total", - "fieldtype": "Currency", - "label": "Net Total", - "oldfieldname": "net_total_import", - "oldfieldtype": "Currency", - "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", - "oldfieldtype": "Section Break", - "options": "fa fa-money" - }, - { - "fieldname": "tax_category", - "fieldtype": "Link", - "label": "Tax Category", - "options": "Tax Category", - "print_hide": 1 - }, - { - "fieldname": "column_break_49", - "fieldtype": "Column Break" - }, - { - "fieldname": "shipping_rule", - "fieldtype": "Link", - "label": "Shipping Rule", - "options": "Shipping Rule", - "print_hide": 1 - }, - { - "fieldname": "section_break_51", - "fieldtype": "Section Break" - }, - { - "fieldname": "taxes_and_charges", - "fieldtype": "Link", - "label": "Purchase Taxes and Charges Template", - "oldfieldname": "purchase_other_charges", - "oldfieldtype": "Link", - "options": "Purchase Taxes and Charges Template", - "print_hide": 1 - }, - { - "fieldname": "taxes", - "fieldtype": "Table", - "label": "Purchase Taxes and Charges", - "oldfieldname": "purchase_tax_details", - "oldfieldtype": "Table", - "options": "Purchase 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": "totals", - "fieldtype": "Section Break", - "oldfieldtype": "Section Break", - "options": "fa fa-money" - }, - { - "fieldname": "base_taxes_and_charges_added", - "fieldtype": "Currency", - "label": "Taxes and Charges Added (Company Currency)", - "oldfieldname": "other_charges_added", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "base_taxes_and_charges_deducted", - "fieldtype": "Currency", - "label": "Taxes and Charges Deducted (Company Currency)", - "oldfieldname": "other_charges_deducted", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "base_total_taxes_and_charges", - "fieldtype": "Currency", - "label": "Total Taxes and Charges (Company Currency)", - "oldfieldname": "total_tax", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "column_break_40", - "fieldtype": "Column Break" - }, - { - "fieldname": "taxes_and_charges_added", - "fieldtype": "Currency", - "label": "Taxes and Charges Added", - "oldfieldname": "other_charges_added_import", - "oldfieldtype": "Currency", - "options": "currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "taxes_and_charges_deducted", - "fieldtype": "Currency", - "label": "Taxes and Charges Deducted", - "oldfieldname": "other_charges_deducted_import", - "oldfieldtype": "Currency", - "options": "currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "total_taxes_and_charges", - "fieldtype": "Currency", - "label": "Total Taxes and Charges", - "options": "currency", - "print_hide": 1, - "read_only": 1 - }, - { - "collapsible": 1, - "collapsible_depends_on": "discount_amount", - "fieldname": "section_break_44", - "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_46", - "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": "section_break_49", - "fieldtype": "Section Break" - }, - { - "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 - }, - { - "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 - }, - { - "depends_on": "eval:!doc.disable_rounded_total", - "fieldname": "base_rounded_total", - "fieldtype": "Currency", - "label": "Rounded Total (Company Currency)", - "no_copy": 1, - "options": "Company:company:default_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "base_in_words", - "fieldtype": "Data", - "label": "In Words (Company Currency)", - "oldfieldname": "in_words", - "oldfieldtype": "Data", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "column_break8", - "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_import", - "oldfieldtype": "Currency", - "options": "currency", - "read_only": 1 - }, - { - "fieldname": "rounding_adjustment", - "fieldtype": "Currency", - "label": "Rounding Adjustment", - "no_copy": 1, - "options": "currency", - "print_hide": 1, - "read_only": 1 - }, - { - "depends_on": "eval:!doc.disable_rounded_total", - "fieldname": "rounded_total", - "fieldtype": "Currency", - "label": "Rounded Total", - "no_copy": 1, - "options": "currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "in_words", - "fieldtype": "Data", - "label": "In Words", - "oldfieldname": "in_words_import", - "oldfieldtype": "Data", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "total_advance", - "fieldtype": "Currency", - "label": "Total Advance", - "no_copy": 1, - "oldfieldname": "total_advance", - "oldfieldtype": "Currency", - "options": "party_account_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "outstanding_amount", - "fieldtype": "Currency", - "label": "Outstanding Amount", - "no_copy": 1, - "oldfieldname": "outstanding_amount", - "oldfieldtype": "Currency", - "options": "party_account_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "default": "0", - "depends_on": "grand_total", - "fieldname": "disable_rounded_total", - "fieldtype": "Check", - "label": "Disable Rounded Total" - }, - { - "collapsible": 1, - "collapsible_depends_on": "paid_amount", - "depends_on": "eval:doc.is_paid===1||(doc.advances && doc.advances.length>0)", - "fieldname": "payments_section", - "fieldtype": "Section Break", - "label": "Payments" - }, - { - "fieldname": "mode_of_payment", - "fieldtype": "Link", - "label": "Mode of Payment", - "options": "Mode of Payment", - "print_hide": 1 - }, - { - "fieldname": "cash_bank_account", - "fieldtype": "Link", - "label": "Cash/Bank Account", - "options": "Account" - }, - { - "fieldname": "col_br_payments", - "fieldtype": "Column Break" - }, - { - "depends_on": "is_paid", - "fieldname": "paid_amount", - "fieldtype": "Currency", - "label": "Paid Amount", - "no_copy": 1, - "options": "currency", - "print_hide": 1 - }, - { - "fieldname": "base_paid_amount", - "fieldtype": "Currency", - "label": "Paid Amount (Company Currency)", - "no_copy": 1, - "options": "Company:company:default_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "collapsible": 1, - "collapsible_depends_on": "write_off_amount", - "depends_on": "grand_total", - "fieldname": "write_off", - "fieldtype": "Section Break", - "label": "Write Off" - }, - { - "fieldname": "write_off_amount", - "fieldtype": "Currency", - "label": "Write Off Amount", - "no_copy": 1, - "options": "currency", - "print_hide": 1 - }, - { - "fieldname": "base_write_off_amount", - "fieldtype": "Currency", - "label": "Write Off Amount (Company Currency)", - "no_copy": 1, - "options": "Company:company:default_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "column_break_61", - "fieldtype": "Column Break" - }, - { - "depends_on": "eval:flt(doc.write_off_amount)!=0", - "fieldname": "write_off_account", - "fieldtype": "Link", - "label": "Write Off Account", - "options": "Account", - "print_hide": 1 - }, - { - "depends_on": "eval:flt(doc.write_off_amount)!=0", - "fieldname": "write_off_cost_center", - "fieldtype": "Link", - "label": "Write Off Cost Center", - "options": "Cost Center", - "print_hide": 1 - }, - { - "collapsible": 1, - "collapsible_depends_on": "advances", - "fieldname": "advances_section", - "fieldtype": "Section Break", - "label": "Advance Payments", - "oldfieldtype": "Section Break", - "options": "fa fa-money", - "print_hide": 1 - }, - { - "default": "0", - "fieldname": "allocate_advances_automatically", - "fieldtype": "Check", - "label": "Set Advances and Allocate (FIFO)" - }, - { - "depends_on": "eval:!doc.allocate_advances_automatically", - "fieldname": "get_advances", - "fieldtype": "Button", - "label": "Get Advances Paid", - "oldfieldtype": "Button", - "print_hide": 1 - }, - { - "fieldname": "advances", - "fieldtype": "Table", - "label": "Advances", - "no_copy": 1, - "oldfieldname": "advance_allocation_details", - "oldfieldtype": "Table", - "options": "Purchase Invoice Advance", - "print_hide": 1 - }, - { - "collapsible": 1, - "collapsible_depends_on": "eval:(!doc.is_return)", - "fieldname": "payment_schedule_section", - "fieldtype": "Section Break", - "label": "Payment Terms" - }, - { - "fieldname": "payment_terms_template", - "fieldtype": "Link", - "label": "Payment Terms Template", - "options": "Payment Terms Template" - }, - { - "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", - "options": "fa fa-legal" - }, - { - "fieldname": "tc_name", - "fieldtype": "Link", - "label": "Terms", - "options": "Terms and Conditions", - "print_hide": 1 - }, - { - "fieldname": "terms", - "fieldtype": "Text Editor", - "label": "Terms and Conditions1" - }, - { - "collapsible": 1, - "fieldname": "printing_settings", - "fieldtype": "Section Break", - "label": "Printing Settings" - }, - { - "allow_on_submit": 1, - "fieldname": "letter_head", - "fieldtype": "Link", - "label": "Letter Head", - "options": "Letter Head", - "print_hide": 1 - }, - { - "allow_on_submit": 1, - "default": "0", - "fieldname": "group_same_items", - "fieldtype": "Check", - "label": "Group same items", - "print_hide": 1 - }, - { - "fieldname": "column_break_112", - "fieldtype": "Column Break" - }, - { - "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 - }, - { - "fieldname": "language", - "fieldtype": "Data", - "label": "Print Language", - "read_only": 1 - }, - { - "collapsible": 1, - "fieldname": "more_info", - "fieldtype": "Section Break", - "label": "More Information", - "oldfieldtype": "Section Break", - "options": "fa fa-file-text", - "print_hide": 1 - }, - { - "fieldname": "credit_to", - "fieldtype": "Link", - "label": "Credit To", - "oldfieldname": "credit_to", - "oldfieldtype": "Link", - "options": "Account", - "print_hide": 1, - "reqd": 1, - "search_index": 1 - }, - { - "fieldname": "party_account_currency", - "fieldtype": "Link", - "hidden": 1, - "label": "Party Account Currency", - "no_copy": 1, - "options": "Currency", - "print_hide": 1, - "read_only": 1 - }, - { - "default": "No", - "fieldname": "is_opening", - "fieldtype": "Select", - "label": "Is Opening", - "oldfieldname": "is_opening", - "oldfieldtype": "Select", - "options": "No\nYes", - "print_hide": 1 - }, - { - "fieldname": "against_expense_account", - "fieldtype": "Small Text", - "hidden": 1, - "label": "Against Expense Account", - "no_copy": 1, - "oldfieldname": "against_expense_account", - "oldfieldtype": "Small Text", - "print_hide": 1 - }, - { - "fieldname": "column_break_63", - "fieldtype": "Column Break" - }, - { - "default": "Draft", - "fieldname": "status", - "fieldtype": "Select", - "in_standard_filter": 1, - "label": "Status", - "options": "\nDraft\nReturn\nDebit Note Issued\nSubmitted\nPaid\nUnpaid\nOverdue\nCancelled" - }, - { - "fieldname": "inter_company_invoice_reference", - "fieldtype": "Link", - "label": "Inter Company Invoice Reference", - "options": "Sales Invoice", - "read_only": 1 - }, - { - "fieldname": "remarks", - "fieldtype": "Small Text", - "label": "Remarks", - "no_copy": 1, - "oldfieldname": "remarks", - "oldfieldtype": "Text", - "print_hide": 1 - }, - { - "fieldname": "subscription_section", - "fieldtype": "Section Break", - "label": "Subscription Section", - "print_hide": 1 - }, - { - "allow_on_submit": 1, - "description": "Start date of current invoice's period", - "fieldname": "from_date", - "fieldtype": "Date", - "label": "From Date", - "no_copy": 1, - "print_hide": 1 - }, - { - "allow_on_submit": 1, - "description": "End date of current invoice's period", - "fieldname": "to_date", - "fieldtype": "Date", - "label": "To Date", - "no_copy": 1, - "print_hide": 1 - }, - { - "fieldname": "column_break_114", - "fieldtype": "Column Break" - }, - { - "fieldname": "auto_repeat", - "fieldtype": "Link", - "label": "Auto Repeat", - "no_copy": 1, - "options": "Auto Repeat", - "print_hide": 1, - "read_only": 1 - }, - { - "allow_on_submit": 1, - "depends_on": "eval: doc.auto_repeat", - "fieldname": "update_auto_repeat_reference", - "fieldtype": "Button", - "label": "Update Auto Repeat Reference" - }, - { - "collapsible": 1, - "fieldname": "accounting_dimensions_section", - "fieldtype": "Section Break", - "label": "Accounting Dimensions " - }, - { - "fieldname": "dimension_col_break", - "fieldtype": "Column Break" - } - ], - "icon": "fa fa-file-text", - "idx": 204, - "is_submittable": 1, - "modified": "2019-05-25 22:04:28.889159", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Purchase Invoice", - "name_case": "Title Case", - "owner": "Administrator", - "permissions": [ - { - "amend": 1, - "cancel": 1, - "create": 1, - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "share": 1, - "submit": 1, - "write": 1 - }, - { - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Purchase User" - }, - { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "share": 1, - "submit": 1, - "write": 1 - }, - { - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Auditor" - }, - { - "permlevel": 1, - "read": 1, - "role": "Accounts Manager", - "write": 1 - } - ], - "search_fields": "posting_date, supplier, bill_no, base_grand_total, outstanding_amount", - "show_name_in_global_search": 1, - "sort_field": "modified", - "sort_order": "DESC", - "timeline_field": "supplier", - "title_field": "title", - "track_changes": 1 -} \ No newline at end of file + "allow_import": 1, + "autoname": "naming_series:", + "creation": "2013-05-21 16:16:39", + "doctype": "DocType", + "document_type": "Document", + "field_order": [ + "title", + "naming_series", + "supplier", + "supplier_name", + "tax_id", + "due_date", + "is_paid", + "is_return", + "apply_tds", + "column_break1", + "company", + "posting_date", + "posting_time", + "set_posting_time", + "amended_from", + "accounting_dimensions_section", + "cost_center", + "dimension_col_break", + "sb_14", + "on_hold", + "release_date", + "cb_17", + "hold_comment", + "supplier_invoice_details", + "bill_no", + "column_break_15", + "bill_date", + "returns", + "return_against", + "section_addresses", + "supplier_address", + "address_display", + "contact_person", + "contact_display", + "contact_mobile", + "contact_email", + "col_break_address", + "shipping_address", + "shipping_address_display", + "currency_and_price_list", + "currency", + "conversion_rate", + "column_break2", + "buying_price_list", + "price_list_currency", + "plc_conversion_rate", + "ignore_pricing_rule", + "sec_warehouse", + "set_warehouse", + "rejected_warehouse", + "col_break_warehouse", + "is_subcontracted", + "supplier_warehouse", + "items_section", + "update_stock", + "scan_barcode", + "items", + "pricing_rule_details", + "pricing_rules", + "raw_materials_supplied", + "supplied_items", + "section_break_26", + "total_qty", + "base_total", + "base_net_total", + "column_break_28", + "total", + "net_total", + "total_net_weight", + "taxes_section", + "tax_category", + "column_break_49", + "shipping_rule", + "section_break_51", + "taxes_and_charges", + "taxes", + "sec_tax_breakup", + "other_charges_calculation", + "totals", + "base_taxes_and_charges_added", + "base_taxes_and_charges_deducted", + "base_total_taxes_and_charges", + "column_break_40", + "taxes_and_charges_added", + "taxes_and_charges_deducted", + "total_taxes_and_charges", + "section_break_44", + "apply_discount_on", + "base_discount_amount", + "column_break_46", + "additional_discount_percentage", + "discount_amount", + "section_break_49", + "base_grand_total", + "base_rounding_adjustment", + "base_rounded_total", + "base_in_words", + "column_break8", + "grand_total", + "rounding_adjustment", + "rounded_total", + "in_words", + "total_advance", + "outstanding_amount", + "disable_rounded_total", + "payments_section", + "mode_of_payment", + "cash_bank_account", + "clearance_date", + "col_br_payments", + "paid_amount", + "base_paid_amount", + "write_off", + "write_off_amount", + "base_write_off_amount", + "column_break_61", + "write_off_account", + "write_off_cost_center", + "advances_section", + "allocate_advances_automatically", + "get_advances", + "advances", + "payment_schedule_section", + "payment_terms_template", + "payment_schedule", + "terms_section_break", + "tc_name", + "terms", + "printing_settings", + "letter_head", + "group_same_items", + "column_break_112", + "select_print_heading", + "language", + "more_info", + "credit_to", + "party_account_currency", + "is_opening", + "against_expense_account", + "column_break_63", + "status", + "inter_company_invoice_reference", + "remarks", + "subscription_section", + "from_date", + "to_date", + "column_break_114", + "auto_repeat", + "update_auto_repeat_reference" + ], + "fields": [ + { + "allow_on_submit": 1, + "default": "{supplier_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": "ACC-PINV-.YYYY.-", + "print_hide": 1, + "reqd": 1, + "set_only_once": 1 + }, + { + "fieldname": "supplier", + "fieldtype": "Link", + "in_standard_filter": 1, + "label": "Supplier", + "oldfieldname": "supplier", + "oldfieldtype": "Link", + "options": "Supplier", + "print_hide": 1, + "search_index": 1 + }, + { + "bold": 1, + "depends_on": "supplier", + "fetch_from": "supplier.supplier_name", + "fieldname": "supplier_name", + "fieldtype": "Data", + "in_global_search": 1, + "label": "Supplier Name", + "oldfieldname": "supplier_name", + "oldfieldtype": "Data", + "read_only": 1 + }, + { + "fetch_from": "supplier.tax_id", + "fieldname": "tax_id", + "fieldtype": "Read Only", + "label": "Tax Id", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "due_date", + "fieldtype": "Date", + "label": "Due Date", + "oldfieldname": "due_date", + "oldfieldtype": "Date" + }, + { + "default": "0", + "fieldname": "is_paid", + "fieldtype": "Check", + "label": "Is Paid", + "print_hide": 1 + }, + { + "default": "0", + "fieldname": "is_return", + "fieldtype": "Check", + "label": "Is Return (Debit Note)", + "no_copy": 1, + "print_hide": 1 + }, + { + "default": "0", + "fieldname": "apply_tds", + "fieldtype": "Check", + "label": "Apply Tax Withholding Amount", + "print_hide": 1 + }, + { + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "width": "50%" + }, + { + "fieldname": "company", + "fieldtype": "Link", + "in_standard_filter": 1, + "label": "Company", + "options": "Company", + "print_hide": 1, + "remember_last_selected_value": 1 + }, + { + "fieldname": "cost_center", + "fieldtype": "Link", + "label": "Cost Center", + "options": "Cost Center" + }, + { + "default": "Today", + "fieldname": "posting_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "Date", + "oldfieldname": "posting_date", + "oldfieldtype": "Date", + "print_hide": 1, + "reqd": 1, + "search_index": 1 + }, + { + "fieldname": "posting_time", + "fieldtype": "Time", + "label": "Posting Time", + "no_copy": 1, + "print_hide": 1, + "print_width": "100px", + "width": "100px" + }, + { + "default": "0", + "depends_on": "eval:doc.docstatus==0", + "fieldname": "set_posting_time", + "fieldtype": "Check", + "label": "Edit Posting Date and Time", + "print_hide": 1 + }, + { + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Link", + "options": "Purchase Invoice", + "print_hide": 1, + "read_only": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "eval:doc.on_hold", + "fieldname": "sb_14", + "fieldtype": "Section Break", + "label": "Hold Invoice" + }, + { + "default": "0", + "fieldname": "on_hold", + "fieldtype": "Check", + "label": "Hold Invoice" + }, + { + "depends_on": "eval:doc.on_hold", + "description": "Once set, this invoice will be on hold till the set date", + "fieldname": "release_date", + "fieldtype": "Date", + "label": "Release Date" + }, + { + "fieldname": "cb_17", + "fieldtype": "Column Break" + }, + { + "depends_on": "eval:doc.on_hold", + "fieldname": "hold_comment", + "fieldtype": "Small Text", + "label": "Reason For Putting On Hold" + }, + { + "collapsible": 1, + "collapsible_depends_on": "bill_no", + "fieldname": "supplier_invoice_details", + "fieldtype": "Section Break", + "label": "Supplier Invoice Details" + }, + { + "fieldname": "bill_no", + "fieldtype": "Data", + "label": "Supplier Invoice No", + "oldfieldname": "bill_no", + "oldfieldtype": "Data", + "print_hide": 1 + }, + { + "fieldname": "column_break_15", + "fieldtype": "Column Break" + }, + { + "fieldname": "bill_date", + "fieldtype": "Date", + "label": "Supplier Invoice Date", + "oldfieldname": "bill_date", + "oldfieldtype": "Date", + "print_hide": 1 + }, + { + "depends_on": "return_against", + "fieldname": "returns", + "fieldtype": "Section Break", + "label": "Returns" + }, + { + "depends_on": "return_against", + "fieldname": "return_against", + "fieldtype": "Link", + "label": "Return Against Purchase Invoice", + "no_copy": 1, + "options": "Purchase Invoice", + "print_hide": 1, + "read_only": 1 + }, + { + "collapsible": 1, + "fieldname": "section_addresses", + "fieldtype": "Section Break", + "label": "Address and Contact" + }, + { + "fieldname": "supplier_address", + "fieldtype": "Link", + "label": "Select Supplier Address", + "options": "Address", + "print_hide": 1 + }, + { + "fieldname": "address_display", + "fieldtype": "Small Text", + "label": "Address", + "read_only": 1 + }, + { + "fieldname": "contact_person", + "fieldtype": "Link", + "in_global_search": 1, + "label": "Contact Person", + "options": "Contact", + "print_hide": 1 + }, + { + "fieldname": "contact_display", + "fieldtype": "Small Text", + "label": "Contact", + "read_only": 1 + }, + { + "fieldname": "contact_mobile", + "fieldtype": "Small Text", + "label": "Mobile No", + "read_only": 1 + }, + { + "fieldname": "contact_email", + "fieldtype": "Small Text", + "label": "Contact Email", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "col_break_address", + "fieldtype": "Column Break" + }, + { + "fieldname": "shipping_address", + "fieldtype": "Link", + "label": "Select Shipping Address", + "options": "Address", + "print_hide": 1 + }, + { + "fieldname": "shipping_address_display", + "fieldtype": "Small Text", + "label": "Shipping Address", + "print_hide": 1, + "read_only": 1 + }, + { + "collapsible": 1, + "fieldname": "currency_and_price_list", + "fieldtype": "Section Break", + "label": "Currency and Price List", + "options": "fa fa-tag" + }, + { + "fieldname": "currency", + "fieldtype": "Link", + "label": "Currency", + "oldfieldname": "currency", + "oldfieldtype": "Select", + "options": "Currency", + "print_hide": 1 + }, + { + "fieldname": "conversion_rate", + "fieldtype": "Float", + "label": "Exchange Rate", + "oldfieldname": "conversion_rate", + "oldfieldtype": "Currency", + "precision": "9", + "print_hide": 1 + }, + { + "fieldname": "column_break2", + "fieldtype": "Column Break" + }, + { + "fieldname": "buying_price_list", + "fieldtype": "Link", + "label": "Price List", + "options": "Price List", + "print_hide": 1 + }, + { + "fieldname": "price_list_currency", + "fieldtype": "Link", + "label": "Price List Currency", + "options": "Currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "plc_conversion_rate", + "fieldtype": "Float", + "label": "Price List Exchange Rate", + "precision": "9", + "print_hide": 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" + }, + { + "depends_on": "update_stock", + "fieldname": "set_warehouse", + "fieldtype": "Link", + "label": "Set Accepted Warehouse", + "options": "Warehouse", + "print_hide": 1 + }, + { + "depends_on": "update_stock", + "description": "Warehouse where you are maintaining stock of rejected items", + "fieldname": "rejected_warehouse", + "fieldtype": "Link", + "label": "Rejected Warehouse", + "no_copy": 1, + "options": "Warehouse", + "print_hide": 1 + }, + { + "fieldname": "col_break_warehouse", + "fieldtype": "Column Break" + }, + { + "default": "No", + "fieldname": "is_subcontracted", + "fieldtype": "Select", + "label": "Raw Materials Supplied", + "options": "No\nYes", + "print_hide": 1 + }, + { + "depends_on": "eval:doc.is_subcontracted==\"Yes\"", + "fieldname": "supplier_warehouse", + "fieldtype": "Link", + "label": "Supplier Warehouse", + "no_copy": 1, + "options": "Warehouse", + "print_hide": 1, + "print_width": "50px", + "width": "50px" + }, + { + "fieldname": "items_section", + "fieldtype": "Section Break", + "oldfieldtype": "Section Break", + "options": "fa fa-shopping-cart" + }, + { + "default": "0", + "fieldname": "update_stock", + "fieldtype": "Check", + "label": "Update Stock", + "print_hide": 1 + }, + { + "fieldname": "scan_barcode", + "fieldtype": "Data", + "label": "Scan Barcode" + }, + { + "allow_bulk_edit": 1, + "fieldname": "items", + "fieldtype": "Table", + "label": "Items", + "oldfieldname": "entries", + "oldfieldtype": "Table", + "options": "Purchase Invoice 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 + }, + { + "collapsible_depends_on": "supplied_items", + "fieldname": "raw_materials_supplied", + "fieldtype": "Section Break", + "label": "Raw Materials Supplied" + }, + { + "fieldname": "supplied_items", + "fieldtype": "Table", + "label": "Supplied Items", + "options": "Purchase Receipt Item Supplied", + "read_only": 1 + }, + { + "fieldname": "section_break_26", + "fieldtype": "Section 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 + }, + { + "fieldname": "column_break_28", + "fieldtype": "Column Break" + }, + { + "fieldname": "total", + "fieldtype": "Currency", + "label": "Total", + "options": "currency", + "read_only": 1 + }, + { + "fieldname": "net_total", + "fieldtype": "Currency", + "label": "Net Total", + "oldfieldname": "net_total_import", + "oldfieldtype": "Currency", + "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", + "oldfieldtype": "Section Break", + "options": "fa fa-money" + }, + { + "fieldname": "tax_category", + "fieldtype": "Link", + "label": "Tax Category", + "options": "Tax Category", + "print_hide": 1 + }, + { + "fieldname": "column_break_49", + "fieldtype": "Column Break" + }, + { + "fieldname": "shipping_rule", + "fieldtype": "Link", + "label": "Shipping Rule", + "options": "Shipping Rule", + "print_hide": 1 + }, + { + "fieldname": "section_break_51", + "fieldtype": "Section Break" + }, + { + "fieldname": "taxes_and_charges", + "fieldtype": "Link", + "label": "Purchase Taxes and Charges Template", + "oldfieldname": "purchase_other_charges", + "oldfieldtype": "Link", + "options": "Purchase Taxes and Charges Template", + "print_hide": 1 + }, + { + "fieldname": "taxes", + "fieldtype": "Table", + "label": "Purchase Taxes and Charges", + "oldfieldname": "purchase_tax_details", + "oldfieldtype": "Table", + "options": "Purchase 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": "totals", + "fieldtype": "Section Break", + "oldfieldtype": "Section Break", + "options": "fa fa-money" + }, + { + "fieldname": "base_taxes_and_charges_added", + "fieldtype": "Currency", + "label": "Taxes and Charges Added (Company Currency)", + "oldfieldname": "other_charges_added", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "base_taxes_and_charges_deducted", + "fieldtype": "Currency", + "label": "Taxes and Charges Deducted (Company Currency)", + "oldfieldname": "other_charges_deducted", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "base_total_taxes_and_charges", + "fieldtype": "Currency", + "label": "Total Taxes and Charges (Company Currency)", + "oldfieldname": "total_tax", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "column_break_40", + "fieldtype": "Column Break" + }, + { + "fieldname": "taxes_and_charges_added", + "fieldtype": "Currency", + "label": "Taxes and Charges Added", + "oldfieldname": "other_charges_added_import", + "oldfieldtype": "Currency", + "options": "currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "taxes_and_charges_deducted", + "fieldtype": "Currency", + "label": "Taxes and Charges Deducted", + "oldfieldname": "other_charges_deducted_import", + "oldfieldtype": "Currency", + "options": "currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "total_taxes_and_charges", + "fieldtype": "Currency", + "label": "Total Taxes and Charges", + "options": "currency", + "print_hide": 1, + "read_only": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "discount_amount", + "fieldname": "section_break_44", + "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_46", + "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": "section_break_49", + "fieldtype": "Section Break" + }, + { + "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 + }, + { + "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 + }, + { + "depends_on": "eval:!doc.disable_rounded_total", + "fieldname": "base_rounded_total", + "fieldtype": "Currency", + "label": "Rounded Total (Company Currency)", + "no_copy": 1, + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "base_in_words", + "fieldtype": "Data", + "label": "In Words (Company Currency)", + "oldfieldname": "in_words", + "oldfieldtype": "Data", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "column_break8", + "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_import", + "oldfieldtype": "Currency", + "options": "currency", + "read_only": 1 + }, + { + "fieldname": "rounding_adjustment", + "fieldtype": "Currency", + "label": "Rounding Adjustment", + "no_copy": 1, + "options": "currency", + "print_hide": 1, + "read_only": 1 + }, + { + "depends_on": "eval:!doc.disable_rounded_total", + "fieldname": "rounded_total", + "fieldtype": "Currency", + "label": "Rounded Total", + "no_copy": 1, + "options": "currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "in_words", + "fieldtype": "Data", + "label": "In Words", + "oldfieldname": "in_words_import", + "oldfieldtype": "Data", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "total_advance", + "fieldtype": "Currency", + "label": "Total Advance", + "no_copy": 1, + "oldfieldname": "total_advance", + "oldfieldtype": "Currency", + "options": "party_account_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "outstanding_amount", + "fieldtype": "Currency", + "label": "Outstanding Amount", + "no_copy": 1, + "oldfieldname": "outstanding_amount", + "oldfieldtype": "Currency", + "options": "party_account_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "default": "0", + "depends_on": "grand_total", + "fieldname": "disable_rounded_total", + "fieldtype": "Check", + "label": "Disable Rounded Total" + }, + { + "collapsible": 1, + "collapsible_depends_on": "paid_amount", + "depends_on": "eval:doc.is_paid===1||(doc.advances && doc.advances.length>0)", + "fieldname": "payments_section", + "fieldtype": "Section Break", + "label": "Payments" + }, + { + "fieldname": "mode_of_payment", + "fieldtype": "Link", + "label": "Mode of Payment", + "options": "Mode of Payment", + "print_hide": 1 + }, + { + "fieldname": "cash_bank_account", + "fieldtype": "Link", + "label": "Cash/Bank Account", + "options": "Account" + }, + { + "fieldname": "clearance_date", + "fieldtype": "Date", + "hidden": 1, + "label": "Clearance Date" + }, + { + "fieldname": "col_br_payments", + "fieldtype": "Column Break" + }, + { + "depends_on": "is_paid", + "fieldname": "paid_amount", + "fieldtype": "Currency", + "label": "Paid Amount", + "no_copy": 1, + "options": "currency", + "print_hide": 1 + }, + { + "fieldname": "base_paid_amount", + "fieldtype": "Currency", + "label": "Paid Amount (Company Currency)", + "no_copy": 1, + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "write_off_amount", + "depends_on": "grand_total", + "fieldname": "write_off", + "fieldtype": "Section Break", + "label": "Write Off" + }, + { + "fieldname": "write_off_amount", + "fieldtype": "Currency", + "label": "Write Off Amount", + "no_copy": 1, + "options": "currency", + "print_hide": 1 + }, + { + "fieldname": "base_write_off_amount", + "fieldtype": "Currency", + "label": "Write Off Amount (Company Currency)", + "no_copy": 1, + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "column_break_61", + "fieldtype": "Column Break" + }, + { + "depends_on": "eval:flt(doc.write_off_amount)!=0", + "fieldname": "write_off_account", + "fieldtype": "Link", + "label": "Write Off Account", + "options": "Account", + "print_hide": 1 + }, + { + "depends_on": "eval:flt(doc.write_off_amount)!=0", + "fieldname": "write_off_cost_center", + "fieldtype": "Link", + "label": "Write Off Cost Center", + "options": "Cost Center", + "print_hide": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "advances", + "fieldname": "advances_section", + "fieldtype": "Section Break", + "label": "Advance Payments", + "oldfieldtype": "Section Break", + "options": "fa fa-money", + "print_hide": 1 + }, + { + "default": "0", + "fieldname": "allocate_advances_automatically", + "fieldtype": "Check", + "label": "Set Advances and Allocate (FIFO)" + }, + { + "depends_on": "eval:!doc.allocate_advances_automatically", + "fieldname": "get_advances", + "fieldtype": "Button", + "label": "Get Advances Paid", + "oldfieldtype": "Button", + "print_hide": 1 + }, + { + "fieldname": "advances", + "fieldtype": "Table", + "label": "Advances", + "no_copy": 1, + "oldfieldname": "advance_allocation_details", + "oldfieldtype": "Table", + "options": "Purchase Invoice Advance", + "print_hide": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "eval:(!doc.is_return)", + "fieldname": "payment_schedule_section", + "fieldtype": "Section Break", + "label": "Payment Terms" + }, + { + "fieldname": "payment_terms_template", + "fieldtype": "Link", + "label": "Payment Terms Template", + "options": "Payment Terms Template" + }, + { + "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", + "options": "fa fa-legal" + }, + { + "fieldname": "tc_name", + "fieldtype": "Link", + "label": "Terms", + "options": "Terms and Conditions", + "print_hide": 1 + }, + { + "fieldname": "terms", + "fieldtype": "Text Editor", + "label": "Terms and Conditions1" + }, + { + "collapsible": 1, + "fieldname": "printing_settings", + "fieldtype": "Section Break", + "label": "Printing Settings" + }, + { + "allow_on_submit": 1, + "fieldname": "letter_head", + "fieldtype": "Link", + "label": "Letter Head", + "options": "Letter Head", + "print_hide": 1 + }, + { + "allow_on_submit": 1, + "default": "0", + "fieldname": "group_same_items", + "fieldtype": "Check", + "label": "Group same items", + "print_hide": 1 + }, + { + "fieldname": "column_break_112", + "fieldtype": "Column Break" + }, + { + "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 + }, + { + "fieldname": "language", + "fieldtype": "Data", + "label": "Print Language", + "read_only": 1 + }, + { + "collapsible": 1, + "fieldname": "more_info", + "fieldtype": "Section Break", + "label": "More Information", + "oldfieldtype": "Section Break", + "options": "fa fa-file-text", + "print_hide": 1 + }, + { + "fieldname": "credit_to", + "fieldtype": "Link", + "label": "Credit To", + "oldfieldname": "credit_to", + "oldfieldtype": "Link", + "options": "Account", + "print_hide": 1, + "reqd": 1, + "search_index": 1 + }, + { + "fieldname": "party_account_currency", + "fieldtype": "Link", + "hidden": 1, + "label": "Party Account Currency", + "no_copy": 1, + "options": "Currency", + "print_hide": 1, + "read_only": 1 + }, + { + "default": "No", + "fieldname": "is_opening", + "fieldtype": "Select", + "label": "Is Opening", + "oldfieldname": "is_opening", + "oldfieldtype": "Select", + "options": "No\nYes", + "print_hide": 1 + }, + { + "fieldname": "against_expense_account", + "fieldtype": "Small Text", + "hidden": 1, + "label": "Against Expense Account", + "no_copy": 1, + "oldfieldname": "against_expense_account", + "oldfieldtype": "Small Text", + "print_hide": 1 + }, + { + "fieldname": "column_break_63", + "fieldtype": "Column Break" + }, + { + "default": "Draft", + "fieldname": "status", + "fieldtype": "Select", + "in_standard_filter": 1, + "label": "Status", + "options": "\nDraft\nReturn\nDebit Note Issued\nSubmitted\nPaid\nUnpaid\nOverdue\nCancelled" + }, + { + "fieldname": "inter_company_invoice_reference", + "fieldtype": "Link", + "label": "Inter Company Invoice Reference", + "options": "Sales Invoice", + "read_only": 1 + }, + { + "fieldname": "remarks", + "fieldtype": "Small Text", + "label": "Remarks", + "no_copy": 1, + "oldfieldname": "remarks", + "oldfieldtype": "Text", + "print_hide": 1 + }, + { + "fieldname": "subscription_section", + "fieldtype": "Section Break", + "label": "Subscription Section", + "print_hide": 1 + }, + { + "allow_on_submit": 1, + "description": "Start date of current invoice's period", + "fieldname": "from_date", + "fieldtype": "Date", + "label": "From Date", + "no_copy": 1, + "print_hide": 1 + }, + { + "allow_on_submit": 1, + "description": "End date of current invoice's period", + "fieldname": "to_date", + "fieldtype": "Date", + "label": "To Date", + "no_copy": 1, + "print_hide": 1 + }, + { + "fieldname": "column_break_114", + "fieldtype": "Column Break" + }, + { + "fieldname": "auto_repeat", + "fieldtype": "Link", + "label": "Auto Repeat", + "no_copy": 1, + "options": "Auto Repeat", + "print_hide": 1, + "read_only": 1 + }, + { + "allow_on_submit": 1, + "depends_on": "eval: doc.auto_repeat", + "fieldname": "update_auto_repeat_reference", + "fieldtype": "Button", + "label": "Update Auto Repeat Reference" + }, + { + "collapsible": 1, + "fieldname": "accounting_dimensions_section", + "fieldtype": "Section Break", + "label": "Accounting Dimensions " + }, + { + "fieldname": "dimension_col_break", + "fieldtype": "Column Break" + } + ], + "icon": "fa fa-file-text", + "idx": 204, + "is_submittable": 1, + "modified": "2019-06-18 22:04:28.889159", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Purchase Invoice", + "name_case": "Title Case", + "owner": "Administrator", + "permissions": [ + { + "amend": 1, + "cancel": 1, + "create": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "share": 1, + "submit": 1, + "write": 1 + }, + { + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Purchase User" + }, + { + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "share": 1, + "submit": 1, + "write": 1 + }, + { + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Auditor" + }, + { + "permlevel": 1, + "read": 1, + "role": "Accounts Manager", + "write": 1 + } + ], + "search_fields": "posting_date, supplier, bill_no, base_grand_total, outstanding_amount", + "show_name_in_global_search": 1, + "sort_field": "modified", + "sort_order": "DESC", + "timeline_field": "supplier", + "title_field": "title", + "track_changes": 1 + } \ No newline at end of file diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index 4d87edf375..1bd833b5ce 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -787,9 +787,8 @@ class PurchaseInvoice(BuyingController): for d in self.items: if d.project and d.project not in project_list: project = frappe.get_doc("Project", d.project) - project.flags.dont_sync_tasks = True project.update_purchase_costing() - project.save() + project.db_update() project_list.append(d.project) def validate_supplier_invoice(self): diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js index 4103e57df8..4e76a8d955 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice_list.js @@ -6,8 +6,8 @@ frappe.listview_settings['Purchase Invoice'] = { add_fields: ["supplier", "supplier_name", "base_grand_total", "outstanding_amount", "due_date", "company", "currency", "is_return", "release_date", "on_hold"], get_indicator: function(doc) { - if(cint(doc.is_return)==1) { - return [__("Return"), "darkgrey", "is_return,=,Yes"]; + if(flt(doc.outstanding_amount) < 0 && doc.docstatus == 1) { + return [__("Debit Note Issued"), "darkgrey", "outstanding_amount,<,0"] } else if(flt(doc.outstanding_amount) > 0 && doc.docstatus==1) { if(cint(doc.on_hold) && !doc.release_date) { return [__("On Hold"), "darkgrey"]; @@ -18,9 +18,9 @@ frappe.listview_settings['Purchase Invoice'] = { } else { return [__("Unpaid"), "orange", "outstanding_amount,>,0|due,>=,Today"]; } - } else if(flt(doc.outstanding_amount) < 0 && doc.docstatus == 1) { - return [__("Debit Note Issued"), "darkgrey", "outstanding_amount,<,0"] - }else if(flt(doc.outstanding_amount)==0 && doc.docstatus==1) { + } else if(cint(doc.is_return)) { + return [__("Return"), "darkgrey", "is_return,=,Yes"]; + } else if(flt(doc.outstanding_amount)==0 && doc.docstatus==1) { return [__("Paid"), "green", "outstanding_amount,=,0"]; } } diff --git a/erpnext/accounts/doctype/sales_invoice/regional/india.js b/erpnext/accounts/doctype/sales_invoice/regional/india.js new file mode 100644 index 0000000000..c8305e325f --- /dev/null +++ b/erpnext/accounts/doctype/sales_invoice/regional/india.js @@ -0,0 +1,38 @@ +frappe.ui.form.on("Sales Invoice", { + setup: function(frm) { + frm.set_query('transporter', function() { + return { + filters: { + 'is_transporter': 1 + } + }; + }); + + frm.set_query('driver', function(doc) { + return { + filters: { + 'transporter': doc.transporter + } + }; + }); + }, + + refresh: function(frm) { + if(frm.doc.docstatus == 1 && !frm.is_dirty() + && !frm.doc.is_return && !frm.doc.ewaybill) { + + frm.add_custom_button('e-Way Bill JSON', () => { + var w = window.open( + frappe.urllib.get_full_url( + "/api/method/erpnext.regional.india.utils.generate_ewb_json?" + + "dt=" + encodeURIComponent(frm.doc.doctype) + + "&dn=" + encodeURIComponent(frm.doc.name) + ) + ); + if (!w) { + frappe.msgprint(__("Please enable pop-ups")); return; + } + }, __("Make")); + } + } +}); diff --git a/erpnext/accounts/doctype/sales_invoice/regional/india_list.js b/erpnext/accounts/doctype/sales_invoice/regional/india_list.js new file mode 100644 index 0000000000..66d74b4b06 --- /dev/null +++ b/erpnext/accounts/doctype/sales_invoice/regional/india_list.js @@ -0,0 +1,33 @@ +var globalOnload = frappe.listview_settings['Sales Invoice'].onload; +frappe.listview_settings['Sales Invoice'].onload = function (doclist) { + + // Provision in case onload event is added to sales_invoice.js in future + if (globalOnload) { + globalOnload(doclist); + } + + const action = () => { + const selected_docs = doclist.get_checked_items(); + const docnames = doclist.get_checked_items(true); + + for (let doc of selected_docs) { + if (doc.docstatus !== 1) { + frappe.throw(__("e-Way Bill JSON can only be generated from a submitted document")); + } + } + + var w = window.open( + frappe.urllib.get_full_url( + "/api/method/erpnext.regional.india.utils.generate_ewb_json?" + + "dt=" + encodeURIComponent(doclist.doctype) + + "&dn=" + encodeURIComponent(docnames) + ) + ); + if (!w) { + frappe.msgprint(__("Please enable pop-ups")); return; + } + + }; + + doclist.page.add_actions_menu_item(__('Generate e-Way Bill JSON'), action, false); +}; \ No newline at end of file diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json index 292d95d7b6..4aec1c82c5 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json @@ -1,1615 +1,1615 @@ { - "allow_import": 1, - "autoname": "naming_series:", - "creation": "2013-05-24 19:29:05", - "doctype": "DocType", - "engine": "InnoDB", - "field_order": [ - "customer_section", - "title", - "naming_series", - "customer", - "customer_name", - "tax_id", - "is_pos", - "pos_profile", - "offline_pos_name", - "is_return", - "column_break1", - "company", - "posting_date", - "posting_time", - "set_posting_time", - "due_date", - "amended_from", - "returns", - "return_against", - "column_break_21", - "update_billed_amount_in_sales_order", - "accounting_dimensions_section", - "project", - "dimension_col_break", - "cost_center", - "customer_po_details", - "po_no", - "column_break_23", - "po_date", - "address_and_contact", - "customer_address", - "address_display", - "contact_person", - "contact_display", - "contact_mobile", - "contact_email", - "territory", - "col_break4", - "shipping_address_name", - "shipping_address", - "company_address", - "company_address_display", - "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", - "update_stock", - "scan_barcode", - "items", - "pricing_rule_details", - "pricing_rules", - "packing_list", - "packed_items", - "product_bundle_help", - "time_sheet_list", - "timesheets", - "total_billing_amount", - "section_break_30", - "total_qty", - "base_total", - "base_net_total", - "column_break_32", - "total", - "net_total", - "total_net_weight", - "taxes_section", - "taxes_and_charges", - "column_break_38", - "shipping_rule", - "tax_category", - "section_break_40", - "taxes", - "sec_tax_breakup", - "other_charges_calculation", - "section_break_43", - "base_total_taxes_and_charges", - "column_break_47", - "total_taxes_and_charges", - "loyalty_points_redemption", - "loyalty_points", - "loyalty_amount", - "redeem_loyalty_points", - "column_break_77", - "loyalty_program", - "loyalty_redemption_account", - "loyalty_redemption_cost_center", - "section_break_49", - "apply_discount_on", - "base_discount_amount", - "column_break_51", - "additional_discount_percentage", - "discount_amount", - "totals", - "base_grand_total", - "base_rounding_adjustment", - "base_rounded_total", - "base_in_words", - "column_break5", - "grand_total", - "rounding_adjustment", - "rounded_total", - "in_words", - "total_advance", - "outstanding_amount", - "advances_section", - "allocate_advances_automatically", - "get_advances", - "advances", - "payment_schedule_section", - "payment_terms_template", - "payment_schedule", - "payments_section", - "cash_bank_account", - "payments", - "section_break_84", - "base_paid_amount", - "column_break_86", - "paid_amount", - "section_break_88", - "base_change_amount", - "column_break_90", - "change_amount", - "account_for_change_amount", - "column_break4", - "write_off_amount", - "base_write_off_amount", - "write_off_outstanding_amount_automatically", - "column_break_74", - "write_off_account", - "write_off_cost_center", - "terms_section_break", - "tc_name", - "terms", - "edit_printing_settings", - "letter_head", - "group_same_items", - "language", - "column_break_84", - "select_print_heading", - "more_information", - "inter_company_invoice_reference", - "customer_group", - "campaign", - "col_break23", - "status", - "source", - "more_info", - "debit_to", - "party_account_currency", - "is_opening", - "c_form_applicable", - "c_form_no", - "column_break8", - "remarks", - "sales_team_section_break", - "sales_partner", - "column_break10", - "commission_rate", - "total_commission", - "section_break2", - "sales_team", - "subscription_section", - "from_date", - "to_date", - "column_break_140", - "auto_repeat", - "update_auto_repeat_reference", - "against_income_account", - "pos_total_qty" - ], - "fields": [ - { - "fieldname": "customer_section", - "fieldtype": "Section Break", - "options": "fa fa-user" - }, - { - "allow_on_submit": 1, - "default": "{customer_name}", - "fieldname": "title", - "fieldtype": "Data", - "hidden": 1, - "label": "Title", - "no_copy": 1, - "print_hide": 1 - }, - { - "bold": 1, - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "no_copy": 1, - "oldfieldname": "naming_series", - "oldfieldtype": "Select", - "options": "ACC-SINV-.YYYY.-", - "print_hide": 1, - "reqd": 1, - "set_only_once": 1 - }, - { - "bold": 1, - "fieldname": "customer", - "fieldtype": "Link", - "in_standard_filter": 1, - "label": "Customer", - "oldfieldname": "customer", - "oldfieldtype": "Link", - "options": "Customer", - "print_hide": 1, - "search_index": 1 - }, - { - "bold": 1, - "depends_on": "customer", - "fetch_from": "customer.customer_name", - "fieldname": "customer_name", - "fieldtype": "Data", - "in_global_search": 1, - "label": "Customer Name", - "oldfieldname": "customer_name", - "oldfieldtype": "Data", - "read_only": 1 - }, - { - "fieldname": "tax_id", - "fieldtype": "Data", - "label": "Tax Id", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "project", - "fieldtype": "Link", - "in_global_search": 1, - "label": "Project", - "oldfieldname": "project_name", - "oldfieldtype": "Link", - "options": "Project", - "print_hide": 1 - }, - { - "default": "0", - "fieldname": "is_pos", - "fieldtype": "Check", - "label": "Include Payment (POS)", - "oldfieldname": "is_pos", - "oldfieldtype": "Check", - "print_hide": 1 - }, - { - "depends_on": "is_pos", - "fieldname": "pos_profile", - "fieldtype": "Link", - "label": "POS Profile", - "options": "POS Profile", - "print_hide": 1 - }, - { - "fieldname": "offline_pos_name", - "fieldtype": "Data", - "hidden": 1, - "label": "Offline POS Name", - "print_hide": 1, - "read_only": 1 - }, - { - "default": "0", - "fieldname": "is_return", - "fieldtype": "Check", - "label": "Is Return (Credit Note)", - "no_copy": 1, - "print_hide": 1 - }, - { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break" - }, - { - "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 - }, - { - "fieldname": "cost_center", - "fieldtype": "Link", - "label": "Cost Center", - "options": "Cost Center" - }, - { - "bold": 1, - "default": "Today", - "fieldname": "posting_date", - "fieldtype": "Date", - "label": "Date", - "no_copy": 1, - "oldfieldname": "posting_date", - "oldfieldtype": "Date", - "reqd": 1, - "search_index": 1 - }, - { - "fieldname": "posting_time", - "fieldtype": "Time", - "label": "Posting Time", - "no_copy": 1, - "oldfieldname": "posting_time", - "oldfieldtype": "Time", - "print_hide": 1 - }, - { - "default": "0", - "depends_on": "eval:doc.docstatus==0", - "fieldname": "set_posting_time", - "fieldtype": "Check", - "label": "Edit Posting Date and Time", - "print_hide": 1 - }, - { - "fieldname": "due_date", - "fieldtype": "Date", - "label": "Payment Due Date", - "no_copy": 1, - "oldfieldname": "due_date", - "oldfieldtype": "Date" - }, - { - "fieldname": "amended_from", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Link", - "options": "Sales Invoice", - "print_hide": 1, - "read_only": 1 - }, - { - "depends_on": "return_against", - "fieldname": "returns", - "fieldtype": "Section Break", - "label": "Returns" - }, - { - "depends_on": "return_against", - "fieldname": "return_against", - "fieldtype": "Link", - "label": "Return Against Sales Invoice", - "no_copy": 1, - "options": "Sales Invoice", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "column_break_21", - "fieldtype": "Column Break" - }, - { - "default": "0", - "depends_on": "eval: doc.is_return && doc.return_against", - "fieldname": "update_billed_amount_in_sales_order", - "fieldtype": "Check", - "label": "Update Billed Amount in Sales Order" - }, - { - "collapsible": 1, - "collapsible_depends_on": "po_no", - "fieldname": "customer_po_details", - "fieldtype": "Section Break", - "label": "Customer PO Details" - }, - { - "allow_on_submit": 1, - "fieldname": "po_no", - "fieldtype": "Data", - "label": "Customer's Purchase Order", - "no_copy": 1, - "print_hide": 1 - }, - { - "fieldname": "column_break_23", - "fieldtype": "Column Break" - }, - { - "allow_on_submit": 1, - "fieldname": "po_date", - "fieldtype": "Date", - "label": "Customer's Purchase Order Date" - }, - { - "collapsible": 1, - "fieldname": "address_and_contact", - "fieldtype": "Section Break", - "label": "Address and Contact" - }, - { - "fieldname": "customer_address", - "fieldtype": "Link", - "label": "Customer Address", - "options": "Address", - "print_hide": 1 - }, - { - "fieldname": "address_display", - "fieldtype": "Small Text", - "label": "Address", - "read_only": 1 - }, - { - "fieldname": "contact_person", - "fieldtype": "Link", - "in_global_search": 1, - "label": "Contact Person", - "options": "Contact", - "print_hide": 1 - }, - { - "fieldname": "contact_display", - "fieldtype": "Small Text", - "label": "Contact", - "read_only": 1 - }, - { - "fieldname": "contact_mobile", - "fieldtype": "Small Text", - "hidden": 1, - "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": "territory", - "fieldtype": "Link", - "label": "Territory", - "options": "Territory", - "print_hide": 1 - }, - { - "fieldname": "col_break4", - "fieldtype": "Column Break" - }, - { - "fieldname": "shipping_address_name", - "fieldtype": "Link", - "label": "Shipping Address Name", - "options": "Address", - "print_hide": 1 - }, - { - "fieldname": "shipping_address", - "fieldtype": "Small Text", - "label": "Shipping Address", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "company_address", - "fieldtype": "Link", - "label": "Company Address Name", - "options": "Address", - "print_hide": 1 - }, - { - "fieldname": "company_address_display", - "fieldtype": "Small Text", - "hidden": 1, - "label": "Company Address", - "print_hide": 1, - "read_only": 1 - }, - { - "collapsible": 1, - "depends_on": "customer", - "fieldname": "currency_and_price_list", - "fieldtype": "Section Break", - "label": "Currency and Price List" - }, - { - "fieldname": "currency", - "fieldtype": "Link", - "label": "Currency", - "oldfieldname": "currency", - "oldfieldtype": "Select", - "options": "Currency", - "print_hide": 1, - "reqd": 1 - }, - { - "description": "Rate at which Customer Currency is converted to customer's base currency", - "fieldname": "conversion_rate", - "fieldtype": "Float", - "label": "Exchange Rate", - "oldfieldname": "conversion_rate", - "oldfieldtype": "Currency", - "precision": "9", - "print_hide": 1, - "reqd": 1 - }, - { - "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 - }, - { - "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 customer'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" - }, - { - "depends_on": "update_stock", - "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" - }, - { - "default": "0", - "fieldname": "update_stock", - "fieldtype": "Check", - "label": "Update Stock", - "oldfieldname": "update_stock", - "oldfieldtype": "Check", - "print_hide": 1 - }, - { - "fieldname": "scan_barcode", - "fieldtype": "Data", - "label": "Scan Barcode" - }, - { - "allow_bulk_edit": 1, - "fieldname": "items", - "fieldtype": "Table", - "label": "Items", - "oldfieldname": "entries", - "oldfieldtype": "Table", - "options": "Sales Invoice 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": "packing_list", - "fieldtype": "Section Break", - "label": "Packing List", - "options": "fa fa-suitcase", - "print_hide": 1 - }, - { - "fieldname": "packed_items", - "fieldtype": "Table", - "label": "Packed Items", - "options": "Packed Item", - "print_hide": 1 - }, - { - "fieldname": "product_bundle_help", - "fieldtype": "HTML", - "label": "Product Bundle Help", - "print_hide": 1 - }, - { - "collapsible": 1, - "collapsible_depends_on": "eval:doc.total_billing_amount > 0", - "fieldname": "time_sheet_list", - "fieldtype": "Section Break", - "label": "Time Sheet List" - }, - { - "fieldname": "timesheets", - "fieldtype": "Table", - "label": "Time Sheets", - "options": "Sales Invoice Timesheet", - "print_hide": 1 - }, - { - "default": "0", - "fieldname": "total_billing_amount", - "fieldtype": "Currency", - "label": "Total Billing Amount", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "section_break_30", - "fieldtype": "Section 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, - "reqd": 1 - }, - { - "fieldname": "column_break_32", - "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", - "oldfieldtype": "Section Break", - "options": "fa fa-money" - }, - { - "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": "column_break_38", - "fieldtype": "Column Break" - }, - { - "fieldname": "shipping_rule", - "fieldtype": "Link", - "label": "Shipping Rule", - "oldfieldtype": "Button", - "options": "Shipping Rule", - "print_hide": 1 - }, - { - "fieldname": "tax_category", - "fieldtype": "Link", - "label": "Tax Category", - "options": "Tax Category", - "print_hide": 1 - }, - { - "fieldname": "section_break_40", - "fieldtype": "Section Break" - }, - { - "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 - }, - { - "fieldname": "column_break_47", - "fieldtype": "Column Break" - }, - { - "fieldname": "total_taxes_and_charges", - "fieldtype": "Currency", - "label": "Total Taxes and Charges", - "options": "currency", - "print_hide": 1, - "read_only": 1 - }, - { - "collapsible": 1, - "fieldname": "loyalty_points_redemption", - "fieldtype": "Section Break", - "label": "Loyalty Points Redemption" - }, - { - "depends_on": "redeem_loyalty_points", - "fieldname": "loyalty_points", - "fieldtype": "Int", - "label": "Loyalty Points", - "no_copy": 1, - "print_hide": 1 - }, - { - "depends_on": "redeem_loyalty_points", - "fieldname": "loyalty_amount", - "fieldtype": "Currency", - "label": "Loyalty Amount", - "no_copy": 1, - "options": "Company:company:default_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "default": "0", - "fieldname": "redeem_loyalty_points", - "fieldtype": "Check", - "label": "Redeem Loyalty Points", - "no_copy": 1, - "print_hide": 1 - }, - { - "fieldname": "column_break_77", - "fieldtype": "Column Break" - }, - { - "fetch_from": "customer.loyalty_program", - "fieldname": "loyalty_program", - "fieldtype": "Link", - "label": "Loyalty Program", - "no_copy": 1, - "options": "Loyalty Program", - "print_hide": 1, - "read_only": 1 - }, - { - "depends_on": "redeem_loyalty_points", - "fieldname": "loyalty_redemption_account", - "fieldtype": "Link", - "label": "Redemption Account", - "no_copy": 1, - "options": "Account" - }, - { - "depends_on": "redeem_loyalty_points", - "fieldname": "loyalty_redemption_cost_center", - "fieldtype": "Link", - "label": "Redemption Cost Center", - "no_copy": 1, - "options": "Cost Center" - }, - { - "collapsible": 1, - "collapsible_depends_on": "discount_amount", - "fieldname": "section_break_49", - "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_51", - "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, - "reqd": 1 - }, - { - "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 - }, - { - "description": "In Words will be visible once you save the Sales Invoice.", - "fieldname": "base_in_words", - "fieldtype": "Data", - "label": "In Words (Company Currency)", - "oldfieldname": "in_words", - "oldfieldtype": "Data", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "column_break5", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "print_hide": 1, - "width": "50%" - }, - { - "bold": 1, - "fieldname": "grand_total", - "fieldtype": "Currency", - "in_list_view": 1, - "label": "Grand Total", - "oldfieldname": "grand_total_export", - "oldfieldtype": "Currency", - "options": "currency", - "read_only": 1, - "reqd": 1 - }, - { - "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 - }, - { - "fieldname": "in_words", - "fieldtype": "Data", - "label": "In Words", - "oldfieldname": "in_words_export", - "oldfieldtype": "Data", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "total_advance", - "fieldtype": "Currency", - "label": "Total Advance", - "oldfieldname": "total_advance", - "oldfieldtype": "Currency", - "options": "party_account_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "outstanding_amount", - "fieldtype": "Currency", - "label": "Outstanding Amount", - "no_copy": 1, - "oldfieldname": "outstanding_amount", - "oldfieldtype": "Currency", - "options": "party_account_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "collapsible": 1, - "collapsible_depends_on": "advances", - "fieldname": "advances_section", - "fieldtype": "Section Break", - "label": "Advance Payments", - "oldfieldtype": "Section Break", - "options": "fa fa-money", - "print_hide": 1 - }, - { - "default": "0", - "fieldname": "allocate_advances_automatically", - "fieldtype": "Check", - "label": "Allocate Advances Automatically (FIFO)" - }, - { - "depends_on": "eval:!doc.allocate_advances_automatically", - "fieldname": "get_advances", - "fieldtype": "Button", - "label": "Get Advances Received", - "options": "set_advances" - }, - { - "fieldname": "advances", - "fieldtype": "Table", - "label": "Advances", - "oldfieldname": "advance_adjustment_details", - "oldfieldtype": "Table", - "options": "Sales Invoice Advance", - "print_hide": 1 - }, - { - "collapsible": 1, - "collapsible_depends_on": "eval:(!doc.is_pos && !doc.is_return)", - "fieldname": "payment_schedule_section", - "fieldtype": "Section Break", - "label": "Payment Terms" - }, - { - "depends_on": "eval:(!doc.is_pos && !doc.is_return)", - "fieldname": "payment_terms_template", - "fieldtype": "Link", - "label": "Payment Terms Template", - "no_copy": 1, - "options": "Payment Terms Template", - "print_hide": 1 - }, - { - "depends_on": "eval:(!doc.is_pos && !doc.is_return)", - "fieldname": "payment_schedule", - "fieldtype": "Table", - "label": "Payment Schedule", - "no_copy": 1, - "options": "Payment Schedule", - "print_hide": 1 - }, - { - "depends_on": "eval:doc.is_pos===1||(doc.advances && doc.advances.length>0)", - "fieldname": "payments_section", - "fieldtype": "Section Break", - "label": "Payments", - "options": "fa fa-money" - }, - { - "depends_on": "is_pos", - "fieldname": "cash_bank_account", - "fieldtype": "Link", - "hidden": 1, - "label": "Cash/Bank Account", - "oldfieldname": "cash_bank_account", - "oldfieldtype": "Link", - "options": "Account", - "print_hide": 1 - }, - { - "depends_on": "eval:doc.is_pos===1", - "fieldname": "payments", - "fieldtype": "Table", - "label": "Sales Invoice Payment", - "options": "Sales Invoice Payment", - "print_hide": 1 - }, - { - "fieldname": "section_break_84", - "fieldtype": "Section Break" - }, - { - "fieldname": "base_paid_amount", - "fieldtype": "Currency", - "label": "Paid Amount (Company Currency)", - "no_copy": 1, - "options": "Company:company:default_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "column_break_86", - "fieldtype": "Column Break" - }, - { - "depends_on": "eval: doc.is_pos || doc.redeem_loyalty_points", - "fieldname": "paid_amount", - "fieldtype": "Currency", - "label": "Paid Amount", - "no_copy": 1, - "oldfieldname": "paid_amount", - "oldfieldtype": "Currency", - "options": "currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "section_break_88", - "fieldtype": "Section Break" - }, - { - "depends_on": "is_pos", - "fieldname": "base_change_amount", - "fieldtype": "Currency", - "label": "Base Change Amount (Company Currency)", - "no_copy": 1, - "options": "Company:company:default_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "column_break_90", - "fieldtype": "Column Break" - }, - { - "depends_on": "is_pos", - "fieldname": "change_amount", - "fieldtype": "Currency", - "label": "Change Amount", - "no_copy": 1, - "options": "currency", - "print_hide": 1 - }, - { - "depends_on": "is_pos", - "fieldname": "account_for_change_amount", - "fieldtype": "Link", - "label": "Account for Change Amount", - "options": "Account", - "print_hide": 1 - }, - { - "collapsible": 1, - "collapsible_depends_on": "write_off_amount", - "depends_on": "grand_total", - "fieldname": "column_break4", - "fieldtype": "Section Break", - "label": "Write Off", - "width": "50%" - }, - { - "fieldname": "write_off_amount", - "fieldtype": "Currency", - "label": "Write Off Amount", - "no_copy": 1, - "options": "currency", - "print_hide": 1 - }, - { - "fieldname": "base_write_off_amount", - "fieldtype": "Currency", - "label": "Write Off Amount (Company Currency)", - "no_copy": 1, - "options": "Company:company:default_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "default": "0", - "depends_on": "is_pos", - "fieldname": "write_off_outstanding_amount_automatically", - "fieldtype": "Check", - "label": "Write Off Outstanding Amount", - "print_hide": 1 - }, - { - "fieldname": "column_break_74", - "fieldtype": "Column Break" - }, - { - "fieldname": "write_off_account", - "fieldtype": "Link", - "label": "Write Off Account", - "options": "Account", - "print_hide": 1 - }, - { - "fieldname": "write_off_cost_center", - "fieldtype": "Link", - "label": "Write Off Cost Center", - "options": "Cost Center", - "print_hide": 1 - }, - { - "collapsible": 1, - "collapsible_depends_on": "terms", - "fieldname": "terms_section_break", - "fieldtype": "Section Break", - "label": "Terms", - "oldfieldtype": "Section Break" - }, - { - "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, - "fieldname": "edit_printing_settings", - "fieldtype": "Section Break", - "label": "Printing Settings" - }, - { - "allow_on_submit": 1, - "fieldname": "letter_head", - "fieldtype": "Link", - "label": "Letter Head", - "oldfieldname": "letter_head", - "oldfieldtype": "Select", - "options": "Letter Head", - "print_hide": 1 - }, - { - "allow_on_submit": 1, - "default": "0", - "fieldname": "group_same_items", - "fieldtype": "Check", - "label": "Group same items", - "print_hide": 1 - }, - { - "fieldname": "language", - "fieldtype": "Data", - "label": "Print Language", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "column_break_84", - "fieldtype": "Column Break" - }, - { - "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 - }, - { - "collapsible": 1, - "depends_on": "customer", - "fieldname": "more_information", - "fieldtype": "Section Break", - "label": "More Information" - }, - { - "fieldname": "inter_company_invoice_reference", - "fieldtype": "Link", - "label": "Inter Company Invoice Reference", - "options": "Purchase Invoice", - "read_only": 1 - }, - { - "fieldname": "customer_group", - "fieldtype": "Link", - "hidden": 1, - "label": "Customer Group", - "options": "Customer Group", - "print_hide": 1 - }, - { - "fieldname": "campaign", - "fieldtype": "Link", - "label": "Campaign", - "oldfieldname": "campaign", - "oldfieldtype": "Link", - "options": "Campaign", - "print_hide": 1 - }, - { - "fieldname": "col_break23", - "fieldtype": "Column Break", - "width": "50%" - }, - { - "default": "Draft", - "fieldname": "status", - "fieldtype": "Select", - "in_standard_filter": 1, - "label": "Status", - "no_copy": 1, - "options": "\nDraft\nReturn\nCredit Note Issued\nSubmitted\nPaid\nUnpaid\nOverdue\nCancelled", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "source", - "fieldtype": "Link", - "label": "Source", - "oldfieldname": "source", - "oldfieldtype": "Select", - "options": "Lead Source", - "print_hide": 1 - }, - { - "collapsible": 1, - "fieldname": "more_info", - "fieldtype": "Section Break", - "label": "Accounting Details", - "oldfieldtype": "Section Break", - "options": "fa fa-file-text", - "print_hide": 1 - }, - { - "fieldname": "debit_to", - "fieldtype": "Link", - "label": "Debit To", - "oldfieldname": "debit_to", - "oldfieldtype": "Link", - "options": "Account", - "print_hide": 1, - "reqd": 1, - "search_index": 1 - }, - { - "fieldname": "party_account_currency", - "fieldtype": "Link", - "hidden": 1, - "label": "Party Account Currency", - "no_copy": 1, - "options": "Currency", - "print_hide": 1, - "read_only": 1 - }, - { - "default": "No", - "fieldname": "is_opening", - "fieldtype": "Select", - "label": "Is Opening Entry", - "oldfieldname": "is_opening", - "oldfieldtype": "Select", - "options": "No\nYes", - "print_hide": 1 - }, - { - "fieldname": "c_form_applicable", - "fieldtype": "Select", - "label": "C-Form Applicable", - "no_copy": 1, - "options": "No\nYes", - "print_hide": 1 - }, - { - "fieldname": "c_form_no", - "fieldtype": "Link", - "label": "C-Form No", - "no_copy": 1, - "options": "C-Form", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "column_break8", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "print_hide": 1 - }, - { - "fieldname": "remarks", - "fieldtype": "Small Text", - "label": "Remarks", - "no_copy": 1, - "oldfieldname": "remarks", - "oldfieldtype": "Text", - "print_hide": 1 - }, - { - "collapsible": 1, - "collapsible_depends_on": "sales_partner", - "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 - }, - { - "fieldname": "column_break10", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "print_hide": 1, - "width": "50%" - }, - { - "fieldname": "commission_rate", - "fieldtype": "Float", - "label": "Commission Rate (%)", - "oldfieldname": "commission_rate", - "oldfieldtype": "Currency", - "print_hide": 1 - }, - { - "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_break2", - "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 - }, - { - "fieldname": "subscription_section", - "fieldtype": "Section Break", - "label": "Subscription Section" - }, - { - "allow_on_submit": 1, - "fieldname": "from_date", - "fieldtype": "Date", - "label": "From Date", - "no_copy": 1, - "print_hide": 1 - }, - { - "allow_on_submit": 1, - "fieldname": "to_date", - "fieldtype": "Date", - "label": "To Date", - "no_copy": 1, - "print_hide": 1 - }, - { - "fieldname": "column_break_140", - "fieldtype": "Column Break" - }, - { - "allow_on_submit": 1, - "fieldname": "auto_repeat", - "fieldtype": "Link", - "label": "Auto Repeat", - "no_copy": 1, - "options": "Auto Repeat", - "print_hide": 1, - "read_only": 1 - }, - { - "allow_on_submit": 1, - "depends_on": "eval: doc.auto_repeat", - "fieldname": "update_auto_repeat_reference", - "fieldtype": "Button", - "label": "Update Auto Repeat Reference" - }, - { - "fieldname": "against_income_account", - "fieldtype": "Small Text", - "hidden": 1, - "label": "Against Income Account", - "no_copy": 1, - "oldfieldname": "against_income_account", - "oldfieldtype": "Small Text", - "print_hide": 1, - "report_hide": 1 - }, - { - "fieldname": "pos_total_qty", - "fieldtype": "Float", - "hidden": 1, - "label": "Total Qty", - "print_hide": 1, - "print_hide_if_no_value": 1, - "read_only": 1 - }, - { - "collapsible": 1, - "fieldname": "accounting_dimensions_section", - "fieldtype": "Section Break", - "label": "Accounting Dimensions" - }, - { - "fieldname": "dimension_col_break", - "fieldtype": "Column Break" - } - ], - "icon": "fa fa-file-text", - "idx": 181, - "is_submittable": 1, - "modified": "2019-05-25 22:05:03.474745", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Sales Invoice", - "name_case": "Title Case", - "owner": "Administrator", - "permissions": [ - { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts Manager", - "share": 1, - "submit": 1, - "write": 1 - }, - { - "amend": 1, - "create": 1, - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "share": 1, - "submit": 1, - "write": 1 - }, - { - "permlevel": 1, - "read": 1, - "role": "Accounts Manager", - "write": 1 - }, - { - "permlevel": 1, - "read": 1, - "role": "All" - } - ], - "quick_entry": 1, - "search_fields": "posting_date, due_date, customer, base_grand_total, outstanding_amount", - "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 + "allow_import": 1, + "autoname": "naming_series:", + "creation": "2013-05-24 19:29:05", + "doctype": "DocType", + "engine": "InnoDB", + "field_order": [ + "customer_section", + "title", + "naming_series", + "customer", + "customer_name", + "tax_id", + "is_pos", + "pos_profile", + "offline_pos_name", + "is_return", + "column_break1", + "company", + "posting_date", + "posting_time", + "set_posting_time", + "due_date", + "amended_from", + "returns", + "return_against", + "column_break_21", + "update_billed_amount_in_sales_order", + "accounting_dimensions_section", + "project", + "dimension_col_break", + "cost_center", + "customer_po_details", + "po_no", + "column_break_23", + "po_date", + "address_and_contact", + "customer_address", + "address_display", + "contact_person", + "contact_display", + "contact_mobile", + "contact_email", + "territory", + "col_break4", + "shipping_address_name", + "shipping_address", + "company_address", + "company_address_display", + "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", + "update_stock", + "scan_barcode", + "items", + "pricing_rule_details", + "pricing_rules", + "packing_list", + "packed_items", + "product_bundle_help", + "time_sheet_list", + "timesheets", + "total_billing_amount", + "section_break_30", + "total_qty", + "base_total", + "base_net_total", + "column_break_32", + "total", + "net_total", + "total_net_weight", + "taxes_section", + "taxes_and_charges", + "column_break_38", + "shipping_rule", + "tax_category", + "section_break_40", + "taxes", + "sec_tax_breakup", + "other_charges_calculation", + "section_break_43", + "base_total_taxes_and_charges", + "column_break_47", + "total_taxes_and_charges", + "loyalty_points_redemption", + "loyalty_points", + "loyalty_amount", + "redeem_loyalty_points", + "column_break_77", + "loyalty_program", + "loyalty_redemption_account", + "loyalty_redemption_cost_center", + "section_break_49", + "apply_discount_on", + "base_discount_amount", + "column_break_51", + "additional_discount_percentage", + "discount_amount", + "totals", + "base_grand_total", + "base_rounding_adjustment", + "base_rounded_total", + "base_in_words", + "column_break5", + "grand_total", + "rounding_adjustment", + "rounded_total", + "in_words", + "total_advance", + "outstanding_amount", + "advances_section", + "allocate_advances_automatically", + "get_advances", + "advances", + "payment_schedule_section", + "payment_terms_template", + "payment_schedule", + "payments_section", + "cash_bank_account", + "payments", + "section_break_84", + "base_paid_amount", + "column_break_86", + "paid_amount", + "section_break_88", + "base_change_amount", + "column_break_90", + "change_amount", + "account_for_change_amount", + "column_break4", + "write_off_amount", + "base_write_off_amount", + "write_off_outstanding_amount_automatically", + "column_break_74", + "write_off_account", + "write_off_cost_center", + "terms_section_break", + "tc_name", + "terms", + "edit_printing_settings", + "letter_head", + "group_same_items", + "language", + "column_break_84", + "select_print_heading", + "more_information", + "inter_company_invoice_reference", + "customer_group", + "campaign", + "col_break23", + "status", + "source", + "more_info", + "debit_to", + "party_account_currency", + "is_opening", + "c_form_applicable", + "c_form_no", + "column_break8", + "remarks", + "sales_team_section_break", + "sales_partner", + "column_break10", + "commission_rate", + "total_commission", + "section_break2", + "sales_team", + "subscription_section", + "from_date", + "to_date", + "column_break_140", + "auto_repeat", + "update_auto_repeat_reference", + "against_income_account", + "pos_total_qty" + ], + "fields": [ + { + "fieldname": "customer_section", + "fieldtype": "Section Break", + "options": "fa fa-user" + }, + { + "allow_on_submit": 1, + "default": "{customer_name}", + "fieldname": "title", + "fieldtype": "Data", + "hidden": 1, + "label": "Title", + "no_copy": 1, + "print_hide": 1 + }, + { + "bold": 1, + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "no_copy": 1, + "oldfieldname": "naming_series", + "oldfieldtype": "Select", + "options": "ACC-SINV-.YYYY.-", + "print_hide": 1, + "reqd": 1, + "set_only_once": 1 + }, + { + "bold": 1, + "fieldname": "customer", + "fieldtype": "Link", + "in_standard_filter": 1, + "label": "Customer", + "oldfieldname": "customer", + "oldfieldtype": "Link", + "options": "Customer", + "print_hide": 1, + "search_index": 1 + }, + { + "bold": 1, + "depends_on": "customer", + "fetch_from": "customer.customer_name", + "fieldname": "customer_name", + "fieldtype": "Data", + "in_global_search": 1, + "label": "Customer Name", + "oldfieldname": "customer_name", + "oldfieldtype": "Data", + "read_only": 1 + }, + { + "fieldname": "tax_id", + "fieldtype": "Data", + "label": "Tax Id", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "project", + "fieldtype": "Link", + "in_global_search": 1, + "label": "Project", + "oldfieldname": "project_name", + "oldfieldtype": "Link", + "options": "Project", + "print_hide": 1 + }, + { + "default": "0", + "fieldname": "is_pos", + "fieldtype": "Check", + "label": "Include Payment (POS)", + "oldfieldname": "is_pos", + "oldfieldtype": "Check", + "print_hide": 1 + }, + { + "depends_on": "is_pos", + "fieldname": "pos_profile", + "fieldtype": "Link", + "label": "POS Profile", + "options": "POS Profile", + "print_hide": 1 + }, + { + "fieldname": "offline_pos_name", + "fieldtype": "Data", + "hidden": 1, + "label": "Offline POS Name", + "print_hide": 1, + "read_only": 1 + }, + { + "default": "0", + "fieldname": "is_return", + "fieldtype": "Check", + "label": "Is Return (Credit Note)", + "no_copy": 1, + "print_hide": 1 + }, + { + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break" + }, + { + "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 + }, + { + "fieldname": "cost_center", + "fieldtype": "Link", + "label": "Cost Center", + "options": "Cost Center" + }, + { + "bold": 1, + "default": "Today", + "fieldname": "posting_date", + "fieldtype": "Date", + "label": "Date", + "no_copy": 1, + "oldfieldname": "posting_date", + "oldfieldtype": "Date", + "reqd": 1, + "search_index": 1 + }, + { + "fieldname": "posting_time", + "fieldtype": "Time", + "label": "Posting Time", + "no_copy": 1, + "oldfieldname": "posting_time", + "oldfieldtype": "Time", + "print_hide": 1 + }, + { + "default": "0", + "depends_on": "eval:doc.docstatus==0", + "fieldname": "set_posting_time", + "fieldtype": "Check", + "label": "Edit Posting Date and Time", + "print_hide": 1 + }, + { + "fieldname": "due_date", + "fieldtype": "Date", + "label": "Payment Due Date", + "no_copy": 1, + "oldfieldname": "due_date", + "oldfieldtype": "Date" + }, + { + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Link", + "options": "Sales Invoice", + "print_hide": 1, + "read_only": 1 + }, + { + "depends_on": "return_against", + "fieldname": "returns", + "fieldtype": "Section Break", + "label": "Returns" + }, + { + "depends_on": "return_against", + "fieldname": "return_against", + "fieldtype": "Link", + "label": "Return Against Sales Invoice", + "no_copy": 1, + "options": "Sales Invoice", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "column_break_21", + "fieldtype": "Column Break" + }, + { + "default": "0", + "depends_on": "eval: doc.is_return && doc.return_against", + "fieldname": "update_billed_amount_in_sales_order", + "fieldtype": "Check", + "label": "Update Billed Amount in Sales Order" + }, + { + "collapsible": 1, + "collapsible_depends_on": "po_no", + "fieldname": "customer_po_details", + "fieldtype": "Section Break", + "label": "Customer PO Details" + }, + { + "allow_on_submit": 1, + "fieldname": "po_no", + "fieldtype": "Data", + "label": "Customer's Purchase Order", + "no_copy": 1, + "print_hide": 1 + }, + { + "fieldname": "column_break_23", + "fieldtype": "Column Break" + }, + { + "allow_on_submit": 1, + "fieldname": "po_date", + "fieldtype": "Date", + "label": "Customer's Purchase Order Date" + }, + { + "collapsible": 1, + "fieldname": "address_and_contact", + "fieldtype": "Section Break", + "label": "Address and Contact" + }, + { + "fieldname": "customer_address", + "fieldtype": "Link", + "label": "Customer Address", + "options": "Address", + "print_hide": 1 + }, + { + "fieldname": "address_display", + "fieldtype": "Small Text", + "label": "Address", + "read_only": 1 + }, + { + "fieldname": "contact_person", + "fieldtype": "Link", + "in_global_search": 1, + "label": "Contact Person", + "options": "Contact", + "print_hide": 1 + }, + { + "fieldname": "contact_display", + "fieldtype": "Small Text", + "label": "Contact", + "read_only": 1 + }, + { + "fieldname": "contact_mobile", + "fieldtype": "Small Text", + "hidden": 1, + "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": "territory", + "fieldtype": "Link", + "label": "Territory", + "options": "Territory", + "print_hide": 1 + }, + { + "fieldname": "col_break4", + "fieldtype": "Column Break" + }, + { + "fieldname": "shipping_address_name", + "fieldtype": "Link", + "label": "Shipping Address Name", + "options": "Address", + "print_hide": 1 + }, + { + "fieldname": "shipping_address", + "fieldtype": "Small Text", + "label": "Shipping Address", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "company_address", + "fieldtype": "Link", + "label": "Company Address Name", + "options": "Address", + "print_hide": 1 + }, + { + "fieldname": "company_address_display", + "fieldtype": "Small Text", + "hidden": 1, + "label": "Company Address", + "print_hide": 1, + "read_only": 1 + }, + { + "collapsible": 1, + "depends_on": "customer", + "fieldname": "currency_and_price_list", + "fieldtype": "Section Break", + "label": "Currency and Price List" + }, + { + "fieldname": "currency", + "fieldtype": "Link", + "label": "Currency", + "oldfieldname": "currency", + "oldfieldtype": "Select", + "options": "Currency", + "print_hide": 1, + "reqd": 1 + }, + { + "description": "Rate at which Customer Currency is converted to customer's base currency", + "fieldname": "conversion_rate", + "fieldtype": "Float", + "label": "Exchange Rate", + "oldfieldname": "conversion_rate", + "oldfieldtype": "Currency", + "precision": "9", + "print_hide": 1, + "reqd": 1 + }, + { + "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 + }, + { + "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 customer'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" + }, + { + "depends_on": "update_stock", + "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" + }, + { + "default": "0", + "fieldname": "update_stock", + "fieldtype": "Check", + "label": "Update Stock", + "oldfieldname": "update_stock", + "oldfieldtype": "Check", + "print_hide": 1 + }, + { + "fieldname": "scan_barcode", + "fieldtype": "Data", + "label": "Scan Barcode" + }, + { + "allow_bulk_edit": 1, + "fieldname": "items", + "fieldtype": "Table", + "label": "Items", + "oldfieldname": "entries", + "oldfieldtype": "Table", + "options": "Sales Invoice 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": "packing_list", + "fieldtype": "Section Break", + "label": "Packing List", + "options": "fa fa-suitcase", + "print_hide": 1 + }, + { + "fieldname": "packed_items", + "fieldtype": "Table", + "label": "Packed Items", + "options": "Packed Item", + "print_hide": 1 + }, + { + "fieldname": "product_bundle_help", + "fieldtype": "HTML", + "label": "Product Bundle Help", + "print_hide": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "eval:doc.total_billing_amount > 0", + "fieldname": "time_sheet_list", + "fieldtype": "Section Break", + "label": "Time Sheet List" + }, + { + "fieldname": "timesheets", + "fieldtype": "Table", + "label": "Time Sheets", + "options": "Sales Invoice Timesheet", + "print_hide": 1 + }, + { + "default": "0", + "fieldname": "total_billing_amount", + "fieldtype": "Currency", + "label": "Total Billing Amount", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "section_break_30", + "fieldtype": "Section 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, + "reqd": 1 + }, + { + "fieldname": "column_break_32", + "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", + "oldfieldtype": "Section Break", + "options": "fa fa-money" + }, + { + "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": "column_break_38", + "fieldtype": "Column Break" + }, + { + "fieldname": "shipping_rule", + "fieldtype": "Link", + "label": "Shipping Rule", + "oldfieldtype": "Button", + "options": "Shipping Rule", + "print_hide": 1 + }, + { + "fieldname": "tax_category", + "fieldtype": "Link", + "label": "Tax Category", + "options": "Tax Category", + "print_hide": 1 + }, + { + "fieldname": "section_break_40", + "fieldtype": "Section Break" + }, + { + "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 + }, + { + "fieldname": "column_break_47", + "fieldtype": "Column Break" + }, + { + "fieldname": "total_taxes_and_charges", + "fieldtype": "Currency", + "label": "Total Taxes and Charges", + "options": "currency", + "print_hide": 1, + "read_only": 1 + }, + { + "collapsible": 1, + "fieldname": "loyalty_points_redemption", + "fieldtype": "Section Break", + "label": "Loyalty Points Redemption" + }, + { + "depends_on": "redeem_loyalty_points", + "fieldname": "loyalty_points", + "fieldtype": "Int", + "label": "Loyalty Points", + "no_copy": 1, + "print_hide": 1 + }, + { + "depends_on": "redeem_loyalty_points", + "fieldname": "loyalty_amount", + "fieldtype": "Currency", + "label": "Loyalty Amount", + "no_copy": 1, + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "default": "0", + "fieldname": "redeem_loyalty_points", + "fieldtype": "Check", + "label": "Redeem Loyalty Points", + "no_copy": 1, + "print_hide": 1 + }, + { + "fieldname": "column_break_77", + "fieldtype": "Column Break" + }, + { + "fetch_from": "customer.loyalty_program", + "fieldname": "loyalty_program", + "fieldtype": "Link", + "label": "Loyalty Program", + "no_copy": 1, + "options": "Loyalty Program", + "print_hide": 1, + "read_only": 1 + }, + { + "depends_on": "redeem_loyalty_points", + "fieldname": "loyalty_redemption_account", + "fieldtype": "Link", + "label": "Redemption Account", + "no_copy": 1, + "options": "Account" + }, + { + "depends_on": "redeem_loyalty_points", + "fieldname": "loyalty_redemption_cost_center", + "fieldtype": "Link", + "label": "Redemption Cost Center", + "no_copy": 1, + "options": "Cost Center" + }, + { + "collapsible": 1, + "collapsible_depends_on": "discount_amount", + "fieldname": "section_break_49", + "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_51", + "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, + "reqd": 1 + }, + { + "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 + }, + { + "description": "In Words will be visible once you save the Sales Invoice.", + "fieldname": "base_in_words", + "fieldtype": "Data", + "label": "In Words (Company Currency)", + "oldfieldname": "in_words", + "oldfieldtype": "Data", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "column_break5", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "print_hide": 1, + "width": "50%" + }, + { + "bold": 1, + "fieldname": "grand_total", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Grand Total", + "oldfieldname": "grand_total_export", + "oldfieldtype": "Currency", + "options": "currency", + "read_only": 1, + "reqd": 1 + }, + { + "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 + }, + { + "fieldname": "in_words", + "fieldtype": "Data", + "label": "In Words", + "oldfieldname": "in_words_export", + "oldfieldtype": "Data", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "total_advance", + "fieldtype": "Currency", + "label": "Total Advance", + "oldfieldname": "total_advance", + "oldfieldtype": "Currency", + "options": "party_account_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "outstanding_amount", + "fieldtype": "Currency", + "label": "Outstanding Amount", + "no_copy": 1, + "oldfieldname": "outstanding_amount", + "oldfieldtype": "Currency", + "options": "party_account_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "advances", + "fieldname": "advances_section", + "fieldtype": "Section Break", + "label": "Advance Payments", + "oldfieldtype": "Section Break", + "options": "fa fa-money", + "print_hide": 1 + }, + { + "default": "0", + "fieldname": "allocate_advances_automatically", + "fieldtype": "Check", + "label": "Allocate Advances Automatically (FIFO)" + }, + { + "depends_on": "eval:!doc.allocate_advances_automatically", + "fieldname": "get_advances", + "fieldtype": "Button", + "label": "Get Advances Received", + "options": "set_advances" + }, + { + "fieldname": "advances", + "fieldtype": "Table", + "label": "Advances", + "oldfieldname": "advance_adjustment_details", + "oldfieldtype": "Table", + "options": "Sales Invoice Advance", + "print_hide": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "eval:(!doc.is_pos && !doc.is_return)", + "fieldname": "payment_schedule_section", + "fieldtype": "Section Break", + "label": "Payment Terms" + }, + { + "depends_on": "eval:(!doc.is_pos && !doc.is_return)", + "fieldname": "payment_terms_template", + "fieldtype": "Link", + "label": "Payment Terms Template", + "no_copy": 1, + "options": "Payment Terms Template", + "print_hide": 1 + }, + { + "depends_on": "eval:(!doc.is_pos && !doc.is_return)", + "fieldname": "payment_schedule", + "fieldtype": "Table", + "label": "Payment Schedule", + "no_copy": 1, + "options": "Payment Schedule", + "print_hide": 1 + }, + { + "depends_on": "eval:doc.is_pos===1||(doc.advances && doc.advances.length>0)", + "fieldname": "payments_section", + "fieldtype": "Section Break", + "label": "Payments", + "options": "fa fa-money" + }, + { + "depends_on": "is_pos", + "fieldname": "cash_bank_account", + "fieldtype": "Link", + "hidden": 1, + "label": "Cash/Bank Account", + "oldfieldname": "cash_bank_account", + "oldfieldtype": "Link", + "options": "Account", + "print_hide": 1 + }, + { + "depends_on": "eval:doc.is_pos===1", + "fieldname": "payments", + "fieldtype": "Table", + "label": "Sales Invoice Payment", + "options": "Sales Invoice Payment", + "print_hide": 1 + }, + { + "fieldname": "section_break_84", + "fieldtype": "Section Break" + }, + { + "fieldname": "base_paid_amount", + "fieldtype": "Currency", + "label": "Paid Amount (Company Currency)", + "no_copy": 1, + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "column_break_86", + "fieldtype": "Column Break" + }, + { + "depends_on": "eval: doc.is_pos || doc.redeem_loyalty_points", + "fieldname": "paid_amount", + "fieldtype": "Currency", + "label": "Paid Amount", + "no_copy": 1, + "oldfieldname": "paid_amount", + "oldfieldtype": "Currency", + "options": "currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "section_break_88", + "fieldtype": "Section Break" + }, + { + "depends_on": "is_pos", + "fieldname": "base_change_amount", + "fieldtype": "Currency", + "label": "Base Change Amount (Company Currency)", + "no_copy": 1, + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "column_break_90", + "fieldtype": "Column Break" + }, + { + "depends_on": "is_pos", + "fieldname": "change_amount", + "fieldtype": "Currency", + "label": "Change Amount", + "no_copy": 1, + "options": "currency", + "print_hide": 1 + }, + { + "depends_on": "is_pos", + "fieldname": "account_for_change_amount", + "fieldtype": "Link", + "label": "Account for Change Amount", + "options": "Account", + "print_hide": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "write_off_amount", + "depends_on": "grand_total", + "fieldname": "column_break4", + "fieldtype": "Section Break", + "label": "Write Off", + "width": "50%" + }, + { + "fieldname": "write_off_amount", + "fieldtype": "Currency", + "label": "Write Off Amount", + "no_copy": 1, + "options": "currency", + "print_hide": 1 + }, + { + "fieldname": "base_write_off_amount", + "fieldtype": "Currency", + "label": "Write Off Amount (Company Currency)", + "no_copy": 1, + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "default": "0", + "depends_on": "is_pos", + "fieldname": "write_off_outstanding_amount_automatically", + "fieldtype": "Check", + "label": "Write Off Outstanding Amount", + "print_hide": 1 + }, + { + "fieldname": "column_break_74", + "fieldtype": "Column Break" + }, + { + "fieldname": "write_off_account", + "fieldtype": "Link", + "label": "Write Off Account", + "options": "Account", + "print_hide": 1 + }, + { + "fieldname": "write_off_cost_center", + "fieldtype": "Link", + "label": "Write Off Cost Center", + "options": "Cost Center", + "print_hide": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "terms", + "fieldname": "terms_section_break", + "fieldtype": "Section Break", + "label": "Terms", + "oldfieldtype": "Section Break" + }, + { + "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, + "fieldname": "edit_printing_settings", + "fieldtype": "Section Break", + "label": "Printing Settings" + }, + { + "allow_on_submit": 1, + "fieldname": "letter_head", + "fieldtype": "Link", + "label": "Letter Head", + "oldfieldname": "letter_head", + "oldfieldtype": "Select", + "options": "Letter Head", + "print_hide": 1 + }, + { + "allow_on_submit": 1, + "default": "0", + "fieldname": "group_same_items", + "fieldtype": "Check", + "label": "Group same items", + "print_hide": 1 + }, + { + "fieldname": "language", + "fieldtype": "Data", + "label": "Print Language", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "column_break_84", + "fieldtype": "Column Break" + }, + { + "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 + }, + { + "collapsible": 1, + "depends_on": "customer", + "fieldname": "more_information", + "fieldtype": "Section Break", + "label": "More Information" + }, + { + "fieldname": "inter_company_invoice_reference", + "fieldtype": "Link", + "label": "Inter Company Invoice Reference", + "options": "Purchase Invoice", + "read_only": 1 + }, + { + "fieldname": "customer_group", + "fieldtype": "Link", + "hidden": 1, + "label": "Customer Group", + "options": "Customer Group", + "print_hide": 1 + }, + { + "fieldname": "campaign", + "fieldtype": "Link", + "label": "Campaign", + "oldfieldname": "campaign", + "oldfieldtype": "Link", + "options": "Campaign", + "print_hide": 1 + }, + { + "fieldname": "col_break23", + "fieldtype": "Column Break", + "width": "50%" + }, + { + "default": "Draft", + "fieldname": "status", + "fieldtype": "Select", + "in_standard_filter": 1, + "label": "Status", + "no_copy": 1, + "options": "\nDraft\nReturn\nCredit Note Issued\nSubmitted\nPaid\nUnpaid\nOverdue\nCancelled", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "source", + "fieldtype": "Link", + "label": "Source", + "oldfieldname": "source", + "oldfieldtype": "Select", + "options": "Lead Source", + "print_hide": 1 + }, + { + "collapsible": 1, + "fieldname": "more_info", + "fieldtype": "Section Break", + "label": "Accounting Details", + "oldfieldtype": "Section Break", + "options": "fa fa-file-text", + "print_hide": 1 + }, + { + "fieldname": "debit_to", + "fieldtype": "Link", + "label": "Debit To", + "oldfieldname": "debit_to", + "oldfieldtype": "Link", + "options": "Account", + "print_hide": 1, + "reqd": 1, + "search_index": 1 + }, + { + "fieldname": "party_account_currency", + "fieldtype": "Link", + "hidden": 1, + "label": "Party Account Currency", + "no_copy": 1, + "options": "Currency", + "print_hide": 1, + "read_only": 1 + }, + { + "default": "No", + "fieldname": "is_opening", + "fieldtype": "Select", + "label": "Is Opening Entry", + "oldfieldname": "is_opening", + "oldfieldtype": "Select", + "options": "No\nYes", + "print_hide": 1 + }, + { + "fieldname": "c_form_applicable", + "fieldtype": "Select", + "label": "C-Form Applicable", + "no_copy": 1, + "options": "No\nYes", + "print_hide": 1 + }, + { + "fieldname": "c_form_no", + "fieldtype": "Link", + "label": "C-Form No", + "no_copy": 1, + "options": "C-Form", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "column_break8", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "print_hide": 1 + }, + { + "fieldname": "remarks", + "fieldtype": "Small Text", + "label": "Remarks", + "no_copy": 1, + "oldfieldname": "remarks", + "oldfieldtype": "Text", + "print_hide": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "sales_partner", + "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 + }, + { + "fieldname": "column_break10", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "print_hide": 1, + "width": "50%" + }, + { + "fieldname": "commission_rate", + "fieldtype": "Float", + "label": "Commission Rate (%)", + "oldfieldname": "commission_rate", + "oldfieldtype": "Currency", + "print_hide": 1 + }, + { + "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_break2", + "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 + }, + { + "fieldname": "subscription_section", + "fieldtype": "Section Break", + "label": "Subscription Section" + }, + { + "allow_on_submit": 1, + "fieldname": "from_date", + "fieldtype": "Date", + "label": "From Date", + "no_copy": 1, + "print_hide": 1 + }, + { + "allow_on_submit": 1, + "fieldname": "to_date", + "fieldtype": "Date", + "label": "To Date", + "no_copy": 1, + "print_hide": 1 + }, + { + "fieldname": "column_break_140", + "fieldtype": "Column Break" + }, + { + "allow_on_submit": 1, + "fieldname": "auto_repeat", + "fieldtype": "Link", + "label": "Auto Repeat", + "no_copy": 1, + "options": "Auto Repeat", + "print_hide": 1, + "read_only": 1 + }, + { + "allow_on_submit": 1, + "depends_on": "eval: doc.auto_repeat", + "fieldname": "update_auto_repeat_reference", + "fieldtype": "Button", + "label": "Update Auto Repeat Reference" + }, + { + "fieldname": "against_income_account", + "fieldtype": "Small Text", + "hidden": 1, + "label": "Against Income Account", + "no_copy": 1, + "oldfieldname": "against_income_account", + "oldfieldtype": "Small Text", + "print_hide": 1, + "report_hide": 1 + }, + { + "fieldname": "pos_total_qty", + "fieldtype": "Float", + "hidden": 1, + "label": "Total Qty", + "print_hide": 1, + "print_hide_if_no_value": 1, + "read_only": 1 + }, + { + "collapsible": 1, + "fieldname": "accounting_dimensions_section", + "fieldtype": "Section Break", + "label": "Accounting Dimensions" + }, + { + "fieldname": "dimension_col_break", + "fieldtype": "Column Break" + } + ], + "icon": "fa fa-file-text", + "idx": 181, + "is_submittable": 1, + "modified": "2019-05-25 22:05:03.474745", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Sales Invoice", + "name_case": "Title Case", + "owner": "Administrator", + "permissions": [ + { + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "share": 1, + "submit": 1, + "write": 1 + }, + { + "amend": 1, + "create": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "share": 1, + "submit": 1, + "write": 1 + }, + { + "permlevel": 1, + "read": 1, + "role": "Accounts Manager", + "write": 1 + }, + { + "permlevel": 1, + "read": 1, + "role": "All" + } + ], + "quick_entry": 1, + "search_fields": "posting_date, due_date, customer, base_grand_total, outstanding_amount", + "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 diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index d6cf5d8b90..b725c73c8b 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -54,8 +54,8 @@ class SalesInvoice(SellingController): def set_indicator(self): """Set indicator for portal""" - if cint(self.is_return) == 1: - self.indicator_title = _("Return") + if self.outstanding_amount < 0: + self.indicator_title = _("Credit Note Issued") self.indicator_color = "darkgrey" elif self.outstanding_amount > 0 and getdate(self.due_date) >= getdate(nowdate()): self.indicator_color = "orange" @@ -63,8 +63,8 @@ class SalesInvoice(SellingController): elif self.outstanding_amount > 0 and getdate(self.due_date) < getdate(nowdate()): self.indicator_color = "red" self.indicator_title = _("Overdue") - elif self.outstanding_amount < 0: - self.indicator_title = _("Credit Note Issued") + elif cint(self.is_return) == 1: + self.indicator_title = _("Return") self.indicator_color = "darkgrey" else: self.indicator_color = "green" @@ -508,8 +508,8 @@ class SalesInvoice(SellingController): if frappe.db.get_single_value('Selling Settings', dic[i][0]) == 'Yes': for d in self.get('items'): is_stock_item = frappe.get_cached_value('Item', d.item_code, 'is_stock_item') - if d.item_code and is_stock_item == 1\ - and not d.get(i.lower().replace(' ','_')) and not self.get(dic[i][1]): + if (d.item_code and is_stock_item == 1\ + and not d.get(i.lower().replace(' ','_')) and not self.get(dic[i][1])): msgprint(_("{0} is mandatory for Item {1}").format(i,d.item_code), raise_exception=1) @@ -1029,9 +1029,8 @@ class SalesInvoice(SellingController): def update_project(self): if self.project: project = frappe.get_doc("Project", self.project) - project.flags.dont_sync_tasks = True project.update_billed_amount() - project.save() + project.db_update() def verify_payment_amount_is_positive(self): diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.js index 3c9c4b428d..52d292430a 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.js +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice_list.js @@ -6,16 +6,16 @@ frappe.listview_settings['Sales Invoice'] = { add_fields: ["customer", "customer_name", "base_grand_total", "outstanding_amount", "due_date", "company", "currency", "is_return"], get_indicator: function(doc) { - if(cint(doc.is_return)==1) { - return [__("Return"), "darkgrey", "is_return,=,Yes"]; - } else if(flt(doc.outstanding_amount)==0) { - return [__("Paid"), "green", "outstanding_amount,=,0"] - } else if(flt(doc.outstanding_amount) < 0) { + if(flt(doc.outstanding_amount) < 0) { return [__("Credit Note Issued"), "darkgrey", "outstanding_amount,<,0"] - }else if (flt(doc.outstanding_amount) > 0 && doc.due_date >= frappe.datetime.get_today()) { + } else if (flt(doc.outstanding_amount) > 0 && doc.due_date >= frappe.datetime.get_today()) { return [__("Unpaid"), "orange", "outstanding_amount,>,0|due_date,>,Today"] } else if (flt(doc.outstanding_amount) > 0 && doc.due_date < frappe.datetime.get_today()) { return [__("Overdue"), "red", "outstanding_amount,>,0|due_date,<=,Today"] + } else if(cint(doc.is_return)) { + return [__("Return"), "darkgrey", "is_return,=,Yes"]; + } else if(flt(doc.outstanding_amount)==0) { + return [__("Paid"), "green", "outstanding_amount,=,0"] } }, right_column: "grand_total" diff --git a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py index 47c60839b3..52470fde95 100644 --- a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py @@ -19,6 +19,8 @@ from erpnext.controllers.taxes_and_totals import get_itemised_tax_breakup_data from erpnext.stock.doctype.item.test_item import create_item from six import iteritems from erpnext.accounts.doctype.sales_invoice.sales_invoice import make_inter_company_transaction +from erpnext.regional.india.utils import get_ewb_data + class TestSalesInvoice(unittest.TestCase): def make(self): w = frappe.copy_doc(test_records[0]) @@ -1421,7 +1423,7 @@ class TestSalesInvoice(unittest.TestCase): "included_in_print_rate": 1 }) si.save() - + si.submit() self.assertEqual(si.net_total, 19453.13) self.assertEqual(si.grand_total, 24900) self.assertEqual(si.total_taxes_and_charges, 5446.88) @@ -1443,6 +1445,50 @@ class TestSalesInvoice(unittest.TestCase): self.assertEqual(expected_values[gle.account][1], gle.debit) self.assertEqual(expected_values[gle.account][2], gle.credit) + def test_rounding_adjustment_2(self): + si = create_sales_invoice(rate=400, do_not_save=True) + for rate in [400, 600, 100]: + si.append("items", { + "item_code": "_Test Item", + "gst_hsn_code": "999800", + "warehouse": "_Test Warehouse - _TC", + "qty": 1, + "rate": rate, + "income_account": "Sales - _TC", + "cost_center": "_Test Cost Center - _TC" + }) + for tax_account in ["_Test Account VAT - _TC", "_Test Account Service Tax - _TC"]: + si.append("taxes", { + "charge_type": "On Net Total", + "account_head": tax_account, + "description": tax_account, + "rate": 9, + "cost_center": "_Test Cost Center - _TC", + "included_in_print_rate": 1 + }) + si.save() + si.submit() + self.assertEqual(si.net_total, 1271.19) + self.assertEqual(si.grand_total, 1500) + self.assertEqual(si.total_taxes_and_charges, 228.82) + self.assertEqual(si.rounding_adjustment, -0.01) + + expected_values = dict((d[0], d) for d in [ + [si.debit_to, 1500, 0.0], + ["_Test Account Service Tax - _TC", 0.0, 114.41], + ["_Test Account VAT - _TC", 0.0, 114.41], + ["Sales - _TC", 0.0, 1271.18] + ]) + + gl_entries = frappe.db.sql("""select account, debit, credit + from `tabGL Entry` where voucher_type='Sales Invoice' and voucher_no=%s + order by account asc""", si.name, as_dict=1) + + for gle in gl_entries: + self.assertEqual(expected_values[gle.account][0], gle.account) + self.assertEqual(expected_values[gle.account][1], gle.debit) + self.assertEqual(expected_values[gle.account][2], gle.credit) + def test_sales_invoice_with_shipping_rule(self): from erpnext.accounts.doctype.shipping_rule.test_shipping_rule \ import create_shipping_rule @@ -1681,6 +1727,111 @@ class TestSalesInvoice(unittest.TestCase): self.assertEqual(target_doc.company, "_Test Company 1") self.assertEqual(target_doc.supplier, "_Test Internal Supplier") + def test_eway_bill_json(self): + if not frappe.db.exists('Address', '_Test Address for Eway bill-Billing'): + address = frappe.get_doc({ + "address_line1": "_Test Address Line 1", + "address_title": "_Test Address for Eway bill", + "address_type": "Billing", + "city": "_Test City", + "state": "Test State", + "country": "India", + "doctype": "Address", + "is_primary_address": 1, + "phone": "+91 0000000000", + "gstin": "27AAECE4835E1ZR", + "gst_state": "Maharashtra", + "gst_state_number": "27", + "pincode": "401108" + }).insert() + + address.append("links", { + "link_doctype": "Company", + "link_name": "_Test Company" + }) + + address.save() + + if not frappe.db.exists('Address', '_Test Customer-Address for Eway bill-Shipping'): + address = frappe.get_doc({ + "address_line1": "_Test Address Line 1", + "address_title": "_Test Customer-Address for Eway bill", + "address_type": "Shipping", + "city": "_Test City", + "state": "Test State", + "country": "India", + "doctype": "Address", + "is_primary_address": 1, + "phone": "+91 0000000000", + "gst_state": "Maharashtra", + "gst_state_number": "27", + "pincode": "410038" + }).insert() + + address.append("links", { + "link_doctype": "Customer", + "link_name": "_Test Customer" + }) + + address.save() + + gst_settings = frappe.get_doc("GST Settings") + + gst_account = frappe.get_all( + "GST Account", + fields=["cgst_account", "sgst_account", "igst_account"], + filters = {"company": "_Test Company"}) + + if not gst_account: + gst_settings.append("gst_accounts", { + "company": "_Test Company", + "cgst_account": "CGST - _TC", + "sgst_account": "SGST - _TC", + "igst_account": "IGST - _TC", + }) + + gst_settings.save() + + si = create_sales_invoice(do_not_save =1, rate = '60000') + + si.distance = 2000 + si.company_address = "_Test Address for Eway bill-Billing" + si.customer_address = "_Test Customer-Address for Eway bill-Shipping" + si.vehicle_no = "KA12KA1234" + si.gst_category = "Registered Regular" + + si.append("taxes", { + "charge_type": "On Net Total", + "account_head": "CGST - _TC", + "cost_center": "Main - _TC", + "description": "CGST @ 9.0", + "rate": 9 + }) + + si.append("taxes", { + "charge_type": "On Net Total", + "account_head": "SGST - _TC", + "cost_center": "Main - _TC", + "description": "SGST @ 9.0", + "rate": 9 + }) + + si.submit() + + data = get_ewb_data("Sales Invoice", si.name) + + self.assertEqual(data['version'], '1.0.1118') + self.assertEqual(data['billLists'][0]['fromGstin'], '27AAECE4835E1ZR') + self.assertEqual(data['billLists'][0]['fromTrdName'], '_Test Company') + self.assertEqual(data['billLists'][0]['toTrdName'], '_Test Customer') + self.assertEqual(data['billLists'][0]['vehicleType'], 'R') + self.assertEqual(data['billLists'][0]['totalValue'], 60000) + self.assertEqual(data['billLists'][0]['cgstValue'], 5400) + self.assertEqual(data['billLists'][0]['sgstValue'], 5400) + self.assertEqual(data['billLists'][0]['vehicleNo'], 'KA12KA1234') + self.assertEqual(data['billLists'][0]['itemList'][0]['taxableAmount'], 60000) + + def create_sales_invoice(**args): si = frappe.new_doc("Sales Invoice") args = frappe._dict(args) diff --git a/erpnext/accounts/doctype/sales_invoice_payment/sales_invoice_payment.json b/erpnext/accounts/doctype/sales_invoice_payment/sales_invoice_payment.json index 1c5962acf6..52cf810ae4 100644 --- a/erpnext/accounts/doctype/sales_invoice_payment/sales_invoice_payment.json +++ b/erpnext/accounts/doctype/sales_invoice_payment/sales_invoice_payment.json @@ -295,7 +295,7 @@ "issingle": 0, "istable": 1, "max_attachments": 0, - "modified": "2019-03-06 15:58:37.839241", + "modified": "2019-03-19 14:54:56.524556", "modified_by": "Administrator", "module": "Accounts", "name": "Sales Invoice Payment", diff --git a/erpnext/accounts/general_ledger.py b/erpnext/accounts/general_ledger.py index e15dd2a7a6..9a014840eb 100644 --- a/erpnext/accounts/general_ledger.py +++ b/erpnext/accounts/general_ledger.py @@ -145,9 +145,9 @@ def round_off_debit_credit(gl_map): .format(gl_map[0].voucher_type, gl_map[0].voucher_no, debit_credit_diff)) elif abs(debit_credit_diff) >= (1.0 / (10**precision)): - make_round_off_gle(gl_map, debit_credit_diff) + make_round_off_gle(gl_map, debit_credit_diff, precision) -def make_round_off_gle(gl_map, debit_credit_diff): +def make_round_off_gle(gl_map, debit_credit_diff, precision): round_off_account, round_off_cost_center = get_round_off_account_and_cost_center(gl_map[0].company) round_off_account_exists = False round_off_gle = frappe._dict() @@ -160,6 +160,10 @@ def make_round_off_gle(gl_map, debit_credit_diff): debit_credit_diff += flt(d.credit_in_account_currency) round_off_account_exists = True + if round_off_account_exists and abs(debit_credit_diff) <= (1.0 / (10**precision)): + gl_map.remove(round_off_gle) + return + if not round_off_gle: for k in ["voucher_type", "voucher_no", "company", "posting_date", "remarks", "is_opening"]: diff --git a/erpnext/accounts/page/bank_reconciliation/__init__.py b/erpnext/accounts/page/bank_reconciliation/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js b/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js new file mode 100644 index 0000000000..6eafa0d231 --- /dev/null +++ b/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js @@ -0,0 +1,578 @@ +frappe.provide("erpnext.accounts"); + +frappe.pages['bank-reconciliation'].on_page_load = function(wrapper) { + new erpnext.accounts.bankReconciliation(wrapper); +} + +erpnext.accounts.bankReconciliation = class BankReconciliation { + constructor(wrapper) { + this.page = frappe.ui.make_app_page({ + parent: wrapper, + title: __("Bank Reconciliation"), + single_column: true + }); + this.parent = wrapper; + this.page = this.parent.page; + + this.check_plaid_status(); + this.make(); + } + + make() { + const me = this; + + me.$main_section = $(`
`).appendTo(me.page.main); + const empty_state = __("Upload a bank statement, link or reconcile a bank account") + me.$main_section.append(`
${empty_state}
`) + + me.page.add_field({ + fieldtype: 'Link', + label: __('Company'), + fieldname: 'company', + options: "Company", + onchange: function() { + if (this.value) { + me.company = this.value; + } else { + me.company = null; + me.bank_account = null; + } + } + }) + me.page.add_field({ + fieldtype: 'Link', + label: __('Bank Account'), + fieldname: 'bank_account', + options: "Bank Account", + get_query: function() { + if(!me.company) { + frappe.throw(__("Please select company first")); + return + } + + return { + filters: { + "company": me.company + } + } + }, + onchange: function() { + if (this.value) { + me.bank_account = this.value; + me.add_actions(); + } else { + me.bank_account = null; + me.page.hide_actions_menu(); + } + } + }) + } + + check_plaid_status() { + const me = this; + frappe.db.get_value("Plaid Settings", "Plaid Settings", "enabled", (r) => { + if (r && r.enabled == "1") { + me.plaid_status = "active" + } else { + me.plaid_status = "inactive" + } + }) + } + + add_actions() { + const me = this; + + me.page.show_menu() + + me.page.add_menu_item(__("Upload a statement"), function() { + me.clear_page_content(); + new erpnext.accounts.bankTransactionUpload(me); + }, true) + + if (me.plaid_status==="active") { + me.page.add_menu_item(__("Synchronize this account"), function() { + me.clear_page_content(); + new erpnext.accounts.bankTransactionSync(me); + }, true) + } + + me.page.add_menu_item(__("Reconcile this account"), function() { + me.clear_page_content(); + me.make_reconciliation_tool(); + }, true) + } + + clear_page_content() { + const me = this; + $(me.page.body).find('.frappe-list').remove(); + me.$main_section.empty(); + } + + make_reconciliation_tool() { + const me = this; + frappe.model.with_doctype("Bank Transaction", () => { + erpnext.accounts.ReconciliationList = new erpnext.accounts.ReconciliationTool({ + parent: me.parent, + doctype: "Bank Transaction" + }); + }) + } +} + + +erpnext.accounts.bankTransactionUpload = class bankTransactionUpload { + constructor(parent) { + this.parent = parent; + this.data = []; + + const assets = [ + "/assets/frappe/css/frappe-datatable.css", + "/assets/frappe/js/lib/clusterize.min.js", + "/assets/frappe/js/lib/Sortable.min.js", + "/assets/frappe/js/lib/frappe-datatable.js" + ]; + + frappe.require(assets, () => { + this.make(); + }); + } + + make() { + const me = this; + frappe.upload.make({ + args: { + method: 'erpnext.accounts.doctype.bank_transaction.bank_transaction_upload.upload_bank_statement', + allow_multiple: 0 + }, + no_socketio: true, + sample_url: "e.g. http://example.com/somefile.csv", + callback: function(attachment, r) { + if (!r.exc && r.message) { + me.data = r.message; + me.setup_transactions_dom(); + me.create_datatable(); + me.add_primary_action(); + } + } + }) + } + + setup_transactions_dom() { + const me = this; + me.parent.$main_section.append(`
`) + } + + create_datatable() { + try { + this.datatable = new DataTable('.transactions-table', { + columns: this.data.columns, + data: this.data.data + }) + } + catch(err) { + let msg = __(`Your file could not be processed by ERPNext. +
It should be a standard CSV or XLSX file. +
The headers should be in the first row.`) + frappe.throw(msg) + } + + } + + add_primary_action() { + const me = this; + me.parent.page.set_primary_action(__("Submit"), function() { + me.add_bank_entries() + }, null, __("Creating bank entries...")) + } + + add_bank_entries() { + const me = this; + frappe.xcall('erpnext.accounts.doctype.bank_transaction.bank_transaction_upload.create_bank_entries', + {columns: this.datatable.datamanager.columns, data: this.datatable.datamanager.data, bank_account: me.parent.bank_account} + ).then((result) => { + let result_title = result.errors == 0 ? __("{0} bank transaction(s) created", [result.success]) : __("{0} bank transaction(s) created and {1} errors", [result.success, result.errors]) + let result_msg = ` +
+
${result_title}
+
` + me.parent.page.clear_primary_action(); + me.parent.$main_section.empty(); + me.parent.$main_section.append(result_msg); + if (result.errors == 0) { + frappe.show_alert({message:__("All bank transactions have been created"), indicator:'green'}); + } else { + frappe.show_alert({message:__("Please check the error log for details about the import errors"), indicator:'red'}); + } + }) + } +} + +erpnext.accounts.bankTransactionSync = class bankTransactionSync { + constructor(parent) { + this.parent = parent; + this.data = []; + + this.init_config() + } + + init_config() { + const me = this; + frappe.xcall('erpnext.erpnext_integrations.doctype.plaid_settings.plaid_settings.plaid_configuration') + .then(result => { + me.plaid_env = result.plaid_env; + me.plaid_public_key = result.plaid_public_key; + me.client_name = result.client_name; + me.sync_transactions() + }) + } + + sync_transactions() { + const me = this; + frappe.db.get_value("Bank Account", me.parent.bank_account, "bank", (v) => { + frappe.xcall('erpnext.erpnext_integrations.doctype.plaid_settings.plaid_settings.sync_transactions', { + bank: v['bank'], + bank_account: me.parent.bank_account, + freeze: true + }) + .then((result) => { + let result_title = (result.length > 0) ? __("{0} bank transaction(s) created", [result.length]) : __("This bank account is already synchronized") + let result_msg = ` +
+
${result_title}
+
` + this.parent.$main_section.append(result_msg) + frappe.show_alert({message:__("Bank account '{0}' has been synchronized", [me.parent.bank_account]), indicator:'green'}); + }) + }) + } +} + + +erpnext.accounts.ReconciliationTool = class ReconciliationTool extends frappe.views.BaseList { + constructor(opts) { + super(opts); + this.show(); + } + + setup_defaults() { + super.setup_defaults(); + + this.page_title = __("Bank Reconciliation"); + this.doctype = 'Bank Transaction'; + this.fields = ['date', 'description', 'debit', 'credit', 'currency'] + + } + + setup_view() { + this.render_header(); + } + + setup_side_bar() { + // + } + + make_standard_filters() { + // + } + + freeze() { + this.$result.find('.list-count').html(`${__('Refreshing')}...`); + } + + get_args() { + const args = super.get_args(); + + return Object.assign({}, args, { + ...args.filters.push(["Bank Transaction", "docstatus", "=", 1], + ["Bank Transaction", "unallocated_amount", ">", 0]) + }); + + } + + update_data(r) { + let data = r.message || []; + + if (this.start === 0) { + this.data = data; + } else { + this.data = this.data.concat(data); + } + } + + render() { + const me = this; + this.$result.find('.list-row-container').remove(); + $('[data-fieldname="name"]').remove(); + me.data.map((value) => { + const row = $('
').data("data", value).appendTo(me.$result).get(0); + new erpnext.accounts.ReconciliationRow(row, value); + }) + } + + render_header() { + const me = this; + if ($(this.wrapper).find('.transaction-header').length === 0) { + me.$result.append(frappe.render_template("bank_transaction_header")); + } + } +} + +erpnext.accounts.ReconciliationRow = class ReconciliationRow { + constructor(row, data) { + this.data = data; + this.row = row; + this.make(); + this.bind_events(); + } + + make() { + $(this.row).append(frappe.render_template("bank_transaction_row", this.data)) + } + + bind_events() { + const me = this; + $(me.row).on('click', '.clickable-section', function() { + me.bank_entry = $(this).attr("data-name"); + me.show_dialog($(this).attr("data-name")); + }) + + $(me.row).on('click', '.new-reconciliation', function() { + me.bank_entry = $(this).attr("data-name"); + me.show_dialog($(this).attr("data-name")); + }) + + $(me.row).on('click', '.new-payment', function() { + me.bank_entry = $(this).attr("data-name"); + me.new_payment(); + }) + + $(me.row).on('click', '.new-invoice', function() { + me.bank_entry = $(this).attr("data-name"); + me.new_invoice(); + }) + + $(me.row).on('click', '.new-expense', function() { + me.bank_entry = $(this).attr("data-name"); + me.new_expense(); + }) + } + + new_payment() { + const me = this; + const paid_amount = me.data.credit > 0 ? me.data.credit : me.data.debit; + const payment_type = me.data.credit > 0 ? "Receive": "Pay"; + const party_type = me.data.credit > 0 ? "Customer": "Supplier"; + + frappe.new_doc("Payment Entry", {"payment_type": payment_type, "paid_amount": paid_amount, + "party_type": party_type, "paid_from": me.data.bank_account}) + } + + new_invoice() { + const me = this; + const invoice_type = me.data.credit > 0 ? "Sales Invoice" : "Purchase Invoice"; + + frappe.new_doc(invoice_type) + } + + new_expense() { + frappe.new_doc("Expense Claim") + } + + + show_dialog(data) { + const me = this; + + frappe.db.get_value("Bank Account", me.data.bank_account, "account", (r) => { + me.gl_account = r.account; + }) + + frappe.xcall('erpnext.accounts.page.bank_reconciliation.bank_reconciliation.get_linked_payments', + {bank_transaction: data, freeze:true, freeze_message:__("Finding linked payments")} + ).then((result) => { + me.make_dialog(result) + }) + } + + make_dialog(data) { + const me = this; + me.selected_payment = null; + + const fields = [ + { + fieldtype: 'Section Break', + fieldname: 'section_break_1', + label: __('Automatic Reconciliation') + }, + { + fieldtype: 'HTML', + fieldname: 'payment_proposals' + }, + { + fieldtype: 'Section Break', + fieldname: 'section_break_2', + label: __('Search for a payment') + }, + { + fieldtype: 'Link', + fieldname: 'payment_doctype', + options: 'DocType', + label: 'Payment DocType', + get_query: () => { + return { + filters : { + "name": ["in", ["Payment Entry", "Journal Entry", "Sales Invoice", "Purchase Invoice", "Expense Claim"]] + } + } + }, + }, + { + fieldtype: 'Column Break', + fieldname: 'column_break_1', + }, + { + fieldtype: 'Dynamic Link', + fieldname: 'payment_entry', + options: 'payment_doctype', + label: 'Payment Document', + get_query: () => { + let dt = this.dialog.fields_dict.payment_doctype.value; + if (dt === "Payment Entry") { + return { + query: "erpnext.accounts.page.bank_reconciliation.bank_reconciliation.payment_entry_query", + filters : { + "bank_account": this.data.bank_account, + "company": this.data.company + } + } + } else if (dt === "Journal Entry") { + return { + query: "erpnext.accounts.page.bank_reconciliation.bank_reconciliation.journal_entry_query", + filters : { + "bank_account": this.data.bank_account, + "company": this.data.company + } + } + } else if (dt === "Sales Invoice") { + return { + query: "erpnext.accounts.page.bank_reconciliation.bank_reconciliation.sales_invoices_query" + } + } else if (dt === "Purchase Invoice") { + return { + filters : [ + ["Purchase Invoice", "ifnull(clearance_date, '')", "=", ""], + ["Purchase Invoice", "docstatus", "=", 1], + ["Purchase Invoice", "company", "=", this.data.company] + ] + } + } else if (dt === "Expense Claim") { + return { + filters : [ + ["Expense Claim", "ifnull(clearance_date, '')", "=", ""], + ["Expense Claim", "docstatus", "=", 1], + ["Expense Claim", "company", "=", this.data.company] + ] + } + } + }, + onchange: function() { + if (me.selected_payment !== this.value) { + me.selected_payment = this.value; + me.display_payment_details(this); + } + } + }, + { + fieldtype: 'Section Break', + fieldname: 'section_break_3' + }, + { + fieldtype: 'HTML', + fieldname: 'payment_details' + }, + ]; + + me.dialog = new frappe.ui.Dialog({ + title: __("Choose a corresponding payment"), + fields: fields, + size: "large" + }); + + const proposals_wrapper = me.dialog.fields_dict.payment_proposals.$wrapper; + if (data && data.length > 0) { + proposals_wrapper.append(frappe.render_template("linked_payment_header")); + data.map(value => { + proposals_wrapper.append(frappe.render_template("linked_payment_row", value)) + }) + } else { + const empty_data_msg = __("ERPNext could not find any matching payment entry") + proposals_wrapper.append(`
${empty_data_msg}
`) + } + + $(me.dialog.body).on('click', '.reconciliation-btn', (e) => { + const payment_entry = $(e.target).attr('data-name'); + const payment_doctype = $(e.target).attr('data-doctype'); + frappe.xcall('erpnext.accounts.page.bank_reconciliation.bank_reconciliation.reconcile', + {bank_transaction: me.bank_entry, payment_doctype: payment_doctype, payment_name: payment_entry}) + .then((result) => { + setTimeout(function(){ + erpnext.accounts.ReconciliationList.refresh(); + }, 2000); + me.dialog.hide(); + }) + }) + + me.dialog.show(); + } + + display_payment_details(event) { + const me = this; + if (event.value) { + let dt = me.dialog.fields_dict.payment_doctype.value; + me.dialog.fields_dict['payment_details'].$wrapper.empty(); + frappe.db.get_doc(dt, event.value) + .then(doc => { + let displayed_docs = [] + if (dt === "Payment Entry") { + payment.currency = doc.payment_type == "Receive" ? doc.paid_to_account_currency : doc.paid_from_account_currency; + payment.doctype = dt + displayed_docs.push(payment); + } else if (dt === "Journal Entry") { + doc.accounts.forEach(payment => { + if (payment.account === me.gl_account) { + payment.doctype = dt; + payment.posting_date = doc.posting_date; + payment.party = doc.pay_to_recd_from; + payment.reference_no = doc.cheque_no; + payment.reference_date = doc.cheque_date; + payment.currency = payment.account_currency; + payment.paid_amount = payment.credit > 0 ? payment.credit : payment.debit; + payment.name = doc.name; + displayed_docs.push(payment); + } + }) + } else if (dt === "Sales Invoice") { + doc.payments.forEach(payment => { + if (payment.clearance_date === null || payment.clearance_date === "") { + payment.doctype = dt; + payment.posting_date = doc.posting_date; + payment.party = doc.customer; + payment.reference_no = doc.remarks; + payment.currency = doc.currency; + payment.paid_amount = payment.amount; + payment.name = doc.name; + displayed_docs.push(payment); + } + }) + } + + const details_wrapper = me.dialog.fields_dict.payment_details.$wrapper; + details_wrapper.append(frappe.render_template("linked_payment_header")); + displayed_docs.forEach(values => { + details_wrapper.append(frappe.render_template("linked_payment_row", values)); + }) + }) + } + + } +} \ No newline at end of file diff --git a/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.json b/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.json new file mode 100644 index 0000000000..feea36860b --- /dev/null +++ b/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.json @@ -0,0 +1,29 @@ +{ + "content": null, + "creation": "2018-11-24 12:03:14.646669", + "docstatus": 0, + "doctype": "Page", + "idx": 0, + "modified": "2018-11-24 12:03:14.646669", + "modified_by": "Administrator", + "module": "Accounts", + "name": "bank-reconciliation", + "owner": "Administrator", + "page_name": "bank-reconciliation", + "roles": [ + { + "role": "System Manager" + }, + { + "role": "Accounts Manager" + }, + { + "role": "Accounts User" + } + ], + "script": null, + "standard": "Yes", + "style": null, + "system_page": 0, + "title": "Bank Reconciliation" +} \ No newline at end of file diff --git a/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py b/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py new file mode 100644 index 0000000000..36c939996f --- /dev/null +++ b/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.py @@ -0,0 +1,378 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +from frappe import _ +import difflib +from frappe.utils import flt +from six import iteritems +from erpnext import get_company_currency + +@frappe.whitelist() +def reconcile(bank_transaction, payment_doctype, payment_name): + transaction = frappe.get_doc("Bank Transaction", bank_transaction) + payment_entry = frappe.get_doc(payment_doctype, payment_name) + + account = frappe.db.get_value("Bank Account", transaction.bank_account, "account") + gl_entry = frappe.get_doc("GL Entry", dict(account=account, voucher_type=payment_doctype, voucher_no=payment_name)) + + if transaction.unallocated_amount == 0: + frappe.throw(_("This bank transaction is already fully reconciled")) + + if transaction.credit > 0 and gl_entry.credit > 0: + frappe.throw(_("The selected payment entry should be linked with a debtor bank transaction")) + + if transaction.debit > 0 and gl_entry.debit > 0: + frappe.throw(_("The selected payment entry should be linked with a creditor bank transaction")) + + add_payment_to_transaction(transaction, payment_entry, gl_entry) + + return 'reconciled' + +def add_payment_to_transaction(transaction, payment_entry, gl_entry): + gl_amount, transaction_amount = (gl_entry.credit, transaction.debit) if gl_entry.credit > 0 else (gl_entry.debit, transaction.credit) + allocated_amount = gl_amount if gl_amount <= transaction_amount else transaction_amount + transaction.append("payment_entries", { + "payment_document": payment_entry.doctype, + "payment_entry": payment_entry.name, + "allocated_amount": allocated_amount + }) + + transaction.save() + transaction.update_allocations() + +@frappe.whitelist() +def get_linked_payments(bank_transaction): + transaction = frappe.get_doc("Bank Transaction", bank_transaction) + bank_account = frappe.db.get_values("Bank Account", transaction.bank_account, ["account", "company"], as_dict=True) + + # Get all payment entries with a matching amount + amount_matching = check_matching_amount(bank_account[0].account, bank_account[0].company, transaction) + + # Get some data from payment entries linked to a corresponding bank transaction + description_matching = get_matching_descriptions_data(bank_account[0].company, transaction) + + if amount_matching: + return check_amount_vs_description(amount_matching, description_matching) + + elif description_matching: + description_matching = filter(lambda x: not x.get('clearance_date'), description_matching) + if not description_matching: + return [] + + return sorted(list(description_matching), key = lambda x: x["posting_date"], reverse=True) + + else: + return [] + +def check_matching_amount(bank_account, company, transaction): + payments = [] + amount = transaction.credit if transaction.credit > 0 else transaction.debit + + payment_type = "Receive" if transaction.credit > 0 else "Pay" + account_from_to = "paid_to" if transaction.credit > 0 else "paid_from" + currency_field = "paid_to_account_currency as currency" if transaction.credit > 0 else "paid_from_account_currency as currency" + + payment_entries = frappe.get_all("Payment Entry", fields=["'Payment Entry' as doctype", "name", "paid_amount", "payment_type", "reference_no", "reference_date", + "party", "party_type", "posting_date", "{0}".format(currency_field)], filters=[["paid_amount", "like", "{0}%".format(amount)], + ["docstatus", "=", "1"], ["payment_type", "=", [payment_type, "Internal Transfer"]], ["ifnull(clearance_date, '')", "=", ""], ["{0}".format(account_from_to), "=", "{0}".format(bank_account)]]) + + if transaction.credit > 0: + journal_entries = frappe.db.sql(""" + SELECT + 'Journal Entry' as doctype, je.name, je.posting_date, je.cheque_no as reference_no, + je.pay_to_recd_from as party, je.cheque_date as reference_date, jea.debit_in_account_currency as paid_amount + FROM + `tabJournal Entry Account` as jea + JOIN + `tabJournal Entry` as je + ON + jea.parent = je.name + WHERE + (je.clearance_date is null or je.clearance_date='0000-00-00') + AND + jea.account = %s + AND + jea.debit_in_account_currency like %s + AND + je.docstatus = 1 + """, (bank_account, amount), as_dict=True) + else: + journal_entries = frappe.db.sql(""" + SELECT + 'Journal Entry' as doctype, je.name, je.posting_date, je.cheque_no as reference_no, + jea.account_currency as currency, je.pay_to_recd_from as party, je.cheque_date as reference_date, + jea.credit_in_account_currency as paid_amount + FROM + `tabJournal Entry Account` as jea + JOIN + `tabJournal Entry` as je + ON + jea.parent = je.name + WHERE + (je.clearance_date is null or je.clearance_date='0000-00-00') + AND + jea.account = %(bank_account)s + AND + jea.credit_in_account_currency like %(txt)s + AND + je.docstatus = 1 + """, { + 'bank_account': bank_account, + 'txt': '%%%s%%' % amount + }, as_dict=True) + + frappe.errprint(journal_entries) + + if transaction.credit > 0: + sales_invoices = frappe.db.sql(""" + SELECT + 'Sales Invoice' as doctype, si.name, si.customer as party, + si.posting_date, sip.amount as paid_amount + FROM + `tabSales Invoice Payment` as sip + JOIN + `tabSales Invoice` as si + ON + sip.parent = si.name + WHERE + (sip.clearance_date is null or sip.clearance_date='0000-00-00') + AND + sip.account = %s + AND + sip.amount like %s + AND + si.docstatus = 1 + """, (bank_account, amount), as_dict=True) + else: + sales_invoices = [] + + if transaction.debit > 0: + purchase_invoices = frappe.get_all("Purchase Invoice", + fields = ["'Purchase Invoice' as doctype", "name", "paid_amount", "supplier as party", "posting_date", "currency"], + filters=[ + ["paid_amount", "like", "{0}%".format(amount)], + ["docstatus", "=", "1"], + ["is_paid", "=", "1"], + ["ifnull(clearance_date, '')", "=", ""], + ["cash_bank_account", "=", "{0}".format(bank_account)] + ] + ) + + mode_of_payments = [x["parent"] for x in frappe.db.get_list("Mode of Payment Account", + filters={"default_account": bank_account}, fields=["parent"])] + + company_currency = get_company_currency(company) + + expense_claims = frappe.get_all("Expense Claim", + fields=["'Expense Claim' as doctype", "name", "total_sanctioned_amount as paid_amount", + "employee as party", "posting_date", "'{0}' as currency".format(company_currency)], + filters=[ + ["total_sanctioned_amount", "like", "{0}%".format(amount)], + ["docstatus", "=", "1"], + ["is_paid", "=", "1"], + ["ifnull(clearance_date, '')", "=", ""], + ["mode_of_payment", "in", "{0}".format(tuple(mode_of_payments))] + ] + ) + else: + purchase_invoices = expense_claims = [] + + for data in [payment_entries, journal_entries, sales_invoices, purchase_invoices, expense_claims]: + if data: + payments.extend(data) + + return payments + +def get_matching_descriptions_data(company, transaction): + if not transaction.description : + return [] + + bank_transactions = frappe.db.sql(""" + SELECT + bt.name, bt.description, bt.date, btp.payment_document, btp.payment_entry + FROM + `tabBank Transaction` as bt + LEFT JOIN + `tabBank Transaction Payments` as btp + ON + bt.name = btp.parent + WHERE + bt.allocated_amount > 0 + AND + bt.docstatus = 1 + """, as_dict=True) + + selection = [] + for bank_transaction in bank_transactions: + if bank_transaction.description: + seq=difflib.SequenceMatcher(lambda x: x == " ", transaction.description, bank_transaction.description) + + if seq.ratio() > 0.6: + bank_transaction["ratio"] = seq.ratio() + selection.append(bank_transaction) + + document_types = set([x["payment_document"] for x in selection]) + + links = {} + for document_type in document_types: + links[document_type] = [x["payment_entry"] for x in selection if x["payment_document"]==document_type] + + + data = [] + company_currency = get_company_currency(company) + for key, value in iteritems(links): + if key == "Payment Entry": + data.extend(frappe.get_all("Payment Entry", filters=[["name", "in", value]], + fields=["'Payment Entry' as doctype", "posting_date", "party", "reference_no", + "reference_date", "paid_amount", "paid_to_account_currency as currency", "clearance_date"])) + if key == "Journal Entry": + journal_entries = frappe.get_all("Journal Entry", filters=[["name", "in", value]], + fields=["name", "'Journal Entry' as doctype", "posting_date", + "pay_to_recd_from as party", "cheque_no as reference_no", "cheque_date as reference_date", + "total_credit as paid_amount", "clearance_date"]) + for journal_entry in journal_entries: + journal_entry_accounts = frappe.get_all("Journal Entry Account", filters={"parenttype": journal_entry["doctype"], "parent": journal_entry["name"]}, fields=["account_currency"]) + journal_entry["currency"] = journal_entry_accounts[0]["account_currency"] if journal_entry_accounts else company_currency + data.extend(journal_entries) + if key == "Sales Invoice": + data.extend(frappe.get_all("Sales Invoice", filters=[["name", "in", value]], fields=["'Sales Invoice' as doctype", "posting_date", "customer_name as party", "paid_amount", "currency"])) + if key == "Purchase Invoice": + data.extend(frappe.get_all("Purchase Invoice", filters=[["name", "in", value]], fields=["'Purchase Invoice' as doctype", "posting_date", "supplier_name as party", "paid_amount", "currency"])) + if key == "Expense Claim": + expense_claims = frappe.get_all("Expense Claim", filters=[["name", "in", value]], fields=["'Expense Claim' as doctype", "posting_date", "employee_name as party", "total_amount_reimbursed as paid_amount"]) + data.extend([dict(x,**{"currency": company_currency}) for x in expense_claims]) + + return data + +def check_amount_vs_description(amount_matching, description_matching): + result = [] + + if description_matching: + for am_match in amount_matching: + for des_match in description_matching: + if des_match.get("clearance_date"): + continue + + if am_match["party"] == des_match["party"]: + if am_match not in result: + result.append(am_match) + continue + + if "reference_no" in am_match and "reference_no" in des_match: + if difflib.SequenceMatcher(lambda x: x == " ", am_match["reference_no"], des_match["reference_no"]).ratio() > 70: + if am_match not in result: + result.append(am_match) + if result: + return sorted(result, key = lambda x: x["posting_date"], reverse=True) + else: + return sorted(amount_matching, key = lambda x: x["posting_date"], reverse=True) + + else: + return sorted(amount_matching, key = lambda x: x["posting_date"], reverse=True) + +def get_matching_transactions_payments(description_matching): + payments = [x["payment_entry"] for x in description_matching] + + payment_by_ratio = {x["payment_entry"]: x["ratio"] for x in description_matching} + + if payments: + reference_payment_list = frappe.get_all("Payment Entry", fields=["name", "paid_amount", "payment_type", "reference_no", "reference_date", + "party", "party_type", "posting_date", "paid_to_account_currency"], filters=[["name", "in", payments]]) + + return sorted(reference_payment_list, key=lambda x: payment_by_ratio[x["name"]]) + + else: + return [] + +def payment_entry_query(doctype, txt, searchfield, start, page_len, filters): + account = frappe.db.get_value("Bank Account", filters.get("bank_account"), "account") + if not account: + return + + return frappe.db.sql(""" + SELECT + name, party, paid_amount, received_amount, reference_no + FROM + `tabPayment Entry` + WHERE + (clearance_date is null or clearance_date='0000-00-00') + AND (paid_from = %(account)s or paid_to = %(account)s) + AND (name like %(txt)s or party like %(txt)s) + AND docstatus = 1 + ORDER BY + if(locate(%(_txt)s, name), locate(%(_txt)s, name), 99999), name + LIMIT + %(start)s, %(page_len)s""", + { + 'txt': "%%%s%%" % txt, + '_txt': txt.replace("%", ""), + 'start': start, + 'page_len': page_len, + 'account': account + } + ) + +def journal_entry_query(doctype, txt, searchfield, start, page_len, filters): + account = frappe.db.get_value("Bank Account", filters.get("bank_account"), "account") + + return frappe.db.sql(""" + SELECT + jea.parent, je.pay_to_recd_from, + if(jea.debit_in_account_currency > 0, jea.debit_in_account_currency, jea.credit_in_account_currency) + FROM + `tabJournal Entry Account` as jea + LEFT JOIN + `tabJournal Entry` as je + ON + jea.parent = je.name + WHERE + (je.clearance_date is null or je.clearance_date='0000-00-00') + AND + jea.account = %(account)s + AND + (jea.parent like %(txt)s or je.pay_to_recd_from like %(txt)s) + AND + je.docstatus = 1 + ORDER BY + if(locate(%(_txt)s, jea.parent), locate(%(_txt)s, jea.parent), 99999), + jea.parent + LIMIT + %(start)s, %(page_len)s""", + { + 'txt': "%%%s%%" % txt, + '_txt': txt.replace("%", ""), + 'start': start, + 'page_len': page_len, + 'account': account + } + ) + +def sales_invoices_query(doctype, txt, searchfield, start, page_len, filters): + return frappe.db.sql(""" + SELECT + sip.parent, si.customer, sip.amount, sip.mode_of_payment + FROM + `tabSales Invoice Payment` as sip + LEFT JOIN + `tabSales Invoice` as si + ON + sip.parent = si.name + WHERE + (sip.clearance_date is null or sip.clearance_date='0000-00-00') + AND + (sip.parent like %(txt)s or si.customer like %(txt)s) + ORDER BY + if(locate(%(_txt)s, sip.parent), locate(%(_txt)s, sip.parent), 99999), + sip.parent + LIMIT + %(start)s, %(page_len)s""", + { + 'txt': "%%%s%%" % txt, + '_txt': txt.replace("%", ""), + 'start': start, + 'page_len': page_len + } + ) \ No newline at end of file diff --git a/erpnext/accounts/page/bank_reconciliation/bank_transaction_header.html b/erpnext/accounts/page/bank_reconciliation/bank_transaction_header.html new file mode 100644 index 0000000000..94f183b793 --- /dev/null +++ b/erpnext/accounts/page/bank_reconciliation/bank_transaction_header.html @@ -0,0 +1,21 @@ +
+
+ +
+ {{ __("Description") }} +
+ + + +
+
+
+
diff --git a/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html b/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html new file mode 100644 index 0000000000..742b84c63f --- /dev/null +++ b/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html @@ -0,0 +1,36 @@ +
+
+
+ +
+ {{ description }} +
+ + + +
+ +
+
diff --git a/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html b/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html new file mode 100644 index 0000000000..4542c36e0d --- /dev/null +++ b/erpnext/accounts/page/bank_reconciliation/linked_payment_header.html @@ -0,0 +1,21 @@ +
+
+
+ {{ __("Payment Name") }} +
+
+ {{ __("Reference Date") }} +
+ + +
+ {{ __("Reference Number") }} +
+
+
+
+
diff --git a/erpnext/accounts/page/bank_reconciliation/linked_payment_row.html b/erpnext/accounts/page/bank_reconciliation/linked_payment_row.html new file mode 100644 index 0000000000..bdbc9fce03 --- /dev/null +++ b/erpnext/accounts/page/bank_reconciliation/linked_payment_row.html @@ -0,0 +1,36 @@ +
+
+
+ {{ name }} +
+
+ {% if (typeof reference_date !== "undefined") %} + {%= frappe.datetime.str_to_user(reference_date) %} + {% else %} + {% if (typeof posting_date !== "undefined") %} + {%= frappe.datetime.str_to_user(posting_date) %} + {% endif %} + {% endif %} +
+ + +
+ {% if (typeof reference_no !== "undefined") %} + {{ reference_no }} + {% else %} + {{ "" }} + {% endif %} +
+
+
+ +
+
+
+
\ No newline at end of file diff --git a/erpnext/accounts/page/pos/pos.js b/erpnext/accounts/page/pos/pos.js index 4550dedba9..3834c96bfb 100755 --- a/erpnext/accounts/page/pos/pos.js +++ b/erpnext/accounts/page/pos/pos.js @@ -1957,6 +1957,12 @@ erpnext.pos.PointOfSale = erpnext.taxes_and_totals.extend({ }], function(values){ me.item_batch_no[me.items[0].item_code] = values.batch; + const item = me.frm.doc.items.find( + ({ item_code }) => item_code === me.items[0].item_code + ); + if (item) { + item.batch_no = values.batch; + } }, __('Select Batch No')) } diff --git a/erpnext/accounts/party.py b/erpnext/accounts/party.py index 26e445b2e3..cb94722651 100644 --- a/erpnext/accounts/party.py +++ b/erpnext/accounts/party.py @@ -44,7 +44,7 @@ def _get_party_details(party=None, account=None, party_type="Customer", company= frappe.throw(_("Not permitted for {0}").format(party), frappe.PermissionError) party = frappe.get_doc(party_type, party) - currency = party.default_currency if party.default_currency else get_company_currency(company) + currency = party.default_currency if party.get("default_currency") else get_company_currency(company) party_address, shipping_address = set_address_details(out, party, party_type, doctype, company, party_address, shipping_address) set_contact_details(out, party, party_type) @@ -144,7 +144,7 @@ def set_other_values(out, party, party_type): def get_default_price_list(party): """Return default price list for party (Document object)""" - if party.default_price_list: + if party.get("default_price_list"): return party.default_price_list if party.doctype == "Customer": diff --git a/erpnext/accounts/print_format/credit_note/credit_note.json b/erpnext/accounts/print_format/credit_note/credit_note.json index 863d4aa607..c5a11cf395 100644 --- a/erpnext/accounts/print_format/credit_note/credit_note.json +++ b/erpnext/accounts/print_format/credit_note/credit_note.json @@ -1,19 +1,23 @@ { - "creation": "2014-08-28 11:11:39.796473", - "custom_format": 0, - "disabled": 0, - "doc_type": "Journal Entry", - "docstatus": 0, - "doctype": "Print Format", - "html": "{%- from \"templates/print_formats/standard_macros.html\" import add_header -%}\n\n
\n {%- if not doc.get(\"print_heading\") and not doc.get(\"select_print_heading\") \n and doc.set(\"select_print_heading\", _(\"Credit Note\")) -%}{%- endif -%}\n {{ add_header(0, 1, doc, letter_head, no_letterhead) }}\n\n {%- for label, value in (\n (_(\"Credit To\"), doc.pay_to_recd_from),\n (_(\"Date\"), frappe.utils.formatdate(doc.voucher_date)),\n (_(\"Amount\"), \"\" + doc.get_formatted(\"total_amount\") + \"
\" + (doc.total_amount_in_words or \"\") + \"
\"),\n (_(\"Remarks\"), doc.remark)\n ) -%}\n\n
\n
\n
{{ value }}
\n
\n\n {%- endfor -%}\n\n
\n
\n

\n {{ _(\"For\") }} {{ doc.company }},
\n
\n
\n
\n {{ _(\"Authorized Signatory\") }}\n

\n
\n\n\n", - "idx": 2, - "modified": "2015-07-22 17:42:01.560817", - "modified_by": "Administrator", - "name": "Credit Note", - "owner": "Administrator", - "parent": "Journal Entry", - "parentfield": "__print_formats", - "parenttype": "DocType", - "print_format_type": "Server", + "align_labels_right": 0, + "creation": "2014-08-28 11:11:39.796473", + "custom_format": 0, + "disabled": 0, + "doc_type": "Journal Entry", + "docstatus": 0, + "doctype": "Print Format", + "format_data": "[{\"fieldname\": \"print_heading_template\", \"fieldtype\": \"Custom HTML\", \"options\": \"
\\t\\t\\t\\t

Journal Entry
{{ doc.name }}\\t\\t\\t\\t

\"}, {\"fieldtype\": \"Section Break\", \"label\": \"\"}, {\"fieldtype\": \"Column Break\"}, {\"fieldname\": \"voucher_type\", \"print_hide\": 0, \"label\": \"Entry Type\"}, {\"fieldtype\": \"Column Break\"}, {\"fieldname\": \"posting_date\", \"print_hide\": 0, \"label\": \"Posting Date\"}, {\"fieldname\": \"finance_book\", \"print_hide\": 0, \"label\": \"Finance Book\"}, {\"fieldtype\": \"Section Break\", \"label\": \"\"}, {\"fieldtype\": \"Column Break\"}, {\"fieldname\": \"accounts\", \"print_hide\": 0, \"label\": \"Accounting Entries\", \"visible_columns\": [{\"fieldname\": \"account\", \"print_width\": \"250px\", \"print_hide\": 0}, {\"fieldname\": \"bank_account_no\", \"print_width\": \"\", \"print_hide\": 0}, {\"fieldname\": \"party_type\", \"print_width\": \"\", \"print_hide\": 0}, {\"fieldname\": \"party\", \"print_width\": \"\", \"print_hide\": 0}, {\"fieldname\": \"debit_in_account_currency\", \"print_width\": \"\", \"print_hide\": 0}, {\"fieldname\": \"credit_in_account_currency\", \"print_width\": \"\", \"print_hide\": 0}, {\"fieldname\": \"reference_type\", \"print_width\": \"\", \"print_hide\": 0}, {\"fieldname\": \"reference_name\", \"print_width\": \"\", \"print_hide\": 0}, {\"fieldname\": \"reference_due_date\", \"print_width\": \"\", \"print_hide\": 0}, {\"fieldname\": \"project\", \"print_width\": \"\", \"print_hide\": 0}]}, {\"fieldtype\": \"Section Break\", \"label\": \"\"}, {\"fieldtype\": \"Column Break\"}, {\"fieldname\": \"cheque_no\", \"print_hide\": 0, \"label\": \"Reference Number\"}, {\"fieldname\": \"cheque_date\", \"print_hide\": 0, \"label\": \"Reference Date\"}, {\"fieldtype\": \"Column Break\"}, {\"fieldname\": \"get_balance\", \"print_hide\": 0, \"label\": \"Make Difference Entry\"}, {\"fieldname\": \"total_amount\", \"print_hide\": 0, \"label\": \"Total Amount\"}, {\"fieldtype\": \"Section Break\", \"label\": \"Reference\"}, {\"fieldtype\": \"Column Break\"}, {\"fieldname\": \"clearance_date\", \"print_hide\": 0, \"label\": \"Clearance Date\"}, {\"fieldname\": \"remark\", \"print_hide\": 0, \"label\": \"Remark\"}, {\"fieldname\": \"inter_company_journal_entry_reference\", \"print_hide\": 0, \"label\": \"Inter Company Journal Entry Reference\"}, {\"fieldtype\": \"Column Break\"}, {\"fieldname\": \"due_date\", \"print_hide\": 0, \"label\": \"Due Date\"}, {\"fieldtype\": \"Section Break\", \"label\": \"Printing Settings\"}, {\"fieldtype\": \"Column Break\"}, {\"fieldname\": \"pay_to_recd_from\", \"print_hide\": 0, \"label\": \"Pay To / Recd From\"}, {\"fieldtype\": \"Column Break\"}, {\"fieldname\": \"letter_head\", \"print_hide\": 0, \"label\": \"Letter Head\"}, {\"fieldtype\": \"Section Break\", \"label\": \"More Information\"}, {\"fieldtype\": \"Column Break\"}, {\"fieldname\": \"mode_of_payment\", \"print_hide\": 0, \"label\": \"Mode of Payment\"}, {\"fieldtype\": \"Column Break\"}, {\"fieldname\": \"stock_entry\", \"print_hide\": 0, \"label\": \"Stock Entry\"}]", + "html": "{%- from \"templates/print_formats/standard_macros.html\" import add_header -%}\n\n
\n {%- if not doc.get(\"print_heading\") and not doc.get(\"select_print_heading\") \n and doc.set(\"select_print_heading\", _(\"Credit Note\")) -%}{%- endif -%}\n {{ add_header(0, 1, doc, letter_head, no_letterhead) }}\n\n {%- for label, value in (\n (_(\"Credit To\"), doc.pay_to_recd_from),\n (_(\"Date\"), frappe.utils.formatdate(doc.voucher_date)),\n (_(\"Amount\"), \"\" + doc.get_formatted(\"total_amount\") + \"
\" + (doc.total_amount_in_words or \"\") + \"
\"),\n (_(\"Remarks\"), doc.remark)\n ) -%}\n\n
\n
\n
{{ value }}
\n
\n\n {%- endfor -%}\n\n
\n
\n

\n {{ _(\"For\") }} {{ doc.company }},
\n
\n
\n
\n {{ _(\"Authorized Signatory\") }}\n

\n
\n\n\n", + "idx": 2, + "line_breaks": 0, + "modified": "2019-04-18 12:10:14.732269", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Credit Note", + "owner": "Administrator", + "parentfield": "__print_formats", + "print_format_builder": 0, + "print_format_type": "Server", + "show_section_headings": 0, "standard": "Yes" } \ No newline at end of file diff --git a/erpnext/accounts/report/accounts_receivable/accounts_receivable.py b/erpnext/accounts/report/accounts_receivable/accounts_receivable.py index f0769f68c9..4cba978b88 100755 --- a/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +++ b/erpnext/accounts/report/accounts_receivable/accounts_receivable.py @@ -197,10 +197,9 @@ class ReceivablePayableReport(object): self.payment_term_map = self.get_payment_term_detail(voucher_nos) for gle in gl_entries_data: - if self.is_receivable_or_payable(gle, self.dr_or_cr, future_vouchers): + if self.is_receivable_or_payable(gle, self.dr_or_cr, future_vouchers, return_entries): outstanding_amount, credit_note_amount, payment_amount = self.get_outstanding_amount( gle,self.filters.report_date, self.dr_or_cr, return_entries) - temp_outstanding_amt = outstanding_amount temp_credit_note_amt = credit_note_amount @@ -379,7 +378,7 @@ class ReceivablePayableReport(object): # returns a generator return self.get_gl_entries(party_type, report_date) - def is_receivable_or_payable(self, gle, dr_or_cr, future_vouchers): + def is_receivable_or_payable(self, gle, dr_or_cr, future_vouchers, return_entries): return ( # advance (not gle.against_voucher) or @@ -390,30 +389,37 @@ class ReceivablePayableReport(object): # sales invoice/purchase invoice (gle.against_voucher==gle.voucher_no and gle.get(dr_or_cr) > 0) or + # standalone credit notes + (gle.against_voucher==gle.voucher_no and gle.voucher_no in return_entries and not return_entries.get(gle.voucher_no)) or + # entries adjusted with future vouchers ((gle.against_voucher_type, gle.against_voucher) in future_vouchers) ) def get_return_entries(self, party_type): doctype = "Sales Invoice" if party_type=="Customer" else "Purchase Invoice" - return [d.name for d in frappe.get_all(doctype, filters={"is_return": 1, "docstatus": 1})] + return_entries = frappe._dict(frappe.get_all(doctype, + filters={"is_return": 1, "docstatus": 1}, fields=["name", "return_against"], as_list=1)) + return return_entries def get_outstanding_amount(self, gle, report_date, dr_or_cr, return_entries): payment_amount, credit_note_amount = 0.0, 0.0 reverse_dr_or_cr = "credit" if dr_or_cr=="debit" else "debit" - for e in self.get_gl_entries_for(gle.party, gle.party_type, gle.voucher_type, gle.voucher_no): - if getdate(e.posting_date) <= report_date and e.name!=gle.name: + if getdate(e.posting_date) <= report_date \ + and (e.name!=gle.name or (e.voucher_no in return_entries and not return_entries.get(e.voucher_no))): + amount = flt(e.get(reverse_dr_or_cr), self.currency_precision) - flt(e.get(dr_or_cr), self.currency_precision) if e.voucher_no not in return_entries: payment_amount += amount else: credit_note_amount += amount - outstanding_amount = (flt((flt(gle.get(dr_or_cr), self.currency_precision) - - flt(gle.get(reverse_dr_or_cr), self.currency_precision) - - payment_amount - credit_note_amount), self.currency_precision)) + voucher_amount = flt(gle.get(dr_or_cr), self.currency_precision) - flt(gle.get(reverse_dr_or_cr), self.currency_precision) + if gle.voucher_no in return_entries and not return_entries.get(gle.voucher_no): + voucher_amount = 0 + outstanding_amount = flt((voucher_amount - payment_amount - credit_note_amount), self.currency_precision) credit_note_amount = flt(credit_note_amount, self.currency_precision) return outstanding_amount, credit_note_amount, payment_amount diff --git a/erpnext/accounts/report/financial_statements.py b/erpnext/accounts/report/financial_statements.py index 7ef7e00876..7b9c939b47 100644 --- a/erpnext/accounts/report/financial_statements.py +++ b/erpnext/accounts/report/financial_statements.py @@ -322,7 +322,10 @@ def sort_accounts(accounts, is_root=False, key="name"): """Sort root types as Asset, Liability, Equity, Income, Expense""" def compare_accounts(a, b): - if is_root: + if re.split('\W+', a[key])[0].isdigit(): + # if chart of accounts is numbered, then sort by number + return cmp(a[key], b[key]) + elif is_root: if a.report_type != b.report_type and a.report_type == "Balance Sheet": return -1 if a.root_type != b.root_type and a.root_type == "Asset": @@ -353,6 +356,7 @@ def set_gl_entries_by_account( "company": company, "from_date": from_date, "to_date": to_date, + "finance_book": filters.get("finance_book") } if filters.get("include_default_book_entries"): diff --git a/erpnext/accounts/report/general_ledger/general_ledger.js b/erpnext/accounts/report/general_ledger/general_ledger.js index 61e21fda89..32af644021 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.js +++ b/erpnext/accounts/report/general_ledger/general_ledger.js @@ -171,4 +171,3 @@ dimension_filters.then((dimensions) => { }); }); }); - diff --git a/erpnext/accounts/report/gross_profit/gross_profit.py b/erpnext/accounts/report/gross_profit/gross_profit.py index 9a02d1b8e8..6ef6d6eea0 100644 --- a/erpnext/accounts/report/gross_profit/gross_profit.py +++ b/erpnext/accounts/report/gross_profit/gross_profit.py @@ -65,7 +65,7 @@ def get_columns(group_wise_columns, filters): "warehouse": _("Warehouse") + ":Link/Warehouse", "qty": _("Qty") + ":Float", "base_rate": _("Avg. Selling Rate") + ":Currency/currency", - "buying_rate": _("Avg. Buying Rate") + ":Currency/currency", + "buying_rate": _("Valuation Rate") + ":Currency/currency", "base_amount": _("Selling Amount") + ":Currency/currency", "buying_amount": _("Buying Amount") + ":Currency/currency", "gross_profit": _("Gross Profit") + ":Currency/currency", diff --git a/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.json b/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.json index c97f824b62..a9f79b7156 100644 --- a/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.json +++ b/erpnext/accounts/report/inactive_sales_items/inactive_sales_items.json @@ -1,14 +1,13 @@ { "add_total_row": 0, - "creation": "2019-05-01 13:46:23.044979", + "creation": "2019-05-01 12:59:52.018850", "disable_prepared_report": 0, "disabled": 0, "docstatus": 0, "doctype": "Report", "idx": 0, "is_standard": "Yes", - "letter_head": "Test Letter Head 1", - "modified": "2019-05-01 13:46:23.044979", + "modified": "2019-05-01 13:00:26.545278", "modified_by": "Administrator", "module": "Accounts", "name": "Inactive Sales Items", @@ -17,5 +16,15 @@ "ref_doctype": "Sales Invoice", "report_name": "Inactive Sales Items", "report_type": "Script Report", - "roles": [] + "roles": [ + { + "role": "Accounts User" + }, + { + "role": "Accounts Manager" + }, + { + "role": "Auditor" + } + ] } \ No newline at end of file diff --git a/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py b/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py index 5d3253a552..e8b19b4024 100644 --- a/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +++ b/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py @@ -102,9 +102,7 @@ def get_conditions(filters): ("customer", " and `tabSales Invoice`.customer = %(customer)s"), ("item_code", " and `tabSales Invoice Item`.item_code = %(item_code)s"), ("from_date", " and `tabSales Invoice`.posting_date>=%(from_date)s"), - ("to_date", " and `tabSales Invoice`.posting_date<=%(to_date)s"), - ("company_gstin", " and `tabSales Invoice`.company_gstin = %(company_gstin)s"), - ("invoice_type", " and `tabSales Invoice`.invoice_type = %(invoice_type)s")): + ("to_date", " and `tabSales Invoice`.posting_date<=%(to_date)s")): if filters.get(opts[0]): conditions += opts[1] diff --git a/erpnext/accounts/report/sales_register/sales_register.py b/erpnext/accounts/report/sales_register/sales_register.py index d37caaf59d..de60995ca2 100644 --- a/erpnext/accounts/report/sales_register/sales_register.py +++ b/erpnext/accounts/report/sales_register/sales_register.py @@ -157,7 +157,7 @@ def get_conditions(filters): conditions += """ and exists(select name from `tabSales Invoice Item` where parent=`tabSales Invoice`.name and ifnull(`tabSales Invoice Item`.brand, '') = %(brand)s)""" - + if filters.get("item_group"): conditions += """ and exists(select name from `tabSales Invoice Item` where parent=`tabSales Invoice`.name @@ -171,7 +171,7 @@ def get_invoices(filters, additional_query_columns): conditions = get_conditions(filters) return frappe.db.sql(""" - select name, posting_date, debit_to, project, customer, + select name, posting_date, debit_to, project, customer, customer_name, owner, remarks, territory, tax_id, customer_group, base_net_total, base_grand_total, base_rounded_total, outstanding_amount {0} from `tabSales Invoice` diff --git a/erpnext/accounts/utils.py b/erpnext/accounts/utils.py index 96f64e8db3..7a230a7edb 100644 --- a/erpnext/accounts/utils.py +++ b/erpnext/accounts/utils.py @@ -618,7 +618,7 @@ def get_held_invoices(party_type, party): return held_invoices -def get_outstanding_invoices(party_type, party, account, condition=None, limit=None): +def get_outstanding_invoices(party_type, party, account, condition=None): outstanding_invoices = [] precision = frappe.get_precision("Sales Invoice", "outstanding_amount") or 2 @@ -631,7 +631,6 @@ def get_outstanding_invoices(party_type, party, account, condition=None, limit=N invoice = 'Sales Invoice' if erpnext.get_party_account_type(party_type) == 'Receivable' else 'Purchase Invoice' held_invoices = get_held_invoices(party_type, party) - limit_cond = "limit %s" % limit if limit else "" invoice_list = frappe.db.sql(""" select @@ -646,11 +645,10 @@ def get_outstanding_invoices(party_type, party, account, condition=None, limit=N and (against_voucher = '' or against_voucher is null)) or (voucher_type not in ('Journal Entry', 'Payment Entry'))) group by voucher_type, voucher_no - order by posting_date, name {limit_cond}""".format( + order by posting_date, name""".format( dr_or_cr=dr_or_cr, invoice = invoice, - condition=condition or "", - limit_cond = limit_cond + condition=condition or "" ), { "party_type": party_type, "party": party, diff --git a/erpnext/assets/doctype/asset/asset.json b/erpnext/assets/doctype/asset/asset.json index 350856fd70..c60ec5ec3f 100644 --- a/erpnext/assets/doctype/asset/asset.json +++ b/erpnext/assets/doctype/asset/asset.json @@ -1,497 +1,497 @@ { - "allow_import": 1, - "allow_rename": 1, - "autoname": "naming_series:", - "creation": "2016-03-01 17:01:27.920130", - "doctype": "DocType", - "document_type": "Document", - "field_order": [ - "naming_series", - "asset_name", - "item_code", - "item_name", - "asset_category", - "asset_owner", - "asset_owner_company", - "supplier", - "customer", - "image", - "column_break_3", - "company", - "location", - "custodian", - "department", - "purchase_date", - "disposal_date", - "journal_entry_for_scrap", - "accounting_dimensions_section", - "cost_center", - "dimension_col_break", - "section_break_5", - "gross_purchase_amount", - "available_for_use_date", - "column_break_18", - "calculate_depreciation", - "is_existing_asset", - "opening_accumulated_depreciation", - "number_of_depreciations_booked", - "section_break_23", - "finance_books", - "section_break_33", - "depreciation_method", - "value_after_depreciation", - "total_number_of_depreciations", - "column_break_24", - "frequency_of_depreciation", - "next_depreciation_date", - "section_break_14", - "schedules", - "insurance_details", - "policy_number", - "insurer", - "insured_value", - "column_break_48", - "insurance_start_date", - "insurance_end_date", - "comprehensive_insurance", - "section_break_31", - "maintenance_required", - "other_details", - "status", - "booked_fixed_asset", - "column_break_51", - "purchase_receipt", - "purchase_receipt_amount", - "purchase_invoice", - "default_finance_book", - "amended_from" - ], - "fields": [ - { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Naming Series", - "options": "ACC-ASS-.YYYY.-" - }, - { - "fieldname": "asset_name", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Asset Name", - "reqd": 1 - }, - { - "fieldname": "item_code", - "fieldtype": "Link", - "in_standard_filter": 1, - "label": "Item Code", - "options": "Item", - "reqd": 1 - }, - { - "fetch_from": "item_code.item_name", - "fieldname": "item_name", - "fieldtype": "Read Only", - "label": "Item Name" - }, - { - "fetch_from": "item_code.asset_category", - "fieldname": "asset_category", - "fieldtype": "Link", - "in_global_search": 1, - "in_list_view": 1, - "in_standard_filter": 1, - "label": "Asset Category", - "options": "Asset Category", - "read_only": 1 - }, - { - "fieldname": "asset_owner", - "fieldtype": "Select", - "label": "Asset Owner", - "options": "\nCompany\nSupplier\nCustomer" - }, - { - "depends_on": "eval:doc.asset_owner == \"Company\"", - "fieldname": "asset_owner_company", - "fieldtype": "Link", - "label": "Asset Owner Company", - "options": "Company" - }, - { - "depends_on": "eval:doc.asset_owner == \"Supplier\"", - "fieldname": "supplier", - "fieldtype": "Link", - "label": "Supplier", - "options": "Supplier" - }, - { - "depends_on": "eval:doc.asset_owner == \"Customer\"", - "fieldname": "customer", - "fieldtype": "Link", - "label": "Customer", - "options": "Customer" - }, - { - "allow_on_submit": 1, - "fieldname": "image", - "fieldtype": "Attach Image", - "hidden": 1, - "label": "Image", - "no_copy": 1, - "print_hide": 1 - }, - { - "fieldname": "column_break_3", - "fieldtype": "Column Break" - }, - { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "options": "Company", - "remember_last_selected_value": 1, - "reqd": 1 - }, - { - "fieldname": "location", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Location", - "options": "Location", - "reqd": 1 - }, - { - "fieldname": "custodian", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Custodian", - "options": "Employee" - }, - { - "fieldname": "cost_center", - "fieldtype": "Link", - "label": "Cost Center", - "options": "Cost Center" - }, - { - "fieldname": "department", - "fieldtype": "Link", - "label": "Department", - "options": "Department" - }, - { - "fieldname": "purchase_date", - "fieldtype": "Date", - "label": "Purchase Date", - "reqd": 1 - }, - { - "fieldname": "disposal_date", - "fieldtype": "Date", - "label": "Disposal Date", - "read_only": 1 - }, - { - "fieldname": "journal_entry_for_scrap", - "fieldtype": "Link", - "label": "Journal Entry for Scrap", - "no_copy": 1, - "options": "Journal Entry", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "section_break_5", - "fieldtype": "Section Break" - }, - { - "fieldname": "gross_purchase_amount", - "fieldtype": "Currency", - "label": "Gross Purchase Amount", - "options": "Company:company:default_currency", - "reqd": 1 - }, - { - "fieldname": "available_for_use_date", - "fieldtype": "Date", - "label": "Available-for-use Date" - }, - { - "fieldname": "column_break_18", - "fieldtype": "Column Break" - }, - { - "default": "0", - "fieldname": "calculate_depreciation", - "fieldtype": "Check", - "label": "Calculate Depreciation" - }, - { - "default": "0", - "fieldname": "is_existing_asset", - "fieldtype": "Check", - "label": "Is Existing Asset" - }, - { - "depends_on": "is_existing_asset", - "fieldname": "opening_accumulated_depreciation", - "fieldtype": "Currency", - "label": "Opening Accumulated Depreciation", - "no_copy": 1, - "options": "Company:company:default_currency" - }, - { - "depends_on": "eval:(doc.is_existing_asset && doc.opening_accumulated_depreciation)", - "fieldname": "number_of_depreciations_booked", - "fieldtype": "Int", - "label": "Number of Depreciations Booked", - "no_copy": 1 - }, - { - "depends_on": "calculate_depreciation", - "fieldname": "section_break_23", - "fieldtype": "Section Break", - "label": "Depreciation" - }, - { - "fieldname": "finance_books", - "fieldtype": "Table", - "label": "Finance Books", - "options": "Asset Finance Book" - }, - { - "fieldname": "section_break_33", - "fieldtype": "Section Break", - "hidden": 1 - }, - { - "fieldname": "depreciation_method", - "fieldtype": "Select", - "label": "Depreciation Method", - "options": "\nStraight Line\nDouble Declining Balance\nManual" - }, - { - "fieldname": "value_after_depreciation", - "fieldtype": "Currency", - "hidden": 1, - "label": "Value After Depreciation", - "options": "Company:company:default_currency", - "read_only": 1 - }, - { - "fieldname": "total_number_of_depreciations", - "fieldtype": "Int", - "label": "Total Number of Depreciations" - }, - { - "fieldname": "column_break_24", - "fieldtype": "Column Break" - }, - { - "fieldname": "frequency_of_depreciation", - "fieldtype": "Int", - "label": "Frequency of Depreciation (Months)" - }, - { - "fieldname": "next_depreciation_date", - "fieldtype": "Date", - "label": "Next Depreciation Date", - "no_copy": 1 - }, - { - "depends_on": "calculate_depreciation", - "fieldname": "section_break_14", - "fieldtype": "Section Break", - "label": "Depreciation Schedule" - }, - { - "fieldname": "schedules", - "fieldtype": "Table", - "label": "Depreciation Schedules", - "no_copy": 1, - "options": "Depreciation Schedule" - }, - { - "collapsible": 1, - "fieldname": "insurance_details", - "fieldtype": "Section Break", - "label": "Insurance details" - }, - { - "fieldname": "policy_number", - "fieldtype": "Data", - "label": "Policy number" - }, - { - "fieldname": "insurer", - "fieldtype": "Data", - "label": "Insurer" - }, - { - "fieldname": "insured_value", - "fieldtype": "Data", - "label": "Insured value" - }, - { - "fieldname": "column_break_48", - "fieldtype": "Column Break" - }, - { - "fieldname": "insurance_start_date", - "fieldtype": "Date", - "label": "Insurance Start Date" - }, - { - "fieldname": "insurance_end_date", - "fieldtype": "Date", - "label": "Insurance End Date" - }, - { - "fieldname": "comprehensive_insurance", - "fieldtype": "Data", - "label": "Comprehensive Insurance" - }, - { - "fieldname": "section_break_31", - "fieldtype": "Section Break", - "label": "Maintenance" - }, - { - "allow_on_submit": 1, - "default": "0", - "description": "Check if Asset requires Preventive Maintenance or Calibration", - "fieldname": "maintenance_required", - "fieldtype": "Check", - "label": "Maintenance Required" - }, - { - "collapsible": 1, - "fieldname": "other_details", - "fieldtype": "Section Break", - "label": "Other Details" - }, - { - "allow_on_submit": 1, - "default": "Draft", - "fieldname": "status", - "fieldtype": "Select", - "in_list_view": 1, - "in_standard_filter": 1, - "label": "Status", - "no_copy": 1, - "options": "Draft\nSubmitted\nPartially Depreciated\nFully Depreciated\nSold\nScrapped\nIn Maintenance\nOut of Order\nIssue\nReceipt", - "read_only": 1 - }, - { - "default": "0", - "fieldname": "booked_fixed_asset", - "fieldtype": "Check", - "label": "Booked Fixed Asset", - "no_copy": 1, - "read_only": 1 - }, - { - "fieldname": "column_break_51", - "fieldtype": "Column Break" - }, - { - "fieldname": "purchase_receipt", - "fieldtype": "Link", - "label": "Purchase Receipt", - "no_copy": 1, - "options": "Purchase Receipt", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "purchase_receipt_amount", - "fieldtype": "Currency", - "hidden": 1, - "label": "Purchase Receipt Amount", - "no_copy": 1, - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "purchase_invoice", - "fieldtype": "Link", - "label": "Purchase Invoice", - "no_copy": 1, - "options": "Purchase Invoice", - "read_only": 1 - }, - { - "fetch_from": "company.default_finance_book", - "fieldname": "default_finance_book", - "fieldtype": "Link", - "hidden": 1, - "label": "Default Finance Book", - "options": "Finance Book", - "read_only": 1 - }, - { - "fieldname": "amended_from", - "fieldtype": "Link", - "label": "Amended From", - "no_copy": 1, - "options": "Asset", - "print_hide": 1, - "read_only": 1 - }, - { - "collapsible": 1, - "fieldname": "accounting_dimensions_section", - "fieldtype": "Section Break", - "label": "Accounting Dimensions" - }, - { - "fieldname": "dimension_col_break", - "fieldtype": "Column Break" - } - ], - "idx": 72, - "image_field": "image", - "is_submittable": 1, - "modified": "2019-05-25 22:26:19.786201", - "modified_by": "Administrator", - "module": "Assets", - "name": "Asset", - "owner": "Administrator", - "permissions": [ - { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "import": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Accounts User", - "share": 1, - "submit": 1, - "write": 1 - }, - { - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Quality Manager", - "share": 1, - "submit": 1, - "write": 1 - } - ], - "show_name_in_global_search": 1, - "sort_field": "modified", - "sort_order": "DESC", - "title_field": "asset_name" -} \ No newline at end of file + "allow_import": 1, + "allow_rename": 1, + "autoname": "naming_series:", + "creation": "2016-03-01 17:01:27.920130", + "doctype": "DocType", + "document_type": "Document", + "field_order": [ + "naming_series", + "asset_name", + "item_code", + "item_name", + "asset_category", + "asset_owner", + "asset_owner_company", + "supplier", + "customer", + "image", + "column_break_3", + "company", + "location", + "custodian", + "department", + "purchase_date", + "disposal_date", + "journal_entry_for_scrap", + "accounting_dimensions_section", + "cost_center", + "dimension_col_break", + "section_break_5", + "gross_purchase_amount", + "available_for_use_date", + "column_break_18", + "calculate_depreciation", + "is_existing_asset", + "opening_accumulated_depreciation", + "number_of_depreciations_booked", + "section_break_23", + "finance_books", + "section_break_33", + "depreciation_method", + "value_after_depreciation", + "total_number_of_depreciations", + "column_break_24", + "frequency_of_depreciation", + "next_depreciation_date", + "section_break_14", + "schedules", + "insurance_details", + "policy_number", + "insurer", + "insured_value", + "column_break_48", + "insurance_start_date", + "insurance_end_date", + "comprehensive_insurance", + "section_break_31", + "maintenance_required", + "other_details", + "status", + "booked_fixed_asset", + "column_break_51", + "purchase_receipt", + "purchase_receipt_amount", + "purchase_invoice", + "default_finance_book", + "amended_from" + ], + "fields": [ + { + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Naming Series", + "options": "ACC-ASS-.YYYY.-" + }, + { + "fieldname": "asset_name", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Asset Name", + "reqd": 1 + }, + { + "fieldname": "item_code", + "fieldtype": "Link", + "in_standard_filter": 1, + "label": "Item Code", + "options": "Item", + "reqd": 1 + }, + { + "fetch_from": "item_code.item_name", + "fieldname": "item_name", + "fieldtype": "Read Only", + "label": "Item Name" + }, + { + "fetch_from": "item_code.asset_category", + "fieldname": "asset_category", + "fieldtype": "Link", + "in_global_search": 1, + "in_list_view": 1, + "in_standard_filter": 1, + "label": "Asset Category", + "options": "Asset Category", + "read_only": 1 + }, + { + "fieldname": "asset_owner", + "fieldtype": "Select", + "label": "Asset Owner", + "options": "\nCompany\nSupplier\nCustomer" + }, + { + "depends_on": "eval:doc.asset_owner == \"Company\"", + "fieldname": "asset_owner_company", + "fieldtype": "Link", + "label": "Asset Owner Company", + "options": "Company" + }, + { + "depends_on": "eval:doc.asset_owner == \"Supplier\"", + "fieldname": "supplier", + "fieldtype": "Link", + "label": "Supplier", + "options": "Supplier" + }, + { + "depends_on": "eval:doc.asset_owner == \"Customer\"", + "fieldname": "customer", + "fieldtype": "Link", + "label": "Customer", + "options": "Customer" + }, + { + "allow_on_submit": 1, + "fieldname": "image", + "fieldtype": "Attach Image", + "hidden": 1, + "label": "Image", + "no_copy": 1, + "print_hide": 1 + }, + { + "fieldname": "column_break_3", + "fieldtype": "Column Break" + }, + { + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", + "remember_last_selected_value": 1, + "reqd": 1 + }, + { + "fieldname": "location", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Location", + "options": "Location", + "reqd": 1 + }, + { + "fieldname": "custodian", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Custodian", + "options": "Employee" + }, + { + "fieldname": "cost_center", + "fieldtype": "Link", + "label": "Cost Center", + "options": "Cost Center" + }, + { + "fieldname": "department", + "fieldtype": "Link", + "label": "Department", + "options": "Department" + }, + { + "fieldname": "purchase_date", + "fieldtype": "Date", + "label": "Purchase Date", + "reqd": 1 + }, + { + "fieldname": "disposal_date", + "fieldtype": "Date", + "label": "Disposal Date", + "read_only": 1 + }, + { + "fieldname": "journal_entry_for_scrap", + "fieldtype": "Link", + "label": "Journal Entry for Scrap", + "no_copy": 1, + "options": "Journal Entry", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "section_break_5", + "fieldtype": "Section Break" + }, + { + "fieldname": "gross_purchase_amount", + "fieldtype": "Currency", + "label": "Gross Purchase Amount", + "options": "Company:company:default_currency", + "reqd": 1 + }, + { + "fieldname": "available_for_use_date", + "fieldtype": "Date", + "label": "Available-for-use Date" + }, + { + "fieldname": "column_break_18", + "fieldtype": "Column Break" + }, + { + "default": "0", + "fieldname": "calculate_depreciation", + "fieldtype": "Check", + "label": "Calculate Depreciation" + }, + { + "default": "0", + "fieldname": "is_existing_asset", + "fieldtype": "Check", + "label": "Is Existing Asset" + }, + { + "depends_on": "is_existing_asset", + "fieldname": "opening_accumulated_depreciation", + "fieldtype": "Currency", + "label": "Opening Accumulated Depreciation", + "no_copy": 1, + "options": "Company:company:default_currency" + }, + { + "depends_on": "eval:(doc.is_existing_asset && doc.opening_accumulated_depreciation)", + "fieldname": "number_of_depreciations_booked", + "fieldtype": "Int", + "label": "Number of Depreciations Booked", + "no_copy": 1 + }, + { + "depends_on": "calculate_depreciation", + "fieldname": "section_break_23", + "fieldtype": "Section Break", + "label": "Depreciation" + }, + { + "fieldname": "finance_books", + "fieldtype": "Table", + "label": "Finance Books", + "options": "Asset Finance Book" + }, + { + "fieldname": "section_break_33", + "fieldtype": "Section Break", + "hidden": 1 + }, + { + "fieldname": "depreciation_method", + "fieldtype": "Select", + "label": "Depreciation Method", + "options": "\nStraight Line\nDouble Declining Balance\nManual" + }, + { + "fieldname": "value_after_depreciation", + "fieldtype": "Currency", + "hidden": 1, + "label": "Value After Depreciation", + "options": "Company:company:default_currency", + "read_only": 1 + }, + { + "fieldname": "total_number_of_depreciations", + "fieldtype": "Int", + "label": "Total Number of Depreciations" + }, + { + "fieldname": "column_break_24", + "fieldtype": "Column Break" + }, + { + "fieldname": "frequency_of_depreciation", + "fieldtype": "Int", + "label": "Frequency of Depreciation (Months)" + }, + { + "fieldname": "next_depreciation_date", + "fieldtype": "Date", + "label": "Next Depreciation Date", + "no_copy": 1 + }, + { + "depends_on": "calculate_depreciation", + "fieldname": "section_break_14", + "fieldtype": "Section Break", + "label": "Depreciation Schedule" + }, + { + "fieldname": "schedules", + "fieldtype": "Table", + "label": "Depreciation Schedules", + "no_copy": 1, + "options": "Depreciation Schedule" + }, + { + "collapsible": 1, + "fieldname": "insurance_details", + "fieldtype": "Section Break", + "label": "Insurance details" + }, + { + "fieldname": "policy_number", + "fieldtype": "Data", + "label": "Policy number" + }, + { + "fieldname": "insurer", + "fieldtype": "Data", + "label": "Insurer" + }, + { + "fieldname": "insured_value", + "fieldtype": "Data", + "label": "Insured value" + }, + { + "fieldname": "column_break_48", + "fieldtype": "Column Break" + }, + { + "fieldname": "insurance_start_date", + "fieldtype": "Date", + "label": "Insurance Start Date" + }, + { + "fieldname": "insurance_end_date", + "fieldtype": "Date", + "label": "Insurance End Date" + }, + { + "fieldname": "comprehensive_insurance", + "fieldtype": "Data", + "label": "Comprehensive Insurance" + }, + { + "fieldname": "section_break_31", + "fieldtype": "Section Break", + "label": "Maintenance" + }, + { + "allow_on_submit": 1, + "default": "0", + "description": "Check if Asset requires Preventive Maintenance or Calibration", + "fieldname": "maintenance_required", + "fieldtype": "Check", + "label": "Maintenance Required" + }, + { + "collapsible": 1, + "fieldname": "other_details", + "fieldtype": "Section Break", + "label": "Other Details" + }, + { + "allow_on_submit": 1, + "default": "Draft", + "fieldname": "status", + "fieldtype": "Select", + "in_list_view": 1, + "in_standard_filter": 1, + "label": "Status", + "no_copy": 1, + "options": "Draft\nSubmitted\nPartially Depreciated\nFully Depreciated\nSold\nScrapped\nIn Maintenance\nOut of Order\nIssue\nReceipt", + "read_only": 1 + }, + { + "default": "0", + "fieldname": "booked_fixed_asset", + "fieldtype": "Check", + "label": "Booked Fixed Asset", + "no_copy": 1, + "read_only": 1 + }, + { + "fieldname": "column_break_51", + "fieldtype": "Column Break" + }, + { + "fieldname": "purchase_receipt", + "fieldtype": "Link", + "label": "Purchase Receipt", + "no_copy": 1, + "options": "Purchase Receipt", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "purchase_receipt_amount", + "fieldtype": "Currency", + "hidden": 1, + "label": "Purchase Receipt Amount", + "no_copy": 1, + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "purchase_invoice", + "fieldtype": "Link", + "label": "Purchase Invoice", + "no_copy": 1, + "options": "Purchase Invoice", + "read_only": 1 + }, + { + "fetch_from": "company.default_finance_book", + "fieldname": "default_finance_book", + "fieldtype": "Link", + "hidden": 1, + "label": "Default Finance Book", + "options": "Finance Book", + "read_only": 1 + }, + { + "fieldname": "amended_from", + "fieldtype": "Link", + "label": "Amended From", + "no_copy": 1, + "options": "Asset", + "print_hide": 1, + "read_only": 1 + }, + { + "collapsible": 1, + "fieldname": "accounting_dimensions_section", + "fieldtype": "Section Break", + "label": "Accounting Dimensions" + }, + { + "fieldname": "dimension_col_break", + "fieldtype": "Column Break" + } + ], + "idx": 72, + "image_field": "image", + "is_submittable": 1, + "modified": "2019-05-25 22:26:19.786201", + "modified_by": "Administrator", + "module": "Assets", + "name": "Asset", + "owner": "Administrator", + "permissions": [ + { + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "share": 1, + "submit": 1, + "write": 1 + }, + { + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Quality Manager", + "share": 1, + "submit": 1, + "write": 1 + } + ], + "show_name_in_global_search": 1, + "sort_field": "modified", + "sort_order": "DESC", + "title_field": "asset_name" + } \ No newline at end of file diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.py b/erpnext/buying/doctype/purchase_order/purchase_order.py index a9a2094f08..8117d9d514 100644 --- a/erpnext/buying/doctype/purchase_order/purchase_order.py +++ b/erpnext/buying/doctype/purchase_order/purchase_order.py @@ -510,4 +510,3 @@ def update_status(status, name): def make_inter_company_sales_order(source_name, target_doc=None): from erpnext.accounts.doctype.sales_invoice.sales_invoice import make_inter_company_transaction return make_inter_company_transaction("Purchase Order", source_name, target_doc) - diff --git a/erpnext/buying/report/requested_items_to_be_ordered/requested_items_to_be_ordered.json b/erpnext/buying/report/requested_items_to_be_ordered/requested_items_to_be_ordered.json index 9e6e80a342..bb112698d3 100644 --- a/erpnext/buying/report/requested_items_to_be_ordered/requested_items_to_be_ordered.json +++ b/erpnext/buying/report/requested_items_to_be_ordered/requested_items_to_be_ordered.json @@ -1,31 +1,31 @@ { - "add_total_row": 1, - "creation": "2013-05-13 16:10:02", - "disable_prepared_report": 0, - "disabled": 0, - "docstatus": 0, - "doctype": "Report", - "idx": 3, - "is_standard": "Yes", - "modified": "2019-04-18 19:02:03.099422", - "modified_by": "Administrator", - "module": "Buying", - "name": "Requested Items To Be Ordered", - "owner": "Administrator", - "prepared_report": 0, - "query": "select \n mr.name as \"Material Request:Link/Material Request:120\",\n\tmr.transaction_date as \"Date:Date:100\",\n\tmr_item.item_code as \"Item Code:Link/Item:120\",\n\tsum(ifnull(mr_item.stock_qty, 0)) as \"Qty:Float:100\",\n\tifnull(mr_item.stock_uom, '') as \"UOM:Link/UOM:100\",\n\tsum(ifnull(mr_item.ordered_qty, 0)) as \"Ordered Qty:Float:100\", \n\t(sum(mr_item.stock_qty) - sum(ifnull(mr_item.ordered_qty, 0))) as \"Qty to Order:Float:100\",\n\tmr_item.item_name as \"Item Name::150\",\n\tmr_item.description as \"Description::200\",\n\tmr.company as \"Company:Link/Company:\"\nfrom\n\t`tabMaterial Request` mr, `tabMaterial Request Item` mr_item\nwhere\n\tmr_item.parent = mr.name\n\tand mr.material_request_type = \"Purchase\"\n\tand mr.docstatus = 1\n\tand mr.status != \"Stopped\"\ngroup by mr.name, mr_item.item_code\nhaving\n\tsum(ifnull(mr_item.ordered_qty, 0)) < sum(ifnull(mr_item.stock_qty, 0))\norder by mr.transaction_date asc", - "ref_doctype": "Purchase Order", - "report_name": "Requested Items To Be Ordered", - "report_type": "Query Report", - "roles": [ - { - "role": "Stock User" - }, - { - "role": "Purchase Manager" - }, - { - "role": "Purchase User" - } - ] -} \ No newline at end of file + "add_total_row": 1, + "creation": "2013-05-13 16:10:02", + "disable_prepared_report": 0, + "disabled": 0, + "docstatus": 0, + "doctype": "Report", + "idx": 3, + "is_standard": "Yes", + "modified": "2019-04-18 19:02:03.099422", + "modified_by": "Administrator", + "module": "Buying", + "name": "Requested Items To Be Ordered", + "owner": "Administrator", + "prepared_report": 0, + "query": "select \n mr.name as \"Material Request:Link/Material Request:120\",\n\tmr.transaction_date as \"Date:Date:100\",\n\tmr_item.item_code as \"Item Code:Link/Item:120\",\n\tsum(ifnull(mr_item.stock_qty, 0)) as \"Qty:Float:100\",\n\tifnull(mr_item.stock_uom, '') as \"UOM:Link/UOM:100\",\n\tsum(ifnull(mr_item.ordered_qty, 0)) as \"Ordered Qty:Float:100\", \n\t(sum(mr_item.stock_qty) - sum(ifnull(mr_item.ordered_qty, 0))) as \"Qty to Order:Float:100\",\n\tmr_item.item_name as \"Item Name::150\",\n\tmr_item.description as \"Description::200\",\n\tmr.company as \"Company:Link/Company:\"\nfrom\n\t`tabMaterial Request` mr, `tabMaterial Request Item` mr_item\nwhere\n\tmr_item.parent = mr.name\n\tand mr.material_request_type = \"Purchase\"\n\tand mr.docstatus = 1\n\tand mr.status != \"Stopped\"\ngroup by mr.name, mr_item.item_code\nhaving\n\tsum(ifnull(mr_item.ordered_qty, 0)) < sum(ifnull(mr_item.stock_qty, 0))\norder by mr.transaction_date asc", + "ref_doctype": "Purchase Order", + "report_name": "Requested Items To Be Ordered", + "report_type": "Query Report", + "roles": [ + { + "role": "Stock User" + }, + { + "role": "Purchase Manager" + }, + { + "role": "Purchase User" + } + ] + } \ No newline at end of file diff --git a/erpnext/config/accounting.py b/erpnext/config/accounting.py index 9a9ee7e963..ce1384aae7 100644 --- a/erpnext/config/accounting.py +++ b/erpnext/config/accounting.py @@ -167,7 +167,7 @@ def get_data(): "type": "doctype", "name": "Opening Invoice Creation Tool", "description": _("Create Opening Sales and Purchase Invoices") - }, + } ] }, { @@ -182,7 +182,7 @@ def get_data(): "type": "doctype", "name": "Journal Entry", "description": _("Accounting journal entries.") - }, + } ] }, { @@ -246,6 +246,12 @@ def get_data(): "label": _("Bank"), "name": "Bank", }, + { + "type": "page", + "label": _("Reconcile payments and bank transactions"), + "name": "bank-reconciliation", + "description": _("Link bank transactions with payments.") + }, { "type": "doctype", "label": _("Bank Account"), diff --git a/erpnext/config/integrations.py b/erpnext/config/integrations.py index 01e077fba3..52c9ab8e46 100644 --- a/erpnext/config/integrations.py +++ b/erpnext/config/integrations.py @@ -35,6 +35,11 @@ def get_data(): "type": "doctype", "name": "Amazon MWS Settings", "description": _("Connect Amazon with ERPNext"), + }, + { + "type": "doctype", + "name": "Plaid Settings", + "description": _("Connect your bank accounts to ERPNext"), } ] } diff --git a/erpnext/config/selling.py b/erpnext/config/selling.py index b31eb02cf7..f18aadb9ef 100644 --- a/erpnext/config/selling.py +++ b/erpnext/config/selling.py @@ -304,6 +304,12 @@ def get_data(): "name": "Customers Without Any Sales Transactions", "doctype": "Customer" }, + { + "type": "report", + "is_query_report": True, + "name": "Sales Partners Commission", + "doctype": "Customer" + }, { "type": "report", "is_query_report": True, @@ -312,6 +318,23 @@ def get_data(): } ] }, + { + "label": _("SMS"), + "icon": "fa fa-wrench", + "items": [ + { + "type": "doctype", + "name": "SMS Center", + "description":_("Send mass SMS to your contacts"), + }, + { + "type": "doctype", + "name": "SMS Log", + "description":_("Logs for maintaining sms delivery status"), + }, + + ] + }, { "label": _("Help"), "items": [ diff --git a/erpnext/controllers/accounts_controller.py b/erpnext/controllers/accounts_controller.py index f6914b63e7..f5ecaeb286 100644 --- a/erpnext/controllers/accounts_controller.py +++ b/erpnext/controllers/accounts_controller.py @@ -32,8 +32,8 @@ class AccountsController(TransactionBase): return self.__company_currency def onload(self): - self.get("__onload").make_payment_via_journal_entry \ - = frappe.db.get_single_value('Accounts Settings', 'make_payment_via_journal_entry') + self.set_onload("make_payment_via_journal_entry", + frappe.db.get_single_value('Accounts Settings', 'make_payment_via_journal_entry')) if self.is_new(): relevant_docs = ("Quotation", "Purchase Order", "Sales Order", @@ -242,6 +242,10 @@ class AccountsController(TransactionBase): parent_dict.update({"document_type": document_type}) self.set('pricing_rules', []) + # party_name field used for customer in quotation + if self.doctype == "Quotation" and self.quotation_to == "Customer" and parent_dict.get("party_name"): + parent_dict.update({"customer": parent_dict.get("party_name")}) + for item in self.get("items"): if item.get("item_code"): args = parent_dict.copy() @@ -1006,11 +1010,11 @@ def get_advance_journal_entries(party_type, party, party_account, amount_field, def get_advance_payment_entries(party_type, party, party_account, order_doctype, - order_list=None, include_unallocated=True, against_all_orders=False, limit=1000): + order_list=None, include_unallocated=True, against_all_orders=False, limit=None): party_account_field = "paid_from" if party_type == "Customer" else "paid_to" payment_type = "Receive" if party_type == "Customer" else "Pay" payment_entries_against_order, unallocated_payment_entries = [], [] - limit_cond = "limit %s" % (limit or 1000) + limit_cond = "limit %s" % limit if limit else "" if order_list or against_all_orders: if order_list: diff --git a/erpnext/controllers/item_variant.py b/erpnext/controllers/item_variant.py index bfb8432cab..9152c316cf 100644 --- a/erpnext/controllers/item_variant.py +++ b/erpnext/controllers/item_variant.py @@ -282,7 +282,7 @@ def copy_attributes_to_variant(item, variant): if 'description' not in allow_fields: if not variant.description: - variant.description = "" + variant.description = "" if item.variant_based_on=='Item Attribute': if variant.attributes: diff --git a/erpnext/controllers/sales_and_purchase_return.py b/erpnext/controllers/sales_and_purchase_return.py index b82987a499..8cf11f785b 100644 --- a/erpnext/controllers/sales_and_purchase_return.py +++ b/erpnext/controllers/sales_and_purchase_return.py @@ -205,11 +205,14 @@ def get_already_returned_items(doc): def make_return_doc(doctype, source_name, target_doc=None): from frappe.model.mapper import get_mapped_doc + company = frappe.db.get_value("Delivery Note", source_name, "company") + default_warehouse_for_sales_return = frappe.db.get_value("Company", company, "default_warehouse_for_sales_return") def set_missing_values(source, target): doc = frappe.get_doc(target) doc.is_return = 1 doc.return_against = source.name doc.ignore_pricing_rule = 1 + doc.set_warehouse = "" if doctype == "Sales Invoice": doc.is_pos = source.is_pos @@ -253,7 +256,6 @@ def make_return_doc(doctype, source_name, target_doc=None): def update_item(source_doc, target_doc, source_parent): target_doc.qty = -1* source_doc.qty - default_return_warehouse = frappe.db.get_single_value("Stock Settings", "default_return_warehouse") if doctype == "Purchase Receipt": target_doc.received_qty = -1* source_doc.received_qty target_doc.rejected_qty = -1* source_doc.rejected_qty @@ -278,13 +280,16 @@ def make_return_doc(doctype, source_name, target_doc=None): target_doc.so_detail = source_doc.so_detail target_doc.si_detail = source_doc.si_detail target_doc.expense_account = source_doc.expense_account - target_doc.warehouse = default_return_warehouse if default_return_warehouse else source_doc.warehouse + if default_warehouse_for_sales_return: + target_doc.warehouse = default_warehouse_for_sales_return elif doctype == "Sales Invoice": target_doc.sales_order = source_doc.sales_order target_doc.delivery_note = source_doc.delivery_note target_doc.so_detail = source_doc.so_detail target_doc.dn_detail = source_doc.dn_detail target_doc.expense_account = source_doc.expense_account + if default_warehouse_for_sales_return: + target_doc.warehouse = default_warehouse_for_sales_return def update_terms(source_doc, target_doc, source_parent): target_doc.payment_amount = -source_doc.payment_amount diff --git a/erpnext/controllers/selling_controller.py b/erpnext/controllers/selling_controller.py index ea18004a8f..2cbe596770 100644 --- a/erpnext/controllers/selling_controller.py +++ b/erpnext/controllers/selling_controller.py @@ -55,14 +55,28 @@ class SellingController(StockController): self.set_price_list_and_item_details(for_validate=for_validate) def set_missing_lead_customer_details(self): + customer, lead = None, None if getattr(self, "customer", None): + customer = self.customer + elif self.doctype == "Opportunity" and self.party_name: + if self.opportunity_from == "Customer": + customer = self.party_name + else: + lead = self.party_name + elif self.doctype == "Quotation" and self.party_name: + if self.quotation_to == "Customer": + customer = self.party_name + else: + lead = self.party_name + + if customer: from erpnext.accounts.party import _get_party_details fetch_payment_terms_template = False if (self.get("__islocal") or self.company != frappe.db.get_value(self.doctype, self.name, 'company')): fetch_payment_terms_template = True - party_details = _get_party_details(self.customer, + party_details = _get_party_details(customer, ignore_permissions=self.flags.ignore_permissions, doctype=self.doctype, company=self.company, fetch_payment_terms_template=fetch_payment_terms_template, @@ -71,10 +85,9 @@ class SellingController(StockController): party_details.pop("sales_team") self.update_if_missing(party_details) - elif getattr(self, "lead", None): + elif lead: from erpnext.crm.doctype.lead.lead import get_lead_details - self.update_if_missing(get_lead_details( - self.lead, + self.update_if_missing(get_lead_details(lead, posting_date=self.get('transaction_date') or self.get('posting_date'), company=self.company)) diff --git a/erpnext/controllers/status_updater.py b/erpnext/controllers/status_updater.py index 42e0a43e6e..f70870b3ad 100644 --- a/erpnext/controllers/status_updater.py +++ b/erpnext/controllers/status_updater.py @@ -46,9 +46,9 @@ status_map = { "Sales Invoice": [ ["Draft", None], ["Submitted", "eval:self.docstatus==1"], + ["Paid", "eval:self.outstanding_amount==0 and self.docstatus==1"], ["Return", "eval:self.is_return==1 and self.docstatus==1"], - ["Paid", "eval:self.outstanding_amount<=0 and self.docstatus==1 and self.is_return==0"], - ["Credit Note Issued", "eval:self.outstanding_amount < 0 and self.docstatus==1 and self.is_return==0 and get_value('Sales Invoice', {'is_return': 1, 'return_against': self.name, 'docstatus': 1})"], + ["Credit Note Issued", "eval:self.outstanding_amount < 0 and self.docstatus==1"], ["Unpaid", "eval:self.outstanding_amount > 0 and getdate(self.due_date) >= getdate(nowdate()) and self.docstatus==1"], ["Overdue", "eval:self.outstanding_amount > 0 and getdate(self.due_date) < getdate(nowdate()) and self.docstatus==1"], ["Cancelled", "eval:self.docstatus==2"], @@ -56,9 +56,9 @@ status_map = { "Purchase Invoice": [ ["Draft", None], ["Submitted", "eval:self.docstatus==1"], + ["Paid", "eval:self.outstanding_amount==0 and self.docstatus==1"], ["Return", "eval:self.is_return==1 and self.docstatus==1"], - ["Paid", "eval:self.outstanding_amount<=0 and self.docstatus==1 and self.is_return==0"], - ["Debit Note Issued", "eval:self.outstanding_amount < 0 and self.docstatus==1 and self.is_return==0 and get_value('Purchase Invoice', {'is_return': 1, 'return_against': self.name, 'docstatus': 1})"], + ["Debit Note Issued", "eval:self.outstanding_amount < 0 and self.docstatus==1"], ["Unpaid", "eval:self.outstanding_amount > 0 and getdate(self.due_date) >= getdate(nowdate()) and self.docstatus==1"], ["Overdue", "eval:self.outstanding_amount > 0 and getdate(self.due_date) < getdate(nowdate()) and self.docstatus==1"], ["Cancelled", "eval:self.docstatus==2"], @@ -99,6 +99,10 @@ status_map = { ["Issued", "eval:self.status != 'Stopped' and self.per_ordered == 100 and self.docstatus == 1 and self.material_request_type == 'Material Issue'"], ["Received", "eval:self.status != 'Stopped' and self.per_received == 100 and self.docstatus == 1 and self.material_request_type == 'Purchase'"], ["Partially Received", "eval:self.status != 'Stopped' and self.per_received > 0 and self.per_received < 100 and self.docstatus == 1 and self.material_request_type == 'Purchase'"] + ], + "Bank Transaction": [ + ["Unreconciled", "eval:self.docstatus == 1 and self.unallocated_amount>0"], + ["Reconciled", "eval:self.docstatus == 1 and self.unallocated_amount<=0"] ] } diff --git a/erpnext/controllers/stock_controller.py b/erpnext/controllers/stock_controller.py index 3021f18310..2d87a98f20 100644 --- a/erpnext/controllers/stock_controller.py +++ b/erpnext/controllers/stock_controller.py @@ -128,7 +128,7 @@ class StockController(AccountsController): reconciliation_purpose = frappe.db.get_value(self.doctype, self.name, "purpose") is_opening = "Yes" if reconciliation_purpose == "Opening Stock" else "No" details = [] - for voucher_detail_no, sle in sle_map.items(): + for voucher_detail_no in sle_map: details.append(frappe._dict({ "name": voucher_detail_no, "expense_account": default_expense_account, @@ -362,10 +362,12 @@ class StockController(AccountsController): frappe.throw(_("Row {0}: Quality Inspection rejected for item {1}") .format(d.idx, d.item_code), QualityInspectionRejectedError) elif qa_required : - frappe.msgprint(_("Quality Inspection required for Item {0}").format(d.item_code)) - if self.docstatus==1: - raise QualityInspectionRequiredError - + action = frappe.get_doc('Stock Settings').action_if_quality_inspection_is_not_submitted + if self.docstatus==1 and action == 'Stop': + frappe.throw(_("Quality Inspection required for Item {0} to submit").format(frappe.bold(d.item_code)), + exc=QualityInspectionRequiredError) + else: + frappe.msgprint(_("Create Quality Inspection for Item {0}").format(frappe.bold(d.item_code))) def update_blanket_order(self): blanket_orders = list(set([d.blanket_order for d in self.items if d.blanket_order])) diff --git a/erpnext/controllers/taxes_and_totals.py b/erpnext/controllers/taxes_and_totals.py index d5f86a1586..ebbe3d9d27 100644 --- a/erpnext/controllers/taxes_and_totals.py +++ b/erpnext/controllers/taxes_and_totals.py @@ -616,7 +616,7 @@ def get_itemised_tax_breakup_data(doc): return itemised_tax, itemised_taxable_amount -def get_itemised_tax(taxes): +def get_itemised_tax(taxes, with_tax_account=False): itemised_tax = {} for tax in taxes: if getattr(tax, "category", None) and tax.category=="Valuation": @@ -641,6 +641,9 @@ def get_itemised_tax(taxes): tax_amount = tax_amount )) + if with_tax_account: + itemised_tax[item_code][tax.description].tax_account = tax.account_head + return itemised_tax def get_itemised_taxable_amount(items): diff --git a/erpnext/controllers/tests/test_mapper.py b/erpnext/controllers/tests/test_mapper.py index 14738c5ff2..d02308d8f2 100644 --- a/erpnext/controllers/tests/test_mapper.py +++ b/erpnext/controllers/tests/test_mapper.py @@ -43,7 +43,7 @@ class TestMapper(unittest.TestCase): qtn = frappe.get_doc({ "doctype": "Quotation", "quotation_to": "Customer", - "customer": customer, + "party_name": customer, "order_type": "Sales", "transaction_date" : nowdate(), "valid_till" : add_months(nowdate(), 1) diff --git a/erpnext/crm/doctype/lead/lead.js b/erpnext/crm/doctype/lead/lead.js index 8c1ab2f38f..cfa7290110 100644 --- a/erpnext/crm/doctype/lead/lead.js +++ b/erpnext/crm/doctype/lead/lead.js @@ -6,6 +6,17 @@ cur_frm.email_field = "email_id"; erpnext.LeadController = frappe.ui.form.Controller.extend({ setup: function () { + this.frm.make_methods = { + 'Quotation': () => erpnext.utils.create_new_doc('Quotation', { + 'quotation_to': this.frm.doc.doctype, + 'party_name': this.frm.doc.name + }), + 'Opportunity': () => erpnext.utils.create_new_doc('Opportunity', { + 'opportunity_from': this.frm.doc.doctype, + 'party_name': this.frm.doc.name + }) + } + this.frm.fields_dict.customer.get_query = function (doc, cdt, cdn) { return { query: "erpnext.controllers.queries.customer_query" } } diff --git a/erpnext/crm/doctype/lead/lead.json b/erpnext/crm/doctype/lead/lead.json index 600e070b7c..3c22dc7199 100644 --- a/erpnext/crm/doctype/lead/lead.json +++ b/erpnext/crm/doctype/lead/lead.json @@ -1430,7 +1430,7 @@ "issingle": 0, "istable": 0, "max_attachments": 0, - "modified": "2019-05-10 03:22:57.283628", + "modified": "2019-06-18 03:22:57.283628", "modified_by": "Administrator", "module": "CRM", "name": "Lead", diff --git a/erpnext/crm/doctype/lead/lead.py b/erpnext/crm/doctype/lead/lead.py index 4f507f1b46..4343db04b4 100644 --- a/erpnext/crm/doctype/lead/lead.py +++ b/erpnext/crm/doctype/lead/lead.py @@ -90,11 +90,11 @@ class Lead(SellingController): return frappe.db.get_value("Customer", {"lead_name": self.name}) def has_opportunity(self): - return frappe.db.get_value("Opportunity", {"lead": self.name, "status": ["!=", "Lost"]}) + return frappe.db.get_value("Opportunity", {"party_name": self.name, "status": ["!=", "Lost"]}) def has_quotation(self): return frappe.db.get_value("Quotation", { - "lead": self.name, + "party_name": self.name, "docstatus": 1, "status": ["!=", "Lost"] @@ -102,7 +102,7 @@ class Lead(SellingController): def has_lost_quotation(self): return frappe.db.get_value("Quotation", { - "lead": self.name, + "party_name": self.name, "docstatus": 1, "status": "Lost" }) @@ -150,8 +150,8 @@ def make_opportunity(source_name, target_doc=None): "doctype": "Opportunity", "field_map": { "campaign_name": "campaign", - "doctype": "enquiry_from", - "name": "lead", + "doctype": "opportunity_from", + "name": "party_name", "lead_name": "contact_display", "company_name": "customer_name", "email_id": "contact_email", @@ -167,7 +167,7 @@ def make_quotation(source_name, target_doc=None): {"Lead": { "doctype": "Quotation", "field_map": { - "name": "lead" + "name": "party_name" } }}, target_doc) target_doc.quotation_to = "Lead" @@ -190,7 +190,7 @@ def get_lead_details(lead, posting_date=None, company=None): out.update({ "territory": lead.territory, "customer_name": lead.company_name or lead.lead_name, - "contact_display": lead.lead_name, + "contact_display": " ".join(filter(None, [lead.salutation, lead.lead_name])), "contact_email": lead.email_id, "contact_mobile": lead.mobile_no, "contact_phone": lead.phone, diff --git a/erpnext/crm/doctype/lead/lead_dashboard.py b/erpnext/crm/doctype/lead/lead_dashboard.py index e8472aafc2..69d8ca7092 100644 --- a/erpnext/crm/doctype/lead/lead_dashboard.py +++ b/erpnext/crm/doctype/lead/lead_dashboard.py @@ -4,6 +4,13 @@ from frappe import _ def get_data(): return { 'fieldname': 'lead', + 'non_standard_fieldnames': { + 'Quotation': 'party_name', + 'Opportunity': 'party_name' + }, + 'dynamic_links': { + 'party_name': ['Lead', 'quotation_to'] + }, 'transactions': [ { 'items': ['Opportunity', 'Quotation'] diff --git a/erpnext/crm/doctype/opportunity/opportunity.js b/erpnext/crm/doctype/opportunity/opportunity.js index 967459f082..9dcd0c493a 100644 --- a/erpnext/crm/doctype/opportunity/opportunity.js +++ b/erpnext/crm/doctype/opportunity/opportunity.js @@ -10,15 +10,34 @@ frappe.ui.form.on("Opportunity", { frm.custom_make_buttons = { 'Quotation': 'Quotation', 'Supplier Quotation': 'Supplier Quotation' - } - }, - customer: function(frm) { - frm.trigger('set_contact_link'); - erpnext.utils.get_party_details(frm); + }, + + frm.set_query("opportunity_from", function() { + return{ + "filters": { + "name": ["in", ["Customer", "Lead"]], + } + } + }); }, - lead: function(frm) { - frm.trigger('set_contact_link'); + onload_post_render: function(frm) { + frm.get_field("items").grid.set_multiple_add("item_code", "qty"); + }, + + party_name: function(frm) { + frm.toggle_display("contact_info", frm.doc.party_name); + + if (frm.doc.opportunity_from == "Customer") { + frm.trigger('set_contact_link'); + erpnext.utils.get_party_details(frm); + } else if (frm.doc.opportunity_from == "Lead") { + erpnext.utils.map_current_doc({ + method: "erpnext.crm.doctype.lead.lead.make_opportunity", + source_name: frm.doc.party_name, + frm: frm + }); + } }, onload_post_render: function(frm) { @@ -42,15 +61,14 @@ frappe.ui.form.on("Opportunity", { contact_person: erpnext.utils.get_contact_details, - enquiry_from: function(frm) { - frm.toggle_reqd("lead", frm.doc.enquiry_from==="Lead"); - frm.toggle_reqd("customer", frm.doc.enquiry_from==="Customer"); + opportunity_from: function(frm) { + frm.toggle_reqd("party_name", frm.doc.opportunity_from); + frm.trigger("set_dynamic_field_label"); }, refresh: function(frm) { var doc = frm.doc; - frm.events.enquiry_from(frm); - frm.trigger('set_contact_link'); + frm.events.opportunity_from(frm); frm.trigger('toggle_mandatory'); erpnext.toggle_naming_series(); @@ -88,10 +106,17 @@ frappe.ui.form.on("Opportunity", { }, set_contact_link: function(frm) { - if(frm.doc.customer) { - frappe.dynamic_link = {doc: frm.doc, fieldname: 'customer', doctype: 'Customer'} - } else if(frm.doc.lead) { - frappe.dynamic_link = {doc: frm.doc, fieldname: 'lead', doctype: 'Lead'} + if(frm.doc.opportunity_from == "Customer" && frm.doc.party_name) { + frappe.dynamic_link = {doc: frm.doc, fieldname: 'party_name', doctype: 'Customer'} + } else if(frm.doc.opportunity_from == "Lead" && frm.doc.party_name) { + frappe.dynamic_link = {doc: frm.doc, fieldname: 'party_name', doctype: 'Lead'} + } + }, + + set_dynamic_field_label: function(frm){ + + if (frm.doc.opportunity_from) { + frm.set_df_property("party_name", "label", frm.doc.opportunity_from); } }, @@ -110,10 +135,6 @@ frappe.ui.form.on("Opportunity", { // TODO commonify this code erpnext.crm.Opportunity = frappe.ui.form.Controller.extend({ onload: function() { - if(!this.frm.doc.enquiry_from && this.frm.doc.customer) - this.frm.doc.enquiry_from = "Customer"; - if(!this.frm.doc.enquiry_from && this.frm.doc.lead) - this.frm.doc.enquiry_from = "Lead"; if(!this.frm.doc.status) { frm.set_value('status', 'Open'); @@ -144,12 +165,14 @@ erpnext.crm.Opportunity = frappe.ui.form.Controller.extend({ }; }); - $.each([["lead", "lead"], - ["customer", "customer"], - ["contact_person", "contact_query"]], - function(i, opts) { - me.frm.set_query(opts[0], erpnext.queries[opts[1]]); - }); + me.frm.set_query('contact_person', erpnext.queries['contact_query']) + + if (me.frm.doc.opportunity_from == "Lead") { + me.frm.set_query('party_name', erpnext.queries['lead']); + } + else if (me.frm.doc.opportunity_from == "Cuatomer") { + me.frm.set_query('party_name', erpnext.queries['customer']); + } }, create_quotation: function() { @@ -162,11 +185,6 @@ erpnext.crm.Opportunity = frappe.ui.form.Controller.extend({ $.extend(cur_frm.cscript, new erpnext.crm.Opportunity({frm: cur_frm})); -cur_frm.cscript.onload_post_render = function(doc, cdt, cdn) { - if(doc.enquiry_from == 'Lead' && doc.lead) - cur_frm.cscript.lead(doc, cdt, cdn); -} - cur_frm.cscript.item_code = function(doc, cdt, cdn) { var d = locals[cdt][cdn]; if (d.item_code) { @@ -183,13 +201,4 @@ cur_frm.cscript.item_code = function(doc, cdt, cdn) { } }) } -} - -cur_frm.cscript.lead = function(doc, cdt, cdn) { - cur_frm.toggle_display("contact_info", doc.customer || doc.lead); - erpnext.utils.map_current_doc({ - method: "erpnext.crm.doctype.lead.lead.make_opportunity", - source_name: cur_frm.doc.lead, - frm: cur_frm - }); -} +} \ No newline at end of file diff --git a/erpnext/crm/doctype/opportunity/opportunity.json b/erpnext/crm/doctype/opportunity/opportunity.json index d3b22a344e..121a336691 100644 --- a/erpnext/crm/doctype/opportunity/opportunity.json +++ b/erpnext/crm/doctype/opportunity/opportunity.json @@ -1,1553 +1,1561 @@ { - "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, + "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, "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "", - "fieldname": "naming_series", - "fieldtype": "Select", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "enquiry_from", - "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": "Opportunity From", - "length": 0, - "no_copy": 0, - "oldfieldname": "enquiry_from", - "oldfieldtype": "Select", - "options": "\nLead\nCustomer", - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.enquiry_from===\"Customer\"", - "fieldname": "customer", - "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": "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": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.enquiry_from===\"Lead\"", - "fieldname": "lead", - "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": "Lead", - "length": 0, - "no_copy": 0, - "oldfieldname": "lead", - "oldfieldtype": "Link", - "options": "Lead", - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "depends_on": "", - "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 - }, - { - "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, - "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, + "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, - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "Sales", - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "Open", - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "collapsible_depends_on": "contact_by", - "columns": 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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "", - "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, + "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 + }, + { + "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": "", - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 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, + "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, - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "Prospecting", - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "100", - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "with_items", - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "", - "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, + "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 - }, + }, { - "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.lead || doc.customer", - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.customer || doc.lead", - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "customer", - "description": "", - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "customer", - "description": "", - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break3", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.lead || doc.customer", - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "customer", - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.lead || doc.customer", - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.lead || doc.customer", - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "collapsible_depends_on": "", - "columns": 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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 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, + "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 - }, + }, { - "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", - "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, + "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 - }, + }, { - "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\"", - "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": "Detailed 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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break1", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "oldfieldtype": "Column Break", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0, + "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, - "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, + "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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "Today", - "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, + "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, - "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, + "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, + "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 } - ], - "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": "2018-12-29 18:38:37.270217", - "modified_by": "Administrator", - "module": "CRM", - "name": "Opportunity", - "owner": "Administrator", + ], + "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_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, + "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, + "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,customer,lead,opportunity_type,territory,company", - "show_name_in_global_search": 1, - "sort_field": "modified", - "sort_order": "DESC", - "timeline_field": "customer", - "title_field": "title", - "track_changes": 0, - "track_seen": 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/crm/doctype/opportunity/opportunity.py b/erpnext/crm/doctype/opportunity/opportunity.py index afea4a1e19..99486fa206 100644 --- a/erpnext/crm/doctype/opportunity/opportunity.py +++ b/erpnext/crm/doctype/opportunity/opportunity.py @@ -16,8 +16,8 @@ sender_field = "contact_email" class Opportunity(TransactionBase): def after_insert(self): - if self.lead: - frappe.get_doc("Lead", self.lead).set_status(update=True) + if self.opportunity_from == "Lead": + frappe.get_doc("Lead", self.party_name).set_status(update=True) def validate(self): self._prev = frappe._dict({ @@ -29,12 +29,8 @@ class Opportunity(TransactionBase): self.make_new_lead_if_required() - if not self.enquiry_from: - frappe.throw(_("Opportunity From field is mandatory")) - self.validate_item_details() self.validate_uom_is_integer("uom", "qty") - self.validate_lead_cust() self.validate_cust_name() if not self.title: @@ -45,7 +41,7 @@ class Opportunity(TransactionBase): def make_new_lead_if_required(self): """Set lead against new opportunity""" - if not (self.lead or self.customer) and self.contact_email: + if (not self.get("party_name")) and self.contact_email: # check if customer is already created agains the self.contact_email customer = frappe.db.sql("""select distinct `tabDynamic Link`.link_name as customer @@ -61,8 +57,8 @@ class Opportunity(TransactionBase): `tabDynamic Link`.link_doctype='Customer' """.format(self.contact_email), as_dict=True) if customer and customer[0].customer: - self.customer = customer[0].customer - self.enquiry_from = "Customer" + self.party_name = customer[0].customer + self.opportunity_from = "Customer" return lead_name = frappe.db.get_value("Lead", {"email_id": self.contact_email}) @@ -89,8 +85,8 @@ class Opportunity(TransactionBase): lead.insert(ignore_permissions=True) lead_name = lead.name - self.enquiry_from = "Lead" - self.lead = lead_name + self.opportunity_from = "Lead" + self.party_name = lead_name def declare_enquiry_lost(self, lost_reasons_list, detailed_reason=None): if not self.has_active_quotation(): @@ -145,10 +141,10 @@ class Opportunity(TransactionBase): return True def validate_cust_name(self): - if self.customer: - self.customer_name = frappe.db.get_value("Customer", self.customer, "customer_name") - elif self.lead: - lead_name, company_name = frappe.db.get_value("Lead", self.lead, ["lead_name", "company_name"]) + if self.party_name and self.opportunity_from == 'Customer': + self.customer_name = frappe.db.get_value("Customer", self.party_name, "customer_name") + elif self.party_name and self.opportunity_from == 'Lead': + lead_name, company_name = frappe.db.get_value("Lead", self.party_name, ["lead_name", "company_name"]) self.customer_name = company_name or lead_name def on_update(self): @@ -161,16 +157,16 @@ class Opportunity(TransactionBase): opts.description = "" opts.contact_date = self.contact_date - if self.customer: + if self.party_name and self.opportunity_from == 'Customer': if self.contact_person: opts.description = 'Contact '+cstr(self.contact_person) else: - opts.description = 'Contact customer '+cstr(self.customer) - elif self.lead: + opts.description = 'Contact customer '+cstr(self.party_name) + elif self.party_name and self.opportunity_from == 'Lead': if self.contact_display: opts.description = 'Contact '+cstr(self.contact_display) else: - opts.description = 'Contact lead '+cstr(self.lead) + opts.description = 'Contact lead '+cstr(self.party_name) opts.subject = opts.description opts.description += '. By : ' + cstr(self.contact_by) @@ -195,17 +191,6 @@ class Opportunity(TransactionBase): for key in item_fields: if not d.get(key): d.set(key, item.get(key)) - def validate_lead_cust(self): - if self.enquiry_from == 'Lead': - if not self.lead: - frappe.throw(_("Lead must be set if Opportunity is made from Lead")) - else: - self.customer = None - elif self.enquiry_from == 'Customer': - if not self.customer: - msgprint(_("Customer is mandatory if 'Opportunity From' is selected as Customer"), raise_exception=1) - else: - self.lead = None @frappe.whitelist() def get_item_details(item_code): @@ -227,8 +212,11 @@ def make_quotation(source_name, target_doc=None): quotation = frappe.get_doc(target) company_currency = frappe.get_cached_value('Company', quotation.company, "default_currency") - party_account_currency = get_party_account_currency("Customer", quotation.customer, - quotation.company) if quotation.customer else company_currency + + if quotation.quotation_to == 'Customer' and quotation.party_name: + party_account_currency = get_party_account_currency("Customer", quotation.party_name, quotation.company) + else: + party_account_currency = company_currency quotation.currency = party_account_currency or company_currency @@ -254,7 +242,7 @@ def make_quotation(source_name, target_doc=None): "Opportunity": { "doctype": "Quotation", "field_map": { - "enquiry_from": "quotation_to", + "opportunity_from": "quotation_to", "opportunity_type": "order_type", "name": "enq_no", } @@ -340,11 +328,11 @@ def make_opportunity_from_communication(communication, ignore_communication_link if not lead: lead = make_lead_from_communication(communication, ignore_communication_links=True) - enquiry_from = "Lead" + opportunity_from = "Lead" opportunity = frappe.get_doc({ "doctype": "Opportunity", - "enquiry_from": enquiry_from, + "opportunity_from": opportunity_from, "lead": lead }).insert(ignore_permissions=True) diff --git a/erpnext/crm/doctype/opportunity/opportunity_list.js b/erpnext/crm/doctype/opportunity/opportunity_list.js index 0dbbf8add1..af53bf7fbf 100644 --- a/erpnext/crm/doctype/opportunity/opportunity_list.js +++ b/erpnext/crm/doctype/opportunity/opportunity_list.js @@ -1,5 +1,5 @@ frappe.listview_settings['Opportunity'] = { - add_fields: ["customer_name", "opportunity_type", "enquiry_from", "status"], + add_fields: ["customer_name", "opportunity_type", "opportunity_from", "status"], get_indicator: function(doc) { var indicator = [__(doc.status), frappe.utils.guess_colour(doc.status), "status,=," + doc.status]; if(doc.status=="Quotation") { @@ -17,5 +17,13 @@ frappe.listview_settings['Opportunity'] = { listview.page.add_menu_item(__("Set as Closed"), function() { listview.call_for_selected_items(method, {"status": "Closed"}); }); + + listview.page.fields_dict.opportunity_from.get_query = function() { + return { + "filters": { + "name": ["in", ["Customer", "Lead"]], + } + }; + }; } }; diff --git a/erpnext/crm/doctype/opportunity/test_opportunity.js b/erpnext/crm/doctype/opportunity/test_opportunity.js index f2b04f8647..45b97ddc4d 100644 --- a/erpnext/crm/doctype/opportunity/test_opportunity.js +++ b/erpnext/crm/doctype/opportunity/test_opportunity.js @@ -6,7 +6,7 @@ QUnit.test("test: opportunity", function (assert) { () => frappe.timeout(1), () => frappe.click_button('New'), () => frappe.timeout(1), - () => cur_frm.set_value('enquiry_from', 'Customer'), + () => cur_frm.set_value('opportunity_from', 'Customer'), () => cur_frm.set_value('customer', 'Test Customer 1'), // check items diff --git a/erpnext/crm/doctype/opportunity/test_opportunity.py b/erpnext/crm/doctype/opportunity/test_opportunity.py index 9cbbb86e44..1a9f66ad9a 100644 --- a/erpnext/crm/doctype/opportunity/test_opportunity.py +++ b/erpnext/crm/doctype/opportunity/test_opportunity.py @@ -38,13 +38,13 @@ class TestOpportunity(unittest.TestCase): # new lead should be created against the new.opportunity@example.com opp_doc = frappe.get_doc(args).insert(ignore_permissions=True) - self.assertTrue(opp_doc.lead) - self.assertEqual(opp_doc.enquiry_from, "Lead") - self.assertEqual(frappe.db.get_value("Lead", opp_doc.lead, "email_id"), + self.assertTrue(opp_doc.party_name) + self.assertEqual(opp_doc.opportunity_from, "Lead") + self.assertEqual(frappe.db.get_value("Lead", opp_doc.party_name, "email_id"), new_lead_email_id) # create new customer and create new contact against 'new.opportunity@example.com' - customer = make_customer(opp_doc.lead).insert(ignore_permissions=True) + customer = make_customer(opp_doc.party_name).insert(ignore_permissions=True) frappe.get_doc({ "doctype": "Contact", "email_id": new_lead_email_id, @@ -56,10 +56,9 @@ class TestOpportunity(unittest.TestCase): }).insert(ignore_permissions=True) opp_doc = frappe.get_doc(args).insert(ignore_permissions=True) - self.assertTrue(opp_doc.customer) - self.assertEqual(opp_doc.enquiry_from, "Customer") - self.assertEqual(opp_doc.customer, customer.name) - + self.assertTrue(opp_doc.party_name) + self.assertEqual(opp_doc.opportunity_from, "Customer") + self.assertEqual(opp_doc.party_name, customer.name) def make_opportunity(**args): args = frappe._dict(args) @@ -67,17 +66,17 @@ def make_opportunity(**args): opp_doc = frappe.get_doc({ "doctype": "Opportunity", "company": args.company or "_Test Company", - "enquiry_from": args.enquiry_from or "Customer", + "opportunity_from": args.opportunity_from or "Customer", "opportunity_type": "Sales", "with_items": args.with_items or 0, "transaction_date": today() }) - if opp_doc.enquiry_from == 'Customer': - opp_doc.customer = args.customer or "_Test Customer" + if opp_doc.opportunity_from == 'Customer': + opp_doc.party_name= args.customer or "_Test Customer" - if opp_doc.enquiry_from == 'Lead': - opp_doc.lead = args.lead or "_T-Lead-00001" + if opp_doc.opportunity_from == 'Lead': + opp_doc.party_name = args.lead or "_T-Lead-00001" if args.with_items: opp_doc.append('items', { diff --git a/erpnext/crm/doctype/opportunity/test_records.json b/erpnext/crm/doctype/opportunity/test_records.json index 84dfea515a..a1e0ad921b 100644 --- a/erpnext/crm/doctype/opportunity/test_records.json +++ b/erpnext/crm/doctype/opportunity/test_records.json @@ -2,9 +2,9 @@ { "doctype": "Opportunity", "name": "_Test Opportunity 1", - "enquiry_from": "Lead", + "opportunity_from": "Lead", "enquiry_type": "Sales", - "lead": "_T-Lead-00001", + "party_name": "_T-Lead-00001", "transaction_date": "2013-12-12", "items": [{ "item_name": "Test Item", diff --git a/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py b/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py index b20fe15ce2..ec498837f5 100644 --- a/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +++ b/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py @@ -4,86 +4,132 @@ from __future__ import unicode_literals import frappe from frappe import _ +from frappe.utils import flt def execute(filters=None): columns, data = [], [] - columns=get_columns() - data=get_lead_data(filters, "Campaign Name") + columns=get_columns("Campaign Name") + data=get_lead_data(filters or {}, "Campaign Name") return columns, data - -def get_columns(): + +def get_columns(based_on): return [ - _("Campaign Name") + ":data:130", - _("Lead Count") + ":Int:80", - _("Opp Count") + ":Int:80", - _("Quot Count") + ":Int:80", - _("Order Count") + ":Int:100", - _("Order Value") + ":Float:100", - _("Opp/Lead %") + ":Float:100", - _("Quot/Lead %") + ":Float:100", - _("Order/Quot %") + ":Float:100" + { + "fieldname": frappe.scrub(based_on), + "label": _(based_on), + "fieldtype": "Data", + "width": 150 + }, + { + "fieldname": "lead_count", + "label": _("Lead Count"), + "fieldtype": "Int", + "width": 80 + }, + { + "fieldname": "opp_count", + "label": _("Opp Count"), + "fieldtype": "Int", + "width": 80 + }, + { + "fieldname": "quot_count", + "label": _("Quot Count"), + "fieldtype": "Int", + "width": 80 + }, + { + "fieldname": "order_count", + "label": _("Order Count"), + "fieldtype": "Int", + "width": 100 + }, + { + "fieldname": "order_value", + "label": _("Order Value"), + "fieldtype": "Float", + "width": 100 + }, + { + "fieldname": "opp_lead", + "label": _("Opp/Lead %"), + "fieldtype": "Float", + "width": 100 + }, + { + "fieldname": "quot_lead", + "label": _("Quot/Lead %"), + "fieldtype": "Float", + "width": 100 + }, + { + "fieldname": "order_quot", + "label": _("Order/Quot %"), + "fieldtype": "Float", + "width": 100 + } ] - + def get_lead_data(filters, based_on): based_on_field = frappe.scrub(based_on) conditions = get_filter_conditions(filters) - + lead_details = frappe.db.sql(""" select {based_on_field}, name - from `tabLead` - where {based_on_field} is not null and {based_on_field} != '' {conditions} + from `tabLead` + where {based_on_field} is not null and {based_on_field} != '' {conditions} """.format(based_on_field=based_on_field, conditions=conditions), filters, as_dict=1) - + lead_map = frappe._dict() for d in lead_details: lead_map.setdefault(d.get(based_on_field), []).append(d.name) - + data = [] for based_on_value, leads in lead_map.items(): row = { - based_on: based_on_value, - "Lead Count": len(leads) + based_on_field: based_on_value, + "lead_count": len(leads) } - row["Quot Count"]= get_lead_quotation_count(leads) - row["Opp Count"] = get_lead_opp_count(leads) - row["Order Count"] = get_quotation_ordered_count(leads) - row["Order Value"] = get_order_amount(leads) - - row["Opp/Lead %"] = row["Opp Count"] / row["Lead Count"] * 100 - row["Quot/Lead %"] = row["Quot Count"] / row["Lead Count"] * 100 - - row["Order/Quot %"] = row["Order Count"] / (row["Quot Count"] or 1) * 100 - + row["quot_count"]= get_lead_quotation_count(leads) + row["opp_count"] = get_lead_opp_count(leads) + row["order_count"] = get_quotation_ordered_count(leads) + row["order_value"] = get_order_amount(leads) or 0 + + row["opp_lead"] = flt(row["opp_count"]) / flt(row["lead_count"] or 1.0) * 100.0 + row["quot_lead"] = flt(row["quot_count"]) / flt(row["lead_count"] or 1.0) * 100.0 + + row["order_quot"] = flt(row["order_count"]) / flt(row["quot_count"] or 1.0) * 100.0 + data.append(row) - + return data - + def get_filter_conditions(filters): conditions="" if filters.from_date: conditions += " and date(creation) >= %(from_date)s" if filters.to_date: conditions += " and date(creation) <= %(to_date)s" - + return conditions - + def get_lead_quotation_count(leads): - return frappe.db.sql("""select count(name) from `tabQuotation` - where lead in (%s)""" % ', '.join(["%s"]*len(leads)), tuple(leads))[0][0] - + return frappe.db.sql("""select count(name) from `tabQuotation` + where quotation_to = 'Lead' and party_name in (%s)""" % ', '.join(["%s"]*len(leads)), tuple(leads))[0][0] #nosec + def get_lead_opp_count(leads): - return frappe.db.sql("""select count(name) from `tabOpportunity` - where lead in (%s)""" % ', '.join(["%s"]*len(leads)), tuple(leads))[0][0] - + return frappe.db.sql("""select count(name) from `tabOpportunity` + where opportunity_from = 'Lead' and party_name in (%s)""" % ', '.join(["%s"]*len(leads)), tuple(leads))[0][0] + def get_quotation_ordered_count(leads): - return frappe.db.sql("""select count(name) - from `tabQuotation` where status = 'Ordered' - and lead in (%s)""" % ', '.join(["%s"]*len(leads)), tuple(leads))[0][0] - + return frappe.db.sql("""select count(name) + from `tabQuotation` where status = 'Ordered' and quotation_to = 'Lead' + and party_name in (%s)""" % ', '.join(["%s"]*len(leads)), tuple(leads))[0][0] + def get_order_amount(leads): - return frappe.db.sql("""select sum(base_net_amount) + return frappe.db.sql("""select sum(base_net_amount) from `tabSales Order Item` where prevdoc_docname in ( - select name from `tabQuotation` where status = 'Ordered' - and lead in (%s) + select name from `tabQuotation` where status = 'Ordered' + and quotation_to = 'Lead' and party_name in (%s) )""" % ', '.join(["%s"]*len(leads)), tuple(leads))[0][0] \ No newline at end of file diff --git a/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py b/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py index d9ee30ec1a..d91b9c5607 100644 --- a/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py +++ b/erpnext/crm/report/lead_conversion_time/lead_conversion_time.py @@ -66,7 +66,7 @@ def get_columns(): def get_communication_details(filters): communication_count = None communication_list = [] - opportunities = frappe.db.get_values('Opportunity', {'enquiry_from': 'Lead'},\ + opportunities = frappe.db.get_values('Opportunity', {'opportunity_from': 'Lead'},\ ['name', 'customer_name', 'lead', 'contact_email'], as_dict=1) for d in opportunities: diff --git a/erpnext/crm/report/lead_owner_efficiency/lead_owner_efficiency.py b/erpnext/crm/report/lead_owner_efficiency/lead_owner_efficiency.py index 8134bc2003..6172a75fdd 100644 --- a/erpnext/crm/report/lead_owner_efficiency/lead_owner_efficiency.py +++ b/erpnext/crm/report/lead_owner_efficiency/lead_owner_efficiency.py @@ -11,16 +11,61 @@ def execute(filters=None): columns=get_columns() data=get_lead_data(filters, "Lead Owner") return columns, data - + def get_columns(): return [ - _("Lead Owner") + ":Data:130", - _("Lead Count") + ":Int:80", - _("Opp Count") + ":Int:80", - _("Quot Count") + ":Int:80", - _("Order Count") + ":Int:100", - _("Order Value") + ":Float:100", - _("Opp/Lead %") + ":Float:100", - _("Quot/Lead %") + ":Float:100", - _("Order/Quot %") + ":Float:100" + { + "fieldname": "lead_owner", + "label": _("Lead Owner"), + "fieldtype": "Data", + "width": "130" + }, + { + "fieldname": "lead_count", + "label": _("Lead Count"), + "fieldtype": "Int", + "width": "80" + }, + { + "fieldname": "opp_count", + "label": _("Opp Count"), + "fieldtype": "Int", + "width": "80" + }, + { + "fieldname": "quot_count", + "label": _("Quot Count"), + "fieldtype": "Int", + "width": "80" + }, + { + "fieldname": "order_count", + "label": _("Order Count"), + "fieldtype": "Int", + "width": "100" + }, + { + "fieldname": "order_value", + "label": _("Order Value"), + "fieldtype": "Float", + "width": "100" + }, + { + "fieldname": "opp_lead", + "label": _("Opp/Lead %"), + "fieldtype": "Float", + "width": "100" + }, + { + "fieldname": "quot_lead", + "label": _("Quot/Lead %"), + "fieldtype": "Float", + "width": "100" + }, + { + "fieldname": "order_quot", + "label": _("Order/Quot %"), + "fieldtype": "Float", + "width": "100" + } ] \ No newline at end of file diff --git a/erpnext/crm/report/lost_opportunity/lost_opportunity.json b/erpnext/crm/report/lost_opportunity/lost_opportunity.json index c100ffa22d..e7c5068b86 100644 --- a/erpnext/crm/report/lost_opportunity/lost_opportunity.json +++ b/erpnext/crm/report/lost_opportunity/lost_opportunity.json @@ -1,25 +1,25 @@ { - "add_total_row": 0, - "creation": "2018-12-31 16:30:57.188837", - "disabled": 0, - "docstatus": 0, - "doctype": "Report", - "idx": 0, - "is_standard": "Yes", - "json": "{\"order_by\": \"`tabOpportunity`.`modified` desc\", \"filters\": [[\"Opportunity\", \"status\", \"=\", \"Lost\"]], \"fields\": [[\"name\", \"Opportunity\"], [\"enquiry_from\", \"Opportunity\"], [\"customer\", \"Opportunity\"], [\"lead\", \"Opportunity\"], [\"customer_name\", \"Opportunity\"], [\"opportunity_type\", \"Opportunity\"], [\"status\", \"Opportunity\"], [\"contact_by\", \"Opportunity\"], [\"docstatus\", \"Opportunity\"], [\"lost_reason\", \"Lost Reason Detail\"]], \"add_totals_row\": 0, \"add_total_row\": 0, \"page_length\": 20}", - "modified": "2018-12-31 16:33:08.083618", - "modified_by": "Administrator", - "module": "CRM", - "name": "Lost Opportunity", - "owner": "Administrator", - "prepared_report": 0, - "ref_doctype": "Opportunity", - "report_name": "Lost Opportunity", - "report_type": "Report Builder", + "add_total_row": 0, + "creation": "2018-12-31 16:30:57.188837", + "disabled": 0, + "docstatus": 0, + "doctype": "Report", + "idx": 0, + "is_standard": "Yes", + "json": "{\"order_by\": \"`tabOpportunity`.`modified` desc\", \"filters\": [[\"Opportunity\", \"status\", \"=\", \"Lost\"]], \"fields\": [[\"name\", \"Opportunity\"], [\"opportunity_from\", \"Opportunity\"], [\"party_name\", \"Opportunity\"], [\"customer_name\", \"Opportunity\"], [\"opportunity_type\", \"Opportunity\"], [\"status\", \"Opportunity\"], [\"contact_by\", \"Opportunity\"], [\"docstatus\", \"Opportunity\"], [\"lost_reason\", \"Lost Reason Detail\"]], \"add_totals_row\": 0, \"add_total_row\": 0, \"page_length\": 20}", + "modified": "2019-06-26 16:33:08.083618", + "modified_by": "Administrator", + "module": "CRM", + "name": "Lost Opportunity", + "owner": "Administrator", + "prepared_report": 0, + "ref_doctype": "Opportunity", + "report_name": "Lost Opportunity", + "report_type": "Report Builder", "roles": [ { "role": "Sales User" - }, + }, { "role": "Sales Manager" } diff --git a/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py b/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py index 36a4ad64ca..b538a58189 100644 --- a/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +++ b/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py @@ -35,14 +35,14 @@ def get_data(filters): for lead in frappe.get_all('Lead', fields = ['name', 'lead_name', 'company_name'], filters=lead_filters): data = frappe.db.sql(""" - select - `tabCommunication`.reference_doctype, `tabCommunication`.reference_name, + select + `tabCommunication`.reference_doctype, `tabCommunication`.reference_name, `tabCommunication`.content, `tabCommunication`.communication_date - from + from ( - (select name, lead from `tabOpportunity` where lead = %(lead)s) - union - (select name, lead from `tabQuotation` where lead = %(lead)s) + (select name, party_name as lead from `tabOpportunity` where opportunity_from='Lead' and party_name = %(lead)s) + union + (select name, party_name as lead from `tabQuotation` where quotation_to = 'Lead' and party_name = %(lead)s) union (select name, lead from `tabIssue` where lead = %(lead)s and status!='Closed') union diff --git a/erpnext/demo/user/sales.py b/erpnext/demo/user/sales.py index d4b55e8e2c..457e9763dc 100644 --- a/erpnext/demo/user/sales.py +++ b/erpnext/demo/user/sales.py @@ -65,7 +65,7 @@ def work(domain="Manufacturing"): def make_opportunity(domain): b = frappe.get_doc({ "doctype": "Opportunity", - "enquiry_from": "Customer", + "opportunity_from": "Customer", "customer": get_random("Customer"), "opportunity_type": "Sales", "with_items": 1, @@ -108,7 +108,7 @@ def make_quotation(domain): "creation": frappe.flags.current_date, "doctype": "Quotation", "quotation_to": "Customer", - "customer": customer, + "party_name": customer, "currency": party_account_currency or company_currency, "conversion_rate": exchange_rate, "order_type": "Sales", diff --git a/erpnext/erpnext_integrations/doctype/plaid_settings/__init__.py b/erpnext/erpnext_integrations/doctype/plaid_settings/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py new file mode 100644 index 0000000000..fbb0ebc2c8 --- /dev/null +++ b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py @@ -0,0 +1,81 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +from frappe import _ +import requests +from plaid import Client +from plaid.errors import APIError, ItemError + +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")) + + 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") + } + + 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.access_token = access_token + + def get_access_token(self, public_token): + if public_token is None: + frappe.log_error(_("Public token is missing for this bank"), _("Plaid public token error")) + + response = self.client.Item.public_token.exchange(public_token) + access_token = response['access_token'] + + return access_token + + def auth(self): + try: + self.client.Auth.get(self.access_token) + print("Authentication successful.....") + except ItemError as e: + if e.code == 'ITEM_LOGIN_REQUIRED': + pass + else: + pass + except APIError as e: + if e.code == 'PLANNED_MAINTENANCE': + pass + else: + pass + except requests.Timeout: + pass + except Exception as e: + print(e) + frappe.log_error(frappe.get_traceback(), _("Plaid authentication error")) + frappe.msgprint({"title": _("Authentication Failed"), "message":e, "raise_exception":1, "indicator":'red'}) + + def get_transactions(self, start_date, end_date, account_id=None): + try: + self.auth() + if account_id: + account_ids = [account_id] + + response = self.client.Transactions.get(self.access_token, start_date=start_date, end_date=end_date, account_ids=account_ids) + + else: + response = self.client.Transactions.get(self.access_token, start_date=start_date, end_date=end_date) + + transactions = response['transactions'] + + while len(transactions) < response['total_transactions']: + response = self.client.Transactions.get(self.access_token, start_date=start_date, end_date=end_date, offset=len(transactions)) + transactions.extend(response['transactions']) + return transactions + except Exception: + frappe.log_error(frappe.get_traceback(), _("Plaid transactions sync error")) \ No newline at end of file diff --git a/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js new file mode 100644 index 0000000000..ace4fbf9e3 --- /dev/null +++ b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js @@ -0,0 +1,107 @@ +// Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and contributors +// For license information, please see license.txt + +frappe.provide("erpnext.integrations"); + +frappe.ui.form.on('Plaid Settings', { + link_new_account: function(frm) { + new erpnext.integrations.plaidLink(frm); + } +}); + +erpnext.integrations.plaidLink = class plaidLink { + constructor(parent) { + this.frm = parent; + this.product = ["transactions", "auth"]; + this.plaidUrl = 'https://cdn.plaid.com/link/v2/stable/link-initialize.js'; + this.init_config(); + } + + 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")); + } + }); + } + + init_plaid() { + const me = this; + me.loadScript(me.plaidUrl) + .then(() => { + me.onScriptLoaded(me); + }) + .then(() => { + if (me.linkHandler) { + me.linkHandler.open(); + } + }) + .catch((error) => { + me.onScriptError(error); + }); + } + + loadScript(src) { + return new Promise(function (resolve, reject) { + if (document.querySelector('script[src="' + src + '"]')) { + resolve(); + return; + } + const el = document.createElement('script'); + el.type = 'text/javascript'; + el.async = true; + el.src = src; + el.addEventListener('load', resolve); + el.addEventListener('error', reject); + el.addEventListener('abort', reject); + document.head.appendChild(el); + }); + } + + onScriptLoaded(me) { + me.linkHandler = window.Plaid.create({ + clientName: me.client_name, + env: me.plaid_env, + key: me.plaid_public_key, + onSuccess: me.plaid_success, + product: me.product + }); + } + + onScriptError(error) { + frappe.msgprint('There was an issue loading the link-initialize.js script'); + frappe.msgprint(error); + } + + plaid_success(token, response) { + const me = this; + + frappe.prompt({ + fieldtype:"Link", + options: "Company", + label:__("Company"), + fieldname:"company", + reqd:1 + }, (data) => { + me.company = data.company; + frappe.xcall('erpnext.erpnext_integrations.doctype.plaid_settings.plaid_settings.add_institution', {token: token, response: response}) + .then((result) => { + frappe.xcall('erpnext.erpnext_integrations.doctype.plaid_settings.plaid_settings.add_bank_accounts', {response: response, + bank: result, company: me.company}); + }) + .then(() => { + frappe.show_alert({message:__("Bank accounts added"), indicator:'green'}); + }); + }, __("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 new file mode 100644 index 0000000000..ed51c4e8f8 --- /dev/null +++ b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.json @@ -0,0 +1,161 @@ +{ + "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", + "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 + }, + { + "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 + }, + { + "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 + } + ], + "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", + "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, + "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 +} \ 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 new file mode 100644 index 0000000000..8d31e24cd6 --- /dev/null +++ b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.py @@ -0,0 +1,198 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and contributors +# For license information, please see license.txt + +from __future__ import unicode_literals +import frappe +import json +from frappe import _ +from frappe.model.document import Document +from erpnext.accounts.doctype.journal_entry.journal_entry import get_default_bank_cash_account +from erpnext.erpnext_integrations.doctype.plaid_settings.plaid_connector import PlaidConnector +from frappe.utils import getdate, formatdate, today, add_months + +class PlaidSettings(Document): + pass + +@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 } + else: + return "disabled" + +@frappe.whitelist() +def add_institution(token, response): + response = json.loads(response) + + plaid = PlaidConnector() + access_token = plaid.get_access_token(token) + + if not frappe.db.exists("Bank", response["institution"]["name"]): + try: + bank = frappe.get_doc({ + "doctype": "Bank", + "bank_name": response["institution"]["name"], + "plaid_access_token": access_token + }) + bank.insert() + except Exception: + frappe.throw(frappe.get_traceback()) + + else: + bank = frappe.get_doc("Bank", response["institution"]["name"]) + bank.plaid_access_token = access_token + bank.save() + + return bank + +@frappe.whitelist() +def add_bank_accounts(response, bank, company): + response = json.loads(response) if not "accounts" in response else response + bank = json.loads(bank) + result = [] + + default_gl_account = get_default_bank_cash_account(company, "Bank") + if not default_gl_account: + frappe.throw(_("Please setup a default bank account for company {0}".format(company))) + + for account in response["accounts"]: + acc_type = frappe.db.get_value("Account Type", account["type"]) + if not acc_type: + add_account_type(account["type"]) + + acc_subtype = frappe.db.get_value("Account Subtype", account["subtype"]) + if not acc_subtype: + add_account_subtype(account["subtype"]) + + if not frappe.db.exists("Bank Account", dict(integration_id=account["id"])): + try: + new_account = frappe.get_doc({ + "doctype": "Bank Account", + "bank": bank["bank_name"], + "account": default_gl_account.account, + "account_name": account["name"], + "account_type": account["type"] or "", + "account_subtype": account["subtype"] or "", + "mask": account["mask"] or "", + "integration_id": account["id"], + "is_company_account": 1, + "company": company + }) + new_account.insert() + + result.append(new_account.name) + + except frappe.UniqueValidationError: + frappe.msgprint(_("Bank account {0} already exists and could not be created again").format(new_account.account_name)) + except Exception: + frappe.throw(frappe.get_traceback()) + + else: + result.append(frappe.db.get_value("Bank Account", dict(integration_id=account["id"]), "name")) + + return result + +def add_account_type(account_type): + try: + frappe.get_doc({ + "doctype": "Account Type", + "account_type": account_type + }).insert() + except Exception: + frappe.throw(frappe.get_traceback()) + + +def add_account_subtype(account_subtype): + try: + frappe.get_doc({ + "doctype": "Account Subtype", + "account_subtype": account_subtype + }).insert() + except Exception: + frappe.throw(frappe.get_traceback()) + +@frappe.whitelist() +def sync_transactions(bank, bank_account): + + last_sync_date = frappe.db.get_value("Bank Account", bank_account, "last_integration_date") + if last_sync_date: + start_date = formatdate(last_sync_date, "YYYY-MM-dd") + else: + start_date = formatdate(add_months(today(), -12), "YYYY-MM-dd") + end_date = formatdate(today(), "YYYY-MM-dd") + + try: + transactions = get_transactions(bank=bank, bank_account=bank_account, start_date=start_date, end_date=end_date) + result = [] + if transactions: + for transaction in transactions: + result.append(new_bank_transaction(transaction)) + + frappe.db.set_value("Bank Account", bank_account, "last_integration_date", getdate(end_date)) + + return result + except Exception: + frappe.log_error(frappe.get_traceback(), _("Plaid transactions sync error")) + +def get_transactions(bank, bank_account=None, start_date=None, end_date=None): + access_token = None + + if bank_account: + related_bank = frappe.db.get_values("Bank Account", bank_account, ["bank", "integration_id"], as_dict=True) + access_token = frappe.db.get_value("Bank", related_bank[0].bank, "plaid_access_token") + account_id = related_bank[0].integration_id + + else: + access_token = frappe.db.get_value("Bank", bank, "plaid_access_token") + account_id = None + + plaid = PlaidConnector(access_token) + transactions = plaid.get_transactions(start_date=start_date, end_date=end_date, account_id=account_id) + + return transactions + +def new_bank_transaction(transaction): + result = [] + + bank_account = frappe.db.get_value("Bank Account", dict(integration_id=transaction["account_id"])) + + if float(transaction["amount"]) >= 0: + debit = float(transaction["amount"]) + credit = 0 + else: + debit = 0 + credit = abs(float(transaction["amount"])) + + status = "Pending" if transaction["pending"] == "True" else "Settled" + + if not frappe.db.exists("Bank Transaction", dict(transaction_id=transaction["transaction_id"])): + try: + new_transaction = frappe.get_doc({ + "doctype": "Bank Transaction", + "date": getdate(transaction["date"]), + "status": status, + "bank_account": bank_account, + "debit": debit, + "credit": credit, + "currency": transaction["iso_currency_code"], + "description": transaction["name"] + }) + new_transaction.insert() + new_transaction.submit() + + result.append(new_transaction.name) + + except Exception: + frappe.throw(frappe.get_traceback()) + + return result + +def automatic_synchronization(): + settings = frappe.get_doc("Plaid Settings", "Plaid Settings") + + if settings.enabled == 1 and settings.automatic_sync == 1: + plaid_accounts = frappe.get_all("Bank Account", filter={"integration_id": ["!=", ""]}, fields=["name", "bank"]) + + for plaid_account in plaid_accounts: + frappe.enqueue("erpnext.erpnext_integrations.doctype.plaid_settings.plaid_settings.sync_transactions", bank=plaid_account.bank, bank_account=plaid_account.name) diff --git a/erpnext/erpnext_integrations/doctype/plaid_settings/test_plaid_settings.js b/erpnext/erpnext_integrations/doctype/plaid_settings/test_plaid_settings.js new file mode 100644 index 0000000000..dc91347336 --- /dev/null +++ b/erpnext/erpnext_integrations/doctype/plaid_settings/test_plaid_settings.js @@ -0,0 +1,23 @@ +/* eslint-disable */ +// rename this file from _test_[name] to test_[name] to activate +// and remove above this line + +QUnit.test("test: Plaid Settings", function (assert) { + let done = assert.async(); + + // number of asserts + assert.expect(1); + + frappe.run_serially([ + // insert a new Plaid Settings + () => frappe.tests.make('Plaid Settings', [ + // values to be set + {key: 'value'} + ]), + () => { + assert.equal(cur_frm.doc.key, 'value'); + }, + () => done() + ]); + +}); diff --git a/erpnext/erpnext_integrations/doctype/plaid_settings/test_plaid_settings.py b/erpnext/erpnext_integrations/doctype/plaid_settings/test_plaid_settings.py new file mode 100644 index 0000000000..29e8fa4fec --- /dev/null +++ b/erpnext/erpnext_integrations/doctype/plaid_settings/test_plaid_settings.py @@ -0,0 +1,155 @@ +# -*- coding: utf-8 -*- +# Copyright (c) 2018, Frappe Technologies Pvt. Ltd. and Contributors +# See license.txt +from __future__ import unicode_literals + +import unittest +import frappe +from erpnext.erpnext_integrations.doctype.plaid_settings.plaid_settings import plaid_configuration, add_account_type, add_account_subtype, new_bank_transaction, add_bank_accounts +import json +from frappe.utils.response import json_handler +from erpnext.accounts.doctype.journal_entry.journal_entry import get_default_bank_cash_account + +class TestPlaidSettings(unittest.TestCase): + def setUp(self): + pass + + def tearDown(self): + for bt in frappe.get_all("Bank Transaction"): + doc = frappe.get_doc("Bank Transaction", bt.name) + doc.cancel() + doc.delete() + + for ba in frappe.get_all("Bank Account"): + frappe.get_doc("Bank Account", ba.name).delete() + + for at in frappe.get_all("Account Type"): + frappe.get_doc("Account Type", at.name).delete() + + for ast in frappe.get_all("Account Subtype"): + frappe.get_doc("Account Subtype", ast.name).delete() + + def test_plaid_disabled(self): + frappe.db.set_value("Plaid Settings", None, "enabled", 0) + self.assertTrue(plaid_configuration() == "disabled") + + def test_add_account_type(self): + add_account_type("brokerage") + self.assertEqual(frappe.get_doc("Account Type", "brokerage").name, "brokerage") + + def test_add_account_subtype(self): + add_account_subtype("loan") + self.assertEqual(frappe.get_doc("Account Subtype", "loan").name, "loan") + + def test_default_bank_account(self): + if not frappe.db.exists("Bank", "Citi"): + frappe.get_doc({ + "doctype": "Bank", + "bank_name": "Citi" + }).insert() + + bank_accounts = { + 'account': { + 'subtype': 'checking', + 'mask': '0000', + 'type': 'depository', + 'id': '6GbM6RRQgdfy3lAqGz4JUnpmR948WZFg8DjQK', + 'name': 'Plaid Checking' + }, + 'account_id': '6GbM6RRQgdfy3lAqGz4JUnpmR948WZFg8DjQK', + 'link_session_id': 'db673d75-61aa-442a-864f-9b3f174f3725', + 'accounts': [{ + 'type': 'depository', + 'subtype': 'checking', + 'mask': '0000', + 'id': '6GbM6RRQgdfy3lAqGz4JUnpmR948WZFg8DjQK', + 'name': 'Plaid Checking' + }], + 'institution': { + 'institution_id': 'ins_6', + 'name': 'Citi' + } + } + + bank = json.dumps(frappe.get_doc("Bank", "Citi").as_dict(), default=json_handler) + company = frappe.db.get_single_value('Global Defaults', 'default_company') + frappe.db.set_value("Company", company, "default_bank_account", None) + + self.assertRaises(frappe.ValidationError, add_bank_accounts, response=bank_accounts, bank=bank, company=company) + + def test_new_transaction(self): + if not frappe.db.exists("Bank", "Citi"): + frappe.get_doc({ + "doctype": "Bank", + "bank_name": "Citi" + }).insert() + + bank_accounts = { + 'account': { + 'subtype': 'checking', + 'mask': '0000', + 'type': 'depository', + 'id': '6GbM6RRQgdfy3lAqGz4JUnpmR948WZFg8DjQK', + 'name': 'Plaid Checking' + }, + 'account_id': '6GbM6RRQgdfy3lAqGz4JUnpmR948WZFg8DjQK', + 'link_session_id': 'db673d75-61aa-442a-864f-9b3f174f3725', + 'accounts': [{ + 'type': 'depository', + 'subtype': 'checking', + 'mask': '0000', + 'id': '6GbM6RRQgdfy3lAqGz4JUnpmR948WZFg8DjQK', + 'name': 'Plaid Checking' + }], + 'institution': { + 'institution_id': 'ins_6', + 'name': 'Citi' + } + } + + bank = json.dumps(frappe.get_doc("Bank", "Citi").as_dict(), default=json_handler) + company = frappe.db.get_single_value('Global Defaults', 'default_company') + + if frappe.db.get_value("Company", company, "default_bank_account") is None: + frappe.db.set_value("Company", company, "default_bank_account", get_default_bank_cash_account(company, "Cash").get("account")) + + add_bank_accounts(bank_accounts, bank, company) + + transactions = { + 'account_owner': None, + 'category': ['Food and Drink', 'Restaurants'], + 'account_id': 'b4Jkp1LJDZiPgojpr1ansXJrj5Q6w9fVmv6ov', + 'pending_transaction_id': None, + 'transaction_id': 'x374xPa7DvUewqlR5mjNIeGK8r8rl3Sn647LM', + 'unofficial_currency_code': None, + 'name': 'INTRST PYMNT', + 'transaction_type': 'place', + 'amount': -4.22, + 'location': { + 'city': None, + 'zip': None, + 'store_number': None, + 'lon': None, + 'state': None, + 'address': None, + 'lat': None + }, + 'payment_meta': { + 'reference_number': None, + 'payer': None, + 'payment_method': None, + 'reason': None, + 'payee': None, + 'ppd_id': None, + 'payment_processor': None, + 'by_order_of': None + }, + 'date': '2017-12-22', + 'category_id': '13005000', + 'pending': False, + 'iso_currency_code': 'USD' + } + + new_bank_transaction(transactions) + + self.assertTrue(len(frappe.get_all("Bank Transaction")) == 1) \ No newline at end of file diff --git a/erpnext/healthcare/doctype/patient/patient.js b/erpnext/healthcare/doctype/patient/patient.js index de5bce0aa6..169281430c 100644 --- a/erpnext/healthcare/doctype/patient/patient.js +++ b/erpnext/healthcare/doctype/patient/patient.js @@ -123,13 +123,13 @@ var btn_invoice_registration = function (frm) { frappe.ui.form.on('Patient Relation', { patient_relation_add: function(frm){ - frm.fields_dict['patient_relation'].grid.get_field('patient').get_query = function(frm){ + frm.fields_dict['patient_relation'].grid.get_field('patient').get_query = function(doc){ var patient_list = []; - if(!frm.doc.__islocal) patient_list.push(frm.doc.name); - $.each(frm.doc.patient_relation, function(idx, val){ + if(!doc.__islocal) patient_list.push(doc.name); + $.each(doc.patient_relation, function(idx, val){ if (val.patient) patient_list.push(val.patient); }); return { filters: [['Patient', 'name', 'not in', patient_list]] }; }; } -}); \ No newline at end of file +}); diff --git a/erpnext/healthcare/utils.py b/erpnext/healthcare/utils.py index 0987eb5403..6a226d9c6b 100644 --- a/erpnext/healthcare/utils.py +++ b/erpnext/healthcare/utils.py @@ -82,7 +82,7 @@ def get_healthcare_services_to_invoice(patient): 'service': service_item, 'rate': practitioner_charge, 'income_account': income_account}) - lab_tests = frappe.get_list("Lab Test", {'patient': patient.name, 'invoiced': False}) + lab_tests = frappe.get_list("Lab Test", {'patient': patient.name, 'invoiced': False, 'docstatus': 1}) if lab_tests: for lab_test in lab_tests: lab_test_obj = frappe.get_doc("Lab Test", lab_test['name']) diff --git a/erpnext/hooks.py b/erpnext/hooks.py index 756f6ba8ca..d814700a45 100644 --- a/erpnext/hooks.py +++ b/erpnext/hooks.py @@ -245,6 +245,7 @@ scheduler_events = { "erpnext.accounts.doctype.subscription.subscription.process_all", "erpnext.erpnext_integrations.doctype.amazon_mws_settings.amazon_mws_settings.schedule_get_order_details", "erpnext.accounts.doctype.gl_entry.gl_entry.rename_gle_sle_docs", + "erpnext.erpnext_integrations.doctype.plaid_settings.plaid_settings.automatic_synchronization", "erpnext.projects.doctype.project.project.hourly_reminder", "erpnext.projects.doctype.project.project.collect_project_status", "erpnext.hr.doctype.shift_type.shift_type.process_auto_attendance_for_all_shifts", diff --git a/erpnext/hr/doctype/employee/employee.py b/erpnext/hr/doctype/employee/employee.py index 63ba57385a..af87f85743 100755 --- a/erpnext/hr/doctype/employee/employee.py +++ b/erpnext/hr/doctype/employee/employee.py @@ -78,7 +78,15 @@ class Employee(NestedSet): def update_user_permissions(self): if not self.create_user_permission: return - if not has_permission('User Permission', ptype='write'): return + if not has_permission('User Permission', ptype='write', raise_exception=False): return + + employee_user_permission_exists = frappe.db.exists('User Permission', { + 'allow': 'Employee', + 'for_value': self.name, + 'user': self.user_id + }) + + if employee_user_permission_exists: return employee_user_permission_exists = frappe.db.exists('User Permission', { 'allow': 'Employee', @@ -237,7 +245,7 @@ def validate_employee_role(doc, method): def update_user_permissions(doc, method): # called via User hook if "Employee" in [d.role for d in doc.get("roles")]: - if not has_permission('User Permission', ptype='write'): return + if not has_permission('User Permission', ptype='write', raise_exception=False): return employee = frappe.get_doc("Employee", {"user_id": doc.name}) employee.update_user_permissions() diff --git a/erpnext/hr/doctype/employee_onboarding/test_employee_onboarding.py b/erpnext/hr/doctype/employee_onboarding/test_employee_onboarding.py index b7085fa268..5e7f276ccc 100644 --- a/erpnext/hr/doctype/employee_onboarding/test_employee_onboarding.py +++ b/erpnext/hr/doctype/employee_onboarding/test_employee_onboarding.py @@ -39,6 +39,7 @@ class TestEmployeeOnboarding(unittest.TestCase): # complete the task project = frappe.get_doc('Project', onboarding.project) + project.load_tasks() project.tasks[0].status = 'Completed' project.save() diff --git a/erpnext/hr/doctype/employee_separation/test_employee_separation.py b/erpnext/hr/doctype/employee_separation/test_employee_separation.py index 4c3e566713..2fa114d345 100644 --- a/erpnext/hr/doctype/employee_separation/test_employee_separation.py +++ b/erpnext/hr/doctype/employee_separation/test_employee_separation.py @@ -10,9 +10,9 @@ test_dependencies = ["Employee Onboarding"] class TestEmployeeSeparation(unittest.TestCase): def test_employee_separation(self): - employee = get_employee() + employee = frappe.db.get_value("Employee", {"status": "Active"}) separation = frappe.new_doc('Employee Separation') - separation.employee = employee.name + separation.employee = employee separation.company = '_Test Company' separation.append('activities', { 'activity_name': 'Deactivate Employee', @@ -23,7 +23,4 @@ class TestEmployeeSeparation(unittest.TestCase): separation.submit() self.assertEqual(separation.docstatus, 1) separation.cancel() - self.assertEqual(separation.project, "") - -def get_employee(): - return frappe.get_doc('Employee', {'employee_name': 'Test Researcher'}) \ No newline at end of file + self.assertEqual(separation.project, "") \ No newline at end of file diff --git a/erpnext/hr/doctype/expense_claim/expense_claim.json b/erpnext/hr/doctype/expense_claim/expense_claim.json index f0bc268e5d..4e2778f48d 100644 --- a/erpnext/hr/doctype/expense_claim/expense_claim.json +++ b/erpnext/hr/doctype/expense_claim/expense_claim.json @@ -1,429 +1,435 @@ { - "allow_import": 1, - "autoname": "naming_series:", - "creation": "2013-01-10 16:34:14", - "doctype": "DocType", - "document_type": "Setup", - "engine": "InnoDB", - "field_order": [ - "naming_series", - "employee", - "employee_name", - "department", - "column_break_5", - "expense_approver", - "approval_status", - "is_paid", - "expense_details", - "expenses", - "sb1", - "taxes", - "transactions_section", - "total_sanctioned_amount", - "total_taxes_and_charges", - "total_advance_amount", - "column_break_17", - "grand_total", - "total_claimed_amount", - "total_amount_reimbursed", - "section_break_16", - "posting_date", - "vehicle_log", - "task", - "cb1", - "remark", - "title", - "email_id", - "accounting_details", - "company", - "mode_of_payment", - "column_break_24", - "payable_account", - "accounting_dimensions_section", - "project", - "dimension_col_break", - "cost_center", - "more_details", - "status", - "amended_from", - "advance_payments", - "advances" - ], - "fields": [ - { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "no_copy": 1, - "options": "HR-EXP-.YYYY.-", - "print_hide": 1, - "reqd": 1, - "set_only_once": 1 - }, - { - "fieldname": "employee", - "fieldtype": "Link", - "in_global_search": 1, - "label": "From Employee", - "oldfieldname": "employee", - "oldfieldtype": "Link", - "options": "Employee", - "reqd": 1, - "search_index": 1 - }, - { - "fetch_from": "employee.employee_name", - "fieldname": "employee_name", - "fieldtype": "Data", - "in_global_search": 1, - "label": "Employee Name", - "oldfieldname": "employee_name", - "oldfieldtype": "Data", - "read_only": 1, - "width": "150px" - }, - { - "fetch_from": "employee.department", - "fieldname": "department", - "fieldtype": "Link", - "label": "Department", - "options": "Department", - "read_only": 1 - }, - { - "fieldname": "column_break_5", - "fieldtype": "Column Break" - }, - { - "fieldname": "expense_approver", - "fieldtype": "Link", - "label": "Expense Approver", - "options": "User" - }, - { - "default": "Draft", - "fieldname": "approval_status", - "fieldtype": "Select", - "label": "Approval Status", - "no_copy": 1, - "options": "Draft\nApproved\nRejected", - "search_index": 1 - }, - { - "fieldname": "total_claimed_amount", - "fieldtype": "Currency", - "in_list_view": 1, - "label": "Total Claimed Amount", - "no_copy": 1, - "oldfieldname": "total_claimed_amount", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "read_only": 1, - "width": "160px" - }, - { - "fieldname": "total_sanctioned_amount", - "fieldtype": "Currency", - "label": "Total Sanctioned Amount", - "no_copy": 1, - "oldfieldname": "total_sanctioned_amount", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "read_only": 1, - "width": "160px" - }, - { - "default": "0", - "depends_on": "eval:(doc.docstatus==0 || doc.is_paid)", - "fieldname": "is_paid", - "fieldtype": "Check", - "label": "Is Paid" - }, - { - "fieldname": "expense_details", - "fieldtype": "Section Break", - "oldfieldtype": "Section Break" - }, - { - "fieldname": "expenses", - "fieldtype": "Table", - "label": "Expenses", - "oldfieldname": "expense_voucher_details", - "oldfieldtype": "Table", - "options": "Expense Claim Detail", - "reqd": 1 - }, - { - "fieldname": "sb1", - "fieldtype": "Section Break", - "options": "Simple" - }, - { - "default": "Today", - "fieldname": "posting_date", - "fieldtype": "Date", - "label": "Posting Date", - "oldfieldname": "posting_date", - "oldfieldtype": "Date", - "reqd": 1 - }, - { - "fieldname": "vehicle_log", - "fieldtype": "Link", - "label": "Vehicle Log", - "options": "Vehicle Log", - "read_only": 1 - }, - { - "fieldname": "project", - "fieldtype": "Link", - "label": "Project", - "options": "Project" - }, - { - "fieldname": "task", - "fieldtype": "Link", - "label": "Task", - "options": "Task", - "remember_last_selected_value": 1 - }, - { - "fieldname": "cb1", - "fieldtype": "Column Break" - }, - { - "fieldname": "total_amount_reimbursed", - "fieldtype": "Currency", - "in_list_view": 1, - "label": "Total Amount Reimbursed", - "no_copy": 1, - "options": "Company:company:default_currency", - "read_only": 1 - }, - { - "fieldname": "remark", - "fieldtype": "Small Text", - "label": "Remark", - "no_copy": 1, - "oldfieldname": "remark", - "oldfieldtype": "Small Text" - }, - { - "allow_on_submit": 1, - "default": "{employee_name}", - "fieldname": "title", - "fieldtype": "Data", - "hidden": 1, - "label": "Title", - "no_copy": 1 - }, - { - "fieldname": "email_id", - "fieldtype": "Data", - "hidden": 1, - "label": "Employees Email Id", - "oldfieldname": "email_id", - "oldfieldtype": "Data", - "print_hide": 1 - }, - { - "fieldname": "accounting_details", - "fieldtype": "Section Break", - "label": "Accounting Details" - }, - { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "remember_last_selected_value": 1, - "reqd": 1 - }, - { - "depends_on": "is_paid", - "fieldname": "mode_of_payment", - "fieldtype": "Link", - "label": "Mode of Payment", - "options": "Mode of Payment" - }, - { - "fieldname": "column_break_24", - "fieldtype": "Column Break" - }, - { - "fieldname": "payable_account", - "fieldtype": "Link", - "label": "Payable Account", - "options": "Account" - }, - { - "fieldname": "cost_center", - "fieldtype": "Link", - "label": "Cost Center", - "options": "Cost Center" - }, - { - "collapsible": 1, - "fieldname": "more_details", - "fieldtype": "Section Break", - "label": "More Details" - }, - { - "default": "Draft", - "fieldname": "status", - "fieldtype": "Select", - "in_list_view": 1, - "label": "Status", - "no_copy": 1, - "options": "Draft\nPaid\nUnpaid\nRejected\nSubmitted\nCancelled", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "amended_from", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Data", - "options": "Expense Claim", - "print_hide": 1, - "read_only": 1, - "report_hide": 1, - "width": "160px" - }, - { - "fieldname": "advance_payments", - "fieldtype": "Section Break", - "label": "Advance Payments" - }, - { - "fieldname": "advances", - "fieldtype": "Table", - "label": "Advances", - "options": "Expense Claim Advance" - }, - { - "fieldname": "total_advance_amount", - "fieldtype": "Currency", - "label": "Total Advance Amount", - "options": "Company:company:default_currency", - "read_only": 1 - }, - { - "fieldname": "accounting_dimensions_section", - "fieldtype": "Section Break", - "label": "Accounting Dimensions" - }, - { - "fieldname": "dimension_col_break", - "fieldtype": "Column Break" - }, - { - "fieldname": "taxes", - "fieldtype": "Table", - "label": "Expense Taxes and Charges", - "options": "Expense Taxes and Charges" - }, - { - "fieldname": "section_break_16", - "fieldtype": "Section Break" - }, - { - "fieldname": "transactions_section", - "fieldtype": "Section Break" - }, - { - "fieldname": "grand_total", - "fieldtype": "Currency", - "in_list_view": 1, - "label": "Grand Total", - "options": "Company:company:default_currency", - "read_only": 1 - }, - { - "fieldname": "column_break_17", - "fieldtype": "Column Break" - }, - { - "fieldname": "total_taxes_and_charges", - "fieldtype": "Currency", - "label": "Total Taxes and Charges", - "options": "Company:company:default_currency", - "read_only": 1 - } - ], - "icon": "fa fa-money", - "idx": 1, - "is_submittable": 1, - "modified": "2019-06-13 18:05:52.530462", - "modified_by": "Administrator", - "module": "HR", - "name": "Expense Claim", - "name_case": "Title Case", - "owner": "harshada@webnotestech.com", - "permissions": [ - { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "HR Manager", - "share": 1, - "submit": 1, - "write": 1 - }, - { - "create": 1, - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Employee", - "share": 1, - "write": 1 - }, - { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Expense Approver", - "share": 1, - "submit": 1, - "write": 1 - }, - { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "HR User", - "share": 1, - "submit": 1, - "write": 1 - } - ], - "search_fields": "employee,employee_name", - "show_name_in_global_search": 1, - "sort_field": "modified", - "sort_order": "DESC", - "timeline_field": "employee", - "title_field": "title" -} \ No newline at end of file + "allow_import": 1, + "autoname": "naming_series:", + "creation": "2013-01-10 16:34:14", + "doctype": "DocType", + "document_type": "Setup", + "engine": "InnoDB", + "field_order": [ + "naming_series", + "employee", + "employee_name", + "department", + "column_break_5", + "expense_approver", + "approval_status", + "is_paid", + "expense_details", + "expenses", + "sb1", + "taxes", + "transactions_section", + "total_sanctioned_amount", + "total_taxes_and_charges", + "total_advance_amount", + "column_break_17", + "grand_total", + "total_claimed_amount", + "total_amount_reimbursed", + "section_break_16", + "posting_date", + "vehicle_log", + "task", + "cb1", + "remark", + "title", + "email_id", + "accounting_details", + "company", + "mode_of_payment", + "clearance_date", + "column_break_24", + "payable_account", + "accounting_dimensions_section", + "project", + "dimension_col_break", + "cost_center", + "more_details", + "status", + "amended_from", + "advance_payments", + "advances" + ], + "fields": [ + { + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "no_copy": 1, + "options": "HR-EXP-.YYYY.-", + "print_hide": 1, + "reqd": 1, + "set_only_once": 1 + }, + { + "fieldname": "employee", + "fieldtype": "Link", + "in_global_search": 1, + "label": "From Employee", + "oldfieldname": "employee", + "oldfieldtype": "Link", + "options": "Employee", + "reqd": 1, + "search_index": 1 + }, + { + "fetch_from": "employee.employee_name", + "fieldname": "employee_name", + "fieldtype": "Data", + "in_global_search": 1, + "label": "Employee Name", + "oldfieldname": "employee_name", + "oldfieldtype": "Data", + "read_only": 1, + "width": "150px" + }, + { + "fetch_from": "employee.department", + "fieldname": "department", + "fieldtype": "Link", + "label": "Department", + "options": "Department", + "read_only": 1 + }, + { + "fieldname": "column_break_5", + "fieldtype": "Column Break" + }, + { + "fieldname": "expense_approver", + "fieldtype": "Link", + "label": "Expense Approver", + "options": "User" + }, + { + "default": "Draft", + "fieldname": "approval_status", + "fieldtype": "Select", + "label": "Approval Status", + "no_copy": 1, + "options": "Draft\nApproved\nRejected", + "search_index": 1 + }, + { + "fieldname": "total_claimed_amount", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Total Claimed Amount", + "no_copy": 1, + "oldfieldname": "total_claimed_amount", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "read_only": 1, + "width": "160px" + }, + { + "fieldname": "total_sanctioned_amount", + "fieldtype": "Currency", + "label": "Total Sanctioned Amount", + "no_copy": 1, + "oldfieldname": "total_sanctioned_amount", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "read_only": 1, + "width": "160px" + }, + { + "default": "0", + "depends_on": "eval:(doc.docstatus==0 || doc.is_paid)", + "fieldname": "is_paid", + "fieldtype": "Check", + "label": "Is Paid" + }, + { + "fieldname": "expense_details", + "fieldtype": "Section Break", + "oldfieldtype": "Section Break" + }, + { + "fieldname": "expenses", + "fieldtype": "Table", + "label": "Expenses", + "oldfieldname": "expense_voucher_details", + "oldfieldtype": "Table", + "options": "Expense Claim Detail", + "reqd": 1 + }, + { + "fieldname": "sb1", + "fieldtype": "Section Break", + "options": "Simple" + }, + { + "default": "Today", + "fieldname": "posting_date", + "fieldtype": "Date", + "label": "Posting Date", + "oldfieldname": "posting_date", + "oldfieldtype": "Date", + "reqd": 1 + }, + { + "fieldname": "vehicle_log", + "fieldtype": "Link", + "label": "Vehicle Log", + "options": "Vehicle Log", + "read_only": 1 + }, + { + "fieldname": "project", + "fieldtype": "Link", + "label": "Project", + "options": "Project" + }, + { + "fieldname": "task", + "fieldtype": "Link", + "label": "Task", + "options": "Task", + "remember_last_selected_value": 1 + }, + { + "fieldname": "cb1", + "fieldtype": "Column Break" + }, + { + "fieldname": "total_amount_reimbursed", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Total Amount Reimbursed", + "no_copy": 1, + "options": "Company:company:default_currency", + "read_only": 1 + }, + { + "fieldname": "remark", + "fieldtype": "Small Text", + "label": "Remark", + "no_copy": 1, + "oldfieldname": "remark", + "oldfieldtype": "Small Text" + }, + { + "allow_on_submit": 1, + "default": "{employee_name}", + "fieldname": "title", + "fieldtype": "Data", + "hidden": 1, + "label": "Title", + "no_copy": 1 + }, + { + "fieldname": "email_id", + "fieldtype": "Data", + "hidden": 1, + "label": "Employees Email Id", + "oldfieldname": "email_id", + "oldfieldtype": "Data", + "print_hide": 1 + }, + { + "fieldname": "accounting_details", + "fieldtype": "Section Break", + "label": "Accounting Details" + }, + { + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "remember_last_selected_value": 1, + "reqd": 1 + }, + { + "depends_on": "is_paid", + "fieldname": "mode_of_payment", + "fieldtype": "Link", + "label": "Mode of Payment", + "options": "Mode of Payment" + }, + { + "fieldname": "clearance_date", + "fieldtype": "Date", + "label": "Clearance Date" + }, + { + "fieldname": "column_break_24", + "fieldtype": "Column Break" + }, + { + "fieldname": "payable_account", + "fieldtype": "Link", + "label": "Payable Account", + "options": "Account" + }, + { + "fieldname": "cost_center", + "fieldtype": "Link", + "label": "Cost Center", + "options": "Cost Center" + }, + { + "collapsible": 1, + "fieldname": "more_details", + "fieldtype": "Section Break", + "label": "More Details" + }, + { + "default": "Draft", + "fieldname": "status", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Status", + "no_copy": 1, + "options": "Draft\nPaid\nUnpaid\nRejected\nSubmitted\nCancelled", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Data", + "options": "Expense Claim", + "print_hide": 1, + "read_only": 1, + "report_hide": 1, + "width": "160px" + }, + { + "fieldname": "advance_payments", + "fieldtype": "Section Break", + "label": "Advance Payments" + }, + { + "fieldname": "advances", + "fieldtype": "Table", + "label": "Advances", + "options": "Expense Claim Advance" + }, + { + "fieldname": "total_advance_amount", + "fieldtype": "Currency", + "label": "Total Advance Amount", + "options": "Company:company:default_currency", + "read_only": 1 + }, + { + "fieldname": "accounting_dimensions_section", + "fieldtype": "Section Break", + "label": "Accounting Dimensions" + }, + { + "fieldname": "dimension_col_break", + "fieldtype": "Column Break" + }, + { + "fieldname": "taxes", + "fieldtype": "Table", + "label": "Expense Taxes and Charges", + "options": "Expense Taxes and Charges" + }, + { + "fieldname": "section_break_16", + "fieldtype": "Section Break" + }, + { + "fieldname": "transactions_section", + "fieldtype": "Section Break" + }, + { + "fieldname": "grand_total", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Grand Total", + "options": "Company:company:default_currency", + "read_only": 1 + }, + { + "fieldname": "column_break_17", + "fieldtype": "Column Break" + }, + { + "fieldname": "total_taxes_and_charges", + "fieldtype": "Currency", + "label": "Total Taxes and Charges", + "options": "Company:company:default_currency", + "read_only": 1 + } + ], + "icon": "fa fa-money", + "idx": 1, + "is_submittable": 1, + "modified": "2019-06-26 18:05:52.530462", + "modified_by": "Administrator", + "module": "HR", + "name": "Expense Claim", + "name_case": "Title Case", + "owner": "harshada@webnotestech.com", + "permissions": [ + { + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "HR Manager", + "share": 1, + "submit": 1, + "write": 1 + }, + { + "create": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Employee", + "share": 1, + "write": 1 + }, + { + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Expense Approver", + "share": 1, + "submit": 1, + "write": 1 + }, + { + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "HR User", + "share": 1, + "submit": 1, + "write": 1 + } + ], + "search_fields": "employee,employee_name", + "show_name_in_global_search": 1, + "sort_field": "modified", + "sort_order": "DESC", + "timeline_field": "employee", + "title_field": "title" + } \ No newline at end of file diff --git a/erpnext/hr/doctype/expense_claim/test_expense_claim.py b/erpnext/hr/doctype/expense_claim/test_expense_claim.py index a42209f6ad..92fdc09443 100644 --- a/erpnext/hr/doctype/expense_claim/test_expense_claim.py +++ b/erpnext/hr/doctype/expense_claim/test_expense_claim.py @@ -14,20 +14,24 @@ test_dependencies = ['Employee'] class TestExpenseClaim(unittest.TestCase): def test_total_expense_claim_for_project(self): frappe.db.sql("""delete from `tabTask` where project = "_Test Project 1" """) + frappe.db.sql("""delete from `tabProject Task` where parent = "_Test Project 1" """) frappe.db.sql("""delete from `tabProject` where name = "_Test Project 1" """) - + frappe.db.sql("delete from `tabExpense Claim` where project='_Test Project 1'") frappe.get_doc({ "project_name": "_Test Project 1", "doctype": "Project", - "tasks" : - [{ "title": "_Test Project Task 1", "status": "Open" }] + }).save() + + task = frappe.get_doc({ + "doctype": "Task", + "subject": "_Test Project Task 1", + "project": "_Test Project 1" }).save() task_name = frappe.db.get_value("Task", {"project": "_Test Project 1"}) payable_account = get_payable_account("Wind Power LLC") - - make_expense_claim(payable_account, 300, 200, "Wind Power LLC", "Travel Expenses - WP", "_Test Project 1", task_name) + make_expense_claim(payable_account, 300, 200, "Wind Power LLC","Travel Expenses - WP", "_Test Project 1", task_name) self.assertEqual(frappe.db.get_value("Task", task_name, "total_expense_claim"), 200) self.assertEqual(frappe.db.get_value("Project", "_Test Project 1", "total_expense_claim"), 200) @@ -119,9 +123,10 @@ def generate_taxes(): }]} def make_expense_claim(payable_account, amount, sanctioned_amount, company, account, project=None, task_name=None, do_not_submit=False, taxes=None): + employee = frappe.db.get_value("Employee", {"status": "Active"}) expense_claim = { "doctype": "Expense Claim", - "employee": "_T-Employee-00001", + "employee": employee, "payable_account": payable_account, "approval_status": "Approved", "company": company, diff --git a/erpnext/hr/doctype/leave_application/leave_application.py b/erpnext/hr/doctype/leave_application/leave_application.py index 113dcad8ae..1ef8ee00ae 100755 --- a/erpnext/hr/doctype/leave_application/leave_application.py +++ b/erpnext/hr/doctype/leave_application/leave_application.py @@ -135,6 +135,7 @@ class LeaveApplication(Document): # make new attendance and submit it doc = frappe.new_doc("Attendance") doc.employee = self.employee + doc.employee_name = self.employee_name doc.attendance_date = date doc.company = self.company doc.leave_type = self.leave_type diff --git a/erpnext/hr/doctype/payroll_period/payroll_period.py b/erpnext/hr/doctype/payroll_period/payroll_period.py index cb4264ba4e..c1769591ea 100644 --- a/erpnext/hr/doctype/payroll_period/payroll_period.py +++ b/erpnext/hr/doctype/payroll_period/payroll_period.py @@ -102,4 +102,4 @@ def get_period_factor(employee, start_date, end_date, payroll_frequency, payroll remaining_days_in_payroll_period = date_diff(period_end, start_date) + 1 remaining_sub_periods = flt(remaining_days_in_payroll_period) / flt(salary_days) - return total_sub_periods, remaining_sub_periods \ No newline at end of file + return total_sub_periods, remaining_sub_periods diff --git a/erpnext/hr/doctype/salary_component/salary_component.json b/erpnext/hr/doctype/salary_component/salary_component.json index e117a20fcc..986030d8c5 100644 --- a/erpnext/hr/doctype/salary_component/salary_component.json +++ b/erpnext/hr/doctype/salary_component/salary_component.json @@ -1,264 +1,264 @@ { - "allow_import": 1, - "allow_rename": 1, - "autoname": "field:salary_component", - "creation": "2016-06-30 15:42:43.631931", - "doctype": "DocType", - "document_type": "Setup", - "editable_grid": 1, - "engine": "InnoDB", - "field_order": [ - "salary_component", - "salary_component_abbr", - "type", - "description", - "column_break_4", - "is_payable", - "depends_on_payment_days", - "is_tax_applicable", - "deduct_full_tax_on_selected_payroll_date", - "round_to_the_nearest_integer", - "statistical_component", - "do_not_include_in_total", - "disabled", - "flexible_benefits", - "is_flexible_benefit", - "max_benefit_amount", - "column_break_9", - "pay_against_benefit_claim", - "only_tax_impact", - "create_separate_payment_entry_against_benefit_claim", - "section_break_11", - "variable_based_on_taxable_salary", - "section_break_5", - "accounts", - "condition_and_formula", - "condition", - "amount", - "amount_based_on_formula", - "formula", - "column_break_28", - "help" - ], - "fields": [ - { - "fieldname": "salary_component", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Name", - "reqd": 1, - "unique": 1 - }, - { - "fieldname": "salary_component_abbr", - "fieldtype": "Data", - "in_list_view": 1, - "label": "Abbr", - "print_width": "120px", - "reqd": 1, - "width": "120px" - }, - { - "fieldname": "type", - "fieldtype": "Select", - "in_standard_filter": 1, - "label": "Type", - "options": "Earning\nDeduction", - "reqd": 1 - }, - { - "default": "1", - "depends_on": "eval:doc.type == \"Earning\"", - "fieldname": "is_tax_applicable", - "fieldtype": "Check", - "label": "Is Tax Applicable" - }, - { - "default": "1", - "fieldname": "is_payable", - "fieldtype": "Check", - "label": "Is Payable" - }, - { - "default": "1", - "fieldname": "depends_on_payment_days", - "fieldtype": "Check", - "label": "Depends on Payment Days", - "print_hide": 1 - }, - { - "default": "0", - "fieldname": "do_not_include_in_total", - "fieldtype": "Check", - "label": "Do Not Include in Total" - }, - { - "default": "0", - "depends_on": "is_tax_applicable", - "fieldname": "deduct_full_tax_on_selected_payroll_date", - "fieldtype": "Check", - "label": "Deduct Full Tax on Selected Payroll Date" - }, - { - "fieldname": "column_break_4", - "fieldtype": "Column Break" - }, - { - "default": "0", - "fieldname": "disabled", - "fieldtype": "Check", - "label": "Disabled" - }, - { - "fieldname": "description", - "fieldtype": "Small Text", - "in_list_view": 1, - "label": "Description" - }, - { - "default": "0", - "description": "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. ", - "fieldname": "statistical_component", - "fieldtype": "Check", - "label": "Statistical Component" - }, - { - "depends_on": "eval:doc.type==\"Earning\" && doc.statistical_component!=1", - "fieldname": "flexible_benefits", - "fieldtype": "Section Break", - "label": "Flexible Benefits" - }, - { - "default": "0", - "fieldname": "is_flexible_benefit", - "fieldtype": "Check", - "label": "Is Flexible Benefit" - }, - { - "depends_on": "is_flexible_benefit", - "fieldname": "max_benefit_amount", - "fieldtype": "Currency", - "label": "Max Benefit Amount (Yearly)" - }, - { - "fieldname": "column_break_9", - "fieldtype": "Column Break" - }, - { - "default": "0", - "depends_on": "is_flexible_benefit", - "fieldname": "pay_against_benefit_claim", - "fieldtype": "Check", - "label": "Pay Against Benefit Claim" - }, - { - "default": "0", - "depends_on": "eval:doc.is_flexible_benefit == 1 & doc.create_separate_payment_entry_against_benefit_claim !=1", - "fieldname": "only_tax_impact", - "fieldtype": "Check", - "label": "Only Tax Impact (Cannot Claim But Part of Taxable Income)" - }, - { - "default": "0", - "depends_on": "eval:doc.is_flexible_benefit == 1 & doc.only_tax_impact !=1", - "fieldname": "create_separate_payment_entry_against_benefit_claim", - "fieldtype": "Check", - "label": "Create Separate Payment Entry Against Benefit Claim" - }, - { - "depends_on": "eval:doc.type=='Deduction'", - "fieldname": "section_break_11", - "fieldtype": "Section Break" - }, - { - "default": "0", - "fieldname": "variable_based_on_taxable_salary", - "fieldtype": "Check", - "label": "Variable Based On Taxable Salary" - }, - { - "depends_on": "eval:doc.statistical_component != 1", - "fieldname": "section_break_5", - "fieldtype": "Section Break", - "label": "Accounts" - }, - { - "fieldname": "accounts", - "fieldtype": "Table", - "label": "Accounts", - "options": "Salary Component Account" - }, - { - "collapsible": 1, - "depends_on": "eval:doc.is_flexible_benefit != 1 && doc.variable_based_on_taxable_salary != 1", - "fieldname": "condition_and_formula", - "fieldtype": "Section Break", - "label": "Condition and Formula" - }, - { - "fieldname": "condition", - "fieldtype": "Code", - "label": "Condition" - }, - { - "default": "0", - "fieldname": "amount_based_on_formula", - "fieldtype": "Check", - "label": "Amount based on formula" - }, - { - "depends_on": "amount_based_on_formula", - "fieldname": "formula", - "fieldtype": "Code", - "label": "Formula" - }, - { - "depends_on": "eval:doc.amount_based_on_formula!==1", - "fieldname": "amount", - "fieldtype": "Currency", - "label": "Amount" - }, - { - "fieldname": "column_break_28", - "fieldtype": "Column Break" - }, - { - "fieldname": "help", - "fieldtype": "HTML", - "label": "Help", - "options": "

Help

\n\n

Notes:

\n\n
    \n
  1. Use field base for using base salary of the Employee
  2. \n
  3. Use Salary Component abbreviations in conditions and formulas. BS = Basic Salary
  4. \n
  5. Use field name for employee details in conditions and formulas. Employment Type = employment_typeBranch = branch
  6. \n
  7. Use field name from Salary Slip in conditions and formulas. Payment Days = payment_daysLeave without pay = leave_without_pay
  8. \n
  9. Direct Amount can also be entered based on Condtion. See example 3
\n\n

Examples

\n
    \n
  1. Calculating Basic Salary based on base\n
    Condition: base < 10000
    \n
    Formula: base * .2
  2. \n
  3. Calculating HRA based on Basic SalaryBS \n
    Condition: BS > 2000
    \n
    Formula: BS * .1
  4. \n
  5. Calculating TDS based on Employment Typeemployment_type \n
    Condition: employment_type==\"Intern\"
    \n
    Amount: 1000
  6. \n
" - }, - { - "default": "0", - "fieldname": "round_to_the_nearest_integer", - "fieldtype": "Check", - "label": "Round to the Nearest Integer" - } - ], - "icon": "fa fa-flag", - "modified": "2019-06-05 11:34:14.231228", - "modified_by": "Administrator", - "module": "HR", - "name": "Salary Component", - "owner": "Administrator", - "permissions": [ - { - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "HR User", - "share": 1, - "write": 1 - }, - { - "read": 1, - "role": "Employee" - } - ], - "sort_field": "modified", - "sort_order": "DESC" -} \ No newline at end of file + "allow_import": 1, + "allow_rename": 1, + "autoname": "field:salary_component", + "creation": "2016-06-30 15:42:43.631931", + "doctype": "DocType", + "document_type": "Setup", + "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "salary_component", + "salary_component_abbr", + "type", + "description", + "column_break_4", + "is_payable", + "depends_on_payment_days", + "is_tax_applicable", + "deduct_full_tax_on_selected_payroll_date", + "round_to_the_nearest_integer", + "statistical_component", + "do_not_include_in_total", + "disabled", + "flexible_benefits", + "is_flexible_benefit", + "max_benefit_amount", + "column_break_9", + "pay_against_benefit_claim", + "only_tax_impact", + "create_separate_payment_entry_against_benefit_claim", + "section_break_11", + "variable_based_on_taxable_salary", + "section_break_5", + "accounts", + "condition_and_formula", + "condition", + "amount", + "amount_based_on_formula", + "formula", + "column_break_28", + "help" + ], + "fields": [ + { + "fieldname": "salary_component", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Name", + "reqd": 1, + "unique": 1 + }, + { + "fieldname": "salary_component_abbr", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Abbr", + "print_width": "120px", + "reqd": 1, + "width": "120px" + }, + { + "fieldname": "type", + "fieldtype": "Select", + "in_standard_filter": 1, + "label": "Type", + "options": "Earning\nDeduction", + "reqd": 1 + }, + { + "default": "1", + "depends_on": "eval:doc.type == \"Earning\"", + "fieldname": "is_tax_applicable", + "fieldtype": "Check", + "label": "Is Tax Applicable" + }, + { + "default": "1", + "fieldname": "is_payable", + "fieldtype": "Check", + "label": "Is Payable" + }, + { + "default": "1", + "fieldname": "depends_on_payment_days", + "fieldtype": "Check", + "label": "Depends on Payment Days", + "print_hide": 1 + }, + { + "default": "0", + "fieldname": "do_not_include_in_total", + "fieldtype": "Check", + "label": "Do Not Include in Total" + }, + { + "default": "0", + "depends_on": "is_tax_applicable", + "fieldname": "deduct_full_tax_on_selected_payroll_date", + "fieldtype": "Check", + "label": "Deduct Full Tax on Selected Payroll Date" + }, + { + "fieldname": "column_break_4", + "fieldtype": "Column Break" + }, + { + "default": "0", + "fieldname": "disabled", + "fieldtype": "Check", + "label": "Disabled" + }, + { + "fieldname": "description", + "fieldtype": "Small Text", + "in_list_view": 1, + "label": "Description" + }, + { + "default": "0", + "description": "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. ", + "fieldname": "statistical_component", + "fieldtype": "Check", + "label": "Statistical Component" + }, + { + "depends_on": "eval:doc.type==\"Earning\" && doc.statistical_component!=1", + "fieldname": "flexible_benefits", + "fieldtype": "Section Break", + "label": "Flexible Benefits" + }, + { + "default": "0", + "fieldname": "is_flexible_benefit", + "fieldtype": "Check", + "label": "Is Flexible Benefit" + }, + { + "depends_on": "is_flexible_benefit", + "fieldname": "max_benefit_amount", + "fieldtype": "Currency", + "label": "Max Benefit Amount (Yearly)" + }, + { + "fieldname": "column_break_9", + "fieldtype": "Column Break" + }, + { + "default": "0", + "depends_on": "is_flexible_benefit", + "fieldname": "pay_against_benefit_claim", + "fieldtype": "Check", + "label": "Pay Against Benefit Claim" + }, + { + "default": "0", + "depends_on": "eval:doc.is_flexible_benefit == 1 & doc.create_separate_payment_entry_against_benefit_claim !=1", + "fieldname": "only_tax_impact", + "fieldtype": "Check", + "label": "Only Tax Impact (Cannot Claim But Part of Taxable Income)" + }, + { + "default": "0", + "depends_on": "eval:doc.is_flexible_benefit == 1 & doc.only_tax_impact !=1", + "fieldname": "create_separate_payment_entry_against_benefit_claim", + "fieldtype": "Check", + "label": "Create Separate Payment Entry Against Benefit Claim" + }, + { + "depends_on": "eval:doc.type=='Deduction'", + "fieldname": "section_break_11", + "fieldtype": "Section Break" + }, + { + "default": "0", + "fieldname": "variable_based_on_taxable_salary", + "fieldtype": "Check", + "label": "Variable Based On Taxable Salary" + }, + { + "depends_on": "eval:doc.statistical_component != 1", + "fieldname": "section_break_5", + "fieldtype": "Section Break", + "label": "Accounts" + }, + { + "fieldname": "accounts", + "fieldtype": "Table", + "label": "Accounts", + "options": "Salary Component Account" + }, + { + "collapsible": 1, + "depends_on": "eval:doc.is_flexible_benefit != 1 && doc.variable_based_on_taxable_salary != 1", + "fieldname": "condition_and_formula", + "fieldtype": "Section Break", + "label": "Condition and Formula" + }, + { + "fieldname": "condition", + "fieldtype": "Code", + "label": "Condition" + }, + { + "default": "0", + "fieldname": "amount_based_on_formula", + "fieldtype": "Check", + "label": "Amount based on formula" + }, + { + "depends_on": "amount_based_on_formula", + "fieldname": "formula", + "fieldtype": "Code", + "label": "Formula" + }, + { + "depends_on": "eval:doc.amount_based_on_formula!==1", + "fieldname": "amount", + "fieldtype": "Currency", + "label": "Amount" + }, + { + "fieldname": "column_break_28", + "fieldtype": "Column Break" + }, + { + "fieldname": "help", + "fieldtype": "HTML", + "label": "Help", + "options": "

Help

\n\n

Notes:

\n\n
    \n
  1. Use field base for using base salary of the Employee
  2. \n
  3. Use Salary Component abbreviations in conditions and formulas. BS = Basic Salary
  4. \n
  5. Use field name for employee details in conditions and formulas. Employment Type = employment_typeBranch = branch
  6. \n
  7. Use field name from Salary Slip in conditions and formulas. Payment Days = payment_daysLeave without pay = leave_without_pay
  8. \n
  9. Direct Amount can also be entered based on Condtion. See example 3
\n\n

Examples

\n
    \n
  1. Calculating Basic Salary based on base\n
    Condition: base < 10000
    \n
    Formula: base * .2
  2. \n
  3. Calculating HRA based on Basic SalaryBS \n
    Condition: BS > 2000
    \n
    Formula: BS * .1
  4. \n
  5. Calculating TDS based on Employment Typeemployment_type \n
    Condition: employment_type==\"Intern\"
    \n
    Amount: 1000
  6. \n
" + }, + { + "default": "0", + "fieldname": "round_to_the_nearest_integer", + "fieldtype": "Check", + "label": "Round to the Nearest Integer" + } + ], + "icon": "fa fa-flag", + "modified": "2019-06-05 11:34:14.231228", + "modified_by": "Administrator", + "module": "HR", + "name": "Salary Component", + "owner": "Administrator", + "permissions": [ + { + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "HR User", + "share": 1, + "write": 1 + }, + { + "read": 1, + "role": "Employee" + } + ], + "sort_field": "modified", + "sort_order": "DESC" + } \ No newline at end of file diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.json b/erpnext/hr/doctype/salary_slip/salary_slip.json index 681b008d02..fa3114cdaa 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.json +++ b/erpnext/hr/doctype/salary_slip/salary_slip.json @@ -1,1955 +1,1955 @@ { - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, - "allow_import": 0, - "allow_rename": 0, - "beta": 0, - "creation": "2013-01-10 16:34:15", - "custom": 0, - "default_print_format": "", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Setup", - "editable_grid": 0, - "fields": [ - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "Today", - "fieldname": "posting_date", - "fieldtype": "Date", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Posting Date", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, + "allow_copy": 0, + "allow_events_in_timeline": 0, + "allow_guest_to_view": 0, + "allow_import": 1, + "allow_rename": 0, + "beta": 0, + "creation": "2013-01-10 16:34:15", + "custom": 0, + "default_print_format": "", + "docstatus": 0, + "doctype": "DocType", + "document_type": "Setup", + "editable_grid": 0, + "fields": [ + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "Today", + "fieldname": "posting_date", + "fieldtype": "Date", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 1, + "in_standard_filter": 0, + "label": "Posting 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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "employee", + "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": "Employee", + "length": 0, + "no_copy": 0, + "oldfieldname": "employee", + "oldfieldtype": "Link", + "options": "Employee", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 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": 0, + "collapsible": 0, + "columns": 0, + "fetch_from": "employee.employee_name", + "fieldname": "employee_name", + "fieldtype": "Read Only", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 1, + "in_list_view": 1, + "in_standard_filter": 0, + "label": "Employee Name", + "length": 0, + "no_copy": 0, + "oldfieldname": "employee_name", + "oldfieldtype": "Data", + "options": "", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 1, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_from": "employee.department", + "fieldname": "department", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 1, + "label": "Department", + "length": 0, + "no_copy": 0, + "oldfieldname": "department", + "oldfieldtype": "Link", + "options": "Department", + "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, + "depends_on": "eval:doc.designation", + "fetch_from": "employee.designation", + "fieldname": "designation", + "fieldtype": "Read Only", + "hidden": 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": "Designation", + "length": 0, + "no_copy": 0, + "oldfieldname": "designation", + "oldfieldtype": "Link", + "options": "", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_from": "employee.branch", + "fieldname": "branch", + "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": "Branch", + "length": 0, + "no_copy": 0, + "oldfieldname": "branch", + "oldfieldtype": "Link", + "options": "Branch", + "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, + "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, + "fieldname": "status", + "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": "Status", + "length": 0, + "no_copy": 0, + "options": "Draft\nSubmitted\nCancelled", + "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, + "fieldname": "journal_entry", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Journal Entry", + "length": 0, + "no_copy": 0, + "options": "Journal Entry", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 1, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "payroll_entry", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Payroll Entry", + "length": 0, + "no_copy": 0, + "options": "Payroll Entry", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 1, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "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, + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 1, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "letter_head", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 1, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Letter Head", + "length": 0, + "no_copy": 0, + "options": "Letter Head", + "permlevel": 0, + "print_hide": 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, + "fieldname": "section_break_10", + "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, + "depends_on": "", + "fieldname": "salary_slip_based_on_timesheet", + "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": "Salary Slip Based on Timesheet", + "length": 0, + "no_copy": 0, + "options": "", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 1, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "", + "fieldname": "start_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": "Start 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": 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": "", + "depends_on": "", + "fieldname": "end_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": "End 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": 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, + "fieldname": "column_break_15", + "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, + "depends_on": "", + "fieldname": "salary_structure", + "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": "Salary Structure", + "length": 0, + "no_copy": 0, + "options": "Salary Structure", + "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, + "default": "", + "depends_on": "eval:(!doc.salary_slip_based_on_timesheet)", + "fieldname": "payroll_frequency", + "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": "Payroll Frequency", + "length": 0, + "no_copy": 0, + "options": "\nMonthly\nFortnightly\nBimonthly\nWeekly\nDaily", + "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, + "depends_on": "", + "fieldname": "total_working_days", + "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": "Working Days", + "length": 0, + "no_copy": 0, + "oldfieldname": "total_days_in_month", + "oldfieldtype": "Int", + "permlevel": 0, + "print_hide": 0, + "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, + "depends_on": "", + "fieldname": "leave_without_pay", + "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": "Leave Without Pay", + "length": 0, + "no_copy": 0, + "oldfieldname": "leave_without_pay", + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "", + "fieldname": "payment_days", + "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": "Payment Days", + "length": 0, + "no_copy": 0, + "oldfieldname": "payment_days", + "oldfieldtype": "Float", + "permlevel": 0, + "print_hide": 0, + "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, + "depends_on": "", + "fieldname": "hourly_wages", + "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, + "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, + "depends_on": "", + "fieldname": "timesheets", + "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": "Salary Slip Timesheet", + "length": 0, + "no_copy": 0, + "options": "Salary Slip Timesheet", + "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, + "fieldname": "column_break_20", + "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, + "fieldname": "total_working_hours", + "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 Working Hours", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 1, + "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, + "fieldname": "hour_rate", + "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": "Hour Rate", + "length": 0, + "no_copy": 0, + "options": "Company:company:default_currency", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 1, + "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": "", + "fieldname": "section_break_26", + "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, + "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, + "fieldname": "bank_name", + "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": "Bank Name", + "length": 0, + "no_copy": 0, + "oldfieldname": "bank_name", + "oldfieldtype": "Data", + "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, + "fieldname": "bank_account_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": "Bank Account No.", + "length": 0, + "no_copy": 0, + "oldfieldname": "bank_account_no", + "oldfieldtype": "Data", + "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": "section_break_32", + "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, + "fieldname": "deduct_tax_for_unclaimed_employee_benefits", + "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": "Deduct Tax For Unclaimed Employee Benefits", + "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, + "fieldname": "deduct_tax_for_unsubmitted_tax_exemption_proof", + "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": "Deduct Tax For Unsubmitted Tax Exemption Proof", + "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, + "fieldname": "earning_deduction", + "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": "Earning & Deduction", + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "earning", + "fieldtype": "Column Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Earning", + "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, + "depends_on": "", + "fieldname": "earnings", + "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": "Earnings", + "length": 0, + "no_copy": 0, + "oldfieldname": "earning_details", + "oldfieldtype": "Table", + "options": "Salary Detail", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "deduction", + "fieldtype": "Column Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Deduction", + "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, + "fieldname": "deductions", + "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": "Deductions", + "length": 0, + "no_copy": 0, + "oldfieldname": "deduction_details", + "oldfieldtype": "Table", + "options": "Salary Detail", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 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", + "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, + "fieldname": "gross_pay", + "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": "Gross Pay", + "length": 0, + "no_copy": 0, + "oldfieldname": "gross_pay", + "oldfieldtype": "Currency", + "options": "Company:company:default_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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "column_break_25", + "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, + "fieldname": "total_deduction", + "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 Deduction", + "length": 0, + "no_copy": 0, + "oldfieldname": "total_deduction", + "oldfieldtype": "Currency", + "options": "Company:company:default_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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "total_loan_repayment", + "fieldname": "loan_repayment", + "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": "Loan repayment", + "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, + "fieldname": "loans", + "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": "Employee Loan", + "length": 0, + "no_copy": 0, + "options": "Salary Slip Loan", + "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, + "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, + "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": "0", + "fieldname": "total_principal_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": "Total Principal Amount", + "length": 0, + "no_copy": 0, + "options": "Company:company:default_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, + "default": "0", + "fieldname": "total_interest_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": "Total Interest Amount", + "length": 0, + "no_copy": 0, + "options": "Company:company:default_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, + "fieldname": "column_break_45", + "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, + "default": "0", + "fieldname": "total_loan_repayment", + "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 Loan Repayment", + "length": 0, + "no_copy": 0, + "options": "Company:company:default_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, + "fieldname": "net_pay_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": "net pay info", + "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, + "description": "Gross Pay - Total Deduction - Loan Repayment", + "fieldname": "net_pay", + "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 Pay", + "length": 0, + "no_copy": 0, + "oldfieldname": "net_pay", + "oldfieldtype": "Currency", + "options": "Company:company:default_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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "column_break_53", + "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": 1, + "collapsible": 0, + "columns": 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, + "options": "Company:company:default_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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "section_break_55", + "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, + "description": "Net Pay (in words) will be visible once you save the Salary Slip.", + "fieldname": "total_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": "Total in words", + "length": 0, + "no_copy": 0, + "oldfieldname": "net_pay_in_words", + "oldfieldtype": "Data", + "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": "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": "Salary Slip", + "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 + } + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "icon": "fa fa-file-text", + "idx": 9, + "image_view": 0, + "in_create": 0, + "is_submittable": 1, + "issingle": 0, + "istable": 0, + "max_attachments": 0, + "modified": "2019-06-19 13:10:14.524119", + "modified_by": "Administrator", + "module": "HR", + "name": "Salary Slip", + "owner": "Administrator", + "permissions": [ + { + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 0, + "email": 1, + "export": 0, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "HR User", + "set_user_permissions": 0, + "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": "HR Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 1, + "write": 1 + }, + { + "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": "Employee", + "set_user_permissions": 0, + "share": 0, + "submit": 0, + "write": 0 + } + ], + "quick_entry": 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, - "fieldname": "employee", - "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": "Employee", - "length": 0, - "no_copy": 0, - "oldfieldname": "employee", - "oldfieldtype": "Link", - "options": "Employee", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 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": 0, - "collapsible": 0, - "columns": 0, - "fetch_from": "employee.employee_name", - "fieldname": "employee_name", - "fieldtype": "Read Only", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 1, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Employee Name", - "length": 0, - "no_copy": 0, - "oldfieldname": "employee_name", - "oldfieldtype": "Data", - "options": "", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_from": "employee.department", - "fieldname": "department", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 1, - "label": "Department", - "length": 0, - "no_copy": 0, - "oldfieldname": "department", - "oldfieldtype": "Link", - "options": "Department", - "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, - "depends_on": "eval:doc.designation", - "fetch_from": "employee.designation", - "fieldname": "designation", - "fieldtype": "Read Only", - "hidden": 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": "Designation", - "length": 0, - "no_copy": 0, - "oldfieldname": "designation", - "oldfieldtype": "Link", - "options": "", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_from": "employee.branch", - "fieldname": "branch", - "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": "Branch", - "length": 0, - "no_copy": 0, - "oldfieldname": "branch", - "oldfieldtype": "Link", - "options": "Branch", - "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, - "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, - "fieldname": "status", - "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": "Status", - "length": 0, - "no_copy": 0, - "options": "Draft\nSubmitted\nCancelled", - "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, - "fieldname": "journal_entry", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Journal Entry", - "length": 0, - "no_copy": 0, - "options": "Journal Entry", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "payroll_entry", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Payroll Entry", - "length": 0, - "no_copy": 0, - "options": "Payroll Entry", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "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, - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "letter_head", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Letter Head", - "length": 0, - "no_copy": 0, - "options": "Letter Head", - "permlevel": 0, - "print_hide": 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, - "fieldname": "section_break_10", - "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, - "depends_on": "", - "fieldname": "salary_slip_based_on_timesheet", - "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": "Salary Slip Based on Timesheet", - "length": 0, - "no_copy": 0, - "options": "", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "", - "fieldname": "start_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": "Start 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": 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": "", - "depends_on": "", - "fieldname": "end_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": "End 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": 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, - "fieldname": "column_break_15", - "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, - "depends_on": "", - "fieldname": "salary_structure", - "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": "Salary Structure", - "length": 0, - "no_copy": 0, - "options": "Salary Structure", - "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, - "default": "", - "depends_on": "eval:(!doc.salary_slip_based_on_timesheet)", - "fieldname": "payroll_frequency", - "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": "Payroll Frequency", - "length": 0, - "no_copy": 0, - "options": "\nMonthly\nFortnightly\nBimonthly\nWeekly\nDaily", - "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, - "depends_on": "", - "fieldname": "total_working_days", - "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": "Working Days", - "length": 0, - "no_copy": 0, - "oldfieldname": "total_days_in_month", - "oldfieldtype": "Int", - "permlevel": 0, - "print_hide": 0, - "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, - "depends_on": "", - "fieldname": "leave_without_pay", - "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": "Leave Without Pay", - "length": 0, - "no_copy": 0, - "oldfieldname": "leave_without_pay", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "", - "fieldname": "payment_days", - "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": "Payment Days", - "length": 0, - "no_copy": 0, - "oldfieldname": "payment_days", - "oldfieldtype": "Float", - "permlevel": 0, - "print_hide": 0, - "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, - "depends_on": "", - "fieldname": "hourly_wages", - "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, - "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, - "depends_on": "", - "fieldname": "timesheets", - "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": "Salary Slip Timesheet", - "length": 0, - "no_copy": 0, - "options": "Salary Slip Timesheet", - "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, - "fieldname": "column_break_20", - "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, - "fieldname": "total_working_hours", - "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 Working Hours", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 1, - "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, - "fieldname": "hour_rate", - "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": "Hour Rate", - "length": 0, - "no_copy": 0, - "options": "Company:company:default_currency", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 1, - "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": "", - "fieldname": "section_break_26", - "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, - "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, - "fieldname": "bank_name", - "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": "Bank Name", - "length": 0, - "no_copy": 0, - "oldfieldname": "bank_name", - "oldfieldtype": "Data", - "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, - "fieldname": "bank_account_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": "Bank Account No.", - "length": 0, - "no_copy": 0, - "oldfieldname": "bank_account_no", - "oldfieldtype": "Data", - "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": "section_break_32", - "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, - "fieldname": "deduct_tax_for_unclaimed_employee_benefits", - "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": "Deduct Tax For Unclaimed Employee Benefits", - "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, - "fieldname": "deduct_tax_for_unsubmitted_tax_exemption_proof", - "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": "Deduct Tax For Unsubmitted Tax Exemption Proof", - "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, - "fieldname": "earning_deduction", - "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": "Earning & Deduction", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "earning", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Earning", - "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, - "depends_on": "", - "fieldname": "earnings", - "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": "Earnings", - "length": 0, - "no_copy": 0, - "oldfieldname": "earning_details", - "oldfieldtype": "Table", - "options": "Salary Detail", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "deduction", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Deduction", - "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, - "fieldname": "deductions", - "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": "Deductions", - "length": 0, - "no_copy": 0, - "oldfieldname": "deduction_details", - "oldfieldtype": "Table", - "options": "Salary Detail", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 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", - "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, - "fieldname": "gross_pay", - "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": "Gross Pay", - "length": 0, - "no_copy": 0, - "oldfieldname": "gross_pay", - "oldfieldtype": "Currency", - "options": "Company:company:default_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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break_25", - "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, - "fieldname": "total_deduction", - "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 Deduction", - "length": 0, - "no_copy": 0, - "oldfieldname": "total_deduction", - "oldfieldtype": "Currency", - "options": "Company:company:default_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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "total_loan_repayment", - "fieldname": "loan_repayment", - "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": "Loan repayment", - "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, - "fieldname": "loans", - "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": "Employee Loan", - "length": 0, - "no_copy": 0, - "options": "Salary Slip Loan", - "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, - "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, - "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": "0", - "fieldname": "total_principal_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": "Total Principal Amount", - "length": 0, - "no_copy": 0, - "options": "Company:company:default_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, - "default": "0", - "fieldname": "total_interest_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": "Total Interest Amount", - "length": 0, - "no_copy": 0, - "options": "Company:company:default_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, - "fieldname": "column_break_45", - "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, - "default": "0", - "fieldname": "total_loan_repayment", - "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 Loan Repayment", - "length": 0, - "no_copy": 0, - "options": "Company:company:default_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, - "fieldname": "net_pay_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": "net pay info", - "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, - "description": "Gross Pay - Total Deduction - Loan Repayment", - "fieldname": "net_pay", - "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 Pay", - "length": 0, - "no_copy": 0, - "oldfieldname": "net_pay", - "oldfieldtype": "Currency", - "options": "Company:company:default_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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break_53", - "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": 1, - "collapsible": 0, - "columns": 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, - "options": "Company:company:default_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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "section_break_55", - "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, - "description": "Net Pay (in words) will be visible once you save the Salary Slip.", - "fieldname": "total_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": "Total in words", - "length": 0, - "no_copy": 0, - "oldfieldname": "net_pay_in_words", - "oldfieldtype": "Data", - "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": "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": "Salary Slip", - "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 - } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "icon": "fa fa-file-text", - "idx": 9, - "image_view": 0, - "in_create": 0, - "is_submittable": 1, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "modified": "2019-05-13 13:10:14.524119", - "modified_by": "Administrator", - "module": "HR", - "name": "Salary Slip", - "owner": "Administrator", - "permissions": [ - { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 0, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "HR User", - "set_user_permissions": 0, - "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": "HR Manager", - "set_user_permissions": 0, - "share": 1, - "submit": 1, - "write": 1 - }, - { - "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": "Employee", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - } - ], - "quick_entry": 0, - "read_only": 0, - "read_only_onload": 0, - "show_name_in_global_search": 1, - "sort_field": "modified", - "sort_order": "DESC", - "timeline_field": "employee", - "title_field": "employee_name", - "track_changes": 0, - "track_seen": 0, - "track_views": 0 -} \ No newline at end of file + "read_only_onload": 0, + "show_name_in_global_search": 1, + "sort_field": "modified", + "sort_order": "DESC", + "timeline_field": "employee", + "title_field": "employee_name", + "track_changes": 0, + "track_seen": 0, + "track_views": 0 + } \ No newline at end of file diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.py b/erpnext/hr/doctype/salary_slip/salary_slip.py index 62382b691e..db0a3a5ece 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.py +++ b/erpnext/hr/doctype/salary_slip/salary_slip.py @@ -296,10 +296,7 @@ class SalarySlip(TransactionBase): self.set_loan_repayment() - self.net_pay = 0 - if self.total_working_days: - self.net_pay = flt(self.gross_pay) - (flt(self.total_deduction) + flt(self.total_loan_repayment)) - + self.net_pay = flt(self.gross_pay) - (flt(self.total_deduction) + flt(self.total_loan_repayment)) self.rounded_total = rounded(self.net_pay) def calculate_component_amounts(self): diff --git a/erpnext/hr/report/salary_register/salary_register.py b/erpnext/hr/report/salary_register/salary_register.py index be4b501c6e..ea7fc06cff 100644 --- a/erpnext/hr/report/salary_register/salary_register.py +++ b/erpnext/hr/report/salary_register/salary_register.py @@ -125,4 +125,4 @@ def get_ss_ded_map(salary_slips): ss_ded_map.setdefault(d.parent, frappe._dict()).setdefault(d.salary_component, []) ss_ded_map[d.parent][d.salary_component] = flt(d.amount) - return ss_ded_map \ No newline at end of file + return ss_ded_map diff --git a/erpnext/hub_node/legacy.py b/erpnext/hub_node/legacy.py index 9daee2752f..95ada76a6a 100644 --- a/erpnext/hub_node/legacy.py +++ b/erpnext/hub_node/legacy.py @@ -28,7 +28,7 @@ def make_opportunity(buyer_name, email_id): lead.save(ignore_permissions=True) o = frappe.new_doc("Opportunity") - o.enquiry_from = "Lead" + o.opportunity_from = "Lead" o.lead = frappe.get_all("Lead", filters={"email_id": email_id}, fields = ["name"])[0]["name"] o.save(ignore_permissions=True) diff --git a/erpnext/manufacturing/doctype/job_card/job_card.py b/erpnext/manufacturing/doctype/job_card/job_card.py index 23a4e5105c..a8faa13241 100644 --- a/erpnext/manufacturing/doctype/job_card/job_card.py +++ b/erpnext/manufacturing/doctype/job_card/job_card.py @@ -18,21 +18,22 @@ class JobCard(Document): self.total_completed_qty = 0.0 self.total_time_in_mins = 0.0 - for d in self.get('time_logs'): - if get_datetime(d.from_time) > get_datetime(d.to_time): - frappe.throw(_("Row {0}: From time must be less than to time").format(d.idx)) + if self.get('time_logs'): + for d in self.get('time_logs'): + if get_datetime(d.from_time) > get_datetime(d.to_time): + frappe.throw(_("Row {0}: From time must be less than to time").format(d.idx)) - data = self.get_overlap_for(d) - if data: - frappe.throw(_("Row {0}: From Time and To Time of {1} is overlapping with {2}") - .format(d.idx, self.name, data.name)) + data = self.get_overlap_for(d) + if data: + frappe.throw(_("Row {0}: From Time and To Time of {1} is overlapping with {2}") + .format(d.idx, self.name, data.name)) - if d.from_time and d.to_time: - d.time_in_mins = time_diff_in_hours(d.to_time, d.from_time) * 60 - self.total_time_in_mins += d.time_in_mins + if d.from_time and d.to_time: + d.time_in_mins = time_diff_in_hours(d.to_time, d.from_time) * 60 + self.total_time_in_mins += d.time_in_mins - if d.completed_qty: - self.total_completed_qty += d.completed_qty + if d.completed_qty: + self.total_completed_qty += d.completed_qty def get_overlap_for(self, args): existing = frappe.db.sql("""select jc.name as name from @@ -112,8 +113,10 @@ class JobCard(Document): for_quantity += doc.total_completed_qty time_in_mins += doc.total_time_in_mins for time_log in doc.time_logs: - from_time_list.append(time_log.from_time) - to_time_list.append(time_log.to_time) + if time_log.from_time: + from_time_list.append(time_log.from_time) + if time_log.to_time: + to_time_list.append(time_log.to_time) if for_quantity: wo = frappe.get_doc('Work Order', self.work_order) diff --git a/erpnext/manufacturing/doctype/work_order/work_order.json b/erpnext/manufacturing/doctype/work_order/work_order.json index 3bc2899cc9..1534b5929d 100644 --- a/erpnext/manufacturing/doctype/work_order/work_order.json +++ b/erpnext/manufacturing/doctype/work_order/work_order.json @@ -1,484 +1,484 @@ { - "allow_import": 1, - "autoname": "naming_series:", - "creation": "2013-01-10 16:34:16", - "doctype": "DocType", - "document_type": "Setup", - "field_order": [ - "item", - "naming_series", - "status", - "production_item", - "item_name", - "image", - "bom_no", - "allow_alternative_item", - "use_multi_level_bom", - "skip_transfer", - "column_break1", - "company", - "qty", - "material_transferred_for_manufacturing", - "produced_qty", - "sales_order", - "project", - "from_wip_warehouse", - "warehouses", - "wip_warehouse", - "fg_warehouse", - "column_break_12", - "scrap_warehouse", - "required_items_section", - "required_items", - "time", - "planned_start_date", - "actual_start_date", - "column_break_13", - "planned_end_date", - "actual_end_date", - "expected_delivery_date", - "operations_section", - "transfer_material_against", - "operations", - "section_break_22", - "planned_operating_cost", - "actual_operating_cost", - "additional_operating_cost", - "column_break_24", - "total_operating_cost", - "more_info", - "description", - "stock_uom", - "column_break2", - "material_request", - "material_request_item", - "sales_order_item", - "production_plan", - "production_plan_item", - "product_bundle_item", - "amended_from" - ], - "fields": [ - { - "fieldname": "item", - "fieldtype": "Section Break", - "options": "fa fa-gift" - }, - { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "options": "MFG-WO-.YYYY.-", - "print_hide": 1, - "reqd": 1, - "set_only_once": 1 - }, - { - "default": "Draft", - "depends_on": "eval:!doc.__islocal", - "fieldname": "status", - "fieldtype": "Select", - "label": "Status", - "no_copy": 1, - "oldfieldname": "status", - "oldfieldtype": "Select", - "options": "\nDraft\nSubmitted\nNot Started\nIn Process\nCompleted\nStopped\nCancelled", - "read_only": 1, - "reqd": 1, - "search_index": 1 - }, - { - "fieldname": "production_item", - "fieldtype": "Link", - "in_global_search": 1, - "in_list_view": 1, - "in_standard_filter": 1, - "label": "Item To Manufacture", - "oldfieldname": "production_item", - "oldfieldtype": "Link", - "options": "Item", - "reqd": 1 - }, - { - "depends_on": "eval:doc.production_item", - "fieldname": "item_name", - "fieldtype": "Data", - "label": "Item Name", - "read_only": 1 - }, - { - "fetch_from": "production_item.image", - "fieldname": "image", - "fieldtype": "Attach Image", - "hidden": 1, - "label": "Image", - "options": "image", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "bom_no", - "fieldtype": "Link", - "label": "BOM No", - "oldfieldname": "bom_no", - "oldfieldtype": "Link", - "options": "BOM", - "reqd": 1 - }, - { - "default": "0", - "fieldname": "allow_alternative_item", - "fieldtype": "Check", - "label": "Allow Alternative Item" - }, - { - "default": "1", - "description": "Plan material for sub-assemblies", - "fieldname": "use_multi_level_bom", - "fieldtype": "Check", - "label": "Use Multi-Level BOM", - "print_hide": 1 - }, - { - "default": "0", - "description": "Check if material transfer entry is not required", - "fieldname": "skip_transfer", - "fieldtype": "Check", - "label": "Skip Material Transfer to WIP Warehouse" - }, - { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "width": "50%" - }, - { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "oldfieldname": "company", - "oldfieldtype": "Link", - "options": "Company", - "remember_last_selected_value": 1, - "reqd": 1 - }, - { - "fieldname": "qty", - "fieldtype": "Float", - "label": "Qty To Manufacture", - "oldfieldname": "qty", - "oldfieldtype": "Currency", - "reqd": 1 - }, - { - "default": "0", - "depends_on": "eval:doc.docstatus==1 && doc.skip_transfer==0", - "fieldname": "material_transferred_for_manufacturing", - "fieldtype": "Float", - "label": "Material Transferred for Manufacturing", - "no_copy": 1, - "read_only": 1 - }, - { - "default": "0", - "depends_on": "eval:doc.docstatus==1", - "fieldname": "produced_qty", - "fieldtype": "Float", - "label": "Manufactured Qty", - "no_copy": 1, - "oldfieldname": "produced_qty", - "oldfieldtype": "Currency", - "read_only": 1 - }, - { - "allow_on_submit": 1, - "fieldname": "sales_order", - "fieldtype": "Link", - "in_global_search": 1, - "label": "Sales Order", - "options": "Sales Order" - }, - { - "fieldname": "project", - "fieldtype": "Link", - "label": "Project", - "oldfieldname": "project", - "oldfieldtype": "Link", - "options": "Project" - }, - { - "default": "0", - "depends_on": "skip_transfer", - "fieldname": "from_wip_warehouse", - "fieldtype": "Check", - "label": "Backflush Raw Materials From Work-in-Progress Warehouse" - }, - { - "fieldname": "warehouses", - "fieldtype": "Section Break", - "label": "Warehouses", - "options": "fa fa-building" - }, - { - "fieldname": "wip_warehouse", - "fieldtype": "Link", - "label": "Work-in-Progress Warehouse", - "options": "Warehouse" - }, - { - "fieldname": "fg_warehouse", - "fieldtype": "Link", - "label": "Target Warehouse", - "options": "Warehouse" - }, - { - "fieldname": "column_break_12", - "fieldtype": "Column Break" - }, - { - "fieldname": "scrap_warehouse", - "fieldtype": "Link", - "label": "Scrap Warehouse", - "options": "Warehouse" - }, - { - "fieldname": "required_items_section", - "fieldtype": "Section Break", - "label": "Required Items" - }, - { - "fieldname": "required_items", - "fieldtype": "Table", - "label": "Required Items", - "no_copy": 1, - "options": "Work Order Item", - "print_hide": 1 - }, - { - "fieldname": "time", - "fieldtype": "Section Break", - "label": "Time", - "options": "fa fa-time" - }, - { - "allow_on_submit": 1, - "default": "now", - "fieldname": "planned_start_date", - "fieldtype": "Datetime", - "label": "Planned Start Date", - "reqd": 1 - }, - { - "fieldname": "actual_start_date", - "fieldtype": "Datetime", - "label": "Actual Start Date", - "read_only": 1 - }, - { - "fieldname": "column_break_13", - "fieldtype": "Column Break" - }, - { - "fieldname": "planned_end_date", - "fieldtype": "Datetime", - "label": "Planned End Date", - "no_copy": 1, - "read_only": 1 - }, - { - "fieldname": "actual_end_date", - "fieldtype": "Datetime", - "label": "Actual End Date", - "read_only": 1 - }, - { - "allow_on_submit": 1, - "fieldname": "expected_delivery_date", - "fieldtype": "Date", - "label": "Expected Delivery Date" - }, - { - "fieldname": "operations_section", - "fieldtype": "Section Break", - "label": "Operations", - "options": "fa fa-wrench" - }, - { - "default": "Work Order", - "depends_on": "operations", - "fieldname": "transfer_material_against", - "fieldtype": "Select", - "label": "Transfer Material Against", - "options": "\nWork Order\nJob Card" - }, - { - "fieldname": "operations", - "fieldtype": "Table", - "label": "Operations", - "options": "Work Order Operation", - "read_only": 1 - }, - { - "depends_on": "operations", - "fieldname": "section_break_22", - "fieldtype": "Section Break", - "label": "Operation Cost" - }, - { - "fieldname": "planned_operating_cost", - "fieldtype": "Currency", - "label": "Planned Operating Cost", - "options": "Company:company:default_currency", - "read_only": 1 - }, - { - "fieldname": "actual_operating_cost", - "fieldtype": "Currency", - "label": "Actual Operating Cost", - "no_copy": 1, - "options": "Company:company:default_currency", - "read_only": 1 - }, - { - "fieldname": "additional_operating_cost", - "fieldtype": "Currency", - "label": "Additional Operating Cost", - "no_copy": 1, - "options": "Company:company:default_currency" - }, - { - "fieldname": "column_break_24", - "fieldtype": "Column Break" - }, - { - "fieldname": "total_operating_cost", - "fieldtype": "Currency", - "label": "Total Operating Cost", - "no_copy": 1, - "options": "Company:company:default_currency", - "read_only": 1 - }, - { - "collapsible": 1, - "fieldname": "more_info", - "fieldtype": "Section Break", - "label": "More Information", - "options": "fa fa-file-text" - }, - { - "fieldname": "description", - "fieldtype": "Small Text", - "label": "Item Description", - "read_only": 1 - }, - { - "fieldname": "stock_uom", - "fieldtype": "Link", - "label": "Stock UOM", - "oldfieldname": "stock_uom", - "oldfieldtype": "Data", - "options": "UOM", - "read_only": 1 - }, - { - "fieldname": "column_break2", - "fieldtype": "Column Break", - "width": "50%" - }, - { - "description": "Manufacture against Material Request", - "fieldname": "material_request", - "fieldtype": "Link", - "label": "Material Request", - "options": "Material Request" - }, - { - "fieldname": "material_request_item", - "fieldtype": "Data", - "hidden": 1, - "label": "Material Request Item", - "read_only": 1 - }, - { - "fieldname": "sales_order_item", - "fieldtype": "Data", - "hidden": 1, - "label": "Sales Order Item", - "read_only": 1 - }, - { - "fieldname": "production_plan", - "fieldtype": "Link", - "label": "Production Plan", - "no_copy": 1, - "options": "Production Plan", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "production_plan_item", - "fieldtype": "Data", - "label": "Production Plan Item", - "no_copy": 1, - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "product_bundle_item", - "fieldtype": "Link", - "label": "Product Bundle Item", - "no_copy": 1, - "options": "Item", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "amended_from", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Data", - "options": "Work Order", - "read_only": 1 - } - ], - "icon": "fa fa-cogs", - "idx": 1, - "image_field": "image", - "is_submittable": 1, - "modified": "2019-05-27 09:36:16.707719", - "modified_by": "Administrator", - "module": "Manufacturing", - "name": "Work Order", - "owner": "Administrator", - "permissions": [ - { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "import": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Manufacturing User", - "set_user_permissions": 1, - "share": 1, - "submit": 1, - "write": 1 - }, - { - "read": 1, - "report": 1, - "role": "Stock User" - } - ], - "sort_order": "ASC", - "title_field": "production_item", - "track_changes": 1, - "track_seen": 1 -} \ No newline at end of file + "allow_import": 1, + "autoname": "naming_series:", + "creation": "2013-01-10 16:34:16", + "doctype": "DocType", + "document_type": "Setup", + "field_order": [ + "item", + "naming_series", + "status", + "production_item", + "item_name", + "image", + "bom_no", + "allow_alternative_item", + "use_multi_level_bom", + "skip_transfer", + "column_break1", + "company", + "qty", + "material_transferred_for_manufacturing", + "produced_qty", + "sales_order", + "project", + "from_wip_warehouse", + "warehouses", + "wip_warehouse", + "fg_warehouse", + "column_break_12", + "scrap_warehouse", + "required_items_section", + "required_items", + "time", + "planned_start_date", + "actual_start_date", + "column_break_13", + "planned_end_date", + "actual_end_date", + "expected_delivery_date", + "operations_section", + "transfer_material_against", + "operations", + "section_break_22", + "planned_operating_cost", + "actual_operating_cost", + "additional_operating_cost", + "column_break_24", + "total_operating_cost", + "more_info", + "description", + "stock_uom", + "column_break2", + "material_request", + "material_request_item", + "sales_order_item", + "production_plan", + "production_plan_item", + "product_bundle_item", + "amended_from" + ], + "fields": [ + { + "fieldname": "item", + "fieldtype": "Section Break", + "options": "fa fa-gift" + }, + { + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "options": "MFG-WO-.YYYY.-", + "print_hide": 1, + "reqd": 1, + "set_only_once": 1 + }, + { + "default": "Draft", + "depends_on": "eval:!doc.__islocal", + "fieldname": "status", + "fieldtype": "Select", + "label": "Status", + "no_copy": 1, + "oldfieldname": "status", + "oldfieldtype": "Select", + "options": "\nDraft\nSubmitted\nNot Started\nIn Process\nCompleted\nStopped\nCancelled", + "read_only": 1, + "reqd": 1, + "search_index": 1 + }, + { + "fieldname": "production_item", + "fieldtype": "Link", + "in_global_search": 1, + "in_list_view": 1, + "in_standard_filter": 1, + "label": "Item To Manufacture", + "oldfieldname": "production_item", + "oldfieldtype": "Link", + "options": "Item", + "reqd": 1 + }, + { + "depends_on": "eval:doc.production_item", + "fieldname": "item_name", + "fieldtype": "Data", + "label": "Item Name", + "read_only": 1 + }, + { + "fetch_from": "production_item.image", + "fieldname": "image", + "fieldtype": "Attach Image", + "hidden": 1, + "label": "Image", + "options": "image", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "bom_no", + "fieldtype": "Link", + "label": "BOM No", + "oldfieldname": "bom_no", + "oldfieldtype": "Link", + "options": "BOM", + "reqd": 1 + }, + { + "default": "0", + "fieldname": "allow_alternative_item", + "fieldtype": "Check", + "label": "Allow Alternative Item" + }, + { + "default": "1", + "description": "Plan material for sub-assemblies", + "fieldname": "use_multi_level_bom", + "fieldtype": "Check", + "label": "Use Multi-Level BOM", + "print_hide": 1 + }, + { + "default": "0", + "description": "Check if material transfer entry is not required", + "fieldname": "skip_transfer", + "fieldtype": "Check", + "label": "Skip Material Transfer to WIP Warehouse" + }, + { + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "width": "50%" + }, + { + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "remember_last_selected_value": 1, + "reqd": 1 + }, + { + "fieldname": "qty", + "fieldtype": "Float", + "label": "Qty To Manufacture", + "oldfieldname": "qty", + "oldfieldtype": "Currency", + "reqd": 1 + }, + { + "default": "0", + "depends_on": "eval:doc.docstatus==1 && doc.skip_transfer==0", + "fieldname": "material_transferred_for_manufacturing", + "fieldtype": "Float", + "label": "Material Transferred for Manufacturing", + "no_copy": 1, + "read_only": 1 + }, + { + "default": "0", + "depends_on": "eval:doc.docstatus==1", + "fieldname": "produced_qty", + "fieldtype": "Float", + "label": "Manufactured Qty", + "no_copy": 1, + "oldfieldname": "produced_qty", + "oldfieldtype": "Currency", + "read_only": 1 + }, + { + "allow_on_submit": 1, + "fieldname": "sales_order", + "fieldtype": "Link", + "in_global_search": 1, + "label": "Sales Order", + "options": "Sales Order" + }, + { + "fieldname": "project", + "fieldtype": "Link", + "label": "Project", + "oldfieldname": "project", + "oldfieldtype": "Link", + "options": "Project" + }, + { + "default": "0", + "depends_on": "skip_transfer", + "fieldname": "from_wip_warehouse", + "fieldtype": "Check", + "label": "Backflush Raw Materials From Work-in-Progress Warehouse" + }, + { + "fieldname": "warehouses", + "fieldtype": "Section Break", + "label": "Warehouses", + "options": "fa fa-building" + }, + { + "fieldname": "wip_warehouse", + "fieldtype": "Link", + "label": "Work-in-Progress Warehouse", + "options": "Warehouse" + }, + { + "fieldname": "fg_warehouse", + "fieldtype": "Link", + "label": "Target Warehouse", + "options": "Warehouse" + }, + { + "fieldname": "column_break_12", + "fieldtype": "Column Break" + }, + { + "fieldname": "scrap_warehouse", + "fieldtype": "Link", + "label": "Scrap Warehouse", + "options": "Warehouse" + }, + { + "fieldname": "required_items_section", + "fieldtype": "Section Break", + "label": "Required Items" + }, + { + "fieldname": "required_items", + "fieldtype": "Table", + "label": "Required Items", + "no_copy": 1, + "options": "Work Order Item", + "print_hide": 1 + }, + { + "fieldname": "time", + "fieldtype": "Section Break", + "label": "Time", + "options": "fa fa-time" + }, + { + "allow_on_submit": 1, + "default": "now", + "fieldname": "planned_start_date", + "fieldtype": "Datetime", + "label": "Planned Start Date", + "reqd": 1 + }, + { + "fieldname": "actual_start_date", + "fieldtype": "Datetime", + "label": "Actual Start Date", + "read_only": 1 + }, + { + "fieldname": "column_break_13", + "fieldtype": "Column Break" + }, + { + "fieldname": "planned_end_date", + "fieldtype": "Datetime", + "label": "Planned End Date", + "no_copy": 1, + "read_only": 1 + }, + { + "fieldname": "actual_end_date", + "fieldtype": "Datetime", + "label": "Actual End Date", + "read_only": 1 + }, + { + "allow_on_submit": 1, + "fieldname": "expected_delivery_date", + "fieldtype": "Date", + "label": "Expected Delivery Date" + }, + { + "fieldname": "operations_section", + "fieldtype": "Section Break", + "label": "Operations", + "options": "fa fa-wrench" + }, + { + "default": "Work Order", + "depends_on": "operations", + "fieldname": "transfer_material_against", + "fieldtype": "Select", + "label": "Transfer Material Against", + "options": "\nWork Order\nJob Card" + }, + { + "fieldname": "operations", + "fieldtype": "Table", + "label": "Operations", + "options": "Work Order Operation", + "read_only": 1 + }, + { + "depends_on": "operations", + "fieldname": "section_break_22", + "fieldtype": "Section Break", + "label": "Operation Cost" + }, + { + "fieldname": "planned_operating_cost", + "fieldtype": "Currency", + "label": "Planned Operating Cost", + "options": "Company:company:default_currency", + "read_only": 1 + }, + { + "fieldname": "actual_operating_cost", + "fieldtype": "Currency", + "label": "Actual Operating Cost", + "no_copy": 1, + "options": "Company:company:default_currency", + "read_only": 1 + }, + { + "fieldname": "additional_operating_cost", + "fieldtype": "Currency", + "label": "Additional Operating Cost", + "no_copy": 1, + "options": "Company:company:default_currency" + }, + { + "fieldname": "column_break_24", + "fieldtype": "Column Break" + }, + { + "fieldname": "total_operating_cost", + "fieldtype": "Currency", + "label": "Total Operating Cost", + "no_copy": 1, + "options": "Company:company:default_currency", + "read_only": 1 + }, + { + "collapsible": 1, + "fieldname": "more_info", + "fieldtype": "Section Break", + "label": "More Information", + "options": "fa fa-file-text" + }, + { + "fieldname": "description", + "fieldtype": "Small Text", + "label": "Item Description", + "read_only": 1 + }, + { + "fieldname": "stock_uom", + "fieldtype": "Link", + "label": "Stock UOM", + "oldfieldname": "stock_uom", + "oldfieldtype": "Data", + "options": "UOM", + "read_only": 1 + }, + { + "fieldname": "column_break2", + "fieldtype": "Column Break", + "width": "50%" + }, + { + "description": "Manufacture against Material Request", + "fieldname": "material_request", + "fieldtype": "Link", + "label": "Material Request", + "options": "Material Request" + }, + { + "fieldname": "material_request_item", + "fieldtype": "Data", + "hidden": 1, + "label": "Material Request Item", + "read_only": 1 + }, + { + "fieldname": "sales_order_item", + "fieldtype": "Data", + "hidden": 1, + "label": "Sales Order Item", + "read_only": 1 + }, + { + "fieldname": "production_plan", + "fieldtype": "Link", + "label": "Production Plan", + "no_copy": 1, + "options": "Production Plan", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "production_plan_item", + "fieldtype": "Data", + "label": "Production Plan Item", + "no_copy": 1, + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "product_bundle_item", + "fieldtype": "Link", + "label": "Product Bundle Item", + "no_copy": 1, + "options": "Item", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Data", + "options": "Work Order", + "read_only": 1 + } + ], + "icon": "fa fa-cogs", + "idx": 1, + "image_field": "image", + "is_submittable": 1, + "modified": "2019-05-27 09:36:16.707719", + "modified_by": "Administrator", + "module": "Manufacturing", + "name": "Work Order", + "owner": "Administrator", + "permissions": [ + { + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Manufacturing User", + "set_user_permissions": 1, + "share": 1, + "submit": 1, + "write": 1 + }, + { + "read": 1, + "report": 1, + "role": "Stock User" + } + ], + "sort_order": "ASC", + "title_field": "production_item", + "track_changes": 1, + "track_seen": 1 + } \ No newline at end of file diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 36a31cfadc..3b94720082 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -569,7 +569,7 @@ execute:frappe.delete_doc_if_exists("Page", "sales-analytics") execute:frappe.delete_doc_if_exists("Page", "purchase-analytics") execute:frappe.delete_doc_if_exists("Page", "stock-analytics") execute:frappe.delete_doc_if_exists("Page", "production-analytics") -erpnext.patches.v11_0.ewaybill_fields_gst_india #2019-05-01 +erpnext.patches.v11_0.ewaybill_fields_gst_india #2018-11-13 #2019-01-09 #2019-04-01 #2019-04-26 #2019-05-03 erpnext.patches.v11_0.drop_column_max_days_allowed erpnext.patches.v10_0.update_user_image_in_employee erpnext.patches.v10_0.repost_gle_for_purchase_receipts_with_rejected_items @@ -605,6 +605,13 @@ erpnext.patches.v11_1.delete_scheduling_tool erpnext.patches.v12_0.make_custom_fields_for_bank_remittance #14-06-2019 execute:frappe.delete_doc_if_exists("Page", "support-analytics") erpnext.patches.v12_0.make_item_manufacturer +erpnext.patches.v11_1.move_customer_lead_to_dynamic_column +erpnext.patches.v11_1.set_default_action_for_quality_inspection +erpnext.patches.v11_1.delete_bom_browser +erpnext.patches.v11_1.set_missing_title_for_quotation +erpnext.patches.v11_1.update_bank_transaction_status +erpnext.patches.v11_1.renamed_delayed_item_report +erpnext.patches.v11_1.set_missing_opportunity_from erpnext.patches.v12_0.set_quotation_status erpnext.patches.v12_0.set_priority_for_support erpnext.patches.v12_0.delete_priority_property_setter diff --git a/erpnext/patches/v11_1/delete_bom_browser.py b/erpnext/patches/v11_1/delete_bom_browser.py new file mode 100644 index 0000000000..457f511667 --- /dev/null +++ b/erpnext/patches/v11_1/delete_bom_browser.py @@ -0,0 +1,8 @@ +# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + frappe.delete_doc_if_exists('Page', 'bom-browser') \ No newline at end of file diff --git a/erpnext/patches/v11_1/move_customer_lead_to_dynamic_column.py b/erpnext/patches/v11_1/move_customer_lead_to_dynamic_column.py new file mode 100644 index 0000000000..5b1251c31c --- /dev/null +++ b/erpnext/patches/v11_1/move_customer_lead_to_dynamic_column.py @@ -0,0 +1,14 @@ +# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + frappe.reload_doctype("Quotation") + frappe.db.sql(""" UPDATE `tabQuotation` set party_name = lead WHERE quotation_to = 'Lead' """) + frappe.db.sql(""" UPDATE `tabQuotation` set party_name = customer WHERE quotation_to = 'Customer' """) + + frappe.reload_doctype("Opportunity") + frappe.db.sql(""" UPDATE `tabOpportunity` set party_name = lead WHERE opportunity_from = 'Lead' """) + frappe.db.sql(""" UPDATE `tabOpportunity` set party_name = customer WHERE opportunity_from = 'Customer' """) \ No newline at end of file diff --git a/erpnext/patches/v11_1/renamed_delayed_item_report.py b/erpnext/patches/v11_1/renamed_delayed_item_report.py new file mode 100644 index 0000000000..222b9a0b17 --- /dev/null +++ b/erpnext/patches/v11_1/renamed_delayed_item_report.py @@ -0,0 +1,10 @@ +# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + for report in ["Delayed Order Item Summary", "Delayed Order Summary"]: + if frappe.db.exists("Report", report): + frappe.delete_doc("Report", report) \ No newline at end of file diff --git a/erpnext/patches/v11_1/set_default_action_for_quality_inspection.py b/erpnext/patches/v11_1/set_default_action_for_quality_inspection.py new file mode 100644 index 0000000000..b13239f7d1 --- /dev/null +++ b/erpnext/patches/v11_1/set_default_action_for_quality_inspection.py @@ -0,0 +1,15 @@ +# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + stock_settings = frappe.get_doc('Stock Settings') + if stock_settings.default_warehouse and not frappe.db.exists("Warehouse", stock_settings.default_warehouse): + stock_settings.default_warehouse = None + if stock_settings.stock_uom and not frappe.db.exists("UOM", stock_settings.stock_uom): + stock_settings.stock_uom = None + stock_settings.flags.ignore_mandatory = True + stock_settings.action_if_quality_inspection_is_not_submitted = "Stop" + stock_settings.save() diff --git a/erpnext/patches/v11_1/set_missing_opportunity_from.py b/erpnext/patches/v11_1/set_missing_opportunity_from.py new file mode 100644 index 0000000000..cb444b2e5d --- /dev/null +++ b/erpnext/patches/v11_1/set_missing_opportunity_from.py @@ -0,0 +1,17 @@ +from __future__ import unicode_literals +import frappe + +def execute(): + + frappe.reload_doctype("Opportunity") + if frappe.db.has_column("Opportunity", "enquiry_from"): + frappe.db.sql(""" UPDATE `tabOpportunity` set opportunity_from = enquiry_from + where ifnull(opportunity_from, '') = '' and ifnull(enquiry_from, '') != ''""") + + if frappe.db.has_column("Opportunity", "lead") and frappe.db.has_column("Opportunity", "enquiry_from"): + frappe.db.sql(""" UPDATE `tabOpportunity` set party_name = lead + where enquiry_from = 'Lead' and ifnull(party_name, '') = '' and ifnull(lead, '') != ''""") + + if frappe.db.has_column("Opportunity", "customer") and frappe.db.has_column("Opportunity", "enquiry_from"): + frappe.db.sql(""" UPDATE `tabOpportunity` set party_name = customer + where enquiry_from = 'Customer' and ifnull(party_name, '') = '' and ifnull(customer, '') != ''""") diff --git a/erpnext/patches/v11_1/set_missing_title_for_quotation.py b/erpnext/patches/v11_1/set_missing_title_for_quotation.py new file mode 100644 index 0000000000..e2ef3433d3 --- /dev/null +++ b/erpnext/patches/v11_1/set_missing_title_for_quotation.py @@ -0,0 +1,28 @@ +import frappe + +def execute(): + frappe.reload_doctype("Quotation") + # update customer_name from Customer document if quotation_to is set to Customer + frappe.db.sql(''' + update tabQuotation, tabCustomer + set + tabQuotation.customer_name = tabCustomer.customer_name, + tabQuotation.title = tabCustomer.customer_name + where + tabQuotation.customer_name is null + and tabQuotation.party_name = tabCustomer.name + and tabQuotation.quotation_to = 'Customer' + ''') + + # update customer_name from Lead document if quotation_to is set to Lead + + frappe.db.sql(''' + update tabQuotation, tabLead + set + tabQuotation.customer_name = case when ifnull(tabLead.company_name, '') != '' then tabLead.company_name else tabLead.lead_name end, + tabQuotation.title = case when ifnull(tabLead.company_name, '') != '' then tabLead.company_name else tabLead.lead_name end + where + tabQuotation.customer_name is null + and tabQuotation.party_name = tabLead.name + and tabQuotation.quotation_to = 'Lead' + ''') diff --git a/erpnext/patches/v11_1/update_bank_transaction_status.py b/erpnext/patches/v11_1/update_bank_transaction_status.py new file mode 100644 index 0000000000..1acdfcccf9 --- /dev/null +++ b/erpnext/patches/v11_1/update_bank_transaction_status.py @@ -0,0 +1,15 @@ +# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + frappe.reload_doc("accounts", "doctype", "bank_transaction") + + frappe.db.sql(""" UPDATE `tabBank Transaction` + SET status = 'Reconciled' + WHERE + status = 'Settled' and (debit = allocated_amount or credit = allocated_amount) + and ifnull(allocated_amount, 0) > 0 + """) \ No newline at end of file diff --git a/erpnext/patches/v8_7/sync_india_custom_fields.py b/erpnext/patches/v8_7/sync_india_custom_fields.py index e1ae0b738a..80d66c2ab1 100644 --- a/erpnext/patches/v8_7/sync_india_custom_fields.py +++ b/erpnext/patches/v8_7/sync_india_custom_fields.py @@ -8,10 +8,10 @@ def execute(): return frappe.reload_doc('hr', 'doctype', 'payroll_period') - frappe.reload_doc('hr', 'doctype', 'employee_tax_exemption_declaration_category') - frappe.reload_doc('hr', 'doctype', 'employee_tax_exemption_proof_submission_detail') frappe.reload_doc('hr', 'doctype', 'employee_tax_exemption_declaration') frappe.reload_doc('hr', 'doctype', 'employee_tax_exemption_proof_submission') + frappe.reload_doc('hr', 'doctype', 'employee_tax_exemption_declaration_category') + frappe.reload_doc('hr', 'doctype', 'employee_tax_exemption_proof_submission_detail') for doctype in ["Sales Invoice", "Delivery Note", "Purchase Invoice"]: frappe.db.sql("""delete from `tabCustom Field` where dt = %s diff --git a/erpnext/projects/doctype/project/project.py b/erpnext/projects/doctype/project/project.py index 75847d5167..ded1e5388c 100644 --- a/erpnext/projects/doctype/project/project.py +++ b/erpnext/projects/doctype/project/project.py @@ -30,13 +30,14 @@ class Project(Document): self.update_costing() - def __setup__(self): + def before_print(self): self.onload() def load_tasks(self): """Load `tasks` from the database""" if frappe.flags.in_import: return + project_task_custom_fields = frappe.get_all("Custom Field", {"dt": "Project Task"}, "fieldname") self.tasks = [] for task in self.get_tasks(): @@ -50,7 +51,7 @@ class Project(Document): "task_weight": task.task_weight } - self.map_custom_fields(task, task_map) + self.map_custom_fields(task, task_map, project_task_custom_fields) self.append("tasks", task_map) @@ -76,7 +77,7 @@ class Project(Document): self.copy_from_template() self.validate_dates() self.send_welcome_email() - self.update_percent_complete() + self.update_percent_complete(from_validate=True) def copy_from_template(self): ''' @@ -181,7 +182,7 @@ class Project(Document): "task_weight": t.task_weight }) - self.map_custom_fields(t, task) + self.map_custom_fields(t, task, custom_fields) task.flags.ignore_links = True task.flags.from_project = True @@ -205,10 +206,6 @@ class Project(Document): for t in frappe.get_all("Task", ["name"], {"project": self.name, "name": ("not in", task_names)}): self.deleted_task_list.append(t.name) - def update_costing_and_percentage_complete(self): - self.update_percent_complete() - self.update_costing() - def is_row_updated(self, row, existing_task_data, fields): if self.get("__islocal") or not existing_task_data: return True @@ -218,10 +215,8 @@ class Project(Document): if row.get(field) != d.get(field): return True - def map_custom_fields(self, source, target): - project_task_custom_fields = frappe.get_all("Custom Field", {"dt": "Project Task"}, "fieldname") - - for field in project_task_custom_fields: + def map_custom_fields(self, source, target, custom_fields): + for field in custom_fields: target.update({ field.fieldname: source.get(field.fieldname) }) @@ -229,15 +224,13 @@ class Project(Document): def update_project(self): self.update_percent_complete() self.update_costing() - self.flags.dont_sync_tasks = True - self.save(ignore_permissions=True) def after_insert(self): self.copy_from_template() if self.sales_order: frappe.db.set_value("Sales Order", self.sales_order, "project", self.name) - def update_percent_complete(self): + def update_percent_complete(self, from_validate=False): if not self.tasks: return total = frappe.db.sql("""select count(name) from tabTask where project=%s""", self.name)[0][0] @@ -275,6 +268,9 @@ class Project(Document): else: self.status = "Open" + if not from_validate: + self.db_update() + def update_costing(self): from_time_sheet = frappe.db.sql("""select sum(costing_amount) as costing_amount, @@ -301,6 +297,7 @@ class Project(Document): self.update_sales_amount() self.update_billed_amount() self.calculate_gross_margin() + self.db_update() def calculate_gross_margin(self): expense_amount = (flt(self.total_costing_amount) + flt(self.total_expense_claim) @@ -354,7 +351,7 @@ class Project(Document): def on_update(self): self.delete_task() self.load_tasks() - self.update_costing_and_percentage_complete() + self.update_project() self.update_dependencies_on_duplicated_project() def delete_task(self): @@ -658,4 +655,3 @@ def set_project_status(project, status): project.status = status project.save() - diff --git a/erpnext/projects/doctype/project/test_project.py b/erpnext/projects/doctype/project/test_project.py index f0a3656c20..beb1f130f5 100644 --- a/erpnext/projects/doctype/project/test_project.py +++ b/erpnext/projects/doctype/project/test_project.py @@ -32,23 +32,6 @@ class TestProject(unittest.TestCase): self.assertEqual(task4.title, 'Task 4') self.assertEqual(getdate(task4.end_date), getdate('2019-01-06')) - def test_bulk_complete_and_cancel(self): - frappe.db.sql('delete from tabTask where project = "Test Project for Bulk Actions"') - frappe.delete_doc('Project', 'Test Project for Bulk Actions') - - project = get_project('Test Project for Bulk Actions') - set_project_status(project.name, 'Completed') - - # check all tasks are completed - self.assertTrue(all([d.status=='Completed' for d in - frappe.get_all('Task', ['name', 'status'], dict(project = project.name))])) - - # check all tasks are cancelled - set_project_status(project.name, 'Cancelled') - self.assertTrue(all([d.status=='Cancelled' for d in - frappe.get_all('Task', ['name', 'status'], dict(project = project.name))])) - - def get_project(name): template = get_project_template() diff --git a/erpnext/projects/doctype/task/task.js b/erpnext/projects/doctype/task/task.js index 298efbf236..489c7a3b32 100644 --- a/erpnext/projects/doctype/task/task.js +++ b/erpnext/projects/doctype/task/task.js @@ -19,7 +19,7 @@ frappe.ui.form.on("Task", { }, refresh: function(frm) { - frm.fields_dict['parent_task'].get_query = function() { + frm.fields_dict['parent_task'].get_query = function () { return { filters: { "is_group": 1, @@ -27,8 +27,22 @@ frappe.ui.form.on("Task", { } } - if(!frm.doc.is_group){ + if (!frm.doc.is_group) { if (!frm.is_new()) { + if (frappe.model.can_read("Timesheet")) { + frm.add_custom_button(__("Timesheet"), () => { + frappe.route_options = { "project": frm.doc.project, "task": frm.doc.name } + frappe.set_route("List", "Timesheet"); + }, __("View"), true); + } + + if (frappe.model.can_read("Expense Claim")) { + frm.add_custom_button(__("Expense Claims"), () => { + frappe.route_options = { "project": frm.doc.project, "task": frm.doc.name }; + frappe.set_route("List", "Expense Claim"); + }, __("View"), true); + } + if (frm.perm[0].write) { if (!["Closed", "Cancelled"].includes(frm.doc.status)) { frm.add_custom_button(__("Close"), () => { diff --git a/erpnext/projects/doctype/task/task.json b/erpnext/projects/doctype/task/task.json index 269d417800..c5131c70d9 100644 --- a/erpnext/projects/doctype/task/task.json +++ b/erpnext/projects/doctype/task/task.json @@ -1,380 +1,381 @@ { - "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 - }, - { - "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-05-16 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", + "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 diff --git a/erpnext/projects/doctype/task/task.py b/erpnext/projects/doctype/task/task.py index b5e4ff84af..d8fc199ec2 100755 --- a/erpnext/projects/doctype/task/task.py +++ b/erpnext/projects/doctype/task/task.py @@ -164,7 +164,6 @@ class Task(NestedSet): if task.get('task_id') == self.name: frappe.delete_doc('Project Task', task.name) - self.update_nsm_model() def update_status(self): diff --git a/erpnext/public/build.json b/erpnext/public/build.json index f6137d5871..1490374d2d 100644 --- a/erpnext/public/build.json +++ b/erpnext/public/build.json @@ -14,38 +14,38 @@ "css/erpnext-web.css": [ "public/scss/website.scss" ], - "js/marketplace.min.js": [ - "public/js/hub/marketplace.js" - ], - "js/erpnext.min.js": [ - "public/js/conf.js", - "public/js/utils.js", - "public/js/queries.js", - "public/js/sms_manager.js", - "public/js/utils/party.js", - "public/js/templates/address_list.html", - "public/js/templates/contact_list.html", - "public/js/controllers/stock_controller.js", - "public/js/payment/payments.js", - "public/js/controllers/taxes_and_totals.js", - "public/js/controllers/transaction.js", - "public/js/pos/pos.html", - "public/js/pos/pos_bill_item.html", - "public/js/pos/pos_bill_item_new.html", - "public/js/pos/pos_selected_item.html", - "public/js/pos/pos_item.html", - "public/js/pos/pos_tax_row.html", - "public/js/pos/customer_toolbar.html", - "public/js/pos/pos_invoice_list.html", - "public/js/payment/pos_payment.html", - "public/js/payment/payment_details.html", - "public/js/templates/item_selector.html", + "js/marketplace.min.js": [ + "public/js/hub/marketplace.js" + ], + "js/erpnext.min.js": [ + "public/js/conf.js", + "public/js/utils.js", + "public/js/queries.js", + "public/js/sms_manager.js", + "public/js/utils/party.js", + "public/js/templates/address_list.html", + "public/js/templates/contact_list.html", + "public/js/controllers/stock_controller.js", + "public/js/payment/payments.js", + "public/js/controllers/taxes_and_totals.js", + "public/js/controllers/transaction.js", + "public/js/pos/pos.html", + "public/js/pos/pos_bill_item.html", + "public/js/pos/pos_bill_item_new.html", + "public/js/pos/pos_selected_item.html", + "public/js/pos/pos_item.html", + "public/js/pos/pos_tax_row.html", + "public/js/pos/customer_toolbar.html", + "public/js/pos/pos_invoice_list.html", + "public/js/payment/pos_payment.html", + "public/js/payment/payment_details.html", + "public/js/templates/item_selector.html", "public/js/templates/employees_to_mark_attendance.html", - "public/js/utils/item_selector.js", - "public/js/help_links.js", - "public/js/agriculture/ternary_plot.js", - "public/js/templates/item_quick_entry.html", - "public/js/utils/item_quick_entry.js", + "public/js/utils/item_selector.js", + "public/js/help_links.js", + "public/js/agriculture/ternary_plot.js", + "public/js/templates/item_quick_entry.html", + "public/js/utils/item_quick_entry.js", "public/js/utils/customer_quick_entry.js", "public/js/education/student_button.html", "public/js/education/assessment_result_tool.html", diff --git a/erpnext/public/js/controllers/transaction.js b/erpnext/public/js/controllers/transaction.js index bbd1f1c17b..8fb21bccc3 100644 --- a/erpnext/public/js/controllers/transaction.js +++ b/erpnext/public/js/controllers/transaction.js @@ -298,7 +298,7 @@ erpnext.TransactionController = erpnext.taxes_and_totals.extend({ args: { search_value: this.frm.doc.scan_barcode } }).then(r => { const data = r && r.message; - if (!data) { + if (!data || Object.keys(data).length === 0) { scan_barcode_field.set_new_description(__('Cannot find Item with this barcode')); return; } @@ -437,7 +437,8 @@ erpnext.TransactionController = erpnext.taxes_and_totals.extend({ serial_no: item.serial_no, set_warehouse: me.frm.doc.set_warehouse, warehouse: item.warehouse, - customer: me.frm.doc.customer, + customer: me.frm.doc.customer || me.frm.doc.party_name, + quotation_to: me.frm.doc.quotation_to, supplier: me.frm.doc.supplier, currency: me.frm.doc.currency, update_stock: update_stock, @@ -1179,7 +1180,8 @@ erpnext.TransactionController = erpnext.taxes_and_totals.extend({ var me = this; return { "items": this._get_item_list(item), - "customer": me.frm.doc.customer, + "customer": me.frm.doc.customer || me.frm.doc.party_name, + "quotation_to": me.frm.doc.quotation_to, "customer_group": me.frm.doc.customer_group, "territory": me.frm.doc.territory, "supplier": me.frm.doc.supplier, diff --git a/erpnext/public/js/utils.js b/erpnext/public/js/utils.js index dd8abfbdd1..cf48be4128 100755 --- a/erpnext/public/js/utils.js +++ b/erpnext/public/js/utils.js @@ -266,6 +266,16 @@ $.extend(erpnext.utils, { refresh_field(table_fieldname); }, + create_new_doc: function (doctype, update_fields) { + frappe.model.with_doctype(doctype, function() { + var new_doc = frappe.model.get_new_doc(doctype); + for (let [key, value] of Object.entries(update_fields)) { + new_doc[key] = value; + } + frappe.ui.form.make_quick_entry(doctype, null, null, new_doc); + }); + } + }); erpnext.utils.select_alternate_items = function(opts) { diff --git a/erpnext/public/js/utils/party.js b/erpnext/public/js/utils/party.js index 44f9f24a91..35185c90b6 100644 --- a/erpnext/public/js/utils/party.js +++ b/erpnext/public/js/utils/party.js @@ -8,10 +8,17 @@ erpnext.utils.get_party_details = function(frm, method, args, callback) { method = "erpnext.accounts.party.get_party_details"; } if(!args) { - if(frm.doctype != "Purchase Order" && frm.doc.customer) { + if((frm.doctype != "Purchase Order" && frm.doc.customer) + || (frm.doc.party_name && in_list(['Quotation', 'Opportunity'], frm.doc.doctype))) { + + let party_type = "Customer"; + if(frm.doc.quotation_to && frm.doc.quotation_to === "Lead") { + party_type = "Lead"; + } + args = { - party: frm.doc.customer, - party_type: "Customer", + party: frm.doc.customer || frm.doc.party_name, + party_type: party_type, price_list: frm.doc.selling_price_list }; } else if(frm.doc.supplier) { @@ -104,7 +111,7 @@ erpnext.utils.set_taxes_from_address = function(frm, triggered_from_field, billi if(frappe.meta.get_docfield(frm.doc.doctype, "taxes")) { if(!erpnext.utils.validate_mandatory(frm, "Lead/Customer/Supplier", - frm.doc.customer || frm.doc.supplier || frm.doc.lead, triggered_from_field)) { + frm.doc.customer || frm.doc.supplier || frm.doc.lead || frm.doc.party_name, triggered_from_field)) { return; } @@ -160,6 +167,9 @@ erpnext.utils.set_taxes = function(frm, triggered_from_field) { } else if (frm.doc.supplier) { party_type = 'Supplier'; party = frm.doc.supplier; + } else if (frm.doc.quotation_to){ + party_type = frm.doc.quotation_to; + party = frm.doc.party_name; } frappe.call({ diff --git a/erpnext/public/less/erpnext.less b/erpnext/public/less/erpnext.less index b746cc138f..8ed5f1adb0 100644 --- a/erpnext/public/less/erpnext.less +++ b/erpnext/public/less/erpnext.less @@ -25,10 +25,10 @@ .app-icon-svg { display: inline-block; - margin: auto; - text-align: center; - border-radius: 16px; - cursor: pointer; + margin: auto; + text-align: center; + border-radius: 16px; + cursor: pointer; box-shadow: 0px 2px 5px rgba(0, 0, 0, 0.15); } @@ -458,4 +458,4 @@ body[data-route="pos"] { .list-item_content { padding-right: 45px; } -} +} \ No newline at end of file diff --git a/erpnext/regional/india/setup.py b/erpnext/regional/india/setup.py index 26fdb1a904..eeb314cd25 100644 --- a/erpnext/regional/india/setup.py +++ b/erpnext/regional/india/setup.py @@ -209,9 +209,10 @@ def make_custom_fields(update=True): 'fieldname': 'gst_transporter_id', 'label': 'GST Transporter ID', 'fieldtype': 'Data', - 'insert_after': 'transporter_name', + 'insert_after': 'transporter', 'fetch_from': 'transporter.gst_transporter_id', - 'print_hide': 1 + 'print_hide': 1, + 'translatable': 0 }, { 'fieldname': 'mode_of_transport', @@ -219,18 +220,142 @@ def make_custom_fields(update=True): 'fieldtype': 'Select', 'options': '\nRoad\nAir\nRail\nShip', 'default': 'Road', + 'insert_after': 'transporter_name', + 'print_hide': 1, + 'translatable': 0 + }, + { + 'fieldname': 'gst_vehicle_type', + 'label': 'GST Vehicle Type', + 'fieldtype': 'Select', + 'options': 'Regular\nOver Dimensional Cargo (ODC)', + 'depends_on': 'eval:(doc.mode_of_transport === "Road")', + 'default': 'Regular', 'insert_after': 'lr_date', + 'print_hide': 1, + 'translatable': 0 + } + ] + + si_ewaybill_fields = [ + { + 'fieldname': 'transporter_info', + 'label': 'Transporter Info', + 'fieldtype': 'Section Break', + 'insert_after': 'terms', + 'collapsible': 1, + 'collapsible_depends_on': 'transporter', + 'print_hide': 1 + }, + { + 'fieldname': 'transporter', + 'label': 'Transporter', + 'fieldtype': 'Link', + 'insert_after': 'transporter_info', + 'options': 'Supplier', + 'print_hide': 1 + }, + { + 'fieldname': 'gst_transporter_id', + 'label': 'GST Transporter ID', + 'fieldtype': 'Data', + 'insert_after': 'transporter', + 'fetch_from': 'transporter.gst_transporter_id', + 'print_hide': 1, + 'translatable': 0 + }, + { + 'fieldname': 'driver', + 'label': 'Driver', + 'fieldtype': 'Link', + 'insert_after': 'gst_transporter_id', + 'options': 'Driver', + 'print_hide': 1 + }, + { + 'fieldname': 'lr_no', + 'label': 'Transport Receipt No', + 'fieldtype': 'Data', + 'insert_after': 'driver', + 'print_hide': 1, + 'translatable': 0 + }, + { + 'fieldname': 'vehicle_no', + 'label': 'Vehicle No', + 'fieldtype': 'Data', + 'insert_after': 'lr_no', + 'print_hide': 1, + 'translatable': 0 + }, + { + 'fieldname': 'distance', + 'label': 'Distance (in km)', + 'fieldtype': 'Float', + 'insert_after': 'vehicle_no', + 'print_hide': 1 + }, + { + 'fieldname': 'transporter_col_break', + 'fieldtype': 'Column Break', + 'insert_after': 'distance' + }, + { + 'fieldname': 'transporter_name', + 'label': 'Transporter Name', + 'fieldtype': 'Data', + 'insert_after': 'transporter_col_break', + 'fetch_from': 'transporter.name', + 'read_only': 1, + 'print_hide': 1, + 'translatable': 0 + }, + { + 'fieldname': 'mode_of_transport', + 'label': 'Mode of Transport', + 'fieldtype': 'Select', + 'options': '\nRoad\nAir\nRail\nShip', + 'default': 'Road', + 'insert_after': 'transporter_name', + 'print_hide': 1, + 'translatable': 0 + }, + { + 'fieldname': 'driver_name', + 'label': 'Driver Name', + 'fieldtype': 'Data', + 'insert_after': 'mode_of_transport', + 'fetch_from': 'driver.full_name', + 'print_hide': 1, + 'translatable': 0 + }, + { + 'fieldname': 'lr_date', + 'label': 'Transport Receipt Date', + 'fieldtype': 'Date', + 'insert_after': 'driver_name', + 'default': 'Today', 'print_hide': 1 }, { 'fieldname': 'gst_vehicle_type', 'label': 'GST Vehicle Type', 'fieldtype': 'Select', - 'options': '\nRegular\nOver Dimensional Cargo (ODC)', - 'default': 'Regular', + 'options': 'Regular\nOver Dimensional Cargo (ODC)', 'depends_on': 'eval:(doc.mode_of_transport === "Road")', - 'insert_after': 'mode_of_transport', - 'print_hide': 1 + 'default': 'Regular', + 'insert_after': 'lr_date', + 'print_hide': 1, + 'translatable': 0 + }, + { + 'fieldname': 'ewaybill', + 'label': 'e-Way Bill No.', + 'fieldtype': 'Data', + 'depends_on': 'eval:(doc.docstatus === 1)', + 'allow_on_submit': 1, + 'insert_after': 'project', + 'translatable': 0 } ] @@ -246,8 +371,8 @@ def make_custom_fields(update=True): 'Purchase Invoice': purchase_invoice_gst_category + invoice_gst_fields + purchase_invoice_itc_fields + purchase_invoice_gst_fields, 'Purchase Order': purchase_invoice_gst_fields, 'Purchase Receipt': purchase_invoice_gst_fields, - 'Sales Invoice': sales_invoice_gst_category + invoice_gst_fields + sales_invoice_shipping_fields + sales_invoice_gst_fields, - 'Delivery Note': sales_invoice_gst_fields + ewaybill_fields, + 'Sales Invoice': sales_invoice_gst_category + invoice_gst_fields + sales_invoice_shipping_fields + sales_invoice_gst_fields + si_ewaybill_fields, + 'Delivery Note': sales_invoice_gst_fields + ewaybill_fields + sales_invoice_shipping_fields, 'Sales Order': sales_invoice_gst_fields, 'Sales Taxes and Charges Template': inter_state_gst_field, 'Purchase Taxes and Charges Template': inter_state_gst_field, diff --git a/erpnext/regional/india/utils.py b/erpnext/regional/india/utils.py index 19022e18fa..0bc277f4af 100644 --- a/erpnext/regional/india/utils.py +++ b/erpnext/regional/india/utils.py @@ -1,5 +1,5 @@ from __future__ import unicode_literals -import frappe, re +import frappe, re, json from frappe import _ from frappe.utils import cstr, flt, date_diff, nowdate from erpnext.regional.india import states, state_numbers @@ -40,23 +40,26 @@ def validate_gstin_for_india(doc, method): frappe.throw(_("Invalid GSTIN! The input you've entered doesn't match the format of GSTIN.")) validate_gstin_check_digit(doc.gstin) + set_gst_state_and_state_number(doc) - if not doc.gst_state: - if not doc.state: - return - state = doc.state.lower() - states_lowercase = {s.lower():s for s in states} - if state in states_lowercase: - doc.gst_state = states_lowercase[state] - else: - return - - doc.gst_state_number = state_numbers[doc.gst_state] if doc.gst_state_number != doc.gstin[:2]: frappe.throw(_("Invalid GSTIN! First 2 digits of GSTIN should match with State number {0}.") .format(doc.gst_state_number)) -def validate_gstin_check_digit(gstin): +def set_gst_state_and_state_number(doc): + if not doc.gst_state: + if not doc.state: + return + state = doc.state.lower() + states_lowercase = {s.lower():s for s in states} + if state in states_lowercase: + doc.gst_state = states_lowercase[state] + else: + return + + doc.gst_state_number = state_numbers[doc.gst_state] + +def validate_gstin_check_digit(gstin, label='GSTIN'): ''' Function to validate the check digit of the GSTIN.''' factor = 1 total = 0 @@ -69,8 +72,8 @@ def validate_gstin_check_digit(gstin): total += digit factor = 2 if factor == 1 else 1 if gstin[-1] != code_point_chars[((mod - (total % mod)) % mod)]: - frappe.throw(_("Invalid GSTIN! The check digit validation has failed. " + - "Please ensure you've typed the GSTIN correctly.")) + frappe.throw(_("Invalid {0}! The check digit validation has failed. " + + "Please ensure you've typed the {0} correctly.".format(label))) def get_itemised_tax_breakup_header(item_doctype, tax_accounts): if frappe.get_meta(item_doctype).has_field('gst_hsn_code'): @@ -78,8 +81,8 @@ def get_itemised_tax_breakup_header(item_doctype, tax_accounts): else: return [_("Item"), _("Taxable Amount")] + tax_accounts -def get_itemised_tax_breakup_data(doc): - itemised_tax = get_itemised_tax(doc.taxes) +def get_itemised_tax_breakup_data(doc, account_wise=False): + itemised_tax = get_itemised_tax(doc.taxes, with_tax_account=account_wise) itemised_taxable_amount = get_itemised_taxable_amount(doc.items) @@ -94,14 +97,17 @@ def get_itemised_tax_breakup_data(doc): for item, taxes in itemised_tax.items(): hsn_code = item_hsn_map.get(item) hsn_tax.setdefault(hsn_code, frappe._dict()) - for tax_account, tax_detail in taxes.items(): - hsn_tax[hsn_code].setdefault(tax_account, {"tax_rate": 0, "tax_amount": 0}) - hsn_tax[hsn_code][tax_account]["tax_rate"] = tax_detail.get("tax_rate") - hsn_tax[hsn_code][tax_account]["tax_amount"] += tax_detail.get("tax_amount") + for tax_desc, tax_detail in taxes.items(): + key = tax_desc + if account_wise: + key = tax_detail.get('tax_account') + hsn_tax[hsn_code].setdefault(key, {"tax_rate": 0, "tax_amount": 0}) + hsn_tax[hsn_code][key]["tax_rate"] = tax_detail.get("tax_rate") + hsn_tax[hsn_code][key]["tax_amount"] += tax_detail.get("tax_amount") # set taxable amount hsn_taxable_amount = frappe._dict() - for item, taxable_amount in itemised_taxable_amount.items(): + for item in itemised_taxable_amount: hsn_code = item_hsn_map.get(item) hsn_taxable_amount.setdefault(hsn_code, 0) hsn_taxable_amount[hsn_code] += itemised_taxable_amount.get(item) @@ -276,6 +282,102 @@ def calculate_hra_exemption_for_period(doc): exemptions["total_eligible_hra_exemption"] = eligible_hra return exemptions +def get_ewb_data(dt, dn): + if dt != 'Sales Invoice': + frappe.throw(_('e-Way Bill JSON can only be generated from Sales Invoice')) + + dn = dn.split(',') + + ewaybills = [] + for doc_name in dn: + doc = frappe.get_doc(dt, doc_name) + + validate_sales_invoice(doc) + + data = frappe._dict({ + "transporterId": "", + "TotNonAdvolVal": 0, + }) + + data.userGstin = data.fromGstin = doc.company_gstin + data.supplyType = 'O' + + if doc.gst_category in ['Registered Regular', 'SEZ']: + data.subSupplyType = 1 + elif doc.gst_category in ['Overseas', 'Deemed Export']: + data.subSupplyType = 3 + else: + frappe.throw(_('Unsupported GST Category for e-Way Bill JSON generation')) + + data.docType = 'INV' + data.docDate = frappe.utils.formatdate(doc.posting_date, 'dd/mm/yyyy') + + company_address = frappe.get_doc('Address', doc.company_address) + billing_address = frappe.get_doc('Address', doc.customer_address) + + shipping_address = frappe.get_doc('Address', doc.shipping_address_name) + + data = get_address_details(data, doc, company_address, billing_address) + + data.itemList = [] + data.totalValue = doc.total + + data = get_item_list(data, doc) + + disable_rounded = frappe.db.get_single_value('Global Defaults', 'disable_rounded_total') + data.totInvValue = doc.grand_total if disable_rounded else doc.rounded_total + + data = get_transport_details(data, doc) + + fields = { + "/. -": { + 'docNo': doc.name, + 'fromTrdName': doc.company, + 'toTrdName': doc.customer_name, + 'transDocNo': doc.lr_no, + }, + "@#/,&. -": { + 'fromAddr1': company_address.address_line1, + 'fromAddr2': company_address.address_line2, + 'fromPlace': company_address.city, + 'toAddr1': shipping_address.address_line1, + 'toAddr2': shipping_address.address_line2, + 'toPlace': shipping_address.city, + 'transporterName': doc.transporter_name + } + } + + for allowed_chars, field_map in fields.items(): + for key, value in field_map.items(): + if not value: + data[key] = '' + else: + data[key] = re.sub(r'[^\w' + allowed_chars + ']', '', value) + + ewaybills.append(data) + + data = { + 'version': '1.0.1118', + 'billLists': ewaybills + } + + return data + +@frappe.whitelist() +def generate_ewb_json(dt, dn): + + data = get_ewb_data(dt, dn) + + frappe.local.response.filecontent = json.dumps(data, indent=4, sort_keys=True) + frappe.local.response.type = 'download' + + if len(data['billLists']) > 1: + doc_name = 'Bulk' + else: + doc_name = dn + + frappe.local.response.filename = '{0}_e-WayBill_Data_{1}.json'.format(doc_name, frappe.utils.random_string(5)) + @frappe.whitelist() def get_gstins_for_company(company): company_gstins =[] @@ -291,3 +393,177 @@ def get_gstins_for_company(company): `tabDynamic Link`.link_name = '{0}'""".format(company)) return company_gstins +def get_address_details(data, doc, company_address, billing_address): + data.fromPincode = validate_pincode(company_address.pincode, 'Company Address') + data.fromStateCode = data.actualFromStateCode = validate_state_code( + company_address.gst_state_number, 'Company Address') + + if not doc.billing_address_gstin or len(doc.billing_address_gstin) < 15: + data.toGstin = 'URP' + set_gst_state_and_state_number(billing_address) + else: + data.toGstin = doc.billing_address_gstin + + data.toPincode = validate_pincode(billing_address.pincode, 'Customer Address') + data.toStateCode = validate_state_code(billing_address.gst_state_number, 'Customer Address') + + if doc.customer_address != doc.shipping_address_name: + data.transType = 2 + shipping_address = frappe.get_doc('Address', doc.shipping_address_name) + set_gst_state_and_state_number(shipping_address) + data.toPincode = validate_pincode(shipping_address.pincode, 'Shipping Address') + data.actualToStateCode = validate_state_code(shipping_address.gst_state_number, 'Shipping Address') + else: + data.transType = 1 + data.actualToStateCode = data.toStateCode + shipping_address = billing_address + + return data + +def get_item_list(data, doc): + for attr in ['cgstValue', 'sgstValue', 'igstValue', 'cessValue', 'OthValue']: + data[attr] = 0 + + gst_accounts = get_gst_accounts(doc.company, account_wise=True) + tax_map = { + 'sgst_account': ['sgstRate', 'sgstValue'], + 'cgst_account': ['cgstRate', 'cgstValue'], + 'igst_account': ['igstRate', 'igstValue'], + 'cess_account': ['cessRate', 'cessValue'] + } + item_data_attrs = ['sgstRate', 'cgstRate', 'igstRate', 'cessRate', 'cessNonAdvol'] + hsn_wise_charges, hsn_taxable_amount = get_itemised_tax_breakup_data(doc, account_wise=True) + for hsn_code, taxable_amount in hsn_taxable_amount.items(): + item_data = frappe._dict() + if not hsn_code: + frappe.throw(_('GST HSN Code does not exist for one or more items')) + item_data.hsnCode = int(hsn_code) + item_data.taxableAmount = taxable_amount + item_data.qtyUnit = "" + for attr in item_data_attrs: + item_data[attr] = 0 + + for account, tax_detail in hsn_wise_charges.get(hsn_code, {}).items(): + account_type = gst_accounts.get(account, '') + for tax_acc, attrs in tax_map.items(): + if account_type == tax_acc: + item_data[attrs[0]] = tax_detail.get('tax_rate') + data[attrs[1]] += tax_detail.get('tax_amount') + break + else: + data.OthValue += tax_detail.get('tax_amount') + + data.itemList.append(item_data) + + # Tax amounts rounded to 2 decimals to avoid exceeding max character limit + for attr in ['sgstValue', 'cgstValue', 'igstValue', 'cessValue']: + data[attr] = flt(data[attr], 2) + + return data + +def validate_sales_invoice(doc): + if doc.docstatus != 1: + frappe.throw(_('e-Way Bill JSON can only be generated from submitted document')) + + if doc.is_return: + frappe.throw(_('e-Way Bill JSON cannot be generated for Sales Return as of now')) + + if doc.ewaybill: + frappe.throw(_('e-Way Bill already exists for this document')) + + reqd_fields = ['company_gstin', 'company_address', 'customer_address', + 'shipping_address_name', 'mode_of_transport', 'distance'] + + for fieldname in reqd_fields: + if not doc.get(fieldname): + frappe.throw(_('{} is required to generate e-Way Bill JSON'.format( + doc.meta.get_label(fieldname) + ))) + + if len(doc.company_gstin) < 15: + frappe.throw(_('You must be a registered supplier to generate e-Way Bill')) + +def get_transport_details(data, doc): + if doc.distance > 4000: + frappe.throw(_('Distance cannot be greater than 4000 kms')) + + data.transDistance = int(round(doc.distance)) + + transport_modes = { + 'Road': 1, + 'Rail': 2, + 'Air': 3, + 'Ship': 4 + } + + vehicle_types = { + 'Regular': 'R', + 'Over Dimensional Cargo (ODC)': 'O' + } + + data.transMode = transport_modes.get(doc.mode_of_transport) + + if doc.mode_of_transport == 'Road': + if not doc.gst_transporter_id and not doc.vehicle_no: + frappe.throw(_('Either GST Transporter ID or Vehicle No is required if Mode of Transport is Road')) + if doc.vehicle_no: + data.vehicleNo = doc.vehicle_no.replace(' ', '') + if not doc.gst_vehicle_type: + frappe.throw(_('Vehicle Type is required if Mode of Transport is Road')) + else: + data.vehicleType = vehicle_types.get(doc.gst_vehicle_type) + else: + if not doc.lr_no or not doc.lr_date: + frappe.throw(_('Transport Receipt No and Date are mandatory for your chosen Mode of Transport')) + + if doc.lr_no: + data.transDocNo = doc.lr_no + + if doc.lr_date: + data.transDocDate = frappe.utils.formatdate(doc.lr_date, 'dd/mm/yyyy') + + if doc.gst_transporter_id: + validate_gstin_check_digit(doc.gst_transporter_id, label='GST Transporter ID') + data.transporterId = doc.gst_transporter_id + + return data + + +def validate_pincode(pincode, address): + pin_not_found = "Pin Code doesn't exist for {}" + incorrect_pin = "Pin Code for {} is incorrecty formatted. It must be 6 digits (without spaces)" + + if not pincode: + frappe.throw(_(pin_not_found.format(address))) + + pincode = pincode.replace(' ', '') + if not pincode.isdigit() or len(pincode) != 6: + frappe.throw(_(incorrect_pin.format(address))) + else: + return int(pincode) + +def validate_state_code(state_code, address): + no_state_code = "GST State Code not found for {0}. Please set GST State in {0}" + if not state_code: + frappe.throw(_(no_state_code.format(address))) + else: + return int(state_code) + +def get_gst_accounts(company, account_wise=False): + gst_accounts = frappe._dict() + gst_settings_accounts = frappe.get_all("GST Account", + filters={"parent": "GST Settings", "company": company}, + fields=["cgst_account", "sgst_account", "igst_account", "cess_account"]) + + if not gst_settings_accounts: + frappe.throw(_("Please set GST Accounts in GST Settings")) + + for d in gst_settings_accounts: + for acc, val in d.items(): + if not account_wise: + gst_accounts.setdefault(acc, []).append(val) + elif val: + gst_accounts[val] = acc + + + return gst_accounts diff --git a/erpnext/regional/italy/e-invoice.xml b/erpnext/regional/italy/e-invoice.xml index b725b964f2..9a588d1666 100644 --- a/erpnext/regional/italy/e-invoice.xml +++ b/erpnext/regional/italy/e-invoice.xml @@ -118,7 +118,7 @@ {{ doc.type_of_document }} - EUR + {{ doc.currency }} {{ doc.posting_date }} {{ doc.unamended_name }} {%- if doc.stamp_duty %} diff --git a/erpnext/regional/italy/utils.py b/erpnext/regional/italy/utils.py index 0c421244ca..2d7ffa65bd 100644 --- a/erpnext/regional/italy/utils.py +++ b/erpnext/regional/italy/utils.py @@ -80,7 +80,7 @@ def prepare_invoice(invoice, progressive_number): invoice.stamp_duty = stamp_duty_charge_row.tax_amount for item in invoice.e_invoice_items: - if item.tax_rate == 0.0 and item.tax_amount == 0.0: + if item.tax_rate == 0.0 and item.tax_amount == 0.0 and tax_data.get("0.0"): item.tax_exemption_reason = tax_data["0.0"]["tax_exemption_reason"] customer_po_data = {} diff --git a/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py b/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py index a257ed2c6e..e903c9f00a 100644 --- a/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py +++ b/erpnext/regional/report/fichier_des_ecritures_comptables_[fec]/fichier_des_ecritures_comptables_[fec].py @@ -80,7 +80,10 @@ def get_gl_entries(filters): jnl.cheque_no as JnlRef, jnl.posting_date as JnlPostDate, jnl.title as JnlTitle, pay.name as PayName, pay.posting_date as PayPostDate, pay.title as PayTitle, cus.customer_name, cus.name as cusName, - sup.supplier_name, sup.name as supName + sup.supplier_name, sup.name as supName, + emp.employee_name, emp.name as empName, + stu.title as student_name, stu.name as stuName, + member_name, mem.name as memName from `tabGL Entry` gl left join `tabSales Invoice` inv on gl.voucher_no = inv.name @@ -89,6 +92,9 @@ def get_gl_entries(filters): left join `tabPayment Entry` pay on gl.voucher_no = pay.name left join `tabCustomer` cus on gl.party = cus.name left join `tabSupplier` sup on gl.party = sup.name + left join `tabEmployee` emp on gl.party = emp.name + left join `tabStudent` stu on gl.party = stu.name + left join `tabMember` mem on gl.party = mem.name where gl.company=%(company)s and gl.fiscal_year=%(fiscal_year)s {group_by_condition} order by GlPostDate, voucher_no"""\ @@ -128,6 +134,18 @@ def get_result_as_list(data, filters): CompAuxNum = d.get("supName") CompAuxLib = d.get("supplier_name") + elif d.get("party_type") == "Employee": + CompAuxNum = d.get("empName") + CompAuxLib = d.get("employee_name") + + elif d.get("party_type") == "Student": + CompAuxNum = d.get("stuName") + CompAuxLib = d.get("student_name") + + elif d.get("party_type") == "Member": + CompAuxNum = d.get("memName") + CompAuxLib = d.get("member_name") + else: CompAuxNum = "" CompAuxLib = "" diff --git a/erpnext/regional/report/gstr_1/gstr_1.py b/erpnext/regional/report/gstr_1/gstr_1.py index 3a8149d1cf..ee3619b1c7 100644 --- a/erpnext/regional/report/gstr_1/gstr_1.py +++ b/erpnext/regional/report/gstr_1/gstr_1.py @@ -8,6 +8,7 @@ from frappe.utils import flt, formatdate, now_datetime, getdate from datetime import date from six import iteritems from erpnext.regional.doctype.gstr_3b_report.gstr_3b_report import get_period +from erpnext.regional.india.utils import get_gst_accounts def execute(filters=None): return Gstr1Report(filters).run() @@ -29,10 +30,9 @@ class Gstr1Report(object): place_of_supply, ecommerce_gstin, reverse_charge, - invoice_type, return_against, is_return, - invoice_type, + gst_category, export_type, port_code, shipping_bill_number, @@ -42,7 +42,7 @@ class Gstr1Report(object): def run(self): self.get_columns() - self.get_gst_accounts() + self.gst_accounts = get_gst_accounts(self.filters.company) self.get_invoice_data() if self.invoices: @@ -54,7 +54,6 @@ class Gstr1Report(object): return self.columns, self.data def get_data(self): - if self.filters.get("type_of_business") == "B2C Small": self.get_b2cs_data() else: @@ -266,19 +265,6 @@ class Gstr1Report(object): and frappe.db.get_value(self.doctype, invoice, "export_type") == "Without Payment of Tax": self.items_based_on_tax_rate.setdefault(invoice, {}).setdefault(0, items.keys()) - def get_gst_accounts(self): - self.gst_accounts = frappe._dict() - gst_settings_accounts = frappe.get_all("GST Account", - filters={"parent": "GST Settings", "company": self.filters.company}, - fields=["cgst_account", "sgst_account", "igst_account", "cess_account"]) - - if not gst_settings_accounts: - frappe.throw(_("Please set GST Accounts in GST Settings")) - - for d in gst_settings_accounts: - for acc, val in d.items(): - self.gst_accounts.setdefault(acc, []).append(val) - def get_columns(self): self.tax_columns = [ { @@ -594,7 +580,7 @@ def get_json(): download_json_file(report_name, filters["type_of_business"], gst_json) def get_b2b_json(res, gstin): - inv_type, out = {"Regular": "R", "Deemed Export": "DE", "URD": "URD", "SEZ": "SEZ"}, [] + inv_type, out = {"Registered Regular": "R", "Deemed Export": "DE", "URD": "URD", "SEZ": "SEZ"}, [] for gst_in in res: b2b_item, inv = {"ctin": gst_in, "inv": []}, [] if not gst_in: continue @@ -603,7 +589,7 @@ def get_b2b_json(res, gstin): inv_item = get_basic_invoice_detail(invoice[0]) inv_item["pos"] = "%02d" % int(invoice[0]["place_of_supply"].split('-')[0]) inv_item["rchrg"] = invoice[0]["reverse_charge"] - inv_item["inv_typ"] = inv_type.get(invoice[0].get("invoice_type", ""),"") + inv_item["inv_typ"] = inv_type.get(invoice[0].get("gst_category", ""),"") if inv_item["pos"]=="00": continue inv_item["itms"] = [] diff --git a/erpnext/selling/doctype/customer/customer.js b/erpnext/selling/doctype/customer/customer.js index 178a21d474..458a56c9e7 100644 --- a/erpnext/selling/doctype/customer/customer.js +++ b/erpnext/selling/doctype/customer/customer.js @@ -3,6 +3,18 @@ frappe.ui.form.on("Customer", { setup: function(frm) { + + frm.make_methods = { + 'Quotation': () => erpnext.utils.create_new_doc('Quotation', { + 'quotation_to': frm.doc.doctype, + 'party_name': frm.doc.name + }), + 'Opportunity': () => erpnext.utils.create_new_doc('Opportunity', { + 'opportunity_from': frm.doc.doctype, + 'party_name': frm.doc.name + }) + } + frm.add_fetch('lead_name', 'company_name', 'customer_name'); frm.add_fetch('default_sales_partner','commission_rate','default_commission_rate'); frm.set_query('customer_group', {'is_group': 0}); diff --git a/erpnext/selling/doctype/customer/customer.py b/erpnext/selling/doctype/customer/customer.py index 365c2ed249..c946c47c59 100644 --- a/erpnext/selling/doctype/customer/customer.py +++ b/erpnext/selling/doctype/customer/customer.py @@ -61,7 +61,7 @@ class Customer(TransactionBase): self.loyalty_program_tier = customer.loyalty_program_tier if self.sales_team: - if sum([member.allocated_percentage for member in self.sales_team]) != 100: + if sum([member.allocated_percentage or 0 for member in self.sales_team]) != 100: frappe.throw(_("Total contribution percentage should be equal to 100")) def check_customer_group_change(self): @@ -108,10 +108,6 @@ class Customer(TransactionBase): if self.lead_name: frappe.db.set_value('Lead', self.lead_name, 'status', 'Converted', update_modified=False) - for doctype in ('Opportunity', 'Quotation'): - for d in frappe.get_all(doctype, {'lead': self.lead_name}): - frappe.db.set_value(doctype, d.name, 'customer', self.name, update_modified=False) - def create_lead_address_contact(self): if self.lead_name: # assign lead address to customer (if already not set) diff --git a/erpnext/selling/doctype/customer/customer_dashboard.py b/erpnext/selling/doctype/customer/customer_dashboard.py index 243c1ebb9e..87ca6a76bc 100644 --- a/erpnext/selling/doctype/customer/customer_dashboard.py +++ b/erpnext/selling/doctype/customer/customer_dashboard.py @@ -9,7 +9,12 @@ def get_data(): 'heatmap_message': _('This is based on transactions against this Customer. See timeline below for details'), 'fieldname': 'customer', 'non_standard_fieldnames': { - 'Payment Entry': 'party_name' + 'Payment Entry': 'party_name', + 'Quotation': 'party_name', + 'Opportunity': 'party_name' + }, + 'dynamic_links': { + 'party_name': ['Customer', 'quotation_to'] }, 'transactions': [ { diff --git a/erpnext/selling/doctype/quotation/quotation.js b/erpnext/selling/doctype/quotation/quotation.js index d8e940ba6a..12f32602f5 100644 --- a/erpnext/selling/doctype/quotation/quotation.js +++ b/erpnext/selling/doctype/quotation/quotation.js @@ -8,15 +8,27 @@ frappe.ui.form.on('Quotation', { setup: function(frm) { frm.custom_make_buttons = { 'Sales Order': 'Make Sales Order' - } + }, + + frm.set_query("quotation_to", function() { + return{ + "filters": { + "name": ["in", ["Customer", "Lead"]], + } + } + }); + }, refresh: function(frm) { frm.trigger("set_label"); + frm.trigger("set_dynamic_field_label"); }, quotation_to: function(frm) { frm.trigger("set_label"); + frm.trigger("toggle_reqd_lead_customer"); + frm.trigger("set_dynamic_field_label"); }, set_label: function(frm) { @@ -28,16 +40,22 @@ erpnext.selling.QuotationController = erpnext.selling.SellingController.extend({ onload: function(doc, dt, dn) { var me = this; this._super(doc, dt, dn); - if(doc.customer && !doc.quotation_to) - doc.quotation_to = "Customer"; - else if(doc.lead && !doc.quotation_to) - doc.quotation_to = "Lead"; }, + party_name: function() { + var me = this; + erpnext.utils.get_party_details(this.frm, null, null, function() { + me.apply_price_list(); + }); + + if(me.frm.doc.quotation_to=="Lead" && me.frm.doc.party_name) { + me.frm.trigger("get_lead_details"); + } + }, refresh: function(doc, dt, dn) { this._super(doc, dt, dn); doctype = doc.quotation_to == 'Customer' ? 'Customer':'Lead'; - frappe.dynamic_link = {doc: this.frm.doc, fieldname: doctype.toLowerCase(), doctype: doctype} + frappe.dynamic_link = {doc: this.frm.doc, fieldname: 'party_name', doctype: doctype} var me = this; @@ -73,22 +91,29 @@ erpnext.selling.QuotationController = erpnext.selling.SellingController.extend({ if (this.frm.doc.docstatus===0) { this.frm.add_custom_button(__('Opportunity'), function() { - var setters = {}; - if(me.frm.doc.customer) { - setters.customer = me.frm.doc.customer || undefined; - } else if (me.frm.doc.lead) { - setters.lead = me.frm.doc.lead || undefined; - } erpnext.utils.map_current_doc({ method: "erpnext.crm.doctype.opportunity.opportunity.make_quotation", source_doctype: "Opportunity", target: me.frm, - setters: setters, + setters: [ + { + label: "Party", + fieldname: "party_name", + fieldtype: "Link", + options: me.frm.doc.quotation_to, + default: me.frm.doc.party_name || undefined + }, + { + label: "Opportunity Type", + fieldname: "opportunity_type", + fieldtype: "Link", + options: "Opportunity Type", + default: me.frm.doc.order_type || undefined + } + ], get_query_filters: { status: ["not in", ["Lost", "Closed"]], - company: me.frm.doc.company, - // cannot set opportunity_type as setter, as the fieldname is order_type - opportunity_type: me.frm.doc.order_type, + company: me.frm.doc.company } }) }, __("Get items from"), "btn-default"); @@ -98,33 +123,46 @@ erpnext.selling.QuotationController = erpnext.selling.SellingController.extend({ }, - quotation_to: function() { - var me = this; - if (this.frm.doc.quotation_to == "Lead") { - this.frm.set_value("customer", null); - this.frm.set_value("contact_person", null); - } else if (this.frm.doc.quotation_to == "Customer") { - this.frm.set_value("lead", null); + set_dynamic_field_label: function(){ + if (this.frm.doc.quotation_to == "Customer") + { + this.frm.set_df_property("party_name", "label", "Customer"); + this.frm.fields_dict.party_name.get_query = null; } - this.toggle_reqd_lead_customer(); + if (this.frm.doc.quotation_to == "Lead") + { + this.frm.set_df_property("party_name", "label", "Lead"); + + this.frm.fields_dict.party_name.get_query = function() { + return{ query: "erpnext.controllers.queries.lead_query" } + } + } }, toggle_reqd_lead_customer: function() { var me = this; - this.frm.toggle_reqd("lead", this.frm.doc.quotation_to == "Lead"); - this.frm.toggle_reqd("customer", this.frm.doc.quotation_to == "Customer"); - // to overwrite the customer_filter trigger from queries.js - this.frm.set_query('customer_address', erpnext.queries.address_query); - this.frm.set_query('shipping_address_name', erpnext.queries.address_query); + this.frm.toggle_reqd("party_name", this.frm.doc.quotation_to); + this.frm.set_query('customer_address', this.address_query); + this.frm.set_query('shipping_address_name', this.address_query); }, tc_name: function() { this.get_terms(); }, + address_query: function(doc) { + return { + query: 'frappe.contacts.doctype.address.address.address_query', + filters: { + link_doctype: frappe.dynamic_link.doctype, + link_name: doc.party_name + } + }; + }, + validate_company_and_party: function(party_field) { if(!this.frm.doc.quotation_to) { frappe.msgprint(__("Please select a value for {0} quotation_to {1}", [this.frm.doc.doctype, this.frm.doc.name])); @@ -136,16 +174,16 @@ erpnext.selling.QuotationController = erpnext.selling.SellingController.extend({ } }, - lead: function() { + get_lead_details: function() { var me = this; - if(!this.frm.doc.lead) { + if(!this.frm.doc.quotation_to === "Lead") { return; } frappe.call({ method: "erpnext.crm.doctype.lead.lead.get_lead_details", args: { - 'lead': this.frm.doc.lead, + 'lead': this.frm.doc.party_name, 'posting_date': this.frm.doc.transaction_date, 'company': this.frm.doc.company, }, @@ -164,10 +202,6 @@ erpnext.selling.QuotationController = erpnext.selling.SellingController.extend({ cur_frm.script_manager.make(erpnext.selling.QuotationController); -cur_frm.fields_dict.lead.get_query = function(doc,cdt,cdn) { - return{ query: "erpnext.controllers.queries.lead_query" } -} - cur_frm.cscript['Make Sales Order'] = function() { frappe.model.open_mapped_doc({ method: "erpnext.selling.doctype.quotation.quotation.make_sales_order", diff --git a/erpnext/selling/doctype/quotation/quotation.json b/erpnext/selling/doctype/quotation/quotation.json index ef5abdb67f..1b8954578f 100644 --- a/erpnext/selling/doctype/quotation/quotation.json +++ b/erpnext/selling/doctype/quotation/quotation.json @@ -1,1028 +1,3441 @@ { - "allow_import": 1, - "autoname": "naming_series:", - "creation": "2013-05-24 19:29:08", - "doctype": "DocType", - "document_type": "Document", - "editable_grid": 1, - "engine": "InnoDB", - "field_order": [ - "customer_section", - "title", - "naming_series", - "quotation_to", - "customer", - "lead", - "customer_name", - "column_break1", - "amended_from", - "company", - "transaction_date", - "valid_till", - "order_type", - "contact_section", - "customer_address", - "address_display", - "contact_person", - "contact_display", - "contact_mobile", - "contact_email", - "col_break98", - "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", - "items_section", - "items", - "pricing_rule_details", - "pricing_rules", - "sec_break23", - "total_qty", - "base_total", - "base_net_total", - "column_break_28", - "total", - "net_total", - "total_net_weight", - "taxes_section", - "tax_category", - "column_break_34", - "shipping_rule", - "section_break_36", - "taxes_and_charges", - "taxes", - "sec_tax_breakup", - "other_charges_calculation", - "section_break_39", - "base_total_taxes_and_charges", - "column_break_42", - "total_taxes_and_charges", - "section_break_44", - "apply_discount_on", - "base_discount_amount", - "column_break_46", - "additional_discount_percentage", - "discount_amount", - "totals", - "base_grand_total", - "base_rounding_adjustment", - "base_in_words", - "base_rounded_total", - "column_break3", - "grand_total", - "rounding_adjustment", - "rounded_total", - "in_words", - "payment_schedule_section", - "payment_terms_template", - "payment_schedule", - "terms_section_break", - "tc_name", - "terms", - "print_settings", - "letter_head", - "group_same_items", - "column_break_73", - "select_print_heading", - "language", - "subscription_section", - "auto_repeat", - "update_auto_repeat_reference", - "more_info", - "campaign", - "source", - "order_lost_reason", - "column_break4", - "status", - "enq_det", - "supplier_quotation", - "opportunity", - "lost_reasons" - ], - "fields": [ - { - "fieldname": "customer_section", - "fieldtype": "Section Break", - "options": "fa fa-user" - }, - { - "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-QTN-.YYYY.-", - "print_hide": 1, - "reqd": 1, - "set_only_once": 1 - }, - { - "default": "Customer", - "fieldname": "quotation_to", - "fieldtype": "Select", - "label": "Quotation To", - "oldfieldname": "quotation_to", - "oldfieldtype": "Select", - "options": "\nLead\nCustomer", - "print_hide": 1, - "reqd": 1 - }, - { - "bold": 1, - "depends_on": "eval:doc.quotation_to == \"Customer\"", - "fieldname": "customer", - "fieldtype": "Link", - "in_global_search": 1, - "in_standard_filter": 1, - "label": "Customer", - "oldfieldname": "customer", - "oldfieldtype": "Link", - "options": "Customer", - "print_hide": 1, - "search_index": 1 - }, - { - "bold": 1, - "depends_on": "eval:doc.quotation_to == \"Lead\"", - "fieldname": "lead", - "fieldtype": "Link", - "in_standard_filter": 1, - "label": "Lead", - "oldfieldname": "lead", - "oldfieldtype": "Link", - "options": "Lead", - "print_hide": 1 - }, - { - "bold": 1, - "fetch_from": "customer.customer_name", - "fieldname": "customer_name", - "fieldtype": "Data", - "hidden": 1, - "in_global_search": 1, - "label": "Customer Name", - "read_only": 1 - }, - { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "width": "50%" - }, - { - "fieldname": "amended_from", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Data", - "options": "Quotation", - "print_hide": 1, - "read_only": 1, - "width": "150px" - }, - { - "fieldname": "company", - "fieldtype": "Link", - "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_list_view": 1, - "in_standard_filter": 1, - "label": "Date", - "no_copy": 1, - "oldfieldname": "transaction_date", - "oldfieldtype": "Date", - "reqd": 1, - "search_index": 1, - "width": "100px" - }, - { - "fieldname": "valid_till", - "fieldtype": "Date", - "label": "Valid Till" - }, - { - "default": "Sales", - "fieldname": "order_type", - "fieldtype": "Select", - "in_standard_filter": 1, - "label": "Order Type", - "oldfieldname": "order_type", - "oldfieldtype": "Select", - "options": "\nSales\nMaintenance\nShopping Cart", - "print_hide": 1, - "reqd": 1 - }, - { - "collapsible": 1, - "depends_on": "eval:(doc.customer || doc.lead)", - "fieldname": "contact_section", - "fieldtype": "Section Break", - "label": "Address and Contact", - "options": "fa fa-bullhorn" - }, - { - "fieldname": "customer_address", - "fieldtype": "Link", - "label": "Customer Address", - "options": "Address", - "print_hide": 1 - }, - { - "fieldname": "address_display", - "fieldtype": "Small Text", - "label": "Address", - "oldfieldname": "customer_address", - "oldfieldtype": "Small Text", - "read_only": 1 - }, - { - "depends_on": "eval:doc.customer", - "fieldname": "contact_person", - "fieldtype": "Link", - "label": "Contact Person", - "oldfieldname": "contact_person", - "oldfieldtype": "Link", - "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 - }, - { - "depends_on": "customer", - "fieldname": "col_break98", - "fieldtype": "Column Break", - "width": "50%" - }, - { - "fieldname": "shipping_address_name", - "fieldtype": "Link", - "label": "Shipping Address", - "options": "Address", - "print_hide": 1 - }, - { - "fieldname": "shipping_address", - "fieldtype": "Small Text", - "label": "Shipping Address", - "print_hide": 1, - "read_only": 1 - }, - { - "depends_on": "customer", - "fieldname": "customer_group", - "fieldtype": "Link", - "hidden": 1, - "label": "Customer Group", - "oldfieldname": "customer_group", - "oldfieldtype": "Link", - "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" - }, - { - "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": "items_section", - "fieldtype": "Section Break", - "oldfieldtype": "Section Break", - "options": "fa fa-shopping-cart" - }, - { - "allow_bulk_edit": 1, - "fieldname": "items", - "fieldtype": "Table", - "label": "Items", - "oldfieldname": "quotation_details", - "oldfieldtype": "Table", - "options": "Quotation Item", - "reqd": 1, - "width": "40px" - }, - { - "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": "sec_break23", - "fieldtype": "Section 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": "100px" - }, - { - "fieldname": "column_break_28", - "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_34", - "fieldtype": "Column Break" - }, - { - "fieldname": "shipping_rule", - "fieldtype": "Link", - "label": "Shipping Rule", - "oldfieldtype": "Button", - "options": "Shipping Rule", - "print_hide": 1 - }, - { - "fieldname": "section_break_36", - "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_39", - "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 - }, - { - "fieldname": "column_break_42", - "fieldtype": "Column Break" - }, - { - "fieldname": "total_taxes_and_charges", - "fieldtype": "Currency", - "label": "Total Taxes and Charges", - "options": "currency", - "print_hide": 1, - "read_only": 1 - }, - { - "collapsible": 1, - "collapsible_depends_on": "discount_amount", - "fieldname": "section_break_44", - "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_46", - "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": "200px" - }, - { - "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 - }, - { - "description": "In Words will be visible once you save the Quotation.", - "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": "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": "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": "200px" - }, - { - "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": "200px" - }, - { - "fieldname": "in_words", - "fieldtype": "Data", - "label": "In Words", - "oldfieldname": "in_words_export", - "oldfieldtype": "Data", - "print_hide": 1, - "read_only": 1, - "width": "200px" - }, - { - "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, - "report_hide": 1 - }, - { - "fieldname": "terms", - "fieldtype": "Text Editor", - "label": "Term Details", - "oldfieldname": "terms", - "oldfieldtype": "Text Editor" - }, - { - "collapsible": 1, - "fieldname": "print_settings", - "fieldtype": "Section Break", - "label": "Print Settings" - }, - { - "allow_on_submit": 1, - "fieldname": "letter_head", - "fieldtype": "Link", - "label": "Letter Head", - "oldfieldname": "letter_head", - "oldfieldtype": "Select", - "options": "Letter Head", - "print_hide": 1 - }, - { - "allow_on_submit": 1, - "default": "0", - "fieldname": "group_same_items", - "fieldtype": "Check", - "label": "Group same items", - "print_hide": 1 - }, - { - "fieldname": "column_break_73", - "fieldtype": "Column Break" - }, - { - "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 - }, - { - "fieldname": "language", - "fieldtype": "Data", - "label": "Print Language", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "subscription_section", - "fieldtype": "Section Break", - "label": "Auto Repeat Section" - }, - { - "fieldname": "auto_repeat", - "fieldtype": "Link", - "label": "Auto Repeat", - "no_copy": 1, - "options": "Auto Repeat", - "print_hide": 1, - "read_only": 1 - }, - { - "allow_on_submit": 1, - "depends_on": "eval: doc.auto_repeat", - "fieldname": "update_auto_repeat_reference", - "fieldtype": "Button", - "label": "Update Auto Repeat Reference" - }, - { - "collapsible": 1, - "fieldname": "more_info", - "fieldtype": "Section Break", - "label": "More Information", - "oldfieldtype": "Section Break", - "options": "fa fa-file-text", - "print_hide": 1 - }, - { - "fieldname": "campaign", - "fieldtype": "Link", - "label": "Campaign", - "oldfieldname": "campaign", - "oldfieldtype": "Link", - "options": "Campaign", - "print_hide": 1 - }, - { - "fieldname": "source", - "fieldtype": "Link", - "label": "Source", - "oldfieldname": "source", - "oldfieldtype": "Select", - "options": "Lead Source", - "print_hide": 1 - }, - { - "allow_on_submit": 1, - "depends_on": "eval:doc.status===\"Lost\"", - "fieldname": "order_lost_reason", - "fieldtype": "Small Text", - "label": "Detailed Reason", - "no_copy": 1, - "oldfieldname": "order_lost_reason", - "oldfieldtype": "Small Text", - "print_hide": 1 - }, - { - "fieldname": "column_break4", - "fieldtype": "Column Break", - "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": "Draft\nOpen\nReplied\nOrdered\nLost\nCancelled", - "print_hide": 1, - "read_only": 1, - "reqd": 1 - }, - { - "fieldname": "enq_det", - "fieldtype": "Text", - "hidden": 1, - "label": "Opportunity Item", - "oldfieldname": "enq_det", - "oldfieldtype": "Text", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "supplier_quotation", - "fieldtype": "Link", - "label": "Supplier Quotation", - "options": "Supplier Quotation" - }, - { - "fieldname": "opportunity", - "fieldtype": "Link", - "label": "Opportunity", - "options": "Opportunity", - "print_hide": 1, - "read_only": 1 - }, - { - "allow_on_submit": 1, - "fieldname": "lost_reasons", - "fieldtype": "Table MultiSelect", - "label": "Lost Reasons", - "options": "Lost Reason Detail", - "read_only": 1 + "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-05-24 19:29:08", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "Document", + "editable_grid": 1, + "fields": [ + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 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": 1, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "{customer_name}", + "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": "", + "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-QTN-.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": 0, + "collapsible": 0, + "columns": 0, + "default": "Customer", + "fetch_if_empty": 0, + "fieldname": "quotation_to", + "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": "Quotation To", + "length": 0, + "no_copy": 0, + "oldfieldname": "quotation_to", + "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 + }, + { + "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": 1, + "in_list_view": 0, + "in_standard_filter": 1, + "label": "Party", + "length": 0, + "no_copy": 0, + "oldfieldname": "customer", + "oldfieldtype": "Link", + "options": "quotation_to", + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 1, + "collapsible": 0, + "columns": 0, + "fetch_from": "", + "fieldname": "customer_name", + "fieldtype": "Data", + "hidden": 1, + "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, + "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, + "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": "Quotation", + "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": "", + "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": 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", + "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": 1, + "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": "100px" + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "valid_till", + "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": "Valid Till", + "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": "Sales", + "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": 1, + "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": 1, + "collapsible_depends_on": "", + "columns": 0, + "depends_on": "party_name", + "fieldname": "contact_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": "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": 0, + "bold": 0, + "collapsible": 0, + "columns": 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": 0, + "bold": 0, + "collapsible": 0, + "columns": 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, + "oldfieldname": "customer_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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "", + "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, + "oldfieldname": "contact_person", + "oldfieldtype": "Link", + "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, + "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, + "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, + "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, + "depends_on": "eval:doc.quotaion_to=='Customer' && doc.party_name", + "fieldname": "col_break98", + "fieldtype": "Column Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "length": 0, + "no_copy": 0, + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0, + "width": "50%" + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 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", + "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": 0, + "bold": 0, + "collapsible": 0, + "columns": 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, + "depends_on": "eval:doc.quotaion_to=='Customer' && doc.party_name", + "description": "", + "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, + "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": 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": "", + "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, + "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": 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, + "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", + "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, + "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, + "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, + "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", + "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, + "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, + "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": 1, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 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": "quotation_details", + "oldfieldtype": "Table", + "options": "Quotation 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, + "width": "40px" + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 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, + "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, + "fieldname": "sec_break23", + "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, + "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, + "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, + "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": "100px" + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "column_break_28", + "fieldtype": "Column Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "length": 0, + "no_copy": 0, + "permlevel": 0, + "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, + "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, + "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, + "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, + "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, + "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, + "fieldname": "column_break_34", + "fieldtype": "Column Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "length": 0, + "no_copy": 0, + "permlevel": 0, + "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, + "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, + "fieldname": "section_break_36", + "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, + "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, + "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, + "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, + "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, + "fieldname": "section_break_39", + "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, + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "column_break_42", + "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, + "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": 1, + "collapsible_depends_on": "discount_amount", + "columns": 0, + "fieldname": "section_break_44", + "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", + "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, + "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, + "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, + "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, + "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, + "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, + "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": "200px" + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 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, + "description": "In Words will be visible once you save the Quotation.", + "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, + "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": "200px" + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "column_break3", + "fieldtype": "Column Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "length": 0, + "no_copy": 0, + "oldfieldtype": "Column Break", + "permlevel": 0, + "print_hide": 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, + "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": "200px" + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 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, + "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": "200px" + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 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, + "collapsible_depends_on": "", + "columns": 0, + "depends_on": "", + "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, + "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, + "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, + "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, + "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": 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": 0, + "bold": 0, + "collapsible": 0, + "columns": 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": "Term 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, + "columns": 0, + "fieldname": "print_settings", + "fieldtype": "Section Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Print Settings", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 1, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "letter_head", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Letter Head", + "length": 0, + "no_copy": 0, + "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": 1, + "bold": 0, + "collapsible": 0, + "columns": 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": 0, + "columns": 0, + "fieldname": "column_break_73", + "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": 1, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "select_print_heading", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Print Heading", + "length": 0, + "no_copy": 1, + "oldfieldname": "select_print_heading", + "oldfieldtype": "Link", + "options": "Print Heading", + "permlevel": 0, + "print_hide": 1, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 1, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 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": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "subscription_section", + "fieldtype": "Section Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Auto Repeat Section", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "auto_repeat", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Auto Repeat", + "length": 0, + "no_copy": 1, + "options": "Auto Repeat", + "permlevel": 0, + "precision": "", + "print_hide": 1, + "print_hide_if_no_value": 0, + "read_only": 1, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 1, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "eval: doc.auto_repeat", + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 1, + "columns": 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, + "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": 0, + "columns": 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": 1, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "eval:doc.status===\"Lost\"", + "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": "Detailed Reason", + "length": 0, + "no_copy": 1, + "oldfieldname": "order_lost_reason", + "oldfieldtype": "Small Text", + "permlevel": 0, + "print_hide": 1, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 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": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "Draft", + "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": "Draft\nOpen\nReplied\nOrdered\nLost\nCancelled", + "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, + "fieldname": "enq_det", + "fieldtype": "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": "Opportunity Item", + "length": 0, + "no_copy": 0, + "oldfieldname": "enq_det", + "oldfieldtype": "Text", + "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, + "fieldname": "supplier_quotation", + "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": "Supplier Quotation", + "length": 0, + "no_copy": 0, + "options": "Supplier Quotation", + "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, + "fieldname": "opportunity", + "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": "Opportunity", + "length": 0, + "no_copy": 0, + "options": "Opportunity", + "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, + "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 + } + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "icon": "fa fa-shopping-cart", + "idx": 82, + "image_view": 0, + "in_create": 0, + "is_submittable": 1, + "issingle": 0, + "istable": 0, + "max_attachments": 1, + "menu_index": 0, + "modified": "2019-06-26 01:00:21.545591", + "modified_by": "Administrator", + "module": "Selling", + "name": "Quotation", + "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": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 0, + "export": 0, + "if_owner": 0, + "import": 0, + "match": "", + "permlevel": 1, + "print": 0, + "read": 1, + "report": 1, + "role": "Sales 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, + "match": "", + "permlevel": 1, + "print": 0, + "read": 1, + "report": 1, + "role": "Sales Manager", + "set_user_permissions": 0, + "share": 0, + "submit": 0, + "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": 0, + "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 Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 1, + "write": 1 + }, + { + "amend": 0, + "cancel": 0, + "create": 0, + "delete": 0, + "email": 0, + "export": 0, + "if_owner": 0, + "import": 0, + "match": "", + "permlevel": 1, + "print": 0, + "read": 1, + "report": 1, + "role": "Maintenance Manager", + "set_user_permissions": 0, + "share": 0, + "submit": 0, + "write": 0 + }, + { + "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": 0, + "export": 0, + "if_owner": 0, + "import": 0, + "match": "", + "permlevel": 1, + "print": 0, + "read": 1, + "report": 1, + "role": "Maintenance User", + "set_user_permissions": 0, + "share": 0, + "submit": 0, + "write": 0 + } + ], + "quick_entry": 0, + "read_only": 0, + "read_only_onload": 1, + "search_fields": "status,transaction_date,party_name,order_type", + "show_name_in_global_search": 1, + "sort_field": "modified", + "sort_order": "DESC", + "timeline_field": "party_name", + "title_field": "title", + "track_changes": 0, + "track_seen": 0, + "track_views": 0 } - ], - "icon": "fa fa-shopping-cart", - "idx": 82, - "is_submittable": 1, - "max_attachments": 1, - "modified": "2019-06-25 16:03:17.603222", - "modified_by": "Administrator", - "module": "Selling", - "name": "Quotation", - "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 - }, - { - "permlevel": 1, - "read": 1, - "report": 1, - "role": "Sales User" - }, - { - "permlevel": 1, - "read": 1, - "report": 1, - "role": "Sales Manager", - "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", - "share": 1, - "submit": 1, - "write": 1 - }, - { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Maintenance Manager", - "share": 1, - "submit": 1, - "write": 1 - }, - { - "permlevel": 1, - "read": 1, - "report": 1, - "role": "Maintenance Manager" - }, - { - "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 - }, - { - "permlevel": 1, - "read": 1, - "report": 1, - "role": "Maintenance User" - } - ], - "search_fields": "status,transaction_date,customer,lead,order_type", - "show_name_in_global_search": 1, - "sort_field": "modified", - "sort_order": "DESC", - "timeline_field": "customer", - "title_field": "title" -} \ No newline at end of file diff --git a/erpnext/selling/doctype/quotation/quotation.py b/erpnext/selling/doctype/quotation/quotation.py index 4e6c8336ea..cc73e76bf3 100644 --- a/erpnext/selling/doctype/quotation/quotation.py +++ b/erpnext/selling/doctype/quotation/quotation.py @@ -28,8 +28,8 @@ class Quotation(SellingController): self.update_opportunity() self.validate_order_type() self.validate_uom_is_integer("stock_uom", "qty") - self.validate_quotation_to() self.validate_valid_till() + self.set_customer_name() if self.items: self.with_items = 1 @@ -43,16 +43,16 @@ class Quotation(SellingController): def validate_order_type(self): super(Quotation, self).validate_order_type() - def validate_quotation_to(self): - if self.customer: - self.quotation_to = "Customer" - self.lead = None - elif self.lead: - self.quotation_to = "Lead" - def update_lead(self): - if self.lead: - frappe.get_doc("Lead", self.lead).set_status(update=True) + if self.quotation_to == "Lead" and self.party_name: + frappe.get_doc("Lead", self.party_name).set_status(update=True) + + def set_customer_name(self): + if self.party_name and self.quotation_to == 'Customer': + self.customer_name = frappe.db.get_value("Customer", self.party_name, "customer_name") + elif self.party_name and self.quotation_to == 'Lead': + lead_name, company_name = frappe.db.get_value("Lead", self.party_name, ["lead_name", "company_name"]) + self.customer_name = company_name or lead_name def update_opportunity(self): for opportunity in list(set([d.prevdoc_docname for d in self.get("items")])): @@ -226,33 +226,38 @@ def _make_sales_invoice(source_name, target_doc=None, ignore_permissions=False): return doclist def _make_customer(source_name, ignore_permissions=False): - quotation = frappe.db.get_value("Quotation", source_name, ["lead", "order_type", "customer"]) - if quotation and quotation[0] and not quotation[2]: - lead_name = quotation[0] - customer_name = frappe.db.get_value("Customer", {"lead_name": lead_name}, - ["name", "customer_name"], as_dict=True) - if not customer_name: - from erpnext.crm.doctype.lead.lead import _make_customer - customer_doclist = _make_customer(lead_name, ignore_permissions=ignore_permissions) - customer = frappe.get_doc(customer_doclist) - customer.flags.ignore_permissions = ignore_permissions - if quotation[1] == "Shopping Cart": - customer.customer_group = frappe.db.get_value("Shopping Cart Settings", None, - "default_customer_group") + quotation = frappe.db.get_value("Quotation", + source_name, ["order_type", "party_name", "customer_name"], as_dict=1) - try: - customer.insert() - return customer - except frappe.NameError: - if frappe.defaults.get_global_default('cust_master_name') == "Customer Name": - customer.run_method("autoname") - customer.name += "-" + lead_name + if quotation and quotation.get('party_name'): + if not frappe.db.exists("Customer", quotation.get("party_name")): + lead_name = quotation.get("party_name") + customer_name = frappe.db.get_value("Customer", {"lead_name": lead_name}, + ["name", "customer_name"], as_dict=True) + if not customer_name: + from erpnext.crm.doctype.lead.lead import _make_customer + customer_doclist = _make_customer(lead_name, ignore_permissions=ignore_permissions) + customer = frappe.get_doc(customer_doclist) + customer.flags.ignore_permissions = ignore_permissions + if quotation.get("party_name") == "Shopping Cart": + customer.customer_group = frappe.db.get_value("Shopping Cart Settings", None, + "default_customer_group") + + try: customer.insert() return customer - else: - raise - except frappe.MandatoryError: - frappe.local.message_log = [] - frappe.throw(_("Please create Customer from Lead {0}").format(lead_name)) + except frappe.NameError: + if frappe.defaults.get_global_default('cust_master_name') == "Customer Name": + customer.run_method("autoname") + customer.name += "-" + lead_name + customer.insert() + return customer + else: + raise + except frappe.MandatoryError: + frappe.local.message_log = [] + frappe.throw(_("Please create Customer from Lead {0}").format(lead_name)) + else: + return customer_name else: - return customer_name + return frappe.get_doc("Customer", quotation.get("party_name")) diff --git a/erpnext/selling/doctype/quotation/quotation_list.js b/erpnext/selling/doctype/quotation/quotation_list.js index aa6038cbc8..5f4e2546fb 100644 --- a/erpnext/selling/doctype/quotation/quotation_list.js +++ b/erpnext/selling/doctype/quotation/quotation_list.js @@ -1,6 +1,17 @@ frappe.listview_settings['Quotation'] = { add_fields: ["customer_name", "base_grand_total", "status", "company", "currency", 'valid_till'], + + onload: function(listview) { + listview.page.fields_dict.quotation_to.get_query = function() { + return { + "filters": { + "name": ["in", ["Customer", "Lead"]], + } + }; + }; + }, + get_indicator: function(doc) { if(doc.status==="Open") { if (doc.valid_till && doc.valid_till < frappe.datetime.nowdate()) { diff --git a/erpnext/selling/doctype/quotation/test_quotation.py b/erpnext/selling/doctype/quotation/test_quotation.py index 7f88cf9ffc..7ee4a76ca6 100644 --- a/erpnext/selling/doctype/quotation/test_quotation.py +++ b/erpnext/selling/doctype/quotation/test_quotation.py @@ -203,15 +203,15 @@ class TestQuotation(unittest.TestCase): test_records = frappe.get_test_records('Quotation') -def get_quotation_dict(customer=None, item_code=None): - if not customer: - customer = '_Test Customer' +def get_quotation_dict(party_name=None, item_code=None): + if not party_name: + party_name = '_Test Customer' if not item_code: item_code = '_Test Item' return { 'doctype': 'Quotation', - 'customer': customer, + 'party_name': party_name, 'items': [ { 'item_code': item_code, @@ -229,7 +229,7 @@ def make_quotation(**args): qo.transaction_date = args.transaction_date qo.company = args.company or "_Test Company" - qo.customer = args.customer or "_Test Customer" + qo.party_name = args.party_name or "_Test Customer" qo.currency = args.currency or "INR" if args.selling_price_list: qo.selling_price_list = args.selling_price_list diff --git a/erpnext/selling/doctype/quotation/test_records.json b/erpnext/selling/doctype/quotation/test_records.json index 7a9d3eb1e2..1564f7de0c 100644 --- a/erpnext/selling/doctype/quotation/test_records.json +++ b/erpnext/selling/doctype/quotation/test_records.json @@ -1,37 +1,37 @@ [ - { - "company": "_Test Company", - "conversion_rate": 1.0, - "currency": "INR", - "customer": "_Test Customer", - "customer_group": "_Test Customer Group", - "customer_name": "_Test Customer", - "doctype": "Quotation", - "base_grand_total": 1000.0, - "grand_total": 1000.0, - "order_type": "Sales", - "plc_conversion_rate": 1.0, - "price_list_currency": "INR", - "items": [ - { - "base_amount": 1000.0, - "base_rate": 100.0, - "description": "CPU", - "doctype": "Quotation Item", - "item_code": "_Test Item Home Desktop 100", - "item_name": "CPU", - "parentfield": "items", - "qty": 10.0, - "rate": 100.0, - "uom": "_Test UOM 1", - "stock_uom": "_Test UOM 1", - "conversion_factor": 1.0 - } - ], - "quotation_to": "Customer", - "selling_price_list": "_Test Price List", - "territory": "_Test Territory", - "transaction_date": "2013-02-21", - "valid_till": "2013-03-21" - } + { + "company": "_Test Company", + "conversion_rate": 1.0, + "currency": "INR", + "party_name": "_Test Customer", + "customer_group": "_Test Customer Group", + "customer_name": "_Test Customer", + "doctype": "Quotation", + "base_grand_total": 1000.0, + "grand_total": 1000.0, + "order_type": "Sales", + "plc_conversion_rate": 1.0, + "price_list_currency": "INR", + "items": [ + { + "base_amount": 1000.0, + "base_rate": 100.0, + "description": "CPU", + "doctype": "Quotation Item", + "item_code": "_Test Item Home Desktop 100", + "item_name": "CPU", + "parentfield": "items", + "qty": 10.0, + "rate": 100.0, + "uom": "_Test UOM 1", + "stock_uom": "_Test UOM 1", + "conversion_factor": 1.0 + } + ], + "quotation_to": "Customer", + "selling_price_list": "_Test Price List", + "territory": "_Test Territory", + "transaction_date": "2013-02-21", + "valid_till": "2013-03-21" + } ] \ No newline at end of file diff --git a/erpnext/selling/doctype/sales_order/sales_order.js b/erpnext/selling/doctype/sales_order/sales_order.js index 38b7b566aa..f4bb0709a5 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.js +++ b/erpnext/selling/doctype/sales_order/sales_order.js @@ -231,13 +231,19 @@ erpnext.selling.SalesOrderController = erpnext.selling.SellingController.extend( method: "erpnext.selling.doctype.quotation.quotation.make_sales_order", source_doctype: "Quotation", target: me.frm, - setters: { - customer: me.frm.doc.customer || undefined - }, + setters: [ + { + label: "Customer", + fieldname: "party_name", + fieldtype: "Link", + options: "Customer", + default: me.frm.doc.customer || undefined + } + ], get_query_filters: { company: me.frm.doc.company, docstatus: 1, - status: ["!=", "Lost"], + status: ["!=", "Lost"] } }) }, __("Get items from")); diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index 95c803d8f4..2481f31ffd 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -1,4472 +1,4472 @@ { - "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, + "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, - "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 + "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 diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index b87ad031f5..493da99303 100755 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -211,9 +211,8 @@ class SalesOrder(SellingController): if self.project: project = frappe.get_doc("Project", self.project) - project.flags.dont_sync_tasks = True project.update_sales_amount() - project.save() + project.db_update() def check_credit_limit(self): # if bypass credit limit check is set to true (1) at sales order level, diff --git a/erpnext/selling/doctype/sales_order/sales_order_list.js b/erpnext/selling/doctype/sales_order/sales_order_list.js index 0f288b9cc4..15c9eb550f 100644 --- a/erpnext/selling/doctype/sales_order/sales_order_list.js +++ b/erpnext/selling/doctype/sales_order/sales_order_list.js @@ -34,17 +34,25 @@ frappe.listview_settings['Sales Order'] = { "per_delivered,<,100|per_billed,=,100|status,!=,Closed"]; } - } else if ((doc.order_type === "Maintenance" || flt(doc.per_delivered, 6) == 100) + } else if ((flt(doc.per_delivered, 6) == 100) && flt(doc.grand_total) !== 0 && flt(doc.per_billed, 6) < 100 && doc.status !== "Closed") { // to bill return [__("To Bill"), "orange", "per_delivered,=,100|per_billed,<,100|status,!=,Closed"]; - } else if ((doc.order_type === "Maintenance" || flt(doc.per_delivered, 6) == 100) + } else if ((flt(doc.per_delivered, 6) === 100) && (flt(doc.grand_total) === 0 || flt(doc.per_billed, 6) == 100) && doc.status !== "Closed") { - return [__("Completed"), "green", "per_delivered,=,100|per_billed,=,100|status,!=,Closed"]; + + }else if (doc.order_type === "Maintenance" && flt(doc.per_delivered, 6) < 100 && doc.status !== "Closed"){ + + if(flt(doc.per_billed, 6) < 100 ){ + return [__("To Deliver and Bill"), "orange", "per_delivered,=,100|per_billed,<,100|status,!=,Closed"]; + }else if(flt(doc.per_billed, 6) == 100){ + return [__("To Deliver"), "orange", "per_delivered,=,100|per_billed,=,100|status,!=,Closed"]; + } } + }, onload: function(listview) { var method = "erpnext.selling.doctype.sales_order.sales_order.close_or_unclose_sales_orders"; diff --git a/erpnext/selling/report/available_stock_for_packing_items/available_stock_for_packing_items.py b/erpnext/selling/report/available_stock_for_packing_items/available_stock_for_packing_items.py index 1e45a73673..32711b2fce 100644 --- a/erpnext/selling/report/available_stock_for_packing_items/available_stock_for_packing_items.py +++ b/erpnext/selling/report/available_stock_for_packing_items/available_stock_for_packing_items.py @@ -11,8 +11,7 @@ def execute(filters=None): columns = get_columns() iwq_map = get_item_warehouse_quantity_map() item_map = get_item_details() - - data = [] + data = [] for sbom, warehouse in iwq_map.items(): total = 0 total_qty = 0 @@ -20,8 +19,8 @@ def execute(filters=None): for wh, item_qty in warehouse.items(): total += 1 row = [sbom, item_map.get(sbom).item_name, item_map.get(sbom).description, - item_map.get(sbom).stock_uom, wh] - available_qty = min(item_qty.values()) + item_map.get(sbom).stock_uom, wh] + available_qty = item_qty total_qty += flt(available_qty) row += [available_qty] @@ -30,51 +29,50 @@ def execute(filters=None): if (total == len(warehouse)): row = ["", "", "Total", "", "", total_qty] data.append(row) - return columns, data - + def get_columns(): columns = ["Item Code:Link/Item:100", "Item Name::100", "Description::120", \ - "UOM:Link/UOM:80", "Warehouse:Link/Warehouse:100", "Quantity::100"] + "UOM:Link/UOM:80", "Warehouse:Link/Warehouse:100", "Quantity::100"] return columns -def get_product_bundle_items(): - sbom_item_map = {} - for sbom in frappe.db.sql("""select pb.new_item_code as parent, pbi.item_code, pbi.qty - from `tabProduct Bundle Item` as pbi, `tabProduct Bundle` as pb - where pb.docstatus < 2 and pb.name = pbi.parent""", as_dict=1): - sbom_item_map.setdefault(sbom.parent, {}).setdefault(sbom.item_code, sbom.qty) - - return sbom_item_map - def get_item_details(): item_map = {} - for item in frappe.db.sql("""select name, item_name, description, stock_uom - from `tabItem`""", as_dict=1): - item_map.setdefault(item.name, item) - + for item in frappe.db.sql("""SELECT name, item_name, description, stock_uom + from `tabItem`""", as_dict=1): + item_map.setdefault(item.name, item) return item_map -def get_item_warehouse_quantity(): - iwq_map = {} - bin = frappe.db.sql("""select item_code, warehouse, actual_qty from `tabBin` - where actual_qty > 0""") - for item, wh, qty in bin: - iwq_map.setdefault(item, {}).setdefault(wh, qty) - - return iwq_map - def get_item_warehouse_quantity_map(): + query = """SELECT parent, warehouse, MIN(qty) AS qty + FROM (SELECT b.parent, bi.item_code, bi.warehouse, + sum(bi.projected_qty) / b.qty AS qty + FROM tabBin AS bi, (SELECT pb.new_item_code as parent, b.item_code, b.qty, w.name + FROM `tabProduct Bundle Item` b, `tabWarehouse` w, + `tabProduct Bundle` pb + where b.parent = pb.name) AS b + WHERE bi.item_code = b.item_code + AND bi.warehouse = b.name + GROUP BY b.parent, b.item_code, bi.warehouse + UNION ALL + SELECT b.parent, b.item_code, b.name, 0 AS qty + FROM (SELECT pb.new_item_code as parent, b.item_code, b.qty, w.name + FROM `tabProduct Bundle Item` b, `tabWarehouse` w, + `tabProduct Bundle` pb + where b.parent = pb.name) AS b + WHERE NOT EXISTS(SELECT * + FROM `tabBin` AS bi + WHERE bi.item_code = b.item_code + AND bi.warehouse = b.name)) AS r + GROUP BY parent, warehouse + HAVING MIN(qty) != 0""" + result = frappe.db.sql(query, as_dict=1) + last_sbom = "" sbom_map = {} - iwq_map = get_item_warehouse_quantity() - sbom_item_map = get_product_bundle_items() - - for sbom, sbom_items in sbom_item_map.items(): - for item, child_qty in sbom_items.items(): - for wh, qty in iwq_map.get(item, {}).items(): - avail_qty = flt(qty) / flt(child_qty) - sbom_map.setdefault(sbom, {}).setdefault(wh, {}) \ - .setdefault(item, avail_qty) - + for line in result: + if line.get("parent") != last_sbom: + last_sbom = line.get("parent") + actual_dict = sbom_map.setdefault(last_sbom, {}) + actual_dict.setdefault(line.get("warehouse"), line.get("qty")) return sbom_map \ No newline at end of file diff --git a/erpnext/setup/doctype/company/company.json b/erpnext/setup/doctype/company/company.json index d85fc45b46..bb652ca6bf 100644 --- a/erpnext/setup/doctype/company/company.json +++ b/erpnext/setup/doctype/company/company.json @@ -1,762 +1,769 @@ { - "allow_import": 1, - "allow_rename": 1, - "autoname": "field:company_name", - "creation": "2013-04-10 08:35:39", - "description": "Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.", - "doctype": "DocType", - "document_type": "Setup", - "engine": "InnoDB", - "field_order": [ - "details", - "company_name", - "abbr", - "change_abbr", - "is_group", - "cb0", - "domain", - "parent_company", - "charts_section", - "default_currency", - "default_letter_head", - "default_holiday_list", - "default_finance_book", - "standard_working_hours", - "default_terms", - "column_break_10", - "country", - "create_chart_of_accounts_based_on", - "chart_of_accounts", - "existing_company", - "tax_id", - "date_of_establishment", - "sales_settings", - "monthly_sales_target", - "sales_monthly_history", - "column_break_goals", - "transactions_annual_history", - "total_monthly_sales", - "default_settings", - "default_bank_account", - "default_cash_account", - "default_receivable_account", - "round_off_account", - "round_off_cost_center", - "write_off_account", - "discount_allowed_account", - "discount_received_account", - "exchange_gain_loss_account", - "unrealized_exchange_gain_loss_account", - "column_break0", - "allow_account_creation_against_child_company", - "default_payable_account", - "default_employee_advance_account", - "default_expense_account", - "default_income_account", - "default_deferred_revenue_account", - "default_deferred_expense_account", - "default_payroll_payable_account", - "default_expense_claim_payable_account", - "section_break_22", - "cost_center", - "column_break_26", - "credit_limit", - "payment_terms", - "auto_accounting_for_stock_settings", - "enable_perpetual_inventory", - "default_inventory_account", - "stock_adjustment_account", - "column_break_32", - "stock_received_but_not_billed", - "expenses_included_in_valuation", - "fixed_asset_depreciation_settings", - "accumulated_depreciation_account", - "depreciation_expense_account", - "series_for_depreciation_entry", - "expenses_included_in_asset_valuation", - "column_break_40", - "disposal_account", - "depreciation_cost_center", - "capital_work_in_progress_account", - "asset_received_but_not_billed", - "budget_detail", - "exception_budget_approver_role", - "company_info", - "company_logo", - "date_of_incorporation", - "address_html", - "date_of_commencement", - "phone_no", - "fax", - "email", - "website", - "column_break1", - "company_description", - "registration_info", - "registration_details", - "delete_company_transactions", - "lft", - "rgt", - "old_parent" - ], - "fields": [ - { - "fieldname": "details", - "fieldtype": "Section Break", - "oldfieldtype": "Section Break" - }, - { - "fieldname": "company_name", - "fieldtype": "Data", - "label": "Company", - "oldfieldname": "company_name", - "oldfieldtype": "Data", - "reqd": 1, - "unique": 1 - }, - { - "fieldname": "abbr", - "fieldtype": "Data", - "label": "Abbr", - "oldfieldname": "abbr", - "oldfieldtype": "Data", - "reqd": 1 - }, - { - "depends_on": "eval:!doc.__islocal && in_list(frappe.user_roles, \"System Manager\")", - "fieldname": "change_abbr", - "fieldtype": "Button", - "label": "Change Abbreviation" - }, - { - "bold": 1, - "default": "0", - "fieldname": "is_group", - "fieldtype": "Check", - "label": "Is Group" - }, - { - "fieldname": "default_finance_book", - "fieldtype": "Link", - "label": "Default Finance Book", - "options": "Finance Book" - }, - { - "fieldname": "cb0", - "fieldtype": "Column Break" - }, - { - "fieldname": "domain", - "fieldtype": "Link", - "label": "Domain", - "options": "Domain" - }, - { - "fieldname": "parent_company", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Parent Company", - "options": "Company" - }, - { - "fieldname": "company_logo", - "fieldtype": "Attach Image", - "hidden": 1, - "label": "Company Logo" - }, - { - "fieldname": "company_description", - "fieldtype": "Text Editor", - "label": "Company Description" - }, - { - "collapsible": 1, - "fieldname": "sales_settings", - "fieldtype": "Section Break", - "label": "Sales Settings" - }, - { - "fieldname": "sales_monthly_history", - "fieldtype": "Small Text", - "hidden": 1, - "label": "Sales Monthly History", - "no_copy": 1, - "read_only": 1 - }, - { - "fieldname": "transactions_annual_history", - "fieldtype": "Code", - "hidden": 1, - "label": "Transactions Annual History", - "no_copy": 1, - "read_only": 1 - }, - { - "fieldname": "monthly_sales_target", - "fieldtype": "Currency", - "label": "Monthly Sales Target", - "options": "default_currency" - }, - { - "fieldname": "column_break_goals", - "fieldtype": "Column Break" - }, - { - "fieldname": "total_monthly_sales", - "fieldtype": "Currency", - "label": "Total Monthly Sales", - "no_copy": 1, - "options": "default_currency", - "read_only": 1 - }, - { - "fieldname": "charts_section", - "fieldtype": "Section Break", - "label": "Default Values" - }, - { - "fieldname": "default_currency", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Currency", - "options": "Currency", - "reqd": 1 - }, - { - "fieldname": "default_letter_head", - "fieldtype": "Link", - "label": "Default Letter Head", - "options": "Letter Head" - }, - { - "fieldname": "default_holiday_list", - "fieldtype": "Link", - "label": "Default Holiday List", - "options": "Holiday List" - }, - { - "fieldname": "standard_working_hours", - "fieldtype": "Float", - "label": "Standard Working Hours" - }, - { - "fieldname": "default_terms", - "fieldtype": "Link", - "label": "Default Terms", - "options": "Terms and Conditions" - }, - { - "fieldname": "column_break_10", - "fieldtype": "Column Break" - }, - { - "fieldname": "country", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Country", - "options": "Country", - "reqd": 1 - }, - { - "fieldname": "create_chart_of_accounts_based_on", - "fieldtype": "Select", - "label": "Create Chart Of Accounts Based On", - "options": "\nStandard Template\nExisting Company" - }, - { - "depends_on": "eval:doc.create_chart_of_accounts_based_on===\"Standard Template\"", - "fieldname": "chart_of_accounts", - "fieldtype": "Select", - "label": "Chart Of Accounts Template", - "no_copy": 1 - }, - { - "depends_on": "eval:doc.create_chart_of_accounts_based_on===\"Existing Company\"", - "fieldname": "existing_company", - "fieldtype": "Link", - "label": "Existing Company ", - "no_copy": 1, - "options": "Company" - }, - { - "fieldname": "tax_id", - "fieldtype": "Data", - "label": "Tax ID" - }, - { - "fieldname": "date_of_establishment", - "fieldtype": "Date", - "label": "Date of Establishment" - }, - { - "fieldname": "default_settings", - "fieldtype": "Section Break", - "label": "Accounts Settings", - "oldfieldtype": "Section Break" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_bank_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Bank Account", - "no_copy": 1, - "oldfieldname": "default_bank_account", - "oldfieldtype": "Link", - "options": "Account" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_cash_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Cash Account", - "no_copy": 1, - "options": "Account" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_receivable_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Receivable Account", - "no_copy": 1, - "oldfieldname": "receivables_group", - "oldfieldtype": "Link", - "options": "Account" - }, - { - "fieldname": "round_off_account", - "fieldtype": "Link", - "label": "Round Off Account", - "options": "Account" - }, - { - "fieldname": "round_off_cost_center", - "fieldtype": "Link", - "label": "Round Off Cost Center", - "options": "Cost Center" - }, - { - "fieldname": "write_off_account", - "fieldtype": "Link", - "label": "Write Off Account", - "options": "Account" - }, - { - "fieldname": "discount_allowed_account", - "fieldtype": "Link", - "label": "Discount Allowed Account", - "options": "Account" - }, - { - "fieldname": "discount_received_account", - "fieldtype": "Link", - "label": "Discount Received Account", - "options": "Account" - }, - { - "fieldname": "exchange_gain_loss_account", - "fieldtype": "Link", - "label": "Exchange Gain / Loss Account", - "options": "Account" - }, - { - "fieldname": "unrealized_exchange_gain_loss_account", - "fieldtype": "Link", - "label": "Unrealized Exchange Gain/Loss Account", - "options": "Account" - }, - { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "width": "50%" - }, - { - "default": "0", - "depends_on": "eval:doc.parent_company", - "fieldname": "allow_account_creation_against_child_company", - "fieldtype": "Check", - "label": "Allow Account Creation Against Child Company" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_payable_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Payable Account", - "no_copy": 1, - "oldfieldname": "payables_group", - "oldfieldtype": "Link", - "options": "Account" - }, - { - "fieldname": "default_employee_advance_account", - "fieldtype": "Link", - "label": "Default Employee Advance Account", - "no_copy": 1, - "options": "Account" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_expense_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Cost of Goods Sold Account", - "no_copy": 1, - "options": "Account" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_income_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Income Account", - "no_copy": 1, - "options": "Account" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_deferred_revenue_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Deferred Revenue Account", - "no_copy": 1, - "options": "Account" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_deferred_expense_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Deferred Expense Account", - "no_copy": 1, - "options": "Account" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_payroll_payable_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Payroll Payable Account", - "no_copy": 1, - "options": "Account" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_expense_claim_payable_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Expense Claim Payable Account", - "no_copy": 1, - "options": "Account" - }, - { - "fieldname": "section_break_22", - "fieldtype": "Section Break" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "cost_center", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Cost Center", - "no_copy": 1, - "options": "Cost Center" - }, - { - "fieldname": "column_break_26", - "fieldtype": "Column Break" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "credit_limit", - "fieldtype": "Currency", - "label": "Credit Limit", - "oldfieldname": "credit_limit", - "oldfieldtype": "Currency", - "options": "default_currency" - }, - { - "fieldname": "payment_terms", - "fieldtype": "Link", - "label": "Default Payment Terms Template", - "options": "Payment Terms Template" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "auto_accounting_for_stock_settings", - "fieldtype": "Section Break", - "label": "Stock Settings" - }, - { - "default": "1", - "fieldname": "enable_perpetual_inventory", - "fieldtype": "Check", - "label": "Enable Perpetual Inventory" - }, - { - "fieldname": "default_inventory_account", - "fieldtype": "Link", - "label": "Default Inventory Account", - "options": "Account" - }, - { - "fieldname": "stock_adjustment_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Stock Adjustment Account", - "no_copy": 1, - "options": "Account" - }, - { - "fieldname": "column_break_32", - "fieldtype": "Column Break" - }, - { - "fieldname": "stock_received_but_not_billed", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Stock Received But Not Billed", - "no_copy": 1, - "options": "Account" - }, - { - "fieldname": "expenses_included_in_valuation", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Expenses Included In Valuation", - "no_copy": 1, - "options": "Account" - }, - { - "collapsible": 1, - "fieldname": "fixed_asset_depreciation_settings", - "fieldtype": "Section Break", - "label": "Fixed Asset Depreciation Settings" - }, - { - "fieldname": "accumulated_depreciation_account", - "fieldtype": "Link", - "label": "Accumulated Depreciation Account", - "no_copy": 1, - "options": "Account" - }, - { - "fieldname": "depreciation_expense_account", - "fieldtype": "Link", - "label": "Depreciation Expense Account", - "no_copy": 1, - "options": "Account" - }, - { - "fieldname": "series_for_depreciation_entry", - "fieldtype": "Data", - "label": "Series for Asset Depreciation Entry (Journal Entry)" - }, - { - "fieldname": "expenses_included_in_asset_valuation", - "fieldtype": "Link", - "label": "Expenses Included In Asset Valuation", - "options": "Account" - }, - { - "fieldname": "column_break_40", - "fieldtype": "Column Break" - }, - { - "fieldname": "disposal_account", - "fieldtype": "Link", - "label": "Gain/Loss Account on Asset Disposal", - "no_copy": 1, - "options": "Account" - }, - { - "fieldname": "depreciation_cost_center", - "fieldtype": "Link", - "label": "Asset Depreciation Cost Center", - "no_copy": 1, - "options": "Cost Center" - }, - { - "fieldname": "capital_work_in_progress_account", - "fieldtype": "Link", - "label": "Capital Work In Progress Account", - "options": "Account" - }, - { - "fieldname": "asset_received_but_not_billed", - "fieldtype": "Link", - "label": "Asset Received But Not Billed", - "options": "Account" - }, - { - "collapsible": 1, - "fieldname": "budget_detail", - "fieldtype": "Section Break", - "label": "Budget Detail" - }, - { - "fieldname": "exception_budget_approver_role", - "fieldtype": "Link", - "label": "Exception Budget Approver Role", - "options": "Role" - }, - { - "collapsible": 1, - "description": "For reference only.", - "fieldname": "company_info", - "fieldtype": "Section Break", - "label": "Company Info" - }, - { - "fieldname": "date_of_incorporation", - "fieldtype": "Date", - "label": "Date of Incorporation" - }, - { - "fieldname": "address_html", - "fieldtype": "HTML" - }, - { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "width": "50%" - }, - { - "depends_on": "eval:doc.date_of_incorporation", - "fieldname": "date_of_commencement", - "fieldtype": "Date", - "label": "Date of Commencement" - }, - { - "fieldname": "phone_no", - "fieldtype": "Data", - "label": "Phone No", - "oldfieldname": "phone_no", - "oldfieldtype": "Data", - "options": "Phone" - }, - { - "fieldname": "fax", - "fieldtype": "Data", - "label": "Fax", - "oldfieldname": "fax", - "oldfieldtype": "Data", - "options": "Phone" - }, - { - "fieldname": "email", - "fieldtype": "Data", - "label": "Email", - "oldfieldname": "email", - "oldfieldtype": "Data", - "options": "Email" - }, - { - "fieldname": "website", - "fieldtype": "Data", - "label": "Website", - "oldfieldname": "website", - "oldfieldtype": "Data" - }, - { - "fieldname": "registration_info", - "fieldtype": "Section Break", - "oldfieldtype": "Section Break", - "width": "50%" - }, - { - "description": "Company registration numbers for your reference. Tax numbers etc.", - "fieldname": "registration_details", - "fieldtype": "Code", - "label": "Registration Details", - "oldfieldname": "registration_details", - "oldfieldtype": "Code" - }, - { - "fieldname": "delete_company_transactions", - "fieldtype": "Button", - "label": "Delete Company Transactions" - }, - { - "fieldname": "lft", - "fieldtype": "Int", - "hidden": 1, - "label": "Lft", - "print_hide": 1, - "read_only": 1, - "search_index": 1 - }, - { - "fieldname": "rgt", - "fieldtype": "Int", - "hidden": 1, - "label": "Rgt", - "print_hide": 1, - "read_only": 1, - "search_index": 1 - }, - { - "fieldname": "old_parent", - "fieldtype": "Data", - "hidden": 1, - "label": "old_parent", - "print_hide": 1, - "read_only": 1 - } - ], - "icon": "fa fa-building", - "idx": 1, - "image_field": "company_logo", - "modified": "2019-06-14 14:36:11.363309", - "modified_by": "Administrator", - "module": "Setup", - "name": "Company", - "owner": "Administrator", - "permissions": [ - { - "create": 1, - "delete": 1, - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "System Manager", - "share": 1, - "write": 1 - }, - { - "email": 1, - "print": 1, - "read": 1, - "role": "Accounts User" - }, - { - "read": 1, - "role": "Employee" - }, - { - "read": 1, - "role": "Sales User" - }, - { - "read": 1, - "role": "Purchase User" - }, - { - "read": 1, - "role": "Stock User" - }, - { - "read": 1, - "role": "Projects User" - } - ], - "show_name_in_global_search": 1, - "sort_field": "modified", - "sort_order": "ASC", - "track_changes": 1 -} \ No newline at end of file + "allow_import": 1, + "allow_rename": 1, + "autoname": "field:company_name", + "creation": "2013-04-10 08:35:39", + "description": "Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.", + "doctype": "DocType", + "document_type": "Setup", + "engine": "InnoDB", + "field_order": [ + "details", + "company_name", + "abbr", + "change_abbr", + "is_group", + "cb0", + "domain", + "parent_company", + "charts_section", + "default_currency", + "default_letter_head", + "default_holiday_list", + "default_finance_book", + "standard_working_hours", + "default_terms", + "default_warehouse_for_sales_return", + "column_break_10", + "country", + "create_chart_of_accounts_based_on", + "chart_of_accounts", + "existing_company", + "tax_id", + "date_of_establishment", + "sales_settings", + "monthly_sales_target", + "sales_monthly_history", + "column_break_goals", + "transactions_annual_history", + "total_monthly_sales", + "default_settings", + "default_bank_account", + "default_cash_account", + "default_receivable_account", + "round_off_account", + "round_off_cost_center", + "write_off_account", + "discount_allowed_account", + "discount_received_account", + "exchange_gain_loss_account", + "unrealized_exchange_gain_loss_account", + "column_break0", + "allow_account_creation_against_child_company", + "default_payable_account", + "default_employee_advance_account", + "default_expense_account", + "default_income_account", + "default_deferred_revenue_account", + "default_deferred_expense_account", + "default_payroll_payable_account", + "default_expense_claim_payable_account", + "section_break_22", + "cost_center", + "column_break_26", + "credit_limit", + "payment_terms", + "auto_accounting_for_stock_settings", + "enable_perpetual_inventory", + "default_inventory_account", + "stock_adjustment_account", + "column_break_32", + "stock_received_but_not_billed", + "expenses_included_in_valuation", + "fixed_asset_depreciation_settings", + "accumulated_depreciation_account", + "depreciation_expense_account", + "series_for_depreciation_entry", + "expenses_included_in_asset_valuation", + "column_break_40", + "disposal_account", + "depreciation_cost_center", + "capital_work_in_progress_account", + "asset_received_but_not_billed", + "budget_detail", + "exception_budget_approver_role", + "company_info", + "company_logo", + "date_of_incorporation", + "address_html", + "date_of_commencement", + "phone_no", + "fax", + "email", + "website", + "column_break1", + "company_description", + "registration_info", + "registration_details", + "delete_company_transactions", + "lft", + "rgt", + "old_parent" + ], + "fields": [ + { + "fieldname": "details", + "fieldtype": "Section Break", + "oldfieldtype": "Section Break" + }, + { + "fieldname": "company_name", + "fieldtype": "Data", + "label": "Company", + "oldfieldname": "company_name", + "oldfieldtype": "Data", + "reqd": 1, + "unique": 1 + }, + { + "fieldname": "abbr", + "fieldtype": "Data", + "label": "Abbr", + "oldfieldname": "abbr", + "oldfieldtype": "Data", + "reqd": 1 + }, + { + "depends_on": "eval:!doc.__islocal && in_list(frappe.user_roles, \"System Manager\")", + "fieldname": "change_abbr", + "fieldtype": "Button", + "label": "Change Abbreviation" + }, + { + "bold": 1, + "default": "0", + "fieldname": "is_group", + "fieldtype": "Check", + "label": "Is Group" + }, + { + "fieldname": "default_finance_book", + "fieldtype": "Link", + "label": "Default Finance Book", + "options": "Finance Book" + }, + { + "fieldname": "cb0", + "fieldtype": "Column Break" + }, + { + "fieldname": "domain", + "fieldtype": "Link", + "label": "Domain", + "options": "Domain" + }, + { + "fieldname": "parent_company", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Parent Company", + "options": "Company" + }, + { + "fieldname": "company_logo", + "fieldtype": "Attach Image", + "hidden": 1, + "label": "Company Logo" + }, + { + "fieldname": "company_description", + "fieldtype": "Text Editor", + "label": "Company Description" + }, + { + "collapsible": 1, + "fieldname": "sales_settings", + "fieldtype": "Section Break", + "label": "Sales Settings" + }, + { + "fieldname": "sales_monthly_history", + "fieldtype": "Small Text", + "hidden": 1, + "label": "Sales Monthly History", + "no_copy": 1, + "read_only": 1 + }, + { + "fieldname": "transactions_annual_history", + "fieldtype": "Code", + "hidden": 1, + "label": "Transactions Annual History", + "no_copy": 1, + "read_only": 1 + }, + { + "fieldname": "monthly_sales_target", + "fieldtype": "Currency", + "label": "Monthly Sales Target", + "options": "default_currency" + }, + { + "fieldname": "column_break_goals", + "fieldtype": "Column Break" + }, + { + "fieldname": "total_monthly_sales", + "fieldtype": "Currency", + "label": "Total Monthly Sales", + "no_copy": 1, + "options": "default_currency", + "read_only": 1 + }, + { + "fieldname": "charts_section", + "fieldtype": "Section Break", + "label": "Default Values" + }, + { + "fieldname": "default_currency", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Currency", + "options": "Currency", + "reqd": 1 + }, + { + "fieldname": "default_letter_head", + "fieldtype": "Link", + "label": "Default Letter Head", + "options": "Letter Head" + }, + { + "fieldname": "default_holiday_list", + "fieldtype": "Link", + "label": "Default Holiday List", + "options": "Holiday List" + }, + { + "fieldname": "standard_working_hours", + "fieldtype": "Float", + "label": "Standard Working Hours" + }, + { + "fieldname": "default_terms", + "fieldtype": "Link", + "label": "Default Terms", + "options": "Terms and Conditions" + }, + { + "fieldname": "default_warehouse_for_sales_return", + "fieldtype": "Link", + "label": "Default warehouse for Sales Return", + "options": "Warehouse" + }, + { + "fieldname": "column_break_10", + "fieldtype": "Column Break" + }, + { + "fieldname": "country", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Country", + "options": "Country", + "reqd": 1 + }, + { + "fieldname": "create_chart_of_accounts_based_on", + "fieldtype": "Select", + "label": "Create Chart Of Accounts Based On", + "options": "\nStandard Template\nExisting Company" + }, + { + "depends_on": "eval:doc.create_chart_of_accounts_based_on===\"Standard Template\"", + "fieldname": "chart_of_accounts", + "fieldtype": "Select", + "label": "Chart Of Accounts Template", + "no_copy": 1 + }, + { + "depends_on": "eval:doc.create_chart_of_accounts_based_on===\"Existing Company\"", + "fieldname": "existing_company", + "fieldtype": "Link", + "label": "Existing Company ", + "no_copy": 1, + "options": "Company" + }, + { + "fieldname": "tax_id", + "fieldtype": "Data", + "label": "Tax ID" + }, + { + "fieldname": "date_of_establishment", + "fieldtype": "Date", + "label": "Date of Establishment" + }, + { + "fieldname": "default_settings", + "fieldtype": "Section Break", + "label": "Accounts Settings", + "oldfieldtype": "Section Break" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_bank_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Bank Account", + "no_copy": 1, + "oldfieldname": "default_bank_account", + "oldfieldtype": "Link", + "options": "Account" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_cash_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Cash Account", + "no_copy": 1, + "options": "Account" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_receivable_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Receivable Account", + "no_copy": 1, + "oldfieldname": "receivables_group", + "oldfieldtype": "Link", + "options": "Account" + }, + { + "fieldname": "round_off_account", + "fieldtype": "Link", + "label": "Round Off Account", + "options": "Account" + }, + { + "fieldname": "round_off_cost_center", + "fieldtype": "Link", + "label": "Round Off Cost Center", + "options": "Cost Center" + }, + { + "fieldname": "write_off_account", + "fieldtype": "Link", + "label": "Write Off Account", + "options": "Account" + }, + { + "fieldname": "discount_allowed_account", + "fieldtype": "Link", + "label": "Discount Allowed Account", + "options": "Account" + }, + { + "fieldname": "discount_received_account", + "fieldtype": "Link", + "label": "Discount Received Account", + "options": "Account" + }, + { + "fieldname": "exchange_gain_loss_account", + "fieldtype": "Link", + "label": "Exchange Gain / Loss Account", + "options": "Account" + }, + { + "fieldname": "unrealized_exchange_gain_loss_account", + "fieldtype": "Link", + "label": "Unrealized Exchange Gain/Loss Account", + "options": "Account" + }, + { + "fieldname": "column_break0", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "width": "50%" + }, + { + "default": "0", + "depends_on": "eval:doc.parent_company", + "fieldname": "allow_account_creation_against_child_company", + "fieldtype": "Check", + "label": "Allow Account Creation Against Child Company" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_payable_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Payable Account", + "no_copy": 1, + "oldfieldname": "payables_group", + "oldfieldtype": "Link", + "options": "Account" + }, + { + "fieldname": "default_employee_advance_account", + "fieldtype": "Link", + "label": "Default Employee Advance Account", + "no_copy": 1, + "options": "Account" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_expense_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Cost of Goods Sold Account", + "no_copy": 1, + "options": "Account" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_income_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Income Account", + "no_copy": 1, + "options": "Account" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_deferred_revenue_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Deferred Revenue Account", + "no_copy": 1, + "options": "Account" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_deferred_expense_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Deferred Expense Account", + "no_copy": 1, + "options": "Account" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_payroll_payable_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Payroll Payable Account", + "no_copy": 1, + "options": "Account" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_expense_claim_payable_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Expense Claim Payable Account", + "no_copy": 1, + "options": "Account" + }, + { + "fieldname": "section_break_22", + "fieldtype": "Section Break" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "cost_center", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Cost Center", + "no_copy": 1, + "options": "Cost Center" + }, + { + "fieldname": "column_break_26", + "fieldtype": "Column Break" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "credit_limit", + "fieldtype": "Currency", + "label": "Credit Limit", + "oldfieldname": "credit_limit", + "oldfieldtype": "Currency", + "options": "default_currency" + }, + { + "fieldname": "payment_terms", + "fieldtype": "Link", + "label": "Default Payment Terms Template", + "options": "Payment Terms Template" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "auto_accounting_for_stock_settings", + "fieldtype": "Section Break", + "label": "Stock Settings" + }, + { + "default": "1", + "fieldname": "enable_perpetual_inventory", + "fieldtype": "Check", + "label": "Enable Perpetual Inventory" + }, + { + "fieldname": "default_inventory_account", + "fieldtype": "Link", + "label": "Default Inventory Account", + "options": "Account" + }, + { + "fieldname": "stock_adjustment_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Stock Adjustment Account", + "no_copy": 1, + "options": "Account" + }, + { + "fieldname": "column_break_32", + "fieldtype": "Column Break" + }, + { + "fieldname": "stock_received_but_not_billed", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Stock Received But Not Billed", + "no_copy": 1, + "options": "Account" + }, + { + "fieldname": "expenses_included_in_valuation", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Expenses Included In Valuation", + "no_copy": 1, + "options": "Account" + }, + { + "collapsible": 1, + "fieldname": "fixed_asset_depreciation_settings", + "fieldtype": "Section Break", + "label": "Fixed Asset Depreciation Settings" + }, + { + "fieldname": "accumulated_depreciation_account", + "fieldtype": "Link", + "label": "Accumulated Depreciation Account", + "no_copy": 1, + "options": "Account" + }, + { + "fieldname": "depreciation_expense_account", + "fieldtype": "Link", + "label": "Depreciation Expense Account", + "no_copy": 1, + "options": "Account" + }, + { + "fieldname": "series_for_depreciation_entry", + "fieldtype": "Data", + "label": "Series for Asset Depreciation Entry (Journal Entry)" + }, + { + "fieldname": "expenses_included_in_asset_valuation", + "fieldtype": "Link", + "label": "Expenses Included In Asset Valuation", + "options": "Account" + }, + { + "fieldname": "column_break_40", + "fieldtype": "Column Break" + }, + { + "fieldname": "disposal_account", + "fieldtype": "Link", + "label": "Gain/Loss Account on Asset Disposal", + "no_copy": 1, + "options": "Account" + }, + { + "fieldname": "depreciation_cost_center", + "fieldtype": "Link", + "label": "Asset Depreciation Cost Center", + "no_copy": 1, + "options": "Cost Center" + }, + { + "fieldname": "capital_work_in_progress_account", + "fieldtype": "Link", + "label": "Capital Work In Progress Account", + "options": "Account" + }, + { + "fieldname": "asset_received_but_not_billed", + "fieldtype": "Link", + "label": "Asset Received But Not Billed", + "options": "Account" + }, + { + "collapsible": 1, + "fieldname": "budget_detail", + "fieldtype": "Section Break", + "label": "Budget Detail" + }, + { + "fieldname": "exception_budget_approver_role", + "fieldtype": "Link", + "label": "Exception Budget Approver Role", + "options": "Role" + }, + { + "collapsible": 1, + "description": "For reference only.", + "fieldname": "company_info", + "fieldtype": "Section Break", + "label": "Company Info" + }, + { + "fieldname": "date_of_incorporation", + "fieldtype": "Date", + "label": "Date of Incorporation" + }, + { + "fieldname": "address_html", + "fieldtype": "HTML" + }, + { + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "width": "50%" + }, + { + "depends_on": "eval:doc.date_of_incorporation", + "fieldname": "date_of_commencement", + "fieldtype": "Date", + "label": "Date of Commencement" + }, + { + "fieldname": "phone_no", + "fieldtype": "Data", + "label": "Phone No", + "oldfieldname": "phone_no", + "oldfieldtype": "Data", + "options": "Phone" + }, + { + "fieldname": "fax", + "fieldtype": "Data", + "label": "Fax", + "oldfieldname": "fax", + "oldfieldtype": "Data", + "options": "Phone" + }, + { + "fieldname": "email", + "fieldtype": "Data", + "label": "Email", + "oldfieldname": "email", + "oldfieldtype": "Data", + "options": "Email" + }, + { + "fieldname": "website", + "fieldtype": "Data", + "label": "Website", + "oldfieldname": "website", + "oldfieldtype": "Data" + }, + { + "fieldname": "registration_info", + "fieldtype": "Section Break", + "oldfieldtype": "Section Break", + "width": "50%" + }, + { + "description": "Company registration numbers for your reference. Tax numbers etc.", + "fieldname": "registration_details", + "fieldtype": "Code", + "label": "Registration Details", + "oldfieldname": "registration_details", + "oldfieldtype": "Code" + }, + { + "fieldname": "delete_company_transactions", + "fieldtype": "Button", + "label": "Delete Company Transactions" + }, + { + "fieldname": "lft", + "fieldtype": "Int", + "hidden": 1, + "label": "Lft", + "print_hide": 1, + "read_only": 1, + "search_index": 1 + }, + { + "fieldname": "rgt", + "fieldtype": "Int", + "hidden": 1, + "label": "Rgt", + "print_hide": 1, + "read_only": 1, + "search_index": 1 + }, + { + "fieldname": "old_parent", + "fieldtype": "Data", + "hidden": 1, + "label": "old_parent", + "print_hide": 1, + "read_only": 1 + } + ], + "icon": "fa fa-building", + "idx": 1, + "image_field": "company_logo", + "modified": "2019-06-14 14:36:11.363309", + "modified_by": "Administrator", + "module": "Setup", + "name": "Company", + "owner": "Administrator", + "permissions": [ + { + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "share": 1, + "write": 1 + }, + { + "email": 1, + "print": 1, + "read": 1, + "role": "Accounts User" + }, + { + "read": 1, + "role": "Employee" + }, + { + "read": 1, + "role": "Sales User" + }, + { + "read": 1, + "role": "Purchase User" + }, + { + "read": 1, + "role": "Stock User" + }, + { + "read": 1, + "role": "Projects User" + } + ], + "show_name_in_global_search": 1, + "sort_field": "modified", + "sort_order": "ASC", + "track_changes": 1 + } \ No newline at end of file diff --git a/erpnext/setup/doctype/company/company.py b/erpnext/setup/doctype/company/company.py index 27c93ba419..da29d20503 100644 --- a/erpnext/setup/doctype/company/company.py +++ b/erpnext/setup/doctype/company/company.py @@ -252,7 +252,7 @@ class Company(NestedSet): def set_mode_of_payment_account(self): cash = frappe.db.get_value('Mode of Payment', {'type': 'Cash'}, 'name') if cash and self.default_cash_account \ - and not frappe.db.get_value('Mode of Payment Account', {'company': self.name}): + and not frappe.db.get_value('Mode of Payment Account', {'company': self.name, 'parent': 'Cash'}): mode_of_payment = frappe.get_doc('Mode of Payment', cash) mode_of_payment.append('accounts', { 'company': self.name, diff --git a/erpnext/setup/doctype/company/test_company.py b/erpnext/setup/doctype/company/test_company.py index 1b08a228b6..8debef5ff6 100644 --- a/erpnext/setup/doctype/company/test_company.py +++ b/erpnext/setup/doctype/company/test_company.py @@ -4,6 +4,8 @@ from __future__ import unicode_literals import frappe import unittest +import json +from frappe import _ from frappe.utils import random_string from erpnext.accounts.doctype.account.chart_of_accounts.chart_of_accounts import get_charts_for_country @@ -78,7 +80,10 @@ class TestCompany(unittest.TestCase): if account_type in ["Bank", "Cash"]: filters["is_group"] = 1 - self.assertTrue(frappe.get_all("Account", filters)) + has_matching_accounts = frappe.get_all("Account", filters) + error_message = _("No Account matched these filters: {}".format(json.dumps(filters))) + + self.assertTrue(has_matching_accounts, msg=error_message) finally: self.delete_mode_of_payment(template) frappe.delete_doc("Company", template) diff --git a/erpnext/setup/doctype/item_group/item_group.py b/erpnext/setup/doctype/item_group/item_group.py index cab21162c7..8fbeac8138 100644 --- a/erpnext/setup/doctype/item_group/item_group.py +++ b/erpnext/setup/doctype/item_group/item_group.py @@ -69,7 +69,8 @@ class ItemGroup(NestedSet, WebsiteGenerator): "items": get_product_list_for_group(product_group = self.name, start=start, limit=context.page_length + 1, search=frappe.form_dict.get("search")), "parents": get_parent_item_groups(self.parent_item_group), - "title": self.name + "title": self.name, + "products_as_list": cint(frappe.db.get_single_value('Products Settings', 'products_as_list')) }) if self.slideshow: diff --git a/erpnext/setup/setup_wizard/operations/sample_data.py b/erpnext/setup/setup_wizard/operations/sample_data.py index 3f78734739..c11a3885c9 100644 --- a/erpnext/setup/setup_wizard/operations/sample_data.py +++ b/erpnext/setup/setup_wizard/operations/sample_data.py @@ -33,7 +33,7 @@ def make_sample_data(domains, make_dependent = False): def make_opportunity(items, customer): b = frappe.get_doc({ "doctype": "Opportunity", - "enquiry_from": "Customer", + "opportunity_from": "Customer", "customer": customer, "opportunity_type": _("Sales"), "with_items": 1 @@ -52,7 +52,7 @@ def make_quote(items, customer): qtn = frappe.get_doc({ "doctype": "Quotation", "quotation_to": "Customer", - "customer": customer, + "party_name": customer, "order_type": "Sales" }) diff --git a/erpnext/shopping_cart/cart.py b/erpnext/shopping_cart/cart.py index 8e8c79c27a..95bd9ba636 100644 --- a/erpnext/shopping_cart/cart.py +++ b/erpnext/shopping_cart/cart.py @@ -52,7 +52,9 @@ def get_cart_quotation(doc=None): @frappe.whitelist() def place_order(): quotation = _get_cart_quotation() - quotation.company = frappe.db.get_value("Shopping Cart Settings", None, "company") + cart_settings = frappe.db.get_value("Shopping Cart Settings", None, + ["company", "allow_items_not_in_stock"], as_dict=1) + quotation.company = cart_settings.company if not quotation.get("customer_address"): throw(_("{0} is required").format(_(quotation.meta.get_label("customer_address")))) @@ -65,14 +67,16 @@ def place_order(): from erpnext.selling.doctype.quotation.quotation import _make_sales_order sales_order = frappe.get_doc(_make_sales_order(quotation.name, ignore_permissions=True)) - for item in sales_order.get("items"): - item.reserved_warehouse, is_stock_item = frappe.db.get_value("Item", - item.item_code, ["website_warehouse", "is_stock_item"]) - if is_stock_item: - item_stock = get_qty_in_stock(item.item_code, "website_warehouse") - if item.qty > item_stock.stock_qty[0][0]: - throw(_("Only {0} in stock for item {1}").format(item_stock.stock_qty[0][0], item.item_code)) + if not cart_settings.allow_items_not_in_stock: + for item in sales_order.get("items"): + item.reserved_warehouse, is_stock_item = frappe.db.get_value("Item", + item.item_code, ["website_warehouse", "is_stock_item"]) + + if is_stock_item: + item_stock = get_qty_in_stock(item.item_code, "website_warehouse") + if item.qty > item_stock.stock_qty[0][0]: + throw(_("Only {0} in stock for item {1}").format(item_stock.stock_qty[0][0], item.item_code)) sales_order.flags.ignore_permissions = True sales_order.insert() @@ -241,7 +245,7 @@ def _get_cart_quotation(party=None): party = get_party() quotation = frappe.get_all("Quotation", fields=["name"], filters= - {party.doctype.lower(): party.name, "order_type": "Shopping Cart", "docstatus": 0}, + {"party_name": party.name, "order_type": "Shopping Cart", "docstatus": 0}, order_by="modified desc", limit_page_length=1) if quotation: @@ -256,7 +260,7 @@ def _get_cart_quotation(party=None): "status": "Draft", "docstatus": 0, "__islocal": 1, - (party.doctype.lower()): party.name + "party_name": party.name }) qdoc.contact_person = frappe.db.get_value("Contact", {"email_id": frappe.session.user}) @@ -336,9 +340,9 @@ def _set_price_list(quotation, cart_settings): # check if customer price list exists selling_price_list = None - if quotation.customer: + if quotation.party_name: from erpnext.accounts.party import get_default_price_list - selling_price_list = get_default_price_list(frappe.get_doc("Customer", quotation.customer)) + selling_price_list = get_default_price_list(frappe.get_doc("Customer", quotation.party_name)) # else check for territory based price list if not selling_price_list: @@ -350,9 +354,9 @@ def set_taxes(quotation, cart_settings): """set taxes based on billing territory""" from erpnext.accounts.party import set_taxes - customer_group = frappe.db.get_value("Customer", quotation.customer, "customer_group") + customer_group = frappe.db.get_value("Customer", quotation.party_name, "customer_group") - quotation.taxes_and_charges = set_taxes(quotation.customer, "Customer", + quotation.taxes_and_charges = set_taxes(quotation.party_name, "Customer", quotation.transaction_date, quotation.company, customer_group=customer_group, supplier_group=None, tax_category=quotation.tax_category, billing_address=quotation.customer_address, shipping_address=quotation.shipping_address_name, use_for_shopping_cart=1) diff --git a/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.json b/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.json index e6b47a6e73..8b9299e42e 100644 --- a/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.json +++ b/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.json @@ -1,683 +1,716 @@ { - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, - "allow_import": 0, - "allow_rename": 0, - "beta": 0, - "creation": "2013-06-19 15:57:32", - "custom": 0, - "description": "Default settings for Shopping Cart", - "docstatus": 0, - "doctype": "DocType", - "document_type": "System", - "editable_grid": 0, - "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": 1, - "in_standard_filter": 0, - "label": "Enable Shopping Cart", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, + "allow_copy": 0, + "allow_events_in_timeline": 0, + "allow_guest_to_view": 0, + "allow_import": 0, + "allow_rename": 0, + "beta": 0, + "creation": "2013-06-19 15:57:32", + "custom": 0, + "description": "Default settings for Shopping Cart", + "docstatus": 0, + "doctype": "DocType", + "document_type": "System", + "editable_grid": 0, + "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": 1, + "in_standard_filter": 0, + "label": "Enable Shopping Cart", + "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": "", + "description": "", + "fieldname": "display_settings", + "fieldtype": "Section Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Display Settings", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "", + "description": "", + "fieldname": "show_attachments", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Show Public Attachments", + "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, + "depends_on": "", + "description": "", + "fieldname": "show_price", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Show Price", + "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, + "fieldname": "show_stock_availability", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Show Stock Availability", + "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, + "fieldname": "show_configure_button", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Show Configure Button", + "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, + "fieldname": "show_contact_us_button", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Show Contact Us Button", + "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, + "depends_on": "show_stock_availability", + "fieldname": "show_quantity_in_website", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Show Stock 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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "allow_items_not_in_stock", + "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": "Allow items not in stock to be added to cart", + "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, + "depends_on": "enabled", + "fieldname": "section_break_2", + "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, + "depends_on": "", + "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": 0, + "label": "Company", + "length": 0, + "no_copy": 0, + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "description": "Prices will not be shown if Price List is not set", + "fieldname": "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, + "options": "Price List", + "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, + "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, + "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": "", + "fieldname": "default_customer_group", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 1, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Default Customer Group", + "length": 0, + "no_copy": 0, + "options": "Customer Group", + "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, + "fieldname": "quotation_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": "Quotation Series", + "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": 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": 1, + "collapsible_depends_on": "eval:doc.enable_checkout", + "columns": 0, + "depends_on": "enabled", + "fieldname": "section_break_8", + "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": "Checkout Settings", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "collapsible_depends_on": "", + "columns": 0, + "depends_on": "", + "fieldname": "enable_checkout", + "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": "Enable Checkout", + "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": "Orders", + "description": "After payment completion redirect user to selected page.", + "fieldname": "payment_success_url", + "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": "Payment Success Url", + "length": 0, + "no_copy": 0, + "options": "\nOrders\nInvoices\nMy Account", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "column_break_11", + "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, + "fieldname": "payment_gateway_account", + "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 Gateway Account", + "length": 0, + "no_copy": 0, + "options": "Payment Gateway Account", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + } + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "icon": "fa fa-shopping-cart", + "idx": 1, + "image_view": 0, + "in_create": 0, + "is_submittable": 0, + "issingle": 1, + "istable": 0, + "max_attachments": 0, + "modified": "2019-01-26 13:54:24.575322", + "modified_by": "Administrator", + "module": "Shopping Cart", + "name": "Shopping Cart Settings", + "owner": "Administrator", + "permissions": [ + { + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 0, + "email": 1, + "export": 0, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 0, + "role": "Website Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 0, + "write": 1 + } + ], + "quick_entry": 0, "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": "", - "description": "", - "fieldname": "display_settings", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Display Settings", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "", - "description": "", - "fieldname": "show_attachments", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Show Public Attachments", - "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, - "depends_on": "", - "description": "", - "fieldname": "show_price", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Show Price", - "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, - "fieldname": "show_stock_availability", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Show Stock Availability", - "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, - "fieldname": "show_configure_button", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Show Configure Button", - "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, - "fieldname": "show_contact_us_button", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Show Contact Us Button", - "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, - "depends_on": "show_stock_availability", - "fieldname": "show_quantity_in_website", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Show Stock 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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "enabled", - "fieldname": "section_break_2", - "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, - "depends_on": "", - "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": 0, - "label": "Company", - "length": 0, - "no_copy": 0, - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "Prices will not be shown if Price List is not set", - "fieldname": "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, - "options": "Price List", - "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, - "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, - "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": "", - "fieldname": "default_customer_group", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Default Customer Group", - "length": 0, - "no_copy": 0, - "options": "Customer Group", - "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, - "fieldname": "quotation_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": "Quotation Series", - "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": 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": 1, - "collapsible_depends_on": "eval:doc.enable_checkout", - "columns": 0, - "depends_on": "enabled", - "fieldname": "section_break_8", - "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": "Checkout Settings", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "collapsible_depends_on": "", - "columns": 0, - "depends_on": "", - "fieldname": "enable_checkout", - "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": "Enable Checkout", - "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": "Orders", - "description": "After payment completion redirect user to selected page.", - "fieldname": "payment_success_url", - "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": "Payment Success Url", - "length": 0, - "no_copy": 0, - "options": "\nOrders\nInvoices\nMy Account", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break_11", - "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, - "fieldname": "payment_gateway_account", - "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 Gateway Account", - "length": 0, - "no_copy": 0, - "options": "Payment Gateway Account", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "icon": "fa fa-shopping-cart", - "idx": 1, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 1, - "istable": 0, - "max_attachments": 0, - "modified": "2019-01-26 13:54:24.575322", - "modified_by": "Administrator", - "module": "Shopping Cart", - "name": "Shopping Cart Settings", - "owner": "Administrator", - "permissions": [ - { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 0, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 0, - "role": "Website Manager", - "set_user_permissions": 0, - "share": 1, - "submit": 0, - "write": 1 - } - ], - "quick_entry": 0, - "read_only": 0, - "read_only_onload": 0, - "show_name_in_global_search": 0, - "sort_order": "ASC", - "track_changes": 0, - "track_seen": 0, - "track_views": 0 -} \ No newline at end of file + "read_only_onload": 0, + "show_name_in_global_search": 0, + "sort_order": "ASC", + "track_changes": 0, + "track_seen": 0, + "track_views": 0 + } \ No newline at end of file diff --git a/erpnext/shopping_cart/test_shopping_cart.py b/erpnext/shopping_cart/test_shopping_cart.py index daad799246..cf59a52b5b 100644 --- a/erpnext/shopping_cart/test_shopping_cart.py +++ b/erpnext/shopping_cart/test_shopping_cart.py @@ -33,7 +33,6 @@ class TestShoppingCart(unittest.TestCase): self.assertEqual(quotation.quotation_to, "Customer") self.assertEqual(quotation.contact_person, frappe.db.get_value("Contact", dict(email_id="test_cart_user@example.com"))) - self.assertEqual(quotation.lead, None) self.assertEqual(quotation.contact_email, frappe.session.user) return quotation @@ -44,8 +43,7 @@ class TestShoppingCart(unittest.TestCase): # test if quotation with customer is fetched quotation = _get_cart_quotation() self.assertEqual(quotation.quotation_to, "Customer") - self.assertEqual(quotation.customer, "_Test Customer") - self.assertEqual(quotation.lead, None) + self.assertEqual(quotation.party_name, "_Test Customer") self.assertEqual(quotation.contact_email, frappe.session.user) return quotation @@ -107,10 +105,11 @@ class TestShoppingCart(unittest.TestCase): from erpnext.accounts.party import set_taxes - tax_rule_master = set_taxes(quotation.customer, "Customer", + tax_rule_master = set_taxes(quotation.party_name, "Customer", quotation.transaction_date, quotation.company, customer_group=None, supplier_group=None, tax_category=quotation.tax_category, billing_address=quotation.customer_address, shipping_address=quotation.shipping_address_name, use_for_shopping_cart=1) + self.assertEqual(quotation.taxes_and_charges, tax_rule_master) self.assertEqual(quotation.total_taxes_and_charges, 1000.0) @@ -123,7 +122,7 @@ class TestShoppingCart(unittest.TestCase): "doctype": "Quotation", "quotation_to": "Customer", "order_type": "Shopping Cart", - "customer": get_party(frappe.session.user).name, + "party_name": get_party(frappe.session.user).name, "docstatus": 0, "contact_email": frappe.session.user, "selling_price_list": "_Test Price List Rest of the World", diff --git a/erpnext/stock/doctype/batch/batch.py b/erpnext/stock/doctype/batch/batch.py index 4881983b8e..bd24257065 100644 --- a/erpnext/stock/doctype/batch/batch.py +++ b/erpnext/stock/doctype/batch/batch.py @@ -10,6 +10,7 @@ from frappe.model.naming import make_autoname, revert_series_if_last from frappe.utils import flt, cint from frappe.utils.jinja import render_template from frappe.utils.data import add_days +from six import string_types class UnableToSelectBatchError(frappe.ValidationError): pass diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.js b/erpnext/stock/doctype/delivery_note/delivery_note.js index 78bc06a47b..6bcdc2b6d1 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.js +++ b/erpnext/stock/doctype/delivery_note/delivery_note.js @@ -101,8 +101,7 @@ erpnext.stock.DeliveryNoteController = erpnext.selling.SellingController.extend( refresh: function(doc, dt, dn) { var me = this; this._super(); - - if ((!doc.is_return) && (doc.status!="Closed" || doc.is_new())) { + if ((!doc.is_return) && (doc.status!="Closed" || this.frm.is_new())) { if (this.frm.doc.docstatus===0) { this.frm.add_custom_button(__('Sales Order'), function() { @@ -303,4 +302,3 @@ erpnext.stock.delivery_note.set_print_hide = function(doc, cdt, cdn){ dn_fields['taxes'].print_hide = 0; } } - diff --git a/erpnext/stock/doctype/item/item.json b/erpnext/stock/doctype/item/item.json index fc715c91c5..3936bf7524 100644 --- a/erpnext/stock/doctype/item/item.json +++ b/erpnext/stock/doctype/item/item.json @@ -1,1099 +1,1100 @@ { - "allow_guest_to_view": 1, - "allow_import": 1, - "allow_rename": 1, - "autoname": "field:item_code", - "creation": "2013-05-03 10:45:46", - "description": "A Product or a Service that is bought, sold or kept in stock.", - "doctype": "DocType", - "document_type": "Setup", - "editable_grid": 1, - "engine": "InnoDB", - "field_order": [ - "name_and_description_section", - "naming_series", - "item_code", - "variant_of", - "item_name", - "item_group", - "is_item_from_hub", - "stock_uom", - "column_break0", - "disabled", - "allow_alternative_item", - "is_stock_item", - "include_item_in_manufacturing", - "opening_stock", - "valuation_rate", - "standard_rate", - "is_fixed_asset", - "asset_category", - "asset_naming_series", - "tolerance", - "image", - "section_break_11", - "brand", - "description", - "sb_barcodes", - "barcodes", - "inventory_section", - "shelf_life_in_days", - "end_of_life", - "default_material_request_type", - "valuation_method", - "column_break1", - "warranty_period", - "weight_per_unit", - "weight_uom", - "reorder_section", - "reorder_levels", - "unit_of_measure_conversion", - "uoms", - "serial_nos_and_batches", - "has_batch_no", - "create_new_batch", - "batch_number_series", - "has_expiry_date", - "retain_sample", - "sample_quantity", - "column_break_37", - "has_serial_no", - "serial_no_series", - "variants_section", - "has_variants", - "variant_based_on", - "attributes", - "defaults", - "item_defaults", - "purchase_details", - "is_purchase_item", - "purchase_uom", - "min_order_qty", - "safety_stock", - "purchase_details_cb", - "lead_time_days", - "last_purchase_rate", - "is_customer_provided_item", - "customer", - "supplier_details", - "manufacturers", - "delivered_by_supplier", - "column_break2", - "supplier_items", - "foreign_trade_details", - "country_of_origin", - "column_break_59", - "customs_tariff_number", - "sales_details", - "sales_uom", - "is_sales_item", - "column_break3", - "max_discount", - "deferred_revenue", - "deferred_revenue_account", - "enable_deferred_revenue", - "column_break_85", - "no_of_months", - "deferred_expense_section", - "deferred_expense_account", - "enable_deferred_expense", - "column_break_88", - "no_of_months_exp", - "customer_details", - "customer_items", - "item_tax_section_break", - "taxes", - "inspection_criteria", - "inspection_required_before_purchase", - "inspection_required_before_delivery", - "quality_inspection_template", - "manufacturing", - "default_bom", - "is_sub_contracted_item", - "column_break_74", - "customer_code", - "website_section", - "show_in_website", - "show_variant_in_website", - "route", - "weightage", - "slideshow", - "website_image", - "thumbnail", - "cb72", - "website_warehouse", - "website_item_groups", - "set_meta_tags", - "sb72", - "copy_from_item_group", - "website_specifications", - "web_long_description", - "website_content", - "total_projected_qty", - "hub_publishing_sb", - "publish_in_hub", - "hub_category_to_publish", - "hub_warehouse", - "synced_with_hub" - ], - "fields": [ - { - "fieldname": "name_and_description_section", - "fieldtype": "Section Break", - "oldfieldtype": "Section Break", - "options": "fa fa-flag" - }, - { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "options": "STO-ITEM-.YYYY.-", - "set_only_once": 1 - }, - { - "bold": 1, - "fieldname": "item_code", - "fieldtype": "Data", - "in_global_search": 1, - "label": "Item Code", - "oldfieldname": "item_code", - "oldfieldtype": "Data", - "unique": 1 - }, - { - "depends_on": "variant_of", - "description": "If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified", - "fieldname": "variant_of", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "in_standard_filter": 1, - "label": "Variant Of", - "options": "Item", - "read_only": 1, - "search_index": 1, - "set_only_once": 1 - }, - { - "bold": 1, - "fieldname": "item_name", - "fieldtype": "Data", - "in_global_search": 1, - "label": "Item Name", - "oldfieldname": "item_name", - "oldfieldtype": "Data", - "search_index": 1 - }, - { - "fieldname": "item_group", - "fieldtype": "Link", - "in_list_view": 1, - "in_preview": 1, - "in_standard_filter": 1, - "label": "Item Group", - "oldfieldname": "item_group", - "oldfieldtype": "Link", - "options": "Item Group", - "reqd": 1, - "search_index": 1 - }, - { - "default": "0", - "fieldname": "is_item_from_hub", - "fieldtype": "Check", - "label": "Is Item from Hub", - "read_only": 1 - }, - { - "fieldname": "stock_uom", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Unit of Measure", - "oldfieldname": "stock_uom", - "oldfieldtype": "Link", - "options": "UOM", - "reqd": 1 - }, - { - "fieldname": "column_break0", - "fieldtype": "Column Break" - }, - { - "default": "0", - "fieldname": "disabled", - "fieldtype": "Check", - "label": "Disabled" - }, - { - "default": "0", - "fieldname": "allow_alternative_item", - "fieldtype": "Check", - "label": "Allow Alternative Item" - }, - { - "bold": 1, - "default": "1", - "fieldname": "is_stock_item", - "fieldtype": "Check", - "label": "Maintain Stock", - "oldfieldname": "is_stock_item", - "oldfieldtype": "Select" - }, - { - "default": "1", - "fieldname": "include_item_in_manufacturing", - "fieldtype": "Check", - "label": "Include Item In Manufacturing" - }, - { - "bold": 1, - "depends_on": "eval:(doc.__islocal&&doc.is_stock_item && !doc.has_serial_no && !doc.has_batch_no)", - "fieldname": "opening_stock", - "fieldtype": "Float", - "label": "Opening Stock" - }, - { - "depends_on": "is_stock_item", - "fieldname": "valuation_rate", - "fieldtype": "Currency", - "label": "Valuation Rate" - }, - { - "bold": 1, - "depends_on": "eval:doc.__islocal", - "fieldname": "standard_rate", - "fieldtype": "Currency", - "label": "Standard Selling Rate" - }, - { - "default": "0", - "fieldname": "is_fixed_asset", - "fieldtype": "Check", - "label": "Is Fixed Asset", - "set_only_once": 1 - }, - { - "depends_on": "is_fixed_asset", - "fieldname": "asset_category", - "fieldtype": "Link", - "label": "Asset Category", - "options": "Asset Category" - }, - { - "depends_on": "is_fixed_asset", - "fieldname": "asset_naming_series", - "fieldtype": "Select", - "label": "Asset Naming Series" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "tolerance", - "fieldtype": "Float", - "label": "Allow over delivery or receipt upto this percent", - "oldfieldname": "tolerance", - "oldfieldtype": "Currency" - }, - { - "fieldname": "image", - "fieldtype": "Attach Image", - "hidden": 1, - "in_preview": 1, - "label": "Image", - "options": "image", - "print_hide": 1 - }, - { - "collapsible": 1, - "fieldname": "section_break_11", - "fieldtype": "Section Break", - "label": "Description" - }, - { - "fieldname": "brand", - "fieldtype": "Link", - "label": "Brand", - "oldfieldname": "brand", - "oldfieldtype": "Link", - "options": "Brand", - "print_hide": 1 - }, - { - "fieldname": "description", - "fieldtype": "Text Editor", - "in_preview": 1, - "label": "Description", - "oldfieldname": "description", - "oldfieldtype": "Text" - }, - { - "fieldname": "sb_barcodes", - "fieldtype": "Section Break", - "label": "Barcodes" - }, - { - "fieldname": "barcodes", - "fieldtype": "Table", - "label": "Barcodes", - "options": "Item Barcode" - }, - { - "collapsible": 1, - "collapsible_depends_on": "is_stock_item", - "depends_on": "is_stock_item", - "fieldname": "inventory_section", - "fieldtype": "Section Break", - "label": "Inventory", - "oldfieldtype": "Section Break", - "options": "fa fa-truck" - }, - { - "fieldname": "shelf_life_in_days", - "fieldtype": "Int", - "label": "Shelf Life In Days" - }, - { - "default": "2099-12-31", - "depends_on": "is_stock_item", - "fieldname": "end_of_life", - "fieldtype": "Date", - "label": "End of Life", - "oldfieldname": "end_of_life", - "oldfieldtype": "Date" - }, - { - "default": "Purchase", - "fieldname": "default_material_request_type", - "fieldtype": "Select", - "label": "Default Material Request Type", - "options": "Purchase\nMaterial Transfer\nMaterial Issue\nManufacture\nCustomer Provided" - }, - { - "depends_on": "is_stock_item", - "fieldname": "valuation_method", - "fieldtype": "Select", - "label": "Valuation Method", - "options": "\nFIFO\nMoving Average", - "set_only_once": 1 - }, - { - "depends_on": "is_stock_item", - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "width": "50%" - }, - { - "depends_on": "eval:doc.is_stock_item", - "fieldname": "warranty_period", - "fieldtype": "Data", - "label": "Warranty Period (in days)", - "oldfieldname": "warranty_period", - "oldfieldtype": "Data" - }, - { - "depends_on": "is_stock_item", - "fieldname": "weight_per_unit", - "fieldtype": "Float", - "label": "Weight Per Unit" - }, - { - "depends_on": "eval:doc.is_stock_item", - "fieldname": "weight_uom", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Weight UOM", - "options": "UOM" - }, - { - "collapsible": 1, - "depends_on": "is_stock_item", - "fieldname": "reorder_section", - "fieldtype": "Section Break", - "label": "Auto re-order", - "options": "fa fa-rss" - }, - { - "description": "Will also apply for variants unless overrridden", - "fieldname": "reorder_levels", - "fieldtype": "Table", - "label": "Reorder level based on Warehouse", - "options": "Item Reorder" - }, - { - "collapsible": 1, - "fieldname": "unit_of_measure_conversion", - "fieldtype": "Section Break", - "label": "Units of Measure" - }, - { - "description": "Will also apply for variants", - "fieldname": "uoms", - "fieldtype": "Table", - "label": "UOMs", - "oldfieldname": "uom_conversion_details", - "oldfieldtype": "Table", - "options": "UOM Conversion Detail" - }, - { - "collapsible": 1, - "collapsible_depends_on": "eval:doc.has_batch_no || doc.has_serial_no || doc.is_fixed_asset", - "depends_on": "eval:doc.is_stock_item || doc.is_fixed_asset", - "fieldname": "serial_nos_and_batches", - "fieldtype": "Section Break", - "label": "Serial Nos and Batches" - }, - { - "default": "0", - "depends_on": "eval:doc.is_stock_item", - "fieldname": "has_batch_no", - "fieldtype": "Check", - "label": "Has Batch No", - "no_copy": 1, - "oldfieldname": "has_batch_no", - "oldfieldtype": "Select" - }, - { - "default": "0", - "depends_on": "has_batch_no", - "fieldname": "create_new_batch", - "fieldtype": "Check", - "label": "Automatically Create New Batch" - }, - { - "depends_on": "eval:doc.has_batch_no==1 && doc.create_new_batch==1", - "description": "Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.", - "fieldname": "batch_number_series", - "fieldtype": "Data", - "label": "Batch Number Series", - "translatable": 1 - }, - { - "default": "0", - "depends_on": "has_batch_no", - "fieldname": "has_expiry_date", - "fieldtype": "Check", - "label": "Has Expiry Date" - }, - { - "default": "0", - "depends_on": "has_batch_no", - "fieldname": "retain_sample", - "fieldtype": "Check", - "label": "Retain Sample" - }, - { - "depends_on": "eval: (doc.retain_sample && doc.has_batch_no)", - "description": "Maximum sample quantity that can be retained", - "fieldname": "sample_quantity", - "fieldtype": "Int", - "label": "Max Sample Quantity" - }, - { - "fieldname": "column_break_37", - "fieldtype": "Column Break" - }, - { - "default": "0", - "depends_on": "eval:doc.is_stock_item || doc.is_fixed_asset", - "fieldname": "has_serial_no", - "fieldtype": "Check", - "label": "Has Serial No", - "no_copy": 1, - "oldfieldname": "has_serial_no", - "oldfieldtype": "Select" - }, - { - "depends_on": "eval:doc.is_stock_item || doc.is_fixed_asset", - "description": "Example: ABCD.#####\nIf series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.", - "fieldname": "serial_no_series", - "fieldtype": "Data", - "label": "Serial Number Series" - }, - { - "collapsible": 1, - "collapsible_depends_on": "attributes", - "fieldname": "variants_section", - "fieldtype": "Section Break", - "label": "Variants" - }, - { - "default": "0", - "depends_on": "eval:!doc.variant_of", - "description": "If this item has variants, then it cannot be selected in sales orders etc.", - "fieldname": "has_variants", - "fieldtype": "Check", - "in_standard_filter": 1, - "label": "Has Variants", - "no_copy": 1 - }, - { - "default": "Item Attribute", - "depends_on": "has_variants", - "fieldname": "variant_based_on", - "fieldtype": "Select", - "label": "Variant Based On", - "options": "Item Attribute\nManufacturer" - }, - { - "depends_on": "eval:(doc.has_variants || doc.variant_of) && doc.variant_based_on==='Item Attribute'", - "fieldname": "attributes", - "fieldtype": "Table", - "hidden": 1, - "label": "Attributes", - "no_copy": 1, - "options": "Item Variant Attribute" - }, - { - "fieldname": "defaults", - "fieldtype": "Section Break", - "label": "Sales, Purchase, Accounting Defaults" - }, - { - "fieldname": "item_defaults", - "fieldtype": "Table", - "label": "Item Defaults", - "options": "Item Default" - }, - { - "collapsible": 1, - "fieldname": "purchase_details", - "fieldtype": "Section Break", - "label": "Purchase, Replenishment Details", - "oldfieldtype": "Section Break", - "options": "fa fa-shopping-cart" - }, - { - "default": "1", - "fieldname": "is_purchase_item", - "fieldtype": "Check", - "label": "Is Purchase Item" - }, - { - "fieldname": "purchase_uom", - "fieldtype": "Link", - "label": "Default Purchase Unit of Measure", - "options": "UOM" - }, - { - "default": "0.00", - "depends_on": "is_stock_item", - "fieldname": "min_order_qty", - "fieldtype": "Float", - "label": "Minimum Order Qty", - "oldfieldname": "min_order_qty", - "oldfieldtype": "Currency" - }, - { - "fieldname": "safety_stock", - "fieldtype": "Float", - "label": "Safety Stock" - }, - { - "fieldname": "purchase_details_cb", - "fieldtype": "Column Break" - }, - { - "description": "Average time taken by the supplier to deliver", - "fieldname": "lead_time_days", - "fieldtype": "Int", - "label": "Lead Time in days", - "oldfieldname": "lead_time_days", - "oldfieldtype": "Int" - }, - { - "fieldname": "last_purchase_rate", - "fieldtype": "Float", - "label": "Last Purchase Rate", - "no_copy": 1, - "oldfieldname": "last_purchase_rate", - "oldfieldtype": "Currency", - "read_only": 1 - }, - { - "default": "0", - "fieldname": "is_customer_provided_item", - "fieldtype": "Check", - "label": "Is Customer Provided Item" - }, - { - "depends_on": "eval:doc.is_customer_provided_item==1", - "fieldname": "customer", - "fieldtype": "Link", - "label": "Customer", - "options": "Customer" - }, - { - "collapsible": 1, - "fieldname": "supplier_details", - "fieldtype": "Section Break", - "label": "Supplier Details" - }, - { - "default": "0", - "fieldname": "delivered_by_supplier", - "fieldtype": "Check", - "label": "Delivered by Supplier (Drop Ship)", - "print_hide": 1 - }, - { - "fieldname": "column_break2", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "width": "50%" - }, - { - "fieldname": "supplier_items", - "fieldtype": "Table", - "label": "Supplier Items", - "options": "Item Supplier" - }, - { - "collapsible": 1, - "fieldname": "foreign_trade_details", - "fieldtype": "Section Break", - "label": "Foreign Trade Details" - }, - { - "fieldname": "country_of_origin", - "fieldtype": "Link", - "label": "Country of Origin", - "options": "Country" - }, - { - "fieldname": "column_break_59", - "fieldtype": "Column Break" - }, - { - "fieldname": "customs_tariff_number", - "fieldtype": "Link", - "label": "Customs Tariff Number", - "options": "Customs Tariff Number" - }, - { - "collapsible": 1, - "fieldname": "sales_details", - "fieldtype": "Section Break", - "label": "Sales Details", - "oldfieldtype": "Section Break", - "options": "fa fa-tag" - }, - { - "fieldname": "sales_uom", - "fieldtype": "Link", - "label": "Default Sales Unit of Measure", - "options": "UOM" - }, - { - "default": "1", - "fieldname": "is_sales_item", - "fieldtype": "Check", - "label": "Is Sales Item" - }, - { - "fieldname": "column_break3", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "width": "50%" - }, - { - "fieldname": "max_discount", - "fieldtype": "Float", - "label": "Max Discount (%)", - "oldfieldname": "max_discount", - "oldfieldtype": "Currency" - }, - { - "collapsible": 1, - "fieldname": "deferred_revenue", - "fieldtype": "Section Break", - "label": "Deferred Revenue" - }, - { - "depends_on": "enable_deferred_revenue", - "fieldname": "deferred_revenue_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Deferred Revenue Account", - "options": "Account" - }, - { - "default": "0", - "fieldname": "enable_deferred_revenue", - "fieldtype": "Check", - "label": "Enable Deferred Revenue" - }, - { - "fieldname": "column_break_85", - "fieldtype": "Column Break" - }, - { - "depends_on": "enable_deferred_revenue", - "fieldname": "no_of_months", - "fieldtype": "Int", - "label": "No of Months" - }, - { - "collapsible": 1, - "fieldname": "deferred_expense_section", - "fieldtype": "Section Break", - "label": "Deferred Expense" - }, - { - "depends_on": "enable_deferred_expense", - "fieldname": "deferred_expense_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Deferred Expense Account", - "options": "Account" - }, - { - "default": "0", - "fieldname": "enable_deferred_expense", - "fieldtype": "Check", - "label": "Enable Deferred Expense" - }, - { - "fieldname": "column_break_88", - "fieldtype": "Column Break" - }, - { - "depends_on": "enable_deferred_expense", - "fieldname": "no_of_months_exp", - "fieldtype": "Int", - "label": "No of Months" - }, - { - "collapsible": 1, - "fieldname": "customer_details", - "fieldtype": "Section Break", - "label": "Customer Details" - }, - { - "fieldname": "customer_items", - "fieldtype": "Table", - "label": "Customer Items", - "options": "Item Customer Detail" - }, - { - "collapsible": 1, - "collapsible_depends_on": "taxes", - "fieldname": "item_tax_section_break", - "fieldtype": "Section Break", - "label": "Item Tax", - "oldfieldtype": "Section Break", - "options": "fa fa-money" - }, - { - "description": "Will also apply for variants", - "fieldname": "taxes", - "fieldtype": "Table", - "label": "Taxes", - "oldfieldname": "item_tax", - "oldfieldtype": "Table", - "options": "Item Tax" - }, - { - "collapsible": 1, - "fieldname": "inspection_criteria", - "fieldtype": "Section Break", - "label": "Inspection Criteria", - "oldfieldtype": "Section Break", - "options": "fa fa-search" - }, - { - "default": "0", - "fieldname": "inspection_required_before_purchase", - "fieldtype": "Check", - "label": "Inspection Required before Purchase", - "oldfieldname": "inspection_required", - "oldfieldtype": "Select" - }, - { - "default": "0", - "fieldname": "inspection_required_before_delivery", - "fieldtype": "Check", - "label": "Inspection Required before Delivery" - }, - { - "depends_on": "eval:(doc.inspection_required_before_purchase || doc.inspection_required_before_delivery)", - "fieldname": "quality_inspection_template", - "fieldtype": "Link", - "label": "Quality Inspection Template", - "options": "Quality Inspection Template", - "print_hide": 1 - }, - { - "collapsible": 1, - "depends_on": "is_stock_item", - "fieldname": "manufacturing", - "fieldtype": "Section Break", - "label": "Manufacturing", - "oldfieldtype": "Section Break", - "options": "fa fa-cogs" - }, - { - "fieldname": "default_bom", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default BOM", - "no_copy": 1, - "oldfieldname": "default_bom", - "oldfieldtype": "Link", - "options": "BOM", - "read_only": 1 - }, - { - "default": "0", - "description": "If subcontracted to a vendor", - "fieldname": "is_sub_contracted_item", - "fieldtype": "Check", - "label": "Supply Raw Materials for Purchase", - "oldfieldname": "is_sub_contracted_item", - "oldfieldtype": "Select" - }, - { - "fieldname": "column_break_74", - "fieldtype": "Column Break" - }, - { - "fieldname": "customer_code", - "fieldtype": "Data", - "hidden": 1, - "label": "Customer Code", - "no_copy": 1, - "print_hide": 1 - }, - { - "collapsible": 1, - "fieldname": "website_section", - "fieldtype": "Section Break", - "label": "Website", - "options": "fa fa-globe" - }, - { - "default": "0", - "depends_on": "eval:!doc.variant_of", - "fieldname": "show_in_website", - "fieldtype": "Check", - "label": "Show in Website", - "search_index": 1 - }, - { - "default": "0", - "depends_on": "variant_of", - "fieldname": "show_variant_in_website", - "fieldtype": "Check", - "label": "Show in Website (Variant)", - "search_index": 1 - }, - { - "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", - "fieldname": "route", - "fieldtype": "Small Text", - "label": "Route", - "no_copy": 1 - }, - { - "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", - "description": "Items with higher weightage will be shown higher", - "fieldname": "weightage", - "fieldtype": "Int", - "label": "Weightage" - }, - { - "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", - "description": "Show a slideshow at the top of the page", - "fieldname": "slideshow", - "fieldtype": "Link", - "label": "Slideshow", - "options": "Website Slideshow" - }, - { - "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", - "description": "Item Image (if not slideshow)", - "fieldname": "website_image", - "fieldtype": "Attach", - "label": "Image" - }, - { - "fieldname": "thumbnail", - "fieldtype": "Data", - "label": "Thumbnail", - "read_only": 1 - }, - { - "fieldname": "cb72", - "fieldtype": "Column Break" - }, - { - "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", - "description": "Show \"In Stock\" or \"Not in Stock\" based on stock available in this warehouse.", - "fieldname": "website_warehouse", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Website Warehouse", - "options": "Warehouse" - }, - { - "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", - "description": "List this Item in multiple groups on the website.", - "fieldname": "website_item_groups", - "fieldtype": "Table", - "label": "Website Item Groups", - "options": "Website Item Group" - }, - { - "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", - "fieldname": "set_meta_tags", - "fieldtype": "Button", - "label": "Set Meta Tags" - }, - { - "collapsible": 1, - "collapsible_depends_on": "website_specifications", - "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", - "fieldname": "sb72", - "fieldtype": "Section Break", - "label": "Website Specifications" - }, - { - "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", - "fieldname": "copy_from_item_group", - "fieldtype": "Button", - "label": "Copy From Item Group" - }, - { - "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", - "fieldname": "website_specifications", - "fieldtype": "Table", - "label": "Website Specifications", - "options": "Item Website Specification" - }, - { - "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", - "fieldname": "web_long_description", - "fieldtype": "Text Editor", - "label": "Website Description" - }, - { - "description": "You can use any valid Bootstrap 4 markup in this field. It will be shown on your Item Page.", - "fieldname": "website_content", - "fieldtype": "HTML Editor", - "label": "Website Content" - }, - { - "fieldname": "total_projected_qty", - "fieldtype": "Float", - "hidden": 1, - "label": "Total Projected Qty", - "print_hide": 1, - "read_only": 1 - }, - { - "depends_on": "eval:(!doc.is_item_from_hub)", - "fieldname": "hub_publishing_sb", - "fieldtype": "Section Break", - "label": "Hub Publishing Details" - }, - { - "default": "0", - "description": "Publish Item to hub.erpnext.com", - "fieldname": "publish_in_hub", - "fieldtype": "Check", - "label": "Publish in Hub" - }, - { - "fieldname": "hub_category_to_publish", - "fieldtype": "Data", - "label": "Hub Category to Publish", - "read_only": 1 - }, - { - "description": "Publish \"In Stock\" or \"Not in Stock\" on Hub based on stock available in this warehouse.", - "fieldname": "hub_warehouse", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Hub Warehouse", - "options": "Warehouse" - }, - { - "default": "0", - "fieldname": "synced_with_hub", - "fieldtype": "Check", - "label": "Synced With Hub", - "read_only": 1 - }, - { - "fieldname": "manufacturers", - "fieldtype": "Table", - "label": "Manufacturers", - "options": "Item Manufacturer" - } - ], - "has_web_view": 1, - "icon": "fa fa-tag", - "idx": 2, - "image_field": "image", - "max_attachments": 1, - "modified": "2019-06-02 04:45:59.911507", - "modified_by": "Administrator", - "module": "Stock", - "name": "Item", - "owner": "Administrator", - "permissions": [ - { - "create": 1, - "delete": 1, - "email": 1, - "export": 1, - "import": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Item Manager", - "share": 1, - "write": 1 - }, - { - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Stock Manager" - }, - { - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Stock User" - }, - { - "read": 1, - "role": "Sales User" - }, - { - "read": 1, - "role": "Purchase User" - }, - { - "read": 1, - "role": "Maintenance User" - }, - { - "read": 1, - "role": "Accounts User" - }, - { - "read": 1, - "role": "Manufacturing User" - } - ], - "quick_entry": 1, - "search_fields": "item_name,description,item_group,customer_code", - "show_name_in_global_search": 1, - "show_preview_popup": 1, - "sort_field": "idx desc,modified desc", - "sort_order": "DESC", - "title_field": "item_name", - "track_changes": 1 -} \ No newline at end of file + "allow_guest_to_view": 1, + "allow_import": 1, + "allow_rename": 1, + "autoname": "field:item_code", + "creation": "2013-05-03 10:45:46", + "description": "A Product or a Service that is bought, sold or kept in stock.", + "doctype": "DocType", + "document_type": "Setup", + "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "name_and_description_section", + "naming_series", + "item_code", + "variant_of", + "item_name", + "item_group", + "is_item_from_hub", + "stock_uom", + "column_break0", + "disabled", + "allow_alternative_item", + "is_stock_item", + "include_item_in_manufacturing", + "opening_stock", + "valuation_rate", + "standard_rate", + "is_fixed_asset", + "asset_category", + "asset_naming_series", + "tolerance", + "image", + "section_break_11", + "brand", + "description", + "sb_barcodes", + "barcodes", + "inventory_section", + "shelf_life_in_days", + "end_of_life", + "default_material_request_type", + "valuation_method", + "column_break1", + "warranty_period", + "weight_per_unit", + "weight_uom", + "reorder_section", + "reorder_levels", + "unit_of_measure_conversion", + "uoms", + "serial_nos_and_batches", + "has_batch_no", + "create_new_batch", + "batch_number_series", + "has_expiry_date", + "retain_sample", + "sample_quantity", + "column_break_37", + "has_serial_no", + "serial_no_series", + "variants_section", + "has_variants", + "variant_based_on", + "attributes", + "defaults", + "item_defaults", + "purchase_details", + "is_purchase_item", + "purchase_uom", + "min_order_qty", + "safety_stock", + "purchase_details_cb", + "lead_time_days", + "last_purchase_rate", + "is_customer_provided_item", + "customer", + "supplier_details", + "manufacturers", + "delivered_by_supplier", + "column_break2", + "supplier_items", + "foreign_trade_details", + "country_of_origin", + "column_break_59", + "customs_tariff_number", + "sales_details", + "sales_uom", + "is_sales_item", + "column_break3", + "max_discount", + "deferred_revenue", + "deferred_revenue_account", + "enable_deferred_revenue", + "column_break_85", + "no_of_months", + "deferred_expense_section", + "deferred_expense_account", + "enable_deferred_expense", + "column_break_88", + "no_of_months_exp", + "customer_details", + "customer_items", + "item_tax_section_break", + "taxes", + "inspection_criteria", + "inspection_required_before_purchase", + "inspection_required_before_delivery", + "quality_inspection_template", + "manufacturing", + "default_bom", + "is_sub_contracted_item", + "column_break_74", + "customer_code", + "website_section", + "show_in_website", + "show_variant_in_website", + "route", + "weightage", + "slideshow", + "website_image", + "thumbnail", + "cb72", + "website_warehouse", + "website_item_groups", + "set_meta_tags", + "sb72", + "copy_from_item_group", + "website_specifications", + "web_long_description", + "website_content", + "total_projected_qty", + "hub_publishing_sb", + "publish_in_hub", + "hub_category_to_publish", + "hub_warehouse", + "synced_with_hub" + ], + "fields": [ + { + "fieldname": "name_and_description_section", + "fieldtype": "Section Break", + "oldfieldtype": "Section Break", + "options": "fa fa-flag" + }, + { + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "options": "STO-ITEM-.YYYY.-", + "set_only_once": 1 + }, + { + "bold": 1, + "fieldname": "item_code", + "fieldtype": "Data", + "in_global_search": 1, + "label": "Item Code", + "oldfieldname": "item_code", + "oldfieldtype": "Data", + "unique": 1, + "reqd": 1 + }, + { + "depends_on": "variant_of", + "description": "If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified", + "fieldname": "variant_of", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "in_standard_filter": 1, + "label": "Variant Of", + "options": "Item", + "read_only": 1, + "search_index": 1, + "set_only_once": 1 + }, + { + "bold": 1, + "fieldname": "item_name", + "fieldtype": "Data", + "in_global_search": 1, + "label": "Item Name", + "oldfieldname": "item_name", + "oldfieldtype": "Data", + "search_index": 1 + }, + { + "fieldname": "item_group", + "fieldtype": "Link", + "in_list_view": 1, + "in_preview": 1, + "in_standard_filter": 1, + "label": "Item Group", + "oldfieldname": "item_group", + "oldfieldtype": "Link", + "options": "Item Group", + "reqd": 1, + "search_index": 1 + }, + { + "default": "0", + "fieldname": "is_item_from_hub", + "fieldtype": "Check", + "label": "Is Item from Hub", + "read_only": 1 + }, + { + "fieldname": "stock_uom", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Unit of Measure", + "oldfieldname": "stock_uom", + "oldfieldtype": "Link", + "options": "UOM", + "reqd": 1 + }, + { + "fieldname": "column_break0", + "fieldtype": "Column Break" + }, + { + "default": "0", + "fieldname": "disabled", + "fieldtype": "Check", + "label": "Disabled" + }, + { + "default": "0", + "fieldname": "allow_alternative_item", + "fieldtype": "Check", + "label": "Allow Alternative Item" + }, + { + "bold": 1, + "default": "1", + "fieldname": "is_stock_item", + "fieldtype": "Check", + "label": "Maintain Stock", + "oldfieldname": "is_stock_item", + "oldfieldtype": "Select" + }, + { + "default": "1", + "fieldname": "include_item_in_manufacturing", + "fieldtype": "Check", + "label": "Include Item In Manufacturing" + }, + { + "bold": 1, + "depends_on": "eval:(doc.__islocal&&doc.is_stock_item && !doc.has_serial_no && !doc.has_batch_no)", + "fieldname": "opening_stock", + "fieldtype": "Float", + "label": "Opening Stock" + }, + { + "depends_on": "is_stock_item", + "fieldname": "valuation_rate", + "fieldtype": "Currency", + "label": "Valuation Rate" + }, + { + "bold": 1, + "depends_on": "eval:doc.__islocal", + "fieldname": "standard_rate", + "fieldtype": "Currency", + "label": "Standard Selling Rate" + }, + { + "default": "0", + "fieldname": "is_fixed_asset", + "fieldtype": "Check", + "label": "Is Fixed Asset", + "set_only_once": 1 + }, + { + "depends_on": "is_fixed_asset", + "fieldname": "asset_category", + "fieldtype": "Link", + "label": "Asset Category", + "options": "Asset Category" + }, + { + "depends_on": "is_fixed_asset", + "fieldname": "asset_naming_series", + "fieldtype": "Select", + "label": "Asset Naming Series" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "tolerance", + "fieldtype": "Float", + "label": "Allow over delivery or receipt upto this percent", + "oldfieldname": "tolerance", + "oldfieldtype": "Currency" + }, + { + "fieldname": "image", + "fieldtype": "Attach Image", + "hidden": 1, + "in_preview": 1, + "label": "Image", + "options": "image", + "print_hide": 1 + }, + { + "collapsible": 1, + "fieldname": "section_break_11", + "fieldtype": "Section Break", + "label": "Description" + }, + { + "fieldname": "brand", + "fieldtype": "Link", + "label": "Brand", + "oldfieldname": "brand", + "oldfieldtype": "Link", + "options": "Brand", + "print_hide": 1 + }, + { + "fieldname": "description", + "fieldtype": "Text Editor", + "in_preview": 1, + "label": "Description", + "oldfieldname": "description", + "oldfieldtype": "Text" + }, + { + "fieldname": "sb_barcodes", + "fieldtype": "Section Break", + "label": "Barcodes" + }, + { + "fieldname": "barcodes", + "fieldtype": "Table", + "label": "Barcodes", + "options": "Item Barcode" + }, + { + "collapsible": 1, + "collapsible_depends_on": "is_stock_item", + "depends_on": "is_stock_item", + "fieldname": "inventory_section", + "fieldtype": "Section Break", + "label": "Inventory", + "oldfieldtype": "Section Break", + "options": "fa fa-truck" + }, + { + "fieldname": "shelf_life_in_days", + "fieldtype": "Int", + "label": "Shelf Life In Days" + }, + { + "default": "2099-12-31", + "depends_on": "is_stock_item", + "fieldname": "end_of_life", + "fieldtype": "Date", + "label": "End of Life", + "oldfieldname": "end_of_life", + "oldfieldtype": "Date" + }, + { + "default": "Purchase", + "fieldname": "default_material_request_type", + "fieldtype": "Select", + "label": "Default Material Request Type", + "options": "Purchase\nMaterial Transfer\nMaterial Issue\nManufacture\nCustomer Provided" + }, + { + "depends_on": "is_stock_item", + "fieldname": "valuation_method", + "fieldtype": "Select", + "label": "Valuation Method", + "options": "\nFIFO\nMoving Average", + "set_only_once": 1 + }, + { + "depends_on": "is_stock_item", + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "width": "50%" + }, + { + "depends_on": "eval:doc.is_stock_item", + "fieldname": "warranty_period", + "fieldtype": "Data", + "label": "Warranty Period (in days)", + "oldfieldname": "warranty_period", + "oldfieldtype": "Data" + }, + { + "depends_on": "is_stock_item", + "fieldname": "weight_per_unit", + "fieldtype": "Float", + "label": "Weight Per Unit" + }, + { + "depends_on": "eval:doc.is_stock_item", + "fieldname": "weight_uom", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Weight UOM", + "options": "UOM" + }, + { + "collapsible": 1, + "depends_on": "is_stock_item", + "fieldname": "reorder_section", + "fieldtype": "Section Break", + "label": "Auto re-order", + "options": "fa fa-rss" + }, + { + "description": "Will also apply for variants unless overrridden", + "fieldname": "reorder_levels", + "fieldtype": "Table", + "label": "Reorder level based on Warehouse", + "options": "Item Reorder" + }, + { + "collapsible": 1, + "fieldname": "unit_of_measure_conversion", + "fieldtype": "Section Break", + "label": "Units of Measure" + }, + { + "description": "Will also apply for variants", + "fieldname": "uoms", + "fieldtype": "Table", + "label": "UOMs", + "oldfieldname": "uom_conversion_details", + "oldfieldtype": "Table", + "options": "UOM Conversion Detail" + }, + { + "collapsible": 1, + "collapsible_depends_on": "eval:doc.has_batch_no || doc.has_serial_no || doc.is_fixed_asset", + "depends_on": "eval:doc.is_stock_item || doc.is_fixed_asset", + "fieldname": "serial_nos_and_batches", + "fieldtype": "Section Break", + "label": "Serial Nos and Batches" + }, + { + "default": "0", + "depends_on": "eval:doc.is_stock_item", + "fieldname": "has_batch_no", + "fieldtype": "Check", + "label": "Has Batch No", + "no_copy": 1, + "oldfieldname": "has_batch_no", + "oldfieldtype": "Select" + }, + { + "default": "0", + "depends_on": "has_batch_no", + "fieldname": "create_new_batch", + "fieldtype": "Check", + "label": "Automatically Create New Batch" + }, + { + "depends_on": "eval:doc.has_batch_no==1 && doc.create_new_batch==1", + "description": "Example: ABCD.#####. If series is set and Batch No is not mentioned in transactions, then automatic batch number will be created based on this series. If you always want to explicitly mention Batch No for this item, leave this blank. Note: this setting will take priority over the Naming Series Prefix in Stock Settings.", + "fieldname": "batch_number_series", + "fieldtype": "Data", + "label": "Batch Number Series", + "translatable": 1 + }, + { + "default": "0", + "depends_on": "has_batch_no", + "fieldname": "has_expiry_date", + "fieldtype": "Check", + "label": "Has Expiry Date" + }, + { + "default": "0", + "depends_on": "has_batch_no", + "fieldname": "retain_sample", + "fieldtype": "Check", + "label": "Retain Sample" + }, + { + "depends_on": "eval: (doc.retain_sample && doc.has_batch_no)", + "description": "Maximum sample quantity that can be retained", + "fieldname": "sample_quantity", + "fieldtype": "Int", + "label": "Max Sample Quantity" + }, + { + "fieldname": "column_break_37", + "fieldtype": "Column Break" + }, + { + "default": "0", + "depends_on": "eval:doc.is_stock_item || doc.is_fixed_asset", + "fieldname": "has_serial_no", + "fieldtype": "Check", + "label": "Has Serial No", + "no_copy": 1, + "oldfieldname": "has_serial_no", + "oldfieldtype": "Select" + }, + { + "depends_on": "eval:doc.is_stock_item || doc.is_fixed_asset", + "description": "Example: ABCD.#####\nIf series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.", + "fieldname": "serial_no_series", + "fieldtype": "Data", + "label": "Serial Number Series" + }, + { + "collapsible": 1, + "collapsible_depends_on": "attributes", + "fieldname": "variants_section", + "fieldtype": "Section Break", + "label": "Variants" + }, + { + "default": "0", + "depends_on": "eval:!doc.variant_of", + "description": "If this item has variants, then it cannot be selected in sales orders etc.", + "fieldname": "has_variants", + "fieldtype": "Check", + "in_standard_filter": 1, + "label": "Has Variants", + "no_copy": 1 + }, + { + "default": "Item Attribute", + "depends_on": "has_variants", + "fieldname": "variant_based_on", + "fieldtype": "Select", + "label": "Variant Based On", + "options": "Item Attribute\nManufacturer" + }, + { + "depends_on": "eval:(doc.has_variants || doc.variant_of) && doc.variant_based_on==='Item Attribute'", + "fieldname": "attributes", + "fieldtype": "Table", + "hidden": 1, + "label": "Attributes", + "no_copy": 1, + "options": "Item Variant Attribute" + }, + { + "fieldname": "defaults", + "fieldtype": "Section Break", + "label": "Sales, Purchase, Accounting Defaults" + }, + { + "fieldname": "item_defaults", + "fieldtype": "Table", + "label": "Item Defaults", + "options": "Item Default" + }, + { + "collapsible": 1, + "fieldname": "purchase_details", + "fieldtype": "Section Break", + "label": "Purchase, Replenishment Details", + "oldfieldtype": "Section Break", + "options": "fa fa-shopping-cart" + }, + { + "default": "1", + "fieldname": "is_purchase_item", + "fieldtype": "Check", + "label": "Is Purchase Item" + }, + { + "fieldname": "purchase_uom", + "fieldtype": "Link", + "label": "Default Purchase Unit of Measure", + "options": "UOM" + }, + { + "default": "0.00", + "depends_on": "is_stock_item", + "fieldname": "min_order_qty", + "fieldtype": "Float", + "label": "Minimum Order Qty", + "oldfieldname": "min_order_qty", + "oldfieldtype": "Currency" + }, + { + "fieldname": "safety_stock", + "fieldtype": "Float", + "label": "Safety Stock" + }, + { + "fieldname": "purchase_details_cb", + "fieldtype": "Column Break" + }, + { + "description": "Average time taken by the supplier to deliver", + "fieldname": "lead_time_days", + "fieldtype": "Int", + "label": "Lead Time in days", + "oldfieldname": "lead_time_days", + "oldfieldtype": "Int" + }, + { + "fieldname": "last_purchase_rate", + "fieldtype": "Float", + "label": "Last Purchase Rate", + "no_copy": 1, + "oldfieldname": "last_purchase_rate", + "oldfieldtype": "Currency", + "read_only": 1 + }, + { + "default": "0", + "fieldname": "is_customer_provided_item", + "fieldtype": "Check", + "label": "Is Customer Provided Item" + }, + { + "depends_on": "eval:doc.is_customer_provided_item==1", + "fieldname": "customer", + "fieldtype": "Link", + "label": "Customer", + "options": "Customer" + }, + { + "collapsible": 1, + "fieldname": "supplier_details", + "fieldtype": "Section Break", + "label": "Supplier Details" + }, + { + "default": "0", + "fieldname": "delivered_by_supplier", + "fieldtype": "Check", + "label": "Delivered by Supplier (Drop Ship)", + "print_hide": 1 + }, + { + "fieldname": "column_break2", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "width": "50%" + }, + { + "fieldname": "supplier_items", + "fieldtype": "Table", + "label": "Supplier Items", + "options": "Item Supplier" + }, + { + "collapsible": 1, + "fieldname": "foreign_trade_details", + "fieldtype": "Section Break", + "label": "Foreign Trade Details" + }, + { + "fieldname": "country_of_origin", + "fieldtype": "Link", + "label": "Country of Origin", + "options": "Country" + }, + { + "fieldname": "column_break_59", + "fieldtype": "Column Break" + }, + { + "fieldname": "customs_tariff_number", + "fieldtype": "Link", + "label": "Customs Tariff Number", + "options": "Customs Tariff Number" + }, + { + "collapsible": 1, + "fieldname": "sales_details", + "fieldtype": "Section Break", + "label": "Sales Details", + "oldfieldtype": "Section Break", + "options": "fa fa-tag" + }, + { + "fieldname": "sales_uom", + "fieldtype": "Link", + "label": "Default Sales Unit of Measure", + "options": "UOM" + }, + { + "default": "1", + "fieldname": "is_sales_item", + "fieldtype": "Check", + "label": "Is Sales Item" + }, + { + "fieldname": "column_break3", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "width": "50%" + }, + { + "fieldname": "max_discount", + "fieldtype": "Float", + "label": "Max Discount (%)", + "oldfieldname": "max_discount", + "oldfieldtype": "Currency" + }, + { + "collapsible": 1, + "fieldname": "deferred_revenue", + "fieldtype": "Section Break", + "label": "Deferred Revenue" + }, + { + "depends_on": "enable_deferred_revenue", + "fieldname": "deferred_revenue_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Deferred Revenue Account", + "options": "Account" + }, + { + "default": "0", + "fieldname": "enable_deferred_revenue", + "fieldtype": "Check", + "label": "Enable Deferred Revenue" + }, + { + "fieldname": "column_break_85", + "fieldtype": "Column Break" + }, + { + "depends_on": "enable_deferred_revenue", + "fieldname": "no_of_months", + "fieldtype": "Int", + "label": "No of Months" + }, + { + "collapsible": 1, + "fieldname": "deferred_expense_section", + "fieldtype": "Section Break", + "label": "Deferred Expense" + }, + { + "depends_on": "enable_deferred_expense", + "fieldname": "deferred_expense_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Deferred Expense Account", + "options": "Account" + }, + { + "default": "0", + "fieldname": "enable_deferred_expense", + "fieldtype": "Check", + "label": "Enable Deferred Expense" + }, + { + "fieldname": "column_break_88", + "fieldtype": "Column Break" + }, + { + "depends_on": "enable_deferred_expense", + "fieldname": "no_of_months_exp", + "fieldtype": "Int", + "label": "No of Months" + }, + { + "collapsible": 1, + "fieldname": "customer_details", + "fieldtype": "Section Break", + "label": "Customer Details" + }, + { + "fieldname": "customer_items", + "fieldtype": "Table", + "label": "Customer Items", + "options": "Item Customer Detail" + }, + { + "collapsible": 1, + "collapsible_depends_on": "taxes", + "fieldname": "item_tax_section_break", + "fieldtype": "Section Break", + "label": "Item Tax", + "oldfieldtype": "Section Break", + "options": "fa fa-money" + }, + { + "description": "Will also apply for variants", + "fieldname": "taxes", + "fieldtype": "Table", + "label": "Taxes", + "oldfieldname": "item_tax", + "oldfieldtype": "Table", + "options": "Item Tax" + }, + { + "collapsible": 1, + "fieldname": "inspection_criteria", + "fieldtype": "Section Break", + "label": "Inspection Criteria", + "oldfieldtype": "Section Break", + "options": "fa fa-search" + }, + { + "default": "0", + "fieldname": "inspection_required_before_purchase", + "fieldtype": "Check", + "label": "Inspection Required before Purchase", + "oldfieldname": "inspection_required", + "oldfieldtype": "Select" + }, + { + "default": "0", + "fieldname": "inspection_required_before_delivery", + "fieldtype": "Check", + "label": "Inspection Required before Delivery" + }, + { + "depends_on": "eval:(doc.inspection_required_before_purchase || doc.inspection_required_before_delivery)", + "fieldname": "quality_inspection_template", + "fieldtype": "Link", + "label": "Quality Inspection Template", + "options": "Quality Inspection Template", + "print_hide": 1 + }, + { + "collapsible": 1, + "depends_on": "is_stock_item", + "fieldname": "manufacturing", + "fieldtype": "Section Break", + "label": "Manufacturing", + "oldfieldtype": "Section Break", + "options": "fa fa-cogs" + }, + { + "fieldname": "default_bom", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default BOM", + "no_copy": 1, + "oldfieldname": "default_bom", + "oldfieldtype": "Link", + "options": "BOM", + "read_only": 1 + }, + { + "default": "0", + "description": "If subcontracted to a vendor", + "fieldname": "is_sub_contracted_item", + "fieldtype": "Check", + "label": "Supply Raw Materials for Purchase", + "oldfieldname": "is_sub_contracted_item", + "oldfieldtype": "Select" + }, + { + "fieldname": "column_break_74", + "fieldtype": "Column Break" + }, + { + "fieldname": "customer_code", + "fieldtype": "Data", + "hidden": 1, + "label": "Customer Code", + "no_copy": 1, + "print_hide": 1 + }, + { + "collapsible": 1, + "fieldname": "website_section", + "fieldtype": "Section Break", + "label": "Website", + "options": "fa fa-globe" + }, + { + "default": "0", + "depends_on": "eval:!doc.variant_of", + "fieldname": "show_in_website", + "fieldtype": "Check", + "label": "Show in Website", + "search_index": 1 + }, + { + "default": "0", + "depends_on": "variant_of", + "fieldname": "show_variant_in_website", + "fieldtype": "Check", + "label": "Show in Website (Variant)", + "search_index": 1 + }, + { + "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", + "fieldname": "route", + "fieldtype": "Small Text", + "label": "Route", + "no_copy": 1 + }, + { + "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", + "description": "Items with higher weightage will be shown higher", + "fieldname": "weightage", + "fieldtype": "Int", + "label": "Weightage" + }, + { + "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", + "description": "Show a slideshow at the top of the page", + "fieldname": "slideshow", + "fieldtype": "Link", + "label": "Slideshow", + "options": "Website Slideshow" + }, + { + "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", + "description": "Item Image (if not slideshow)", + "fieldname": "website_image", + "fieldtype": "Attach", + "label": "Image" + }, + { + "fieldname": "thumbnail", + "fieldtype": "Data", + "label": "Thumbnail", + "read_only": 1 + }, + { + "fieldname": "cb72", + "fieldtype": "Column Break" + }, + { + "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", + "description": "Show \"In Stock\" or \"Not in Stock\" based on stock available in this warehouse.", + "fieldname": "website_warehouse", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Website Warehouse", + "options": "Warehouse" + }, + { + "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", + "description": "List this Item in multiple groups on the website.", + "fieldname": "website_item_groups", + "fieldtype": "Table", + "label": "Website Item Groups", + "options": "Website Item Group" + }, + { + "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", + "fieldname": "set_meta_tags", + "fieldtype": "Button", + "label": "Set Meta Tags" + }, + { + "collapsible": 1, + "collapsible_depends_on": "website_specifications", + "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", + "fieldname": "sb72", + "fieldtype": "Section Break", + "label": "Website Specifications" + }, + { + "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", + "fieldname": "copy_from_item_group", + "fieldtype": "Button", + "label": "Copy From Item Group" + }, + { + "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", + "fieldname": "website_specifications", + "fieldtype": "Table", + "label": "Website Specifications", + "options": "Item Website Specification" + }, + { + "depends_on": "eval: doc.show_in_website || doc.show_variant_in_website", + "fieldname": "web_long_description", + "fieldtype": "Text Editor", + "label": "Website Description" + }, + { + "description": "You can use any valid Bootstrap 4 markup in this field. It will be shown on your Item Page.", + "fieldname": "website_content", + "fieldtype": "HTML Editor", + "label": "Website Content" + }, + { + "fieldname": "total_projected_qty", + "fieldtype": "Float", + "hidden": 1, + "label": "Total Projected Qty", + "print_hide": 1, + "read_only": 1 + }, + { + "depends_on": "eval:(!doc.is_item_from_hub)", + "fieldname": "hub_publishing_sb", + "fieldtype": "Section Break", + "label": "Hub Publishing Details" + }, + { + "default": "0", + "description": "Publish Item to hub.erpnext.com", + "fieldname": "publish_in_hub", + "fieldtype": "Check", + "label": "Publish in Hub" + }, + { + "fieldname": "hub_category_to_publish", + "fieldtype": "Data", + "label": "Hub Category to Publish", + "read_only": 1 + }, + { + "description": "Publish \"In Stock\" or \"Not in Stock\" on Hub based on stock available in this warehouse.", + "fieldname": "hub_warehouse", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Hub Warehouse", + "options": "Warehouse" + }, + { + "default": "0", + "fieldname": "synced_with_hub", + "fieldtype": "Check", + "label": "Synced With Hub", + "read_only": 1 + }, + { + "fieldname": "manufacturers", + "fieldtype": "Table", + "label": "Manufacturers", + "options": "Item Manufacturer" + } + ], + "has_web_view": 1, + "icon": "fa fa-tag", + "idx": 2, + "image_field": "image", + "max_attachments": 1, + "modified": "2019-06-02 04:45:59.911507", + "modified_by": "Administrator", + "module": "Stock", + "name": "Item", + "owner": "Administrator", + "permissions": [ + { + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Item Manager", + "share": 1, + "write": 1 + }, + { + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Stock Manager" + }, + { + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Stock User" + }, + { + "read": 1, + "role": "Sales User" + }, + { + "read": 1, + "role": "Purchase User" + }, + { + "read": 1, + "role": "Maintenance User" + }, + { + "read": 1, + "role": "Accounts User" + }, + { + "read": 1, + "role": "Manufacturing User" + } + ], + "quick_entry": 1, + "search_fields": "item_name,description,item_group,customer_code", + "show_name_in_global_search": 1, + "show_preview_popup": 1, + "sort_field": "idx desc,modified desc", + "sort_order": "DESC", + "title_field": "item_name", + "track_changes": 1 + } \ No newline at end of file diff --git a/erpnext/stock/doctype/packing_slip/packing_slip.json b/erpnext/stock/doctype/packing_slip/packing_slip.json index 2ed25d0096..0ed039a391 100644 --- a/erpnext/stock/doctype/packing_slip/packing_slip.json +++ b/erpnext/stock/doctype/packing_slip/packing_slip.json @@ -1,264 +1,264 @@ { - "allow_import": 1, - "autoname": "MAT-PAC-.YYYY.-.#####", - "creation": "2013-04-11 15:32:24", - "description": "Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.", - "doctype": "DocType", - "document_type": "Document", - "engine": "InnoDB", - "field_order": [ - "packing_slip_details", - "column_break0", - "delivery_note", - "column_break1", - "naming_series", - "section_break0", - "column_break2", - "from_case_no", - "column_break3", - "to_case_no", - "package_item_details", - "get_items", - "items", - "package_weight_details", - "net_weight_pkg", - "net_weight_uom", - "column_break4", - "gross_weight_pkg", - "gross_weight_uom", - "letter_head_details", - "letter_head", - "misc_details", - "amended_from" - ], - "fields": [ - { - "fieldname": "packing_slip_details", - "fieldtype": "Section Break" - }, - { - "fieldname": "column_break0", - "fieldtype": "Column Break" - }, - { - "description": "Indicates that the package is a part of this delivery (Only Draft)", - "fieldname": "delivery_note", - "fieldtype": "Link", - "in_global_search": 1, - "in_list_view": 1, - "label": "Delivery Note", - "options": "Delivery Note", - "reqd": 1 - }, - { - "fieldname": "column_break1", - "fieldtype": "Column Break" - }, - { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "options": "MAT-PAC-.YYYY.-", - "print_hide": 1, - "reqd": 1, - "set_only_once": 1 - }, - { - "fieldname": "section_break0", - "fieldtype": "Section Break" - }, - { - "fieldname": "column_break2", - "fieldtype": "Column Break" - }, - { - "description": "Identification of the package for the delivery (for print)", - "fieldname": "from_case_no", - "fieldtype": "Data", - "in_list_view": 1, - "label": "From Package No.", - "no_copy": 1, - "reqd": 1, - "width": "50px" - }, - { - "fieldname": "column_break3", - "fieldtype": "Column Break" - }, - { - "description": "If more than one package of the same type (for print)", - "fieldname": "to_case_no", - "fieldtype": "Data", - "in_list_view": 1, - "label": "To Package No.", - "no_copy": 1, - "width": "50px" - }, - { - "fieldname": "package_item_details", - "fieldtype": "Section Break" - }, - { - "fieldname": "get_items", - "fieldtype": "Button", - "label": "Get Items" - }, - { - "fieldname": "items", - "fieldtype": "Table", - "label": "Items", - "options": "Packing Slip Item", - "reqd": 1 - }, - { - "fieldname": "package_weight_details", - "fieldtype": "Section Break", - "label": "Package Weight Details" - }, - { - "description": "The net weight of this package. (calculated automatically as sum of net weight of items)", - "fieldname": "net_weight_pkg", - "fieldtype": "Float", - "label": "Net Weight", - "no_copy": 1, - "read_only": 1 - }, - { - "fieldname": "net_weight_uom", - "fieldtype": "Link", - "label": "Net Weight UOM", - "no_copy": 1, - "options": "UOM", - "read_only": 1 - }, - { - "fieldname": "column_break4", - "fieldtype": "Column Break" - }, - { - "description": "The gross weight of the package. Usually net weight + packaging material weight. (for print)", - "fieldname": "gross_weight_pkg", - "fieldtype": "Float", - "label": "Gross Weight", - "no_copy": 1 - }, - { - "fieldname": "gross_weight_uom", - "fieldtype": "Link", - "label": "Gross Weight UOM", - "no_copy": 1, - "options": "UOM" - }, - { - "fieldname": "letter_head_details", - "fieldtype": "Section Break", - "label": "Letter Head" - }, - { - "allow_on_submit": 1, - "fieldname": "letter_head", - "fieldtype": "Link", - "label": "Letter Head", - "options": "Letter Head", - "print_hide": 1 - }, - { - "fieldname": "misc_details", - "fieldtype": "Section Break" - }, - { - "fieldname": "amended_from", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Amended From", - "no_copy": 1, - "options": "Packing Slip", - "print_hide": 1, - "read_only": 1 - } - ], - "icon": "fa fa-suitcase", - "idx": 1, - "is_submittable": 1, - "modified": "2019-05-31 04:45:08.082862", - "modified_by": "Administrator", - "module": "Stock", - "name": "Packing Slip", - "owner": "Administrator", - "permissions": [ - { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Stock User", - "share": 1, - "submit": 1, - "write": 1 - }, - { - "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, - "print": 1, - "read": 1, - "report": 1, - "role": "Item Manager", - "share": 1, - "submit": 1, - "write": 1 - }, - { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Stock Manager", - "share": 1, - "submit": 1, - "write": 1 - }, - { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Sales Manager", - "share": 1, - "submit": 1, - "write": 1 - } - ], - "search_fields": "delivery_note", - "show_name_in_global_search": 1, - "sort_field": "modified", - "sort_order": "DESC" -} \ No newline at end of file + "allow_import": 1, + "autoname": "MAT-PAC-.YYYY.-.#####", + "creation": "2013-04-11 15:32:24", + "description": "Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.", + "doctype": "DocType", + "document_type": "Document", + "engine": "InnoDB", + "field_order": [ + "packing_slip_details", + "column_break0", + "delivery_note", + "column_break1", + "naming_series", + "section_break0", + "column_break2", + "from_case_no", + "column_break3", + "to_case_no", + "package_item_details", + "get_items", + "items", + "package_weight_details", + "net_weight_pkg", + "net_weight_uom", + "column_break4", + "gross_weight_pkg", + "gross_weight_uom", + "letter_head_details", + "letter_head", + "misc_details", + "amended_from" + ], + "fields": [ + { + "fieldname": "packing_slip_details", + "fieldtype": "Section Break" + }, + { + "fieldname": "column_break0", + "fieldtype": "Column Break" + }, + { + "description": "Indicates that the package is a part of this delivery (Only Draft)", + "fieldname": "delivery_note", + "fieldtype": "Link", + "in_global_search": 1, + "in_list_view": 1, + "label": "Delivery Note", + "options": "Delivery Note", + "reqd": 1 + }, + { + "fieldname": "column_break1", + "fieldtype": "Column Break" + }, + { + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "options": "MAT-PAC-.YYYY.-", + "print_hide": 1, + "reqd": 1, + "set_only_once": 1 + }, + { + "fieldname": "section_break0", + "fieldtype": "Section Break" + }, + { + "fieldname": "column_break2", + "fieldtype": "Column Break" + }, + { + "description": "Identification of the package for the delivery (for print)", + "fieldname": "from_case_no", + "fieldtype": "Data", + "in_list_view": 1, + "label": "From Package No.", + "no_copy": 1, + "reqd": 1, + "width": "50px" + }, + { + "fieldname": "column_break3", + "fieldtype": "Column Break" + }, + { + "description": "If more than one package of the same type (for print)", + "fieldname": "to_case_no", + "fieldtype": "Data", + "in_list_view": 1, + "label": "To Package No.", + "no_copy": 1, + "width": "50px" + }, + { + "fieldname": "package_item_details", + "fieldtype": "Section Break" + }, + { + "fieldname": "get_items", + "fieldtype": "Button", + "label": "Get Items" + }, + { + "fieldname": "items", + "fieldtype": "Table", + "label": "Items", + "options": "Packing Slip Item", + "reqd": 1 + }, + { + "fieldname": "package_weight_details", + "fieldtype": "Section Break", + "label": "Package Weight Details" + }, + { + "description": "The net weight of this package. (calculated automatically as sum of net weight of items)", + "fieldname": "net_weight_pkg", + "fieldtype": "Float", + "label": "Net Weight", + "no_copy": 1, + "read_only": 1 + }, + { + "fieldname": "net_weight_uom", + "fieldtype": "Link", + "label": "Net Weight UOM", + "no_copy": 1, + "options": "UOM", + "read_only": 1 + }, + { + "fieldname": "column_break4", + "fieldtype": "Column Break" + }, + { + "description": "The gross weight of the package. Usually net weight + packaging material weight. (for print)", + "fieldname": "gross_weight_pkg", + "fieldtype": "Float", + "label": "Gross Weight", + "no_copy": 1 + }, + { + "fieldname": "gross_weight_uom", + "fieldtype": "Link", + "label": "Gross Weight UOM", + "no_copy": 1, + "options": "UOM" + }, + { + "fieldname": "letter_head_details", + "fieldtype": "Section Break", + "label": "Letter Head" + }, + { + "allow_on_submit": 1, + "fieldname": "letter_head", + "fieldtype": "Link", + "label": "Letter Head", + "options": "Letter Head", + "print_hide": 1 + }, + { + "fieldname": "misc_details", + "fieldtype": "Section Break" + }, + { + "fieldname": "amended_from", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "options": "Packing Slip", + "print_hide": 1, + "read_only": 1 + } + ], + "icon": "fa fa-suitcase", + "idx": 1, + "is_submittable": 1, + "modified": "2019-05-31 04:45:08.082862", + "modified_by": "Administrator", + "module": "Stock", + "name": "Packing Slip", + "owner": "Administrator", + "permissions": [ + { + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Stock User", + "share": 1, + "submit": 1, + "write": 1 + }, + { + "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, + "print": 1, + "read": 1, + "report": 1, + "role": "Item Manager", + "share": 1, + "submit": 1, + "write": 1 + }, + { + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Stock Manager", + "share": 1, + "submit": 1, + "write": 1 + }, + { + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales Manager", + "share": 1, + "submit": 1, + "write": 1 + } + ], + "search_fields": "delivery_note", + "show_name_in_global_search": 1, + "sort_field": "modified", + "sort_order": "DESC" + } \ No newline at end of file diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index cdca44d60b..67cd7f8678 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -51,15 +51,6 @@ class PurchaseReceipt(BuyingController): 'target_ref_field': 'qty', 'source_field': 'qty', 'percent_join_field': 'material_request' - }, - { - 'source_dt': 'Purchase Receipt Item', - 'target_dt': 'Purchase Order Item', - 'join_field': 'purchase_order_item', - 'target_field': 'returned_qty', - 'target_parent_dt': 'Purchase Order', - 'source_field': '-1 * qty', - 'extra_cond': """ and exists (select name from `tabPurchase Receipt` where name=`tabPurchase Receipt Item`.parent and is_return=1)""" }] if cint(self.is_return): self.status_updater.append({ @@ -445,6 +436,7 @@ def make_purchase_invoice(source_name, target_doc=None): doc = frappe.get_doc(target) doc.ignore_pricing_rule = 1 + doc.run_method("onload") doc.run_method("set_missing_values") doc.run_method("calculate_taxes_and_totals") diff --git a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json index bb5cd52002..70b62b06a1 100644 --- a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json +++ b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json @@ -1,830 +1,830 @@ { - "autoname": "hash", - "creation": "2013-05-24 19:29:10", - "doctype": "DocType", - "document_type": "Document", - "editable_grid": 1, - "engine": "InnoDB", - "field_order": [ - "barcode", - "section_break_2", - "item_code", - "supplier_part_no", - "column_break_2", - "item_name", - "section_break_4", - "description", - "item_group", - "brand", - "image_section", - "image", - "image_view", - "manufacture_details", - "manufacturer", - "column_break_16", - "manufacturer_part_no", - "received_and_accepted", - "received_qty", - "qty", - "rejected_qty", - "col_break2", - "uom", - "stock_uom", - "conversion_factor", - "retain_sample", - "sample_quantity", - "rate_and_amount", - "price_list_rate", - "discount_percentage", - "discount_amount", - "col_break3", - "base_price_list_rate", - "sec_break1", - "rate", - "amount", - "col_break4", - "base_rate", - "base_amount", - "pricing_rules", - "is_free_item", - "section_break_29", - "net_rate", - "net_amount", - "item_tax_template", - "column_break_32", - "base_net_rate", - "base_net_amount", - "valuation_rate", - "item_tax_amount", - "rm_supp_cost", - "landed_cost_voucher_amount", - "billed_amt", - "item_weight_details", - "weight_per_unit", - "total_weight", - "column_break_41", - "weight_uom", - "warehouse_and_reference", - "warehouse", - "rejected_warehouse", - "quality_inspection", - "purchase_order", - "material_request", - "purchase_order_item", - "material_request_item", - "column_break_40", - "is_fixed_asset", - "asset", - "asset_location", - "schedule_date", - "stock_qty", - "section_break_45", - "serial_no", - "batch_no", - "column_break_48", - "rejected_serial_no", - "expense_account", - "col_break5", - "allow_zero_valuation_rate", - "bom", - "include_exploded_items", - "item_tax_rate", - "accounting_dimensions_section", - "project", - "dimension_col_break", - "cost_center", - "section_break_80", - "page_break" - ], - "fields": [ - { - "fieldname": "barcode", - "fieldtype": "Data", - "label": "Barcode" - }, - { - "fieldname": "section_break_2", - "fieldtype": "Section Break" - }, - { - "bold": 1, - "columns": 3, - "fieldname": "item_code", - "fieldtype": "Link", - "in_global_search": 1, - "in_list_view": 1, - "label": "Item Code", - "oldfieldname": "item_code", - "oldfieldtype": "Link", - "options": "Item", - "print_width": "100px", - "reqd": 1, - "search_index": 1, - "width": "100px" - }, - { - "fieldname": "supplier_part_no", - "fieldtype": "Data", - "hidden": 1, - "label": "Supplier Part Number", - "read_only": 1 - }, - { - "fieldname": "column_break_2", - "fieldtype": "Column Break" - }, - { - "fieldname": "item_name", - "fieldtype": "Data", - "in_global_search": 1, - "label": "Item Name", - "oldfieldname": "item_name", - "oldfieldtype": "Data", - "print_hide": 1, - "reqd": 1 - }, - { - "collapsible": 1, - "fieldname": "section_break_4", - "fieldtype": "Section Break", - "label": "Description" - }, - { - "fieldname": "description", - "fieldtype": "Text Editor", - "label": "Description", - "oldfieldname": "description", - "oldfieldtype": "Text", - "print_width": "300px", - "reqd": 1, - "width": "300px" - }, - { - "fieldname": "image", - "fieldtype": "Attach", - "hidden": 1, - "label": "Image" - }, - { - "fieldname": "image_view", - "fieldtype": "Image", - "label": "Image View", - "options": "image", - "print_hide": 1 - }, - { - "fieldname": "received_and_accepted", - "fieldtype": "Section Break", - "label": "Received and Accepted" - }, - { - "bold": 1, - "fieldname": "received_qty", - "fieldtype": "Float", - "label": "Received Quantity", - "oldfieldname": "received_qty", - "oldfieldtype": "Currency", - "print_hide": 1, - "print_width": "100px", - "reqd": 1, - "width": "100px" - }, - { - "columns": 2, - "fieldname": "qty", - "fieldtype": "Float", - "in_list_view": 1, - "label": "Accepted Quantity", - "oldfieldname": "qty", - "oldfieldtype": "Currency", - "print_width": "100px", - "width": "100px" - }, - { - "fieldname": "rejected_qty", - "fieldtype": "Float", - "label": "Rejected Quantity", - "oldfieldname": "rejected_qty", - "oldfieldtype": "Currency", - "print_hide": 1, - "print_width": "100px", - "width": "100px" - }, - { - "fieldname": "col_break2", - "fieldtype": "Column Break", - "print_hide": 1 - }, - { - "fieldname": "uom", - "fieldtype": "Link", - "label": "UOM", - "oldfieldname": "uom", - "oldfieldtype": "Link", - "options": "UOM", - "print_hide": 1, - "print_width": "100px", - "reqd": 1, - "width": "100px" - }, - { - "fieldname": "stock_uom", - "fieldtype": "Link", - "label": "Stock UOM", - "oldfieldname": "stock_uom", - "oldfieldtype": "Data", - "options": "UOM", - "print_hide": 1, - "print_width": "100px", - "read_only": 1, - "reqd": 1, - "width": "100px" - }, - { - "fieldname": "conversion_factor", - "fieldtype": "Float", - "label": "Conversion Factor", - "oldfieldname": "conversion_factor", - "oldfieldtype": "Currency", - "print_hide": 1, - "print_width": "100px", - "reqd": 1, - "width": "100px" - }, - { - "default": "0", - "fetch_from": "item_code.retain_sample", - "fieldname": "retain_sample", - "fieldtype": "Check", - "label": "Retain Sample", - "read_only": 1 - }, - { - "depends_on": "retain_sample", - "fetch_from": "item_code.sample_quantity", - "fieldname": "sample_quantity", - "fieldtype": "Int", - "label": "Sample Quantity" - }, - { - "fieldname": "rate_and_amount", - "fieldtype": "Section Break", - "label": "Rate and Amount" - }, - { - "fieldname": "price_list_rate", - "fieldtype": "Currency", - "label": "Price List Rate", - "options": "currency", - "print_hide": 1 - }, - { - "depends_on": "price_list_rate", - "fieldname": "discount_percentage", - "fieldtype": "Percent", - "label": "Discount on Price List Rate (%)", - "print_hide": 1 - }, - { - "depends_on": "price_list_rate", - "fieldname": "discount_amount", - "fieldtype": "Currency", - "label": "Discount Amount", - "options": "currency" - }, - { - "fieldname": "col_break3", - "fieldtype": "Column Break" - }, - { - "fieldname": "base_price_list_rate", - "fieldtype": "Currency", - "label": "Price List Rate (Company Currency)", - "options": "Company:company:default_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "sec_break1", - "fieldtype": "Section Break" - }, - { - "bold": 1, - "columns": 3, - "fieldname": "rate", - "fieldtype": "Currency", - "in_list_view": 1, - "label": "Rate", - "oldfieldname": "import_rate", - "oldfieldtype": "Currency", - "options": "currency", - "print_width": "100px", - "width": "100px" - }, - { - "fieldname": "amount", - "fieldtype": "Currency", - "in_list_view": 1, - "label": "Amount", - "oldfieldname": "import_amount", - "oldfieldtype": "Currency", - "options": "currency", - "read_only": 1 - }, - { - "fieldname": "col_break4", - "fieldtype": "Column Break" - }, - { - "fieldname": "base_rate", - "fieldtype": "Currency", - "label": "Rate (Company Currency)", - "oldfieldname": "purchase_rate", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "print_hide": 1, - "print_width": "100px", - "read_only": 1, - "reqd": 1, - "width": "100px" - }, - { - "fieldname": "base_amount", - "fieldtype": "Currency", - "label": "Amount (Company Currency)", - "oldfieldname": "amount", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "print_hide": 1, - "print_width": "100px", - "read_only": 1, - "width": "100px" - }, - { - "fieldname": "pricing_rules", - "fieldtype": "Small Text", - "hidden": 1, - "label": "Pricing Rules", - "print_hide": 1, - "read_only": 1 - }, - { - "default": "0", - "fieldname": "is_free_item", - "fieldtype": "Check", - "label": "Is Free Item", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "section_break_29", - "fieldtype": "Section Break" - }, - { - "fieldname": "net_rate", - "fieldtype": "Currency", - "label": "Net Rate", - "options": "currency", - "print_hide": 1, - "read_only": 1 - }, - { - "columns": 2, - "fieldname": "net_amount", - "fieldtype": "Currency", - "in_list_view": 1, - "label": "Net Amount", - "options": "currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "column_break_32", - "fieldtype": "Column Break" - }, - { - "fieldname": "base_net_rate", - "fieldtype": "Currency", - "label": "Net Rate (Company Currency)", - "options": "Company:company:default_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "base_net_amount", - "fieldtype": "Currency", - "label": "Net Amount (Company Currency)", - "options": "Company:company:default_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "collapsible": 1, - "fieldname": "item_weight_details", - "fieldtype": "Section Break", - "label": "Item Weight Details" - }, - { - "fieldname": "weight_per_unit", - "fieldtype": "Float", - "label": "Weight Per Unit" - }, - { - "fieldname": "total_weight", - "fieldtype": "Float", - "label": "Total Weight", - "read_only": 1 - }, - { - "fieldname": "column_break_41", - "fieldtype": "Column Break" - }, - { - "fieldname": "weight_uom", - "fieldtype": "Link", - "label": "Weight UOM", - "options": "UOM" - }, - { - "fieldname": "warehouse_and_reference", - "fieldtype": "Section Break", - "label": "Warehouse and Reference" - }, - { - "bold": 1, - "fieldname": "warehouse", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Accepted Warehouse", - "oldfieldname": "warehouse", - "oldfieldtype": "Link", - "options": "Warehouse", - "print_hide": 1, - "print_width": "100px", - "width": "100px" - }, - { - "fieldname": "rejected_warehouse", - "fieldtype": "Link", - "label": "Rejected Warehouse", - "no_copy": 1, - "oldfieldname": "rejected_warehouse", - "oldfieldtype": "Link", - "options": "Warehouse", - "print_hide": 1, - "print_width": "100px", - "width": "100px" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "quality_inspection", - "fieldtype": "Link", - "label": "Quality Inspection", - "no_copy": 1, - "oldfieldname": "qa_no", - "oldfieldtype": "Link", - "options": "Quality Inspection", - "print_hide": 1 - }, - { - "fieldname": "column_break_40", - "fieldtype": "Column Break" - }, - { - "default": "0", - "fieldname": "is_fixed_asset", - "fieldtype": "Check", - "hidden": 1, - "label": "Is Fixed Asset", - "no_copy": 1, - "print_hide": 1, - "read_only": 1 - }, - { - "depends_on": "is_fixed_asset", - "fieldname": "asset", - "fieldtype": "Link", - "label": "Asset", - "no_copy": 1, - "options": "Asset" - }, - { - "depends_on": "is_fixed_asset", - "fieldname": "asset_location", - "fieldtype": "Link", - "label": "Asset Location", - "options": "Location" - }, - { - "fieldname": "purchase_order", - "fieldtype": "Link", - "label": "Purchase Order", - "no_copy": 1, - "oldfieldname": "prevdoc_docname", - "oldfieldtype": "Link", - "options": "Purchase Order", - "print_hide": 1, - "print_width": "150px", - "read_only": 1, - "search_index": 1, - "width": "150px" - }, - { - "fieldname": "schedule_date", - "fieldtype": "Date", - "label": "Required By", - "oldfieldname": "schedule_date", - "oldfieldtype": "Date", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "stock_qty", - "fieldtype": "Float", - "label": "Qty as per Stock UOM", - "oldfieldname": "stock_qty", - "oldfieldtype": "Currency", - "print_hide": 1, - "print_width": "100px", - "read_only": 1, - "width": "100px" - }, - { - "fieldname": "section_break_45", - "fieldtype": "Section Break" - }, - { - "fieldname": "serial_no", - "fieldtype": "Small Text", - "in_list_view": 1, - "label": "Serial No", - "no_copy": 1, - "oldfieldname": "serial_no", - "oldfieldtype": "Text" - }, - { - "fieldname": "batch_no", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Batch No", - "no_copy": 1, - "oldfieldname": "batch_no", - "oldfieldtype": "Link", - "options": "Batch", - "print_hide": 1 - }, - { - "fieldname": "column_break_48", - "fieldtype": "Column Break" - }, - { - "fieldname": "rejected_serial_no", - "fieldtype": "Small Text", - "label": "Rejected Serial No", - "no_copy": 1, - "print_hide": 1 - }, - { - "fieldname": "item_tax_template", - "fieldtype": "Link", - "label": "Item Tax Template", - "options": "Item Tax Template", - "print_hide": 1 - }, - { - "fieldname": "project", - "fieldtype": "Link", - "label": "Project", - "options": "Project", - "print_hide": 1 - }, - { - "default": ":Company", - "depends_on": "eval:cint(erpnext.is_perpetual_inventory_enabled(parent.company))", - "fieldname": "cost_center", - "fieldtype": "Link", - "label": "Cost Center", - "options": "Cost Center", - "print_hide": 1 - }, - { - "fieldname": "purchase_order_item", - "fieldtype": "Data", - "hidden": 1, - "label": "Purchase Order Item", - "no_copy": 1, - "oldfieldname": "prevdoc_detail_docname", - "oldfieldtype": "Data", - "print_hide": 1, - "print_width": "150px", - "read_only": 1, - "search_index": 1, - "width": "150px" - }, - { - "fieldname": "col_break5", - "fieldtype": "Column Break" - }, - { - "default": "0", - "fieldname": "allow_zero_valuation_rate", - "fieldtype": "Check", - "label": "Allow Zero Valuation Rate", - "no_copy": 1, - "print_hide": 1 - }, - { - "fieldname": "bom", - "fieldtype": "Link", - "label": "BOM", - "no_copy": 1, - "options": "BOM", - "print_hide": 1 - }, - { - "default": "0", - "depends_on": "eval:parent.is_subcontracted == 'Yes'", - "fieldname": "include_exploded_items", - "fieldtype": "Check", - "label": "Include Exploded Items", - "read_only": 1 - }, - { - "fieldname": "billed_amt", - "fieldtype": "Currency", - "label": "Billed Amt", - "no_copy": 1, - "options": "currency", - "print_hide": 1, - "read_only": 1 - }, - { - "allow_on_submit": 1, - "fieldname": "landed_cost_voucher_amount", - "fieldtype": "Currency", - "label": "Landed Cost Voucher Amount", - "no_copy": 1, - "options": "Company:company:default_currency", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "brand", - "fieldtype": "Link", - "hidden": 1, - "label": "Brand", - "oldfieldname": "brand", - "oldfieldtype": "Link", - "options": "Brand", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "item_group", - "fieldtype": "Link", - "hidden": 1, - "label": "Item Group", - "oldfieldname": "item_group", - "oldfieldtype": "Link", - "options": "Item Group", - "print_hide": 1, - "read_only": 1 - }, - { - "fieldname": "rm_supp_cost", - "fieldtype": "Currency", - "hidden": 1, - "label": "Raw Materials Supplied Cost", - "no_copy": 1, - "oldfieldname": "rm_supp_cost", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "print_hide": 1, - "print_width": "150px", - "read_only": 1, - "width": "150px" - }, - { - "fieldname": "item_tax_amount", - "fieldtype": "Currency", - "hidden": 1, - "label": "Item Tax Amount Included in Value", - "no_copy": 1, - "oldfieldname": "item_tax_amount", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "print_hide": 1, - "print_width": "150px", - "read_only": 1, - "width": "150px" - }, - { - "allow_on_submit": 1, - "fieldname": "valuation_rate", - "fieldtype": "Currency", - "hidden": 1, - "label": "Valuation Rate", - "no_copy": 1, - "oldfieldname": "valuation_rate", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "print_hide": 1, - "print_width": "80px", - "read_only": 1, - "width": "80px" - }, - { - "description": "Tax detail table fetched from item master as a string and stored in this field.\nUsed for Taxes and Charges", - "fieldname": "item_tax_rate", - "fieldtype": "Code", - "hidden": 1, - "label": "Item Tax Rate", - "oldfieldname": "item_tax_rate", - "oldfieldtype": "Small Text", - "print_hide": 1, - "read_only": 1, - "report_hide": 1 - }, - { - "allow_on_submit": 1, - "default": "0", - "fieldname": "page_break", - "fieldtype": "Check", - "label": "Page Break", - "oldfieldname": "page_break", - "oldfieldtype": "Check", - "print_hide": 1 - }, - { - "fieldname": "section_break_80", - "fieldtype": "Section Break" - }, - { - "collapsible": 1, - "fieldname": "image_section", - "fieldtype": "Section Break", - "label": "Image" - }, - { - "fieldname": "material_request", - "fieldtype": "Link", - "label": "Material Request", - "options": "Material Request" - }, - { - "fieldname": "material_request_item", - "fieldtype": "Data", - "label": "Material Request Item" - }, - { - "fieldname": "expense_account", - "fieldtype": "Link", - "hidden": 1, - "label": "Expense Account", - "options": "Account", - "read_only": 1 - }, - { - "fieldname": "accounting_dimensions_section", - "fieldtype": "Section Break", - "label": "Accounting Dimensions" - }, - { - "fieldname": "dimension_col_break", - "fieldtype": "Column Break" - }, - { - "collapsible": 1, - "fieldname": "manufacture_details", - "fieldtype": "Section Break", - "label": "Manufacture" - }, - { - "fieldname": "manufacturer", - "fieldtype": "Link", - "label": "Manufacturer", - "options": "Manufacturer" - }, - { - "fieldname": "column_break_16", - "fieldtype": "Column Break" - }, - { - "fieldname": "manufacturer_part_no", - "fieldtype": "Data", - "label": "Manufacturer Part Number", - "read_only": 1 - } - ], - "idx": 1, - "istable": 1, - "modified": "2019-06-02 06:37:48.198745", - "modified_by": "Administrator", - "module": "Stock", - "name": "Purchase Receipt Item", - "owner": "Administrator", - "permissions": [], - "quick_entry": 1, - "sort_field": "modified", - "sort_order": "DESC" -} \ No newline at end of file + "autoname": "hash", + "creation": "2013-05-24 19:29:10", + "doctype": "DocType", + "document_type": "Document", + "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "barcode", + "section_break_2", + "item_code", + "supplier_part_no", + "column_break_2", + "item_name", + "section_break_4", + "description", + "item_group", + "brand", + "image_section", + "image", + "image_view", + "manufacture_details", + "manufacturer", + "column_break_16", + "manufacturer_part_no", + "received_and_accepted", + "received_qty", + "qty", + "rejected_qty", + "col_break2", + "uom", + "stock_uom", + "conversion_factor", + "retain_sample", + "sample_quantity", + "rate_and_amount", + "price_list_rate", + "discount_percentage", + "discount_amount", + "col_break3", + "base_price_list_rate", + "sec_break1", + "rate", + "amount", + "col_break4", + "base_rate", + "base_amount", + "pricing_rules", + "is_free_item", + "section_break_29", + "net_rate", + "net_amount", + "item_tax_template", + "column_break_32", + "base_net_rate", + "base_net_amount", + "valuation_rate", + "item_tax_amount", + "rm_supp_cost", + "landed_cost_voucher_amount", + "billed_amt", + "item_weight_details", + "weight_per_unit", + "total_weight", + "column_break_41", + "weight_uom", + "warehouse_and_reference", + "warehouse", + "rejected_warehouse", + "quality_inspection", + "purchase_order", + "material_request", + "purchase_order_item", + "material_request_item", + "column_break_40", + "is_fixed_asset", + "asset", + "asset_location", + "schedule_date", + "stock_qty", + "section_break_45", + "serial_no", + "batch_no", + "column_break_48", + "rejected_serial_no", + "expense_account", + "col_break5", + "allow_zero_valuation_rate", + "bom", + "include_exploded_items", + "item_tax_rate", + "accounting_dimensions_section", + "project", + "dimension_col_break", + "cost_center", + "section_break_80", + "page_break" + ], + "fields": [ + { + "fieldname": "barcode", + "fieldtype": "Data", + "label": "Barcode" + }, + { + "fieldname": "section_break_2", + "fieldtype": "Section Break" + }, + { + "bold": 1, + "columns": 3, + "fieldname": "item_code", + "fieldtype": "Link", + "in_global_search": 1, + "in_list_view": 1, + "label": "Item Code", + "oldfieldname": "item_code", + "oldfieldtype": "Link", + "options": "Item", + "print_width": "100px", + "reqd": 1, + "search_index": 1, + "width": "100px" + }, + { + "fieldname": "supplier_part_no", + "fieldtype": "Data", + "hidden": 1, + "label": "Supplier Part Number", + "read_only": 1 + }, + { + "fieldname": "column_break_2", + "fieldtype": "Column Break" + }, + { + "fieldname": "item_name", + "fieldtype": "Data", + "in_global_search": 1, + "label": "Item Name", + "oldfieldname": "item_name", + "oldfieldtype": "Data", + "print_hide": 1, + "reqd": 1 + }, + { + "collapsible": 1, + "fieldname": "section_break_4", + "fieldtype": "Section Break", + "label": "Description" + }, + { + "fieldname": "description", + "fieldtype": "Text Editor", + "label": "Description", + "oldfieldname": "description", + "oldfieldtype": "Text", + "print_width": "300px", + "reqd": 1, + "width": "300px" + }, + { + "fieldname": "image", + "fieldtype": "Attach", + "hidden": 1, + "label": "Image" + }, + { + "fieldname": "image_view", + "fieldtype": "Image", + "label": "Image View", + "options": "image", + "print_hide": 1 + }, + { + "fieldname": "received_and_accepted", + "fieldtype": "Section Break", + "label": "Received and Accepted" + }, + { + "bold": 1, + "fieldname": "received_qty", + "fieldtype": "Float", + "label": "Received Quantity", + "oldfieldname": "received_qty", + "oldfieldtype": "Currency", + "print_hide": 1, + "print_width": "100px", + "reqd": 1, + "width": "100px" + }, + { + "columns": 2, + "fieldname": "qty", + "fieldtype": "Float", + "in_list_view": 1, + "label": "Accepted Quantity", + "oldfieldname": "qty", + "oldfieldtype": "Currency", + "print_width": "100px", + "width": "100px" + }, + { + "fieldname": "rejected_qty", + "fieldtype": "Float", + "label": "Rejected Quantity", + "oldfieldname": "rejected_qty", + "oldfieldtype": "Currency", + "print_hide": 1, + "print_width": "100px", + "width": "100px" + }, + { + "fieldname": "col_break2", + "fieldtype": "Column Break", + "print_hide": 1 + }, + { + "fieldname": "uom", + "fieldtype": "Link", + "label": "UOM", + "oldfieldname": "uom", + "oldfieldtype": "Link", + "options": "UOM", + "print_hide": 1, + "print_width": "100px", + "reqd": 1, + "width": "100px" + }, + { + "fieldname": "stock_uom", + "fieldtype": "Link", + "label": "Stock UOM", + "oldfieldname": "stock_uom", + "oldfieldtype": "Data", + "options": "UOM", + "print_hide": 1, + "print_width": "100px", + "read_only": 1, + "reqd": 1, + "width": "100px" + }, + { + "fieldname": "conversion_factor", + "fieldtype": "Float", + "label": "Conversion Factor", + "oldfieldname": "conversion_factor", + "oldfieldtype": "Currency", + "print_hide": 1, + "print_width": "100px", + "reqd": 1, + "width": "100px" + }, + { + "default": "0", + "fetch_from": "item_code.retain_sample", + "fieldname": "retain_sample", + "fieldtype": "Check", + "label": "Retain Sample", + "read_only": 1 + }, + { + "depends_on": "retain_sample", + "fetch_from": "item_code.sample_quantity", + "fieldname": "sample_quantity", + "fieldtype": "Int", + "label": "Sample Quantity" + }, + { + "fieldname": "rate_and_amount", + "fieldtype": "Section Break", + "label": "Rate and Amount" + }, + { + "fieldname": "price_list_rate", + "fieldtype": "Currency", + "label": "Price List Rate", + "options": "currency", + "print_hide": 1 + }, + { + "depends_on": "price_list_rate", + "fieldname": "discount_percentage", + "fieldtype": "Percent", + "label": "Discount on Price List Rate (%)", + "print_hide": 1 + }, + { + "depends_on": "price_list_rate", + "fieldname": "discount_amount", + "fieldtype": "Currency", + "label": "Discount Amount", + "options": "currency" + }, + { + "fieldname": "col_break3", + "fieldtype": "Column Break" + }, + { + "fieldname": "base_price_list_rate", + "fieldtype": "Currency", + "label": "Price List Rate (Company Currency)", + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "sec_break1", + "fieldtype": "Section Break" + }, + { + "bold": 1, + "columns": 3, + "fieldname": "rate", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Rate", + "oldfieldname": "import_rate", + "oldfieldtype": "Currency", + "options": "currency", + "print_width": "100px", + "width": "100px" + }, + { + "fieldname": "amount", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Amount", + "oldfieldname": "import_amount", + "oldfieldtype": "Currency", + "options": "currency", + "read_only": 1 + }, + { + "fieldname": "col_break4", + "fieldtype": "Column Break" + }, + { + "fieldname": "base_rate", + "fieldtype": "Currency", + "label": "Rate (Company Currency)", + "oldfieldname": "purchase_rate", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "print_hide": 1, + "print_width": "100px", + "read_only": 1, + "reqd": 1, + "width": "100px" + }, + { + "fieldname": "base_amount", + "fieldtype": "Currency", + "label": "Amount (Company Currency)", + "oldfieldname": "amount", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "print_hide": 1, + "print_width": "100px", + "read_only": 1, + "width": "100px" + }, + { + "fieldname": "pricing_rules", + "fieldtype": "Small Text", + "hidden": 1, + "label": "Pricing Rules", + "print_hide": 1, + "read_only": 1 + }, + { + "default": "0", + "fieldname": "is_free_item", + "fieldtype": "Check", + "label": "Is Free Item", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "section_break_29", + "fieldtype": "Section Break" + }, + { + "fieldname": "net_rate", + "fieldtype": "Currency", + "label": "Net Rate", + "options": "currency", + "print_hide": 1, + "read_only": 1 + }, + { + "columns": 2, + "fieldname": "net_amount", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Net Amount", + "options": "currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "column_break_32", + "fieldtype": "Column Break" + }, + { + "fieldname": "base_net_rate", + "fieldtype": "Currency", + "label": "Net Rate (Company Currency)", + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "base_net_amount", + "fieldtype": "Currency", + "label": "Net Amount (Company Currency)", + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "collapsible": 1, + "fieldname": "item_weight_details", + "fieldtype": "Section Break", + "label": "Item Weight Details" + }, + { + "fieldname": "weight_per_unit", + "fieldtype": "Float", + "label": "Weight Per Unit" + }, + { + "fieldname": "total_weight", + "fieldtype": "Float", + "label": "Total Weight", + "read_only": 1 + }, + { + "fieldname": "column_break_41", + "fieldtype": "Column Break" + }, + { + "fieldname": "weight_uom", + "fieldtype": "Link", + "label": "Weight UOM", + "options": "UOM" + }, + { + "fieldname": "warehouse_and_reference", + "fieldtype": "Section Break", + "label": "Warehouse and Reference" + }, + { + "bold": 1, + "fieldname": "warehouse", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Accepted Warehouse", + "oldfieldname": "warehouse", + "oldfieldtype": "Link", + "options": "Warehouse", + "print_hide": 1, + "print_width": "100px", + "width": "100px" + }, + { + "fieldname": "rejected_warehouse", + "fieldtype": "Link", + "label": "Rejected Warehouse", + "no_copy": 1, + "oldfieldname": "rejected_warehouse", + "oldfieldtype": "Link", + "options": "Warehouse", + "print_hide": 1, + "print_width": "100px", + "width": "100px" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "quality_inspection", + "fieldtype": "Link", + "label": "Quality Inspection", + "no_copy": 1, + "oldfieldname": "qa_no", + "oldfieldtype": "Link", + "options": "Quality Inspection", + "print_hide": 1 + }, + { + "fieldname": "column_break_40", + "fieldtype": "Column Break" + }, + { + "default": "0", + "fieldname": "is_fixed_asset", + "fieldtype": "Check", + "hidden": 1, + "label": "Is Fixed Asset", + "no_copy": 1, + "print_hide": 1, + "read_only": 1 + }, + { + "depends_on": "is_fixed_asset", + "fieldname": "asset", + "fieldtype": "Link", + "label": "Asset", + "no_copy": 1, + "options": "Asset" + }, + { + "depends_on": "is_fixed_asset", + "fieldname": "asset_location", + "fieldtype": "Link", + "label": "Asset Location", + "options": "Location" + }, + { + "fieldname": "purchase_order", + "fieldtype": "Link", + "label": "Purchase Order", + "no_copy": 1, + "oldfieldname": "prevdoc_docname", + "oldfieldtype": "Link", + "options": "Purchase Order", + "print_hide": 1, + "print_width": "150px", + "read_only": 1, + "search_index": 1, + "width": "150px" + }, + { + "fieldname": "schedule_date", + "fieldtype": "Date", + "label": "Required By", + "oldfieldname": "schedule_date", + "oldfieldtype": "Date", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "stock_qty", + "fieldtype": "Float", + "label": "Qty as per Stock UOM", + "oldfieldname": "stock_qty", + "oldfieldtype": "Currency", + "print_hide": 1, + "print_width": "100px", + "read_only": 1, + "width": "100px" + }, + { + "fieldname": "section_break_45", + "fieldtype": "Section Break" + }, + { + "fieldname": "serial_no", + "fieldtype": "Small Text", + "in_list_view": 1, + "label": "Serial No", + "no_copy": 1, + "oldfieldname": "serial_no", + "oldfieldtype": "Text" + }, + { + "fieldname": "batch_no", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Batch No", + "no_copy": 1, + "oldfieldname": "batch_no", + "oldfieldtype": "Link", + "options": "Batch", + "print_hide": 1 + }, + { + "fieldname": "column_break_48", + "fieldtype": "Column Break" + }, + { + "fieldname": "rejected_serial_no", + "fieldtype": "Small Text", + "label": "Rejected Serial No", + "no_copy": 1, + "print_hide": 1 + }, + { + "fieldname": "item_tax_template", + "fieldtype": "Link", + "label": "Item Tax Template", + "options": "Item Tax Template", + "print_hide": 1 + }, + { + "fieldname": "project", + "fieldtype": "Link", + "label": "Project", + "options": "Project", + "print_hide": 1 + }, + { + "default": ":Company", + "depends_on": "eval:cint(erpnext.is_perpetual_inventory_enabled(parent.company))", + "fieldname": "cost_center", + "fieldtype": "Link", + "label": "Cost Center", + "options": "Cost Center", + "print_hide": 1 + }, + { + "fieldname": "purchase_order_item", + "fieldtype": "Data", + "hidden": 1, + "label": "Purchase Order Item", + "no_copy": 1, + "oldfieldname": "prevdoc_detail_docname", + "oldfieldtype": "Data", + "print_hide": 1, + "print_width": "150px", + "read_only": 1, + "search_index": 1, + "width": "150px" + }, + { + "fieldname": "col_break5", + "fieldtype": "Column Break" + }, + { + "default": "0", + "fieldname": "allow_zero_valuation_rate", + "fieldtype": "Check", + "label": "Allow Zero Valuation Rate", + "no_copy": 1, + "print_hide": 1 + }, + { + "fieldname": "bom", + "fieldtype": "Link", + "label": "BOM", + "no_copy": 1, + "options": "BOM", + "print_hide": 1 + }, + { + "default": "0", + "depends_on": "eval:parent.is_subcontracted == 'Yes'", + "fieldname": "include_exploded_items", + "fieldtype": "Check", + "label": "Include Exploded Items", + "read_only": 1 + }, + { + "fieldname": "billed_amt", + "fieldtype": "Currency", + "label": "Billed Amt", + "no_copy": 1, + "options": "currency", + "print_hide": 1, + "read_only": 1 + }, + { + "allow_on_submit": 1, + "fieldname": "landed_cost_voucher_amount", + "fieldtype": "Currency", + "label": "Landed Cost Voucher Amount", + "no_copy": 1, + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "brand", + "fieldtype": "Link", + "hidden": 1, + "label": "Brand", + "oldfieldname": "brand", + "oldfieldtype": "Link", + "options": "Brand", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "item_group", + "fieldtype": "Link", + "hidden": 1, + "label": "Item Group", + "oldfieldname": "item_group", + "oldfieldtype": "Link", + "options": "Item Group", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "rm_supp_cost", + "fieldtype": "Currency", + "hidden": 1, + "label": "Raw Materials Supplied Cost", + "no_copy": 1, + "oldfieldname": "rm_supp_cost", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "print_hide": 1, + "print_width": "150px", + "read_only": 1, + "width": "150px" + }, + { + "fieldname": "item_tax_amount", + "fieldtype": "Currency", + "hidden": 1, + "label": "Item Tax Amount Included in Value", + "no_copy": 1, + "oldfieldname": "item_tax_amount", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "print_hide": 1, + "print_width": "150px", + "read_only": 1, + "width": "150px" + }, + { + "allow_on_submit": 1, + "fieldname": "valuation_rate", + "fieldtype": "Currency", + "hidden": 1, + "label": "Valuation Rate", + "no_copy": 1, + "oldfieldname": "valuation_rate", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "print_hide": 1, + "print_width": "80px", + "read_only": 1, + "width": "80px" + }, + { + "description": "Tax detail table fetched from item master as a string and stored in this field.\nUsed for Taxes and Charges", + "fieldname": "item_tax_rate", + "fieldtype": "Code", + "hidden": 1, + "label": "Item Tax Rate", + "oldfieldname": "item_tax_rate", + "oldfieldtype": "Small Text", + "print_hide": 1, + "read_only": 1, + "report_hide": 1 + }, + { + "allow_on_submit": 1, + "default": "0", + "fieldname": "page_break", + "fieldtype": "Check", + "label": "Page Break", + "oldfieldname": "page_break", + "oldfieldtype": "Check", + "print_hide": 1 + }, + { + "fieldname": "section_break_80", + "fieldtype": "Section Break" + }, + { + "collapsible": 1, + "fieldname": "image_section", + "fieldtype": "Section Break", + "label": "Image" + }, + { + "fieldname": "material_request", + "fieldtype": "Link", + "label": "Material Request", + "options": "Material Request" + }, + { + "fieldname": "material_request_item", + "fieldtype": "Data", + "label": "Material Request Item" + }, + { + "fieldname": "expense_account", + "fieldtype": "Link", + "hidden": 1, + "label": "Expense Account", + "options": "Account", + "read_only": 1 + }, + { + "fieldname": "accounting_dimensions_section", + "fieldtype": "Section Break", + "label": "Accounting Dimensions" + }, + { + "fieldname": "dimension_col_break", + "fieldtype": "Column Break" + }, + { + "collapsible": 1, + "fieldname": "manufacture_details", + "fieldtype": "Section Break", + "label": "Manufacture" + }, + { + "fieldname": "manufacturer", + "fieldtype": "Link", + "label": "Manufacturer", + "options": "Manufacturer" + }, + { + "fieldname": "column_break_16", + "fieldtype": "Column Break" + }, + { + "fieldname": "manufacturer_part_no", + "fieldtype": "Data", + "label": "Manufacturer Part Number", + "read_only": 1 + } + ], + "idx": 1, + "istable": 1, + "modified": "2019-06-02 06:37:48.198745", + "modified_by": "Administrator", + "module": "Stock", + "name": "Purchase Receipt Item", + "owner": "Administrator", + "permissions": [], + "quick_entry": 1, + "sort_field": "modified", + "sort_order": "DESC" + } \ No newline at end of file diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.json b/erpnext/stock/doctype/stock_entry/stock_entry.json index 4358dedc8e..bbc54ec37c 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.json +++ b/erpnext/stock/doctype/stock_entry/stock_entry.json @@ -1,20 +1,1969 @@ { - "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-04-09 11:43:55", - "custom": 0, - "docstatus": 0, - "doctype": "DocType", - "document_type": "Document", - "editable_grid": 0, - "engine": "InnoDB", - "fields": [ - { + "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-04-09 11:43:55", + "custom": 0, + "docstatus": 0, + "doctype": "DocType", + "document_type": "Document", + "editable_grid": 0, + "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": "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", + "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, + "default": "{purpose}", + "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": "MAT-STE-.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": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "stock_entry_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": 1, + "label": "Stock Entry Type", + "length": 0, + "no_copy": 0, + "options": "Stock Entry Type", + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "eval:doc.purpose == 'Receive at Warehouse'", + "fetch_if_empty": 0, + "fieldname": "outgoing_stock_entry", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Stock Entry (Outward GIT)", + "length": 0, + "no_copy": 0, + "options": "Stock Entry", + "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": 1, + "collapsible": 0, + "columns": 0, + "default": "", + "fetch_from": "stock_entry_type.purpose", + "fetch_if_empty": 0, + "fieldname": "purpose", + "fieldtype": "Select", + "hidden": 1, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 1, + "in_standard_filter": 0, + "label": "Purpose", + "length": 0, + "no_copy": 0, + "oldfieldname": "purpose", + "oldfieldtype": "Select", + "options": "Material Issue\nMaterial Receipt\nMaterial Transfer\nMaterial Transfer for Manufacture\nMaterial Consumption for Manufacture\nManufacture\nRepack\nSend to Subcontractor\nSend to Warehouse\nReceive at Warehouse", + "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": "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": 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:in_list([\"Material Transfer for Manufacture\", \"Manufacture\", \"Material Consumption for Manufacture\"], doc.purpose)", + "fetch_if_empty": 0, + "fieldname": "work_order", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Work Order", + "length": 0, + "no_copy": 0, + "oldfieldname": "production_order", + "oldfieldtype": "Link", + "options": "Work Order", + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "eval:doc.purpose==\"Send to Subcontractor\"", + "fetch_if_empty": 0, + "fieldname": "purchase_order", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Purchase Order", + "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, + "depends_on": "eval:doc.purpose==\"Sales Return\"", + "fetch_if_empty": 0, + "fieldname": "delivery_note_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": "Delivery Note No", + "length": 0, + "no_copy": 1, + "oldfieldname": "delivery_note_no", + "oldfieldtype": "Link", + "options": "Delivery Note", + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "eval:doc.purpose==\"Sales Return\"", + "fetch_if_empty": 0, + "fieldname": "sales_invoice_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": "Sales Invoice No", + "length": 0, + "no_copy": 1, + "options": "Sales Invoice", + "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.purpose==\"Purchase Return\"", + "fetch_if_empty": 0, + "fieldname": "purchase_receipt_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": "Purchase Receipt No", + "length": 0, + "no_copy": 1, + "oldfieldname": "purchase_receipt_no", + "oldfieldtype": "Link", + "options": "Purchase Receipt", + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "col2", + "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, + "print_width": "50%", + "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": "Today", + "depends_on": "", + "fetch_if_empty": 0, + "fieldname": "posting_date", + "fieldtype": "Date", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Posting Date", + "length": 0, + "no_copy": 1, + "oldfieldname": "posting_date", + "oldfieldtype": "Date", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "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": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "", + "fetch_if_empty": 0, + "fieldname": "posting_time", + "fieldtype": "Time", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Posting Time", + "length": 0, + "no_copy": 1, + "oldfieldname": "posting_time", + "oldfieldtype": "Time", + "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.docstatus==0", + "fetch_if_empty": 0, + "fieldname": "set_posting_time", + "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": "Edit Posting Date and Time", + "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": "inspection_required", + "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": "Inspection Required", + "length": 0, + "no_copy": 0, + "options": "", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "eval:in_list([\"Material Issue\", \"Material Transfer\", \"Manufacture\", \"Repack\", \t\t\t\t\t\"Send to Subcontractor\", \"Material Transfer for Manufacture\", \"Material Consumption for Manufacture\"], doc.purpose)", + "fetch_if_empty": 0, + "fieldname": "from_bom", + "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": "From BOM", + "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": "eval: doc.from_bom && (doc.purpose!==\"Sales Return\" && doc.purpose!==\"Purchase Return\")", + "fetch_if_empty": 0, + "fieldname": "sb1", + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "from_bom", + "fetch_if_empty": 0, + "fieldname": "bom_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": "BOM No", + "length": 0, + "no_copy": 0, + "options": "BOM", + "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": "from_bom", + "description": "As per Stock UOM", + "fetch_if_empty": 0, + "fieldname": "fg_completed_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": "For Quantity", + "length": 0, + "no_copy": 0, + "oldfieldname": "fg_completed_qty", + "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 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "cb1", + "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, + "default": "1", + "depends_on": "from_bom", + "description": "Including items for sub assemblies", + "fetch_if_empty": 0, + "fieldname": "use_multi_level_bom", + "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": "Use Multi-Level BOM", + "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": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "depends_on": "from_bom", + "fetch_if_empty": 0, + "fieldname": "get_items", + "fieldtype": "Button", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Get Items", + "length": 0, + "no_copy": 0, + "oldfieldtype": "Button", + "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_12", + "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": "from_warehouse", + "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": "Default Source Warehouse", + "length": 0, + "no_copy": 1, + "oldfieldname": "from_warehouse", + "oldfieldtype": "Link", + "options": "Warehouse", + "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": "from_warehouse", + "fetch_if_empty": 0, + "fieldname": "source_warehouse_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": "Source Warehouse 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": "source_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": "Source Warehouse Address", + "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": "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 + }, + { + "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_warehouse", + "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": "Default Target Warehouse", + "length": 0, + "no_copy": 1, + "oldfieldname": "to_warehouse", + "oldfieldtype": "Link", + "options": "Warehouse", + "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": "to_warehouse", + "fetch_if_empty": 0, + "fieldname": "target_warehouse_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": "Target Warehouse Name", + "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": "target_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": "Target Warehouse Address", + "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": "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, + "length": 0, + "no_copy": 0, + "options": "Simple", + "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": 0, + "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": "mtn_details", + "oldfieldtype": "Table", + "options": "Stock Entry Detail", + "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, + "description": "", + "fetch_if_empty": 0, + "fieldname": "get_stock_and_rate", + "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 Rate and Availability", + "length": 0, + "no_copy": 0, + "oldfieldtype": "Button", + "options": "get_stock_and_rate", + "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_19", + "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": 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": "total_incoming_value", + "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 Incoming Value", + "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_22", + "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_outgoing_value", + "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 Outgoing Value", + "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": "value_difference", + "fieldtype": "Currency", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Total Value Difference (Out - In)", + "length": 0, + "no_copy": 0, + "options": "Company:company:default_currency", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 1, + "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": "total_additional_costs", + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "additional_costs_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": "Additional Costs", + "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": "additional_costs", + "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": "Additional Costs", + "length": 0, + "no_copy": 0, + "options": "Landed Cost Taxes and Charges", + "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_additional_costs", + "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 Additional Costs", + "length": 0, + "no_copy": 0, + "options": "Company:company:default_currency", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 1, + "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, + "columns": 0, + "depends_on": "eval: in_list([\"Sales Return\", \"Purchase Return\", \"Send to Subcontractor\"], doc.purpose)", + "fetch_if_empty": 0, + "fieldname": "contact_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": "Customer or Supplier Details", + "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.purpose==\"Purchase Return\" || doc.purpose==\"Send to Subcontractor\"", + "fetch_if_empty": 0, + "fieldname": "supplier", + "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": "Supplier", + "length": 0, + "no_copy": 1, + "oldfieldname": "supplier", + "oldfieldtype": "Link", + "options": "Supplier", + "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": 1, + "collapsible": 0, + "columns": 0, + "depends_on": "eval:doc.purpose==\"Purchase Return\" || doc.purpose==\"Send to Subcontractor\"", + "fetch_if_empty": 0, + "fieldname": "supplier_name", + "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": "Supplier Name", + "length": 0, + "no_copy": 1, + "oldfieldname": "supplier_name", + "oldfieldtype": "Data", + "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, + "depends_on": "eval:doc.purpose==\"Purchase Return\" || doc.purpose==\"Send to Subcontractor\"", + "fetch_if_empty": 0, + "fieldname": "supplier_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": "Supplier Address", + "length": 0, + "no_copy": 1, + "oldfieldname": "supplier_address", + "oldfieldtype": "Small Text", + "options": "Address", + "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": "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, + "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": "column_break_39", + "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, + "depends_on": "eval:doc.purpose==\"Sales Return\"", + "fetch_if_empty": 0, + "fieldname": "customer", + "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", + "length": 0, + "no_copy": 1, + "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": 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, + "depends_on": "eval:doc.purpose==\"Sales Return\"", + "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": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Customer Name", + "length": 0, + "no_copy": 1, + "oldfieldname": "customer_name", + "oldfieldtype": "Data", + "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, + "depends_on": "eval:doc.purpose==\"Sales Return\"", + "fetch_if_empty": 0, + "fieldname": "customer_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": "Customer Address", + "length": 0, + "no_copy": 1, + "oldfieldname": "customer_address", + "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 + }, + { + "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_settings", + "fieldtype": "Section Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Printing Settings", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "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": 0, + "oldfieldname": "select_print_heading", + "oldfieldtype": "Link", + "options": "Print Heading", + "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": "letter_head", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Letter Head", + "length": 0, + "no_copy": 0, + "options": "Letter Head", + "permlevel": 0, + "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": 1, + "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", + "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, @@ -22,75 +1971,7 @@ "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", - "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, - "default": "{purpose}", - "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", + "fieldname": "is_opening", "fieldtype": "Select", "hidden": 0, "ignore_user_permissions": 0, @@ -99,80 +1980,10 @@ "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": "MAT-STE-.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": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "stock_entry_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": 1, - "label": "Stock Entry Type", + "label": "Is Opening", "length": 0, "no_copy": 0, - "options": "Stock Entry Type", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.purpose == 'Receive at Warehouse'", - "fetch_if_empty": 0, - "fieldname": "outgoing_stock_entry", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Stock Entry (Outward GIT)", - "length": 0, - "no_copy": 0, - "options": "Stock Entry", + "options": "No\nYes", "permlevel": 0, "precision": "", "print_hide": 0, @@ -185,2192 +1996,381 @@ "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, - "default": "", - "fetch_from": "stock_entry_type.purpose", - "fetch_if_empty": 0, - "fieldname": "purpose", - "fieldtype": "Select", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 1, - "in_standard_filter": 0, - "label": "Purpose", - "length": 0, - "no_copy": 0, - "oldfieldname": "purpose", - "oldfieldtype": "Select", - "options": "Material Issue\nMaterial Receipt\nMaterial Transfer\nMaterial Transfer for Manufacture\nMaterial Consumption for Manufacture\nManufacture\nRepack\nSend to Subcontractor\nSend to Warehouse\nReceive at Warehouse", - "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": "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": 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:in_list([\"Material Transfer for Manufacture\", \"Manufacture\", \"Material Consumption for Manufacture\"], doc.purpose)", - "fetch_if_empty": 0, - "fieldname": "work_order", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Work Order", - "length": 0, - "no_copy": 0, - "oldfieldname": "production_order", - "oldfieldtype": "Link", - "options": "Work Order", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.purpose==\"Send to Subcontractor\"", - "fetch_if_empty": 0, - "fieldname": "purchase_order", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Purchase Order", - "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, - "depends_on": "eval:doc.purpose==\"Sales Return\"", - "fetch_if_empty": 0, - "fieldname": "delivery_note_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": "Delivery Note No", - "length": 0, - "no_copy": 1, - "oldfieldname": "delivery_note_no", - "oldfieldtype": "Link", - "options": "Delivery Note", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.purpose==\"Sales Return\"", - "fetch_if_empty": 0, - "fieldname": "sales_invoice_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": "Sales Invoice No", - "length": 0, - "no_copy": 1, - "options": "Sales Invoice", - "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.purpose==\"Purchase Return\"", - "fetch_if_empty": 0, - "fieldname": "purchase_receipt_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": "Purchase Receipt No", - "length": 0, - "no_copy": 1, - "oldfieldname": "purchase_receipt_no", - "oldfieldtype": "Link", - "options": "Purchase Receipt", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "col2", - "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, - "print_width": "50%", - "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": "Today", - "depends_on": "", - "fetch_if_empty": 0, - "fieldname": "posting_date", - "fieldtype": "Date", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Posting Date", - "length": 0, - "no_copy": 1, - "oldfieldname": "posting_date", - "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "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": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "", - "fetch_if_empty": 0, - "fieldname": "posting_time", - "fieldtype": "Time", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Posting Time", - "length": 0, - "no_copy": 1, - "oldfieldname": "posting_time", - "oldfieldtype": "Time", - "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.docstatus==0", - "fetch_if_empty": 0, - "fieldname": "set_posting_time", - "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": "Edit Posting Date and Time", - "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": "inspection_required", - "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": "Inspection Required", - "length": 0, - "no_copy": 0, - "options": "", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:in_list([\"Material Issue\", \"Material Transfer\", \"Manufacture\", \"Repack\", \t\t\t\t\t\"Send to Subcontractor\", \"Material Transfer for Manufacture\", \"Material Consumption for Manufacture\"], doc.purpose)", - "fetch_if_empty": 0, - "fieldname": "from_bom", - "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": "From BOM", - "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": "eval: doc.from_bom && (doc.purpose!==\"Sales Return\" && doc.purpose!==\"Purchase Return\")", - "fetch_if_empty": 0, - "fieldname": "sb1", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "from_bom", - "fetch_if_empty": 0, - "fieldname": "bom_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": "BOM No", - "length": 0, - "no_copy": 0, - "options": "BOM", - "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": "from_bom", - "description": "As per Stock UOM", - "fetch_if_empty": 0, - "fieldname": "fg_completed_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": "For Quantity", - "length": 0, - "no_copy": 0, - "oldfieldname": "fg_completed_qty", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "cb1", - "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, - "default": "1", - "depends_on": "from_bom", - "description": "Including items for sub assemblies", - "fetch_if_empty": 0, - "fieldname": "use_multi_level_bom", - "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": "Use Multi-Level BOM", - "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": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "from_bom", - "fetch_if_empty": 0, - "fieldname": "get_items", - "fieldtype": "Button", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Get Items", - "length": 0, - "no_copy": 0, - "oldfieldtype": "Button", - "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_12", - "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": "from_warehouse", - "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": "Default Source Warehouse", - "length": 0, - "no_copy": 1, - "oldfieldname": "from_warehouse", - "oldfieldtype": "Link", - "options": "Warehouse", - "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": "from_warehouse", - "fetch_if_empty": 0, - "fieldname": "source_warehouse_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": "Source Warehouse 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": "source_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": "Source Warehouse Address", - "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": "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 - }, - { - "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_warehouse", - "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": "Default Target Warehouse", - "length": 0, - "no_copy": 1, - "oldfieldname": "to_warehouse", - "oldfieldtype": "Link", - "options": "Warehouse", - "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": "to_warehouse", - "fetch_if_empty": 0, - "fieldname": "target_warehouse_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": "Target Warehouse Name", - "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": "target_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": "Target Warehouse Address", - "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": "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, - "length": 0, - "no_copy": 0, - "options": "Simple", - "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": 0, - "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": "mtn_details", - "oldfieldtype": "Table", - "options": "Stock Entry Detail", - "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, - "description": "", - "fetch_if_empty": 0, - "fieldname": "get_stock_and_rate", - "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 Rate and Availability", - "length": 0, - "no_copy": 0, - "oldfieldtype": "Button", - "options": "get_stock_and_rate", - "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_19", - "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": 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": "total_incoming_value", - "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 Incoming Value", - "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_22", - "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_outgoing_value", - "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 Outgoing Value", - "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": "value_difference", - "fieldtype": "Currency", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Total Value Difference (Out - In)", - "length": 0, - "no_copy": 0, - "options": "Company:company:default_currency", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 1, - "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": "total_additional_costs", - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "additional_costs_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": "Additional Costs", - "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": "additional_costs", - "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": "Additional Costs", - "length": 0, - "no_copy": 0, - "options": "Landed Cost Taxes and Charges", - "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_additional_costs", - "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 Additional Costs", - "length": 0, - "no_copy": 0, - "options": "Company:company:default_currency", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 1, - "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, - "columns": 0, - "depends_on": "eval: in_list([\"Sales Return\", \"Purchase Return\", \"Send to Subcontractor\"], doc.purpose)", - "fetch_if_empty": 0, - "fieldname": "contact_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": "Customer or Supplier Details", - "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.purpose==\"Purchase Return\" || doc.purpose==\"Send to Subcontractor\"", - "fetch_if_empty": 0, - "fieldname": "supplier", - "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": "Supplier", - "length": 0, - "no_copy": 1, - "oldfieldname": "supplier", - "oldfieldtype": "Link", - "options": "Supplier", - "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": 1, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.purpose==\"Purchase Return\" || doc.purpose==\"Send to Subcontractor\"", - "fetch_if_empty": 0, - "fieldname": "supplier_name", - "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": "Supplier Name", - "length": 0, - "no_copy": 1, - "oldfieldname": "supplier_name", - "oldfieldtype": "Data", - "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, - "depends_on": "eval:doc.purpose==\"Purchase Return\" || doc.purpose==\"Send to Subcontractor\"", - "fetch_if_empty": 0, - "fieldname": "supplier_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": "Supplier Address", - "length": 0, - "no_copy": 1, - "oldfieldname": "supplier_address", - "oldfieldtype": "Small Text", - "options": "Address", - "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": "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, - "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": "column_break_39", - "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, - "depends_on": "eval:doc.purpose==\"Sales Return\"", - "fetch_if_empty": 0, - "fieldname": "customer", - "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", - "length": 0, - "no_copy": 1, - "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": 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, - "depends_on": "eval:doc.purpose==\"Sales Return\"", - "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": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Customer Name", - "length": 0, - "no_copy": 1, - "oldfieldname": "customer_name", - "oldfieldtype": "Data", - "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, - "depends_on": "eval:doc.purpose==\"Sales Return\"", - "fetch_if_empty": 0, - "fieldname": "customer_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": "Customer Address", - "length": 0, - "no_copy": 1, - "oldfieldname": "customer_address", - "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 - }, - { - "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_settings", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Printing Settings", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "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": 0, - "oldfieldname": "select_print_heading", - "oldfieldtype": "Link", - "options": "Print Heading", - "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": "letter_head", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Letter Head", - "length": 0, - "no_copy": 0, - "options": "Letter Head", - "permlevel": 0, - "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": 1, - "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", - "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": "is_opening", - "fieldtype": "Select", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Is Opening", - "length": 0, - "no_copy": 0, - "options": "No\nYes", - "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": "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, - "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": "remarks", - "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": "Remarks", - "length": 0, - "no_copy": 1, - "oldfieldname": "remarks", - "oldfieldtype": "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": "col5", - "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, - "print_width": "50%", - "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, - "depends_on": "", - "fetch_if_empty": 0, - "fieldname": "per_transferred", - "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": "Per Transferred", - "length": 0, - "no_copy": 1, - "options": "", - "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, - "depends_on": "total_amount", - "fetch_if_empty": 0, - "fieldname": "total_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": "Total Amount", - "length": 0, - "no_copy": 0, - "options": "Company:company:default_currency", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 1, - "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": "job_card", - "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": "Job Card", - "length": 0, - "no_copy": 0, - "options": "Job Card", - "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": "amended_from", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 1, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Amended From", - "length": 0, - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Link", - "options": "Stock Entry", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "credit_note", - "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": "Credit Note", - "length": 0, - "no_copy": 0, - "options": "Journal Entry", - "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": 1, - "in_create": 0, - "is_submittable": 1, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "modified": "2019-05-23 12:24:46.439626", - "modified_by": "Administrator", - "module": "Stock", - "name": "Stock Entry", - "owner": "Administrator", - "permissions": [ - { - "amend": 1, - "cancel": 1, - "create": 1, - "delete": 1, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 1, - "role": "Stock User", - "set_user_permissions": 0, - "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": "Manufacturing User", - "set_user_permissions": 0, - "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": "Manufacturing Manager", - "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": "Stock Manager", - "set_user_permissions": 1, - "share": 1, - "submit": 1, - "write": 1 - } - ], - "quick_entry": 0, - "read_only": 0, - "search_fields": "posting_date, from_warehouse, to_warehouse, purpose, remarks", - "show_name_in_global_search": 1, - "sort_field": "modified", - "sort_order": "DESC", - "title_field": "title", - "track_changes": 1, - "track_seen": 0, - "track_views": 0 - } \ No newline at end of file + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "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, + "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": "remarks", + "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": "Remarks", + "length": 0, + "no_copy": 1, + "oldfieldname": "remarks", + "oldfieldtype": "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": "col5", + "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, + "print_width": "50%", + "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, + "depends_on": "", + "fetch_if_empty": 0, + "fieldname": "per_transferred", + "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": "Per Transferred", + "length": 0, + "no_copy": 1, + "options": "", + "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, + "depends_on": "total_amount", + "fetch_if_empty": 0, + "fieldname": "total_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": "Total Amount", + "length": 0, + "no_copy": 0, + "options": "Company:company:default_currency", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 1, + "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": "job_card", + "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": "Job Card", + "length": 0, + "no_copy": 0, + "options": "Job Card", + "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": "amended_from", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 1, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Amended From", + "length": 0, + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Link", + "options": "Stock Entry", + "permlevel": 0, + "print_hide": 1, + "print_hide_if_no_value": 0, + "read_only": 1, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "credit_note", + "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": "Credit Note", + "length": 0, + "no_copy": 0, + "options": "Journal Entry", + "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": 1, + "in_create": 0, + "is_submittable": 1, + "issingle": 0, + "istable": 0, + "max_attachments": 0, + "modified": "2019-05-23 12:24:46.439626", + "modified_by": "Administrator", + "module": "Stock", + "name": "Stock Entry", + "owner": "Administrator", + "permissions": [ + { + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 0, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 1, + "role": "Stock User", + "set_user_permissions": 0, + "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": "Manufacturing User", + "set_user_permissions": 0, + "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": "Manufacturing Manager", + "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": "Stock Manager", + "set_user_permissions": 1, + "share": 1, + "submit": 1, + "write": 1 + } + ], + "quick_entry": 0, + "read_only": 0, + "search_fields": "posting_date, from_warehouse, to_warehouse, purpose, remarks", + "show_name_in_global_search": 1, + "sort_field": "modified", + "sort_order": "DESC", + "title_field": "title", + "track_changes": 1, + "track_seen": 0, + "track_views": 0 + } \ No newline at end of file diff --git a/erpnext/stock/doctype/stock_settings/stock_settings.json b/erpnext/stock/doctype/stock_settings/stock_settings.json index e05b320fcf..c989907639 100644 --- a/erpnext/stock/doctype/stock_settings/stock_settings.json +++ b/erpnext/stock/doctype/stock_settings/stock_settings.json @@ -1,926 +1,955 @@ { - "allow_copy": 0, - "allow_guest_to_view": 0, - "allow_import": 0, - "allow_rename": 0, - "autoname": "", - "beta": 0, - "creation": "2013-06-24 16:37:54", - "custom": 0, - "description": "Settings", - "docstatus": 0, - "doctype": "DocType", - "editable_grid": 0, + "allow_copy": 0, + "allow_events_in_timeline": 0, + "allow_guest_to_view": 0, + "allow_import": 0, + "allow_rename": 0, + "autoname": "", + "beta": 0, + "creation": "2013-06-24 16:37:54", + "custom": 0, + "description": "Settings", + "docstatus": 0, + "doctype": "DocType", + "editable_grid": 0, "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "Item Code", - "fieldname": "item_naming_by", - "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": "Item Naming By", - "length": 0, - "no_copy": 0, - "options": "Item Code\nNaming Series", - "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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "Item Code", + "fetch_if_empty": 0, + "fieldname": "item_naming_by", + "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": "Item Naming By", + "length": 0, + "no_copy": 0, + "options": "Item Code\nNaming Series", + "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, - "description": "", - "fieldname": "item_group", - "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": "Default Item Group", - "length": 0, - "no_copy": 0, - "options": "Item Group", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "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": "item_group", + "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": "Default Item Group", + "length": 0, + "no_copy": 0, + "options": "Item Group", + "permlevel": 0, + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "translatable": 0, "unique": 0 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "stock_uom", - "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": "Default Stock UOM", - "length": 0, - "no_copy": 0, - "options": "UOM", - "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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "stock_uom", + "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": "Default Stock UOM", + "length": 0, + "no_copy": 0, + "options": "UOM", + "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, - "fieldname": "default_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": "Default Warehouse", - "length": 0, - "no_copy": 0, - "options": "Warehouse", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "default_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": "Default Warehouse", + "length": 0, + "no_copy": 0, + "options": "Warehouse", + "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, - "fieldname": "default_return_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": "Default Return Warehouse", - "length": 0, - "no_copy": 0, - "options": "Warehouse", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "sample_retention_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": "Sample Retention Warehouse", + "length": 0, + "no_copy": 0, + "options": "Warehouse", + "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, - "fieldname": "sample_retention_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": "Sample Retention Warehouse", - "length": 0, - "no_copy": 0, - "options": "Warehouse", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 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, + "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, - "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, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "valuation_method", + "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": "Default Valuation Method", + "length": 0, + "no_copy": 0, + "options": "FIFO\nMoving Average", + "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, - "fieldname": "valuation_method", - "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": "Default Valuation Method", - "length": 0, - "no_copy": 0, - "options": "FIFO\nMoving Average", - "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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "description": "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.", + "fetch_if_empty": 0, + "fieldname": "tolerance", + "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": "Limit Percent", + "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, - "description": "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.", - "fieldname": "tolerance", - "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": "Limit Percent", - "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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "Stop", + "fetch_if_empty": 0, + "fieldname": "action_if_quality_inspection_is_not_submitted", + "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": "Action if Quality inspection is not submitted", + "length": 0, + "no_copy": 0, + "options": "Stop\nWarn", + "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": "1", - "fieldname": "show_barcode_field", - "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Show Barcode Field", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "1", + "fetch_if_empty": 0, + "fieldname": "show_barcode_field", + "fieldtype": "Check", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Show Barcode Field", + "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": "1", - "fieldname": "clean_description_html", - "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": "Convert Item Description to Clean HTML", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "1", + "fetch_if_empty": 0, + "fieldname": "clean_description_html", + "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": "Convert Item Description to Clean HTML", + "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, - "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, + "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_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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "auto_insert_price_list_rate_if_missing", - "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": "Auto insert Price List rate if missing", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "auto_insert_price_list_rate_if_missing", + "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": "Auto insert Price List rate if missing", + "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, - "fieldname": "allow_negative_stock", - "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": "Allow Negative Stock", - "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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "allow_negative_stock", + "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": "Allow Negative Stock", + "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, - "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, + "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_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 - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "1", - "fieldname": "automatically_set_serial_nos_based_on_fifo", - "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": "Automatically Set Serial Nos based on FIFO", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "1", + "fetch_if_empty": 0, + "fieldname": "automatically_set_serial_nos_based_on_fifo", + "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": "Automatically Set Serial Nos based on FIFO", + "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": "1", - "fieldname": "set_qty_in_transactions_based_on_serial_no_input", - "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": "Set Qty in Transactions based on Serial No Input", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "1", + "fetch_if_empty": 0, + "fieldname": "set_qty_in_transactions_based_on_serial_no_input", + "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": "Set Qty in Transactions based on Serial No Input", + "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, - "fieldname": "auto_material_request", - "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 Material Request", - "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, + "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_material_request", + "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 Material Request", + "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, - "fieldname": "auto_indent", - "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": "Raise Material Request when stock reaches re-order level", - "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, + "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_indent", + "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": "Raise Material Request when stock reaches re-order level", + "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, - "fieldname": "reorder_email_notify", - "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": "Notify by Email on creation of automatic Material Request", - "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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "reorder_email_notify", + "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": "Notify by Email on creation of automatic Material Request", + "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, - "fieldname": "freeze_stock_entries", - "fieldtype": "Section Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Freeze Stock Entries", - "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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "freeze_stock_entries", + "fieldtype": "Section Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Freeze Stock Entries", + "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, - "fieldname": "stock_frozen_upto", - "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": "Stock Frozen Upto", - "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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "stock_frozen_upto", + "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": "Stock Frozen Upto", + "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, - "fieldname": "stock_frozen_upto_days", - "fieldtype": "Int", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Freeze Stocks Older Than [Days]", - "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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "stock_frozen_upto_days", + "fieldtype": "Int", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Freeze Stocks Older Than [Days]", + "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, - "fieldname": "stock_auth_role", - "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": "Role Allowed to edit frozen stock", - "length": 0, - "no_copy": 0, - "options": "Role", - "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, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "stock_auth_role", + "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": "Role Allowed to edit frozen stock", + "length": 0, + "no_copy": 0, + "options": "Role", + "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, - "fieldname": "batch_id_sb", - "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": "Batch Identification", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fetch_if_empty": 0, + "fieldname": "batch_id_sb", + "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": "Batch Identification", + "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": "0", - "fieldname": "use_naming_series", - "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": "Use Naming Series", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "0", + "fetch_if_empty": 0, + "fieldname": "use_naming_series", + "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": "Use Naming Series", + "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": "BATCH-", - "depends_on": "eval:doc.use_naming_series==1", - "fieldname": "naming_series_prefix", - "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": "Naming Series Prefix", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, + "allow_bulk_edit": 0, + "allow_in_quick_entry": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "BATCH-", + "depends_on": "eval:doc.use_naming_series==1", + "fetch_if_empty": 0, + "fieldname": "naming_series_prefix", + "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": "Naming Series Prefix", + "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_heading": 0, - "hide_toolbar": 0, - "icon": "icon-cog", - "idx": 1, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 1, - "istable": 0, - "max_attachments": 0, - "modified": "2018-09-25 01:19:07.738045", - "modified_by": "Administrator", - "module": "Stock", - "name": "Stock Settings", - "owner": "Administrator", + ], + "has_web_view": 0, + "hide_heading": 0, + "hide_toolbar": 0, + "icon": "icon-cog", + "idx": 1, + "image_view": 0, + "in_create": 0, + "is_submittable": 0, + "issingle": 1, + "istable": 0, + "max_attachments": 0, + "modified": "2019-06-18 01:19:07.738045", + "modified_by": "Administrator", + "module": "Stock", + "name": "Stock Settings", + "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, - "create": 1, - "delete": 0, - "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 1, - "read": 1, - "report": 0, - "role": "Stock Manager", - "set_user_permissions": 0, - "share": 1, - "submit": 0, + "amend": 0, + "cancel": 0, + "create": 1, + "delete": 0, + "email": 1, + "export": 0, + "if_owner": 0, + "import": 0, + "permlevel": 0, + "print": 1, + "read": 1, + "report": 0, + "role": "Stock Manager", + "set_user_permissions": 0, + "share": 1, + "submit": 0, "write": 1 } - ], - "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, - "show_name_in_global_search": 0, - "sort_order": "ASC", - "track_changes": 0, - "track_seen": 0, + ], + "quick_entry": 1, + "read_only": 0, + "read_only_onload": 0, + "show_name_in_global_search": 0, + "sort_order": "ASC", + "track_changes": 0, + "track_seen": 0, "track_views": 0 } \ No newline at end of file diff --git a/erpnext/stock/doctype/warehouse/warehouse.py b/erpnext/stock/doctype/warehouse/warehouse.py index 57256c80bd..6cdb56be7f 100644 --- a/erpnext/stock/doctype/warehouse/warehouse.py +++ b/erpnext/stock/doctype/warehouse/warehouse.py @@ -3,7 +3,7 @@ from __future__ import unicode_literals import frappe, erpnext -from frappe.utils import cint +from frappe.utils import cint, nowdate from frappe import throw, _ from frappe.utils.nestedset import NestedSet from erpnext.stock import get_warehouse_account diff --git a/erpnext/stock/get_item_details.py b/erpnext/stock/get_item_details.py index fe2e0a43f1..f1d784c8d9 100644 --- a/erpnext/stock/get_item_details.py +++ b/erpnext/stock/get_item_details.py @@ -321,8 +321,21 @@ def get_basic_details(args, item): out["manufacturer_part_no"] = None out["manufacturer"] = None + child_doctype = args.doctype + ' Item' + meta = frappe.get_meta(child_doctype) + if meta.get_field("barcode"): + update_barcode_value(out) + return out +def update_barcode_value(out): + from erpnext.accounts.doctype.sales_invoice.pos import get_barcode_data + barcode_data = get_barcode_data([out]) + + # If item has one barcode then update the value of the barcode field + if barcode_data and len(barcode_data.get(out.item_code)) == 1: + out['barcode'] = barcode_data.get(out.item_code)[0] + @frappe.whitelist() def get_item_tax_info(company, tax_category, item_codes): out = {} @@ -651,6 +664,10 @@ def validate_conversion_rate(args, meta): def get_party_item_code(args, item_doc, out): if args.transaction_type=="selling" and args.customer: out.customer_item_code = None + + if args.quotation_to and args.quotation_to != 'Customer': + return + customer_item_code = item_doc.get("customer_items", {"customer_name": args.customer}) if customer_item_code: diff --git a/erpnext/stock/report/delayed_item_report/delayed_item_report.js b/erpnext/stock/report/delayed_item_report/delayed_item_report.js index 5d160b1519..f1ead2c9fb 100644 --- a/erpnext/stock/report/delayed_item_report/delayed_item_report.js +++ b/erpnext/stock/report/delayed_item_report/delayed_item_report.js @@ -59,4 +59,4 @@ frappe.query_reports["Delayed Item Report"] = { reqd: 1 }, ] -} \ No newline at end of file +} diff --git a/erpnext/stock/report/delayed_item_report/delayed_item_report.json b/erpnext/stock/report/delayed_item_report/delayed_item_report.json index f336cecf20..f5b64a4a55 100644 --- a/erpnext/stock/report/delayed_item_report/delayed_item_report.json +++ b/erpnext/stock/report/delayed_item_report/delayed_item_report.json @@ -7,7 +7,7 @@ "doctype": "Report", "idx": 0, "is_standard": "Yes", - "letter_head": "Gadgets International", + "letter_head": "", "modified": "2019-06-17 12:45:07.324014", "modified_by": "Administrator", "module": "Stock", diff --git a/erpnext/stock/report/delayed_order_report/delayed_order_report.js b/erpnext/stock/report/delayed_order_report/delayed_order_report.js index 11752ae9fb..5b02a58faf 100644 --- a/erpnext/stock/report/delayed_order_report/delayed_order_report.js +++ b/erpnext/stock/report/delayed_order_report/delayed_order_report.js @@ -59,4 +59,4 @@ frappe.query_reports["Delayed Order Report"] = { reqd: 1 }, ] -} \ No newline at end of file +} diff --git a/erpnext/stock/report/delayed_order_report/delayed_order_report.json b/erpnext/stock/report/delayed_order_report/delayed_order_report.json index 29c27cb1a6..327ee6aaa3 100644 --- a/erpnext/stock/report/delayed_order_report/delayed_order_report.json +++ b/erpnext/stock/report/delayed_order_report/delayed_order_report.json @@ -7,7 +7,7 @@ "doctype": "Report", "idx": 0, "is_standard": "Yes", - "letter_head": "Gadgets International", + "letter_head": "", "modified": "2019-06-17 12:45:56.359322", "modified_by": "Administrator", "module": "Stock", diff --git a/erpnext/stock/report/stock_ledger/stock_ledger.py b/erpnext/stock/report/stock_ledger/stock_ledger.py index a810ddd931..d386230687 100644 --- a/erpnext/stock/report/stock_ledger/stock_ledger.py +++ b/erpnext/stock/report/stock_ledger/stock_ledger.py @@ -22,12 +22,8 @@ def execute(filters=None): for sle in sl_entries: item_detail = item_details[sle.item_code] - data.append([sle.date, sle.item_code, item_detail.item_name, item_detail.item_group, - item_detail.brand, item_detail.description, sle.warehouse, - item_detail.stock_uom, sle.actual_qty, sle.qty_after_transaction, - (sle.incoming_rate if sle.actual_qty > 0 else 0.0), - sle.valuation_rate, sle.stock_value, sle.voucher_type, sle.voucher_no, - sle.batch_no, sle.serial_no, sle.project, sle.company]) + sle.update(item_detail) + data.append(sle) if include_uom: conversion_factors.append(item_detail.conversion_factor) diff --git a/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py b/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py index 2a02b469fb..6a86889aa3 100644 --- a/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +++ b/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py @@ -94,9 +94,13 @@ def get_suppliers_details(filters): item_supplier_map.setdefault(d.item_code, []).append(d.supplier) if supplier: + invalid_items = [] for item_code, suppliers in iteritems(item_supplier_map): if supplier not in suppliers: - del item_supplier_map[item_code] + invalid_items.append(item_code) + + for item_code in invalid_items: + del item_supplier_map[item_code] return item_supplier_map diff --git a/erpnext/stock/report/total_stock_summary/total_stock_summary.js b/erpnext/stock/report/total_stock_summary/total_stock_summary.js index 90648f1b24..264642856d 100644 --- a/erpnext/stock/report/total_stock_summary/total_stock_summary.js +++ b/erpnext/stock/report/total_stock_summary/total_stock_summary.js @@ -38,4 +38,4 @@ frappe.query_reports["Total Stock Summary"] = { "reqd": 1 }, ] -} +} \ No newline at end of file diff --git a/erpnext/support/doctype/issue/issue.json b/erpnext/support/doctype/issue/issue.json index 3ad5153a6b..b7c4166f6c 100644 --- a/erpnext/support/doctype/issue/issue.json +++ b/erpnext/support/doctype/issue/issue.json @@ -69,7 +69,8 @@ "fieldtype": "Data", "in_global_search": 1, "label": "Subject", - "reqd": 1 + "reqd": 1, + "in_standard_filter": 1 }, { "fieldname": "customer", @@ -336,7 +337,7 @@ ], "icon": "fa fa-ticket", "idx": 7, - "modified": "2019-05-20 15:19:00.771333", + "modified": "2019-06-27 15:19:00.771333", "modified_by": "Administrator", "module": "Support", "name": "Issue", @@ -361,4 +362,4 @@ "timeline_field": "customer", "title_field": "subject", "track_seen": 1 -} \ No newline at end of file +} diff --git a/erpnext/templates/includes/product_page.js b/erpnext/templates/includes/product_page.js new file mode 100644 index 0000000000..af98fc7987 --- /dev/null +++ b/erpnext/templates/includes/product_page.js @@ -0,0 +1,217 @@ +// Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors +// License: GNU General Public License v3. See license.txt + +frappe.ready(function() { + window.item_code = $('[itemscope] [itemprop="productID"]').text().trim(); + var qty = 0; + + frappe.call({ + type: "POST", + method: "erpnext.shopping_cart.product_info.get_product_info_for_website", + args: { + item_code: get_item_code() + }, + callback: function(r) { + if(r.message) { + if(r.message.cart_settings.enabled) { + let hide_add_to_cart = !r.message.product_info.price + || (!r.message.product_info.in_stock && !r.message.cart_settings.allow_items_not_in_stock); + $(".item-cart, .item-price, .item-stock").toggleClass('hide', hide_add_to_cart); + } + if(r.message.cart_settings.show_price) { + $(".item-price").toggleClass("hide", false); + } + if(r.message.cart_settings.show_stock_availability) { + $(".item-stock").toggleClass("hide", false); + } + if(r.message.product_info.price) { + $(".item-price") + .html(r.message.product_info.price.formatted_price_sales_uom + "
\ + (" + r.message.product_info.price.formatted_price + " / " + r.message.product_info.uom + ")
"); + + if(r.message.product_info.in_stock==0) { + $(".item-stock").html("
{{ _("Not in stock") }}
"); + } + else if(r.message.product_info.in_stock==1) { + var qty_display = "{{ _("In stock") }}"; + if (r.message.product_info.show_stock_qty) { + qty_display += " ("+r.message.product_info.stock_qty+")"; + } + $(".item-stock").html("
\ + "+qty_display+"
"); + } + + if(r.message.product_info.qty) { + qty = r.message.product_info.qty; + toggle_update_cart(r.message.product_info.qty); + } else { + toggle_update_cart(0); + } + } + } + } + }) + + $("#item-add-to-cart button").on("click", function() { + frappe.provide('erpnext.shopping_cart'); + + erpnext.shopping_cart.update_cart({ + item_code: get_item_code(), + qty: $("#item-spinner .cart-qty").val(), + callback: function(r) { + if(!r.exc) { + toggle_update_cart(1); + qty = 1; + } + }, + btn: this, + }); + }); + + $("#item-spinner").on('click', '.number-spinner button', function () { + var btn = $(this), + input = btn.closest('.number-spinner').find('input'), + oldValue = input.val().trim(), + newVal = 0; + + if (btn.attr('data-dir') == 'up') { + newVal = parseInt(oldValue) + 1; + } else if (btn.attr('data-dir') == 'dwn') { + if (parseInt(oldValue) > 1) { + newVal = parseInt(oldValue) - 1; + } + else { + newVal = parseInt(oldValue); + } + } + input.val(newVal); + }); + + $("[itemscope] .item-view-attribute .form-control").on("change", function() { + try { + var item_code = encodeURIComponent(get_item_code()); + + } catch(e) { + // unable to find variant + // then chose the closest available one + + var attribute = $(this).attr("data-attribute"); + var attribute_value = $(this).val(); + var item_code = find_closest_match(attribute, attribute_value); + + if (!item_code) { + frappe.msgprint(__("Cannot find a matching Item. Please select some other value for {0}.", [attribute])) + throw e; + } + } + + if (window.location.search == ("?variant=" + item_code) || window.location.search.includes(item_code)) { + return; + } + + window.location.href = window.location.pathname + "?variant=" + item_code; + }); + + // change the item image src when alternate images are hovered + $(document.body).on('mouseover', '.item-alternative-image', (e) => { + const $alternative_image = $(e.currentTarget); + const src = $alternative_image.find('img').prop('src'); + $('.item-image img').prop('src', src); + }); +}); + +var toggle_update_cart = function(qty) { + $("#item-add-to-cart").toggle(qty ? false : true); + $("#item-update-cart") + .toggle(qty ? true : false) + .find("input").val(qty); + $("#item-spinner").toggle(qty ? false : true); +} + +function get_item_code() { + var variant_info = window.variant_info; + if(variant_info) { + var attributes = get_selected_attributes(); + var no_of_attributes = Object.keys(attributes).length; + + for(var i in variant_info) { + var variant = variant_info[i]; + + if (variant.attributes.length < no_of_attributes) { + // the case when variant has less attributes than template + continue; + } + + var match = true; + for(var j in variant.attributes) { + if(attributes[variant.attributes[j].attribute] + != variant.attributes[j].attribute_value + ) { + match = false; + break; + } + } + if(match) { + return variant.name; + } + } + throw "Unable to match variant"; + } else { + return window.item_code; + } +} + +function find_closest_match(selected_attribute, selected_attribute_value) { + // find the closest match keeping the selected attribute in focus and get the item code + + var attributes = get_selected_attributes(); + + var previous_match_score = 0; + var previous_no_of_attributes = 0; + var matched; + + var variant_info = window.variant_info; + for(var i in variant_info) { + var variant = variant_info[i]; + var match_score = 0; + var has_selected_attribute = false; + + for(var j in variant.attributes) { + if(attributes[variant.attributes[j].attribute]===variant.attributes[j].attribute_value) { + match_score = match_score + 1; + + if (variant.attributes[j].attribute==selected_attribute && variant.attributes[j].attribute_value==selected_attribute_value) { + has_selected_attribute = true; + } + } + } + + if (has_selected_attribute + && ((match_score > previous_match_score) || (match_score==previous_match_score && previous_no_of_attributes < variant.attributes.length))) { + previous_match_score = match_score; + matched = variant; + previous_no_of_attributes = variant.attributes.length; + + + } + } + + if (matched) { + for (var j in matched.attributes) { + var attr = matched.attributes[j]; + $('[itemscope]') + .find(repl('.item-view-attribute .form-control[data-attribute="%(attribute)s"]', attr)) + .val(attr.attribute_value); + } + + return matched.name; + } +} + +function get_selected_attributes() { + var attributes = {}; + $('[itemscope]').find(".item-view-attribute .form-control").each(function() { + attributes[$(this).attr('data-attribute')] = $(this).val(); + }); + return attributes; +} diff --git a/erpnext/templates/utils.py b/erpnext/templates/utils.py index cb44fd30d2..743657de32 100644 --- a/erpnext/templates/utils.py +++ b/erpnext/templates/utils.py @@ -28,7 +28,7 @@ def send_message(subject="Website Query", message="", sender="", status="Open"): opportunity = frappe.get_doc(dict( doctype ='Opportunity', - enquiry_from = 'Customer' if customer else 'Lead', + opportunity_from = 'Customer' if customer else 'Lead', status = 'Open', title = subject, contact_email = sender, @@ -36,11 +36,11 @@ def send_message(subject="Website Query", message="", sender="", status="Open"): )) if customer: - opportunity.customer = customer[0][0] + opportunity.party_name = customer[0][0] elif lead: - opportunity.lead = lead + opportunity.party_name = lead else: - opportunity.lead = new_lead.name + opportunity.party_name = new_lead.name opportunity.insert(ignore_permissions=True) diff --git a/requirements.txt b/requirements.txt index 0fee6c1084..28ba9f676f 100644 --- a/requirements.txt +++ b/requirements.txt @@ -6,4 +6,5 @@ python-stdnum braintree gocardless_pro woocommerce -pandas \ No newline at end of file +pandas +plaid-python \ No newline at end of file From 247d50e5528f2eafae0e10af6b5ca080e2aee9bf Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Wed, 3 Jul 2019 10:47:35 +0530 Subject: [PATCH 083/132] refactor: Remove unwanted debug flag --- erpnext/crm/doctype/utils.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/crm/doctype/utils.py b/erpnext/crm/doctype/utils.py index bd8b678d3b..9cfab15995 100644 --- a/erpnext/crm/doctype/utils.py +++ b/erpnext/crm/doctype/utils.py @@ -87,7 +87,7 @@ def get_employee_emails_for_popup(communication_medium): 'parent': communication_medium, 'from_time': ['<=', now_time], 'to_time': ['>=', now_time], - }, fields=['employee_group'], debug=1) + }, fields=['employee_group']) available_employee_groups = tuple([emp.employee_group for emp in available_employee_groups]) From f078031c609f4d0ead95f5a8a292a26bd4612bc7 Mon Sep 17 00:00:00 2001 From: rohitwaghchaure Date: Wed, 3 Jul 2019 11:43:38 +0530 Subject: [PATCH 084/132] fix: multiple minor issues in delayed order report (#18134) --- .../delayed_item_report/delayed_item_report.js | 2 +- .../delayed_item_report/delayed_item_report.py | 15 ++++++++++++--- .../delayed_order_report/delayed_order_report.js | 2 +- .../delayed_order_report/delayed_order_report.py | 13 ++++++++++--- 4 files changed, 24 insertions(+), 8 deletions(-) diff --git a/erpnext/stock/report/delayed_item_report/delayed_item_report.js b/erpnext/stock/report/delayed_item_report/delayed_item_report.js index f1ead2c9fb..40e6abefeb 100644 --- a/erpnext/stock/report/delayed_item_report/delayed_item_report.js +++ b/erpnext/stock/report/delayed_item_report/delayed_item_report.js @@ -55,7 +55,7 @@ frappe.query_reports["Delayed Item Report"] = { label: __("Based On"), fieldtype: "Select", options: ["Delivery Note", "Sales Invoice"], - default: "Delivery Note", + default: "Sales Invoice", reqd: 1 }, ] diff --git a/erpnext/stock/report/delayed_item_report/delayed_item_report.py b/erpnext/stock/report/delayed_item_report/delayed_item_report.py index 7b968b89a7..4fc4027200 100644 --- a/erpnext/stock/report/delayed_item_report/delayed_item_report.py +++ b/erpnext/stock/report/delayed_item_report/delayed_item_report.py @@ -46,7 +46,8 @@ class DelayedItemReport(object): self.transactions = frappe.db.sql(""" SELECT `tab{child_doc}`.item_code, `tab{child_doc}`.item_name, `tab{child_doc}`.item_group, `tab{child_doc}`.qty, `tab{child_doc}`.rate, `tab{child_doc}`.amount, `tab{child_doc}`.so_detail, `tab{child_doc}`.{so_field} as sales_order, - `tab{doctype}`.customer, `tab{doctype}`.posting_date, `tab{doctype}`.name, `tab{doctype}`.grand_total + `tab{doctype}`.shipping_address_name, `tab{doctype}`.po_no, `tab{doctype}`.customer, + `tab{doctype}`.posting_date, `tab{doctype}`.name, `tab{doctype}`.grand_total FROM `tab{child_doc}`, `tab{doctype}` WHERE `tab{child_doc}`.parent = `tab{doctype}`.name and `tab{doctype}`.docstatus = 1 and @@ -97,12 +98,20 @@ class DelayedItemReport(object): "fieldtype": "Link", "options": based_on, "width": 100 - },{ + }, + { "label": _("Customer"), "fieldname": "customer", "fieldtype": "Link", "options": "Customer", - "width": 100 + "width": 200 + }, + { + "label": _("Shipping Address"), + "fieldname": "shipping_address_name", + "fieldtype": "Link", + "options": "Address", + "width": 120 }, { "label": _("Expected Delivery Date"), diff --git a/erpnext/stock/report/delayed_order_report/delayed_order_report.js b/erpnext/stock/report/delayed_order_report/delayed_order_report.js index 5b02a58faf..aab0f3d0d1 100644 --- a/erpnext/stock/report/delayed_order_report/delayed_order_report.js +++ b/erpnext/stock/report/delayed_order_report/delayed_order_report.js @@ -55,7 +55,7 @@ frappe.query_reports["Delayed Order Report"] = { label: __("Based On"), fieldtype: "Select", options: ["Delivery Note", "Sales Invoice"], - default: "Delivery Note", + default: "Sales Invoice", reqd: 1 }, ] diff --git a/erpnext/stock/report/delayed_order_report/delayed_order_report.py b/erpnext/stock/report/delayed_order_report/delayed_order_report.py index d2a1a30d9e..79dc5d8821 100644 --- a/erpnext/stock/report/delayed_order_report/delayed_order_report.py +++ b/erpnext/stock/report/delayed_order_report/delayed_order_report.py @@ -42,7 +42,14 @@ class DelayedOrderReport(DelayedItemReport): "fieldname": "customer", "fieldtype": "Link", "options": "Customer", - "width": 100 + "width": 200 + }, + { + "label": _("Shipping Address"), + "fieldname": "shipping_address_name", + "fieldtype": "Link", + "options": "Address", + "width": 140 }, { "label": _("Expected Delivery Date"), @@ -73,11 +80,11 @@ class DelayedOrderReport(DelayedItemReport): "fieldname": "sales_order", "fieldtype": "Link", "options": "Sales Order", - "width": 100 + "width": 150 }, { "label": _("Customer PO"), "fieldname": "po_no", "fieldtype": "Data", - "width": 100 + "width": 110 }] \ No newline at end of file From 841d852f416f00a4346a1be787e3858896ac3bea Mon Sep 17 00:00:00 2001 From: Anurag Mishra <32095923+Anurag810@users.noreply.github.com> Date: Wed, 3 Jul 2019 15:15:08 +0530 Subject: [PATCH 085/132] refactor: added missing translation functions (#18143) * fix: Translating Error and Messages * Update erpnext/controllers/item_variant.py Co-Authored-By: Shivam Mishra * Update erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py Co-Authored-By: Shivam Mishra --- .../doctype/accounting_period/accounting_period.py | 5 +++-- .../bank_statement_transaction_entry.py | 8 ++++---- .../doctype/purchase_invoice/purchase_invoice.js | 2 +- .../doctype/purchase_invoice/purchase_invoice.py | 2 +- .../doctype/subscription_plan/subscription_plan.py | 5 +++-- erpnext/controllers/item_variant.py | 2 +- erpnext/education/doctype/question/question.py | 2 +- erpnext/education/doctype/quiz/quiz.py | 7 ++++--- .../student_report_generation_tool.py | 5 +++-- erpnext/education/utils.py | 10 +++++----- .../connectors/shopify_connection.py | 4 ++-- .../clinical_procedure_template.py | 2 +- .../doctype/patient_appointment/patient_appointment.js | 2 +- .../doctype/patient_encounter/patient_encounter.js | 2 +- .../employee_benefit_claim/employee_benefit_claim.py | 2 +- erpnext/hr/doctype/hr_settings/hr_settings.js | 2 +- erpnext/hub_node/api.py | 6 +++--- erpnext/projects/doctype/project/project.py | 2 +- erpnext/public/js/education/lms/quiz.js | 2 +- .../regional/doctype/gstr_3b_report/gstr_3b_report.py | 5 +++-- 20 files changed, 41 insertions(+), 36 deletions(-) diff --git a/erpnext/accounts/doctype/accounting_period/accounting_period.py b/erpnext/accounts/doctype/accounting_period/accounting_period.py index f7190b75e2..de45f3a252 100644 --- a/erpnext/accounts/doctype/accounting_period/accounting_period.py +++ b/erpnext/accounts/doctype/accounting_period/accounting_period.py @@ -5,6 +5,7 @@ from __future__ import unicode_literals import frappe from frappe.model.document import Document +from frappe import _ class AccountingPeriod(Document): def validate(self): @@ -16,7 +17,7 @@ class AccountingPeriod(Document): def autoname(self): company_abbr = frappe.get_cached_value('Company', self.company, "abbr") self.name = " - ".join([self.period_name, company_abbr]) - + def validate_overlap(self): existing_accounting_period = frappe.db.sql("""select name from `tabAccounting Period` where ( @@ -33,7 +34,7 @@ class AccountingPeriod(Document): }, as_dict=True) if len(existing_accounting_period) > 0: - frappe.throw("Accounting Period overlaps with {0}".format(existing_accounting_period[0].get("name"))) + frappe.throw(_("Accounting Period overlaps with {0}".format(existing_accounting_period[0].get("name")))) def get_doctypes_for_closing(self): docs_for_closing = [] diff --git a/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py b/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py index 101b9f2194..1318cf18d7 100644 --- a/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py +++ b/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_statement_transaction_entry.py @@ -48,7 +48,7 @@ class BankStatementTransactionEntry(Document): def get_statement_headers(self): if not self.bank_settings: - frappe.throw("Bank Data mapper doesn't exist") + frappe.throw(_("Bank Data mapper doesn't exist")) mapper_doc = frappe.get_doc("Bank Statement Settings", self.bank_settings) headers = {entry.mapped_header:entry.stmt_header for entry in mapper_doc.header_items} return headers @@ -57,7 +57,7 @@ class BankStatementTransactionEntry(Document): if self.bank_statement is None: return filename = self.bank_statement.split("/")[-1] if (len(self.new_transaction_items + self.reconciled_transaction_items) > 0): - frappe.throw("Transactions already retreived from the statement") + frappe.throw(_("Transactions already retreived from the statement")) date_format = frappe.get_value("Bank Statement Settings", self.bank_settings, "date_format") if (date_format is None): @@ -314,7 +314,7 @@ class BankStatementTransactionEntry(Document): try: reconcile_against_document(lst) except: - frappe.throw("Exception occurred while reconciling {0}".format(payment.reference_name)) + frappe.throw(_("Exception occurred while reconciling {0}".format(payment.reference_name))) def submit_payment_entries(self): for payment in self.new_transaction_items: @@ -414,7 +414,7 @@ def get_transaction_entries(filename, headers): elif (filename.lower().endswith("xls")): rows = get_rows_from_xls_file(filename) else: - frappe.throw("Only .csv and .xlsx files are supported currently") + frappe.throw(_("Only .csv and .xlsx files are supported currently")) stmt_headers = headers.values() for row in rows: diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js index dd4f51ca4e..f4b656d3f6 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js @@ -157,7 +157,7 @@ erpnext.accounts.PurchaseInvoice = erpnext.buying.BuyingController.extend({ can_change_release_date: function(date) { const diff = frappe.datetime.get_diff(date, frappe.datetime.nowdate()); if (diff < 0) { - frappe.throw('New release date should be in the future'); + frappe.throw(__('New release date should be in the future')); return false; } else { return true; diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index 1bd833b5ce..a6f6acea66 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -105,7 +105,7 @@ class PurchaseInvoice(BuyingController): def validate_release_date(self): if self.release_date and getdate(nowdate()) >= getdate(self.release_date): - frappe.msgprint('Release date must be in the future', raise_exception=True) + frappe.throw(_('Release date must be in the future')) def validate_cash(self): if not self.cash_bank_account and flt(self.paid_amount): diff --git a/erpnext/accounts/doctype/subscription_plan/subscription_plan.py b/erpnext/accounts/doctype/subscription_plan/subscription_plan.py index d3fef6023b..625979bee1 100644 --- a/erpnext/accounts/doctype/subscription_plan/subscription_plan.py +++ b/erpnext/accounts/doctype/subscription_plan/subscription_plan.py @@ -4,6 +4,7 @@ from __future__ import unicode_literals import frappe +from frappe import _ from frappe.model.document import Document from erpnext.utilities.product import get_price @@ -13,7 +14,7 @@ class SubscriptionPlan(Document): def validate_interval_count(self): if self.billing_interval_count < 1: - frappe.throw('Billing Interval Count cannot be less than 1') + frappe.throw(_('Billing Interval Count cannot be less than 1')) @frappe.whitelist() def get_plan_rate(plan, quantity=1, customer=None): @@ -26,7 +27,7 @@ def get_plan_rate(plan, quantity=1, customer=None): customer_group = frappe.db.get_value("Customer", customer, "customer_group") else: customer_group = None - + price = get_price(item_code=plan.item, price_list=plan.price_list, customer_group=customer_group, company=None, qty=quantity) if not price: return 0 diff --git a/erpnext/controllers/item_variant.py b/erpnext/controllers/item_variant.py index 9152c316cf..669aa9be7e 100644 --- a/erpnext/controllers/item_variant.py +++ b/erpnext/controllers/item_variant.py @@ -176,7 +176,7 @@ def enqueue_multiple_variant_creation(item, args): for key in variants: total_variants *= len(variants[key]) if total_variants >= 600: - frappe.msgprint("Please do not create more than 500 items at a time", raise_exception=1) + frappe.throw(_("Please do not create more than 500 items at a time")) return if total_variants < 10: return create_multiple_variants(item, args) diff --git a/erpnext/education/doctype/question/question.py b/erpnext/education/doctype/question/question.py index b8221081fa..9a973c7615 100644 --- a/erpnext/education/doctype/question/question.py +++ b/erpnext/education/doctype/question/question.py @@ -38,7 +38,7 @@ class Question(Document): options = self.options answers = [item.name for item in options if item.is_correct == True] if len(answers) == 0: - frappe.throw("No correct answer is set for {0}".format(self.name)) + frappe.throw(_("No correct answer is set for {0}".format(self.name))) return None elif len(answers) == 1: return answers[0] diff --git a/erpnext/education/doctype/quiz/quiz.py b/erpnext/education/doctype/quiz/quiz.py index 8e54745464..ae1cb6ce42 100644 --- a/erpnext/education/doctype/quiz/quiz.py +++ b/erpnext/education/doctype/quiz/quiz.py @@ -4,12 +4,13 @@ from __future__ import unicode_literals import frappe +from frappe import _ from frappe.model.document import Document class Quiz(Document): def validate(self): if self.passing_score > 100: - frappe.throw("Passing Score value should be between 0 and 100") + frappe.throw(_("Passing Score value should be between 0 and 100")) def allowed_attempt(self, enrollment, quiz_name): if self.max_attempts == 0: @@ -17,7 +18,7 @@ class Quiz(Document): try: if len(frappe.get_all("Quiz Activity", {'enrollment': enrollment.name, 'quiz': quiz_name})) >= self.max_attempts: - frappe.msgprint("Maximum attempts for this quiz reached!") + frappe.msgprint(_("Maximum attempts for this quiz reached!")) return False else: return True @@ -56,5 +57,5 @@ def compare_list_elementwise(*args): else: return False except TypeError: - frappe.throw("Compare List function takes on list arguments") + frappe.throw(_("Compare List function takes on list arguments")) 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 f9979752f7..16933dcfe0 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 @@ -4,6 +4,7 @@ from __future__ import unicode_literals import frappe, json +from frappe import _ from frappe.model.document import Document from erpnext.education.api import get_grade from frappe.utils.pdf import get_pdf @@ -79,7 +80,7 @@ def get_attendance_count(student, academic_year, academic_term=None): from_date, to_date = frappe.db.get_value("Academic Term", academic_term, ["term_start_date", "term_end_date"]) if from_date and to_date: attendance = dict(frappe.db.sql('''select status, count(student) as no_of_days - from `tabStudent Attendance` where student = %s + from `tabStudent Attendance` where student = %s and date between %s and %s group by status''', (student, from_date, to_date))) if "Absent" not in attendance.keys(): @@ -88,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.")) \ No newline at end of file diff --git a/erpnext/education/utils.py b/erpnext/education/utils.py index 8cd5bbb95b..e0b278c2b1 100644 --- a/erpnext/education/utils.py +++ b/erpnext/education/utils.py @@ -148,7 +148,7 @@ def enroll_in_program(program_name, student=None): # Check if self enrollment in allowed program = frappe.get_doc('Program', program_name) if not program.allow_self_enroll: - return frappe.throw("You are not allowed to enroll for this course") + return frappe.throw(_("You are not allowed to enroll for this course")) student = get_current_student() if not student: @@ -162,7 +162,7 @@ def enroll_in_program(program_name, student=None): # Check if self enrollment in allowed program = frappe.get_doc('Program', program_name) if not program.allow_self_enroll: - return frappe.throw("You are not allowed to enroll for this course") + return frappe.throw(_("You are not allowed to enroll for this course")) # Enroll in program program_enrollment = student.enroll_in_program(program_name) @@ -185,7 +185,7 @@ def add_activity(course, content_type, content, program): student = get_current_student() if not student: - return frappe.throw("Student with email {0} does not exist".format(frappe.session.user), frappe.DoesNotExistError) + return frappe.throw(_("Student with email {0} does not exist".format(frappe.session.user)), frappe.DoesNotExistError) enrollment = get_or_create_course_enrollment(course, program) if content_type == 'Quiz': @@ -220,7 +220,7 @@ def get_quiz(quiz_name, course): quiz = frappe.get_doc("Quiz", quiz_name) questions = quiz.get_questions() except: - frappe.throw("Quiz {0} does not exist".format(quiz_name)) + frappe.throw(_("Quiz {0} does not exist".format(quiz_name))) return None questions = [{ @@ -347,7 +347,7 @@ def get_or_create_course_enrollment(course, program): if not course_enrollment: program_enrollment = get_enrollment('program', program, student.name) if not program_enrollment: - frappe.throw("You are not enrolled in program {0}".format(program)) + frappe.throw(_("You are not enrolled in program {0}".format(program))) return return student.enroll_in_course(course_name=course, program_enrollment=get_enrollment('program', program, student.name)) else: diff --git a/erpnext/erpnext_integrations/connectors/shopify_connection.py b/erpnext/erpnext_integrations/connectors/shopify_connection.py index 88078ab74f..1d6e8917f5 100644 --- a/erpnext/erpnext_integrations/connectors/shopify_connection.py +++ b/erpnext/erpnext_integrations/connectors/shopify_connection.py @@ -124,7 +124,7 @@ def create_sales_order(shopify_order, shopify_settings, company=None): else: so = frappe.get_doc("Sales Order", so) - + frappe.db.commit() return so @@ -252,6 +252,6 @@ def get_tax_account_head(tax): {"parent": "Shopify Settings", "shopify_tax": tax_title}, "tax_account") if not tax_account: - frappe.throw("Tax Account not specified for Shopify Tax {0}".format(tax.get("title"))) + frappe.throw(_("Tax Account not specified for Shopify Tax {0}".format(tax.get("title")))) return tax_account diff --git a/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.py b/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.py index 90bf95770f..141329b3db 100644 --- a/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.py +++ b/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.py @@ -30,7 +30,7 @@ class ClinicalProcedureTemplate(Document): try: frappe.delete_doc("Item",self.item) except Exception: - frappe.throw("""Not permitted. Please disable the Procedure Template""") + frappe.throw(_("""Not permitted. Please disable the Procedure Template""")) def get_item_details(self, args=None): item = frappe.db.sql("""select stock_uom, item_name diff --git a/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js b/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js index 2f328de1bc..b3cbd1f753 100644 --- a/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js +++ b/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js @@ -298,7 +298,7 @@ var get_procedure_prescribed = function(frm){ }); } else{ - frappe.msgprint("Please select Patient to get prescribed procedure"); + frappe.msgprint(__("Please select Patient to get prescribed procedure")); } }; diff --git a/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js b/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js index c7df5b7cd9..7ea45688fd 100644 --- a/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js +++ b/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js @@ -160,7 +160,7 @@ var btn_create_vital_signs = function (frm) { var btn_create_procedure = function (frm) { if(!frm.doc.patient){ - frappe.throw("Please select patient"); + frappe.throw(__("Please select patient")); } frappe.route_options = { "patient": frm.doc.patient, diff --git a/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py b/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py index 3a80b30365..abb82f2cdd 100644 --- a/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py +++ b/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py @@ -84,7 +84,7 @@ def get_benefit_pro_rata_ratio_amount(employee, on_date, sal_struct): pay_against_benefit_claim, max_benefit_amount = frappe.db.get_value("Salary Component", sal_struct_row.salary_component, ["pay_against_benefit_claim", "max_benefit_amount"]) except TypeError: # show the error in tests? - frappe.throw("Unable to find Salary Component {0}".format(sal_struct_row.salary_component)) + frappe.throw(_("Unable to find Salary Component {0}".format(sal_struct_row.salary_component))) if sal_struct_row.is_flexible_benefit == 1 and pay_against_benefit_claim != 1: total_pro_rata_max += max_benefit_amount if total_pro_rata_max > 0: diff --git a/erpnext/hr/doctype/hr_settings/hr_settings.js b/erpnext/hr/doctype/hr_settings/hr_settings.js index d8be46bee7..9e5effe6a3 100644 --- a/erpnext/hr/doctype/hr_settings/hr_settings.js +++ b/erpnext/hr/doctype/hr_settings/hr_settings.js @@ -15,7 +15,7 @@ frappe.ui.form.on('HR Settings', { let policy = frm.doc.password_policy; if (policy) { if (policy.includes(' ') || policy.includes('--')) { - frappe.msgprint("Password policy cannot contain spaces or simultaneous hyphens. The format will be restructured automatically"); + frappe.msgprint(_("Password policy cannot contain spaces or simultaneous hyphens. The format will be restructured automatically")); } frm.set_value('password_policy', policy.split(new RegExp(" |-", 'g')).filter((token) => token).join('-')); } diff --git a/erpnext/hub_node/api.py b/erpnext/hub_node/api.py index 0c94df3159..0d01c67650 100644 --- a/erpnext/hub_node/api.py +++ b/erpnext/hub_node/api.py @@ -120,7 +120,7 @@ def get_valid_items(search_value=''): def publish_selected_items(items_to_publish): items_to_publish = json.loads(items_to_publish) if not len(items_to_publish): - frappe.throw('No items to publish') + frappe.throw(_('No items to publish')) for item in items_to_publish: item_code = item.get('item_code') @@ -165,7 +165,7 @@ def item_sync_preprocess(intended_item_publish_count): frappe.db.set_value("Marketplace Settings", "Marketplace Settings", "sync_in_progress", 1) return response else: - frappe.throw('Unable to update remote activity') + frappe.throw(_('Unable to update remote activity')) def item_sync_postprocess(): @@ -173,7 +173,7 @@ def item_sync_postprocess(): if response: frappe.db.set_value('Marketplace Settings', 'Marketplace Settings', 'last_sync_datetime', frappe.utils.now()) else: - frappe.throw('Unable to update remote activity') + frappe.throw(_('Unable to update remote activity')) frappe.db.set_value('Marketplace Settings', 'Marketplace Settings', 'sync_in_progress', 0) diff --git a/erpnext/projects/doctype/project/project.py b/erpnext/projects/doctype/project/project.py index ded1e5388c..55a689259a 100644 --- a/erpnext/projects/doctype/project/project.py +++ b/erpnext/projects/doctype/project/project.py @@ -645,7 +645,7 @@ def set_project_status(project, status): set status for project and all related tasks ''' if not status in ('Completed', 'Cancelled'): - frappe.throw('Status must be Cancelled or Completed') + frappe.throw(_('Status must be Cancelled or Completed')) project = frappe.get_doc('Project', project) frappe.has_permission(doc = project, throw = True) diff --git a/erpnext/public/js/education/lms/quiz.js b/erpnext/public/js/education/lms/quiz.js index 1b520eb9f5..52481291e0 100644 --- a/erpnext/public/js/education/lms/quiz.js +++ b/erpnext/public/js/education/lms/quiz.js @@ -68,7 +68,7 @@ class Quiz { }).then(res => { this.submit_btn.remove() if (!res.message) { - frappe.throw("Something went wrong while evaluating the quiz.") + frappe.throw(__("Something went wrong while evaluating the quiz.")) } let indicator = 'red' diff --git a/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py b/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py index 448abe8f28..aad267e90a 100644 --- a/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py +++ b/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.py @@ -4,6 +4,7 @@ from __future__ import unicode_literals import frappe +from frappe import _ from frappe.model.document import Document import json from six import iteritems @@ -414,7 +415,7 @@ class GSTR3BReport(Document): if gst_details: return gst_details[0] else: - frappe.throw("Please enter GSTIN and state for the Company Address {0}".format(self.company_address)) + frappe.throw(_("Please enter GSTIN and state for the Company Address {0}".format(self.company_address))) def get_account_heads(self): @@ -427,7 +428,7 @@ class GSTR3BReport(Document): if account_heads: return account_heads else: - frappe.throw("Please set account heads in GST Settings for Compnay {0}".format(self.company)) + frappe.throw(_("Please set account heads in GST Settings for Compnay {0}".format(self.company))) def get_missing_field_invoices(self): From 55fbddbee6cc71b81b4b529759f8a208c4554199 Mon Sep 17 00:00:00 2001 From: Deepesh Garg <42651287+deepeshgarg007@users.noreply.github.com> Date: Wed, 3 Jul 2019 16:31:06 +0530 Subject: [PATCH 086/132] Add missing semicolon --- .../doctype/payment_reconciliation/payment_reconciliation.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js index df31cde551..d3992d5111 100644 --- a/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +++ b/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js @@ -173,7 +173,7 @@ erpnext.accounts.PaymentReconciliationController = frappe.ui.form.Controller.ext args.forEach(d => { frappe.model.set_value("Payment Reconciliation Payment", d.docname, "difference_account", d.difference_account); - }) + }); me.reconcile_payment_entries(); dialog.hide(); From 7dedd9a8cd9f0d842dbba6bcd02bef378609c434 Mon Sep 17 00:00:00 2001 From: Shivam Mishra Date: Wed, 3 Jul 2019 17:29:29 +0530 Subject: [PATCH 087/132] refactor: better error message when changing variant value (#18144) --- erpnext/controllers/item_variant.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/controllers/item_variant.py b/erpnext/controllers/item_variant.py index 669aa9be7e..dee71dc944 100644 --- a/erpnext/controllers/item_variant.py +++ b/erpnext/controllers/item_variant.py @@ -98,8 +98,8 @@ def validate_item_attribute_value(attributes_list, attribute, attribute_value, i if allow_rename_attribute_value: pass elif attribute_value not in attributes_list: - frappe.throw(_("Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2}").format( - attribute_value, attribute, item), InvalidItemAttributeValueError, title=_('Invalid Attribute')) + frappe.throw(_("The value {0} is already assigned to an exisiting Item {2}.").format( + attribute_value, attribute, item), InvalidItemAttributeValueError, title=_('Rename Not Allowed')) def get_attribute_values(item): if not frappe.flags.attribute_values: From 58b4644c1a219bc5f9a2f0238dd48eec71e54325 Mon Sep 17 00:00:00 2001 From: deepeshgarg007 Date: Wed, 3 Jul 2019 18:08:41 +0530 Subject: [PATCH 088/132] fix: Add filtesr for accounting dimensions in trial balance report --- .../report/trial_balance/trial_balance.js | 13 ++++++++ .../report/trial_balance/trial_balance.py | 31 +++++++++++++------ 2 files changed, 34 insertions(+), 10 deletions(-) diff --git a/erpnext/accounts/report/trial_balance/trial_balance.js b/erpnext/accounts/report/trial_balance/trial_balance.js index cdc77456d0..8bc72807b3 100644 --- a/erpnext/accounts/report/trial_balance/trial_balance.js +++ b/erpnext/accounts/report/trial_balance/trial_balance.js @@ -96,3 +96,16 @@ frappe.require("assets/erpnext/js/financial_statements.js", function() { } }); +let dimension_filters = erpnext.get_dimension_filters(); + +dimension_filters.then((dimensions) => { + dimensions.forEach((dimension) => { + frappe.query_reports["Trial Balance"].filters.splice(5, 0 ,{ + "fieldname": dimension["fieldname"], + "label": __(dimension["label"]), + "fieldtype": "Link", + "options": dimension["document_type"] + }); + }); +}); + diff --git a/erpnext/accounts/report/trial_balance/trial_balance.py b/erpnext/accounts/report/trial_balance/trial_balance.py index 5758b0bc6b..b6ddaa8e85 100644 --- a/erpnext/accounts/report/trial_balance/trial_balance.py +++ b/erpnext/accounts/report/trial_balance/trial_balance.py @@ -7,6 +7,7 @@ from frappe import _ from frappe.utils import flt, getdate, formatdate, cstr from erpnext.accounts.report.financial_statements \ import filter_accounts, set_gl_entries_by_account, filter_out_zero_value_rows +from erpnext.accounts.doctype.accounting_dimension.accounting_dimension import get_accounting_dimensions value_fields = ("opening_debit", "opening_credit", "debit", "credit", "closing_debit", "closing_credit") @@ -109,6 +110,25 @@ def get_rootwise_opening_balances(filters, report_type): additional_conditions += fb_conditions + accounting_dimensions = get_accounting_dimensions() + + query_filters = { + "company": filters.company, + "from_date": filters.from_date, + "report_type": report_type, + "year_start_date": filters.year_start_date, + "finance_book": filters.finance_book, + "company_fb": frappe.db.get_value("Company", filters.company, 'default_finance_book') + } + + if accounting_dimensions: + for dimension in accounting_dimensions: + additional_conditions += """ and {0} in (%({0})s) """.format(dimension) + + query_filters.update({ + dimension: filters.get(dimension) + }) + gle = frappe.db.sql(""" select account, sum(debit) as opening_debit, sum(credit) as opening_credit @@ -118,16 +138,7 @@ def get_rootwise_opening_balances(filters, report_type): {additional_conditions} and (posting_date < %(from_date)s or ifnull(is_opening, 'No') = 'Yes') and account in (select name from `tabAccount` where report_type=%(report_type)s) - group by account""".format(additional_conditions=additional_conditions), - { - "company": filters.company, - "from_date": filters.from_date, - "report_type": report_type, - "year_start_date": filters.year_start_date, - "finance_book": filters.finance_book, - "company_fb": frappe.db.get_value("Company", filters.company, 'default_finance_book') - }, - as_dict=True) + group by account""".format(additional_conditions=additional_conditions), query_filters , as_dict=True) opening = frappe._dict() for d in gle: From bb02c5105e1d0b90bb4f931d9b99c755f4bdfcc9 Mon Sep 17 00:00:00 2001 From: Shivam Mishra Date: Wed, 3 Jul 2019 19:22:21 +0530 Subject: [PATCH 089/132] fix: format values for charts --- .../report/accounts_receivable/accounts_receivable.py | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/report/accounts_receivable/accounts_receivable.py b/erpnext/accounts/report/accounts_receivable/accounts_receivable.py index 4cba978b88..29737484c7 100755 --- a/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +++ b/erpnext/accounts/report/accounts_receivable/accounts_receivable.py @@ -599,9 +599,12 @@ class ReceivablePayableReport(object): rows = [] for d in data: + values = d[self.ageing_col_idx_start : self.ageing_col_idx_start+5] + precision = cint(frappe.db.get_default("float_precision")) or 2 + formatted_values = [frappe.utils.rounded(val, precision) for val in values] rows.append( { - 'values': d[self.ageing_col_idx_start : self.ageing_col_idx_start+5] + 'values': formatted_values } ) From 76afcf4cbac7c069fb60470db1d094283e0ed7de Mon Sep 17 00:00:00 2001 From: Faris Ansari Date: Wed, 3 Jul 2019 19:22:49 +0530 Subject: [PATCH 090/132] fix: Honor price list in Shopping Cart Settings --- erpnext/shopping_cart/cart.py | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/erpnext/shopping_cart/cart.py b/erpnext/shopping_cart/cart.py index 95bd9ba636..4019e07e4e 100644 --- a/erpnext/shopping_cart/cart.py +++ b/erpnext/shopping_cart/cart.py @@ -251,11 +251,13 @@ def _get_cart_quotation(party=None): if quotation: qdoc = frappe.get_doc("Quotation", quotation[0].name) else: + [company, price_list] = frappe.db.get_value("Shopping Cart Settings", None, ["company", "price_list"]) qdoc = frappe.get_doc({ "doctype": "Quotation", "naming_series": get_shopping_cart_settings().quotation_series or "QTN-CART-", "quotation_to": party.doctype, - "company": frappe.db.get_value("Shopping Cart Settings", None, "company"), + "company": company, + "selling_price_list": price_list, "order_type": "Shopping Cart", "status": "Draft", "docstatus": 0, From 359a73e1aa0bfa3b0db24a89cef5e1b8faa30274 Mon Sep 17 00:00:00 2001 From: Mangesh-Khairnar Date: Thu, 4 Jul 2019 11:37:20 +0530 Subject: [PATCH 091/132] fix: invoice cancellation (#18152) --- erpnext/regional/italy/utils.py | 3 +++ 1 file changed, 3 insertions(+) diff --git a/erpnext/regional/italy/utils.py b/erpnext/regional/italy/utils.py index 2d7ffa65bd..407677f976 100644 --- a/erpnext/regional/italy/utils.py +++ b/erpnext/regional/italy/utils.py @@ -326,6 +326,9 @@ def get_company_country(company): return frappe.get_cached_value('Company', company, 'country') def get_e_invoice_attachments(invoice): + if not invoice.company_tax_id: + return [] + out = [] attachments = get_attachments(invoice.doctype, invoice.name) company_tax_id = invoice.company_tax_id if invoice.company_tax_id.startswith("IT") else "IT" + invoice.company_tax_id From bdec7fea82bdce5ebdfe2a5080f79a76741341e4 Mon Sep 17 00:00:00 2001 From: Anurag Mishra <32095923+Anurag810@users.noreply.github.com> Date: Thu, 4 Jul 2019 12:28:01 +0530 Subject: [PATCH 092/132] feat: purchase order against sales order (#17975) * feat: purchase order against sales order * fix: remove unwanted checks * fix:Related tests --- .../doctype/sales_order/sales_order.js | 76 +++++++++++++------ .../doctype/sales_order/sales_order.py | 7 +- .../doctype/sales_order/test_sales_order.py | 4 +- 3 files changed, 58 insertions(+), 29 deletions(-) diff --git a/erpnext/selling/doctype/sales_order/sales_order.js b/erpnext/selling/doctype/sales_order/sales_order.js index f4bb0709a5..26ca7c6e22 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.js +++ b/erpnext/selling/doctype/sales_order/sales_order.js @@ -107,7 +107,6 @@ erpnext.selling.SalesOrderController = erpnext.selling.SellingController.extend( refresh: function(doc, dt, dn) { var me = this; this._super(); - var allow_purchase = false; var allow_delivery = false; if(doc.docstatus==1) { @@ -129,28 +128,9 @@ erpnext.selling.SalesOrderController = erpnext.selling.SellingController.extend( me.frm.cscript.update_status('Re-open', 'Draft') }, __("Status")); } - } + } if(doc.status !== 'Closed') { if(doc.status !== 'On Hold') { - for (var i in this.frm.doc.items) { - var item = this.frm.doc.items[i]; - if(item.delivered_by_supplier === 1 || item.supplier){ - if(item.qty > flt(item.ordered_qty) - && item.qty > flt(item.delivered_qty)) { - allow_purchase = true; - } - } - - if (item.delivered_by_supplier===0) { - if(item.qty > flt(item.delivered_qty)) { - allow_delivery = true; - } - } - - if (allow_delivery && allow_purchase) { - break; - } - } if (this.frm.has_perm("submit")) { if(flt(doc.per_delivered, 6) < 100 || flt(doc.per_billed) < 100) { @@ -180,9 +160,8 @@ erpnext.selling.SalesOrderController = erpnext.selling.SellingController.extend( } // make purchase order - if(flt(doc.per_delivered, 6) < 100 && allow_purchase) { this.frm.add_custom_button(__('Purchase Order'), () => this.make_purchase_order(), __('Create')); - } + // maintenance if(flt(doc.per_delivered, 2) < 100 && ["Sales", "Shopping Cart"].indexOf(doc.order_type)===-1) { @@ -543,6 +522,42 @@ erpnext.selling.SalesOrderController = erpnext.selling.SellingController.extend( filters: {'parent': me.frm.doc.name} } }}, + {fieldname: 'items_for_po', fieldtype: 'Table', label: 'Select Items', + fields: [ + { + fieldtype:'Data', + fieldname:'item_code', + label: __('Item'), + read_only:1, + in_list_view:1 + }, + { + fieldtype:'Data', + fieldname:'item_name', + label: __('Item name'), + read_only:1, + in_list_view:1 + }, + { + fieldtype:'Float', + fieldname:'qty', + label: __('Quantity'), + read_only: 1, + in_list_view:1 + }, + { + fieldtype:'Link', + read_only:1, + fieldname:'uom', + label: __('UOM'), + in_list_view:1 + } + ], + data: cur_frm.doc.items, + get_data: function() { + return cur_frm.doc.items + } + }, {"fieldtype": "Button", "label": __('Create Purchase Order'), "fieldname": "make_purchase_order", "cssClass": "btn-primary"}, ] @@ -550,13 +565,22 @@ erpnext.selling.SalesOrderController = erpnext.selling.SellingController.extend( dialog.fields_dict.make_purchase_order.$input.click(function() { var args = dialog.get_values(); + let selected_items = dialog.fields_dict.items_for_po.grid.get_selected_children() + if(selected_items.length == 0) { + frappe.throw({message: 'Please select Item form Table', title: __('Message'), indicator:'blue'}) + } + let selected_items_list = [] + for(let i in selected_items){ + selected_items_list.push(selected_items[i].item_code) + } dialog.hide(); return frappe.call({ type: "GET", - method: "erpnext.selling.doctype.sales_order.sales_order.make_purchase_order_for_drop_shipment", + method: "erpnext.selling.doctype.sales_order.sales_order.make_purchase_order", args: { "source_name": me.frm.doc.name, - "for_supplier": args.supplier + "for_supplier": args.supplier, + "selected_items": selected_items_list }, freeze: true, callback: function(r) { @@ -576,6 +600,8 @@ erpnext.selling.SalesOrderController = erpnext.selling.SellingController.extend( } }) }); + dialog.get_field("items_for_po").grid.only_sortable() + dialog.get_field("items_for_po").refresh() dialog.show(); }, hold_sales_order: function(){ diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index 493da99303..8ad3bf0607 100755 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -764,7 +764,10 @@ def get_events(start, end, filters=None): return data @frappe.whitelist() -def make_purchase_order_for_drop_shipment(source_name, for_supplier=None, target_doc=None): +def make_purchase_order(source_name, for_supplier=None, selected_items=[], target_doc=None): + if isinstance(selected_items, string_types): + selected_items = json.loads(selected_items) + def set_missing_values(source, target): target.supplier = supplier target.apply_discount_on = "" @@ -843,7 +846,7 @@ def make_purchase_order_for_drop_shipment(source_name, for_supplier=None, target "price_list_rate" ], "postprocess": update_item, - "condition": lambda doc: doc.ordered_qty < doc.qty and doc.supplier == supplier + "condition": lambda doc: doc.ordered_qty < doc.qty and doc.supplier == supplier and doc.item_code in selected_items } }, target_doc, set_missing_values) if not for_supplier: diff --git a/erpnext/selling/doctype/sales_order/test_sales_order.py b/erpnext/selling/doctype/sales_order/test_sales_order.py index e7697e2b0e..569c53f628 100644 --- a/erpnext/selling/doctype/sales_order/test_sales_order.py +++ b/erpnext/selling/doctype/sales_order/test_sales_order.py @@ -449,7 +449,7 @@ class TestSalesOrder(unittest.TestCase): frappe.db.set_value("Stock Settings", None, "auto_insert_price_list_rate_if_missing", 1) def test_drop_shipping(self): - from erpnext.selling.doctype.sales_order.sales_order import make_purchase_order_for_drop_shipment + from erpnext.selling.doctype.sales_order.sales_order import make_purchase_order from erpnext.buying.doctype.purchase_order.purchase_order import update_status make_stock_entry(target="_Test Warehouse - _TC", qty=10, rate=100) @@ -495,7 +495,7 @@ class TestSalesOrder(unittest.TestCase): so = make_sales_order(item_list=so_items, do_not_submit=True) so.submit() - po = make_purchase_order_for_drop_shipment(so.name, '_Test Supplier') + po = make_purchase_order(so.name, '_Test Supplier', selected_items=[so_items[0]['item_code']]) po.submit() dn = create_dn_against_so(so.name, delivered_qty=1) From 100af0a6356316a322bc8a48cde8aeda152ad479 Mon Sep 17 00:00:00 2001 From: Mangesh-Khairnar Date: Thu, 4 Jul 2019 12:29:26 +0530 Subject: [PATCH 093/132] fix(salary-slip): Nonetype error on amount calculation (#18147) * fix: amount calculation * Update salary_slip.py --- erpnext/hr/doctype/salary_slip/salary_slip.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.py b/erpnext/hr/doctype/salary_slip/salary_slip.py index db0a3a5ece..6d25c06393 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.py +++ b/erpnext/hr/doctype/salary_slip/salary_slip.py @@ -618,7 +618,7 @@ class SalarySlip(TransactionBase): elif not self.payment_days and not self.salary_slip_based_on_timesheet and cint(row.depends_on_payment_days): amount, additional_amount = 0, 0 elif not row.amount: - amount = row.default_amount + row.additional_amount + amount = flt(row.default_amount) + flt(row.additional_amount) # apply rounding if frappe.get_cached_value("Salary Component", row.salary_component, "round_to_the_nearest_integer"): From 29734dae181279c8d478d7c58dab291e81c69abf Mon Sep 17 00:00:00 2001 From: Mangesh-Khairnar Date: Thu, 4 Jul 2019 12:50:16 +0530 Subject: [PATCH 094/132] patch: reloads newly created docs in v12 (#18148) --- erpnext/patches/v12_0/make_custom_fields_for_bank_remittance.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/erpnext/patches/v12_0/make_custom_fields_for_bank_remittance.py b/erpnext/patches/v12_0/make_custom_fields_for_bank_remittance.py index 9925b70a96..3d4a9952c7 100644 --- a/erpnext/patches/v12_0/make_custom_fields_for_bank_remittance.py +++ b/erpnext/patches/v12_0/make_custom_fields_for_bank_remittance.py @@ -3,6 +3,8 @@ import frappe from erpnext.regional.india.setup import make_custom_fields def execute(): + frappe.reload_doc("accounts", "doctype", "tax_category") + frappe.reload_doc("stock", "doctype", "item_manufacturer") company = frappe.get_all('Company', filters = {'country': 'India'}) if not company: return From a9ea49c9767c50bd5c69d6fbc8a04a47a3bc12bc Mon Sep 17 00:00:00 2001 From: deepeshgarg007 Date: Thu, 4 Jul 2019 15:56:34 +0530 Subject: [PATCH 095/132] fix: Additonal discount not get set in sales transactions --- erpnext/selling/sales_common.js | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/erpnext/selling/sales_common.js b/erpnext/selling/sales_common.js index 9bae58b309..ad3f27c9c1 100644 --- a/erpnext/selling/sales_common.js +++ b/erpnext/selling/sales_common.js @@ -145,6 +145,11 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ }, discount_amount: function(doc, cdt, cdn) { + + if(doc.name === cdn) { + return; + } + var item = frappe.get_doc(cdt, cdn); item.discount_percentage = 0.0; this.apply_discount_on_item(doc, cdt, cdn, 'discount_amount'); From 95054a5a02ba19c70841ab2da5d151daa281d452 Mon Sep 17 00:00:00 2001 From: Aditya Hase Date: Thu, 4 Jul 2019 16:13:56 +0530 Subject: [PATCH 096/132] fix: Try Faster Travis --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index a8a0d82614..4a297e11c0 100644 --- a/.travis.yml +++ b/.travis.yml @@ -23,7 +23,7 @@ install: - nvm install 10 - pip install python-coveralls - wget https://raw.githubusercontent.com/frappe/bench/master/playbooks/install.py - - sudo python install.py --develop --user travis --without-bench-setup + - sudo python install.py --develop --user travis --without-bench-setup --frappe-branch-url https://github.com/adityahase/frappe --frappe-branch faster-travis - sudo pip install -e ~/bench - rm $TRAVIS_BUILD_DIR/.git/shallow From 697f995b27b4717823c13521e4a534ae04531783 Mon Sep 17 00:00:00 2001 From: Aditya Hase Date: Thu, 4 Jul 2019 16:19:22 +0530 Subject: [PATCH 097/132] fix: Send --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 4a297e11c0..200668d79b 100644 --- a/.travis.yml +++ b/.travis.yml @@ -23,7 +23,7 @@ install: - nvm install 10 - pip install python-coveralls - wget https://raw.githubusercontent.com/frappe/bench/master/playbooks/install.py - - sudo python install.py --develop --user travis --without-bench-setup --frappe-branch-url https://github.com/adityahase/frappe --frappe-branch faster-travis + - sudo python install.py --develop --user travis --without-bench-setup --frappe-repo-url https://github.com/adityahase/frappe --frappe-branch faster-travis - sudo pip install -e ~/bench - rm $TRAVIS_BUILD_DIR/.git/shallow From d7291dbcad7dd9036eaad279ba6a30815a7486e6 Mon Sep 17 00:00:00 2001 From: Aditya Hase Date: Thu, 4 Jul 2019 16:51:53 +0530 Subject: [PATCH 098/132] Revert "fix: Send" This reverts commit 697f995b27b4717823c13521e4a534ae04531783. --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 200668d79b..4a297e11c0 100644 --- a/.travis.yml +++ b/.travis.yml @@ -23,7 +23,7 @@ install: - nvm install 10 - pip install python-coveralls - wget https://raw.githubusercontent.com/frappe/bench/master/playbooks/install.py - - sudo python install.py --develop --user travis --without-bench-setup --frappe-repo-url https://github.com/adityahase/frappe --frappe-branch faster-travis + - sudo python install.py --develop --user travis --without-bench-setup --frappe-branch-url https://github.com/adityahase/frappe --frappe-branch faster-travis - sudo pip install -e ~/bench - rm $TRAVIS_BUILD_DIR/.git/shallow From e5dc834ddb1f312a4d9514df6af9ddcffa0ad9a4 Mon Sep 17 00:00:00 2001 From: Aditya Hase Date: Thu, 4 Jul 2019 16:52:01 +0530 Subject: [PATCH 099/132] Revert "fix: Try Faster Travis" This reverts commit 95054a5a02ba19c70841ab2da5d151daa281d452. --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 4a297e11c0..a8a0d82614 100644 --- a/.travis.yml +++ b/.travis.yml @@ -23,7 +23,7 @@ install: - nvm install 10 - pip install python-coveralls - wget https://raw.githubusercontent.com/frappe/bench/master/playbooks/install.py - - sudo python install.py --develop --user travis --without-bench-setup --frappe-branch-url https://github.com/adityahase/frappe --frappe-branch faster-travis + - sudo python install.py --develop --user travis --without-bench-setup - sudo pip install -e ~/bench - rm $TRAVIS_BUILD_DIR/.git/shallow From a5d975d867a0f09cdf97d93b2a579658bde1717b Mon Sep 17 00:00:00 2001 From: Faris Ansari Date: Thu, 4 Jul 2019 17:47:28 +0530 Subject: [PATCH 100/132] fix: Don't show Send SMS in BOM --- erpnext/public/js/controllers/transaction.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/public/js/controllers/transaction.js b/erpnext/public/js/controllers/transaction.js index bbd1f1c17b..741f21e712 100644 --- a/erpnext/public/js/controllers/transaction.js +++ b/erpnext/public/js/controllers/transaction.js @@ -383,8 +383,9 @@ erpnext.TransactionController = erpnext.taxes_and_totals.extend({ setup_sms: function() { var me = this; + let blacklist = ['Purchase Invoice', 'BOM']; if(this.frm.doc.docstatus===1 && !in_list(["Lost", "Stopped", "Closed"], this.frm.doc.status) - && this.frm.doctype != "Purchase Invoice") { + && !blacklist.includes(this.frm.doctype)) { this.frm.page.add_menu_item(__('Send SMS'), function() { me.send_sms(); }); } }, From 1d3008750c6de8a83b5ecbde0bb261ebde3fc8c4 Mon Sep 17 00:00:00 2001 From: Faris Ansari Date: Thu, 4 Jul 2019 17:53:10 +0530 Subject: [PATCH 101/132] fix(UX): Move Bill of Materials section to first --- erpnext/config/manufacturing.py | 74 ++++++++++++++++----------------- 1 file changed, 37 insertions(+), 37 deletions(-) diff --git a/erpnext/config/manufacturing.py b/erpnext/config/manufacturing.py index da60550221..c79c5b8b11 100644 --- a/erpnext/config/manufacturing.py +++ b/erpnext/config/manufacturing.py @@ -3,43 +3,6 @@ from frappe import _ def get_data(): return [ - { - "label": _("Production"), - "icon": "fa fa-star", - "items": [ - { - "type": "doctype", - "name": "Work Order", - "description": _("Orders released for production."), - "onboard": 1, - "dependencies": ["Item", "BOM"] - }, - { - "type": "doctype", - "name": "Production Plan", - "description": _("Generate Material Requests (MRP) and Work Orders."), - "onboard": 1, - "dependencies": ["Item", "BOM"] - }, - { - "type": "doctype", - "name": "Stock Entry", - "onboard": 1, - "dependencies": ["Item"] - }, - { - "type": "doctype", - "name": "Timesheet", - "description": _("Time Sheet for manufacturing."), - "onboard": 1, - "dependencies": ["Activity Type"] - }, - { - "type": "doctype", - "name": "Job Card" - } - ] - }, { "label": _("Bill of Materials"), "items": [ @@ -85,6 +48,43 @@ def get_data(): ] }, + { + "label": _("Production"), + "icon": "fa fa-star", + "items": [ + { + "type": "doctype", + "name": "Work Order", + "description": _("Orders released for production."), + "onboard": 1, + "dependencies": ["Item", "BOM"] + }, + { + "type": "doctype", + "name": "Production Plan", + "description": _("Generate Material Requests (MRP) and Work Orders."), + "onboard": 1, + "dependencies": ["Item", "BOM"] + }, + { + "type": "doctype", + "name": "Stock Entry", + "onboard": 1, + "dependencies": ["Item"] + }, + { + "type": "doctype", + "name": "Timesheet", + "description": _("Time Sheet for manufacturing."), + "onboard": 1, + "dependencies": ["Activity Type"] + }, + { + "type": "doctype", + "name": "Job Card" + } + ] + }, { "label": _("Tools"), "icon": "fa fa-wrench", From 2b969a469a05c2e4962cc080e71a6b6acf716616 Mon Sep 17 00:00:00 2001 From: Faris Ansari Date: Thu, 4 Jul 2019 18:52:32 +0530 Subject: [PATCH 102/132] fix: Build item cache in long worker (#18165) --- erpnext/portal/product_configurator/item_variants_cache.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/portal/product_configurator/item_variants_cache.py b/erpnext/portal/product_configurator/item_variants_cache.py index f33c8d605b..fc294ce58b 100644 --- a/erpnext/portal/product_configurator/item_variants_cache.py +++ b/erpnext/portal/product_configurator/item_variants_cache.py @@ -110,4 +110,4 @@ def build_cache(item_code): def enqueue_build_cache(item_code): if frappe.cache().hget('item_cache_build_in_progress', item_code): return - frappe.enqueue(build_cache, item_code=item_code, queue='short') + frappe.enqueue(build_cache, item_code=item_code, queue='long') From 23c80658bae91468f18b6305430ed328ad582f5f Mon Sep 17 00:00:00 2001 From: Faris Ansari Date: Thu, 4 Jul 2019 18:54:04 +0530 Subject: [PATCH 103/132] fix: Add links in validation message --- erpnext/stock/doctype/stock_entry/stock_entry.py | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 464101e672..0abcbb328a 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -324,8 +324,10 @@ class StockEntry(StockController): completed_qty = d.completed_qty + (allowance_percentage/100 * d.completed_qty) if total_completed_qty > flt(completed_qty): job_card = frappe.db.get_value('Job Card', {'operation_id': d.name}, 'name') - frappe.throw(_("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}") - .format(d.idx, d.operation, total_completed_qty, self.work_order, job_card), OperationsNotCompleteError) + work_order_link = frappe.utils.get_link_to_form('Work Order', self.work_order) + job_card_link = frappe.utils.get_link_to_form('Job Card', job_card) + frappe.throw(_("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}.") + .format(d.idx, frappe.bold(d.operation), frappe.bold(total_completed_qty), work_order_link, job_card_link), OperationsNotCompleteError) def check_duplicate_entry_for_work_order(self): other_ste = [t[0] for t in frappe.db.get_values("Stock Entry", { From 7fc6021ca5ec621232354666477dc95e40c12626 Mon Sep 17 00:00:00 2001 From: karthikeyan5 Date: Thu, 4 Jul 2019 22:46:16 +0530 Subject: [PATCH 104/132] feat(setup): adding selling buying filter in terms and conditions --- .../doctype/pos_profile/pos_profile.js | 4 + erpnext/hr/doctype/job_offer/job_offer.js | 6 + .../doctype/blanket_order/blanket_order.js | 23 + erpnext/patches.txt | 1 + ...default_buying_selling_terms_in_company.py | 19 + erpnext/public/js/controllers/buying.js | 8 + erpnext/public/js/controllers/transaction.js | 13 +- erpnext/selling/sales_common.js | 6 + erpnext/setup/doctype/company/company.js | 8 + erpnext/setup/doctype/company/company.json | 1543 +++++++++-------- .../terms_and_conditions.json | 246 +-- .../terms_and_conditions.py | 4 + erpnext/startup/boot.py | 2 +- 13 files changed, 916 insertions(+), 967 deletions(-) create mode 100644 erpnext/patches/v12_0/add_default_buying_selling_terms_in_company.py diff --git a/erpnext/accounts/doctype/pos_profile/pos_profile.js b/erpnext/accounts/doctype/pos_profile/pos_profile.js index 10f127a53f..5e94118d60 100755 --- a/erpnext/accounts/doctype/pos_profile/pos_profile.js +++ b/erpnext/accounts/doctype/pos_profile/pos_profile.js @@ -8,6 +8,10 @@ frappe.ui.form.on("POS Profile", "onload", function(frm) { return { filters: { selling: 1 } }; }); + frm.set_query("tc_name", function() { + return { filters: { selling: 1 } }; + }); + erpnext.queries.setup_queries(frm, "Warehouse", function() { return erpnext.queries.warehouse(frm.doc); }); diff --git a/erpnext/hr/doctype/job_offer/job_offer.js b/erpnext/hr/doctype/job_offer/job_offer.js index 1ee35afe10..c3d83c48cc 100755 --- a/erpnext/hr/doctype/job_offer/job_offer.js +++ b/erpnext/hr/doctype/job_offer/job_offer.js @@ -4,6 +4,12 @@ frappe.provide("erpnext.job_offer"); frappe.ui.form.on("Job Offer", { + onload: function (frm) { + frm.set_query("select_terms", function() { + return { filters: { hr: 1 } }; + }); + }, + select_terms: function (frm) { erpnext.utils.get_terms(frm.doc.select_terms, frm.doc, function (r) { if (!r.exc) { diff --git a/erpnext/manufacturing/doctype/blanket_order/blanket_order.js b/erpnext/manufacturing/doctype/blanket_order/blanket_order.js index 89efb9369d..d1bef3fcd0 100644 --- a/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +++ b/erpnext/manufacturing/doctype/blanket_order/blanket_order.js @@ -2,6 +2,10 @@ // For license information, please see license.txt frappe.ui.form.on('Blanket Order', { + onload: function(frm) { + frm.trigger('set_tc_name_filter'); + }, + setup: function(frm) { frm.add_fetch("customer", "customer_name", "customer_name"); frm.add_fetch("supplier", "supplier_name", "supplier_name"); @@ -44,4 +48,23 @@ frappe.ui.form.on('Blanket Order', { } }); }, + + set_tc_name_filter: function(frm) { + if (frm.doc.blanket_order_type === 'Selling'){ + frm.set_query("tc_name", function() { + return { filters: { selling: 1 } }; + }); + } + if (frm.doc.blanket_order_type === 'Purchasing'){ + frm.set_query("tc_name", function() { + return { filters: { buying: 1 } }; + }); + } + }, + + blanket_order_type: function (frm) { + frm.trigger('set_tc_name_filter'); + } }); + + diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 72db8ad063..bd41c7e884 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -615,3 +615,4 @@ erpnext.patches.v11_1.set_missing_opportunity_from erpnext.patches.v12_0.set_quotation_status erpnext.patches.v12_0.set_priority_for_support erpnext.patches.v12_0.delete_priority_property_setter +erpnext.patches.v12_0.add_default_buying_selling_terms_in_company diff --git a/erpnext/patches/v12_0/add_default_buying_selling_terms_in_company.py b/erpnext/patches/v12_0/add_default_buying_selling_terms_in_company.py new file mode 100644 index 0000000000..484f81a7ac --- /dev/null +++ b/erpnext/patches/v12_0/add_default_buying_selling_terms_in_company.py @@ -0,0 +1,19 @@ +# Copyright (c) 2019, Frappe and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals + +import frappe +from frappe.model.utils.rename_field import rename_field + +def execute(): + frappe.reload_doc("setup", "doctype", "company") + if frappe.db.has_column('Company', 'default_terms'): + rename_field('Company', "default_terms", "default_selling_terms") + + for company in frappe.get_all("Company", ["name", "default_selling_terms", "default_buying_terms"]): + if company.default_selling_terms and not company.default_buying_terms: + frappe.db.set_value("Company", company.name, "default_buying_terms", company.default_selling_terms) + + frappe.reload_doc("setup", "doctype", "terms_and_conditions") + frappe.db.sql("update `tabTerms and Conditions` set selling=1, buying=1, hr=1") diff --git a/erpnext/public/js/controllers/buying.js b/erpnext/public/js/controllers/buying.js index 97c823d053..824b8d98d2 100644 --- a/erpnext/public/js/controllers/buying.js +++ b/erpnext/public/js/controllers/buying.js @@ -61,6 +61,14 @@ erpnext.buying.BuyingController = erpnext.TransactionController.extend({ }); } + if(this.frm.fields_dict.tc_name) { + this.frm.set_query("tc_name", function() { + return{ + filters: { 'buying': 1 } + } + }); + } + me.frm.set_query('supplier', erpnext.queries.supplier); me.frm.set_query('contact_person', erpnext.queries.contact_query); me.frm.set_query('supplier_address', erpnext.queries.address_query); diff --git a/erpnext/public/js/controllers/transaction.js b/erpnext/public/js/controllers/transaction.js index a3ecea168d..11fdb8b178 100644 --- a/erpnext/public/js/controllers/transaction.js +++ b/erpnext/public/js/controllers/transaction.js @@ -585,8 +585,17 @@ erpnext.TransactionController = erpnext.taxes_and_totals.extend({ me.frm.set_value("letter_head", company_doc.default_letter_head); } } - if (company_doc.default_terms && me.frm.doc.doctype != "Purchase Invoice" && frappe.meta.has_field(me.frm.doc.doctype, "tc_name")) { - me.frm.set_value("tc_name", company_doc.default_terms); + let selling_doctypes_for_tc = ["Sales Invoice", "Quotation", "Sales Order", "Delivery Note"]; + if (company_doc.default_selling_terms && frappe.meta.has_field(me.frm.doc.doctype, "tc_name") && + selling_doctypes_for_tc.indexOf(me.frm.doc.doctype) != -1) { + me.frm.set_value("tc_name", company_doc.default_selling_terms); + } + let buying_doctypes_for_tc = ["Request for Quotation", "Supplier Quotation", "Purchase Order", + "Material Request", "Purchase Receipt"]; + // Purchase Invoice is excluded as per issue #3345 + if (company_doc.default_buying_terms && frappe.meta.has_field(me.frm.doc.doctype, "tc_name") && + buying_doctypes_for_tc.indexOf(me.frm.doc.doctype) != -1) { + me.frm.set_value("tc_name", company_doc.default_buying_terms); } frappe.run_serially([ diff --git a/erpnext/selling/sales_common.js b/erpnext/selling/sales_common.js index 9bae58b309..00efb4f219 100644 --- a/erpnext/selling/sales_common.js +++ b/erpnext/selling/sales_common.js @@ -59,6 +59,12 @@ erpnext.selling.SellingController = erpnext.TransactionController.extend({ }); } + if(this.frm.fields_dict.tc_name) { + this.frm.set_query("tc_name", function() { + return { filters: { selling: 1 } }; + }); + } + if(!this.frm.fields_dict["items"]) { return; } diff --git a/erpnext/setup/doctype/company/company.js b/erpnext/setup/doctype/company/company.js index 1e6056ec86..313de677fc 100644 --- a/erpnext/setup/doctype/company/company.js +++ b/erpnext/setup/doctype/company/company.js @@ -17,6 +17,14 @@ frappe.ui.form.on("Company", { filters: {"is_group": 1} } }); + + frm.set_query("default_selling_terms", function() { + return { filters: { selling: 1 } }; + }); + + frm.set_query("default_buying_terms", function() { + return { filters: { buying: 1 } }; + }); }, company_name: function(frm) { diff --git a/erpnext/setup/doctype/company/company.json b/erpnext/setup/doctype/company/company.json index bb652ca6bf..bc3418997d 100644 --- a/erpnext/setup/doctype/company/company.json +++ b/erpnext/setup/doctype/company/company.json @@ -1,769 +1,776 @@ { - "allow_import": 1, - "allow_rename": 1, - "autoname": "field:company_name", - "creation": "2013-04-10 08:35:39", - "description": "Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.", - "doctype": "DocType", - "document_type": "Setup", - "engine": "InnoDB", - "field_order": [ - "details", - "company_name", - "abbr", - "change_abbr", - "is_group", - "cb0", - "domain", - "parent_company", - "charts_section", - "default_currency", - "default_letter_head", - "default_holiday_list", - "default_finance_book", - "standard_working_hours", - "default_terms", - "default_warehouse_for_sales_return", - "column_break_10", - "country", - "create_chart_of_accounts_based_on", - "chart_of_accounts", - "existing_company", - "tax_id", - "date_of_establishment", - "sales_settings", - "monthly_sales_target", - "sales_monthly_history", - "column_break_goals", - "transactions_annual_history", - "total_monthly_sales", - "default_settings", - "default_bank_account", - "default_cash_account", - "default_receivable_account", - "round_off_account", - "round_off_cost_center", - "write_off_account", - "discount_allowed_account", - "discount_received_account", - "exchange_gain_loss_account", - "unrealized_exchange_gain_loss_account", - "column_break0", - "allow_account_creation_against_child_company", - "default_payable_account", - "default_employee_advance_account", - "default_expense_account", - "default_income_account", - "default_deferred_revenue_account", - "default_deferred_expense_account", - "default_payroll_payable_account", - "default_expense_claim_payable_account", - "section_break_22", - "cost_center", - "column_break_26", - "credit_limit", - "payment_terms", - "auto_accounting_for_stock_settings", - "enable_perpetual_inventory", - "default_inventory_account", - "stock_adjustment_account", - "column_break_32", - "stock_received_but_not_billed", - "expenses_included_in_valuation", - "fixed_asset_depreciation_settings", - "accumulated_depreciation_account", - "depreciation_expense_account", - "series_for_depreciation_entry", - "expenses_included_in_asset_valuation", - "column_break_40", - "disposal_account", - "depreciation_cost_center", - "capital_work_in_progress_account", - "asset_received_but_not_billed", - "budget_detail", - "exception_budget_approver_role", - "company_info", - "company_logo", - "date_of_incorporation", - "address_html", - "date_of_commencement", - "phone_no", - "fax", - "email", - "website", - "column_break1", - "company_description", - "registration_info", - "registration_details", - "delete_company_transactions", - "lft", - "rgt", - "old_parent" - ], - "fields": [ - { - "fieldname": "details", - "fieldtype": "Section Break", - "oldfieldtype": "Section Break" - }, - { - "fieldname": "company_name", - "fieldtype": "Data", - "label": "Company", - "oldfieldname": "company_name", - "oldfieldtype": "Data", - "reqd": 1, - "unique": 1 - }, - { - "fieldname": "abbr", - "fieldtype": "Data", - "label": "Abbr", - "oldfieldname": "abbr", - "oldfieldtype": "Data", - "reqd": 1 - }, - { - "depends_on": "eval:!doc.__islocal && in_list(frappe.user_roles, \"System Manager\")", - "fieldname": "change_abbr", - "fieldtype": "Button", - "label": "Change Abbreviation" - }, - { - "bold": 1, - "default": "0", - "fieldname": "is_group", - "fieldtype": "Check", - "label": "Is Group" - }, - { - "fieldname": "default_finance_book", - "fieldtype": "Link", - "label": "Default Finance Book", - "options": "Finance Book" - }, - { - "fieldname": "cb0", - "fieldtype": "Column Break" - }, - { - "fieldname": "domain", - "fieldtype": "Link", - "label": "Domain", - "options": "Domain" - }, - { - "fieldname": "parent_company", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Parent Company", - "options": "Company" - }, - { - "fieldname": "company_logo", - "fieldtype": "Attach Image", - "hidden": 1, - "label": "Company Logo" - }, - { - "fieldname": "company_description", - "fieldtype": "Text Editor", - "label": "Company Description" - }, - { - "collapsible": 1, - "fieldname": "sales_settings", - "fieldtype": "Section Break", - "label": "Sales Settings" - }, - { - "fieldname": "sales_monthly_history", - "fieldtype": "Small Text", - "hidden": 1, - "label": "Sales Monthly History", - "no_copy": 1, - "read_only": 1 - }, - { - "fieldname": "transactions_annual_history", - "fieldtype": "Code", - "hidden": 1, - "label": "Transactions Annual History", - "no_copy": 1, - "read_only": 1 - }, - { - "fieldname": "monthly_sales_target", - "fieldtype": "Currency", - "label": "Monthly Sales Target", - "options": "default_currency" - }, - { - "fieldname": "column_break_goals", - "fieldtype": "Column Break" - }, - { - "fieldname": "total_monthly_sales", - "fieldtype": "Currency", - "label": "Total Monthly Sales", - "no_copy": 1, - "options": "default_currency", - "read_only": 1 - }, - { - "fieldname": "charts_section", - "fieldtype": "Section Break", - "label": "Default Values" - }, - { - "fieldname": "default_currency", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Currency", - "options": "Currency", - "reqd": 1 - }, - { - "fieldname": "default_letter_head", - "fieldtype": "Link", - "label": "Default Letter Head", - "options": "Letter Head" - }, - { - "fieldname": "default_holiday_list", - "fieldtype": "Link", - "label": "Default Holiday List", - "options": "Holiday List" - }, - { - "fieldname": "standard_working_hours", - "fieldtype": "Float", - "label": "Standard Working Hours" - }, - { - "fieldname": "default_terms", - "fieldtype": "Link", - "label": "Default Terms", - "options": "Terms and Conditions" - }, - { - "fieldname": "default_warehouse_for_sales_return", - "fieldtype": "Link", - "label": "Default warehouse for Sales Return", - "options": "Warehouse" - }, - { - "fieldname": "column_break_10", - "fieldtype": "Column Break" - }, - { - "fieldname": "country", - "fieldtype": "Link", - "in_list_view": 1, - "label": "Country", - "options": "Country", - "reqd": 1 - }, - { - "fieldname": "create_chart_of_accounts_based_on", - "fieldtype": "Select", - "label": "Create Chart Of Accounts Based On", - "options": "\nStandard Template\nExisting Company" - }, - { - "depends_on": "eval:doc.create_chart_of_accounts_based_on===\"Standard Template\"", - "fieldname": "chart_of_accounts", - "fieldtype": "Select", - "label": "Chart Of Accounts Template", - "no_copy": 1 - }, - { - "depends_on": "eval:doc.create_chart_of_accounts_based_on===\"Existing Company\"", - "fieldname": "existing_company", - "fieldtype": "Link", - "label": "Existing Company ", - "no_copy": 1, - "options": "Company" - }, - { - "fieldname": "tax_id", - "fieldtype": "Data", - "label": "Tax ID" - }, - { - "fieldname": "date_of_establishment", - "fieldtype": "Date", - "label": "Date of Establishment" - }, - { - "fieldname": "default_settings", - "fieldtype": "Section Break", - "label": "Accounts Settings", - "oldfieldtype": "Section Break" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_bank_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Bank Account", - "no_copy": 1, - "oldfieldname": "default_bank_account", - "oldfieldtype": "Link", - "options": "Account" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_cash_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Cash Account", - "no_copy": 1, - "options": "Account" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_receivable_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Receivable Account", - "no_copy": 1, - "oldfieldname": "receivables_group", - "oldfieldtype": "Link", - "options": "Account" - }, - { - "fieldname": "round_off_account", - "fieldtype": "Link", - "label": "Round Off Account", - "options": "Account" - }, - { - "fieldname": "round_off_cost_center", - "fieldtype": "Link", - "label": "Round Off Cost Center", - "options": "Cost Center" - }, - { - "fieldname": "write_off_account", - "fieldtype": "Link", - "label": "Write Off Account", - "options": "Account" - }, - { - "fieldname": "discount_allowed_account", - "fieldtype": "Link", - "label": "Discount Allowed Account", - "options": "Account" - }, - { - "fieldname": "discount_received_account", - "fieldtype": "Link", - "label": "Discount Received Account", - "options": "Account" - }, - { - "fieldname": "exchange_gain_loss_account", - "fieldtype": "Link", - "label": "Exchange Gain / Loss Account", - "options": "Account" - }, - { - "fieldname": "unrealized_exchange_gain_loss_account", - "fieldtype": "Link", - "label": "Unrealized Exchange Gain/Loss Account", - "options": "Account" - }, - { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "width": "50%" - }, - { - "default": "0", - "depends_on": "eval:doc.parent_company", - "fieldname": "allow_account_creation_against_child_company", - "fieldtype": "Check", - "label": "Allow Account Creation Against Child Company" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_payable_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Payable Account", - "no_copy": 1, - "oldfieldname": "payables_group", - "oldfieldtype": "Link", - "options": "Account" - }, - { - "fieldname": "default_employee_advance_account", - "fieldtype": "Link", - "label": "Default Employee Advance Account", - "no_copy": 1, - "options": "Account" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_expense_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Cost of Goods Sold Account", - "no_copy": 1, - "options": "Account" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_income_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Income Account", - "no_copy": 1, - "options": "Account" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_deferred_revenue_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Deferred Revenue Account", - "no_copy": 1, - "options": "Account" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_deferred_expense_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Deferred Expense Account", - "no_copy": 1, - "options": "Account" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_payroll_payable_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Payroll Payable Account", - "no_copy": 1, - "options": "Account" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "default_expense_claim_payable_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Expense Claim Payable Account", - "no_copy": 1, - "options": "Account" - }, - { - "fieldname": "section_break_22", - "fieldtype": "Section Break" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "cost_center", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Default Cost Center", - "no_copy": 1, - "options": "Cost Center" - }, - { - "fieldname": "column_break_26", - "fieldtype": "Column Break" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "credit_limit", - "fieldtype": "Currency", - "label": "Credit Limit", - "oldfieldname": "credit_limit", - "oldfieldtype": "Currency", - "options": "default_currency" - }, - { - "fieldname": "payment_terms", - "fieldtype": "Link", - "label": "Default Payment Terms Template", - "options": "Payment Terms Template" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "auto_accounting_for_stock_settings", - "fieldtype": "Section Break", - "label": "Stock Settings" - }, - { - "default": "1", - "fieldname": "enable_perpetual_inventory", - "fieldtype": "Check", - "label": "Enable Perpetual Inventory" - }, - { - "fieldname": "default_inventory_account", - "fieldtype": "Link", - "label": "Default Inventory Account", - "options": "Account" - }, - { - "fieldname": "stock_adjustment_account", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Stock Adjustment Account", - "no_copy": 1, - "options": "Account" - }, - { - "fieldname": "column_break_32", - "fieldtype": "Column Break" - }, - { - "fieldname": "stock_received_but_not_billed", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Stock Received But Not Billed", - "no_copy": 1, - "options": "Account" - }, - { - "fieldname": "expenses_included_in_valuation", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Expenses Included In Valuation", - "no_copy": 1, - "options": "Account" - }, - { - "collapsible": 1, - "fieldname": "fixed_asset_depreciation_settings", - "fieldtype": "Section Break", - "label": "Fixed Asset Depreciation Settings" - }, - { - "fieldname": "accumulated_depreciation_account", - "fieldtype": "Link", - "label": "Accumulated Depreciation Account", - "no_copy": 1, - "options": "Account" - }, - { - "fieldname": "depreciation_expense_account", - "fieldtype": "Link", - "label": "Depreciation Expense Account", - "no_copy": 1, - "options": "Account" - }, - { - "fieldname": "series_for_depreciation_entry", - "fieldtype": "Data", - "label": "Series for Asset Depreciation Entry (Journal Entry)" - }, - { - "fieldname": "expenses_included_in_asset_valuation", - "fieldtype": "Link", - "label": "Expenses Included In Asset Valuation", - "options": "Account" - }, - { - "fieldname": "column_break_40", - "fieldtype": "Column Break" - }, - { - "fieldname": "disposal_account", - "fieldtype": "Link", - "label": "Gain/Loss Account on Asset Disposal", - "no_copy": 1, - "options": "Account" - }, - { - "fieldname": "depreciation_cost_center", - "fieldtype": "Link", - "label": "Asset Depreciation Cost Center", - "no_copy": 1, - "options": "Cost Center" - }, - { - "fieldname": "capital_work_in_progress_account", - "fieldtype": "Link", - "label": "Capital Work In Progress Account", - "options": "Account" - }, - { - "fieldname": "asset_received_but_not_billed", - "fieldtype": "Link", - "label": "Asset Received But Not Billed", - "options": "Account" - }, - { - "collapsible": 1, - "fieldname": "budget_detail", - "fieldtype": "Section Break", - "label": "Budget Detail" - }, - { - "fieldname": "exception_budget_approver_role", - "fieldtype": "Link", - "label": "Exception Budget Approver Role", - "options": "Role" - }, - { - "collapsible": 1, - "description": "For reference only.", - "fieldname": "company_info", - "fieldtype": "Section Break", - "label": "Company Info" - }, - { - "fieldname": "date_of_incorporation", - "fieldtype": "Date", - "label": "Date of Incorporation" - }, - { - "fieldname": "address_html", - "fieldtype": "HTML" - }, - { - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "width": "50%" - }, - { - "depends_on": "eval:doc.date_of_incorporation", - "fieldname": "date_of_commencement", - "fieldtype": "Date", - "label": "Date of Commencement" - }, - { - "fieldname": "phone_no", - "fieldtype": "Data", - "label": "Phone No", - "oldfieldname": "phone_no", - "oldfieldtype": "Data", - "options": "Phone" - }, - { - "fieldname": "fax", - "fieldtype": "Data", - "label": "Fax", - "oldfieldname": "fax", - "oldfieldtype": "Data", - "options": "Phone" - }, - { - "fieldname": "email", - "fieldtype": "Data", - "label": "Email", - "oldfieldname": "email", - "oldfieldtype": "Data", - "options": "Email" - }, - { - "fieldname": "website", - "fieldtype": "Data", - "label": "Website", - "oldfieldname": "website", - "oldfieldtype": "Data" - }, - { - "fieldname": "registration_info", - "fieldtype": "Section Break", - "oldfieldtype": "Section Break", - "width": "50%" - }, - { - "description": "Company registration numbers for your reference. Tax numbers etc.", - "fieldname": "registration_details", - "fieldtype": "Code", - "label": "Registration Details", - "oldfieldname": "registration_details", - "oldfieldtype": "Code" - }, - { - "fieldname": "delete_company_transactions", - "fieldtype": "Button", - "label": "Delete Company Transactions" - }, - { - "fieldname": "lft", - "fieldtype": "Int", - "hidden": 1, - "label": "Lft", - "print_hide": 1, - "read_only": 1, - "search_index": 1 - }, - { - "fieldname": "rgt", - "fieldtype": "Int", - "hidden": 1, - "label": "Rgt", - "print_hide": 1, - "read_only": 1, - "search_index": 1 - }, - { - "fieldname": "old_parent", - "fieldtype": "Data", - "hidden": 1, - "label": "old_parent", - "print_hide": 1, - "read_only": 1 - } - ], - "icon": "fa fa-building", - "idx": 1, - "image_field": "company_logo", - "modified": "2019-06-14 14:36:11.363309", - "modified_by": "Administrator", - "module": "Setup", - "name": "Company", - "owner": "Administrator", - "permissions": [ - { - "create": 1, - "delete": 1, - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "System Manager", - "share": 1, - "write": 1 - }, - { - "email": 1, - "print": 1, - "read": 1, - "role": "Accounts User" - }, - { - "read": 1, - "role": "Employee" - }, - { - "read": 1, - "role": "Sales User" - }, - { - "read": 1, - "role": "Purchase User" - }, - { - "read": 1, - "role": "Stock User" - }, - { - "read": 1, - "role": "Projects User" - } - ], - "show_name_in_global_search": 1, - "sort_field": "modified", - "sort_order": "ASC", - "track_changes": 1 - } \ No newline at end of file + "allow_import": 1, + "allow_rename": 1, + "autoname": "field:company_name", + "creation": "2013-04-10 08:35:39", + "description": "Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.", + "doctype": "DocType", + "document_type": "Setup", + "engine": "InnoDB", + "field_order": [ + "details", + "company_name", + "abbr", + "change_abbr", + "is_group", + "cb0", + "domain", + "parent_company", + "charts_section", + "default_currency", + "default_letter_head", + "default_holiday_list", + "default_finance_book", + "standard_working_hours", + "default_selling_terms", + "default_buying_terms", + "default_warehouse_for_sales_return", + "column_break_10", + "country", + "create_chart_of_accounts_based_on", + "chart_of_accounts", + "existing_company", + "tax_id", + "date_of_establishment", + "sales_settings", + "monthly_sales_target", + "sales_monthly_history", + "column_break_goals", + "transactions_annual_history", + "total_monthly_sales", + "default_settings", + "default_bank_account", + "default_cash_account", + "default_receivable_account", + "round_off_account", + "round_off_cost_center", + "write_off_account", + "discount_allowed_account", + "discount_received_account", + "exchange_gain_loss_account", + "unrealized_exchange_gain_loss_account", + "column_break0", + "allow_account_creation_against_child_company", + "default_payable_account", + "default_employee_advance_account", + "default_expense_account", + "default_income_account", + "default_deferred_revenue_account", + "default_deferred_expense_account", + "default_payroll_payable_account", + "default_expense_claim_payable_account", + "section_break_22", + "cost_center", + "column_break_26", + "credit_limit", + "payment_terms", + "auto_accounting_for_stock_settings", + "enable_perpetual_inventory", + "default_inventory_account", + "stock_adjustment_account", + "column_break_32", + "stock_received_but_not_billed", + "expenses_included_in_valuation", + "fixed_asset_depreciation_settings", + "accumulated_depreciation_account", + "depreciation_expense_account", + "series_for_depreciation_entry", + "expenses_included_in_asset_valuation", + "column_break_40", + "disposal_account", + "depreciation_cost_center", + "capital_work_in_progress_account", + "asset_received_but_not_billed", + "budget_detail", + "exception_budget_approver_role", + "company_info", + "company_logo", + "date_of_incorporation", + "address_html", + "date_of_commencement", + "phone_no", + "fax", + "email", + "website", + "column_break1", + "company_description", + "registration_info", + "registration_details", + "delete_company_transactions", + "lft", + "rgt", + "old_parent" + ], + "fields": [ + { + "fieldname": "details", + "fieldtype": "Section Break", + "oldfieldtype": "Section Break" + }, + { + "fieldname": "company_name", + "fieldtype": "Data", + "label": "Company", + "oldfieldname": "company_name", + "oldfieldtype": "Data", + "reqd": 1, + "unique": 1 + }, + { + "fieldname": "abbr", + "fieldtype": "Data", + "label": "Abbr", + "oldfieldname": "abbr", + "oldfieldtype": "Data", + "reqd": 1 + }, + { + "depends_on": "eval:!doc.__islocal && in_list(frappe.user_roles, \"System Manager\")", + "fieldname": "change_abbr", + "fieldtype": "Button", + "label": "Change Abbreviation" + }, + { + "bold": 1, + "default": "0", + "fieldname": "is_group", + "fieldtype": "Check", + "label": "Is Group" + }, + { + "fieldname": "default_finance_book", + "fieldtype": "Link", + "label": "Default Finance Book", + "options": "Finance Book" + }, + { + "fieldname": "cb0", + "fieldtype": "Column Break" + }, + { + "fieldname": "domain", + "fieldtype": "Link", + "label": "Domain", + "options": "Domain" + }, + { + "fieldname": "parent_company", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Parent Company", + "options": "Company" + }, + { + "fieldname": "company_logo", + "fieldtype": "Attach Image", + "hidden": 1, + "label": "Company Logo" + }, + { + "fieldname": "company_description", + "fieldtype": "Text Editor", + "label": "Company Description" + }, + { + "collapsible": 1, + "fieldname": "sales_settings", + "fieldtype": "Section Break", + "label": "Sales Settings" + }, + { + "fieldname": "sales_monthly_history", + "fieldtype": "Small Text", + "hidden": 1, + "label": "Sales Monthly History", + "no_copy": 1, + "read_only": 1 + }, + { + "fieldname": "transactions_annual_history", + "fieldtype": "Code", + "hidden": 1, + "label": "Transactions Annual History", + "no_copy": 1, + "read_only": 1 + }, + { + "fieldname": "monthly_sales_target", + "fieldtype": "Currency", + "label": "Monthly Sales Target", + "options": "default_currency" + }, + { + "fieldname": "column_break_goals", + "fieldtype": "Column Break" + }, + { + "fieldname": "total_monthly_sales", + "fieldtype": "Currency", + "label": "Total Monthly Sales", + "no_copy": 1, + "options": "default_currency", + "read_only": 1 + }, + { + "fieldname": "charts_section", + "fieldtype": "Section Break", + "label": "Default Values" + }, + { + "fieldname": "default_currency", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Currency", + "options": "Currency", + "reqd": 1 + }, + { + "fieldname": "default_letter_head", + "fieldtype": "Link", + "label": "Default Letter Head", + "options": "Letter Head" + }, + { + "fieldname": "default_holiday_list", + "fieldtype": "Link", + "label": "Default Holiday List", + "options": "Holiday List" + }, + { + "fieldname": "standard_working_hours", + "fieldtype": "Float", + "label": "Standard Working Hours" + }, + { + "fieldname": "default_warehouse_for_sales_return", + "fieldtype": "Link", + "label": "Default warehouse for Sales Return", + "options": "Warehouse" + }, + { + "fieldname": "column_break_10", + "fieldtype": "Column Break" + }, + { + "fieldname": "country", + "fieldtype": "Link", + "in_list_view": 1, + "label": "Country", + "options": "Country", + "reqd": 1 + }, + { + "fieldname": "create_chart_of_accounts_based_on", + "fieldtype": "Select", + "label": "Create Chart Of Accounts Based On", + "options": "\nStandard Template\nExisting Company" + }, + { + "depends_on": "eval:doc.create_chart_of_accounts_based_on===\"Standard Template\"", + "fieldname": "chart_of_accounts", + "fieldtype": "Select", + "label": "Chart Of Accounts Template", + "no_copy": 1 + }, + { + "depends_on": "eval:doc.create_chart_of_accounts_based_on===\"Existing Company\"", + "fieldname": "existing_company", + "fieldtype": "Link", + "label": "Existing Company ", + "no_copy": 1, + "options": "Company" + }, + { + "fieldname": "tax_id", + "fieldtype": "Data", + "label": "Tax ID" + }, + { + "fieldname": "date_of_establishment", + "fieldtype": "Date", + "label": "Date of Establishment" + }, + { + "fieldname": "default_settings", + "fieldtype": "Section Break", + "label": "Accounts Settings", + "oldfieldtype": "Section Break" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_bank_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Bank Account", + "no_copy": 1, + "oldfieldname": "default_bank_account", + "oldfieldtype": "Link", + "options": "Account" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_cash_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Cash Account", + "no_copy": 1, + "options": "Account" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_receivable_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Receivable Account", + "no_copy": 1, + "oldfieldname": "receivables_group", + "oldfieldtype": "Link", + "options": "Account" + }, + { + "fieldname": "round_off_account", + "fieldtype": "Link", + "label": "Round Off Account", + "options": "Account" + }, + { + "fieldname": "round_off_cost_center", + "fieldtype": "Link", + "label": "Round Off Cost Center", + "options": "Cost Center" + }, + { + "fieldname": "write_off_account", + "fieldtype": "Link", + "label": "Write Off Account", + "options": "Account" + }, + { + "fieldname": "discount_allowed_account", + "fieldtype": "Link", + "label": "Discount Allowed Account", + "options": "Account" + }, + { + "fieldname": "discount_received_account", + "fieldtype": "Link", + "label": "Discount Received Account", + "options": "Account" + }, + { + "fieldname": "exchange_gain_loss_account", + "fieldtype": "Link", + "label": "Exchange Gain / Loss Account", + "options": "Account" + }, + { + "fieldname": "unrealized_exchange_gain_loss_account", + "fieldtype": "Link", + "label": "Unrealized Exchange Gain/Loss Account", + "options": "Account" + }, + { + "fieldname": "column_break0", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "width": "50%" + }, + { + "default": "0", + "depends_on": "eval:doc.parent_company", + "fieldname": "allow_account_creation_against_child_company", + "fieldtype": "Check", + "label": "Allow Account Creation Against Child Company" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_payable_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Payable Account", + "no_copy": 1, + "oldfieldname": "payables_group", + "oldfieldtype": "Link", + "options": "Account" + }, + { + "fieldname": "default_employee_advance_account", + "fieldtype": "Link", + "label": "Default Employee Advance Account", + "no_copy": 1, + "options": "Account" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_expense_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Cost of Goods Sold Account", + "no_copy": 1, + "options": "Account" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_income_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Income Account", + "no_copy": 1, + "options": "Account" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_deferred_revenue_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Deferred Revenue Account", + "no_copy": 1, + "options": "Account" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_deferred_expense_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Deferred Expense Account", + "no_copy": 1, + "options": "Account" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_payroll_payable_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Payroll Payable Account", + "no_copy": 1, + "options": "Account" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "default_expense_claim_payable_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Expense Claim Payable Account", + "no_copy": 1, + "options": "Account" + }, + { + "fieldname": "section_break_22", + "fieldtype": "Section Break" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "cost_center", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Default Cost Center", + "no_copy": 1, + "options": "Cost Center" + }, + { + "fieldname": "column_break_26", + "fieldtype": "Column Break" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "credit_limit", + "fieldtype": "Currency", + "label": "Credit Limit", + "oldfieldname": "credit_limit", + "oldfieldtype": "Currency", + "options": "default_currency" + }, + { + "fieldname": "payment_terms", + "fieldtype": "Link", + "label": "Default Payment Terms Template", + "options": "Payment Terms Template" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "auto_accounting_for_stock_settings", + "fieldtype": "Section Break", + "label": "Stock Settings" + }, + { + "default": "1", + "fieldname": "enable_perpetual_inventory", + "fieldtype": "Check", + "label": "Enable Perpetual Inventory" + }, + { + "fieldname": "default_inventory_account", + "fieldtype": "Link", + "label": "Default Inventory Account", + "options": "Account" + }, + { + "fieldname": "stock_adjustment_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Stock Adjustment Account", + "no_copy": 1, + "options": "Account" + }, + { + "fieldname": "column_break_32", + "fieldtype": "Column Break" + }, + { + "fieldname": "stock_received_but_not_billed", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Stock Received But Not Billed", + "no_copy": 1, + "options": "Account" + }, + { + "fieldname": "expenses_included_in_valuation", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Expenses Included In Valuation", + "no_copy": 1, + "options": "Account" + }, + { + "collapsible": 1, + "fieldname": "fixed_asset_depreciation_settings", + "fieldtype": "Section Break", + "label": "Fixed Asset Depreciation Settings" + }, + { + "fieldname": "accumulated_depreciation_account", + "fieldtype": "Link", + "label": "Accumulated Depreciation Account", + "no_copy": 1, + "options": "Account" + }, + { + "fieldname": "depreciation_expense_account", + "fieldtype": "Link", + "label": "Depreciation Expense Account", + "no_copy": 1, + "options": "Account" + }, + { + "fieldname": "series_for_depreciation_entry", + "fieldtype": "Data", + "label": "Series for Asset Depreciation Entry (Journal Entry)" + }, + { + "fieldname": "expenses_included_in_asset_valuation", + "fieldtype": "Link", + "label": "Expenses Included In Asset Valuation", + "options": "Account" + }, + { + "fieldname": "column_break_40", + "fieldtype": "Column Break" + }, + { + "fieldname": "disposal_account", + "fieldtype": "Link", + "label": "Gain/Loss Account on Asset Disposal", + "no_copy": 1, + "options": "Account" + }, + { + "fieldname": "depreciation_cost_center", + "fieldtype": "Link", + "label": "Asset Depreciation Cost Center", + "no_copy": 1, + "options": "Cost Center" + }, + { + "fieldname": "capital_work_in_progress_account", + "fieldtype": "Link", + "label": "Capital Work In Progress Account", + "options": "Account" + }, + { + "fieldname": "asset_received_but_not_billed", + "fieldtype": "Link", + "label": "Asset Received But Not Billed", + "options": "Account" + }, + { + "collapsible": 1, + "fieldname": "budget_detail", + "fieldtype": "Section Break", + "label": "Budget Detail" + }, + { + "fieldname": "exception_budget_approver_role", + "fieldtype": "Link", + "label": "Exception Budget Approver Role", + "options": "Role" + }, + { + "collapsible": 1, + "description": "For reference only.", + "fieldname": "company_info", + "fieldtype": "Section Break", + "label": "Company Info" + }, + { + "fieldname": "date_of_incorporation", + "fieldtype": "Date", + "label": "Date of Incorporation" + }, + { + "fieldname": "address_html", + "fieldtype": "HTML" + }, + { + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "width": "50%" + }, + { + "depends_on": "eval:doc.date_of_incorporation", + "fieldname": "date_of_commencement", + "fieldtype": "Date", + "label": "Date of Commencement" + }, + { + "fieldname": "phone_no", + "fieldtype": "Data", + "label": "Phone No", + "oldfieldname": "phone_no", + "oldfieldtype": "Data", + "options": "Phone" + }, + { + "fieldname": "fax", + "fieldtype": "Data", + "label": "Fax", + "oldfieldname": "fax", + "oldfieldtype": "Data", + "options": "Phone" + }, + { + "fieldname": "email", + "fieldtype": "Data", + "label": "Email", + "oldfieldname": "email", + "oldfieldtype": "Data", + "options": "Email" + }, + { + "fieldname": "website", + "fieldtype": "Data", + "label": "Website", + "oldfieldname": "website", + "oldfieldtype": "Data" + }, + { + "fieldname": "registration_info", + "fieldtype": "Section Break", + "oldfieldtype": "Section Break", + "width": "50%" + }, + { + "description": "Company registration numbers for your reference. Tax numbers etc.", + "fieldname": "registration_details", + "fieldtype": "Code", + "label": "Registration Details", + "oldfieldname": "registration_details", + "oldfieldtype": "Code" + }, + { + "fieldname": "delete_company_transactions", + "fieldtype": "Button", + "label": "Delete Company Transactions" + }, + { + "fieldname": "lft", + "fieldtype": "Int", + "hidden": 1, + "label": "Lft", + "print_hide": 1, + "read_only": 1, + "search_index": 1 + }, + { + "fieldname": "rgt", + "fieldtype": "Int", + "hidden": 1, + "label": "Rgt", + "print_hide": 1, + "read_only": 1, + "search_index": 1 + }, + { + "fieldname": "old_parent", + "fieldtype": "Data", + "hidden": 1, + "label": "old_parent", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "default_selling_terms", + "fieldtype": "Link", + "label": "Default Selling Terms", + "options": "Terms and Conditions" + }, + { + "fieldname": "default_buying_terms", + "fieldtype": "Link", + "label": "Default Buying Terms", + "options": "Terms and Conditions" + } + ], + "icon": "fa fa-building", + "idx": 1, + "image_field": "company_logo", + "modified": "2019-07-04 22:20:45.104307", + "modified_by": "Administrator", + "module": "Setup", + "name": "Company", + "owner": "Administrator", + "permissions": [ + { + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "share": 1, + "write": 1 + }, + { + "email": 1, + "print": 1, + "read": 1, + "role": "Accounts User" + }, + { + "read": 1, + "role": "Employee" + }, + { + "read": 1, + "role": "Sales User" + }, + { + "read": 1, + "role": "Purchase User" + }, + { + "read": 1, + "role": "Stock User" + }, + { + "read": 1, + "role": "Projects User" + } + ], + "show_name_in_global_search": 1, + "sort_field": "modified", + "sort_order": "ASC", + "track_changes": 1 +} \ No newline at end of file diff --git a/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.json b/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.json index c1d459f265..aba6a791a4 100644 --- a/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.json +++ b/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.json @@ -1,288 +1,142 @@ { - "allow_copy": 0, - "allow_guest_to_view": 0, "allow_import": 1, "allow_rename": 1, "autoname": "field:title", - "beta": 0, "creation": "2013-01-10 16:34:24", - "custom": 0, "description": "Standard Terms and Conditions that can be added to Sales and Purchases.\n\nExamples:\n\n1. Validity of the offer.\n1. Payment Terms (In Advance, On Credit, part advance etc).\n1. What is extra (or payable by the Customer).\n1. Safety / usage warning.\n1. Warranty if any.\n1. Returns Policy.\n1. Terms of shipping, if applicable.\n1. Ways of addressing disputes, indemnity, liability, etc.\n1. Address and Contact of your Company.", - "docstatus": 0, "doctype": "DocType", "document_type": "Setup", - "editable_grid": 0, + "engine": "InnoDB", + "field_order": [ + "title", + "disabled", + "applicable_modules_section", + "selling", + "buying", + "hr", + "section_break_7", + "terms", + "terms_and_conditions_help" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "title", "fieldtype": "Data", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Title", - "length": 0, "no_copy": 1, "oldfieldname": "title", "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, "unique": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, + "default": "0", "fieldname": "disabled", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, "in_list_view": 1, - "in_standard_filter": 0, - "label": "Disabled", - "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": "Disabled" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, + "allow_in_quick_entry": 1, "fieldname": "terms", "fieldtype": "Text Editor", - "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": "Terms and Conditions", - "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 + "oldfieldtype": "Text Editor" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "terms_and_conditions_help", "fieldtype": "HTML", - "hidden": 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 Help", - "length": 0, - "no_copy": 0, - "options": "

Standard Terms and Conditions Example

\n\n
Delivery Terms for Order number {{ name }}\n\n-Order Date : {{ transaction_date }} \n-Expected Delivery Date : {{ delivery_date }}\n
\n\n

How to get fieldnames

\n\n

The fieldnames you can use in your email template are the fields in the document from which you are sending the email. You can find out the fields of any documents via Setup > Customize Form View and selecting the document type (e.g. Sales Invoice)

\n\n

Templating

\n\n

Templates are compiled using the Jinja Templating Langauge. To learn more about Jinja, read this documentation.

", - "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": "

Standard Terms and Conditions Example

\n\n
Delivery Terms for Order number {{ name }}\n\n-Order Date : {{ transaction_date }} \n-Expected Delivery Date : {{ delivery_date }}\n
\n\n

How to get fieldnames

\n\n

The fieldnames you can use in your email template are the fields in the document from which you are sending the email. You can find out the fields of any documents via Setup > Customize Form View and selecting the document type (e.g. Sales Invoice)

\n\n

Templating

\n\n

Templates are compiled using the Jinja Templating Langauge. To learn more about Jinja, read this documentation.

" + }, + { + "fieldname": "applicable_modules_section", + "fieldtype": "Section Break", + "label": "Applicable Modules" + }, + { + "default": "1", + "fieldname": "selling", + "fieldtype": "Check", + "label": "Selling" + }, + { + "default": "1", + "fieldname": "buying", + "fieldtype": "Check", + "label": "Buying" + }, + { + "default": "1", + "fieldname": "hr", + "fieldtype": "Check", + "label": "HR" + }, + { + "fieldname": "section_break_7", + "fieldtype": "Section Break" } ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, "icon": "icon-legal", "idx": 1, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "modified": "2018-08-29 06:36:33.131473", + "modified": "2019-07-04 13:31:30.393425", "modified_by": "Administrator", "module": "Setup", "name": "Terms and Conditions", "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, "export": 1, - "if_owner": 0, "import": 1, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "Sales Master Manager", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 }, { - "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 + "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 + "role": "Purchase User" }, { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "System Manager", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 }, { - "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 User", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 0, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 0, "read": 1, - "report": 0, - "role": "Stock User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 + "role": "Stock User" } ], "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, "show_name_in_global_search": 1, - "sort_order": "ASC", - "track_changes": 0, - "track_seen": 0, - "track_views": 0 + "sort_field": "modified", + "sort_order": "ASC" } \ No newline at end of file diff --git a/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py b/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py index a2152a6eb5..372cc6d3e3 100644 --- a/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py +++ b/erpnext/setup/doctype/terms_and_conditions/terms_and_conditions.py @@ -3,9 +3,11 @@ from __future__ import unicode_literals import frappe +from frappe import _, throw import json from frappe.model.document import Document from frappe.utils.jinja import validate_template +from frappe.utils import cint from six import string_types @@ -13,6 +15,8 @@ class TermsandConditions(Document): def validate(self): if self.terms: validate_template(self.terms) + if not cint(self.buying) and not cint(self.selling) and not cint(self.hr) and not cint(self.disabled): + throw(_("At least one of the Applicable Modules should be selected")) @frappe.whitelist() def get_terms_and_conditions(template_name, doc): diff --git a/erpnext/startup/boot.py b/erpnext/startup/boot.py index a5bd93fc2c..4ca43a89b8 100644 --- a/erpnext/startup/boot.py +++ b/erpnext/startup/boot.py @@ -33,7 +33,7 @@ def boot_session(bootinfo): FROM `tabCompany` LIMIT 1""") and 'Yes' or 'No' - bootinfo.docs += frappe.db.sql("""select name, default_currency, cost_center, default_terms, + bootinfo.docs += frappe.db.sql("""select name, default_currency, cost_center, default_selling_terms, default_buying_terms, default_letter_head, default_bank_account, enable_perpetual_inventory, country from `tabCompany`""", as_dict=1, update={"doctype":":Company"}) From 830f2b642bcaa7fd82f60b598d1a26a096523a4b Mon Sep 17 00:00:00 2001 From: karthikeyan5 Date: Fri, 5 Jul 2019 09:48:38 +0530 Subject: [PATCH 105/132] chore(manufacturing): added dashboard for doctypes --- .../blanket_order/blanket_order_dashboard.py | 12 +++++++++ .../doctype/bom/bom_dashboard.py | 27 +++++++++++++++++++ .../doctype/operation/operation_dashboard.py | 13 +++++++++ .../doctype/routing/routing_dashboard.py | 12 +++++++++ .../workstation/workstation_dashboard.py | 13 +++++++++ erpnext/stock/doctype/item/item_dashboard.py | 2 +- 6 files changed, 78 insertions(+), 1 deletion(-) create mode 100644 erpnext/manufacturing/doctype/blanket_order/blanket_order_dashboard.py create mode 100644 erpnext/manufacturing/doctype/bom/bom_dashboard.py create mode 100644 erpnext/manufacturing/doctype/operation/operation_dashboard.py create mode 100644 erpnext/manufacturing/doctype/routing/routing_dashboard.py create mode 100644 erpnext/manufacturing/doctype/workstation/workstation_dashboard.py diff --git a/erpnext/manufacturing/doctype/blanket_order/blanket_order_dashboard.py b/erpnext/manufacturing/doctype/blanket_order/blanket_order_dashboard.py new file mode 100644 index 0000000000..0005439cb1 --- /dev/null +++ b/erpnext/manufacturing/doctype/blanket_order/blanket_order_dashboard.py @@ -0,0 +1,12 @@ +from __future__ import unicode_literals +from frappe import _ + +def get_data(): + return { + 'fieldname': 'blanket_order', + 'transactions': [ + { + 'items': ['Purchase Order', 'Sales Order'] + } + ] + } \ No newline at end of file diff --git a/erpnext/manufacturing/doctype/bom/bom_dashboard.py b/erpnext/manufacturing/doctype/bom/bom_dashboard.py new file mode 100644 index 0000000000..af710b0464 --- /dev/null +++ b/erpnext/manufacturing/doctype/bom/bom_dashboard.py @@ -0,0 +1,27 @@ +from __future__ import unicode_literals +from frappe import _ + +def get_data(): + return { + 'fieldname': 'bom_no', + 'non_standard_fieldnames': { + 'Item': 'default_bom', + 'Purchase Order': 'bom', + 'Purchase Receipt': 'bom', + 'Purchase Invoice': 'bom' + }, + 'transactions': [ + { + 'label': _('Stock'), + 'items': ['Item', 'Stock Entry', 'Quality Inspection'] + }, + { + 'label': _('Manufacture'), + 'items': ['BOM', 'Work Order', 'Job Card', 'Production Plan'] + }, + { + 'label': _('Purchase'), + 'items': ['Purchase Order', 'Purchase Receipt', 'Purchase Invoice'] + } + ] + } \ No newline at end of file diff --git a/erpnext/manufacturing/doctype/operation/operation_dashboard.py b/erpnext/manufacturing/doctype/operation/operation_dashboard.py new file mode 100644 index 0000000000..9e53a20ad5 --- /dev/null +++ b/erpnext/manufacturing/doctype/operation/operation_dashboard.py @@ -0,0 +1,13 @@ +from __future__ import unicode_literals +from frappe import _ + +def get_data(): + return { + 'fieldname': 'operation', + 'transactions': [ + { + 'label': _('Manufacture'), + 'items': ['BOM', 'Work Order', 'Job Card', 'Timesheet'] + } + ] + } \ No newline at end of file diff --git a/erpnext/manufacturing/doctype/routing/routing_dashboard.py b/erpnext/manufacturing/doctype/routing/routing_dashboard.py new file mode 100644 index 0000000000..ab309cc9d5 --- /dev/null +++ b/erpnext/manufacturing/doctype/routing/routing_dashboard.py @@ -0,0 +1,12 @@ +from __future__ import unicode_literals +from frappe import _ + +def get_data(): + return { + 'fieldname': 'routing', + 'transactions': [ + { + 'items': ['BOM'] + } + ] + } \ No newline at end of file diff --git a/erpnext/manufacturing/doctype/workstation/workstation_dashboard.py b/erpnext/manufacturing/doctype/workstation/workstation_dashboard.py new file mode 100644 index 0000000000..c5683134f2 --- /dev/null +++ b/erpnext/manufacturing/doctype/workstation/workstation_dashboard.py @@ -0,0 +1,13 @@ +from __future__ import unicode_literals +from frappe import _ + +def get_data(): + return { + 'fieldname': 'workstation', + 'transactions': [ + { + 'label': _('Manufacture'), + 'items': ['BOM', 'Routing', 'Work Order', 'Job Card', 'Operation', 'Timesheet'] + } + ] + } \ No newline at end of file diff --git a/erpnext/stock/doctype/item/item_dashboard.py b/erpnext/stock/doctype/item/item_dashboard.py index b3733d357b..4bf3c38e22 100644 --- a/erpnext/stock/doctype/item/item_dashboard.py +++ b/erpnext/stock/doctype/item/item_dashboard.py @@ -41,7 +41,7 @@ def get_data(): }, { 'label': _('Manufacture'), - 'items': ['Work Order', 'Item Manufacturer'] + 'items': ['Production Plan', 'Work Order', 'Item Manufacturer'] } ] } \ No newline at end of file From ad33c195100abfd35fd1d5ed16998c8ac1a3563b Mon Sep 17 00:00:00 2001 From: karthikeyan5 Date: Fri, 5 Jul 2019 11:28:59 +0530 Subject: [PATCH 106/132] fix: converting spaces to tabs on a few lines --- .../doctype/blanket_order/blanket_order_dashboard.py | 2 +- erpnext/manufacturing/doctype/bom/bom_dashboard.py | 10 +++++----- .../doctype/job_card/job_card_dashboard.py | 2 +- .../doctype/operation/operation_dashboard.py | 2 +- .../doctype/workstation/workstation_dashboard.py | 2 +- erpnext/stock/doctype/item/item_dashboard.py | 2 +- 6 files changed, 10 insertions(+), 10 deletions(-) diff --git a/erpnext/manufacturing/doctype/blanket_order/blanket_order_dashboard.py b/erpnext/manufacturing/doctype/blanket_order/blanket_order_dashboard.py index 0005439cb1..ed319a0cef 100644 --- a/erpnext/manufacturing/doctype/blanket_order/blanket_order_dashboard.py +++ b/erpnext/manufacturing/doctype/blanket_order/blanket_order_dashboard.py @@ -9,4 +9,4 @@ def get_data(): 'items': ['Purchase Order', 'Sales Order'] } ] - } \ No newline at end of file + } diff --git a/erpnext/manufacturing/doctype/bom/bom_dashboard.py b/erpnext/manufacturing/doctype/bom/bom_dashboard.py index af710b0464..803ece7c78 100644 --- a/erpnext/manufacturing/doctype/bom/bom_dashboard.py +++ b/erpnext/manufacturing/doctype/bom/bom_dashboard.py @@ -6,9 +6,9 @@ def get_data(): 'fieldname': 'bom_no', 'non_standard_fieldnames': { 'Item': 'default_bom', - 'Purchase Order': 'bom', - 'Purchase Receipt': 'bom', - 'Purchase Invoice': 'bom' + 'Purchase Order': 'bom', + 'Purchase Receipt': 'bom', + 'Purchase Invoice': 'bom' }, 'transactions': [ { @@ -19,9 +19,9 @@ def get_data(): 'label': _('Manufacture'), 'items': ['BOM', 'Work Order', 'Job Card', 'Production Plan'] }, - { + { 'label': _('Purchase'), 'items': ['Purchase Order', 'Purchase Receipt', 'Purchase Invoice'] } ] - } \ No newline at end of file + } diff --git a/erpnext/manufacturing/doctype/job_card/job_card_dashboard.py b/erpnext/manufacturing/doctype/job_card/job_card_dashboard.py index d48bccf9d4..c2aa2bd968 100644 --- a/erpnext/manufacturing/doctype/job_card/job_card_dashboard.py +++ b/erpnext/manufacturing/doctype/job_card/job_card_dashboard.py @@ -10,4 +10,4 @@ def get_data(): 'items': ['Material Request', 'Stock Entry'] } ] - } \ No newline at end of file + } diff --git a/erpnext/manufacturing/doctype/operation/operation_dashboard.py b/erpnext/manufacturing/doctype/operation/operation_dashboard.py index 9e53a20ad5..8deb9ec6e0 100644 --- a/erpnext/manufacturing/doctype/operation/operation_dashboard.py +++ b/erpnext/manufacturing/doctype/operation/operation_dashboard.py @@ -10,4 +10,4 @@ def get_data(): 'items': ['BOM', 'Work Order', 'Job Card', 'Timesheet'] } ] - } \ No newline at end of file + } diff --git a/erpnext/manufacturing/doctype/workstation/workstation_dashboard.py b/erpnext/manufacturing/doctype/workstation/workstation_dashboard.py index c5683134f2..9e0d1d1739 100644 --- a/erpnext/manufacturing/doctype/workstation/workstation_dashboard.py +++ b/erpnext/manufacturing/doctype/workstation/workstation_dashboard.py @@ -10,4 +10,4 @@ def get_data(): 'items': ['BOM', 'Routing', 'Work Order', 'Job Card', 'Operation', 'Timesheet'] } ] - } \ No newline at end of file + } diff --git a/erpnext/stock/doctype/item/item_dashboard.py b/erpnext/stock/doctype/item/item_dashboard.py index 4bf3c38e22..dd4676a037 100644 --- a/erpnext/stock/doctype/item/item_dashboard.py +++ b/erpnext/stock/doctype/item/item_dashboard.py @@ -44,4 +44,4 @@ def get_data(): 'items': ['Production Plan', 'Work Order', 'Item Manufacturer'] } ] - } \ No newline at end of file + } From cdb75b56c5a9c858b2a4b8b87aaa632f1e1a3ec6 Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Fri, 5 Jul 2019 12:20:02 +0530 Subject: [PATCH 107/132] fix: removed item manaufacturer child table from item master --- erpnext/stock/doctype/item/item.json | 11 ++--------- 1 file changed, 2 insertions(+), 9 deletions(-) diff --git a/erpnext/stock/doctype/item/item.json b/erpnext/stock/doctype/item/item.json index 3936bf7524..164ffa443b 100644 --- a/erpnext/stock/doctype/item/item.json +++ b/erpnext/stock/doctype/item/item.json @@ -76,7 +76,6 @@ "is_customer_provided_item", "customer", "supplier_details", - "manufacturers", "delivered_by_supplier", "column_break2", "supplier_items", @@ -1022,12 +1021,6 @@ "fieldtype": "Check", "label": "Synced With Hub", "read_only": 1 - }, - { - "fieldname": "manufacturers", - "fieldtype": "Table", - "label": "Manufacturers", - "options": "Item Manufacturer" } ], "has_web_view": 1, @@ -1035,7 +1028,7 @@ "idx": 2, "image_field": "image", "max_attachments": 1, - "modified": "2019-06-02 04:45:59.911507", + "modified": "2019-07-05 12:18:13.977931", "modified_by": "Administrator", "module": "Stock", "name": "Item", @@ -1097,4 +1090,4 @@ "sort_order": "DESC", "title_field": "item_name", "track_changes": 1 - } \ No newline at end of file + } From 82e2bac89112b74d577db1c917dece714439b651 Mon Sep 17 00:00:00 2001 From: karthikeyan5 Date: Fri, 5 Jul 2019 12:41:19 +0530 Subject: [PATCH 108/132] fix(coding style): adding a few spaces --- erpnext/manufacturing/doctype/blanket_order/blanket_order.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/manufacturing/doctype/blanket_order/blanket_order.js b/erpnext/manufacturing/doctype/blanket_order/blanket_order.js index d1bef3fcd0..0bbf689d4a 100644 --- a/erpnext/manufacturing/doctype/blanket_order/blanket_order.js +++ b/erpnext/manufacturing/doctype/blanket_order/blanket_order.js @@ -50,12 +50,12 @@ frappe.ui.form.on('Blanket Order', { }, set_tc_name_filter: function(frm) { - if (frm.doc.blanket_order_type === 'Selling'){ + if (frm.doc.blanket_order_type === 'Selling') { frm.set_query("tc_name", function() { return { filters: { selling: 1 } }; }); } - if (frm.doc.blanket_order_type === 'Purchasing'){ + if (frm.doc.blanket_order_type === 'Purchasing') { frm.set_query("tc_name", function() { return { filters: { buying: 1 } }; }); From 7a7c66e95e281181520ed0f5ea8c1ca5d10a1aa2 Mon Sep 17 00:00:00 2001 From: Shivam Mishra Date: Fri, 5 Jul 2019 13:06:53 +0530 Subject: [PATCH 109/132] refactor: added throw if supplier is not default for any item --- .../material_request/material_request.py | 27 ++++++++++--------- 1 file changed, 14 insertions(+), 13 deletions(-) diff --git a/erpnext/stock/doctype/material_request/material_request.py b/erpnext/stock/doctype/material_request/material_request.py index ef5f24e59d..2b079e7995 100644 --- a/erpnext/stock/doctype/material_request/material_request.py +++ b/erpnext/stock/doctype/material_request/material_request.py @@ -370,19 +370,20 @@ def make_purchase_order_based_on_supplier(source_name, target_doc=None): def get_material_requests_based_on_supplier(supplier): supplier_items = [d.parent for d in frappe.db.get_all("Item Default", {"default_supplier": supplier}, 'parent')] - if supplier_items: - material_requests = frappe.db.sql_list("""select distinct mr.name - from `tabMaterial Request` mr, `tabMaterial Request Item` mr_item - where mr.name = mr_item.parent - and mr_item.item_code in (%s) - and mr.material_request_type = 'Purchase' - and mr.per_ordered < 99.99 - and mr.docstatus = 1 - and mr.status != 'Stopped' - order by mr_item.item_code ASC""" % ', '.join(['%s']*len(supplier_items)), - tuple(supplier_items)) - else: - material_requests = [] + if not supplier_items: + frappe.throw(_("{0} is not the default supplier for any items.".format(supplier))) + + material_requests = frappe.db.sql_list("""select distinct mr.name + from `tabMaterial Request` mr, `tabMaterial Request Item` mr_item + where mr.name = mr_item.parent + and mr_item.item_code in (%s) + and mr.material_request_type = 'Purchase' + and mr.per_ordered < 99.99 + and mr.docstatus = 1 + and mr.status != 'Stopped' + order by mr_item.item_code ASC""" % ', '.join(['%s']*len(supplier_items)), + tuple(supplier_items)) + return material_requests, supplier_items @frappe.whitelist() From 2f3f7507c4d131d204b473938f9f33a4338983fd Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Sun, 28 Apr 2019 23:30:00 +0530 Subject: [PATCH 110/132] fix: browser hangs while making payment entry for large number of outstaning invoices --- .../doctype/payment_entry/payment_entry.js | 87 ++++++++++++------- .../doctype/payment_entry/payment_entry.json | 12 ++- .../doctype/payment_entry/payment_entry.py | 30 ++++--- erpnext/accounts/utils.py | 10 ++- 4 files changed, 86 insertions(+), 53 deletions(-) diff --git a/erpnext/accounts/doctype/payment_entry/payment_entry.js b/erpnext/accounts/doctype/payment_entry/payment_entry.js index 2c382c58f6..986457fac8 100644 --- a/erpnext/accounts/doctype/payment_entry/payment_entry.js +++ b/erpnext/accounts/doctype/payment_entry/payment_entry.js @@ -302,7 +302,7 @@ frappe.ui.form.on('Payment Entry', { }, () => frm.set_value("party_balance", r.message.party_balance), () => frm.set_value("party_name", r.message.party_name), - () => frm.events.get_outstanding_documents(frm), + () => frm.clear_table("references"), () => frm.events.hide_unhide_fields(frm), () => frm.events.set_dynamic_labels(frm), () => { @@ -323,9 +323,7 @@ frappe.ui.form.on('Payment Entry', { frm.events.set_account_currency_and_balance(frm, frm.doc.paid_from, "paid_from_account_currency", "paid_from_account_balance", function(frm) { - if (frm.doc.payment_type == "Receive") { - frm.events.get_outstanding_documents(frm); - } else if (frm.doc.payment_type == "Pay") { + if (frm.doc.payment_type == "Pay") { frm.events.paid_amount(frm); } } @@ -337,9 +335,7 @@ frappe.ui.form.on('Payment Entry', { frm.events.set_account_currency_and_balance(frm, frm.doc.paid_to, "paid_to_account_currency", "paid_to_account_balance", function(frm) { - if(frm.doc.payment_type == "Pay") { - frm.events.get_outstanding_documents(frm); - } else if (frm.doc.payment_type == "Receive") { + if (frm.doc.payment_type == "Receive") { if(frm.doc.paid_from_account_currency == frm.doc.paid_to_account_currency) { if(frm.doc.source_exchange_rate) { frm.set_value("target_exchange_rate", frm.doc.source_exchange_rate); @@ -533,26 +529,49 @@ frappe.ui.form.on('Payment Entry', { frm.events.set_unallocated_amount(frm); }, - get_outstanding_documents: function(frm) { + get_outstanding_invoice: function(frm) { + const fields = [ + {fieldtype:"Date", label: __("Posting From Date"), fieldname:"from_date"}, + {fieldtype:"Column Break"}, + {fieldtype:"Date", label: __("Posting To Date"), fieldname:"to_date"}, + {fieldtype:"Section Break"}, + ]; + + frappe.prompt(fields, function(data){ + frappe.flags.allocate_payment_amount = true; + frm.events.get_outstanding_documents(frm, data); + }, __("Select Date"), __("Get Outstanding Invoices")); + }, + + get_outstanding_documents: function(frm, date_args) { frm.clear_table("references"); - if(!frm.doc.party) return; + if(!frm.doc.party) { + return; + } frm.events.check_mandatory_to_fetch(frm); var company_currency = frappe.get_doc(":Company", frm.doc.company).default_currency; + var args = { + "posting_date": frm.doc.posting_date, + "company": frm.doc.company, + "party_type": frm.doc.party_type, + "payment_type": frm.doc.payment_type, + "party": frm.doc.party, + "party_account": frm.doc.payment_type=="Receive" ? frm.doc.paid_from : frm.doc.paid_to, + "cost_center": frm.doc.cost_center + } + + if(date_args) { + args["from_date"] = date_args["from_date"]; + args["to_date"] = date_args["to_date"]; + } + return frappe.call({ method: 'erpnext.accounts.doctype.payment_entry.payment_entry.get_outstanding_reference_documents', args: { - args: { - "posting_date": frm.doc.posting_date, - "company": frm.doc.company, - "party_type": frm.doc.party_type, - "payment_type": frm.doc.payment_type, - "party": frm.doc.party, - "party_account": frm.doc.payment_type=="Receive" ? frm.doc.paid_from : frm.doc.paid_to, - "cost_center": frm.doc.cost_center - } + args:args }, callback: function(r, rt) { if(r.message) { @@ -608,24 +627,26 @@ frappe.ui.form.on('Payment Entry', { frm.events.allocate_party_amount_against_ref_docs(frm, (frm.doc.payment_type=="Receive" ? frm.doc.paid_amount : frm.doc.received_amount)); + + frappe.flags.allocate_payment_amount = false; } }); }, - allocate_payment_amount: function(frm) { - if(frm.doc.payment_type == 'Internal Transfer'){ - return - } + // allocate_payment_amount: function(frm) { + // if(frm.doc.payment_type == 'Internal Transfer'){ + // return + // } - if(frm.doc.references.length == 0){ - frm.events.get_outstanding_documents(frm); - } - if(frm.doc.payment_type == 'Internal Transfer') { - frm.events.allocate_party_amount_against_ref_docs(frm, frm.doc.paid_amount); - } else { - frm.events.allocate_party_amount_against_ref_docs(frm, frm.doc.received_amount); - } - }, + // if(frm.doc.references.length == 0){ + // frm.events.get_outstanding_documents(frm); + // } + // if(frm.doc.payment_type == 'Internal Transfer') { + // frm.events.allocate_party_amount_against_ref_docs(frm, frm.doc.paid_amount); + // } else { + // frm.events.allocate_party_amount_against_ref_docs(frm, frm.doc.received_amount); + // } + // }, allocate_party_amount_against_ref_docs: function(frm, paid_amount) { var total_positive_outstanding_including_order = 0; @@ -677,7 +698,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(frm.doc.allocate_payment_amount){ + if(frappe.flags.allocate_payment_amount){ if(row.outstanding_amount > 0 && allocated_positive_outstanding > 0) { if(row.outstanding_amount >= allocated_positive_outstanding) { row.allocated_amount = allocated_positive_outstanding; @@ -958,7 +979,7 @@ frappe.ui.form.on('Payment Entry', { }, () => { if(frm.doc.payment_type != "Internal") { - frm.events.get_outstanding_documents(frm); + frm.clear_table("references"); } } ]); diff --git a/erpnext/accounts/doctype/payment_entry/payment_entry.json b/erpnext/accounts/doctype/payment_entry/payment_entry.json index fcaa570331..4950bd12d3 100644 --- a/erpnext/accounts/doctype/payment_entry/payment_entry.json +++ b/erpnext/accounts/doctype/payment_entry/payment_entry.json @@ -325,19 +325,17 @@ "reqd": 1 }, { - "collapsible": 1, - "collapsible_depends_on": "references", + "collapsible": 0, + "collapsible_depends_on": "", "depends_on": "eval:(doc.party && doc.paid_from && doc.paid_to && doc.paid_amount && doc.received_amount)", "fieldname": "section_break_14", "fieldtype": "Section Break", "label": "Reference" }, { - "default": "1", - "depends_on": "eval:in_list(['Pay', 'Receive'], doc.payment_type)", - "fieldname": "allocate_payment_amount", - "fieldtype": "Check", - "label": "Allocate Payment Amount" + "fieldname": "get_outstanding_invoice", + "fieldtype": "Button", + "label": "Get Outstanding Invoice" }, { "fieldname": "references", diff --git a/erpnext/accounts/doctype/payment_entry/payment_entry.py b/erpnext/accounts/doctype/payment_entry/payment_entry.py index ea76126d8c..bb0d44e9d4 100644 --- a/erpnext/accounts/doctype/payment_entry/payment_entry.py +++ b/erpnext/accounts/doctype/payment_entry/payment_entry.py @@ -574,8 +574,8 @@ def get_outstanding_reference_documents(args): # Get negative outstanding sales /purchase invoices negative_outstanding_invoices = [] if args.get("party_type") not in ["Student", "Employee"] and not args.get("voucher_no"): - negative_outstanding_invoices = get_negative_outstanding_invoices(args.get("party_type"), - args.get("party"), args.get("party_account"), party_account_currency, company_currency) + negative_outstanding_invoices = get_negative_outstanding_invoices(args.get("party_type"), args.get("party"), + args.get("party_account"), args.get("company"), party_account_currency, company_currency) # Get positive outstanding sales /purchase invoices/ Fees condition = "" @@ -585,10 +585,16 @@ def get_outstanding_reference_documents(args): # Add cost center condition if args.get("cost_center") and get_allow_cost_center_in_entry_of_bs_account(): - condition += " and cost_center='%s'" % args.get("cost_center") + condition += " and cost_center='%s'" % args.get("cost_center") + + if args.get("from_date") and args.get("to_date"): + condition += " and posting_date between '{0}' and '{1}'".format(args.get("from_date"), args.get("to_date")) + + if args.get("company"): + condition += " and company = '{0}'".format(frappe.db.escape(args.get("company"))) outstanding_invoices = get_outstanding_invoices(args.get("party_type"), args.get("party"), - args.get("party_account"), condition=condition) + args.get("party_account"), condition=condition, limit=100) for d in outstanding_invoices: d["exchange_rate"] = 1 @@ -606,12 +612,13 @@ def get_outstanding_reference_documents(args): orders_to_be_billed = [] if (args.get("party_type") != "Student"): orders_to_be_billed = get_orders_to_be_billed(args.get("posting_date"),args.get("party_type"), - args.get("party"), party_account_currency, company_currency) + args.get("party"), args.get("company"), party_account_currency, company_currency) return negative_outstanding_invoices + outstanding_invoices + orders_to_be_billed -def get_orders_to_be_billed(posting_date, party_type, party, party_account_currency, company_currency, cost_center=None): +def get_orders_to_be_billed(posting_date, party_type, party, + company, party_account_currency, company_currency, cost_center=None): if party_type == "Customer": voucher_type = 'Sales Order' elif party_type == "Supplier": @@ -641,6 +648,7 @@ def get_orders_to_be_billed(posting_date, party_type, party, party_account_curre where {party_type} = %s and docstatus = 1 + and company = %s and ifnull(status, "") != "Closed" and {ref_field} > advance_paid and abs(100 - per_billed) > 0.01 @@ -652,7 +660,7 @@ def get_orders_to_be_billed(posting_date, party_type, party, party_account_curre "voucher_type": voucher_type, "party_type": scrub(party_type), "condition": condition - }), party, as_dict=True) + }), (party, company), as_dict=True) order_list = [] for d in orders: @@ -663,7 +671,8 @@ def get_orders_to_be_billed(posting_date, party_type, party, party_account_curre return order_list -def get_negative_outstanding_invoices(party_type, party, party_account, party_account_currency, company_currency, cost_center=None): +def get_negative_outstanding_invoices(party_type, party, party_account, + company, party_account_currency, company_currency, cost_center=None): voucher_type = "Sales Invoice" if party_type == "Customer" else "Purchase Invoice" supplier_condition = "" if voucher_type == "Purchase Invoice": @@ -684,7 +693,8 @@ def get_negative_outstanding_invoices(party_type, party, party_account, party_ac from `tab{voucher_type}` where - {party_type} = %s and {party_account} = %s and docstatus = 1 and outstanding_amount < 0 + {party_type} = %s and {party_account} = %s and docstatus = 1 and + company = %s and outstanding_amount < 0 {supplier_condition} order by posting_date, name @@ -696,7 +706,7 @@ def get_negative_outstanding_invoices(party_type, party, party_account, party_ac "party_type": scrub(party_type), "party_account": "debit_to" if party_type == "Customer" else "credit_to", "cost_center": cost_center - }), (party, party_account), as_dict=True) + }), (party, party_account, company), as_dict=True) @frappe.whitelist() diff --git a/erpnext/accounts/utils.py b/erpnext/accounts/utils.py index 7a1f6c57c2..d1861785af 100644 --- a/erpnext/accounts/utils.py +++ b/erpnext/accounts/utils.py @@ -632,6 +632,10 @@ def get_outstanding_invoices(party_type, party, account, condition=None): outstanding_invoices = [] precision = frappe.get_precision("Sales Invoice", "outstanding_amount") or 2 + limit_cond = '' + if limit: + limit_cond = " limit {}".format(limit) + if erpnext.get_party_account_type(party_type) == 'Receivable': dr_or_cr = "debit_in_account_currency - credit_in_account_currency" payment_dr_or_cr = "credit_in_account_currency - debit_in_account_currency" @@ -673,11 +677,11 @@ def get_outstanding_invoices(party_type, party, account, condition=None): and account = %(account)s and {payment_dr_or_cr} > 0 and against_voucher is not null and against_voucher != '' - group by against_voucher_type, against_voucher - """.format(payment_dr_or_cr=payment_dr_or_cr), { + group by against_voucher_type, against_voucher {limit_cond} + """.format(payment_dr_or_cr=payment_dr_or_cr, limit_cond= limit_cond), { "party_type": party_type, "party": party, - "account": account, + "account": account }, as_dict=True) pe_map = frappe._dict() From 0f065d5de163a0eeb778a0e0c3d3d1af1808a1bc Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Thu, 2 May 2019 00:06:04 +0530 Subject: [PATCH 111/132] Added due date in the gl entry --- .../accounts/doctype/gl_entry/gl_entry.json | 35 ++++++++- .../doctype/journal_entry/journal_entry.py | 1 + .../doctype/payment_entry/payment_entry.js | 72 ++++++++++++------- .../doctype/payment_entry/payment_entry.json | 6 +- .../doctype/payment_entry/payment_entry.py | 32 ++++++--- .../purchase_invoice/purchase_invoice.py | 1 + .../doctype/sales_invoice/sales_invoice.py | 1 + erpnext/accounts/utils.py | 23 +++--- erpnext/patches.txt | 1 + .../patches/v12_0/update_due_date_in_gle.py | 17 +++++ 10 files changed, 139 insertions(+), 50 deletions(-) create mode 100644 erpnext/patches/v12_0/update_due_date_in_gle.py diff --git a/erpnext/accounts/doctype/gl_entry/gl_entry.json b/erpnext/accounts/doctype/gl_entry/gl_entry.json index 333d39aae6..a232a953f3 100644 --- a/erpnext/accounts/doctype/gl_entry/gl_entry.json +++ b/erpnext/accounts/doctype/gl_entry/gl_entry.json @@ -848,6 +848,39 @@ "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": "due_date", + "fieldtype": "Date", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Due Date", + "length": 0, + "no_copy": 0, + "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, @@ -861,7 +894,7 @@ "issingle": 0, "istable": 0, "max_attachments": 0, - "modified": "2019-01-07 07:05:00.366399", + "modified": "2019-05-01 07:05:00.366399", "modified_by": "Administrator", "module": "Accounts", "name": "GL Entry", diff --git a/erpnext/accounts/doctype/journal_entry/journal_entry.py b/erpnext/accounts/doctype/journal_entry/journal_entry.py index 3132c937dd..8fbddb9b0c 100644 --- a/erpnext/accounts/doctype/journal_entry/journal_entry.py +++ b/erpnext/accounts/doctype/journal_entry/journal_entry.py @@ -498,6 +498,7 @@ class JournalEntry(AccountsController): self.get_gl_dict({ "account": d.account, "party_type": d.party_type, + "due_date": self.due_date, "party": d.party, "against": d.against_account, "debit": flt(d.debit, d.precision("debit")), diff --git a/erpnext/accounts/doctype/payment_entry/payment_entry.js b/erpnext/accounts/doctype/payment_entry/payment_entry.js index 986457fac8..f17b2cbeda 100644 --- a/erpnext/accounts/doctype/payment_entry/payment_entry.js +++ b/erpnext/accounts/doctype/payment_entry/payment_entry.js @@ -530,20 +530,57 @@ frappe.ui.form.on('Payment Entry', { }, get_outstanding_invoice: function(frm) { + const today = frappe.datetime.get_today(); const fields = [ - {fieldtype:"Date", label: __("Posting From Date"), fieldname:"from_date"}, + {fieldtype:"Section Break", label: __("Posting Date")}, + {fieldtype:"Date", label: __("From Date"), + fieldname:"from_posting_date", default:frappe.datetime.add_days(today, -30)}, {fieldtype:"Column Break"}, - {fieldtype:"Date", label: __("Posting To Date"), fieldname:"to_date"}, + {fieldtype:"Date", label: __("To Date"), fieldname:"to_posting_date", default:today}, + {fieldtype:"Section Break", label: __("Due Date")}, + {fieldtype:"Date", label: __("From Date"), fieldname:"from_due_date"}, + {fieldtype:"Column Break"}, + {fieldtype:"Date", label: __("To Date"), fieldname:"to_due_date"}, + {fieldtype:"Section Break", label: __("Outstanding Amount")}, + {fieldtype:"Float", label: __("Greater Than Amount"), + fieldname:"outstanding_amt_greater_than", default: 0}, + {fieldtype:"Column Break"}, + {fieldtype:"Float", label: __("Less Than Amount"), fieldname:"outstanding_amt_less_than"}, {fieldtype:"Section Break"}, + {fieldtype:"Check", label: __("Allocate Payment Amount"), fieldname:"allocate_payment_amount", default:1}, ]; - frappe.prompt(fields, function(data){ + frappe.prompt(fields, function(filters){ frappe.flags.allocate_payment_amount = true; - frm.events.get_outstanding_documents(frm, data); - }, __("Select Date"), __("Get Outstanding Invoices")); + frm.events.validate_filters_data(frm, filters); + frm.events.get_outstanding_documents(frm, filters); + }, __("Filters"), __("Get Outstanding Invoices")); }, - get_outstanding_documents: function(frm, date_args) { + validate_filters_data: function(frm, filters) { + const fields = { + 'Posting Date': ['from_posting_date', 'to_posting_date'], + 'Due Date': ['from_posting_date', 'to_posting_date'], + 'Advance Amount': ['from_posting_date', 'to_posting_date'], + }; + + for (let key in fields) { + let from_field = fields[key][0]; + let to_field = fields[key][1]; + + if (filters[from_field] && !filters[to_field]) { + frappe.throw(__("Error: {0} is mandatory field", + [to_field.replace(/_/g, " ")] + )); + } else if (filters[from_field] && filters[from_field] > filters[to_field]) { + frappe.throw(__("{0}: {1} must be less than {2}", + [key, from_field.replace(/_/g, " "), to_field.replace(/_/g, " ")] + )); + } + } + }, + + get_outstanding_documents: function(frm, filters) { frm.clear_table("references"); if(!frm.doc.party) { @@ -563,11 +600,12 @@ frappe.ui.form.on('Payment Entry', { "cost_center": frm.doc.cost_center } - if(date_args) { - args["from_date"] = date_args["from_date"]; - args["to_date"] = date_args["to_date"]; + for (let key in filters) { + args[key] = filters[key]; } + frappe.flags.allocate_payment_amount = filters['allocate_payment_amount']; + return frappe.call({ method: 'erpnext.accounts.doctype.payment_entry.payment_entry.get_outstanding_reference_documents', args: { @@ -628,26 +666,10 @@ frappe.ui.form.on('Payment Entry', { frm.events.allocate_party_amount_against_ref_docs(frm, (frm.doc.payment_type=="Receive" ? frm.doc.paid_amount : frm.doc.received_amount)); - frappe.flags.allocate_payment_amount = false; } }); }, - // allocate_payment_amount: function(frm) { - // if(frm.doc.payment_type == 'Internal Transfer'){ - // return - // } - - // if(frm.doc.references.length == 0){ - // frm.events.get_outstanding_documents(frm); - // } - // if(frm.doc.payment_type == 'Internal Transfer') { - // frm.events.allocate_party_amount_against_ref_docs(frm, frm.doc.paid_amount); - // } else { - // frm.events.allocate_party_amount_against_ref_docs(frm, frm.doc.received_amount); - // } - // }, - allocate_party_amount_against_ref_docs: function(frm, paid_amount) { var total_positive_outstanding_including_order = 0; var total_negative_outstanding = 0; diff --git a/erpnext/accounts/doctype/payment_entry/payment_entry.json b/erpnext/accounts/doctype/payment_entry/payment_entry.json index 4950bd12d3..a85eccd30a 100644 --- a/erpnext/accounts/doctype/payment_entry/payment_entry.json +++ b/erpnext/accounts/doctype/payment_entry/payment_entry.json @@ -40,7 +40,7 @@ "target_exchange_rate", "base_received_amount", "section_break_14", - "allocate_payment_amount", + "get_outstanding_invoice", "references", "section_break_34", "total_allocated_amount", @@ -325,8 +325,6 @@ "reqd": 1 }, { - "collapsible": 0, - "collapsible_depends_on": "", "depends_on": "eval:(doc.party && doc.paid_from && doc.paid_to && doc.paid_amount && doc.received_amount)", "fieldname": "section_break_14", "fieldtype": "Section Break", @@ -568,7 +566,7 @@ } ], "is_submittable": 1, - "modified": "2019-05-25 22:02:40.575822", + "modified": "2019-05-27 15:53:21.108857", "modified_by": "Administrator", "module": "Accounts", "name": "Payment Entry", diff --git a/erpnext/accounts/doctype/payment_entry/payment_entry.py b/erpnext/accounts/doctype/payment_entry/payment_entry.py index bb0d44e9d4..699f04675f 100644 --- a/erpnext/accounts/doctype/payment_entry/payment_entry.py +++ b/erpnext/accounts/doctype/payment_entry/payment_entry.py @@ -587,14 +587,21 @@ def get_outstanding_reference_documents(args): if args.get("cost_center") and get_allow_cost_center_in_entry_of_bs_account(): condition += " and cost_center='%s'" % args.get("cost_center") - if args.get("from_date") and args.get("to_date"): - condition += " and posting_date between '{0}' and '{1}'".format(args.get("from_date"), args.get("to_date")) + date_fields_dict = { + 'posting_date': ['from_posting_date', 'to_posting_date'], + 'due_date': ['from_due_date', 'to_due_date'] + } + + for fieldname, date_fields in date_fields_dict.items(): + if args.get(date_fields[0]) and args.get(date_fields[1]): + condition += " and {0} between '{1}' and '{2}'".format(fieldname, + args.get(date_fields[0]), args.get(date_fields[1])) if args.get("company"): - condition += " and company = '{0}'".format(frappe.db.escape(args.get("company"))) + condition += " and company = {0}".format(frappe.db.escape(args.get("company"))) outstanding_invoices = get_outstanding_invoices(args.get("party_type"), args.get("party"), - args.get("party_account"), condition=condition, limit=100) + args.get("party_account"), filters=args, condition=condition, limit=100) for d in outstanding_invoices: d["exchange_rate"] = 1 @@ -612,13 +619,19 @@ def get_outstanding_reference_documents(args): orders_to_be_billed = [] if (args.get("party_type") != "Student"): orders_to_be_billed = get_orders_to_be_billed(args.get("posting_date"),args.get("party_type"), - args.get("party"), args.get("company"), party_account_currency, company_currency) + args.get("party"), args.get("company"), party_account_currency, company_currency, filters=args) - return negative_outstanding_invoices + outstanding_invoices + orders_to_be_billed + data = negative_outstanding_invoices + outstanding_invoices + orders_to_be_billed + + if not data: + frappe.msgprint(_("No outstanding invoices found for the {0} {1}.") + .format(args.get("party_type").lower(), args.get("party"))) + + return data def get_orders_to_be_billed(posting_date, party_type, party, - company, party_account_currency, company_currency, cost_center=None): + company, party_account_currency, company_currency, cost_center=None, filters=None): if party_type == "Customer": voucher_type = 'Sales Order' elif party_type == "Supplier": @@ -664,6 +677,10 @@ def get_orders_to_be_billed(posting_date, party_type, party, order_list = [] for d in orders: + if not (d.outstanding_amount >= filters.get("outstanding_amt_greater_than") + and d.outstanding_amount <= filters.get("outstanding_amt_less_than")): + continue + d["voucher_type"] = voucher_type # This assumes that the exchange rate required is the one in the SO d["exchange_rate"] = get_exchange_rate(party_account_currency, company_currency, posting_date) @@ -934,7 +951,6 @@ def get_payment_entry(dt, dn, party_amount=None, bank_account=None, bank_amount= pe.paid_to_account_currency = party_account_currency if payment_type=="Pay" else bank.account_currency pe.paid_amount = paid_amount pe.received_amount = received_amount - pe.allocate_payment_amount = 1 pe.letter_head = doc.get("letter_head") if pe.party_type in ["Customer", "Supplier"]: diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index a6f6acea66..1a49be3399 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -416,6 +416,7 @@ class PurchaseInvoice(BuyingController): "account": self.credit_to, "party_type": "Supplier", "party": self.supplier, + "due_date": self.due_date, "against": self.against_expense_account, "credit": grand_total_in_company_currency, "credit_in_account_currency": grand_total_in_company_currency \ diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index b725c73c8b..6d44811f19 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -734,6 +734,7 @@ class SalesInvoice(SellingController): "account": self.debit_to, "party_type": "Customer", "party": self.customer, + "due_date": self.due_date, "against": self.against_income_account, "debit": grand_total_in_company_currency, "debit_in_account_currency": grand_total_in_company_currency \ diff --git a/erpnext/accounts/utils.py b/erpnext/accounts/utils.py index d1861785af..542c7e4e52 100644 --- a/erpnext/accounts/utils.py +++ b/erpnext/accounts/utils.py @@ -628,14 +628,10 @@ def get_held_invoices(party_type, party): return held_invoices -def get_outstanding_invoices(party_type, party, account, condition=None): +def get_outstanding_invoices(party_type, party, account, condition=None, filters=None): outstanding_invoices = [] precision = frappe.get_precision("Sales Invoice", "outstanding_amount") or 2 - limit_cond = '' - if limit: - limit_cond = " limit {}".format(limit) - if erpnext.get_party_account_type(party_type) == 'Receivable': dr_or_cr = "debit_in_account_currency - credit_in_account_currency" payment_dr_or_cr = "credit_in_account_currency - debit_in_account_currency" @@ -648,7 +644,8 @@ def get_outstanding_invoices(party_type, party, account, condition=None): invoice_list = frappe.db.sql(""" select - voucher_no, voucher_type, posting_date, ifnull(sum({dr_or_cr}), 0) as invoice_amount + voucher_no, voucher_type, posting_date, due_date, + ifnull(sum({dr_or_cr}), 0) as invoice_amount from `tabGL Entry` where @@ -677,8 +674,8 @@ def get_outstanding_invoices(party_type, party, account, condition=None): and account = %(account)s and {payment_dr_or_cr} > 0 and against_voucher is not null and against_voucher != '' - group by against_voucher_type, against_voucher {limit_cond} - """.format(payment_dr_or_cr=payment_dr_or_cr, limit_cond= limit_cond), { + group by against_voucher_type, against_voucher + """.format(payment_dr_or_cr=payment_dr_or_cr), { "party_type": party_type, "party": party, "account": account @@ -692,10 +689,12 @@ def get_outstanding_invoices(party_type, party, account, condition=None): payment_amount = pe_map.get((d.voucher_type, d.voucher_no), 0) outstanding_amount = flt(d.invoice_amount - payment_amount, precision) if outstanding_amount > 0.5 / (10**precision): - if not d.voucher_type == "Purchase Invoice" or d.voucher_no not in held_invoices: - due_date = frappe.db.get_value( - d.voucher_type, d.voucher_no, "posting_date" if party_type == "Employee" else "due_date") + if (filters.get("outstanding_amt_greater_than") and + not (outstanding_amount >= filters.get("outstanding_amt_greater_than") and + outstanding_amount <= filters.get("outstanding_amt_less_than"))): + continue + if not d.voucher_type == "Purchase Invoice" or d.voucher_no not in held_invoices: outstanding_invoices.append( frappe._dict({ 'voucher_no': d.voucher_no, @@ -704,7 +703,7 @@ def get_outstanding_invoices(party_type, party, account, condition=None): 'invoice_amount': flt(d.invoice_amount), 'payment_amount': payment_amount, 'outstanding_amount': outstanding_amount, - 'due_date': due_date + 'due_date': d.due_date }) ) diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 72db8ad063..b35a6da586 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -615,3 +615,4 @@ erpnext.patches.v11_1.set_missing_opportunity_from erpnext.patches.v12_0.set_quotation_status erpnext.patches.v12_0.set_priority_for_support erpnext.patches.v12_0.delete_priority_property_setter +erpnext.patches.v12_0.update_due_date_in_gle diff --git a/erpnext/patches/v12_0/update_due_date_in_gle.py b/erpnext/patches/v12_0/update_due_date_in_gle.py new file mode 100644 index 0000000000..9e2be6fcee --- /dev/null +++ b/erpnext/patches/v12_0/update_due_date_in_gle.py @@ -0,0 +1,17 @@ +from __future__ import unicode_literals +import frappe + +def execute(): + frappe.reload_doc("accounts", "doctype", "gl_entry") + + for doctype in ["Sales Invoice", "Purchase Invoice", "Journal Entry"]: + frappe.reload_doc("accounts", "doctype", frappe.scrub(doctype)) + + frappe.db.sql(""" UPDATE `tabGL Entry`, `tab{doctype}` + SET + `tabGL Entry`.due_date = `tab{doctype}`.due_date + WHERE + `tabGL Entry`.voucher_no = `tab{doctype}`.name and `tabGL Entry`.party is not null + and `tabGL Entry`.voucher_type in ('Sales Invoice', 'Purchase Invoice', 'Journal Entry') + and account in (select name from `tabAccount` where account_type in ('Receivable', 'Payable') )""" + .format(doctype=doctype)) \ No newline at end of file From 909d7734626d65e8e179b28c8a8545abbbfab401 Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Thu, 4 Jul 2019 19:32:46 +0530 Subject: [PATCH 112/132] fix: on credit note / debit note deferred reversed instead of income --- .../accounts/doctype/purchase_invoice/purchase_invoice.py | 6 +++++- erpnext/accounts/doctype/sales_invoice/sales_invoice.py | 7 +++++-- 2 files changed, 10 insertions(+), 3 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index a6f6acea66..1b03896dab 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -484,9 +484,13 @@ class PurchaseInvoice(BuyingController): "credit": flt(item.rm_supp_cost) }, warehouse_account[self.supplier_warehouse]["account_currency"], item=item)) elif not item.is_fixed_asset or (item.is_fixed_asset and is_cwip_accounting_disabled()): + + expense_account = (item.expense_account + if (not item.enable_deferred_expense or self.is_return) else item.deferred_expense_account) + gl_entries.append( self.get_gl_dict({ - "account": item.expense_account if not item.enable_deferred_expense else item.deferred_expense_account, + "account": expense_account, "against": self.supplier, "debit": flt(item.base_net_amount, item.precision("base_net_amount")), "debit_in_account_currency": (flt(item.base_net_amount, diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py index b725c73c8b..71bdc2aafe 100644 --- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py @@ -783,10 +783,13 @@ class SalesInvoice(SellingController): asset.db_set("disposal_date", self.posting_date) asset.set_status("Sold" if self.docstatus==1 else None) else: - account_currency = get_account_currency(item.income_account) + income_account = (item.income_account + if (not item.enable_deferred_revenue or self.is_return) else item.deferred_revenue_account) + + account_currency = get_account_currency(income_account) gl_entries.append( self.get_gl_dict({ - "account": item.income_account if not item.enable_deferred_revenue else item.deferred_revenue_account, + "account": income_account, "against": self.customer, "credit": flt(item.base_net_amount, item.precision("base_net_amount")), "credit_in_account_currency": (flt(item.base_net_amount, item.precision("base_net_amount")) From ee01ba587902ee15b7e08ee9cb0a98a2b55cdd3a Mon Sep 17 00:00:00 2001 From: Mangesh-Khairnar Date: Fri, 5 Jul 2019 15:21:45 +0530 Subject: [PATCH 113/132] fix: linting --- erpnext/patches/v12_0/update_due_date_in_gle.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/patches/v12_0/update_due_date_in_gle.py b/erpnext/patches/v12_0/update_due_date_in_gle.py index 9e2be6fcee..4c47a82dcc 100644 --- a/erpnext/patches/v12_0/update_due_date_in_gle.py +++ b/erpnext/patches/v12_0/update_due_date_in_gle.py @@ -13,5 +13,5 @@ def execute(): WHERE `tabGL Entry`.voucher_no = `tab{doctype}`.name and `tabGL Entry`.party is not null and `tabGL Entry`.voucher_type in ('Sales Invoice', 'Purchase Invoice', 'Journal Entry') - and account in (select name from `tabAccount` where account_type in ('Receivable', 'Payable') )""" - .format(doctype=doctype)) \ No newline at end of file + and account in (select name from `tabAccount` where account_type in ('Receivable', 'Payable') )""" #nosec + .format(doctype=doctype)) From 6277966105a8765178ddc69e4487ccbfd4aa3a72 Mon Sep 17 00:00:00 2001 From: Shivam Mishra Date: Fri, 5 Jul 2019 15:58:13 +0530 Subject: [PATCH 114/132] chore: added check for auto-reorder in stock settings (#18174) * chore: added check for auto-reorder in stock settings * style: removed explicit return --- erpnext/stock/doctype/item/item.py | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py index 80d4e172a5..6484b93485 100644 --- a/erpnext/stock/doctype/item/item.py +++ b/erpnext/stock/doctype/item/item.py @@ -122,6 +122,7 @@ class Item(WebsiteGenerator): self.validate_item_defaults() self.validate_customer_provided_part() self.update_defaults_from_item_group() + self.validate_auto_reorder_enabled_in_stock_settings() self.cant_change() if not self.get("__islocal"): @@ -859,6 +860,12 @@ class Item(WebsiteGenerator): filters={"production_item": self.name, "docstatus": 1}): return True + def validate_auto_reorder_enabled_in_stock_settings(self): + if self.reorder_levels: + enabled = frappe.db.get_single_value('Stock Settings', 'auto_indent') + if not enabled: + frappe.msgprint(msg=_("You have to enable auto re-order in Stock Settings to maintain re-order levels."), title=_("Enable Auto Re-Order"), indicator="orange") + def get_timeline_data(doctype, name): '''returns timeline data based on stock ledger entry''' out = {} From 5d4d70b75f1404e28bfca4c435fcfb6d992d19fe Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Fri, 5 Jul 2019 16:59:27 +0530 Subject: [PATCH 115/132] feat: provision to make debit / credit note against the stock returned entry --- .../purchase_invoice/purchase_invoice.py | 6 +++-- erpnext/controllers/status_updater.py | 2 +- .../doctype/delivery_note/delivery_note.js | 26 +++++++++++++++++++ .../doctype/delivery_note/delivery_note.py | 5 +++- .../purchase_receipt/purchase_receipt.js | 23 ++++++++++++++++ .../purchase_receipt/purchase_receipt.py | 10 +++++++ 6 files changed, 68 insertions(+), 4 deletions(-) diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py index 4d87edf375..18a38d8c20 100644 --- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py @@ -337,7 +337,8 @@ class PurchaseInvoice(BuyingController): if not self.is_return: self.update_against_document_in_jv() self.update_billing_status_for_zero_amount_refdoc("Purchase Order") - self.update_billing_status_in_pr() + + self.update_billing_status_in_pr() # Updating stock ledger should always be called after updating prevdoc status, # because updating ordered qty in bin depends upon updated ordered qty in PO @@ -769,7 +770,8 @@ class PurchaseInvoice(BuyingController): if not self.is_return: self.update_billing_status_for_zero_amount_refdoc("Purchase Order") - self.update_billing_status_in_pr() + + self.update_billing_status_in_pr() # Updating stock ledger should always be called after updating prevdoc status, # because updating ordered qty in bin depends upon updated ordered qty in PO diff --git a/erpnext/controllers/status_updater.py b/erpnext/controllers/status_updater.py index 42e0a43e6e..62be2e4e2a 100644 --- a/erpnext/controllers/status_updater.py +++ b/erpnext/controllers/status_updater.py @@ -290,7 +290,7 @@ class StatusUpdater(Document): frappe.db.sql("""update `tab%(target_parent_dt)s` set %(target_parent_field)s = round( ifnull((select - ifnull(sum(if(%(target_ref_field)s > %(target_field)s, abs(%(target_field)s), abs(%(target_ref_field)s))), 0) + ifnull(sum(if(abs(%(target_ref_field)s) > abs(%(target_field)s), abs(%(target_field)s), abs(%(target_ref_field)s))), 0) / sum(abs(%(target_ref_field)s)) * 100 from `tab%(target_dt)s` where parent="%(name)s" having sum(abs(%(target_ref_field)s)) > 0), 0), 6) %(update_modified)s diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.js b/erpnext/stock/doctype/delivery_note/delivery_note.js index 78bc06a47b..8c4a5cd11c 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.js +++ b/erpnext/stock/doctype/delivery_note/delivery_note.js @@ -77,8 +77,34 @@ frappe.ui.form.on("Delivery Note", { }, + print_without_amount: function(frm) { erpnext.stock.delivery_note.set_print_hide(frm.doc); + }, + + refresh: function(frm) { + if (frm.doc.docstatus === 1 && frm.doc.is_return === 1 && frm.doc.per_billed !== 100) { + frm.add_custom_button(__('Credit Note'), function() { + frappe.confirm(__("Are you sure you want to make credit note?"), + function() { + frm.trigger("make_credit_note"); + } + ); + }, __('Create')); + + frm.page.set_inner_btn_group_as_primary(__('Create')); + } + }, + + make_credit_note: function(frm) { + frm.call({ + method: "make_return_invoice", + doc: frm.doc, + freeze: true, + callback: function() { + frm.reload_doc(); + } + }); } }); diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.py b/erpnext/stock/doctype/delivery_note/delivery_note.py index 1e522b834e..ec7df2da6d 100644 --- a/erpnext/stock/doctype/delivery_note/delivery_note.py +++ b/erpnext/stock/doctype/delivery_note/delivery_note.py @@ -333,7 +333,10 @@ class DeliveryNote(SellingController): return_invoice.is_return = True return_invoice.save() return_invoice.submit() - frappe.msgprint(_("Credit Note {0} has been created automatically").format(return_invoice.name)) + + credit_note_link = frappe.utils.get_link_to_form('Sales Invoice', return_invoice.name) + + frappe.msgprint(_("Credit Note {0} has been created automatically").format(credit_note_link)) except: frappe.throw(_("Could not create Credit Note automatically, please uncheck 'Issue Credit Note' and submit again")) diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js index e82aa2c63e..a2d3e75f23 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js @@ -38,6 +38,29 @@ frappe.ui.form.on("Purchase Receipt", { if(frm.doc.company) { frm.trigger("toggle_display_account_head"); } + + if (frm.doc.docstatus === 1 && frm.doc.is_return === 1 && frm.doc.per_billed !== 100) { + frm.add_custom_button(__('Debit Note'), function() { + frappe.confirm(__("Are you sure you want to make debit note?"), + function() { + frm.trigger("make_debit_note"); + } + ); + }, __('Create')); + + frm.page.set_inner_btn_group_as_primary(__('Create')); + } + }, + + make_debit_note: function(frm) { + frm.call({ + method: "make_return_invoice", + doc: frm.doc, + freeze: true, + callback: function() { + frm.reload_doc(); + } + }); }, company: function(frm) { diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py index cdca44d60b..11e60b0438 100644 --- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py @@ -396,6 +396,16 @@ class PurchaseReceipt(BuyingController): self.load_from_db() + def make_return_invoice(self): + return_invoice = make_purchase_invoice(self.name) + return_invoice.is_return = True + return_invoice.save() + return_invoice.submit() + + debit_note_link = frappe.utils.get_link_to_form('Purchase Invoice', return_invoice.name) + + frappe.msgprint(_("Debit Note {0} has been created automatically").format(debit_note_link)) + def update_billed_amount_based_on_po(po_detail, update_modified=True): # Billed against Sales Order directly billed_against_po = frappe.db.sql("""select sum(amount) from `tabPurchase Invoice Item` From 7ce199807cafc3c25c634adeb13b8924a081c578 Mon Sep 17 00:00:00 2001 From: deepeshgarg007 Date: Sun, 7 Jul 2019 14:25:08 +0530 Subject: [PATCH 116/132] fix: GSTR-1 B2CS Json file generation and cess amount fixes --- erpnext/regional/report/gstr_1/gstr_1.py | 55 ++++++++++++++++++++++-- 1 file changed, 52 insertions(+), 3 deletions(-) diff --git a/erpnext/regional/report/gstr_1/gstr_1.py b/erpnext/regional/report/gstr_1/gstr_1.py index eff578001f..e8c170e721 100644 --- a/erpnext/regional/report/gstr_1/gstr_1.py +++ b/erpnext/regional/report/gstr_1/gstr_1.py @@ -74,7 +74,6 @@ class Gstr1Report(object): for inv, items_based_on_rate in self.items_based_on_tax_rate.items(): invoice_details = self.invoices.get(inv) - for rate, items in items_based_on_rate.items(): place_of_supply = invoice_details.get("place_of_supply") ecommerce_gstin = invoice_details.get("ecommerce_gstin") @@ -85,7 +84,7 @@ class Gstr1Report(object): "rate": "", "taxable_value": 0, "cess_amount": 0, - "type": 0 + "type": "" }) row = b2cs_output.get((rate, place_of_supply, ecommerce_gstin)) @@ -94,6 +93,7 @@ class Gstr1Report(object): row["rate"] = rate row["taxable_value"] += sum([abs(net_amount) for item_code, net_amount in self.invoice_items.get(inv).items() if item_code in items]) + row["cess_amount"] += flt(self.invoice_cess.get(inv), 2) row["type"] = "E" if ecommerce_gstin else "OE" for key, value in iteritems(b2cs_output): @@ -123,6 +123,10 @@ class Gstr1Report(object): row += [tax_rate or 0, taxable_value] + for column in self.other_columns: + if column.get('fieldname') == 'cess_amount': + row.append(flt(self.invoice_cess.get(invoice), 2)) + return row, taxable_value def get_invoice_data(self): @@ -327,7 +331,7 @@ class Gstr1Report(object): "fieldtype": "Data" }, { - "fieldname": "invoice_type", + "fieldname": "gst_category", "label": "Invoice Type", "fieldtype": "Data" }, @@ -564,12 +568,18 @@ def get_json(): out = get_b2b_json(res, gstin) gst_json["b2b"] = out + elif filters["type_of_business"] == "B2C Large": for item in report_data[:-1]: res.setdefault(item["place_of_supply"], []).append(item) out = get_b2cl_json(res, gstin) gst_json["b2cl"] = out + + elif filters["type_of_business"] == "B2C Small": + out = get_b2cs_json(report_data[:-1], gstin) + gst_json["b2cs"] = out + elif filters["type_of_business"] == "EXPORT": for item in report_data[:-1]: res.setdefault(item["export_type"], []).append(item) @@ -605,6 +615,45 @@ def get_b2b_json(res, gstin): return out +def get_b2cs_json(data, gstin): + + company_state_number = gstin[0:2] + + out = [] + for d in data: + + pos = d.get('place_of_supply').split('-')[0] + tax_details = {} + + rate = d.get('rate', 0) + tax = flt((d["taxable_value"]*rate)/100.0, 2) + + if company_state_number == pos: + tax_details.update({"camt": flt(tax/2.0, 2), "samt": flt(tax/2.0, 2)}) + else: + tax_details.update({"iamt": tax}) + + inv = { + "sply_ty": "INTRA" if company_state_number == pos else "INTER", + "pos": pos, + "typ": d.get('type'), + "txval": flt(d.get('taxable_value'), 2), + "rt": rate, + "iamt": flt(tax_details.get('iamt'), 2), + "camt": flt(tax_details.get('camt'), 2), + "samt": flt(tax_details.get('samt'), 2), + "csamt": flt(d.get('cess_amount'), 2) + } + + if d.get('type') == "E" and d.get('ecommerce_gstin'): + inv.update({ + "etin": d.get('ecommerce_gstin') + }) + + out.append(inv) + + return out + def get_b2cl_json(res, gstin): out = [] for pos in res: From 6bb5ade667120dd5ec01cb2ea5d2aed9aa86eb6b Mon Sep 17 00:00:00 2001 From: deepeshgarg007 Date: Sun, 7 Jul 2019 21:24:45 +0530 Subject: [PATCH 117/132] fix: Add accounting dimensions to various reports and fixes --- .../accounting_dimension.js | 29 +++++++++++++------ .../accounting_dimension.json | 5 ++-- .../accounting_dimension.py | 6 ++-- .../accounts_payable/accounts_payable.js | 11 +++++++ .../accounts_payable_summary.js | 11 +++++++ .../accounts_receivable.js | 11 +++++++ .../accounts_receivable.py | 9 ++++++ .../accounts_receivable_summary.js | 11 +++++++ .../budget_variance_report.js | 4 +-- .../report/general_ledger/general_ledger.js | 4 +-- .../profitability_analysis.js | 9 ++++-- .../profitability_analysis.py | 19 ++++++++---- .../report/sales_register/sales_register.js | 11 +++++++ .../report/sales_register/sales_register.py | 11 +++++++ .../report/trial_balance/trial_balance.js | 4 +-- erpnext/public/js/financial_statements.js | 4 +-- .../public/js/utils/dimension_tree_filter.js | 2 +- 17 files changed, 127 insertions(+), 34 deletions(-) diff --git a/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js b/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js index fcbd10f606..dd20632a65 100644 --- a/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js +++ b/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js @@ -9,6 +9,26 @@ frappe.ui.form.on('Accounting Dimension', { frappe.set_route("List", frm.doc.document_type); }); } + + let button = frm.doc.disabled ? "Enable" : "Disable"; + + frm.add_custom_button(__(button), function() { + + frm.set_value('disabled', 1 - frm.doc.disabled); + + frappe.call({ + method: "erpnext.accounts.doctype.accounting_dimension.accounting_dimension.disable_dimension", + args: { + doc: frm.doc + }, + freeze: true, + callback: function(r) { + let message = frm.doc.disabled ? "Dimension Disabled" : "Dimension Enabled"; + frm.save(); + frappe.show_alert({message:__(message), indicator:'green'}); + } + }); + }); }, document_type: function(frm) { @@ -21,13 +41,4 @@ frappe.ui.form.on('Accounting Dimension', { } }); }, - - disabled: function(frm) { - frappe.call({ - method: "erpnext.accounts.doctype.accounting_dimension.accounting_dimension.disable_dimension", - args: { - doc: frm.doc - } - }); - } }); diff --git a/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.json b/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.json index 1e2bb925a1..57543a0ef4 100644 --- a/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.json +++ b/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.json @@ -38,7 +38,8 @@ "default": "0", "fieldname": "disabled", "fieldtype": "Check", - "label": "Disable" + "label": "Disable", + "read_only": 1 }, { "default": "0", @@ -53,7 +54,7 @@ "label": "Mandatory For Profit and Loss Account" } ], - "modified": "2019-05-27 18:18:17.792726", + "modified": "2019-07-07 18:56:19.517450", "modified_by": "Administrator", "module": "Accounts", "name": "Accounting Dimension", diff --git a/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py b/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py index 91d03be493..15ace7239e 100644 --- a/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py +++ b/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py @@ -121,11 +121,11 @@ def delete_accounting_dimension(doc): @frappe.whitelist() def disable_dimension(doc): if frappe.flags.in_test: - frappe.enqueue(start_dimension_disabling, doc=doc) + toggle_disabling(doc=doc) else: - start_dimension_disabling(doc=doc) + frappe.enqueue(toggle_disabling, doc=doc) -def start_dimension_disabling(doc): +def toggle_disabling(doc): doc = json.loads(doc) if doc.get('disabled'): diff --git a/erpnext/accounts/report/accounts_payable/accounts_payable.js b/erpnext/accounts/report/accounts_payable/accounts_payable.js index 70f193e787..f6a561f04f 100644 --- a/erpnext/accounts/report/accounts_payable/accounts_payable.js +++ b/erpnext/accounts/report/accounts_payable/accounts_payable.js @@ -108,3 +108,14 @@ frappe.query_reports["Accounts Payable"] = { }); } } + +erpnext.dimension_filters.then((dimensions) => { + dimensions.forEach((dimension) => { + frappe.query_reports["Accounts Payable"].filters.splice(9, 0 ,{ + "fieldname": dimension["fieldname"], + "label": __(dimension["label"]), + "fieldtype": "Link", + "options": dimension["document_type"] + }); + }); +}); diff --git a/erpnext/accounts/report/accounts_payable_summary/accounts_payable_summary.js b/erpnext/accounts/report/accounts_payable_summary/accounts_payable_summary.js index 06499adeea..ec4f0c983f 100644 --- a/erpnext/accounts/report/accounts_payable_summary/accounts_payable_summary.js +++ b/erpnext/accounts/report/accounts_payable_summary/accounts_payable_summary.js @@ -92,3 +92,14 @@ frappe.query_reports["Accounts Payable Summary"] = { }); } } + +erpnext.dimension_filters.then((dimensions) => { + dimensions.forEach((dimension) => { + frappe.query_reports["Accounts Payable Summary"].filters.splice(9, 0 ,{ + "fieldname": dimension["fieldname"], + "label": __(dimension["label"]), + "fieldtype": "Link", + "options": dimension["document_type"] + }); + }); +}); diff --git a/erpnext/accounts/report/accounts_receivable/accounts_receivable.js b/erpnext/accounts/report/accounts_receivable/accounts_receivable.js index 3661afe797..2a45454bac 100644 --- a/erpnext/accounts/report/accounts_receivable/accounts_receivable.js +++ b/erpnext/accounts/report/accounts_receivable/accounts_receivable.js @@ -172,3 +172,14 @@ frappe.query_reports["Accounts Receivable"] = { }); } } + +erpnext.dimension_filters.then((dimensions) => { + dimensions.forEach((dimension) => { + frappe.query_reports["Accounts Receivable"].filters.splice(9, 0 ,{ + "fieldname": dimension["fieldname"], + "label": __(dimension["label"]), + "fieldtype": "Link", + "options": dimension["document_type"] + }); + }); +}); diff --git a/erpnext/accounts/report/accounts_receivable/accounts_receivable.py b/erpnext/accounts/report/accounts_receivable/accounts_receivable.py index 29737484c7..0cda2c15dd 100755 --- a/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +++ b/erpnext/accounts/report/accounts_receivable/accounts_receivable.py @@ -5,6 +5,7 @@ from __future__ import unicode_literals import frappe, erpnext from frappe import _, scrub from frappe.utils import getdate, nowdate, flt, cint, formatdate, cstr +from erpnext.accounts.doctype.accounting_dimension.accounting_dimension import get_accounting_dimensions class ReceivablePayableReport(object): def __init__(self, filters=None): @@ -553,6 +554,14 @@ class ReceivablePayableReport(object): conditions.append("account in (%s)" % ','.join(['%s'] *len(accounts))) values += accounts + accounting_dimensions = get_accounting_dimensions() + + if accounting_dimensions: + for dimension in accounting_dimensions: + if self.filters.get(dimension): + conditions.append("{0} = %s".format(dimension)) + values.append(self.filters.get(dimension)) + return " and ".join(conditions), values def get_gl_entries_for(self, party, party_type, against_voucher_type, against_voucher): diff --git a/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.js b/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.js index f9162adabd..a7c0787fcd 100644 --- a/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.js +++ b/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.js @@ -116,3 +116,14 @@ frappe.query_reports["Accounts Receivable Summary"] = { }); } } + +erpnext.dimension_filters.then((dimensions) => { + dimensions.forEach((dimension) => { + frappe.query_reports["Accounts Receivable Summary"].filters.splice(9, 0 ,{ + "fieldname": dimension["fieldname"], + "label": __(dimension["label"]), + "fieldtype": "Link", + "options": dimension["document_type"] + }); + }); +}); diff --git a/erpnext/accounts/report/budget_variance_report/budget_variance_report.js b/erpnext/accounts/report/budget_variance_report/budget_variance_report.js index b2072f06f1..f2a33a83ee 100644 --- a/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +++ b/erpnext/accounts/report/budget_variance_report/budget_variance_report.js @@ -63,9 +63,7 @@ frappe.query_reports["Budget Variance Report"] = { ] } -let dimension_filters = erpnext.get_dimension_filters(); - -dimension_filters.then((dimensions) => { +erpnext.dimension_filters.then((dimensions) => { dimensions.forEach((dimension) => { frappe.query_reports["Budget Variance Report"].filters[4].options.push(dimension["document_type"]); }); diff --git a/erpnext/accounts/report/general_ledger/general_ledger.js b/erpnext/accounts/report/general_ledger/general_ledger.js index 32af644021..ea82575b80 100644 --- a/erpnext/accounts/report/general_ledger/general_ledger.js +++ b/erpnext/accounts/report/general_ledger/general_ledger.js @@ -159,9 +159,7 @@ frappe.query_reports["General Ledger"] = { ] } -let dimension_filters = erpnext.get_dimension_filters(); - -dimension_filters.then((dimensions) => { +erpnext.dimension_filters.then((dimensions) => { dimensions.forEach((dimension) => { frappe.query_reports["General Ledger"].filters.splice(15, 0 ,{ "fieldname": dimension["fieldname"], diff --git a/erpnext/accounts/report/profitability_analysis/profitability_analysis.js b/erpnext/accounts/report/profitability_analysis/profitability_analysis.js index 80b50b92c3..d6864b54f7 100644 --- a/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +++ b/erpnext/accounts/report/profitability_analysis/profitability_analysis.js @@ -16,7 +16,7 @@ frappe.require("assets/erpnext/js/financial_statements.js", function() { "fieldname": "based_on", "label": __("Based On"), "fieldtype": "Select", - "options": "Cost Center\nProject", + "options": ["Cost Center", "Project"], "default": "Cost Center", "reqd": 1 }, @@ -104,5 +104,10 @@ frappe.require("assets/erpnext/js/financial_statements.js", function() { "parent_field": "parent_account", "initial_depth": 3 } -}); + erpnext.dimension_filters.then((dimensions) => { + dimensions.forEach((dimension) => { + frappe.query_reports["Profitability Analysis"].filters[1].options.push(dimension["document_type"]); + }); + }); +}); diff --git a/erpnext/accounts/report/profitability_analysis/profitability_analysis.py b/erpnext/accounts/report/profitability_analysis/profitability_analysis.py index a0d8c5f0e4..6e9b31f2f6 100644 --- a/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +++ b/erpnext/accounts/report/profitability_analysis/profitability_analysis.py @@ -24,8 +24,17 @@ def get_accounts_data(based_on, company): if based_on == 'cost_center': return frappe.db.sql("""select name, parent_cost_center as parent_account, cost_center_name as account_name, lft, rgt from `tabCost Center` where company=%s order by name""", company, as_dict=True) - else: + elif based_on == 'project': return frappe.get_all('Project', fields = ["name"], filters = {'company': company}, order_by = 'name') + else: + filters = {} + doctype = frappe.unscrub(based_on) + has_company = frappe.db.has_column(doctype, 'company') + + if has_company: + filters.update({'company': company}) + + return frappe.get_all(doctype, fields = ["name"], filters = filters, order_by = 'name') def get_data(accounts, filters, based_on): if not accounts: @@ -42,7 +51,7 @@ def get_data(accounts, filters, based_on): accumulate_values_into_parents(accounts, accounts_by_name) data = prepare_data(accounts, filters, total_row, parent_children_map, based_on) - data = filter_out_zero_value_rows(data, parent_children_map, + data = filter_out_zero_value_rows(data, parent_children_map, show_zero_values=filters.get("show_zero_values")) return data @@ -112,14 +121,14 @@ def prepare_data(accounts, filters, total_row, parent_children_map, based_on): for key in value_fields: row[key] = flt(d.get(key, 0.0), 3) - + if abs(row[key]) >= 0.005: # ignore zero values has_value = True row["has_value"] = has_value data.append(row) - + data.extend([{},total_row]) return data @@ -174,7 +183,7 @@ def set_gl_entries_by_account(company, from_date, to_date, based_on, gl_entries_ if from_date: additional_conditions.append("and posting_date >= %(from_date)s") - gl_entries = frappe.db.sql("""select posting_date, {based_on} as based_on, debit, credit, + gl_entries = frappe.db.sql("""select posting_date, {based_on} as based_on, debit, credit, is_opening, (select root_type from `tabAccount` where name = account) as type from `tabGL Entry` where company=%(company)s {additional_conditions} diff --git a/erpnext/accounts/report/sales_register/sales_register.js b/erpnext/accounts/report/sales_register/sales_register.js index 0b48882ca9..442aa1262e 100644 --- a/erpnext/accounts/report/sales_register/sales_register.js +++ b/erpnext/accounts/report/sales_register/sales_register.js @@ -67,3 +67,14 @@ frappe.query_reports["Sales Register"] = { } ] } + +erpnext.dimension_filters.then((dimensions) => { + dimensions.forEach((dimension) => { + frappe.query_reports["Sales Register"].filters.splice(7, 0 ,{ + "fieldname": dimension["fieldname"], + "label": __(dimension["label"]), + "fieldtype": "Link", + "options": dimension["document_type"] + }); + }); +}); diff --git a/erpnext/accounts/report/sales_register/sales_register.py b/erpnext/accounts/report/sales_register/sales_register.py index de60995ca2..d08056f6f9 100644 --- a/erpnext/accounts/report/sales_register/sales_register.py +++ b/erpnext/accounts/report/sales_register/sales_register.py @@ -5,6 +5,7 @@ from __future__ import unicode_literals import frappe from frappe.utils import flt from frappe import msgprint, _ +from erpnext.accounts.doctype.accounting_dimension.accounting_dimension import get_accounting_dimensions def execute(filters=None): return _execute(filters) @@ -163,6 +164,16 @@ def get_conditions(filters): where parent=`tabSales Invoice`.name and ifnull(`tabSales Invoice Item`.item_group, '') = %(item_group)s)""" + accounting_dimensions = get_accounting_dimensions() + + if accounting_dimensions: + for dimension in accounting_dimensions: + if filters.get(dimension): + conditions += """ and exists(select name from `tabSales Invoice Item` + where parent=`tabSales Invoice`.name + and ifnull(`tabSales Invoice Item`.{0}, '') = %({0})s)""".format(dimension) + + return conditions def get_invoices(filters, additional_query_columns): diff --git a/erpnext/accounts/report/trial_balance/trial_balance.js b/erpnext/accounts/report/trial_balance/trial_balance.js index 8bc72807b3..73d2ab3898 100644 --- a/erpnext/accounts/report/trial_balance/trial_balance.js +++ b/erpnext/accounts/report/trial_balance/trial_balance.js @@ -96,9 +96,7 @@ frappe.require("assets/erpnext/js/financial_statements.js", function() { } }); -let dimension_filters = erpnext.get_dimension_filters(); - -dimension_filters.then((dimensions) => { +erpnext.dimension_filters.then((dimensions) => { dimensions.forEach((dimension) => { frappe.query_reports["Trial Balance"].filters.splice(5, 0 ,{ "fieldname": dimension["fieldname"], diff --git a/erpnext/public/js/financial_statements.js b/erpnext/public/js/financial_statements.js index d1113a4ca4..89cb13d981 100644 --- a/erpnext/public/js/financial_statements.js +++ b/erpnext/public/js/financial_statements.js @@ -129,9 +129,7 @@ function get_filters(){ } ] - let dimension_filters = erpnext.get_dimension_filters(); - - dimension_filters.then((dimensions) => { + erpnext.dimension_filters.then((dimensions) => { dimensions.forEach((dimension) => { filters.push({ "fieldname": dimension["fieldname"], diff --git a/erpnext/public/js/utils/dimension_tree_filter.js b/erpnext/public/js/utils/dimension_tree_filter.js index fef450795b..a9122d8dff 100644 --- a/erpnext/public/js/utils/dimension_tree_filter.js +++ b/erpnext/public/js/utils/dimension_tree_filter.js @@ -7,7 +7,7 @@ erpnext.doctypes_with_dimensions = ["GL Entry", "Sales Invoice", "Purchase Invoi "Landed Cost Item", "Asset Value Adjustment", "Loyalty Program", "Fee Schedule", "Fee Structure", "Stock Reconciliation", "Travel Request", "Fees", "POS Profile"]; -let dimension_filters = erpnext.get_dimension_filters(); +erpnext.dimension_filters = erpnext.get_dimension_filters(); erpnext.doctypes_with_dimensions.forEach((doctype) => { frappe.ui.form.on(doctype, { From 35f15148fb60df17d709925ee81155d98c7422c6 Mon Sep 17 00:00:00 2001 From: Himanshu Date: Mon, 8 Jul 2019 04:55:28 +0000 Subject: [PATCH 118/132] fix: do not update modified (#18193) --- erpnext/support/doctype/issue/issue.py | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/erpnext/support/doctype/issue/issue.py b/erpnext/support/doctype/issue/issue.py index 93f13f1f9f..ad1c263250 100644 --- a/erpnext/support/doctype/issue/issue.py +++ b/erpnext/support/doctype/issue/issue.py @@ -258,15 +258,15 @@ def set_service_level_agreement_variance(issue=None): if not doc.first_responded_on: # first_responded_on set when first reply is sent to customer variance = round(time_diff_in_hours(doc.response_by, current_time), 2) - frappe.db.set_value("Issue", doc.name, "response_by_variance", variance) + frappe.db.set_value(dt="Issue", dn=doc.name, field="response_by_variance", val=variance, update_modified=False) if variance < 0: - frappe.db.set_value("Issue", doc.name, "agreement_fulfilled", "Failed") + frappe.db.set_value(dt="Issue", dn=doc.name, field="agreement_fulfilled", val="Failed", update_modified=False) if not doc.resolution_date: # resolution_date set when issue has been closed variance = round(time_diff_in_hours(doc.resolution_by, current_time), 2) - frappe.db.set_value("Issue", doc.name, "resolution_by_variance", variance) + frappe.db.set_value(dt="Issue", dn=doc.name, field="resolution_by_variance", val=variance, update_modified=False) if variance < 0: - frappe.db.set_value("Issue", doc.name, "agreement_fulfilled", "Failed") + frappe.db.set_value(dt="Issue", dn=doc.name, field="agreement_fulfilled", val="Failed", update_modified=False) def get_list_context(context=None): return { From 334335a2efdcb86a41230a57cb6e41f1e1342c25 Mon Sep 17 00:00:00 2001 From: rohitwaghchaure Date: Mon, 8 Jul 2019 10:26:29 +0530 Subject: [PATCH 119/132] fix: not able to make credit note for the sales invoice in which item code is not set (#18184) --- erpnext/controllers/sales_and_purchase_return.py | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/erpnext/controllers/sales_and_purchase_return.py b/erpnext/controllers/sales_and_purchase_return.py index 8cf11f785b..2fddcdf24c 100644 --- a/erpnext/controllers/sales_and_purchase_return.py +++ b/erpnext/controllers/sales_and_purchase_return.py @@ -75,7 +75,7 @@ def validate_returned_items(doc): items_returned = False for d in doc.get("items"): - if flt(d.qty) < 0 or d.get('received_qty') < 0: + if d.item_code and (flt(d.qty) < 0 or d.get('received_qty') < 0): if d.item_code not in valid_items: frappe.throw(_("Row # {0}: Returned Item {1} does not exists in {2} {3}") .format(d.idx, d.item_code, doc.doctype, doc.return_against)) @@ -107,6 +107,9 @@ def validate_returned_items(doc): items_returned = True + elif d.item_name: + items_returned = True + if not items_returned: frappe.throw(_("Atleast one item should be entered with negative quantity in return document")) From d86f027ce011bd194c092998d531f2192d9c599f Mon Sep 17 00:00:00 2001 From: rohitwaghchaure Date: Mon, 8 Jul 2019 10:29:26 +0530 Subject: [PATCH 120/132] fix: default supplier was not set from the patch in item defaults for multi company instance (#18178) --- erpnext/patches.txt | 1 + ...pdate_default_supplier_in_item_defaults.py | 25 +++++++++++++++++++ 2 files changed, 26 insertions(+) create mode 100644 erpnext/patches/v11_1/update_default_supplier_in_item_defaults.py diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 0dd88e94e0..70bad34209 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -615,5 +615,6 @@ erpnext.patches.v11_1.set_missing_opportunity_from erpnext.patches.v12_0.set_quotation_status erpnext.patches.v12_0.set_priority_for_support erpnext.patches.v12_0.delete_priority_property_setter +erpnext.patches.v11_1.update_default_supplier_in_item_defaults erpnext.patches.v12_0.update_due_date_in_gle erpnext.patches.v12_0.add_default_buying_selling_terms_in_company diff --git a/erpnext/patches/v11_1/update_default_supplier_in_item_defaults.py b/erpnext/patches/v11_1/update_default_supplier_in_item_defaults.py new file mode 100644 index 0000000000..347dec1f74 --- /dev/null +++ b/erpnext/patches/v11_1/update_default_supplier_in_item_defaults.py @@ -0,0 +1,25 @@ +# Copyright (c) 2018, Frappe and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + ''' + default supplier was not set in the item defaults for multi company instance, + this patch will set the default supplier + + ''' + if not frappe.db.has_column('Item', 'default_supplier'): + return + + frappe.reload_doc('stock', 'doctype', 'item_default') + frappe.reload_doc('stock', 'doctype', 'item') + + companies = frappe.get_all("Company") + if len(companies) > 1: + frappe.db.sql(""" UPDATE `tabItem Default`, `tabItem` + SET `tabItem Default`.default_supplier = `tabItem`.default_supplier + WHERE + `tabItem Default`.parent = `tabItem`.name and `tabItem Default`.default_supplier is null + and `tabItem`.default_supplier is not null and `tabItem`.default_supplier != '' """) \ No newline at end of file From bef897602d5ab745bcd0051da7843f11fcf6b3fd Mon Sep 17 00:00:00 2001 From: Suraj Shetty <13928957+surajshetty3416@users.noreply.github.com> Date: Mon, 8 Jul 2019 10:30:26 +0530 Subject: [PATCH 121/132] fix: Use db_set since it triggers on_update event (#18175) --- .../doctype/bank_reconciliation/bank_reconciliation.py | 8 +++----- 1 file changed, 3 insertions(+), 5 deletions(-) diff --git a/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py b/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py index 28807c4118..90cdf834c5 100644 --- a/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +++ b/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py @@ -103,7 +103,7 @@ class BankReconciliation(Document): for d in self.get('payment_entries'): if d.clearance_date: if not d.payment_document: - frappe.throw(_("Row #{0}: Payment document is required to complete the trasaction")) + frappe.throw(_("Row #{0}: Payment document is required to complete the transaction")) if d.cheque_date and getdate(d.clearance_date) < getdate(d.cheque_date): frappe.throw(_("Row #{0}: Clearance date {1} cannot be before Cheque Date {2}") @@ -113,10 +113,8 @@ class BankReconciliation(Document): if not d.clearance_date: d.clearance_date = None - frappe.db.set_value(d.payment_document, d.payment_entry, "clearance_date", d.clearance_date) - frappe.db.sql("""update `tab{0}` set clearance_date = %s, modified = %s - where name=%s""".format(d.payment_document), - (d.clearance_date, nowdate(), d.payment_entry)) + payment_entry = frappe.get_doc(d.payment_document, d.payment_entry) + payment_entry.db_set('clearance_date', d.clearance_date) clearance_date_updated = True From 8309fcfbbc6cc5a97568aa988b993ebc8157e4e7 Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Mon, 8 Jul 2019 10:39:30 +0530 Subject: [PATCH 122/132] BREAKING CHANGE: Remove anti-pattern "Project Task" (#18059) * BREAKING CHANGE: Remove anti-pattern "Project Task" * fix(tests): remove `tasks` from project/test_records.json * fix(tests) * fix(test): test_employee_onboarding.py * fix(tests): test_expense_claim.py * fix(refactor): cleanup project.py validate/update * fix(refactor): cleanup project.py validate/update * fix(test): test_expense_claim * fix(test): test_expense_claim * fix(test): test_expense_claim, try Test Company 4 * Update project.py --- .../test_employee_onboarding.py | 10 +- .../expense_claim/test_expense_claim.py | 52 +- erpnext/patches.txt | 1 + erpnext/patches/v12_0/set_task_status.py | 3 +- erpnext/projects/doctype/project/project.js | 71 - erpnext/projects/doctype/project/project.json | 1715 ++--------------- erpnext/projects/doctype/project/project.py | 254 +-- .../projects/doctype/project/test_project.py | 18 +- .../doctype/project/test_records.json | 8 +- .../projects/doctype/project_task/__init__.py | 0 .../doctype/project_task/project_task.json | 430 ----- .../doctype/project_task/project_task.py | 9 - erpnext/projects/doctype/task/task.py | 6 - .../doctype/sales_order/sales_order.py | 6 - 14 files changed, 187 insertions(+), 2396 deletions(-) delete mode 100644 erpnext/projects/doctype/project_task/__init__.py delete mode 100644 erpnext/projects/doctype/project_task/project_task.json delete mode 100644 erpnext/projects/doctype/project_task/project_task.py diff --git a/erpnext/hr/doctype/employee_onboarding/test_employee_onboarding.py b/erpnext/hr/doctype/employee_onboarding/test_employee_onboarding.py index 5e7f276ccc..35c9f728b6 100644 --- a/erpnext/hr/doctype/employee_onboarding/test_employee_onboarding.py +++ b/erpnext/hr/doctype/employee_onboarding/test_employee_onboarding.py @@ -12,7 +12,7 @@ from erpnext.hr.doctype.employee_onboarding.employee_onboarding import Incomplet class TestEmployeeOnboarding(unittest.TestCase): def test_employee_onboarding_incomplete_task(self): if frappe.db.exists('Employee Onboarding', {'employee_name': 'Test Researcher'}): - return frappe.get_doc('Employee Onboarding', {'employee_name': 'Test Researcher'}) + frappe.delete_doc('Employee Onboarding', {'employee_name': 'Test Researcher'}) _set_up() applicant = get_job_applicant() onboarding = frappe.new_doc('Employee Onboarding') @@ -39,9 +39,10 @@ class TestEmployeeOnboarding(unittest.TestCase): # complete the task project = frappe.get_doc('Project', onboarding.project) - project.load_tasks() - project.tasks[0].status = 'Completed' - project.save() + for task in frappe.get_all('Task', dict(project=project.name)): + task = frappe.get_doc('Task', task.name) + task.status = 'Completed' + task.save() # make employee onboarding.reload() @@ -71,4 +72,3 @@ def _set_up(): project = "Employee Onboarding : Test Researcher - test@researcher.com" frappe.db.sql("delete from tabProject where name=%s", project) frappe.db.sql("delete from tabTask where project=%s", project) - frappe.db.sql("delete from `tabProject Task` where parent=%s", project) diff --git a/erpnext/hr/doctype/expense_claim/test_expense_claim.py b/erpnext/hr/doctype/expense_claim/test_expense_claim.py index 92fdc09443..6618a4f7c5 100644 --- a/erpnext/hr/doctype/expense_claim/test_expense_claim.py +++ b/erpnext/hr/doctype/expense_claim/test_expense_claim.py @@ -10,33 +10,36 @@ from erpnext.accounts.doctype.account.test_account import create_account test_records = frappe.get_test_records('Expense Claim') test_dependencies = ['Employee'] +company_name = '_Test Company 4' + class TestExpenseClaim(unittest.TestCase): def test_total_expense_claim_for_project(self): frappe.db.sql("""delete from `tabTask` where project = "_Test Project 1" """) - frappe.db.sql("""delete from `tabProject Task` where parent = "_Test Project 1" """) frappe.db.sql("""delete from `tabProject` where name = "_Test Project 1" """) - frappe.db.sql("delete from `tabExpense Claim` where project='_Test Project 1'") + frappe.db.sql("update `tabExpense Claim` set project = '', task = ''") frappe.get_doc({ "project_name": "_Test Project 1", - "doctype": "Project", + "doctype": "Project" }).save() - task = frappe.get_doc({ - "doctype": "Task", - "subject": "_Test Project Task 1", - "project": "_Test Project 1" - }).save() + task = frappe.get_doc(dict( + doctype = 'Task', + subject = '_Test Project Task 1', + status = 'Open', + project = '_Test Project 1' + )).insert() - task_name = frappe.db.get_value("Task", {"project": "_Test Project 1"}) - payable_account = get_payable_account("Wind Power LLC") - make_expense_claim(payable_account, 300, 200, "Wind Power LLC","Travel Expenses - WP", "_Test Project 1", task_name) + task_name = task.name + payable_account = get_payable_account(company_name) + + make_expense_claim(payable_account, 300, 200, company_name, "Travel Expenses - _TC4", "_Test Project 1", task_name) self.assertEqual(frappe.db.get_value("Task", task_name, "total_expense_claim"), 200) self.assertEqual(frappe.db.get_value("Project", "_Test Project 1", "total_expense_claim"), 200) - expense_claim2 = make_expense_claim(payable_account, 600, 500, "Wind Power LLC", "Travel Expenses - WP","_Test Project 1", task_name) + expense_claim2 = make_expense_claim(payable_account, 600, 500, company_name, "Travel Expenses - _TC4","_Test Project 1", task_name) self.assertEqual(frappe.db.get_value("Task", task_name, "total_expense_claim"), 700) self.assertEqual(frappe.db.get_value("Project", "_Test Project 1", "total_expense_claim"), 700) @@ -48,8 +51,8 @@ class TestExpenseClaim(unittest.TestCase): self.assertEqual(frappe.db.get_value("Project", "_Test Project 1", "total_expense_claim"), 200) def test_expense_claim_status(self): - payable_account = get_payable_account("Wind Power LLC") - expense_claim = make_expense_claim(payable_account, 300, 200, "Wind Power LLC", "Travel Expenses - WP") + payable_account = get_payable_account(company_name) + expense_claim = make_expense_claim(payable_account, 300, 200, company_name, "Travel Expenses - _TC4") je_dict = make_bank_entry("Expense Claim", expense_claim.name) je = frappe.get_doc(je_dict) @@ -66,9 +69,9 @@ class TestExpenseClaim(unittest.TestCase): self.assertEqual(expense_claim.status, "Unpaid") def test_expense_claim_gl_entry(self): - payable_account = get_payable_account("Wind Power LLC") + payable_account = get_payable_account(company_name) taxes = generate_taxes() - expense_claim = make_expense_claim(payable_account, 300, 200, "Wind Power LLC", "Travel Expenses - WP", do_not_submit=True, taxes=taxes) + expense_claim = make_expense_claim(payable_account, 300, 200, company_name, "Travel Expenses - _TC4", do_not_submit=True, taxes=taxes) expense_claim.submit() gl_entries = frappe.db.sql("""select account, debit, credit @@ -78,9 +81,9 @@ class TestExpenseClaim(unittest.TestCase): self.assertTrue(gl_entries) expected_values = dict((d[0], d) for d in [ - ['CGST - WP',10.0, 0.0], - [payable_account, 0.0, 210.0], - ["Travel Expenses - WP", 200.0, 0.0] + ['CGST - _TC4',18.0, 0.0], + [payable_account, 0.0, 218.0], + ["Travel Expenses - _TC4", 200.0, 0.0] ]) for gle in gl_entries: @@ -89,14 +92,14 @@ class TestExpenseClaim(unittest.TestCase): self.assertEquals(expected_values[gle.account][2], gle.credit) def test_rejected_expense_claim(self): - payable_account = get_payable_account("Wind Power LLC") + payable_account = get_payable_account(company_name) expense_claim = frappe.get_doc({ "doctype": "Expense Claim", "employee": "_T-Employee-00001", "payable_account": payable_account, "approval_status": "Rejected", "expenses": - [{ "expense_type": "Travel", "default_account": "Travel Expenses - WP", "amount": 300, "sanctioned_amount": 200 }] + [{ "expense_type": "Travel", "default_account": "Travel Expenses - _TC4", "amount": 300, "sanctioned_amount": 200 }] }) expense_claim.submit() @@ -111,9 +114,9 @@ def get_payable_account(company): def generate_taxes(): parent_account = frappe.db.get_value('Account', - {'company': "Wind Power LLC", 'is_group':1, 'account_type': 'Tax'}, + {'company': company_name, 'is_group':1, 'account_type': 'Tax'}, 'name') - account = create_account(company="Wind Power LLC", account_name="CGST", account_type="Tax", parent_account=parent_account) + account = create_account(company=company_name, account_name="CGST", account_type="Tax", parent_account=parent_account) return {'taxes':[{ "account_head": account, "rate": 0, @@ -124,15 +127,18 @@ def generate_taxes(): def make_expense_claim(payable_account, amount, sanctioned_amount, company, account, project=None, task_name=None, do_not_submit=False, taxes=None): employee = frappe.db.get_value("Employee", {"status": "Active"}) + currency = frappe.db.get_value('Company', company, 'default_currency') expense_claim = { "doctype": "Expense Claim", "employee": employee, "payable_account": payable_account, "approval_status": "Approved", "company": company, + 'currency': currency, "expenses": [{"expense_type": "Travel", "default_account": account, + 'currency': currency, "amount": amount, "sanctioned_amount": sanctioned_amount}]} if taxes: diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 70bad34209..571c2dc75b 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -615,6 +615,7 @@ erpnext.patches.v11_1.set_missing_opportunity_from erpnext.patches.v12_0.set_quotation_status erpnext.patches.v12_0.set_priority_for_support erpnext.patches.v12_0.delete_priority_property_setter +execute:frappe.delete_doc("DocType", "Project Task") erpnext.patches.v11_1.update_default_supplier_in_item_defaults erpnext.patches.v12_0.update_due_date_in_gle erpnext.patches.v12_0.add_default_buying_selling_terms_in_company diff --git a/erpnext/patches/v12_0/set_task_status.py b/erpnext/patches/v12_0/set_task_status.py index 32b8177130..70f65097dc 100644 --- a/erpnext/patches/v12_0/set_task_status.py +++ b/erpnext/patches/v12_0/set_task_status.py @@ -2,10 +2,9 @@ import frappe def execute(): frappe.reload_doctype('Task') - frappe.reload_doctype('Project Task') # add "Completed" if customized - for doctype in ('Task', 'Project Task'): + for doctype in ('Task'): property_setter_name = frappe.db.exists('Property Setter', dict(doc_type = doctype, field_name = 'status', property = 'options')) if property_setter_name: property_setter = frappe.get_doc('Property Setter', property_setter_name) diff --git a/erpnext/projects/doctype/project/project.js b/erpnext/projects/doctype/project/project.js index 528c7cd0c7..5613f088e1 100644 --- a/erpnext/projects/doctype/project/project.js +++ b/erpnext/projects/doctype/project/project.js @@ -1,23 +1,6 @@ // Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors // License: GNU General Public License v3. See license.txt frappe.ui.form.on("Project", { - setup: function (frm) { - frm.set_indicator_formatter('title', - function (doc) { - let indicator = 'orange'; - if (doc.status == 'Overdue') { - indicator = 'red'; - } else if (doc.status == 'Cancelled') { - indicator = 'dark grey'; - } else if (doc.status == 'Completed') { - indicator = 'green'; - } - return indicator; - } - ); - }, - - onload: function (frm) { var so = frappe.meta.get_docfield("Project", "sales_order"); so.get_route_options_for_new_doc = function (field) { @@ -99,58 +82,4 @@ frappe.ui.form.on("Project", { }); }, - tasks_refresh: function (frm) { - var grid = frm.get_field('tasks').grid; - grid.wrapper.find('select[data-fieldname="status"]').each(function () { - if ($(this).val() === 'Open') { - $(this).addClass('input-indicator-open'); - } else { - $(this).removeClass('input-indicator-open'); - } - }); - }, - - status: function(frm) { - if (frm.doc.status === 'Cancelled') { - frappe.confirm(__('Set tasks in this project as cancelled?'), () => { - frm.doc.tasks = frm.doc.tasks.map(task => { - task.status = 'Cancelled'; - return task; - }); - frm.refresh_field('tasks'); - }); - } - } -}); - -frappe.ui.form.on("Project Task", { - edit_task: function(frm, doctype, name) { - var doc = frappe.get_doc(doctype, name); - if(doc.task_id) { - frappe.set_route("Form", "Task", doc.task_id); - } else { - frappe.msgprint(__("Save the document first.")); - } - }, - - edit_timesheet: function(frm, cdt, cdn) { - var child = locals[cdt][cdn]; - frappe.route_options = {"project": frm.doc.project_name, "task": child.task_id}; - frappe.set_route("List", "Timesheet"); - }, - - make_timesheet: function(frm, cdt, cdn) { - var child = locals[cdt][cdn]; - frappe.model.with_doctype('Timesheet', function() { - var doc = frappe.model.get_new_doc('Timesheet'); - var row = frappe.model.add_child(doc, 'time_logs'); - row.project = frm.doc.project_name; - row.task = child.task_id; - frappe.set_route('Form', doc.doctype, doc.name); - }) - }, - - status: function(frm, doctype, name) { - frm.trigger('tasks_refresh'); - }, }); diff --git a/erpnext/projects/doctype/project/project.json b/erpnext/projects/doctype/project/project.json index 2fc507b252..b4536c085c 100644 --- a/erpnext/projects/doctype/project/project.json +++ b/erpnext/projects/doctype/project/project.json @@ -1,1974 +1,487 @@ { - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, "allow_import": 1, "allow_rename": 1, "autoname": "field:project_name", - "beta": 0, "creation": "2013-03-07 11:55:07", - "custom": 0, - "docstatus": 0, "doctype": "DocType", "document_type": "Setup", - "editable_grid": 0, "engine": "InnoDB", + "field_order": [ + "project_name", + "status", + "project_type", + "is_active", + "percent_complete_method", + "percent_complete", + "column_break_5", + "project_template", + "expected_start_date", + "expected_end_date", + "priority", + "department", + "customer_details", + "customer", + "column_break_14", + "sales_order", + "users_section", + "users", + "copied_from", + "section_break0", + "notes", + "section_break_18", + "actual_start_date", + "actual_time", + "column_break_20", + "actual_end_date", + "project_details", + "estimated_costing", + "total_costing_amount", + "total_expense_claim", + "total_purchase_cost", + "company", + "column_break_28", + "total_sales_amount", + "total_billable_amount", + "total_billed_amount", + "total_consumed_material_cost", + "cost_center", + "margin", + "gross_margin", + "column_break_37", + "per_gross_margin", + "monitor_progress", + "collect_progress", + "holiday_list", + "frequency", + "from_time", + "to_time", + "first_email", + "second_email", + "daily_time_to_send", + "day_to_send", + "weekly_time_to_send", + "column_break_45", + "message" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "", "fieldname": "project_name", "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": "Project Name", - "length": 0, - "no_copy": 0, "oldfieldtype": "Data", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, "unique": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "Open", "fieldname": "status", "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": "Status", - "length": 0, "no_copy": 1, "oldfieldname": "status", "oldfieldtype": "Select", "options": "Open\nCompleted\nCancelled", - "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 + "search_index": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "project_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": 1, "label": "Project Type", - "length": 0, - "no_copy": 0, "oldfieldname": "project_type", "oldfieldtype": "Data", - "options": "Project 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": "Project Type" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "is_active", "fieldtype": "Select", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Is Active", - "length": 0, - "no_copy": 0, "oldfieldname": "is_active", "oldfieldtype": "Select", - "options": "Yes\nNo", - "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": "Yes\nNo" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "Task Completion", "fieldname": "percent_complete_method", "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": "% Complete Method", - "length": 0, - "no_copy": 0, - "options": "Task Completion\nTask Progress\nTask Weight", - "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": "Task Completion\nTask Progress\nTask Weight" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, "bold": 1, - "collapsible": 0, - "columns": 0, "fieldname": "percent_complete", "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": "% Completed", - "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": 0, - "collapsible": 0, - "columns": 0, "fieldname": "column_break_5", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "project_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": "From Template", - "length": 0, - "no_copy": 0, - "options": "Project Template", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "Project Template" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "expected_start_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": "Expected Start Date", - "length": 0, - "no_copy": 0, "oldfieldname": "project_start_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": 1, - "collapsible": 0, - "columns": 0, "fieldname": "expected_end_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": "Expected End Date", - "length": 0, - "no_copy": 0, "oldfieldname": "completion_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, "fieldname": "priority", "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": "Priority", - "length": 0, - "no_copy": 0, "oldfieldname": "priority", "oldfieldtype": "Select", - "options": "Medium\nLow\nHigh", - "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": "Medium\nLow\nHigh" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "department", "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Department", - "length": 0, - "no_copy": 0, - "options": "Department", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "Department" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, "collapsible": 1, - "columns": 0, "fieldname": "customer_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": "Customer Details", - "length": 0, - "no_copy": 0, "oldfieldtype": "Section Break", - "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, "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": 0, "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": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "search_index": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "column_break_14", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "sales_order", "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Sales Order", - "length": 0, - "no_copy": 0, - "options": "Sales 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 + "options": "Sales Order" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, "collapsible": 1, - "columns": 0, "fieldname": "users_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": "Users", - "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": "Users" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "description": "Project will be accessible on the website to these users", "fieldname": "users", "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": "Users", - "length": 0, - "no_copy": 0, - "options": "Project User", - "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": "Project User" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "sb_milestones", - "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": "Tasks", - "length": 0, - "no_copy": 0, - "oldfieldtype": "Section Break", - "options": "fa fa-flag", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "tasks", - "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": "Tasks", - "length": 0, - "no_copy": 0, - "options": "Project Task", - "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, "fieldname": "copied_from", "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": "Copied From", - "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, - "columns": 0, "fieldname": "section_break0", "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": "Notes", - "length": 0, - "no_copy": 0, "oldfieldtype": "Section Break", - "options": "fa fa-list", - "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-list" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "notes", "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": "Notes", - "length": 0, - "no_copy": 0, "oldfieldname": "notes", - "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 + "oldfieldtype": "Text Editor" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, "collapsible": 1, - "columns": 0, "fieldname": "section_break_18", "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": "Start and End Dates", - "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": "Start and End Dates" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "actual_start_date", "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": "Actual Start Date", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "actual_time", "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": "Actual Time (in Hours)", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "column_break_20", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "actual_end_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": "Actual End Date", - "length": 0, - "no_copy": 0, "oldfieldname": "act_completion_date", "oldfieldtype": "Date", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 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, - "columns": 0, "fieldname": "project_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": "Costing and Billing", - "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 + "options": "fa fa-money" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "estimated_costing", "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": "Estimated Cost", - "length": 0, - "no_copy": 0, "oldfieldname": "project_value", "oldfieldtype": "Currency", - "options": "Company:company:default_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 + "options": "Company:company:default_currency" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "", "fieldname": "total_costing_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": "Total Costing Amount (via Timesheets)", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "", "fieldname": "total_expense_claim", "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 Expense Claim (via Expense Claims)", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "total_purchase_cost", "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 Purchase Cost (via Purchase Invoice)", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "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, "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": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "remember_last_selected_value": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "column_break_28", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "total_sales_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": "Total Sales Amount (via Sales Order)", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "", "fieldname": "total_billable_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": "Total Billable Amount (via Timesheets)", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "total_billed_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": "Total Billed Amount (via Sales Invoices)", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "total_consumed_material_cost", "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 Consumed Material Cost (via Stock Entry)", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "cost_center", "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, "label": "Default Cost Center", - "length": 0, - "no_copy": 0, - "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": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "options": "Cost Center" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, "collapsible": 1, - "columns": 0, "fieldname": "margin", "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": "Margin", - "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, "fieldname": "gross_margin", "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": "Gross Margin", - "length": 0, - "no_copy": 0, "oldfieldname": "gross_margin_value", "oldfieldtype": "Currency", "options": "Company:company:default_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 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "column_break_37", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "per_gross_margin", "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": "Gross Margin %", - "length": 0, - "no_copy": 0, "oldfieldname": "per_gross_margin", "oldfieldtype": "Currency", - "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 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, "collapsible": 1, - "columns": 0, "fieldname": "monitor_progress", "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": "Monitor Progress", - "length": 0, - "no_copy": 0, - "options": "", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Monitor Progress" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, + "default": "0", "fieldname": "collect_progress", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Collect Progress", - "length": 0, - "no_copy": 0, - "options": "", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Collect Progress" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "collect_progress", "fieldname": "holiday_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": "Holiday List", - "length": 0, - "no_copy": 0, - "options": "Holiday List", - "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": "Holiday List" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "eval:doc.collect_progress == true", "fieldname": "frequency", "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": "Frequency To Collect Progress", - "length": 0, - "no_copy": 0, - "options": "Hourly\nTwice Daily\nDaily\nWeekly", - "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": "Hourly\nTwice Daily\nDaily\nWeekly" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "eval:(doc.frequency == \"Hourly\" && doc.collect_progress)", "fieldname": "from_time", "fieldtype": "Time", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "From Time", - "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": "From Time" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "eval:(doc.frequency == \"Hourly\" && doc.collect_progress)", "fieldname": "to_time", "fieldtype": "Time", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "To Time", - "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": "To Time" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "eval:(doc.frequency == \"Twice Daily\" && doc.collect_progress == true)\n\n", "fieldname": "first_email", "fieldtype": "Time", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "First Email", - "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": "First Email" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "eval:(doc.frequency == \"Twice Daily\" && doc.collect_progress == true)", "fieldname": "second_email", "fieldtype": "Time", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Second Email", - "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": "Second Email" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "eval:(doc.frequency == \"Daily\" && doc.collect_progress == true)", "fieldname": "daily_time_to_send", "fieldtype": "Time", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Time to send", - "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": "Time to send" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "eval:(doc.frequency == \"Weekly\" && doc.collect_progress == true)", "fieldname": "day_to_send", "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": "Day to Send", - "length": 0, - "no_copy": 0, - "options": "Monday\nTuesday\nWednesday\nThursday\nFriday\nSaturday\nSunday", - "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": "Monday\nTuesday\nWednesday\nThursday\nFriday\nSaturday\nSunday" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "eval:(doc.frequency == \"Weekly\" && doc.collect_progress == true)", "fieldname": "weekly_time_to_send", "fieldtype": "Time", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Time to send", - "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": "Time to send" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "column_break_45", - "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, "depends_on": "collect_progress", "description": "Message will sent to users to get their status on the project", "fieldname": "message", "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": "Message", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Message" } ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, "icon": "fa fa-puzzle-piece", "idx": 29, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 0, "max_attachments": 4, - "modified": "2019-02-18 17:56:04.789560", + "modified": "2019-06-25 16:14:43.887151", "modified_by": "Administrator", "module": "Projects", "name": "Project", "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": "Projects User", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 0, - "export": 0, - "if_owner": 0, - "import": 0, "permlevel": 1, - "print": 0, "read": 1, "report": 1, - "role": "All", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 + "role": "All" }, { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "Projects Manager", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 } ], "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, "search_fields": "customer, status, priority, is_active", "show_name_in_global_search": 1, "sort_order": "DESC", "timeline_field": "customer", - "track_changes": 0, - "track_seen": 1, - "track_views": 0 + "track_seen": 1 } \ No newline at end of file diff --git a/erpnext/projects/doctype/project/project.py b/erpnext/projects/doctype/project/project.py index 55a689259a..6176cf89b4 100644 --- a/erpnext/projects/doctype/project/project.py +++ b/erpnext/projects/doctype/project/project.py @@ -19,10 +19,6 @@ class Project(Document): return '{0}: {1}'.format(_(self.status), frappe.safe_decode(self.project_name)) def onload(self): - """Load project tasks for quick view""" - if not self.get('__unsaved') and not self.get("tasks"): - self.load_tasks() - self.set_onload('activity_summary', frappe.db.sql('''select activity_type, sum(hours) as total_hours from `tabTimesheet Detail` where project=%s and docstatus < 2 group by activity_type @@ -33,57 +29,19 @@ class Project(Document): def before_print(self): self.onload() - def load_tasks(self): - """Load `tasks` from the database""" - if frappe.flags.in_import: - return - project_task_custom_fields = frappe.get_all("Custom Field", {"dt": "Project Task"}, "fieldname") - - self.tasks = [] - for task in self.get_tasks(): - task_map = { - "title": task.subject, - "status": task.status, - "start_date": task.exp_start_date, - "end_date": task.exp_end_date, - "description": task.description, - "task_id": task.name, - "task_weight": task.task_weight - } - - self.map_custom_fields(task, task_map, project_task_custom_fields) - - self.append("tasks", task_map) - - def get_tasks(self): - if self.name is None: - return {} - else: - filters = {"project": self.name} - - if self.get("deleted_task_list"): - filters.update({ - 'name': ("not in", self.deleted_task_list) - }) - - return frappe.get_all("Task", "*", filters, order_by="exp_start_date asc, status asc") def validate(self): - self.validate_weights() - self.sync_tasks() - self.tasks = [] - self.load_tasks() if not self.is_new(): self.copy_from_template() - self.validate_dates() self.send_welcome_email() - self.update_percent_complete(from_validate=True) + self.update_costing() + self.update_percent_complete() def copy_from_template(self): ''' Copy tasks from template ''' - if self.project_template and not len(self.tasks or []): + if self.project_template and not frappe.db.get_all('Task', dict(project = self.name), limit=1): # has a template, and no loaded tasks, so lets create if not self.expected_start_date: @@ -108,104 +66,6 @@ class Project(Document): task_weight = task.task_weight )).insert() - # reload tasks after project - self.load_tasks() - - def validate_dates(self): - if self.tasks: - for d in self.tasks: - if self.expected_start_date: - if d.start_date and getdate(d.start_date) < getdate(self.expected_start_date): - frappe.throw(_("Start date of task {0} cannot be less than {1} expected start date {2}") - .format(d.title, self.name, self.expected_start_date)) - if d.end_date and getdate(d.end_date) < getdate(self.expected_start_date): - frappe.throw(_("End date of task {0} cannot be less than {1} expected start date {2}") - .format(d.title, self.name, self.expected_start_date)) - - if self.expected_end_date: - if d.start_date and getdate(d.start_date) > getdate(self.expected_end_date): - frappe.throw(_("Start date of task {0} cannot be greater than {1} expected end date {2}") - .format(d.title, self.name, self.expected_end_date)) - if d.end_date and getdate(d.end_date) > getdate(self.expected_end_date): - frappe.throw(_("End date of task {0} cannot be greater than {1} expected end date {2}") - .format(d.title, self.name, self.expected_end_date)) - - if self.expected_start_date and self.expected_end_date: - if getdate(self.expected_end_date) < getdate(self.expected_start_date): - frappe.throw(_("Expected End Date can not be less than Expected Start Date")) - - def validate_weights(self): - for task in self.tasks: - if task.task_weight is not None: - if task.task_weight < 0: - frappe.throw(_("Task weight cannot be negative")) - - def sync_tasks(self): - """sync tasks and remove table""" - if not hasattr(self, "deleted_task_list"): - self.set("deleted_task_list", []) - - if self.flags.dont_sync_tasks: return - task_names = [] - - existing_task_data = {} - - fields = ["title", "status", "start_date", "end_date", "description", "task_weight", "task_id"] - exclude_fieldtype = ["Button", "Column Break", - "Section Break", "Table", "Read Only", "Attach", "Attach Image", "Color", "Geolocation", "HTML", "Image"] - - custom_fields = frappe.get_all("Custom Field", {"dt": "Project Task", - "fieldtype": ("not in", exclude_fieldtype)}, "fieldname") - - for d in custom_fields: - fields.append(d.fieldname) - - for d in frappe.get_all('Project Task', - fields = fields, - filters = {'parent': self.name}): - existing_task_data.setdefault(d.task_id, d) - - for t in self.tasks: - if t.task_id: - task = frappe.get_doc("Task", t.task_id) - else: - task = frappe.new_doc("Task") - task.project = self.name - - if not t.task_id or self.is_row_updated(t, existing_task_data, fields): - task.update({ - "subject": t.title, - "status": t.status, - "exp_start_date": t.start_date, - "exp_end_date": t.end_date, - "description": t.description, - "task_weight": t.task_weight - }) - - self.map_custom_fields(t, task, custom_fields) - - task.flags.ignore_links = True - task.flags.from_project = True - task.flags.ignore_feed = True - - if t.task_id: - task.update({ - "modified_by": frappe.session.user, - "modified": now() - }) - - task.run_method("validate") - task.db_update() - else: - task.save(ignore_permissions = True) - task_names.append(task.name) - else: - task_names.append(task.name) - - # delete - for t in frappe.get_all("Task", ["name"], {"project": self.name, "name": ("not in", task_names)}): - self.deleted_task_list.append(t.name) - def is_row_updated(self, row, existing_task_data, fields): if self.get("__islocal") or not existing_task_data: return True @@ -215,48 +75,43 @@ class Project(Document): if row.get(field) != d.get(field): return True - def map_custom_fields(self, source, target, custom_fields): - for field in custom_fields: - target.update({ - field.fieldname: source.get(field.fieldname) - }) - def update_project(self): + '''Called externally by Task''' self.update_percent_complete() self.update_costing() + self.db_update() def after_insert(self): self.copy_from_template() if self.sales_order: frappe.db.set_value("Sales Order", self.sales_order, "project", self.name) - def update_percent_complete(self, from_validate=False): - if not self.tasks: return - total = frappe.db.sql("""select count(name) from tabTask where project=%s""", self.name)[0][0] + def update_percent_complete(self): + total = frappe.db.count('Task', dict(project=self.name)) - if not total and self.percent_complete: + if not total: self.percent_complete = 0 + else: + if (self.percent_complete_method == "Task Completion" and total > 0) or ( + not self.percent_complete_method and total > 0): + completed = frappe.db.sql("""select count(name) from tabTask where + project=%s and status in ('Cancelled', 'Completed')""", self.name)[0][0] + self.percent_complete = flt(flt(completed) / total * 100, 2) - if (self.percent_complete_method == "Task Completion" and total > 0) or ( - not self.percent_complete_method and total > 0): - completed = frappe.db.sql("""select count(name) from tabTask where - project=%s and status in ('Cancelled', 'Completed')""", self.name)[0][0] - self.percent_complete = flt(flt(completed) / total * 100, 2) + if (self.percent_complete_method == "Task Progress" and total > 0): + progress = frappe.db.sql("""select sum(progress) from tabTask where + project=%s""", self.name)[0][0] + self.percent_complete = flt(flt(progress) / total, 2) - if (self.percent_complete_method == "Task Progress" and total > 0): - progress = frappe.db.sql("""select sum(progress) from tabTask where - project=%s""", self.name)[0][0] - self.percent_complete = flt(flt(progress) / total, 2) - - if (self.percent_complete_method == "Task Weight" and total > 0): - weight_sum = frappe.db.sql("""select sum(task_weight) from tabTask where - project=%s""", self.name)[0][0] - weighted_progress = frappe.db.sql("""select progress, task_weight from tabTask where - project=%s""", self.name, as_dict=1) - pct_complete = 0 - for row in weighted_progress: - pct_complete += row["progress"] * frappe.utils.safe_div(row["task_weight"], weight_sum) - self.percent_complete = flt(flt(pct_complete), 2) + if (self.percent_complete_method == "Task Weight" and total > 0): + weight_sum = frappe.db.sql("""select sum(task_weight) from tabTask where + project=%s""", self.name)[0][0] + weighted_progress = frappe.db.sql("""select progress, task_weight from tabTask where + project=%s""", self.name, as_dict=1) + pct_complete = 0 + for row in weighted_progress: + pct_complete += row["progress"] * frappe.utils.safe_div(row["task_weight"], weight_sum) + self.percent_complete = flt(flt(pct_complete), 2) # don't update status if it is cancelled if self.status == 'Cancelled': @@ -268,9 +123,6 @@ class Project(Document): else: self.status = "Open" - if not from_validate: - self.db_update() - def update_costing(self): from_time_sheet = frappe.db.sql("""select sum(costing_amount) as costing_amount, @@ -297,7 +149,6 @@ class Project(Document): self.update_sales_amount() self.update_billed_amount() self.calculate_gross_margin() - self.db_update() def calculate_gross_margin(self): expense_amount = (flt(self.total_costing_amount) + flt(self.total_expense_claim) @@ -348,57 +199,6 @@ class Project(Document): content=content.format(*messages)) user.welcome_email_sent = 1 - def on_update(self): - self.delete_task() - self.load_tasks() - self.update_project() - self.update_dependencies_on_duplicated_project() - - def delete_task(self): - if not self.get('deleted_task_list'): return - - for d in self.get('deleted_task_list'): - # unlink project - frappe.db.set_value('Task', d, 'project', '') - - self.deleted_task_list = [] - - def update_dependencies_on_duplicated_project(self): - if self.flags.dont_sync_tasks: return - if not self.copied_from: - self.copied_from = self.name - - if self.name != self.copied_from and self.get('__unsaved'): - # duplicated project - dependency_map = {} - for task in self.tasks: - _task = frappe.db.get_value( - 'Task', - {"subject": task.title, "project": self.copied_from}, - ['name', 'depends_on_tasks'], - as_dict=True - ) - - if _task is None: - continue - - name = _task.name - - dependency_map[task.title] = [x['subject'] for x in frappe.get_list( - 'Task Depends On', {"parent": name}, ['subject'])] - - for key, value in iteritems(dependency_map): - task_name = frappe.db.get_value('Task', {"subject": key, "project": self.name }) - - task_doc = frappe.get_doc('Task', task_name) - - for dt in value: - dt_name = frappe.db.get_value('Task', {"subject": dt, "project": self.name}) - task_doc.append('depends_on', {"task": dt_name}) - - task_doc.db_update() - - def get_timeline_data(doctype, name): '''Return timeline for attendance''' return dict(frappe.db.sql('''select unix_timestamp(from_time), count(*) diff --git a/erpnext/projects/doctype/project/test_project.py b/erpnext/projects/doctype/project/test_project.py index beb1f130f5..06c62b62d2 100644 --- a/erpnext/projects/doctype/project/test_project.py +++ b/erpnext/projects/doctype/project/test_project.py @@ -19,18 +19,18 @@ class TestProject(unittest.TestCase): project = get_project('Test Project with Template') - project.load_tasks() + tasks = frappe.get_all('Task', '*', dict(project=project.name), order_by='creation asc') - task1 = project.tasks[0] - self.assertEqual(task1.title, 'Task 1') + task1 = tasks[0] + self.assertEqual(task1.subject, 'Task 1') self.assertEqual(task1.description, 'Task 1 description') - self.assertEqual(getdate(task1.start_date), getdate('2019-01-01')) - self.assertEqual(getdate(task1.end_date), getdate('2019-01-04')) + self.assertEqual(getdate(task1.exp_start_date), getdate('2019-01-01')) + self.assertEqual(getdate(task1.exp_end_date), getdate('2019-01-04')) - self.assertEqual(len(project.tasks), 4) - task4 = project.tasks[3] - self.assertEqual(task4.title, 'Task 4') - self.assertEqual(getdate(task4.end_date), getdate('2019-01-06')) + self.assertEqual(len(tasks), 4) + task4 = tasks[3] + self.assertEqual(task4.subject, 'Task 4') + self.assertEqual(getdate(task4.exp_end_date), getdate('2019-01-06')) def get_project(name): template = get_project_template() diff --git a/erpnext/projects/doctype/project/test_records.json b/erpnext/projects/doctype/project/test_records.json index 9379c22b5c..567f359b50 100644 --- a/erpnext/projects/doctype/project/test_records.json +++ b/erpnext/projects/doctype/project/test_records.json @@ -1,12 +1,6 @@ [ { "project_name": "_Test Project", - "status": "Open", - "tasks":[ - { - "title": "_Test Task", - "status": "Open" - } - ] + "status": "Open" } ] \ No newline at end of file diff --git a/erpnext/projects/doctype/project_task/__init__.py b/erpnext/projects/doctype/project_task/__init__.py deleted file mode 100644 index e69de29bb2..0000000000 diff --git a/erpnext/projects/doctype/project_task/project_task.json b/erpnext/projects/doctype/project_task/project_task.json deleted file mode 100644 index e26c191e0b..0000000000 --- a/erpnext/projects/doctype/project_task/project_task.json +++ /dev/null @@ -1,430 +0,0 @@ -{ - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, - "allow_import": 0, - "allow_rename": 0, - "beta": 0, - "creation": "2015-02-22 11:15:28.201059", - "custom": 0, - "docstatus": 0, - "doctype": "DocType", - "document_type": "Other", - "editable_grid": 1, - "engine": "InnoDB", - "fields": [ - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 3, - "fieldname": "title", - "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": "Title", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 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": 3, - "default": "Open", - "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, - "options": "Open\nWorking\nPending Review\nOverdue\nCompleted\nCancelled", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "task_id", - "fieldname": "edit_task", - "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": "View Task", - "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, - "fieldname": "edit_timesheet", - "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": "View Timesheet", - "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, - "fieldname": "make_timesheet", - "fieldtype": "Button", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Make Timesheet", - "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, - "fieldname": "column_break_6", - "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": 2, - "fieldname": "start_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": "Start 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": 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": 2, - "default": "", - "fieldname": "end_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": "End 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": 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, - "fieldname": "task_weight", - "fieldtype": "Float", - "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": "Weight", - "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, - "fieldname": "section_break_6", - "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, - "fieldname": "description", - "fieldtype": "Text Editor", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Description", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "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, - "fieldname": "task_id", - "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": "Task ID", - "length": 0, - "no_copy": 1, - "options": "Task", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 1, - "report_hide": 0, - "reqd": 0, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "idx": 0, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 1, - "max_attachments": 0, - "modified": "2019-02-19 12:30:52.648868", - "modified_by": "Administrator", - "module": "Projects", - "name": "Project Task", - "name_case": "", - "owner": "Administrator", - "permissions": [], - "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 -} \ No newline at end of file diff --git a/erpnext/projects/doctype/project_task/project_task.py b/erpnext/projects/doctype/project_task/project_task.py deleted file mode 100644 index 5f9d8d7622..0000000000 --- a/erpnext/projects/doctype/project_task/project_task.py +++ /dev/null @@ -1,9 +0,0 @@ -# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors and contributors -# For license information, please see license.txt - -from __future__ import unicode_literals -import frappe -from frappe.model.document import Document - -class ProjectTask(Document): - pass diff --git a/erpnext/projects/doctype/task/task.py b/erpnext/projects/doctype/task/task.py index d8fc199ec2..50557f1551 100755 --- a/erpnext/projects/doctype/task/task.py +++ b/erpnext/projects/doctype/task/task.py @@ -158,12 +158,6 @@ class Task(NestedSet): if check_if_child_exists(self.name): throw(_("Child Task exists for this Task. You can not delete this Task.")) - if self.project: - tasks = frappe.get_doc('Project', self.project).tasks - for task in tasks: - if task.get('task_id') == self.name: - frappe.delete_doc('Project Task', task.name) - self.update_nsm_model() def update_status(self): diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index 8ad3bf0607..6c0b02dd48 100755 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -547,12 +547,6 @@ def make_project(source_name, target_doc=None): "base_grand_total" : "estimated_costing", } }, - "Sales Order Item": { - "doctype": "Project Task", - "field_map": { - "item_code": "title", - }, - } }, target_doc, postprocess) return doc From 6a7969117f1ec438f25ec5f8bfbbec10a04ef01d Mon Sep 17 00:00:00 2001 From: Mangesh-Khairnar Date: Mon, 8 Jul 2019 10:40:40 +0530 Subject: [PATCH 123/132] fix(bom): escape name with wildcard character (#18164) --- erpnext/controllers/queries.py | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/erpnext/controllers/queries.py b/erpnext/controllers/queries.py index d74bc0ea18..47c9f0a4ce 100644 --- a/erpnext/controllers/queries.py +++ b/erpnext/controllers/queries.py @@ -206,10 +206,11 @@ def bom(doctype, txt, searchfield, start, page_len, filters): if(locate(%(_txt)s, name), locate(%(_txt)s, name), 99999), idx desc, name limit %(start)s, %(page_len)s """.format( - fcond=get_filters_cond(doctype, filters, conditions), + fcond=get_filters_cond(doctype, filters, conditions).replace('%', '%%'), mcond=get_match_cond(doctype), - key=searchfield), { - 'txt': '%' + txt + '%', + key=frappe.db.escape(searchfield)), + { + 'txt': "%"+frappe.db.escape(txt)+"%", '_txt': txt.replace("%", ""), 'start': start or 0, 'page_len': page_len or 20 From de13faf19a123998fa9dd1578b4d2d3d966faddc Mon Sep 17 00:00:00 2001 From: Anurag Mishra Date: Tue, 9 Jul 2019 11:53:31 +0530 Subject: [PATCH 124/132] fix: sending sms from quotation --- erpnext/public/js/sms_manager.js | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/erpnext/public/js/sms_manager.js b/erpnext/public/js/sms_manager.js index 6ce8bb1150..a7003a272d 100644 --- a/erpnext/public/js/sms_manager.js +++ b/erpnext/public/js/sms_manager.js @@ -20,8 +20,10 @@ erpnext.SMSManager = function SMSManager(doc) { 'Purchase Receipt' : 'Items has been received against purchase receipt: ' + doc.name } - if (in_list(['Quotation', 'Sales Order', 'Delivery Note', 'Sales Invoice'], doc.doctype)) + if (in_list(['Sales Order', 'Delivery Note', 'Sales Invoice'], doc.doctype)) this.show(doc.contact_person, 'Customer', doc.customer, '', default_msg[doc.doctype]); + else if (in_list(['Quotation'], doc.doctype)) + this.show(doc.contact_person, 'Customer', doc.party_name, '', default_msg[doc.doctype]); else if (in_list(['Purchase Order', 'Purchase Receipt'], doc.doctype)) this.show(doc.contact_person, 'Supplier', doc.supplier, '', default_msg[doc.doctype]); else if (doc.doctype == 'Lead') From 890ea195f3cc6487ab0809926c3a3cbea2837d12 Mon Sep 17 00:00:00 2001 From: deepeshgarg007 Date: Tue, 9 Jul 2019 16:56:56 +0530 Subject: [PATCH 125/132] fix: Tree filter fixes for erpnext dimensions --- erpnext/public/js/utils/dimension_tree_filter.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/public/js/utils/dimension_tree_filter.js b/erpnext/public/js/utils/dimension_tree_filter.js index a9122d8dff..549f95e039 100644 --- a/erpnext/public/js/utils/dimension_tree_filter.js +++ b/erpnext/public/js/utils/dimension_tree_filter.js @@ -12,7 +12,7 @@ erpnext.dimension_filters = erpnext.get_dimension_filters(); erpnext.doctypes_with_dimensions.forEach((doctype) => { frappe.ui.form.on(doctype, { onload: function(frm) { - dimension_filters.then((dimensions) => { + erpnext.dimension_filters.then((dimensions) => { dimensions.forEach((dimension) => { frappe.model.with_doctype(dimension['document_type'], () => { if (frappe.meta.has_field(dimension['document_type'], 'is_group')) { From e9dd9b842e289a9683743a92b8974cba2c968df8 Mon Sep 17 00:00:00 2001 From: Anurag Mishra <32095923+Anurag810@users.noreply.github.com> Date: Tue, 9 Jul 2019 17:54:00 +0530 Subject: [PATCH 126/132] Update erpnext/public/js/sms_manager.js Co-Authored-By: Deepesh Garg <42651287+deepeshgarg007@users.noreply.github.com> --- erpnext/public/js/sms_manager.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/public/js/sms_manager.js b/erpnext/public/js/sms_manager.js index a7003a272d..a058da23ac 100644 --- a/erpnext/public/js/sms_manager.js +++ b/erpnext/public/js/sms_manager.js @@ -22,7 +22,7 @@ erpnext.SMSManager = function SMSManager(doc) { if (in_list(['Sales Order', 'Delivery Note', 'Sales Invoice'], doc.doctype)) this.show(doc.contact_person, 'Customer', doc.customer, '', default_msg[doc.doctype]); - else if (in_list(['Quotation'], doc.doctype)) + else if (doc.doctype === 'Quotation') this.show(doc.contact_person, 'Customer', doc.party_name, '', default_msg[doc.doctype]); else if (in_list(['Purchase Order', 'Purchase Receipt'], doc.doctype)) this.show(doc.contact_person, 'Supplier', doc.supplier, '', default_msg[doc.doctype]); From 838697261d1d8aa1968b724f4e3168b5d3364295 Mon Sep 17 00:00:00 2001 From: Suraj Shetty <13928957+surajshetty3416@users.noreply.github.com> Date: Wed, 10 Jul 2019 10:39:43 +0530 Subject: [PATCH 127/132] fix: Call popup avatar Avoid getting session users image if customer doc has no image --- erpnext/public/js/call_popup/call_popup.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 91dfe809a4..89657a1837 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -109,7 +109,7 @@ class CallPopup { }); wrapper.append(`
- ${frappe.avatar(null, 'avatar-xl', contact.name, contact.image)} + ${frappe.avatar(null, 'avatar-xl', contact.name, contact.image || '')}
${contact_name}
${contact.mobile_no || ''}
From 3d28c065dbbd0f8e4a25b2f5e579a3a26d24f49d Mon Sep 17 00:00:00 2001 From: Mangesh-Khairnar Date: Wed, 10 Jul 2019 17:03:23 +0530 Subject: [PATCH 128/132] fix(exchange-rate-revaluation): change create to view button on creation of journal entry (#18201) --- .../exchange_rate_revaluation.js | 26 ++++++++++++++++--- 1 file changed, 23 insertions(+), 3 deletions(-) diff --git a/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js b/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js index dad75b4ba1..0d5456ece6 100644 --- a/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js +++ b/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.js @@ -21,9 +21,29 @@ frappe.ui.form.on('Exchange Rate Revaluation', { refresh: function(frm) { if(frm.doc.docstatus==1) { - frm.add_custom_button(__('Create Journal Entry'), function() { - return frm.events.make_jv(frm); - }); + frappe.db.get_value("Journal Entry Account", { + 'reference_type': 'Exchange Rate Revaluation', + 'reference_name': frm.doc.name, + 'docstatus': 1 + }, "sum(debit) as sum", (r) =>{ + let total_amt = 0; + frm.doc.accounts.forEach(d=> { + total_amt = total_amt + d['new_balance_in_base_currency']; + }); + if(total_amt === r.sum) { + frm.add_custom_button(__("Journal Entry"), function(){ + frappe.route_options = { + 'reference_type': 'Exchange Rate Revaluation', + 'reference_name': frm.doc.name + }; + frappe.set_route("List", "Journal Entry"); + }, __("View")); + } else { + frm.add_custom_button(__('Create Journal Entry'), function() { + return frm.events.make_jv(frm); + }); + } + }, 'Journal Entry'); } }, From 058787d2044b83c8a12885e1879b711b388f570f Mon Sep 17 00:00:00 2001 From: rohitwaghchaure Date: Wed, 10 Jul 2019 17:03:48 +0530 Subject: [PATCH 129/132] fix: error report for item price (#18212) --- erpnext/stock/doctype/item_price/item_price.py | 13 ++++++++----- 1 file changed, 8 insertions(+), 5 deletions(-) diff --git a/erpnext/stock/doctype/item_price/item_price.py b/erpnext/stock/doctype/item_price/item_price.py index d182290427..30675b54b3 100644 --- a/erpnext/stock/doctype/item_price/item_price.py +++ b/erpnext/stock/doctype/item_price/item_price.py @@ -31,13 +31,16 @@ class ItemPrice(Document): frappe.throw(_("Valid From Date must be lesser than Valid Upto Date.")) def update_price_list_details(self): - self.buying, self.selling, self.currency = \ - frappe.db.get_value("Price List", - {"name": self.price_list, "enabled": 1}, - ["buying", "selling", "currency"]) + if self.price_list: + self.buying, self.selling, self.currency = \ + frappe.db.get_value("Price List", + {"name": self.price_list, "enabled": 1}, + ["buying", "selling", "currency"]) def update_item_details(self): - self.item_name, self.item_description = frappe.db.get_value("Item",self.item_code,["item_name", "description"]) + if self.item_code: + self.item_name, self.item_description = frappe.db.get_value("Item", + self.item_code,["item_name", "description"]) def check_duplicates(self): conditions = "where item_code=%(item_code)s and price_list=%(price_list)s and name != %(name)s" From 61d8088be406822d224aec1399cfce3d9d3fd092 Mon Sep 17 00:00:00 2001 From: Suraj Shetty <13928957+surajshetty3416@users.noreply.github.com> Date: Wed, 10 Jul 2019 17:05:25 +0530 Subject: [PATCH 130/132] fix: Return fieldtype so that the client-side can format chart values (#18211) --- .../profit_and_loss_statement/profit_and_loss_statement.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py index 48d7361fe0..ac11868cab 100644 --- a/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +++ b/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py @@ -93,4 +93,6 @@ def get_chart_data(filters, columns, income, expense, net_profit_loss): else: chart["type"] = "line" + chart["fieldtype"] = "Currency" + return chart \ No newline at end of file From 59c5c3c347b2fd14adb7d39f4165ae50dc61d3a9 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 10 Jul 2019 17:05:49 +0530 Subject: [PATCH 131/132] fix: Make material request against SO only for pending qty (#18216) --- .../selling/doctype/sales_order/sales_order.py | 16 +++++++++++++++- 1 file changed, 15 insertions(+), 1 deletion(-) diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index 6c0b02dd48..e9b310eb30 100755 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -492,13 +492,27 @@ def close_or_unclose_sales_orders(names, status): frappe.local.message_log = [] +def get_requested_item_qty(sales_order): + return frappe._dict(frappe.db.sql(""" + select sales_order_item, sum(stock_qty) + from `tabMaterial Request Item` + where docstatus = 1 + and sales_order = %s + group by sales_order_item + """, sales_order)) + @frappe.whitelist() def make_material_request(source_name, target_doc=None): + requested_item_qty = get_requested_item_qty(source_name) + def postprocess(source, doc): doc.material_request_type = "Purchase" def update_item(source, target, source_parent): target.project = source_parent.project + target.qty = source.stock_qty - requested_item_qty.get(source.name, 0) + target.conversion_factor = 1 + target.stock_qty = source.stock_qty - requested_item_qty.get(source.name, 0) doc = get_mapped_doc("Sales Order", source_name, { "Sales Order": { @@ -523,7 +537,7 @@ def make_material_request(source_name, target_doc=None): "stock_uom": "uom", "stock_qty": "qty" }, - "condition": lambda doc: not frappe.db.exists('Product Bundle', doc.item_code), + "condition": lambda doc: not frappe.db.exists('Product Bundle', doc.item_code) and doc.stock_qty > requested_item_qty.get(doc.name, 0), "postprocess": update_item } }, target_doc, postprocess) From e7bb54ed767fc429027020f2e94c4a0a827ceeca Mon Sep 17 00:00:00 2001 From: Himanshu Date: Wed, 10 Jul 2019 11:45:59 +0000 Subject: [PATCH 132/132] feat(Issue): Settings to stop SLA tracking (#18112) * fix: fix msgprint when creating new issues * fix: use getdate * fix: do not self save * fix: test case * fix: error due to comparing date and str * fix: creation time for replicated issue * feat: sla in support settings * fix: remove sla settings * feat: enable check in sla * fix: throw if sla is disabled * fix: enable sla --- erpnext/config/support.py | 11 + .../doctype/customer/customer_dashboard.py | 4 - erpnext/support/doctype/issue/issue.js | 23 +- erpnext/support/doctype/issue/issue.json | 7 +- erpnext/support/doctype/issue/issue.py | 30 +- erpnext/support/doctype/issue/test_issue.py | 1 + .../service_level_agreement.json | 9 +- .../service_level_agreement.py | 24 +- .../test_service_level_agreement.py | 2 + .../support_settings/support_settings.json | 515 ++---------------- 10 files changed, 138 insertions(+), 488 deletions(-) diff --git a/erpnext/config/support.py b/erpnext/config/support.py index 0301bb3e19..36b4214196 100644 --- a/erpnext/config/support.py +++ b/erpnext/config/support.py @@ -97,4 +97,15 @@ def get_data(): }, ] }, + { + "label": _("Settings"), + "icon": "fa fa-list", + "items": [ + { + "type": "doctype", + "name": "Support Settings", + "label": _("Support Settings"), + }, + ] + }, ] \ No newline at end of file diff --git a/erpnext/selling/doctype/customer/customer_dashboard.py b/erpnext/selling/doctype/customer/customer_dashboard.py index 87ca6a76bc..8e790bf9ce 100644 --- a/erpnext/selling/doctype/customer/customer_dashboard.py +++ b/erpnext/selling/doctype/customer/customer_dashboard.py @@ -25,10 +25,6 @@ def get_data(): 'label': _('Orders'), 'items': ['Sales Order', 'Delivery Note', 'Sales Invoice'] }, - { - 'label': _('Service Level Agreement'), - 'items': ['Service Level Agreement'] - }, { 'label': _('Payments'), 'items': ['Payment Entry'] diff --git a/erpnext/support/doctype/issue/issue.js b/erpnext/support/doctype/issue/issue.js index 1a272d1bc4..9d93f37af7 100644 --- a/erpnext/support/doctype/issue/issue.js +++ b/erpnext/support/doctype/issue/issue.js @@ -129,8 +129,15 @@ frappe.ui.form.on("Issue", { function set_time_to_resolve_and_response(frm) { frm.dashboard.clear_headline(); - var time_to_respond = get_time_left(frm.doc.response_by, frm.doc.agreement_fulfilled); - var time_to_resolve = get_time_left(frm.doc.resolution_by, frm.doc.agreement_fulfilled); + var time_to_respond = get_status(frm.doc.response_by_variance); + if (!frm.doc.first_responded_on && frm.doc.agreement_fulfilled === "Ongoing") { + time_to_respond = get_time_left(frm.doc.response_by, frm.doc.agreement_fulfilled); + } + + var time_to_resolve = get_status(frm.doc.resolution_by_variance); + if (!frm.doc.resolution_date && frm.doc.agreement_fulfilled === "Ongoing") { + time_to_resolve = get_time_left(frm.doc.response_by, frm.doc.agreement_fulfilled); + } frm.dashboard.set_headline_alert( '
' + @@ -146,7 +153,15 @@ function set_time_to_resolve_and_response(frm) { function get_time_left(timestamp, agreement_fulfilled) { const diff = moment(timestamp).diff(moment()); - const diff_display = diff >= 44500 ? moment.duration(diff).humanize() : moment(0, 'seconds').format('HH:mm'); - let indicator = (diff_display == '00:00' && agreement_fulfilled != "Fulfilled") ? "red" : "green"; + const diff_display = diff >= 44500 ? moment.duration(diff).humanize() : "Failed"; + let indicator = (diff_display == 'Failed' && agreement_fulfilled != "Fulfilled") ? "red" : "green"; return {"diff_display": diff_display, "indicator": indicator}; } + +function get_status(variance) { + if (variance > 0) { + return {"diff_display": "Fulfilled", "indicator": "green"}; + } else { + return {"diff_display": "Failed", "indicator": "red"}; + } +} \ No newline at end of file diff --git a/erpnext/support/doctype/issue/issue.json b/erpnext/support/doctype/issue/issue.json index b7c4166f6c..72153dcdea 100644 --- a/erpnext/support/doctype/issue/issue.json +++ b/erpnext/support/doctype/issue/issue.json @@ -113,6 +113,7 @@ "search_index": 1 }, { + "default": "Medium", "fieldname": "priority", "fieldtype": "Link", "in_standard_filter": 1, @@ -143,7 +144,6 @@ }, { "collapsible": 1, - "depends_on": "eval: doc.service_level_agreement", "fieldname": "service_level_section", "fieldtype": "Section Break", "label": "Service Level" @@ -314,6 +314,7 @@ }, { "default": "Ongoing", + "depends_on": "eval: doc.service_level_agreement", "fieldname": "agreement_fulfilled", "fieldtype": "Select", "label": "Service Level Agreement Fulfilled", @@ -321,6 +322,7 @@ "read_only": 1 }, { + "depends_on": "eval: doc.service_level_agreement", "description": "in hours", "fieldname": "response_by_variance", "fieldtype": "Float", @@ -328,6 +330,7 @@ "read_only": 1 }, { + "depends_on": "eval: doc.service_level_agreement", "description": "in hours", "fieldname": "resolution_by_variance", "fieldtype": "Float", @@ -337,7 +340,7 @@ ], "icon": "fa fa-ticket", "idx": 7, - "modified": "2019-06-27 15:19:00.771333", + "modified": "2019-06-30 13:19:38.215525", "modified_by": "Administrator", "module": "Support", "name": "Issue", diff --git a/erpnext/support/doctype/issue/issue.py b/erpnext/support/doctype/issue/issue.py index ad1c263250..226676fec3 100644 --- a/erpnext/support/doctype/issue/issue.py +++ b/erpnext/support/doctype/issue/issue.py @@ -92,7 +92,6 @@ class Issue(Document): self.resolution_by_variance = round(time_diff_in_hours(self.resolution_by, now_datetime()), 2) self.agreement_fulfilled = "Fulfilled" if self.response_by_variance > 0 and self.resolution_by_variance > 0 else "Failed" - self.save(ignore_permissions=True) def create_communication(self): communication = frappe.new_doc("Communication") @@ -118,6 +117,17 @@ class Issue(Document): replicated_issue = deepcopy(self) replicated_issue.subject = subject + replicated_issue.creation = now_datetime() + + # Reset SLA + if replicated_issue.service_level_agreement: + replicated_issue.service_level_agreement = None + replicated_issue.agreement_fulfilled = "Ongoing" + replicated_issue.response_by = None + replicated_issue.response_by_variance = None + replicated_issue.resolution_by = None + replicated_issue.resolution_by_variance = None + frappe.get_doc(replicated_issue).insert() # Replicate linked Communications @@ -136,7 +146,8 @@ class Issue(Document): return replicated_issue.name def before_insert(self): - self.set_response_and_resolution_time() + if frappe.db.get_single_value("Support Settings", "track_service_level_agreement"): + self.set_response_and_resolution_time() def set_response_and_resolution_time(self, priority=None, service_level_agreement=None): service_level_agreement = get_active_service_level_agreement_for(priority=priority, @@ -171,13 +182,16 @@ class Issue(Document): self.resolution_by_variance = round(time_diff_in_hours(self.resolution_by, now_datetime())) def change_service_level_agreement_and_priority(self): - if not self.priority == frappe.db.get_value("Issue", self.name, "priority"): - self.set_response_and_resolution_time(priority=self.priority, service_level_agreement=self.service_level_agreement) - frappe.msgprint("Priority has been updated.") + if self.service_level_agreement and frappe.db.exists("Issue", self.name) and \ + frappe.db.get_single_value("Support Settings", "track_service_level_agreement"): - if not self.service_level_agreement == frappe.db.get_value("Issue", self.name, "service_level_agreement"): - self.set_response_and_resolution_time(priority=self.priority, service_level_agreement=self.service_level_agreement) - frappe.msgprint("Service Level Agreement has been updated.") + if not self.priority == frappe.db.get_value("Issue", self.name, "priority"): + self.set_response_and_resolution_time(priority=self.priority, service_level_agreement=self.service_level_agreement) + frappe.msgprint(_("Priority has been changed to {0}.").format(self.priority)) + + if not self.service_level_agreement == frappe.db.get_value("Issue", self.name, "service_level_agreement"): + self.set_response_and_resolution_time(priority=self.priority, service_level_agreement=self.service_level_agreement) + frappe.msgprint(_("Service Level Agreement has been changed to {0}.").format(self.service_level_agreement)) def get_expected_time_for(parameter, service_level, start_date_time): current_date_time = start_date_time diff --git a/erpnext/support/doctype/issue/test_issue.py b/erpnext/support/doctype/issue/test_issue.py index 75d70b1318..eb1736e6c9 100644 --- a/erpnext/support/doctype/issue/test_issue.py +++ b/erpnext/support/doctype/issue/test_issue.py @@ -11,6 +11,7 @@ from datetime import timedelta class TestIssue(unittest.TestCase): def test_response_time_and_resolution_time_based_on_different_sla(self): + frappe.db.set_value("Support Settings", None, "track_service_level_agreement", 1) create_service_level_agreements_for_issues() creation = datetime.datetime(2019, 3, 4, 12, 0) diff --git a/erpnext/support/doctype/service_level_agreement/service_level_agreement.json b/erpnext/support/doctype/service_level_agreement/service_level_agreement.json index f91a80c60d..9a83ca7ac0 100644 --- a/erpnext/support/doctype/service_level_agreement/service_level_agreement.json +++ b/erpnext/support/doctype/service_level_agreement/service_level_agreement.json @@ -5,6 +5,7 @@ "editable_grid": 1, "engine": "InnoDB", "field_order": [ + "enable", "service_level", "default_service_level_agreement", "holiday_list", @@ -149,9 +150,15 @@ "in_standard_filter": 1, "label": "Entity Type", "options": "\nCustomer\nCustomer Group\nTerritory" + }, + { + "default": "1", + "fieldname": "enable", + "fieldtype": "Check", + "label": "Enable" } ], - "modified": "2019-06-20 18:04:14.293378", + "modified": "2019-07-09 17:22:16.402939", "modified_by": "Administrator", "module": "Support", "name": "Service Level Agreement", diff --git a/erpnext/support/doctype/service_level_agreement/service_level_agreement.py b/erpnext/support/doctype/service_level_agreement/service_level_agreement.py index 82c0ffb65c..a399c58b16 100644 --- a/erpnext/support/doctype/service_level_agreement/service_level_agreement.py +++ b/erpnext/support/doctype/service_level_agreement/service_level_agreement.py @@ -6,19 +6,23 @@ from __future__ import unicode_literals import frappe from frappe.model.document import Document from frappe import _ +from frappe.utils import getdate class ServiceLevelAgreement(Document): def validate(self): + if not frappe.db.get_single_value("Support Settings", "track_service_level_agreement"): + frappe.throw(_("Service Level Agreement tracking is not enabled.")) + if self.default_service_level_agreement: if frappe.db.exists("Service Level Agreement", {"default_service_level_agreement": "1", "name": ["!=", self.name]}): frappe.throw(_("A Default Service Level Agreement already exists.")) else: if self.start_date and self.end_date: - if self.start_date >= self.end_date: + if getdate(self.start_date) >= getdate(self.end_date): frappe.throw(_("Start Date of Agreement can't be greater than or equal to End Date.")) - if self.end_date < frappe.utils.getdate(): + if getdate(self.end_date) < getdate(frappe.utils.getdate()): frappe.throw(_("End Date of Agreement can't be less than today.")) if self.entity_type and self.entity: @@ -44,12 +48,16 @@ def check_agreement_status(): for service_level_agreement in service_level_agreements: doc = frappe.get_doc("Service Level Agreement", service_level_agreement.name) - if doc.end_date and doc.end_date < frappe.utils.getdate(): + if doc.end_date and getdate(doc.end_date) < getdate(frappe.utils.getdate()): frappe.db.set_value("Service Level Agreement", service_level_agreement.name, "active", 0) def get_active_service_level_agreement_for(priority, customer=None, service_level_agreement=None): + if not frappe.db.get_single_value("Support Settings", "track_service_level_agreement"): + return + filters = [ ["Service Level Agreement", "active", "=", 1], + ["Service Level Agreement", "enable", "=", 1] ] if priority: @@ -80,6 +88,14 @@ def get_customer_territory(customer): @frappe.whitelist() def get_service_level_agreement_filters(name, customer=None): + if not frappe.db.get_single_value("Support Settings", "track_service_level_agreement"): + return + + filters = [ + ["Service Level Agreement", "active", "=", 1], + ["Service Level Agreement", "enable", "=", 1] + ] + if not customer: or_filters = [ ["Service Level Agreement", "default_service_level_agreement", "=", 1] @@ -93,5 +109,5 @@ def get_service_level_agreement_filters(name, customer=None): return { "priority": [priority.priority for priority in frappe.get_list("Service Level Priority", filters={"parent": name}, fields=["priority"])], - "service_level_agreements": [d.name for d in frappe.get_list("Service Level Agreement", or_filters=or_filters)] + "service_level_agreements": [d.name for d in frappe.get_list("Service Level Agreement", filters=filters, or_filters=or_filters)] } \ No newline at end of file diff --git a/erpnext/support/doctype/service_level_agreement/test_service_level_agreement.py b/erpnext/support/doctype/service_level_agreement/test_service_level_agreement.py index 6aa5394192..68b82d10ec 100644 --- a/erpnext/support/doctype/service_level_agreement/test_service_level_agreement.py +++ b/erpnext/support/doctype/service_level_agreement/test_service_level_agreement.py @@ -10,6 +10,8 @@ from erpnext.support.doctype.service_level.test_service_level import create_serv class TestServiceLevelAgreement(unittest.TestCase): def test_service_level_agreement(self): + frappe.db.set_value("Support Settings", None, "track_service_level_agreement", 1) + create_service_level_for_sla() # Default Service Level Agreement diff --git a/erpnext/support/doctype/support_settings/support_settings.json b/erpnext/support/doctype/support_settings/support_settings.json index 2b79107269..2dced15d4e 100644 --- a/erpnext/support/doctype/support_settings/support_settings.json +++ b/erpnext/support/doctype/support_settings/support_settings.json @@ -1,560 +1,145 @@ { - "allow_copy": 0, - "allow_guest_to_view": 0, - "allow_import": 0, - "allow_rename": 0, - "beta": 0, "creation": "2017-02-17 13:07:35.686409", - "custom": 0, - "docstatus": 0, "doctype": "DocType", - "document_type": "", "editable_grid": 1, "engine": "InnoDB", + "field_order": [ + "sb_00", + "track_service_level_agreement", + "issues_sb", + "close_issue_after_days", + "portal_sb", + "get_started_sections", + "show_latest_forum_posts", + "forum_sb", + "forum_url", + "get_latest_query", + "response_key_list", + "column_break_10", + "post_title_key", + "post_description_key", + "post_route_key", + "post_route_string", + "search_apis_sb", + "search_apis" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "issues_sb", "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": "Issues", - "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": "Issues" }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "7", "description": "Auto close Issue after 7 days", "fieldname": "close_issue_after_days", "fieldtype": "Int", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Close Issue After Days", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 + "label": "Close Issue After Days" }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "portal_sb", "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": "Support Portal", - "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": "Support Portal" }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "get_started_sections", "fieldtype": "Code", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Get Started Sections", - "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": "Get Started Sections" }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, + "default": "0", "fieldname": "show_latest_forum_posts", "fieldtype": "Check", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Show Latest Forum Posts", - "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": "Show Latest Forum Posts" }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "show_latest_forum_posts", "fieldname": "forum_sb", "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": "Forum Posts", - "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": "Forum Posts" }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "forum_url", "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": "Forum URL", - "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": "Forum URL" }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "get_latest_query", "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": "Get Latest Query", - "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": "Get Latest Query" }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "response_key_list", "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": "Response Key List", - "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": "Response Key List" }, { - "allow_bulk_edit": 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 + "fieldtype": "Column Break" }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "post_title_key", "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": "Post Title Key", - "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": "Post Title Key" }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "post_description_key", "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": "Post Description Key", - "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": "Post Description Key" }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "post_route_key", "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": "Post Route Key", - "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": "Post Route Key" }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "post_route_string", "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": "Post Route String", - "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": "Post Route String" }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "search_apis_sb", "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": "Search APIs", - "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": "Search APIs" }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "search_apis", "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": "Search APIs", - "length": 0, - "no_copy": 0, - "options": "Support Search Source", - "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": "Support Search Source" + }, + { + "fieldname": "sb_00", + "fieldtype": "Section Break", + "label": "Service Level Agreements" + }, + { + "default": "0", + "fieldname": "track_service_level_agreement", + "fieldtype": "Check", + "label": "Track Service Level Agreement" } ], - "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-05-17 02:11:33.462444", + "modified": "2019-07-09 17:11:38.216732", "modified_by": "Administrator", "module": "Support", "name": "Support Settings", - "name_case": "", "owner": "Administrator", "permissions": [ { - "amend": 0, - "cancel": 0, "create": 1, "delete": 1, "email": 1, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, "print": 1, "read": 1, - "report": 0, "role": "System Manager", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 } ], "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, - "show_name_in_global_search": 0, "sort_field": "modified", "sort_order": "DESC", - "track_changes": 1, - "track_seen": 0 + "track_changes": 1 } \ No newline at end of file